Plugin Directory


Ignore:
Location:
metform/trunk
Files:
9 edited

Legend:

Unmodified
Added
Removed
  • metform/trunk/base/shortcode.php

    r2896914 r2907471  
    11<?php
    22
    33namespace MetForm\Base;
    44
    55defined('ABSPATH') || exit;
    66
    77class Shortcode
    88{
    99
    1010    use \MetForm\Traits\Singleton;
    1111
    1212
    1313    public function __construct()
    1414    {
    1515        add_shortcode('metform', [$this, 'render_form']);
    1616        add_shortcode('mf_thankyou', [$this, 'render_thank_you_page']);
    1717        add_shortcode('mf_first_name', [$this, 'render_first_name']);
    1818        add_shortcode('mf_last_name', [$this, 'render_last_name']);
    1919        add_shortcode('mf_payment_status', [$this, 'render_payment_status']);
    2020        add_shortcode('mf_transaction_id', [$this, 'render_transaction_id']);
    2121        add_shortcode('mf',[$this,'render_mf_field']);
    2222    }
    2323
    2424    public function enqueue_form_assets(){
    2525        wp_enqueue_style('metform-ui');
    2626        wp_enqueue_style('metform-style');
    2727        wp_enqueue_script('htm');
    2828        wp_enqueue_script('metform-app');
    2929    }
    3030
    3131
    3232    public function render_form($atts)
    3333    {
    3434        $this->enqueue_form_assets();
    3535
    3636        $attributes = shortcode_atts(array(
    3737            'form_id' => 'test',
    3838        ), $atts);
    3939
    4040        return '<div class="mf-form-shortcode">' . \MetForm\Utils\Util::render_form_content($attributes['form_id'], $attributes['form_id']) . '</div>';
    4141    }
    4242
    4343    public function render_thank_you_page($atts)
    4444    {
    4545        if($GLOBALS['pagenow'] == 'post.php'){
    4646            return;
    4747        }
    4848        global $post;
    4949       
    5050        $this->enqueue_form_assets();
    5151
    5252        $a = shortcode_atts(array(
    5353            'fname' => '',
    5454            'lname' => '',
    5555        ), $atts);
    5656
    5757        $settings = \MetForm\Core\Admin\Base::instance()->get_settings_option();
    5858        $page_id =   $settings['mf_thank_you_page'];
    5959        //phpcs:ignore WordPress.Security.NonceVerification -- Nonce can't be added, Its a callback function of 'add_shortcode'
    6060        $post_id = isset($_GET['id']) ? sanitize_text_field(wp_unslash($_GET['id'])) : '';
    6161        $postMeta = get_post_meta(
    6262            $post_id,
    6363            'metform_entries__form_data',
    6464            true
    6565        );
    6666        $first_name = !empty($postMeta[$a['fname']]) ? $postMeta[$a['fname']] : '';
    6767
    6868        $payment_status = get_post_meta(
    6969            $post_id,
    7070            'metform_entries__payment_status',
    7171            true
    7272        );
    7373
    7474        $tnx_id = get_post_meta(
    7575            $post_id,
    7676            'metform_entries__payment_trans',
    7777            true
    7878        );
    7979   
    8080        $msg = '';
    8181
    8282        if ($payment_status == 'paid') {
    83             $msg = $first_name . ' Thank you for your payment. <br>' . ' Your transcation ID : ' . $tnx_id;
     83            $msg = $first_name . esc_html__(' Thank you for your payment.', 'metform'). '<br>' . esc_html__(' Your transcation ID : ', 'metform' ). $tnx_id;
    8484        } else {
    85             $msg = 'Thank you . Your payment status : ' . $payment_status;
     85            $msg = esc_html__('Thank you . Your payment status : ', 'metform') . $payment_status;
    8686        }
    8787       
    8888        return $msg;
    8989    }
    9090
    9191    public function render_mf_field($atts){
    9292        $this->enqueue_form_assets();
    9393
    9494        $a = shortcode_atts(array(
    9595            'field' => ''
    9696        ),$atts);
    9797
    9898        $settings = \MetForm\Core\Admin\Base::instance()->get_settings_option();
    9999        $page_id =   $settings['mf_thank_you_page'];
    100100        //phpcs:ignore WordPress.Security.NonceVerification -- Nonce can't be added, Its a callback function of 'add_shortcode'
    101101        $post_id = isset($_GET['id']) ? sanitize_text_field(wp_unslash($_GET['id'])) : '';
    102102        $field = get_post_meta(
    103103            $post_id,
    104104            'metform_entries__form_data',
    105105            true
    106         )[$a['field']];
     106        );
     107       
     108        if(!is_array($field)){
     109            return esc_html__("Not entry was found associated with this id", 'metform')."<br>"; // br added if one page have multiple shortcode which is not available
     110        }
     111         
     112        if(!key_exists($a['field'], $field)){
     113            return  $a['field'] . esc_html__(" key Not found ", 'metform').'<br>';
     114        }
     115       
     116        $field = get_post_meta($post_id, 'metform_entries__form_data',true) [$a['field']];
    107117
    108         return $field;
     118        return is_array($field) ? map_deep(implode(" , ",$field), 'esc_html') : esc_html($field);
    109119    }
    110120
    111121    public function render_first_name($atts)
    112122    {
    113123        $this->enqueue_form_assets();
    114124        //phpcs:ignore WordPress.Security.NonceVerification -- Nonce can't be added, Its a callback function of 'add_shortcode'
    115125        $post_id = isset($_GET['id']) ? sanitize_text_field(wp_unslash($_GET['id'])) : '';
    116126        $first_name = get_post_meta(
    117127            $post_id,
    118128            'metform_entries__form_data',
    119129            true
    120130        )['mf-listing-fname'];
    121         return $first_name;
     131        return esc_html($first_name);
    122132    }
    123133
    124134    public function render_last_name($atts)
    125135    {
    126136        $this->enqueue_form_assets();
    127137        //phpcs:ignore WordPress.Security.NonceVerification -- Nonce can't be added, Its a callback function of 'add_shortcode'
    128138        $post_id = isset($_GET['id']) ? sanitize_text_field(wp_unslash($_GET['id'])) : '';
    129139        $last_name = get_post_meta(
    130140            $post_id,
    131141            'metform_entries__form_data',
    132142            true
    133143        )['mf-listing-lname'];
    134         return $last_name;
     144        return esc_html($last_name);
    135145    }
    136146
    137147    public function render_payment_status($atts)
    138148    {
    139149        $this->enqueue_form_assets();
    140150        //phpcs:ignore WordPress.Security.NonceVerification -- Nonce can't be added, Its a callback function of 'add_shortcode'
    141151        $post_id = isset($_GET['id']) ? sanitize_text_field(wp_unslash($_GET['id'])) : '';
    142152        $payment_status = get_post_meta(
    143153            $post_id,
    144154            'metform_entries__payment_status',
    145155            true
    146156        );
    147157        return $payment_status;
    148158    }
    149159
    150160    public function render_transaction_id($atts)
    151161    {
    152162        $this->enqueue_form_assets();
    153163        //phpcs:ignore WordPress.Security.NonceVerification -- Nonce can't be added, Its a callback function of 'add_shortcode'
    154164        $post_id = isset($_GET['id']) ? sanitize_text_field(wp_unslash($_GET['id'])) : '';
    155165        $tnx_id = get_post_meta(
    156166            $post_id,
    157167            'metform_entries__payment_trans',
    158168            true
    159169        );
    160170
    161171        return $tnx_id;
    162172    }
    163173}
  • metform/trunk/controls/assets/css/form-picker-inspactor.css

    r2896914 r2907471  
    1 .formpicker_warper_editable{position:relative}.formpicker_warper_editable:hover{outline:1px solid #71d7f7}.formpicker_warper_editable:hover .formpicker_warper_edit{display:block}.formpicker_iframe_mini_modal,.formpicker_iframe_modal{display:block}.formpicker_iframe_modal .dialog-message{position:relative}.formpicker_iframe_modal iframe{position:absolute;top:0;bottom:0;right:0;left:0;width:100%;height:100%}.formpicker_iframe_modal .dialog-widget-content{position:static!important;margin-top:10px}.formpicker_warper_edit{display:none;position:absolute;top:0;right:0;color:#fff;background:#71d7f7;line-height:1;padding:7px 8px;font-size:11px;border-bottom-left-radius:3px;cursor:pointer}.metform-dynamic-content-modal .dialog-widget-content{max-width:90%!important;margin-top:20px!important;margin-bottom:20px!important}.metform-dynamic-content-modal .elementor-templates-modal__header{background-color:#f1f3f5}.elementor-device-desktop #elementor-preview-responsive-wrapper{min-width:auto!important}.metform-dynamic-content-modal .dialog-message{overflow:unset!important}.formpicker_iframe_mini_modal{position:fixed;top:50%;left:50%;z-index:9999;background:#fff;border:1px solid}#metform-open-content-editor{background-color:rgba(0,0,0,.8);width:100%;height:100%;position:fixed;left:0;top:0;z-index:2;overflow-y:auto}.metform-open-content-inner{position:relative;top:50px;left:50%;transform:translateX(-50%);z-index:999;width:622px;background-color:#fff;box-shadow:-15px 20px 50px rgba(0,0,0,.16);padding:50px 0 80px;border-radius:5px;text-align:center}.rtl .metform-open-content-inner{direction:ltr;left:auto;right:50%;transform:translateX(50%)}#metform-open-content-editor .metform-close-editor-modals{color:#ff433c;border:2px solid #ff433c;width:30px;height:30px;line-height:27px;text-align:center;border-radius:100px;font-size:17px;position:absolute;top:-10px;right:-10px;background-color:#fff;cursor:pointer;box-shadow:0 5px 15px rgba(0,0,0,.2)}.rtl #metform-open-content-editor .metform-close-editor-modals{left:-10px;right:auto}.metform-editor-input{height:56px;width:100%;display:block;box-sizing:border-box;background-color:#fff;box-shadow:0 15px 25px rgba(0,0,0,.07);border-radius:10px;border:none;padding:0 25px;color:#101010;font-size:14px;line-height:42px;border:1px solid #ccc}.metform-open-content-editor-button{position:fixed;bottom:15px;left:50%;transform:translateX(-50%);background-color:#4285f4;border:none;font-size:16px;line-height:42px;color:#fff;border-radius:5px;padding:5px 30px 3px;min-width:170px;box-sizing:border-box;margin-top:30px;cursor:pointer}.position-left{left:30%}.metform-open-content-close-button{position:fixed;bottom:15px;left:70%;transform:translateX(-50%);background-color:#4285f4;border:none;font-size:16px;line-height:42px;color:#fff;border-radius:5px;padding:5px 30px 3px;min-width:170px;box-sizing:border-box;cursor:pointer}.metform-open-content-editor-button>span{margin-right:12px}.metform-editor-tab-content-item{display:none}.metform-editor-tab-content-item .metform-error{color:red;font-style:italic;margin-top:10px}.metform-editor-tab-content-item.active{display:block}.metform-content{overflow:scroll;max-height:70vh;padding:0 50px 30px;border-bottom:1px solid #f2f2f2}.metform-content::-webkit-scrollbar{display:none}.metform-content-editor-tab{display:flex;justify-content:center;flex-wrap:wrap;margin-bottom:20px}.metform-content-editor-tab-item{padding:0 15px}#metform-open-content-editor .metform-content-editor-radio{-webkit-appearance:none;appearance:none;outline:0;width:20px;height:20px;border:2px solid #747474;border-radius:100px;position:relative;margin:0;margin-right:8px;cursor:pointer}#metform-open-content-editor .metform-content-editor-radio:checked{border-color:#4285f4}#metform-open-content-editor .metform-content-editor-radio:checked:before{content:'';background-color:#4285f4;width:10px;height:10px;display:inline-block;position:absolute;left:50%;border-radius:100px;top:50%;transform:translate(-50%,-50%)}.metform-content-editor-tab-item label{display:flex;text-align:left;cursor:pointer}.metform-content-editor-radio-data p{color:#101010;font-size:16px;line-height:20px;margin:0}.metform-content-editor-radio-data span{color:#999;font-size:12px;line-height:25px;margin:0}.metform-template-input-con{margin-bottom:20px}.metform-templates-list{display:flex;flex-wrap:wrap}.metform-templates-list li{margin:5px;flex:0 0 31.4%;box-sizing:border-box}.metform-templates-list li input{display:none;cursor:pointer}.metform-template-radio-data{min-height:101px;border:1px solid #ccc;display:flex;justify-content:center;align-items:center;box-shadow:0 15px 25px rgba(0,0,0,.07);cursor:pointer;height:100%;position:relative;flex-direction:column}.metform-templates-list li input:checked+.metform-template-radio-data{border:1px solid #4285f4}.metform-template-radio-data--pro_tag{background:linear-gradient(45deg,#ff6b11 0,#ff324d 100%);color:#fff;padding:3px 5px;display:inline-block;position:absolute;right:2px;top:2px;text-transform:uppercase;font-size:10px;border-radius:3px;text-align:center}.metform-template-radio-data--demo_link{position:absolute;left:0;top:0;background-color:#4285f4;color:#fff;font-size:12px;border-bottom-right-radius:5px;padding:5px 8px;opacity:0;visibility:hidden;transition:all .4s}.metform-template-radio-data--demo_link:hover{color:#fff}.metform-template-radio-data:hover .metform-template-radio-data--demo_link{opacity:1;visibility:visible}.metform-template-item--go_pro .metform-template-radio-data{cursor:default}.metform-template-footer-content{align-self:normal;padding:10px;min-height:50px;border-top:1px solid rgba(204,204,204,.5);justify-self:auto;display:flex;align-items:center}.metform-template-footer-links a{color:#4285f4;font-size:13px;line-height:15px}.metform-template-footer-links--icon{margin-right:5px}.metform-template-footer-title{position:static;opacity:1;visibility:visible;transition:opacity 1s}.metform-template-footer-title h2{font-size:13px;text-align:left;font-weight:500;color:#6d7882}.metform-template-footer-links{display:flex;width:100%;justify-content:space-between;opacity:0;visibility:hidden;position:absolute;transition:opacity .4s}.metform-template-radio-data:hover .metform-template-footer-links{opacity:1;visibility:visible;position:static}.metform-template-radio-data:hover .metform-template-footer-title{opacity:0;visibility:hidden;position:absolute}.metform-templates-list img{max-width:100%;padding:5px;max-height:180px}.metform-form-edit-btn{position:absolute;left:135px;top:0;color:#4285f4;font-size:15px;text-transform:uppercase;padding:18px 0}.metform-form-update-close-btn{position:absolute;right:10px;top:7px;font-size:14px;text-transform:uppercase;background-color:#39b54a;color:#fff;padding:10px 25px;border-radius:100px;z-index:1;cursor:pointer;line-height:15px;padding-top:10px;transition:all .4s}.metform-form-update-close-btn:hover{background-color:#2d963c;color:#fff}.metform-form-edit-btn:hover{color:#4285f4}.rtl .metform-form-edit-btn{left:60px;right:auto}.metform-form-edit-btn i{margin-right:5px;font-size:18px;margin-top:-4px}.rtl .metform-form-edit-btn>i{margin-left:5px;margin-right:0}.metform-open-content-editor-templates{-webkit-appearance:none;-moz-appearance:none;background:0 0;background-image:url("data:image/svg+xml;utf8,<svg fill='black' height='24' viewBox='0 0 24 24' width='24' xmlns='http://www.w3.org/2000/svg'><path d='M7 10l5 5 5-5z'/><path d='M0 0h24v24H0z' fill='none'/></svg>");background-repeat:no-repeat;background-position-x:98%;background-position-y:50%}#metform-open-content-editor .metform-picker-close{display:none;position:static;border:none;background-color:transparent;box-shadow:none;color:#fff}.mf-edit-form{display:block;background-color:#39b54a;border:none;color:#fff;margin-top:15px;padding:12px 20px;font-weight:700;cursor:pointer;font-size:14px;border-radius:3px;transition:all .4s}.mf-edit-form:hover{background-color:#da3419}@media (prefers-color-scheme:dark){.metform-dynamic-content-modal .elementor-templates-modal__header.metform-formpicker-header{background-color:#34383c}.metform-form-elementor-templates-modal__header__logo span{color:#fff!important}.metform-form-elementor-templates-modal__header__logo span i{width:27px;height:27px;text-align:center;line-height:28px;border-radius:50%;color:#fff;background:#ff433c;font-size:10px}}
     1.formpicker_warper_editable{position:relative}.formpicker_warper_editable:hover{outline:1px solid #71d7f7}.formpicker_warper_editable:hover .formpicker_warper_edit{display:block}.formpicker_iframe_mini_modal,.formpicker_iframe_modal{display:block}.formpicker_iframe_modal .dialog-message{position:relative}.formpicker_iframe_modal iframe{position:absolute;top:0;bottom:0;right:0;left:0;width:100%;height:100%}.formpicker_iframe_modal .dialog-widget-content{position:static!important;margin-top:10px}.formpicker_warper_edit{display:none;position:absolute;top:0;right:0;color:#fff;background:#71d7f7;line-height:1;padding:7px 8px;font-size:11px;border-bottom-left-radius:3px;cursor:pointer}.metform-dynamic-content-modal .dialog-widget-content{max-width:90%!important;margin-top:20px!important;margin-bottom:20px!important}.metform-dynamic-content-modal .elementor-templates-modal__header{background-color:#f1f3f5;position:relative!important}.elementor-device-desktop #elementor-preview-responsive-wrapper{min-width:auto!important}.metform-dynamic-content-modal .dialog-message{overflow:unset!important}.formpicker_iframe_mini_modal{position:fixed;top:50%;left:50%;z-index:9999;background:#fff;border:1px solid}#metform-open-content-editor{background-color:rgba(0,0,0,.8);width:100%;height:100%;position:fixed;left:0;top:0;z-index:2;overflow-y:auto}.metform-open-content-inner{position:relative;top:50px;left:50%;transform:translateX(-50%);z-index:999;width:622px;background-color:#fff;box-shadow:-15px 20px 50px rgba(0,0,0,.16);padding:50px 0 80px;border-radius:5px;text-align:center}.rtl .metform-open-content-inner{direction:ltr;left:auto;right:50%;transform:translateX(50%)}#metform-open-content-editor .metform-close-editor-modals{color:#ff433c;border:2px solid #ff433c;width:30px;height:30px;line-height:27px;text-align:center;border-radius:100px;font-size:17px;position:absolute;top:-10px;right:-10px;background-color:#fff;cursor:pointer;box-shadow:0 5px 15px rgba(0,0,0,.2)}.rtl #metform-open-content-editor .metform-close-editor-modals{left:-10px;right:auto}.metform-editor-input{height:56px;width:100%;display:block;box-sizing:border-box;background-color:#fff;box-shadow:0 15px 25px rgba(0,0,0,.07);border-radius:10px;border:none;padding:0 25px;color:#101010;font-size:14px;line-height:42px;border:1px solid #ccc}.metform-open-content-editor-button{position:fixed;bottom:15px;left:50%;transform:translateX(-50%);background-color:#4285f4;border:none;font-size:16px;line-height:42px;color:#fff;border-radius:5px;padding:5px 30px 3px;min-width:170px;box-sizing:border-box;margin-top:30px;cursor:pointer}.position-left{left:30%}.metform-open-content-close-button{position:fixed;bottom:15px;left:70%;transform:translateX(-50%);background-color:#4285f4;border:none;font-size:16px;line-height:42px;color:#fff;border-radius:5px;padding:5px 30px 3px;min-width:170px;box-sizing:border-box;cursor:pointer}.metform-open-content-editor-button>span{margin-right:12px}.metform-editor-tab-content-item{display:none}.metform-editor-tab-content-item .metform-error{color:red;font-style:italic;margin-top:10px}.metform-editor-tab-content-item.active{display:block}.metform-content{overflow:scroll;max-height:70vh;padding:0 50px 30px;border-bottom:1px solid #f2f2f2}.metform-content::-webkit-scrollbar{display:none}.metform-content-editor-tab{display:flex;justify-content:center;flex-wrap:wrap;margin-bottom:20px}.metform-content-editor-tab-item{padding:0 15px}#metform-open-content-editor .metform-content-editor-radio{-webkit-appearance:none;appearance:none;outline:0;width:20px;height:20px;border:2px solid #747474;border-radius:100px;position:relative;margin:0;margin-right:8px;cursor:pointer}#metform-open-content-editor .metform-content-editor-radio:checked{border-color:#4285f4}#metform-open-content-editor .metform-content-editor-radio:checked:before{content:'';background-color:#4285f4;width:10px;height:10px;display:inline-block;position:absolute;left:50%;border-radius:100px;top:50%;transform:translate(-50%,-50%)}.metform-content-editor-tab-item label{display:flex;text-align:left;cursor:pointer}.metform-content-editor-radio-data p{color:#101010;font-size:16px;line-height:20px;margin:0}.metform-content-editor-radio-data span{color:#999;font-size:12px;line-height:25px;margin:0}.metform-template-input-con{margin-bottom:20px}.metform-templates-list{display:flex;flex-wrap:wrap}.metform-templates-list li{margin:5px;flex:0 0 31.4%;box-sizing:border-box}.metform-templates-list li input{display:none;cursor:pointer}.metform-template-radio-data{min-height:101px;border:1px solid #ccc;display:flex;justify-content:center;align-items:center;box-shadow:0 15px 25px rgba(0,0,0,.07);cursor:pointer;height:100%;position:relative;flex-direction:column}.metform-templates-list li input:checked+.metform-template-radio-data{border:1px solid #4285f4}.metform-template-radio-data--pro_tag{background:linear-gradient(45deg,#ff6b11 0,#ff324d 100%);color:#fff;padding:3px 5px;display:inline-block;position:absolute;right:2px;top:2px;text-transform:uppercase;font-size:10px;border-radius:3px;text-align:center}.metform-template-radio-data--demo_link{position:absolute;left:0;top:0;background-color:#4285f4;color:#fff;font-size:12px;border-bottom-right-radius:5px;padding:5px 8px;opacity:0;visibility:hidden;transition:all .4s}.metform-template-radio-data--demo_link:hover{color:#fff}.metform-template-radio-data:hover .metform-template-radio-data--demo_link{opacity:1;visibility:visible}.metform-template-item--go_pro .metform-template-radio-data{cursor:default}.metform-template-footer-content{align-self:normal;padding:10px;min-height:50px;border-top:1px solid rgba(204,204,204,.5);justify-self:auto;display:flex;align-items:center}.metform-template-footer-links a{color:#4285f4;font-size:13px;line-height:15px}.metform-template-footer-links--icon{margin-right:5px}.metform-template-footer-title{position:static;opacity:1;visibility:visible;transition:opacity 1s}.metform-template-footer-title h2{font-size:13px;text-align:left;font-weight:500;color:#6d7882}.metform-template-footer-links{display:flex;width:100%;justify-content:space-between;opacity:0;visibility:hidden;position:absolute;transition:opacity .4s}.metform-template-radio-data:hover .metform-template-footer-links{opacity:1;visibility:visible;position:static}.metform-template-radio-data:hover .metform-template-footer-title{opacity:0;visibility:hidden;position:absolute}.metform-templates-list img{max-width:100%;padding:5px;max-height:180px}.metform-form-edit-btn{position:absolute;left:135px;top:0;color:#4285f4;font-size:15px;text-transform:uppercase;padding:18px 0}.metform-form-update-close-btn{position:absolute;right:10px;top:7px;font-size:14px;text-transform:uppercase;background-color:#39b54a;color:#fff;padding:10px 25px;border-radius:100px;z-index:1;cursor:pointer;line-height:15px;padding-top:10px;transition:all .4s}.metform-form-update-close-btn:hover{background-color:#2d963c;color:#fff}.metform-form-edit-btn:hover{color:#4285f4}.rtl .metform-form-edit-btn{left:60px;right:auto}.metform-form-edit-btn i{margin-right:5px;font-size:18px;margin-top:-4px}.rtl .metform-form-edit-btn>i{margin-left:5px;margin-right:0}.metform-open-content-editor-templates{-webkit-appearance:none;-moz-appearance:none;background:0 0;background-image:url("data:image/svg+xml;utf8,<svg fill='black' height='24' viewBox='0 0 24 24' width='24' xmlns='http://www.w3.org/2000/svg'><path d='M7 10l5 5 5-5z'/><path d='M0 0h24v24H0z' fill='none'/></svg>");background-repeat:no-repeat;background-position-x:98%;background-position-y:50%}#metform-open-content-editor .metform-picker-close{display:none;position:static;border:none;background-color:transparent;box-shadow:none;color:#fff}.mf-edit-form{display:block;background-color:#39b54a;border:none;color:#fff;margin-top:15px;padding:12px 20px;font-weight:700;cursor:pointer;font-size:14px;border-radius:3px;transition:all .4s}.mf-edit-form:hover{background-color:#da3419}@media (prefers-color-scheme:dark){.metform-dynamic-content-modal .elementor-templates-modal__header.metform-formpicker-header{background-color:#34383c}.metform-form-elementor-templates-modal__header__logo span{color:#fff!important}.metform-form-elementor-templates-modal__header__logo span i{width:27px;height:27px;text-align:center;line-height:28px;border-radius:50%;color:#fff;background:#ff433c;font-size:10px}}
  • metform/trunk/core/entries/export.php

    r2896914 r2907471  
    11<?php
    22
    33namespace MetForm\Core\Entries;
    44
    55use MetForm\Traits\Singleton;
    66
    77defined('ABSPATH') || exit;
    88
    99class Export {
    1010
    1111    use Singleton;
    12 
    13     public function export_data($form_id) {
    14 
    15         if( !current_user_can( 'manage_options' ) ){
     12   
     13    public function export_data($form_id)
     14    {
     15        if (!current_user_can('manage_options')) {
    1616            return;
    1717        }
    18        
     18
    1919        $fields = Action::instance()->get_fields($form_id);
    20         $title = get_the_title( $form_id );
     20        $title = get_the_title($form_id);
    2121
    2222        global $wpdb;
    23 
    24         $entries = $wpdb->get_results($wpdb->prepare( "SELECT `post_id`  FROM `".$wpdb->prefix."postmeta` WHERE `meta_key` = 'metform_entries__form_id' AND `meta_value` = %d",$form_id), OBJECT );
     23        $entries = $wpdb->get_results($wpdb->prepare("SELECT `post_id`  FROM `" . $wpdb->prefix . "postmeta` WHERE `meta_key` = 'metform_entries__form_id' AND `meta_value` = %d", $form_id), OBJECT);
    2524        $entries = (is_array($entries)) ? $entries : [];
    2625        $export = [];
    27         $header = [];
     26        $header = [];
    2827
    29         foreach($entries as $entry){
     28        foreach ($entries as $entry) {
    3029            $entry_modify = [];
    3130
    32             $form_entry = get_post_meta( $entry->post_id, 'metform_entries__form_data', true );
     31            $form_entry = get_post_meta($entry->post_id, 'metform_entries__form_data', true);
    3332            $form_entry = (is_array($form_entry) ? $form_entry : []);
    34             $file_entry = get_post_meta( $entry->post_id, 'metform_entries__file_upload_new', true );
     33            $file_entry = get_post_meta($entry->post_id, 'metform_entries__file_upload_new', true);
    3534            $file_entry = (is_array($file_entry) ? $file_entry : []);
    3635
    3736            $entry_data = array_merge($form_entry, $file_entry);
    38             $entry_data = (is_array($entry_data)) ? $entry_data : [] ;
     37            $entry_data = (is_array($entry_data)) ? $entry_data : [];
    3938
    40             $entry_modify ['ID'] = $entry->post_id;
    41             $header['__id'] = 'ID';
     39            $entry_modify['ID'] = $entry->post_id;
     40            $header['__id'] = 'ID';
    4241
    43             foreach( $fields as $key => $value ) {
    44                 $header_key          = (($value->mf_input_name != '') ? $value->mf_input_name : $key);
    45                 $header[$header_key] = empty($value->mf_input_label) ? $key : $value->mf_input_label;
     42            foreach ($fields as $key => $value) {
     43                $header_key = (($value->mf_input_name != '') ? htmlspecialchars($value->mf_input_name) : $key);
     44                $header[$header_key] = empty($value->mf_input_label) ? $key : htmlspecialchars($value->mf_input_label);
    4645
    47                 if($value->widgetType == 'mf-file-upload'  && isset($entry_data[$key])){
    48                     $entry_modify[$header_key] = (isset($entry_data[$key]) ? ((isset($entry_data[$key]['url'])) ? $entry_data[$key]['url'] : ' ' ) : ' ' );
    49                     for($index = 0; $index < count($entry_data[$key]); $index++){
    50                         $entry_modify[$header_key] .= ($entry_data[$key][$index]['url']." \n");
     46                if ($value->widgetType == 'mf-file-upload' && isset($entry_data[$key])) {
     47                    $entry_modify[$header_key] = (isset($entry_data[$key]) ? ((isset($entry_data[$key]['url'])) ? $entry_data[$key]['url'] : ' ') : ' ');
     48                    for ($index = 0; $index < count($entry_data[$key]); $index++) {
     49                        $entry_modify[$header_key] .= (esc_url($entry_data[$key][$index]['url']) . " \n");
    5150                    }
    52                 }else if($value->widgetType == 'mf-simple-repeater'){
     51                } else if ($value->widgetType == 'mf-simple-repeater') {
    5352                    $data_string = '';
    54                     if(is_array($entry_data[$key])){
    55                         foreach( $entry_data[$key] as $key => $value ){
    56                             $data_string .= $key.": ".$value." \n";
     53                    if (is_array($entry_data[$key])) {
     54                        foreach ($entry_data[$key] as $key => $value) {
     55                            $data_string .= htmlspecialchars($key) . ": " . htmlspecialchars($value) . " \n";
    5756                        }
    5857                    }
    5958                    $entry_modify[$header_key] = $data_string;
    60                 }else{
    61                     $entry_modify[$header_key] = (isset($entry_data[$key]) ? ((is_array($entry_data[$key])) ? implode(', ', $entry_data[$key]) : $entry_data[$key]) : ' ' );
     59                } else {
     60                    $entry_modify[$header_key] = (isset($entry_data[$key]) ? ((is_array($entry_data[$key])) ? implode(', ', $entry_data[$key]) : ($entry_data[$key])) : ' ');
     61                }
     62
     63                // Prevent CSV injection by prefixing a single quote to values that begin with '=', '+', '-', '@'
     64                if (preg_match('/^(\=|\+|\-|\@)/', $entry_modify[$header_key])) {
     65                    $entry_modify[$header_key] = "'" . ltrim($entry_modify[$header_key], '='); // ltrim remove the equal sign from the formula  `=HYPERLINK()` will be `HYPERLINK()`
    6266                }
    6367            }
    6468
    65             $entry_modify ['DATE'] = get_the_date( 'd-m-Y', $entry->post_id );
     69            $entry_modify['DATE'] = get_the_date('d-m-Y', $entry->post_id);
    6670            $export[] = $entry_modify;
    67             $header['__dt'] = 'DATE';
     71            $header['__dt'] = 'DATE';
    6872        }
    6973
    70         $file_name = $title."-export-".time().".csv";
     74        $file_name = $title . "-export-" . time() . ".csv";
     75        // Sanitize the file name to prevent directory traversal
     76        $file_name = sanitize_file_name($file_name);
     77
    7178        header("Cache-Control: must-revalidate, post-check=0, pre-check=0");
    7279        header('Content-Description: File Transfer');
    7380        header("Content-type: text/csv");
    74         header("Content-Disposition: attachment; filename={$file_name}");
     81        // Sanitize the file name to prevent CSV injection
     82        header("Content-Disposition: attachment; filename=\"" . str_replace(array('"', "'", "\\", "\0"), '', $file_name) . "\"");
    7583        header("Expires: 0");
    7684        header("Pragma: public");
    77         $file_pointer = @fopen( 'php://output', 'w' );
     85        $file_pointer = @fopen('php://output', 'w');
    7886        $csv_header = false;
    7987
    8088        // sort data
    8189        usort($export, function ($item1, $item2) {
    8290            return $item1['ID'] <=> $item2['ID'];
    8391        });
    84        
    85         foreach ( $export as $data ) {
     92
     93        foreach ($export as $data) {
    8694            // Add a header row if it hasn't been added yet
    87             if ( !$csv_header ) {
     95            if (!$csv_header) {
    8896                // Use the keys from $data as the titles
    89                 fputcsv($file_pointer, $header);
     97                // Sanitize the header row to prevent CSV injection
     98                fputcsv($file_pointer, array_map(function ($value) {
     99                    return str_replace(array('"', "'", "\\", "\0"), '', $value);
     100                }, $header));
    90101                $csv_header = true;
    91102            }
    92             // Put the data into the stream
    93             fputcsv($file_pointer, $data);
     103            // Sanitize the data to prevent CSV injection
     104            $sanitized_data = array_map(function ($value) {
     105                return str_replace(array('"', "'", "\\", "\0"), '', $value);
     106            }, $data);
     107            // Put the sanitized data into the stream
     108            fputcsv($file_pointer, $sanitized_data);
    94109        }
    95110        // Close the file
    96111        fclose($file_pointer);
    97112        exit;
    98113    }
    99114}
  • metform/trunk/languages/metform.pot

    r2896914 r2907471  
    11# Copyright (C) 2023 Wpmet
    22# This file is distributed under the GPL-2.0+.
    33msgid ""
    44msgstr ""
    5 "Project-Id-Version: MetForm 3.3.0\n"
     5"Project-Id-Version: MetForm 3.3.1\n"
    66"Report-Msgid-Bugs-To: https://wordpress.org/support/plugin/metform\n"
    7 "POT-Creation-Date: 2023-04-11 06:06:13+00:00\n"
     7"POT-Creation-Date: 2023-05-03 12:11:07+00:00\n"
    88"MIME-Version: 1.0\n"
    99"Content-Type: text/plain; charset=utf-8\n"
    1010"Content-Transfer-Encoding: 8bit\n"
    1111"PO-Revision-Date: 2023-MO-DA HO:MI+ZONE\n"
    1212"Last-Translator: FULL NAME <EMAIL@ADDRESS>\n"
    1313"Language-Team: LANGUAGE <LL@li.org>\n"
    1414"X-Generator: grunt-wp-i18n 1.0.3\n"
    1515
    1616#: traits/conditional-controls.php:120
    1717msgid "50"
    1818msgstr ""
    1919
    2020#: widgets/file-upload/file-upload.php:139
    2121msgid "128"
     22msgstr ""
     23
     24#: base/shortcode.php:83
     25msgid " Thank you for your payment."
     26msgstr ""
     27
     28#: base/shortcode.php:83
     29msgid " Your transcation ID : "
     30msgstr ""
     31
     32#: base/shortcode.php:85
     33msgid "Thank you . Your payment status : "
     34msgstr ""
     35
     36#: base/shortcode.php:109
     37msgid "Not entry was found associated with this id"
     38msgstr ""
     39
     40#: base/shortcode.php:113
     41msgid " key Not found "
    2242msgstr ""
    2343
    2444#. Plugin Name of the plugin/theme
    2545msgid "MetForm"
    2646msgstr ""
    2747
    2848#: controls/form-editor-modal.php:14
    2949msgid "Form settings"
    3050msgstr ""
    3151
    3252#: controls/form-editor-modal.php:15
    3353msgid "Update & Close"
    3454msgstr ""
    3555
    3656#: controls/form-editor-modal.php:20 controls/form-editor-modal.php:21
    3757#: controls/form-picker-modal.php:95
    3858msgid "Close"
    3959msgstr ""
    4060
    4161#: controls/form-editor-modal.php:46
    4262msgid "Loading"
    4363msgstr ""
    4464
    4565#: controls/form-picker-modal.php:12
    4666msgid "Select Form"
    4767msgstr ""
    4868
    4969#: controls/form-picker-modal.php:13
    5070msgid "Select saved form"
    5171msgstr ""
    5272
    5373#: controls/form-picker-modal.php:23
    5474msgid "New"
    5575msgstr ""
    5676
    5777#: controls/form-picker-modal.php:24
    5878msgid "Create new form"
    5979msgstr ""
    6080
    6181#: controls/form-picker-modal.php:37 core/forms/views/modal-add-new-form.php:14
    6282msgid "Enter a form name"
    6383msgstr ""
    6484
    6585#: controls/form-picker-modal.php:45 controls/form-picker-modal.php:50
    6686#: core/forms/views/modal-add-new-form.php:22
    6787#: core/forms/views/modal-add-new-form.php:27
    6888msgid "General Form"
    6989msgstr ""
    7090
    7191#: controls/form-picker-modal.php:51 core/forms/views/modal-add-new-form.php:28
    7292msgid "Quiz Form"
    7393msgstr ""
    7494
    7595#: controls/form-picker-modal.php:70 controls/form-picker-modal.php:73
    7696#: core/forms/views/modal-add-new-form.php:47
    7797#: core/forms/views/modal-add-new-form.php:50
    7898msgid "Blank Template"
    7999msgstr ""
    80100
    81101#: controls/form-picker-modal.php:76 core/forms/views/modal-add-new-form.php:53
    82102msgid "Create From Scratch"
    83103msgstr ""
    84104
    85105#: controls/form-picker-modal.php:92 core/forms/views/modal-add-new-form.php:67
    86106msgid "Edit form"
    87107msgstr ""
    88108
    89109#: controls/form-picker-modal.php:93
    90110msgid "Save & close"
    91111msgstr ""
    92112
    93113#: controls/form-picker-utils.php:33
    94114msgid "Edit Form Content"
    95115msgstr ""
    96116
    97117#: controls/form-picker-utils.php:33
    98118msgid "Edit"
    99119msgstr ""
    100120
    101121#: controls/form-picker-utils.php:40
    102122msgid "No content is added yet."
    103123msgstr ""
    104124
    105125#: core/admin/base.php:31 traits/button-controls.php:37
    106126#: widgets/checkbox/checkbox.php:179 widgets/date/date.php:120
    107127#: widgets/email/email.php:71 widgets/file-upload/file-upload.php:96
    108128#: widgets/gdpr-consent/gdpr-consent.php:93
    109129#: widgets/listing-fname/listing-fname.php:48
    110130#: widgets/listing-lname/listing-lname.php:48
    111131#: widgets/listing-optin/listing-optin.php:74
    112132#: widgets/multi-select/multi-select.php:138 widgets/number/number.php:48
    113133#: widgets/password/password.php:48 widgets/radio/radio.php:183
    114134#: widgets/range/range.php:48 widgets/rating/rating.php:48
    115135#: widgets/select/select.php:201 widgets/summary/summary.php:48
    116136#: widgets/switch/switch.php:66 widgets/telephone/telephone.php:48
    117137#: widgets/text/text.php:54 widgets/textarea/textarea.php:49
    118138#: widgets/time/time.php:52 widgets/url/url.php:49
    119139msgid "Settings"
    120140msgstr ""
    121141
    122142#: core/admin/views/settings.php:22 core/admin/views/settings.php:82
    123143msgid "Dashboard"
    124144msgstr ""
    125145
    126146#: core/admin/views/settings.php:23
    127147msgid "All dashboard info here"
    128148msgstr ""
    129149
    130150#: core/admin/views/settings.php:31 core/admin/views/settings.php:304
    131151#: core/forms/views/modal-editor.php:14
    132152msgid "General"
    133153msgstr ""
    134154
    135155#: core/admin/views/settings.php:32
    136156msgid "All General info here"
    137157msgstr ""
    138158
    139159#: core/admin/views/settings.php:41 core/admin/views/settings.php:448
    140160#: core/entries/meta-data.php:342 core/forms/views/modal-editor.php:23
    141161msgid "Payment"
    142162msgstr ""
    143163
    144164#: core/admin/views/settings.php:42
    145165msgid "All payment info here"
    146166msgstr ""
    147167
    148168#: core/admin/views/settings.php:50 core/admin/views/settings.php:635
    149169msgid "Newsletter Integration"
    150170msgstr ""
    151171
    152172#: core/admin/views/settings.php:51
    153173msgid "All newsletter integration info here"
    154174msgstr ""
    155175
    156176#: core/admin/views/settings.php:59 core/admin/views/settings.php:956
    157177msgid "Google Sheet Integration"
    158178msgstr ""
    159179
    160180#: core/admin/views/settings.php:60
    161181msgid "All sheets info here"
    162182msgstr ""
    163183
    164184#: core/admin/views/settings.php:83 core/admin/views/settings.php:305
    165185#: core/admin/views/settings.php:449 core/admin/views/settings.php:637
    166186#: core/admin/views/settings.php:958
    167187#: core/integrations/onboard/views/onboard-steps/step-06.php:5
    168188#: utils/render.php:38
    169189msgid "Save Changes"
    170190msgstr ""
    171191
    172192#: core/admin/views/settings.php:93
    173193msgid "Top Notch"
    174194msgstr ""
    175195
    176196#: core/admin/views/settings.php:94
    177197msgid "Features"
    178198msgstr ""
    179199
    180200#: core/admin/views/settings.php:95 core/admin/views/settings.php:154
    181201msgid "features"
    182202msgstr ""
    183203
    184204#: core/admin/views/settings.php:97 core/admin/views/settings.php:156
    185205#: core/admin/views/settings.php:230
    186206msgid ""
    187207"Get started by spending some time with the documentation to get familiar "
    188208"with ElementsKit."
    189209msgstr ""
    190210
    191211#: core/admin/views/settings.php:105 core/admin/views/settings.php:164
    192212msgid "Easy to use"
    193213msgstr ""
    194214
    195215#: core/admin/views/settings.php:107 core/admin/views/settings.php:114
    196216#: core/admin/views/settings.php:121 core/admin/views/settings.php:128
    197217#: core/admin/views/settings.php:135 core/admin/views/settings.php:142
    198218msgid ""
    199219"Get started by spending some time with the documentation to get familiar "
    200220"with MetForm"
    201221msgstr ""
    202222
    203223#: core/admin/views/settings.php:112
    204224msgid "Moden Typography"
    205225msgstr ""
    206226
    207227#: core/admin/views/settings.php:119 core/admin/views/settings.php:170
    208228msgid "Perfectly Match"
    209229msgstr ""
    210230
    211231#: core/admin/views/settings.php:126
    212232msgid "Dynamic Forms"
    213233msgstr ""
    214234
    215235#: core/admin/views/settings.php:133
    216236msgid "Create Faster"
    217237msgstr ""
    218238
    219239#: core/admin/views/settings.php:140
    220240msgid "Awesome Layout"
    221241msgstr ""
    222242
    223243#: core/admin/views/settings.php:152
    224244msgid "What included with Free &"
    225245msgstr ""
    226246
    227247#: core/admin/views/settings.php:153
    228248#: core/integrations/onboard/views/onboard-steps/step-05.php:13
    229249msgid "PRO"
    230250msgstr ""
    231251
    232252#: core/admin/views/settings.php:164 core/admin/views/settings.php:167
    233253#: core/admin/views/settings.php:170
    234254msgid "Pro"
    235255msgstr ""
    236256
    237257#: core/admin/views/settings.php:167
    238258msgid "Modern Typography"
    239259msgstr ""
    240260
    241261#: core/admin/views/settings.php:179 core/admin/views/settings.php:195
    242262#: core/admin/views/settings.php:209
    243263msgid ""
    244264"Get started by spending some time with the documentation to get familiar "
    245265"with MetForm Get started by spending some time with the documentation to "
    246266"get notification in real time."
    247267msgstr ""
    248268
    249269#: core/admin/views/settings.php:182 core/admin/views/settings.php:198
    250270#: core/admin/views/settings.php:212
    251271msgid "Success Message"
    252272msgstr ""
    253273
    254274#: core/admin/views/settings.php:183 core/admin/views/settings.php:199
    255275#: core/admin/views/settings.php:213
    256276msgid "Required Login"
    257277msgstr ""
    258278
    259279#: core/admin/views/settings.php:184 core/admin/views/settings.php:200
    260280#: core/admin/views/settings.php:214
    261281msgid "Hide Form After Submission"
    262282msgstr ""
    263283
    264284#: core/admin/views/settings.php:186 core/admin/views/settings.php:202
    265285#: core/admin/views/settings.php:216
    266286msgid "Store Entries"
    267287msgstr ""
    268288
    269289#: core/admin/views/settings.php:189
    270290msgid "View Details"
    271291msgstr ""
    272292
    273293#: core/admin/views/settings.php:227
    274294#: core/integrations/onboard/views/settings-sections/dashboard.php:75
    275295msgid "General Knowledge Base"
    276296msgstr ""
    277297
    278298#: core/admin/views/settings.php:228
    279299#: core/integrations/onboard/views/settings-sections/dashboard.php:76
    280300msgid "FAQ"
    281301msgstr ""
    282302
    283303#: core/admin/views/settings.php:238
    284304msgid "1. How to create a Invitation Form using MetForm?"
    285305msgstr ""
    286306
    287307#: core/admin/views/settings.php:242 core/admin/views/settings.php:253
    288308#: core/admin/views/settings.php:264
    289309#: core/integrations/onboard/views/settings-sections/dashboard.php:86
    290310#: core/integrations/onboard/views/settings-sections/dashboard.php:94
    291311#: core/integrations/onboard/views/settings-sections/dashboard.php:102
    292312msgid ""
    293313"You will get 20+ complete homepages and total 450+ blocks in our layout "
    294314"library and we’re continuously updating the numbers there."
    295315msgstr ""
    296316
    297317#: core/admin/views/settings.php:249
    298318msgid "2. How to translate language with WPML?"
    299319msgstr ""
    300320
    301321#: core/admin/views/settings.php:260
    302322#: core/integrations/onboard/views/settings-sections/dashboard.php:99
    303323msgid "3. How to add custom css in specific section shortcode?"
    304324msgstr ""
    305325
    306326#: core/admin/views/settings.php:271
    307327#: core/integrations/onboard/views/settings-sections/dashboard.php:110
    308328msgid "View all faq’s"
    309329msgstr ""
    310330
    311331#: core/admin/views/settings.php:280
    312332msgid "Satisfied!"
    313333msgstr ""
    314334
    315335#: core/admin/views/settings.php:280
    316336#: core/integrations/onboard/views/settings-sections/dashboard.php:152
    317337msgid "Don’t forget to rate our item."
    318338msgstr ""
    319339
    320340#: core/admin/views/settings.php:282
    321341msgid "review"
    322342msgstr ""
    323343
    324344#: core/admin/views/settings.php:288
    325345#: core/integrations/onboard/views/settings-sections/dashboard.php:154
    326346msgid "Rate it now"
    327347msgstr ""
    328348
    329349#: core/admin/views/settings.php:293
    330350#: core/integrations/onboard/views/settings-sections/dashboard.php:159
    331351msgid "Rate Now Thumb"
    332352msgstr ""
    333353
    334354#: core/admin/views/settings.php:311
    335355msgid "reCaptcha"
    336356msgstr ""
    337357
    338358#: core/admin/views/settings.php:316
    339359msgid "Map"
    340360msgstr ""
    341361
    342362#: core/admin/views/settings.php:322
    343363msgid "Others"
    344364msgstr ""
    345365
    346366#: core/admin/views/settings.php:335
    347367msgid "Select version:"
    348368msgstr ""
    349369
    350370#: core/admin/views/settings.php:339
    351371msgid "reCAPTCHA V2"
    352372msgstr ""
    353373
    354374#: core/admin/views/settings.php:342
    355375msgid "reCAPTCHA V3"
    356376msgstr ""
    357377
    358378#: core/admin/views/settings.php:347
    359379msgid "Select google reCaptcha version which one want to use."
    360380msgstr ""
    361381
    362382#: core/admin/views/settings.php:354 core/admin/views/settings.php:373
    363383msgid "Site key:"
    364384msgstr ""
    365385
    366386#: core/admin/views/settings.php:356 core/admin/views/settings.php:375
    367387msgid "Insert site key"
    368388msgstr ""
    369389
    370390#: core/admin/views/settings.php:358 core/admin/views/settings.php:377
    371391msgid "Create google reCaptcha site key from reCaptcha admin panel. "
    372392msgstr ""
    373393
    374394#: core/admin/views/settings.php:358 core/admin/views/settings.php:366
    375395#: core/admin/views/settings.php:377 core/admin/views/settings.php:385
    376396#: core/admin/views/settings.php:403 core/admin/views/settings.php:482
    377397#: core/admin/views/settings.php:490 core/admin/views/settings.php:522
    378398#: core/admin/views/settings.php:530 core/admin/views/settings.php:549
    379399#: core/admin/views/settings.php:556 core/admin/views/settings.php:977
    380400#: core/admin/views/settings.php:984
    381401msgid "Create from here"
    382402msgstr ""
    383403
    384404#: core/admin/views/settings.php:362 core/admin/views/settings.php:381
    385405msgid "Secret key:"
    386406msgstr ""
    387407
    388408#: core/admin/views/settings.php:364 core/admin/views/settings.php:383
    389409msgid "Insert secret key"
    390410msgstr ""
    391411
    392412#: core/admin/views/settings.php:366 core/admin/views/settings.php:385
    393413msgid "Create google reCaptcha secret key from reCaptcha admin panel. "
    394414msgstr ""
    395415
    396416#: core/admin/views/settings.php:399
    397417msgid "API:"
    398418msgstr ""
    399419
    400420#: core/admin/views/settings.php:401
    401421msgid "Insert map API key"
    402422msgstr ""
    403423
    404424#: core/admin/views/settings.php:403
    405425msgid "Create google map API key from google developer console. "
    406426msgstr ""
    407427
    408428#: core/admin/views/settings.php:418
    409429msgid "Save Form Progress ?"
    410430msgstr ""
    411431
    412432#: core/admin/views/settings.php:424
    413433msgid ""
    414434"Turn this feature on if you want partial submissions to be saved for a form "
    415435"so that the user can complete the form submission later. "
    416436msgstr ""
    417437
    418438#: core/admin/views/settings.php:425
    419439msgid "Please note "
    420440msgstr ""
    421441
    422442#: core/admin/views/settings.php:425
    423443msgid ""
    424444"that the submissions will be saved for 2 hours, after which the form "
    425445"submissions will be reset. "
    426446msgstr ""
    427447
    428448#: core/admin/views/settings.php:455
    429449msgid "Paypal"
    430450msgstr ""
    431451
    432452#: core/admin/views/settings.php:460
    433453msgid "Stripe"
    434454msgstr ""
    435455
    436456#: core/admin/views/settings.php:465
    437457msgid "Thank You Page"
    438458msgstr ""
    439459
    440460#: core/admin/views/settings.php:468
    441461msgid "Cancel Page"
    442462msgstr ""
    443463
    444464#: core/admin/views/settings.php:479
    445465msgid "Paypal email:"
    446466msgstr ""
    447467
    448468#: core/admin/views/settings.php:480
    449469msgid "Paypal email"
    450470msgstr ""
    451471
    452472#: core/admin/views/settings.php:482
    453473msgid "Enter here your paypal email. "
    454474msgstr ""
    455475
    456476#: core/admin/views/settings.php:487
    457477msgid "Paypal token:"
    458478msgstr ""
    459479
    460480#: core/admin/views/settings.php:488
    461481msgid "Paypal token"
    462482msgstr ""
    463483
    464484#: core/admin/views/settings.php:490
    465485msgid "Enter here your paypal token. This is optional. "
    466486msgstr ""
    467487
    468488#: core/admin/views/settings.php:495 core/admin/views/settings.php:536
    469489msgid "Enable sandbox mode:"
    470490msgstr ""
    471491
    472492#: core/admin/views/settings.php:498
    473493msgid "Enable this for testing payment method. "
    474494msgstr ""
    475495
    476496#: core/admin/views/settings.php:511
    477497msgid "Image url:"
    478498msgstr ""
    479499
    480500#: core/admin/views/settings.php:512
    481501msgid "Stripe image url"
    482502msgstr ""
    483503
    484504#: core/admin/views/settings.php:514
    485505msgid ""
    486506"Enter here your stripe image url. This image will show on stripe payment "
    487507"pop up modal. "
    488508msgstr ""
    489509
    490510#: core/admin/views/settings.php:519
    491511msgid "Live publishiable key:"
    492512msgstr ""
    493513
    494514#: core/admin/views/settings.php:520
    495515msgid "Stripe live publishiable key"
    496516msgstr ""
    497517
    498518#: core/admin/views/settings.php:522
    499519msgid "Enter here your stripe live publishiable key. "
    500520msgstr ""
    501521
    502522#: core/admin/views/settings.php:527
    503523msgid "Live secret key:"
    504524msgstr ""
    505525
    506526#: core/admin/views/settings.php:528
    507527msgid "Stripe live secret key"
    508528msgstr ""
    509529
    510530#: core/admin/views/settings.php:530
    511531msgid "Enter here your stripe live secret key. "
    512532msgstr ""
    513533
    514534#: core/admin/views/settings.php:539
    515535msgid "Enable this for testing your payment system. "
    516536msgstr ""
    517537
    518538#: core/admin/views/settings.php:546
    519539msgid "Test publishiable key:"
    520540msgstr ""
    521541
    522542#: core/admin/views/settings.php:547
    523543msgid "Stripe test publishiable key"
    524544msgstr ""
    525545
    526546#: core/admin/views/settings.php:549
    527547msgid "Enter here your test publishiable key. "
    528548msgstr ""
    529549
    530550#: core/admin/views/settings.php:553
    531551msgid "Test secret key:"
    532552msgstr ""
    533553
    534554#: core/admin/views/settings.php:554
    535555msgid "Stripe test secret key"
    536556msgstr ""
    537557
    538558#: core/admin/views/settings.php:556
    539559msgid "Enter here your test secret key. "
    540560msgstr ""
    541561
    542562#: core/admin/views/settings.php:571
    543563msgid "Select Thank You Page :"
    544564msgstr ""
    545565
    546566#: core/admin/views/settings.php:574 core/admin/views/settings.php:601
    547567msgid "Select a page"
    548568msgstr ""
    549569
    550570#: core/admin/views/settings.php:586
    551571msgid "Handle successfull payment redirection page. Learn more about Thank you page"
    552572msgstr ""
    553573
    554574#: core/admin/views/settings.php:586
    555575msgid "Here"
    556576msgstr ""
    557577
    558578#: core/admin/views/settings.php:587
    559579msgid "Create Thank You Page"
    560580msgstr ""
    561581
    562582#: core/admin/views/settings.php:598
    563583msgid "Select Cancel Page :"
    564584msgstr ""
    565585
    566586#: core/admin/views/settings.php:614
    567587msgid "Handle canceled payment redirection page. Learn more about cancel page."
    568588msgstr ""
    569589
    570590#: core/admin/views/settings.php:615
    571591msgid "Create Cancel Page"
    572592msgstr ""
    573593
    574594#: core/admin/views/settings.php:644
    575595msgid "Mailchimp"
    576596msgstr ""
    577597
    578598#: core/admin/views/settings.php:649
    579599msgid "AWeber"
    580600msgstr ""
    581601
    582602#: core/admin/views/settings.php:653
    583603msgid "ActiveCampaign"
    584604msgstr ""
    585605
    586606#: core/admin/views/settings.php:657
    587607msgid "Get Response"
    588608msgstr ""
    589609
    590610#: core/admin/views/settings.php:661
    591611msgid "ConvertKit"
    592612msgstr ""
    593613
    594614#: core/admin/views/settings.php:676 core/admin/views/settings.php:773
    595615#: core/admin/views/settings.php:827 core/admin/views/settings.php:854
    596616msgid "API Key:"
    597617msgstr ""
    598618
    599619#: core/admin/views/settings.php:677
    600620msgid "Mailchimp API key"
    601621msgstr ""
    602622
    603623#: core/admin/views/settings.php:679
    604624msgid "Enter here your Mailchimp API key. "
    605625msgstr ""
    606626
    607627#: core/admin/views/settings.php:679 core/admin/views/settings.php:713
    608628#: core/admin/views/settings.php:721 core/admin/views/settings.php:776
    609629#: core/admin/views/settings.php:785 core/admin/views/settings.php:822
    610630#: core/admin/views/settings.php:830 core/admin/views/settings.php:857
    611631msgid "Get API."
    612632msgstr ""
    613633
    614634#: core/admin/views/settings.php:688 core/admin/views/settings.php:753
    615635#: core/admin/views/settings.php:795 core/admin/views/settings.php:838
    616636#: core/admin/views/settings.php:865 core/admin/views/settings.php:898
    617637#: core/admin/views/settings.php:925
    618638msgid "How To"
    619639msgstr ""
    620640
    621641#: core/admin/views/settings.php:689 core/admin/views/settings.php:754
    622642#: core/admin/views/settings.php:796 core/admin/views/settings.php:839
    623643#: core/admin/views/settings.php:866 core/admin/views/settings.php:899
    624644#: core/admin/views/settings.php:926
    625645msgid ""
    626646"Lorem ipsum dolor sit amet, consectetuer adipiscing elit. Donec odio. "
    627647"Quisque volutpat mattis eros. Nullam malesuada erat ut turpis. Suspendisse "
    628648"urna nibh, viverra non, semper suscipit, posuere a, pede."
    629649msgstr ""
    630650
    631651#: core/admin/views/settings.php:692 core/admin/views/settings.php:757
    632652#: core/admin/views/settings.php:799 core/admin/views/settings.php:842
    633653#: core/admin/views/settings.php:869 core/admin/views/settings.php:902
    634654#: core/admin/views/settings.php:929
    635655msgid "Item 1"
    636656msgstr ""
    637657
    638658#: core/admin/views/settings.php:693 core/admin/views/settings.php:758
    639659#: core/admin/views/settings.php:800 core/admin/views/settings.php:843
    640660#: core/admin/views/settings.php:870 core/admin/views/settings.php:903
    641661#: core/admin/views/settings.php:930
    642662msgid "Item 2"
    643663msgstr ""
    644664
    645665#: core/admin/views/settings.php:694 core/admin/views/settings.php:759
    646666#: core/admin/views/settings.php:801 core/admin/views/settings.php:844
    647667#: core/admin/views/settings.php:871 core/admin/views/settings.php:904
    648668#: core/admin/views/settings.php:931
    649669msgid "Item 3"
    650670msgstr ""
    651671
    652672#: core/admin/views/settings.php:697 core/admin/views/settings.php:762
    653673#: core/admin/views/settings.php:804 core/admin/views/settings.php:847
    654674#: core/admin/views/settings.php:874 core/admin/views/settings.php:907
    655675#: core/admin/views/settings.php:934
    656676msgid "View Documentation"
    657677msgstr ""
    658678
    659679#: core/admin/views/settings.php:710
    660680msgid "Developer App ID:"
    661681msgstr ""
    662682
    663683#: core/admin/views/settings.php:711
    664684msgid "AWeber developer client Id key"
    665685msgstr ""
    666686
    667687#: core/admin/views/settings.php:713
    668688msgid "Enter here your Aweber developer app key. "
    669689msgstr ""
    670690
    671691#: core/admin/views/settings.php:718
    672692msgid "Developer App Secret:"
    673693msgstr ""
    674694
    675695#: core/admin/views/settings.php:719
    676696msgid "AWeber developer secret key"
    677697msgstr ""
    678698
    679699#: core/admin/views/settings.php:721
    680700msgid "Enter here your Aweber developer secret key. "
    681701msgstr ""
    682702
    683703#: core/admin/views/settings.php:726
    684704msgid "Redirect url:"
    685705msgstr ""
    686706
    687707#: core/admin/views/settings.php:774 core/admin/views/settings.php:783
    688708msgid "ConvertKit API key"
    689709msgstr ""
    690710
    691711#: core/admin/views/settings.php:776 core/admin/views/settings.php:785
    692712msgid "Enter here your ConvertKit API key. "
    693713msgstr ""
    694714
    695715#: core/admin/views/settings.php:782
    696716msgid "Secret Key:"
    697717msgstr ""
    698718
    699719#: core/admin/views/settings.php:819
    700720msgid "API URL:"
    701721msgstr ""
    702722
    703723#: core/admin/views/settings.php:820
    704724msgid "ActiveCampaign API URL"
    705725msgstr ""
    706726
    707727#: core/admin/views/settings.php:822 core/admin/views/settings.php:830
    708728#: core/admin/views/settings.php:857
    709729msgid "Enter here your ActiveCampaign API key. "
    710730msgstr ""
    711731
    712732#: core/admin/views/settings.php:828 core/admin/views/settings.php:855
    713733msgid "ActiveCampaign API key"
    714734msgstr ""
    715735
    716736#: core/admin/views/settings.php:888 core/admin/views/settings.php:915
    717737msgid "GetResponse API Key:"
    718738msgstr ""
    719739
    720740#: core/admin/views/settings.php:889 core/admin/views/settings.php:916
    721741msgid "GetResponse API key"
    722742msgstr ""
    723743
    724744#: core/admin/views/settings.php:963
    725745msgid "Google Sheet"
    726746msgstr ""
    727747
    728748#: core/admin/views/settings.php:974
    729749msgid "Google Client Id:"
    730750msgstr ""
    731751
    732752#: core/admin/views/settings.php:975
    733753msgid "Google OAuth Client Id"
    734754msgstr ""
    735755
    736756#: core/admin/views/settings.php:977
    737757msgid "Enter here your google client id. "
    738758msgstr ""
    739759
    740760#: core/admin/views/settings.php:981
    741761msgid "Google Client Secret:"
    742762msgstr ""
    743763
    744764#: core/admin/views/settings.php:982
    745765msgid "Google OAuth Client Secret"
    746766msgstr ""
    747767
    748768#: core/admin/views/settings.php:984
    749769msgid "Enter here your google secret id. "
    750770msgstr ""
    751771
    752772#: core/admin/views/settings.php:991
    753773msgid "Check how to create App/Project On Google developer account"
    754774msgstr ""
    755775
    756776#: core/admin/views/settings.php:992
    757777msgid "Must add the following URL to the \"Valid OAuth redirect URIs\" field:"
    758778msgstr ""
    759779
    760780#: core/admin/views/settings.php:993
    761781msgid "After getting the App ID & App Secret, put those information"
    762782msgstr ""
    763783
    764784#: core/admin/views/settings.php:994
    765785msgid "Click on \"Save Changes\""
    766786msgstr ""
    767787
    768788#: core/admin/views/settings.php:995
    769789msgid "Click on \"Generate Access Token\""
    770790msgstr ""
    771791
    772792#: core/admin/views/settings.php:997
    773793msgid "Generate Access Token"
    774794msgstr ""
    775795
    776796#: core/admin/views/settings.php:1000
    777797msgid ""
    778798"Note:- After 200 days your token will be expired, before the expiration of "
    779799"your token, generate a new token."
    780800msgstr ""
    781801
    782802#: core/entries/action.php:43
    783803msgid "Some thing went wrong."
    784804msgstr ""
    785805
    786806#: core/entries/action.php:66 core/entries/action.php:71
    787807#: core/entries/action.php:96
    788808msgid "Unauthorized submission."
    789809msgstr ""
    790810
    791811#: core/entries/action.php:76
    792812msgid "You are trying to upload wrong file!"
    793813msgstr ""
    794814
    795815#: core/entries/action.php:106
    796816msgid "Form validation failed"
    797817msgstr ""
    798818
    799819#: core/entries/action.php:114 core/entries/action.php:144
    800820msgid "Please solve the recaptcha."
    801821msgstr ""
    802822
    803823#: core/entries/action.php:120
    804824msgid "Google captcha token not found."
    805825msgstr ""
    806826
    807827#: core/entries/action.php:168
    808828msgid "Time out of this captcha. Please reload or choose another one."
    809829msgstr ""
    810830
    811831#: core/entries/action.php:177
    812832msgid "Enter correct captcha."
    813833msgstr ""
    814834
    815835#: core/entries/action.php:187
    816836msgid "You must be logged in to submit form."
    817837msgstr ""
    818838
    819839#: core/entries/action.php:197
    820840msgid "Form submission limit execed."
    821841msgstr ""
    822842
    823843#: core/entries/action.php:255
    824844msgid "Problem with your mailchimp integration."
    825845msgstr ""
    826846
    827847#: core/entries/action.php:271
    828848msgid "Problem with your activeCampaign integration."
    829849msgstr ""
    830850
    831851#: core/entries/action.php:286
    832852msgid "Problem with your GetResponse integration."
    833853msgstr ""
    834854
    835855#: core/entries/action.php:307
    836856msgid "Problem with your zapier integration."
    837857msgstr ""
    838858
    839859#: core/entries/action.php:330
    840860msgid "Problem with your slack integration."
    841861msgstr ""
    842862
    843863#: core/entries/action.php:346
    844864msgid "Problem with convertKit."
    845865msgstr ""
    846866
    847867#: core/entries/action.php:362
    848868msgid "Problem with your Aweber integration."
    849869msgstr ""
    850870
    851871#: core/entries/action.php:376
    852872msgid "Problem with your Mail Poet integration."
    853873msgstr ""
    854874
    855875#: core/entries/action.php:448
    856876msgid "Problem with your RestApi integration."
    857877msgstr ""
    858878
    859879#: core/entries/action.php:472
    860880msgid " Please wait... Redirecting to paypal."
    861881msgstr ""
    862882
    863883#: core/entries/action.php:515
    864884msgid " Please wait... Open a Stripe Popup Box."
    865885msgstr ""
    866886
    867887#: core/entries/action.php:618
    868888msgid "ssl certificate or google oauth credentials problem"
    869889msgstr ""
    870890
    871891#: core/entries/action.php:724
    872892msgid "Mail not found."
    873893msgstr ""
    874894
    875895#: core/entries/action.php:730 core/entries/action.php:783
    876896msgid "Please setup your SMTP mail server."
    877897msgstr ""
    878898
    879899#: core/entries/action.php:773
    880900msgid "Admin mail not found to send email."
    881901msgstr ""
    882902
    883903#: core/entries/action.php:910
    884904msgid "There was an error uploading your file. The error is: "
    885905msgstr ""
    886906
    887907#: core/entries/cpt.php:16 core/entries/cpt.php:17
    888908msgid "Entry"
    889909msgstr ""
    890910
    891911#: core/entries/cpt.php:18
    892912msgid "Entry Archives"
    893913msgstr ""
    894914
    895915#: core/entries/cpt.php:19
    896916msgid "Entry Attributes"
    897917msgstr ""
    898918
    899919#: core/entries/cpt.php:20 core/forms/cpt.php:478
    900920msgid "Parent Item:"
    901921msgstr ""
    902922
    903923#: core/entries/cpt.php:21 core/forms/hooks.php:36
    904924msgid "Entries"
    905925msgstr ""
    906926
    907927#: core/entries/cpt.php:22
    908928msgid "Add New Item"
    909929msgstr ""
    910930
    911931#: core/entries/cpt.php:23 core/forms/cpt.php:481
    912932msgid "Add New"
    913933msgstr ""
    914934
    915935#: core/entries/cpt.php:24
    916936msgid "New Item"
    917937msgstr ""
    918938
    919939#: core/entries/cpt.php:25
    920940msgid "Edit Item"
    921941msgstr ""
    922942
    923943#: core/entries/cpt.php:26
    924944msgid "Update Item"
    925945msgstr ""
    926946
    927947#: core/entries/cpt.php:27
    928948msgid "View Item"
    929949msgstr ""
    930950
    931951#: core/entries/cpt.php:28
    932952msgid "View Items"
    933953msgstr ""
    934954
    935955#: core/entries/cpt.php:29
    936956msgid "Search Item"
    937957msgstr ""
    938958
    939959#: core/entries/cpt.php:30 core/forms/cpt.php:488
    940960msgid "Not found"
    941961msgstr ""
    942962
    943963#: core/entries/cpt.php:31 core/forms/cpt.php:489
    944964msgid "Not found in Trash"
    945965msgstr ""
    946966
    947967#: core/entries/cpt.php:32 core/forms/cpt.php:490
    948968msgid "Featured Image"
    949969msgstr ""
    950970
    951971#: core/entries/cpt.php:33 core/forms/cpt.php:491
    952972msgid "Set featured image"
    953973msgstr ""
    954974
    955975#: core/entries/cpt.php:34 core/forms/cpt.php:492
    956976msgid "Remove featured image"
    957977msgstr ""
    958978
    959979#: core/entries/cpt.php:35 core/forms/cpt.php:493
    960980msgid "Use as featured image"
    961981msgstr ""
    962982
    963983#: core/entries/cpt.php:36
    964984msgid "Insert into item"
    965985msgstr ""
    966986
    967987#: core/entries/cpt.php:37
    968988msgid "Uploaded to this item"
    969989msgstr ""
    970990
    971991#: core/entries/cpt.php:38
    972992msgid "Form entries list"
    973993msgstr ""
    974994
    975995#: core/entries/cpt.php:39
    976996msgid "Form entries list navigation"
    977997msgstr ""
    978998
    979999#: core/entries/cpt.php:40
    9801000msgid "Filter from entry list"
    9811001msgstr ""
    9821002
    9831003#: core/entries/cpt.php:44
    9841004msgid "Form entry"
    9851005msgstr ""
    9861006
    9871007#: core/entries/cpt.php:45
    9881008msgid "metform-entry"
    9891009msgstr ""
    9901010
    9911011#: core/entries/form-data.php:157 core/entries/form-data.php:280
    9921012msgid "Number:"
    9931013msgstr ""
    9941014
    9951015#: core/entries/form-data.php:161 core/entries/form-data.php:284
    9961016msgid "Type:"
    9971017msgstr ""
    9981018
    9991019#: core/entries/form-data.php:300 core/entries/meta-data.php:239
    10001020msgid "Download"
    10011021msgstr ""
    10021022
    10031023#: core/entries/hooks.php:26 core/forms/views/modal-add-new-form.php:13
    10041024msgid "Form Name"
    10051025msgstr ""
    10061026
    10071027#: core/entries/hooks.php:28
    10081028msgid "Referral"
    10091029msgstr ""
    10101030
    10111031#: core/entries/hooks.php:31
    10121032msgid "Email Verified"
    10131033msgstr ""
    10141034
    10151035#: core/entries/hooks.php:38
    10161036msgid "Export Actions"
    10171037msgstr ""
    10181038
    10191039#: core/entries/hooks.php:77 traits/common-controls.php:130
    10201040#: traits/common-controls.php:838 traits/quiz-control.php:303
    10211041#: traits/quiz-control.php:393 traits/quiz-control.php:476
    10221042#: traits/quiz-control.php:619 widgets/checkbox/checkbox.php:137
    10231043#: widgets/date/date.php:141 widgets/date/date.php:203
    10241044#: widgets/date/date.php:215 widgets/date/date.php:227
    10251045#: widgets/date/date.php:239 widgets/date/date.php:400
    10261046#: widgets/date/date.php:412 widgets/email/email.php:55
    10271047#: widgets/multi-select/multi-select.php:96 widgets/radio/radio.php:141
    10281048#: widgets/range/range.php:99 widgets/select/select.php:97
    10291049#: widgets/switch/switch.php:48 widgets/time/time.php:73
    10301050msgid "Yes"
    10311051msgstr ""
    10321052
    10331053#: core/entries/hooks.php:79 traits/common-controls.php:131
    10341054#: traits/common-controls.php:839 traits/quiz-control.php:304
    10351055#: traits/quiz-control.php:394 traits/quiz-control.php:477
    10361056#: traits/quiz-control.php:620 widgets/checkbox/checkbox.php:138
    10371057#: widgets/date/date.php:142 widgets/date/date.php:204
    10381058#: widgets/date/date.php:216 widgets/date/date.php:228
    10391059#: widgets/date/date.php:240 widgets/date/date.php:401
    10401060#: widgets/date/date.php:413 widgets/email/email.php:56
    10411061#: widgets/multi-select/multi-select.php:97 widgets/radio/radio.php:142
    10421062#: widgets/range/range.php:100 widgets/select/select.php:98
    10431063#: widgets/switch/switch.php:57 widgets/time/time.php:74
    10441064msgid "No"
    10451065msgstr ""
    10461066
    10471067#: core/entries/hooks.php:86
    10481068msgid "PDF Export"
    10491069msgstr ""
    10501070
    10511071#: core/entries/meta-data.php:37
    10521072msgid "Info"
    10531073msgstr ""
    10541074
    10551075#: core/entries/meta-data.php:60
    10561076msgid "Form Name "
    10571077msgstr ""
    10581078
    10591079#: core/entries/meta-data.php:66
    10601080msgid "Entry ID"
    10611081msgstr ""
    10621082
    10631083#: core/entries/meta-data.php:94
    10641084msgid "Data"
    10651085msgstr ""
    10661086
    10671087#: core/entries/meta-data.php:97
    10681088msgid "Quiz Data"
    10691089msgstr ""
    10701090
    10711091#: core/entries/meta-data.php:125
    10721092msgid "Browser Data"
    10731093msgstr ""
    10741094
    10751095#: core/entries/meta-data.php:157
    10761096msgid "Browser data not captured."
    10771097msgstr ""
    10781098
    10791099#: core/entries/meta-data.php:171
    10801100msgid "Files"
    10811101msgstr ""
    10821102
    10831103#: core/entries/meta-data.php:240
    10841104msgid "View"
    10851105msgstr ""
    10861106
    10871107#: core/entries/meta-data.php:242
    10881108msgid "This file is not uploaded."
    10891109msgstr ""
    10901110
    10911111#: core/entries/meta-data.php:281
    10921112msgid "Woocommerce Checkout"
    10931113msgstr ""
    10941114
    10951115#: core/entries/meta-data.php:303
    10961116msgid "Order ID "
    10971117msgstr ""
    10981118
    10991119#: core/entries/meta-data.php:309
    11001120msgid "Order Status"
    11011121msgstr ""
    11021122
    11031123#: core/entries/meta-data.php:316
    11041124msgid "Total"
    11051125msgstr ""
    11061126
    11071127#: core/entries/meta-data.php:326
    11081128msgid "Order Details"
    11091129msgstr ""
    11101130
    11111131#: core/forms/action.php:78 core/forms/action.php:100
    11121132msgid "Form settings inserted"
    11131133msgstr ""
    11141134
    11151135#: core/forms/action.php:104
    11161136msgid ""
    11171137"You must active at least one field of these fields \"store entry/ "
    11181138"Confirmation/ Notification/ MailChimp/ Zapier\". "
    11191139msgstr ""
    11201140
    11211141#: core/forms/action.php:108 core/forms/action.php:140
    11221142msgid "You must enable \"store entries\" for integrating payment method."
    11231143msgstr ""
    11241144
    11251145#: core/forms/action.php:132
    11261146msgid "Form settings updated"
    11271147msgstr ""
    11281148
    11291149#: core/forms/action.php:136
    11301150msgid ""
    11311151"You must active at least one field of these fields \"store entries/ "
    11321152"Confirmation/ Notification/ REST API/ MailChimp/ Slack/ Zapier\". "
    11331153msgstr ""
    11341154
    11351155#: core/forms/api.php:319
    11361156msgid "Not Authorized"
    11371157msgstr ""
    11381158
    11391159#: core/forms/cpt.php:474 core/forms/cpt.php:475 widgets/form.php:47
    11401160msgid "Form"
    11411161msgstr ""
    11421162
    11431163#: core/forms/cpt.php:476
    11441164msgid "Form Archives"
    11451165msgstr ""
    11461166
    11471167#: core/forms/cpt.php:477
    11481168msgid "Form Attributes"
    11491169msgstr ""
    11501170
    11511171#: core/forms/cpt.php:479 core/forms/cpt.php:507
    11521172msgid "Forms"
    11531173msgstr ""
    11541174
    11551175#: core/forms/cpt.php:480
    11561176msgid "Add New Form"
    11571177msgstr ""
    11581178
    11591179#: core/forms/cpt.php:482
    11601180msgid "New Form"
    11611181msgstr ""
    11621182
    11631183#: core/forms/cpt.php:483
    11641184msgid "Edit Form"
    11651185msgstr ""
    11661186
    11671187#: core/forms/cpt.php:484
    11681188msgid "Update Form"
    11691189msgstr ""
    11701190
    11711191#: core/forms/cpt.php:485
    11721192msgid "View Form"
    11731193msgstr ""
    11741194
    11751195#: core/forms/cpt.php:486
    11761196msgid "View Forms"
    11771197msgstr ""
    11781198
    11791199#: core/forms/cpt.php:487
    11801200msgid "Search Forms"
    11811201msgstr ""
    11821202
    11831203#: core/forms/cpt.php:494
    11841204msgid "Insert into form"
    11851205msgstr ""
    11861206
    11871207#: core/forms/cpt.php:495
    11881208msgid "Uploaded to this form"
    11891209msgstr ""
    11901210
    11911211#: core/forms/cpt.php:496
    11921212msgid "Forms list"
    11931213msgstr ""
    11941214
    11951215#: core/forms/cpt.php:497
    11961216msgid "Forms list navigation"
    11971217msgstr ""
    11981218
    11991219#: core/forms/cpt.php:498
    12001220msgid "Filter froms list"
    12011221msgstr ""
    12021222
    12031223#: core/forms/cpt.php:508
    12041224msgid "metform form"
    12051225msgstr ""
    12061226
    12071227#: core/forms/hooks.php:35
    12081228msgid "Shortcode"
    12091229msgstr ""
    12101230
    12111231#: core/forms/hooks.php:37
    12121232msgid "Views/ Conversion"
    12131233msgstr ""
    12141234
    12151235#: core/forms/hooks.php:62
    12161236msgid "Export CSV"
    12171237msgstr ""
    12181238
    12191239#: core/forms/views/modal-add-new-form.php:8
    12201240msgid "Create Form"
    12211241msgstr ""
    12221242
    12231243#: core/forms/views/modal-add-new-form.php:34
    12241244msgid "Form Type"
    12251245msgstr ""
    12261246
    12271247#: core/forms/views/modal-editor.php:11
    12281248msgid "Form Settings"
    12291249msgstr ""
    12301250
    12311251#: core/forms/views/modal-editor.php:16
    12321252msgid "Confirmation"
    12331253msgstr ""
    12341254
    12351255#: core/forms/views/modal-editor.php:18
    12361256msgid "Notification"
    12371257msgstr ""
    12381258
    12391259#: core/forms/views/modal-editor.php:20
    12401260msgid "Integration"
    12411261msgstr ""
    12421262
    12431263#: core/forms/views/modal-editor.php:25
    12441264msgid "CRM"
    12451265msgstr ""
    12461266
    12471267#: core/forms/views/modal-editor.php:37
    12481268msgid "Title:"
    12491269msgstr ""
    12501270
    12511271#: core/forms/views/modal-editor.php:38
    12521272msgid "New Form # "
    12531273msgstr ""
    12541274
    12551275#: core/forms/views/modal-editor.php:39
    12561276msgid "This is the form title"
    12571277msgstr ""
    12581278
    12591279#: core/forms/views/modal-editor.php:43
    12601280msgid "Success Message:"
    12611281msgstr ""
    12621282
    12631283#: core/forms/views/modal-editor.php:44
    12641284msgid "Thank you! Form submitted successfully."
    12651285msgstr ""
    12661286
    12671287#: core/forms/views/modal-editor.php:45
    12681288msgid "This message will be shown after a successful submission."
    12691289msgstr ""
    12701290
    12711291#: core/forms/views/modal-editor.php:52
    12721292msgid "Show Quiz Summary:"
    12731293msgstr ""
    12741294
    12751295#: core/forms/views/modal-editor.php:54
    12761296msgid ""
    12771297"Quiz summary will be shown to user after form submission with success "
    12781298"message."
    12791299msgstr ""
    12801300
    12811301#: core/forms/views/modal-editor.php:61
    12821302msgid "Required Login:"
    12831303msgstr ""
    12841304
    12851305#: core/forms/views/modal-editor.php:63
    12861306msgid "Without login, users can't submit the form."
    12871307msgstr ""
    12881308
    12891309#: core/forms/views/modal-editor.php:69
    12901310msgid "Capture User Browser Data:"
    12911311msgstr ""
    12921312
    12931313#: core/forms/views/modal-editor.php:71
    12941314msgid "Store user's browser data (ip, browser name, etc)"
    12951315msgstr ""
    12961316
    12971317#: core/forms/views/modal-editor.php:77
    12981318msgid "Hide Form After Submission:"
    12991319msgstr ""
    13001320
    13011321#: core/forms/views/modal-editor.php:79
    13021322msgid "After submission, hide the form for preventing multiple submission."
    13031323msgstr ""
    13041324
    13051325#: core/forms/views/modal-editor.php:85
    13061326msgid "Store Entries:"
    13071327msgstr ""
    13081328
    13091329#: core/forms/views/modal-editor.php:87
    13101330msgid "Save submitted form data to database."
    13111331msgstr ""
    13121332
    13131333#: core/forms/views/modal-editor.php:91
    13141334msgid "Entry Title"
    13151335msgstr ""
    13161336
    13171337#: core/forms/views/modal-editor.php:93
    13181338msgid "Enter here title of this form entries."
    13191339msgstr ""
    13201340
    13211341#: core/forms/views/modal-editor.php:100
    13221342msgid "Limit Total Entries:"
    13231343msgstr ""
    13241344
    13251345#: core/forms/views/modal-editor.php:106
    13261346msgid "Limit the total number of submissions for this form."
    13271347msgstr ""
    13281348
    13291349#: core/forms/views/modal-editor.php:112
    13301350msgid "Count views:"
    13311351msgstr ""
    13321352
    13331353#: core/forms/views/modal-editor.php:114
    13341354msgid "Track form views."
    13351355msgstr ""
    13361356
    13371357#: core/forms/views/modal-editor.php:120
    13381358msgid "Stop Vertical Scrolling:"
    13391359msgstr ""
    13401360
    13411361#: core/forms/views/modal-editor.php:122
    13421362msgid "Stop scrolling effect when submitting the form."
    13431363msgstr ""
    13441364
    13451365#: core/forms/views/modal-editor.php:126
    13461366msgid "Redirect To:"
    13471367msgstr ""
    13481368
    13491369#: core/forms/views/modal-editor.php:127
    13501370msgid "Redirection link"
    13511371msgstr ""
    13521372
    13531373#: core/forms/views/modal-editor.php:128
    13541374msgid "Users will be redirected to the this link after submission."
    13551375msgstr ""
    13561376
    13571377#: core/forms/views/modal-editor.php:142
    13581378msgid "Confirmation mail to user :"
    13591379msgstr ""
    13601380
    13611381#: core/forms/views/modal-editor.php:144
    13621382msgid "Want to send a submission copy to user by email? Active this one."
    13631383msgstr ""
    13641384
    13651385#: core/forms/views/modal-editor.php:144 core/forms/views/modal-editor.php:564
    13661386msgid "The form must have at least one Email widget and it should be required."
    13671387msgstr ""
    13681388
    13691389#: core/forms/views/modal-editor.php:148 core/forms/views/modal-editor.php:195
    13701390msgid "Email Subject:"
    13711391msgstr ""
    13721392
    13731393#: core/forms/views/modal-editor.php:149 core/forms/views/modal-editor.php:196
    13741394msgid "Email subject"
    13751395msgstr ""
    13761396
    13771397#: core/forms/views/modal-editor.php:150 core/forms/views/modal-editor.php:197
    13781398msgid "Enter here email subject."
    13791399msgstr ""
    13801400
    13811401#: core/forms/views/modal-editor.php:154 core/forms/views/modal-editor.php:207
    13821402msgid "Email From:"
    13831403msgstr ""
    13841404
    13851405#: core/forms/views/modal-editor.php:155
    13861406msgid "From email"
    13871407msgstr ""
    13881408
    13891409#: core/forms/views/modal-editor.php:156
    13901410msgid "Enter the email by which you want to send email to user."
    13911411msgstr ""
    13921412
    13931413#: core/forms/views/modal-editor.php:160 core/forms/views/modal-editor.php:213
    13941414msgid "Email Reply To:"
    13951415msgstr ""
    13961416
    13971417#: core/forms/views/modal-editor.php:161
    13981418msgid "Reply to email"
    13991419msgstr ""
    14001420
    14011421#: core/forms/views/modal-editor.php:162
    14021422msgid "Enter email where user can reply/ you want to get reply."
    14031423msgstr ""
    14041424
    14051425#: core/forms/views/modal-editor.php:166
    14061426msgid "Thank you message :"
    14071427msgstr ""
    14081428
    14091429#: core/forms/views/modal-editor.php:167
    14101430msgid "Thank you message!"
    14111431msgstr ""
    14121432
    14131433#: core/forms/views/modal-editor.php:168
    14141434msgid ""
    14151435"Enter here your message to include it in email body. Which will be send to "
    14161436"user."
    14171437msgstr ""
    14181438
    14191439#: core/forms/views/modal-editor.php:174
    14201440msgid "Want to send a copy of submitted form to user ?"
    14211441msgstr ""
    14221442
    14231443#: core/forms/views/modal-editor.php:189
    14241444msgid "Notification mail to admin :"
    14251445msgstr ""
    14261446
    14271447#: core/forms/views/modal-editor.php:191
    14281448msgid "Want to send a submission copy to admin by email? Active this one."
    14291449msgstr ""
    14301450
    14311451#: core/forms/views/modal-editor.php:201
    14321452msgid "Email To:"
    14331453msgstr ""
    14341454
    14351455#: core/forms/views/modal-editor.php:202
    14361456msgid "example@mail.com, example@email.com"
    14371457msgstr ""
    14381458
    14391459#: core/forms/views/modal-editor.php:203
    14401460msgid "Enter admin email where you want to send mail."
    14411461msgstr ""
    14421462
    14431463#: core/forms/views/modal-editor.php:203
    14441464msgid " for multiple email addresses please use \",\" separator."
    14451465msgstr ""
    14461466
    14471467#: core/forms/views/modal-editor.php:208
    14481468msgid "Email from"
    14491469msgstr ""
    14501470
    14511471#: core/forms/views/modal-editor.php:209
    14521472msgid "Enter the email by which you want to send email to admin."
    14531473msgstr ""
    14541474
    14551475#: core/forms/views/modal-editor.php:214
    14561476msgid "Email reply to"
    14571477msgstr ""
    14581478
    14591479#: core/forms/views/modal-editor.php:215
    14601480msgid "Enter email where admin can reply/ you want to get reply."
    14611481msgstr ""
    14621482
    14631483#: core/forms/views/modal-editor.php:219
    14641484msgid "Admin Note : "
    14651485msgstr ""
    14661486
    14671487#: core/forms/views/modal-editor.php:220
    14681488msgid "Admin note!"
    14691489msgstr ""
    14701490
    14711491#: core/forms/views/modal-editor.php:221
    14721492msgid "Enter here your email body. Which will be send to admin."
    14731493msgstr ""
    14741494
    14751495#: core/forms/views/modal-editor.php:234
    14761496msgid "HubSpot Forms:"
    14771497msgstr ""
    14781498
    14791499#: core/forms/views/modal-editor.php:236
    14801500msgid "Integrate hubspot with this form. "
    14811501msgstr ""
    14821502
    14831503#: core/forms/views/modal-editor.php:236
    14841504msgid "Configure HubSpot."
    14851505msgstr ""
    14861506
    14871507#: core/forms/views/modal-editor.php:243
    14881508msgid "Fetch HubSpot Forms"
    14891509msgstr ""
    14901510
    14911511#: core/forms/views/modal-editor.php:263
    14921512msgid "HubSpot Contact:"
    14931513msgstr ""
    14941514
    14951515#: core/forms/views/modal-editor.php:271
    14961516msgid "REST API:"
    14971517msgstr ""
    14981518
    14991519#: core/forms/views/modal-editor.php:273
    15001520msgid "Send entry data to third party api/webhook"
    15011521msgstr ""
    15021522
    15031523#: core/forms/views/modal-editor.php:278
    15041524msgid "URL/Webhook:"
    15051525msgstr ""
    15061526
    15071527#: core/forms/views/modal-editor.php:279
    15081528msgid "Rest api url/webhook"
    15091529msgstr ""
    15101530
    15111531#: core/forms/views/modal-editor.php:280
    15121532msgid "Enter rest api url/webhook here."
    15131533msgstr ""
    15141534
    15151535#: core/forms/views/modal-editor.php:285
    15161536msgid "POST"
    15171537msgstr ""
    15181538
    15191539#: core/forms/views/modal-editor.php:286
    15201540msgid "GET"
    15211541msgstr ""
    15221542
    15231543#: core/forms/views/modal-editor.php:299
    15241544msgid "Mail Chimp:"
    15251545msgstr ""
    15261546
    15271547#: core/forms/views/modal-editor.php:301
    15281548msgid "Integrate mailchimp with this form."
    15291549msgstr ""
    15301550
    15311551#: core/forms/views/modal-editor.php:301 core/forms/views/modal-editor.php:339
    15321552#: core/forms/views/modal-editor.php:368 core/forms/views/modal-editor.php:392
    15331553#: core/forms/views/modal-editor.php:422 core/forms/views/modal-editor.php:457
    15341554#: core/forms/views/modal-editor.php:524
    15351555msgid "The form must have at least one Email widget and it should be required. "
    15361556msgstr ""
    15371557
    15381558#: core/forms/views/modal-editor.php:301
    15391559msgid "Configure Mail Chimp."
    15401560msgstr ""
    15411561
    15421562#: core/forms/views/modal-editor.php:305
    15431563msgid "MailChimp List ID:"
    15441564msgstr ""
    15451565
    15461566#: core/forms/views/modal-editor.php:312
    15471567msgid "Mailchimp contact list id"
    15481568msgstr ""
    15491569
    15501570#: core/forms/views/modal-editor.php:322
    15511571msgid "Google Sheet:"
    15521572msgstr ""
    15531573
    15541574#: core/forms/views/modal-editor.php:324
    15551575msgid "Integrate google sheet with this form."
    15561576msgstr ""
    15571577
    15581578#: core/forms/views/modal-editor.php:324
    15591579msgid "Configure Google Sheet."
    15601580msgstr ""
    15611581
    15621582#: core/forms/views/modal-editor.php:335
    15631583msgid "MailPoet:"
    15641584msgstr ""
    15651585
    15661586#: core/forms/views/modal-editor.php:338
    15671587msgid "Integrate MailPoet with this form."
    15681588msgstr ""
    15691589
    15701590#: core/forms/views/modal-editor.php:341
    15711591msgid "Configure MailPoet."
    15721592msgstr ""
    15731593
    15741594#: core/forms/views/modal-editor.php:348
    15751595msgid "MailPoet List ID:"
    15761596msgstr ""
    15771597
    15781598#: core/forms/views/modal-editor.php:354
    15791599msgid "Enter here MailPoet list id. "
    15801600msgstr ""
    15811601
    15821602#: core/forms/views/modal-editor.php:355 core/forms/views/modal-editor.php:379
    15831603#: core/forms/views/modal-editor.php:404 core/forms/views/modal-editor.php:479
    15841604#: core/forms/views/modal-editor.php:503
    15851605msgid "Refresh List"
    15861606msgstr ""
    15871607
    15881608#: core/forms/views/modal-editor.php:366
    15891609msgid "Aweber:"
    15901610msgstr ""
    15911611
    15921612#: core/forms/views/modal-editor.php:368
    15931613msgid "Integrate aweber with this form."
    15941614msgstr ""
    15951615
    15961616#: core/forms/views/modal-editor.php:368
    15971617msgid "Configure aweber."
    15981618msgstr ""
    15991619
    16001620#: core/forms/views/modal-editor.php:372
    16011621msgid "Aweber List ID:"
    16021622msgstr ""
    16031623
    16041624#: core/forms/views/modal-editor.php:378
    16051625msgid "Enter here aweber list id. "
    16061626msgstr ""
    16071627
    16081628#: core/forms/views/modal-editor.php:390
    16091629msgid "ConvertKit:"
    16101630msgstr ""
    16111631
    16121632#: core/forms/views/modal-editor.php:392
    16131633msgid "Integrate convertKit with this form."
    16141634msgstr ""
    16151635
    16161636#: core/forms/views/modal-editor.php:392
    16171637msgid "Configure ConvertKit."
    16181638msgstr ""
    16191639
    16201640#: core/forms/views/modal-editor.php:396
    16211641msgid "ConvertKit Forms ID:"
    16221642msgstr ""
    16231643
    16241644#: core/forms/views/modal-editor.php:402
    16251645msgid "Enter here ConvertKit form id. "
    16261646msgstr ""
    16271647
    16281648#: core/forms/views/modal-editor.php:419
    16291649msgid "GetResponse:"
    16301650msgstr ""
    16311651
    16321652#: core/forms/views/modal-editor.php:422
    16331653msgid "Integrate GetResponse with this form."
    16341654msgstr ""
    16351655
    16361656#: core/forms/views/modal-editor.php:422
    16371657msgid "Configure GetResponse."
    16381658msgstr ""
    16391659
    16401660#: core/forms/views/modal-editor.php:428
    16411661msgid "GetResponse List ID:"
    16421662msgstr ""
    16431663
    16441664#: core/forms/views/modal-editor.php:436
    16451665msgid "GetResponse contact list id"
    16461666msgstr ""
    16471667
    16481668#: core/forms/views/modal-editor.php:437
    16491669msgid "Enter here GetResponse list id. "
    16501670msgstr ""
    16511671
    16521672#: core/forms/views/modal-editor.php:454
    16531673msgid "ActiveCampaign:"
    16541674msgstr ""
    16551675
    16561676#: core/forms/views/modal-editor.php:457
    16571677msgid "Integrate ActiveCampaign with this form."
    16581678msgstr ""
    16591679
    16601680#: core/forms/views/modal-editor.php:457
    16611681msgid "Configure ActiveCampaign."
    16621682msgstr ""
    16631683
    16641684#: core/forms/views/modal-editor.php:462
    16651685msgid "Active campaign List ID:"
    16661686msgstr ""
    16671687
    16681688#: core/forms/views/modal-editor.php:478
    16691689msgid "Enter here list id. "
    16701690msgstr ""
    16711691
    16721692#: core/forms/views/modal-editor.php:486
    16731693msgid "Active campaign Tag ID:"
    16741694msgstr ""
    16751695
    16761696#: core/forms/views/modal-editor.php:502
    16771697msgid "Enter here tag id. "
    16781698msgstr ""
    16791699
    16801700#: core/forms/views/modal-editor.php:521
    16811701msgid "Mailster:"
    16821702msgstr ""
    16831703
    16841704#: core/forms/views/modal-editor.php:524
    16851705msgid "Integrate Mailster with this form."
    16861706msgstr ""
    16871707
    16881708#: core/forms/views/modal-editor.php:530
    16891709msgid "Mailster Forms"
    16901710msgstr ""
    16911711
    16921712#: core/forms/views/modal-editor.php:562
    16931713msgid "Zapier:"
    16941714msgstr ""
    16951715
    16961716#: core/forms/views/modal-editor.php:564
    16971717msgid "Integrate zapier with this form."
    16981718msgstr ""
    16991719
    17001720#: core/forms/views/modal-editor.php:568
    17011721msgid "Zapier webhook:"
    17021722msgstr ""
    17031723
    17041724#: core/forms/views/modal-editor.php:569
    17051725msgid "Zapier webhook"
    17061726msgstr ""
    17071727
    17081728#: core/forms/views/modal-editor.php:570
    17091729msgid "Enter here zapier web hook."
    17101730msgstr ""
    17111731
    17121732#: core/forms/views/modal-editor.php:579
    17131733msgid "Slack:"
    17141734msgstr ""
    17151735
    17161736#: core/forms/views/modal-editor.php:581
    17171737msgid "Integrate slack with this form."
    17181738msgstr ""
    17191739
    17201740#: core/forms/views/modal-editor.php:581
    17211741msgid "slack info."
    17221742msgstr ""
    17231743
    17241744#: core/forms/views/modal-editor.php:585
    17251745msgid "Slack webhook:"
    17261746msgstr ""
    17271747
    17281748#: core/forms/views/modal-editor.php:586
    17291749msgid "Slack webhook"
    17301750msgstr ""
    17311751
    17321752#: core/forms/views/modal-editor.php:587
    17331753msgid "Enter here slack web hook."
    17341754msgstr ""
    17351755
    17361756#: core/forms/views/modal-editor.php:587
    17371757msgid "create from here"
    17381758msgstr ""
    17391759
    17401760#: core/forms/views/modal-editor.php:647
    17411761msgid "Paypal:"
    17421762msgstr ""
    17431763
    17441764#: core/forms/views/modal-editor.php:649
    17451765msgid "Integrate paypal payment with this form."
    17461766msgstr ""
    17471767
    17481768#: core/forms/views/modal-editor.php:649
    17491769msgid "Configure paypal payment."
    17501770msgstr ""
    17511771
    17521772#: core/forms/views/modal-editor.php:658
    17531773msgid "Stripe:"
    17541774msgstr ""
    17551775
    17561776#: core/forms/views/modal-editor.php:660
    17571777msgid "Integrate stripe payment with this form. "
    17581778msgstr ""
    17591779
    17601780#: core/forms/views/modal-editor.php:660
    17611781msgid "Configure stripe payment."
    17621782msgstr ""
    17631783
    17641784#: core/forms/views/modal-editor.php:680
    17651785msgid "Zoho Contact:"
    17661786msgstr ""
    17671787
    17681788#: core/forms/views/modal-editor.php:682
    17691789msgid "Integrate Zoho contacts with this form. "
    17701790msgstr ""
    17711791
    17721792#: core/forms/views/modal-editor.php:682
    17731793msgid "Configure Zoho."
    17741794msgstr ""
    17751795
    17761796#: core/forms/views/modal-editor.php:693
    17771797msgid "Helpscout"
    17781798msgstr ""
    17791799
    17801800#: core/forms/views/modal-editor.php:695
    17811801msgid "Integrate Helpscout with this form. "
    17821802msgstr ""
    17831803
    17841804#: core/forms/views/modal-editor.php:695
    17851805msgid "Configure Helpscout."
    17861806msgstr ""
    17871807
    17881808#: core/forms/views/modal-editor.php:700
    17891809msgid "Available Mailboxes"
    17901810msgstr ""
    17911811
    17921812#: core/forms/views/modal-editor.php:738
    17931813msgid "Edit content"
    17941814msgstr ""
    17951815
    17961816#: core/forms/views/modal-editor.php:740
    17971817msgid "Save changes"
    17981818msgstr ""
    17991819
    18001820#: core/forms/views/modal-form-template-item.php:22
    18011821msgid "Buy Pro"
    18021822msgstr ""
    18031823
    18041824#: core/forms/views/modal-form-template-item.php:26
    18051825msgid "Demo"
    18061826msgstr ""
    18071827
    18081828#: core/integrations/crm/hubspot/loader.php:43
    18091829msgid "CRM & Marketing Integrations"
    18101830msgstr ""
    18111831
    18121832#: core/integrations/crm/hubspot/loader.php:44
    18131833msgid "All CRM and Marketing integrations info here"
    18141834msgstr ""
    18151835
    18161836#: core/integrations/crm/hubspot/loader.php:46
    18171837msgid "HubSpot"
    18181838msgstr ""
    18191839
    18201840#: core/integrations/crm/hubspot/loader.php:77
    18211841#: core/integrations/crm/hubspot/loader.php:125
    18221842#: core/integrations/onboard/views/settings-sections/usersettings.php:33
    18231843msgid "Token"
    18241844msgstr ""
    18251845
    18261846#: core/integrations/crm/hubspot/loader.php:80
    18271847msgid "Enter HubSpot token here"
    18281848msgstr ""
    18291849
    18301850#: core/integrations/crm/hubspot/loader.php:128
    18311851msgid "Enter Hubsopt token here"
    18321852msgstr ""
    18331853
    18341854#: core/integrations/crm/hubspot/loader.php:133
    18351855msgid "Refresh Token"
    18361856msgstr ""
    18371857
    18381858#: core/integrations/crm/hubspot/loader.php:136
    18391859msgid "Enter Hubsopt refresh token here"
    18401860msgstr ""
    18411861
    18421862#: core/integrations/crm/hubspot/loader.php:141
    18431863msgid "Token Tyoe"
    18441864msgstr ""
    18451865
    18461866#: core/integrations/crm/hubspot/loader.php:144
    18471867msgid "Enter Hubsopt token type here"
    18481868msgstr ""
    18491869
    18501870#: core/integrations/crm/hubspot/loader.php:149
    18511871msgid "Token Expires In"
    18521872msgstr ""
    18531873
    18541874#: core/integrations/crm/hubspot/loader.php:152
    18551875msgid "Enter Hubsopt token expires in here"
    18561876msgstr ""
    18571877
    18581878#: core/integrations/crm/hubspot/loader.php:158
    18591879msgid ""
    18601880"Your HubSpot account is now connected with Metform! You can remove the "
    18611881"access anytime using the below button."
    18621882msgstr ""
    18631883
    18641884#: core/integrations/crm/hubspot/loader.php:159
    18651885msgid "Disconnect HubSpot Account"
    18661886msgstr ""
    18671887
    18681888#: core/integrations/crm/hubspot/loader.php:165
    18691889msgid ""
    18701890"HubSpot is an all-in-one CRM and marketing platform that helps turn your "
    18711891"website visitors into leads, leads into customers, and customers into "
    18721892"raving fans."
    18731893msgstr ""
    18741894
    18751895#: core/integrations/crm/hubspot/loader.php:166
    18761896msgid ""
    18771897"With MetForm, you can sync your form submissions seamlessly to HubSpot to "
    18781898"build lists, email marketing campaigns and so much more."
    18791899msgstr ""
    18801900
    18811901#: core/integrations/crm/hubspot/loader.php:167
    18821902msgid "If you don't already have a HubSpot account, you can"
    18831903msgstr ""
    18841904
    18851905#: core/integrations/crm/hubspot/loader.php:167
    18861906msgid "sign up for a free HubSpot account here."
    18871907msgstr ""
    18881908
    18891909#: core/integrations/crm/hubspot/loader.php:168
    18901910msgid "Click Here To Connect Your HubSpot Account"
    18911911msgstr ""
    18921912
    18931913#: core/integrations/google-recaptcha.php:38
    18941914#: core/integrations/google-recaptcha.php:71
    18951915msgid "Captcha is not verified."
    18961916msgstr ""
    18971917
    18981918#: core/integrations/mail-chimp.php:53
    18991919msgid "Your data inserted on ActiveCampaign."
    19001920msgstr ""
    19011921
    19021922#: core/integrations/onboard/classes/plugin-status.php:57
    19031923msgid "Activated"
    19041924msgstr ""
    19051925
    19061926#: core/integrations/onboard/classes/plugin-status.php:60
    19071927msgid "Activate Now"
    19081928msgstr ""
    19091929
    19101930#: core/integrations/onboard/classes/plugin-status.php:65
    19111931msgid "Install Now"
    19121932msgstr ""
    19131933
    19141934#: core/integrations/onboard/controls/settings/switch.php:50
    19151935msgid "View Demo"
    19161936msgstr ""
    19171937
    19181938#: core/integrations/onboard/views/layout-onboard.php:6
    19191939msgid "Tutorial"
    19201940msgstr ""
    19211941
    19221942#: core/integrations/onboard/views/layout-onboard.php:7
    19231943msgid "Tutorial info"
    19241944msgstr ""
    19251945
    19261946#: core/integrations/onboard/views/layout-onboard.php:12
    19271947msgid "Sign Up"
    19281948msgstr ""
    19291949
    19301950#: core/integrations/onboard/views/layout-onboard.php:13
    19311951msgid "Sign Up info"
    19321952msgstr ""
    19331953
    19341954#: core/integrations/onboard/views/layout-onboard.php:17
    19351955msgid "Website Powerup"
    19361956msgstr ""
    19371957
    19381958#: core/integrations/onboard/views/layout-onboard.php:18
    19391959msgid "Website Powerup info"
    19401960msgstr ""
    19411961
    19421962#: core/integrations/onboard/views/layout-onboard.php:22
    19431963msgid "Surprise"
    19441964msgstr ""
    19451965
    19461966#: core/integrations/onboard/views/layout-onboard.php:23
    19471967msgid "Surprise info"
    19481968msgstr ""
    19491969
    19501970#: core/integrations/onboard/views/layout-onboard.php:27
    19511971msgid "Finalizing"
    19521972msgstr ""
    19531973
    19541974#: core/integrations/onboard/views/layout-onboard.php:28
    19551975msgid "Finalizing info"
    19561976msgstr ""
    19571977
    19581978#: core/integrations/onboard/views/onboard-steps/step-01.php:4
    19591979#: core/integrations/onboard/views/onboard-steps/step-04.php:4
    19601980msgid ""
    19611981"Check Out the Easy to Understand Video Tutorials to learn the detailed use "
    19621982"of MetForm."
    19631983msgstr ""
    19641984
    19651985#: core/integrations/onboard/views/onboard-steps/step-01.php:22
    19661986#: core/integrations/onboard/views/onboard-steps/step-04.php:22
    19671987msgid "Share non-sensitive diagnostic data and details about plugin usage."
    19681988msgstr ""
    19691989
    19701990#: core/integrations/onboard/views/onboard-steps/step-01.php:25
    19711991#: core/integrations/onboard/views/onboard-steps/step-04.php:25
    19721992msgid ""
    19731993"We gather non-sensitive diagnostic data as well as information about plugin "
    19741994"use. Your site's URL, WordPress and PHP versions, plugins and themes, as "
    19751995"well as your email address, will be used to give you a discount coupon. "
    19761996"This information enables us to ensure that this plugin remains consistent "
    19771997"with the most common plugins and themes at all times. We pledge not to give "
    19781998"you any spam, for sure."
    19791999msgstr ""
    19802000
    19812001#: core/integrations/onboard/views/onboard-steps/step-01.php:26
    19822002#: core/integrations/onboard/views/onboard-steps/step-04.php:26
    19832003msgid "What types of information do we gather?"
    19842004msgstr ""
    19852005
    19862006#: core/integrations/onboard/views/onboard-steps/step-01.php:29
    19872007#: core/integrations/onboard/views/onboard-steps/step-02.php:16
    19882008#: core/integrations/onboard/views/onboard-steps/step-03.php:69
    19892009#: core/integrations/onboard/views/onboard-steps/step-04.php:29
    19902010#: core/integrations/onboard/views/onboard-steps/step-05.php:32
    19912011msgid "Back"
    19922012msgstr ""
    19932013
    19942014#: core/integrations/onboard/views/onboard-steps/step-01.php:30
    19952015#: core/integrations/onboard/views/onboard-steps/step-02.php:17
    19962016#: core/integrations/onboard/views/onboard-steps/step-03.php:70
    19972017#: core/integrations/onboard/views/onboard-steps/step-04.php:30
    19982018#: core/integrations/onboard/views/onboard-steps/step-05.php:33
    19992019msgid "Next Step"
    20002020msgstr ""
    20012021
    20022022#: core/integrations/onboard/views/onboard-steps/step-02.php:4
    20032023msgid "The Best Form Builder Plugin for Elementor."
    20042024msgstr ""
    20052025
    20062026#: core/integrations/onboard/views/onboard-steps/step-02.php:5
    20072027msgid "Sign Up to Join a Big Community of Marketers, Developers, and Think Tankers"
    20082028msgstr ""
    20092029
    20102030#: core/integrations/onboard/views/onboard-steps/step-02.php:11
    20112031msgid "Submit Your Best Email."
    20122032msgstr ""
    20132033
    20142034#: core/integrations/onboard/views/onboard-steps/step-03.php:4
    20152035#: utils/pro-awareness/pro-awareness.php:243
    20162036msgid "Take your website to the next level"
    20172037msgstr ""
    20182038
    20192039#: core/integrations/onboard/views/onboard-steps/step-03.php:5
    20202040#: utils/pro-awareness/pro-awareness.php:244
    20212041msgid "We have some plugins you can install to get most from Wordpress."
    20222042msgstr ""
    20232043
    20242044#: core/integrations/onboard/views/onboard-steps/step-03.php:6
    20252045msgid "These are absolute FREE to use."
    20262046msgstr ""
    20272047
    20282048#: core/integrations/onboard/views/onboard-steps/step-03.php:19
    20292049msgid "Fundraising"
    20302050msgstr ""
    20312051
    20322052#: core/integrations/onboard/views/onboard-steps/step-03.php:20
    20332053msgid "Get FREE 1500 AI words, SEO Keyword, and Competitor Analysis credits"
    20342054msgstr ""
    20352055
    20362056#: core/integrations/onboard/views/onboard-steps/step-03.php:20
    20372057msgid "on your personal AI assistant for Content & SEO right inside WordPress!"
    20382058msgstr ""
    20392059
    20402060#: core/integrations/onboard/views/onboard-steps/step-03.php:30
    20412061msgid "Completely customize your  WooCommerce WordPress"
    20422062msgstr ""
    20432063
    20442064#: core/integrations/onboard/views/onboard-steps/step-03.php:40
    20452065msgid "All-in-One Addons for Elementor"
    20462066msgstr ""
    20472067
    20482068#: core/integrations/onboard/views/onboard-steps/step-03.php:50
    20492069msgid "Integrate all your social media to your website"
    20502070msgstr ""
    20512071
    20522072#: core/integrations/onboard/views/onboard-steps/step-03.php:60
    20532073msgid "Integrate various styled review system in your website"
    20542074msgstr ""
    20552075
    20562076#: core/integrations/onboard/views/onboard-steps/step-05.php:4
    20572077msgid "Upgrade within the next"
    20582078msgstr ""
    20592079
    20602080#: core/integrations/onboard/views/onboard-steps/step-05.php:5
    20612081msgid "2 hours"
    20622082msgstr ""
    20632083
    20642084#: core/integrations/onboard/views/onboard-steps/step-05.php:6
    20652085msgid " and get a "
    20662086msgstr ""
    20672087
    20682088#: core/integrations/onboard/views/onboard-steps/step-05.php:7
    20692089msgid "40% Discount"
    20702090msgstr ""
    20712091
    20722092#: core/integrations/onboard/views/onboard-steps/step-05.php:13
    20732093#: widgets/manifest.php:114
    20742094msgid "Metform"
    20752095msgstr ""
    20762096
    20772097#: core/integrations/onboard/views/onboard-steps/step-05.php:16
    20782098msgid "Free Premium’ Features"
    20792099msgstr ""
    20802100
    20812101#: core/integrations/onboard/views/onboard-steps/step-05.php:17
    20822102msgid "Smart Conditional Logic"
    20832103msgstr ""
    20842104
    20852105#: core/integrations/onboard/views/onboard-steps/step-05.php:18
    20862106msgid "Required Fields Validation"
    20872107msgstr ""
    20882108
    20892109#: core/integrations/onboard/views/onboard-steps/step-05.php:19
    20902110msgid "Popular CRM Integrations"
    20912111msgstr ""
    20922112
    20932113#: core/integrations/onboard/views/onboard-steps/step-05.php:20
    20942114msgid "Data Within Dashboard"
    20952115msgstr ""
    20962116
    20972117#: core/integrations/onboard/views/onboard-steps/step-05.php:23
    20982118msgid "15+ Third-Party API Integrations"
    20992119msgstr ""
    21002120
    21012121#: core/integrations/onboard/views/onboard-steps/step-05.php:24
    21022122msgid "35+ Form Input Widgets"
    21032123msgstr ""
    21042124
    21052125#: core/integrations/onboard/views/onboard-steps/step-05.php:25
    21062126msgid "10+ Advanced Features for Customizations"
    21072127msgstr ""
    21082128
    21092129#: core/integrations/onboard/views/onboard-steps/step-05.php:28
    21102130msgid "Explore PRO"
    21112131msgstr ""
    21122132
    21132133#: core/integrations/onboard/views/onboard-steps/step-06.php:3
    21142134msgid "Congratulations!"
    21152135msgstr ""
    21162136
    21172137#: core/integrations/onboard/views/onboard-steps/step-06.php:4
    21182138msgid ""
    21192139"Let’s dive into developing your website with the world’s best addons for "
    21202140"Elementor."
    21212141msgstr ""
    21222142
    21232143#: core/integrations/onboard/views/settings-sections/dashboard.php:8
    21242144#: core/integrations/onboard/views/settings-sections/dashboard.php:128
    21252145msgid "Documentation Thumb"
    21262146msgstr ""
    21272147
    21282148#: core/integrations/onboard/views/settings-sections/dashboard.php:12
    21292149msgid "Easy Documentation"
    21302150msgstr ""
    21312151
    21322152#: core/integrations/onboard/views/settings-sections/dashboard.php:13
    21332153msgid "Docs"
    21342154msgstr ""
    21352155
    21362156#: core/integrations/onboard/views/settings-sections/dashboard.php:15
    21372157#: core/integrations/onboard/views/settings-sections/dashboard.php:121
    21382158msgid ""
    21392159"Get started by spending some time with the documentation to get familiar "
    21402160"with ElementsKit Lite. Build awesome websites for you or your clients with "
    21412161"ease."
    21422162msgstr ""
    21432163
    21442164#: core/integrations/onboard/views/settings-sections/dashboard.php:17
    21452165msgid "Get started"
    21462166msgstr ""
    21472167
    21482168#: core/integrations/onboard/views/settings-sections/dashboard.php:26
    21492169msgid "Video Tutorials"
    21502170msgstr ""
    21512171
    21522172#: core/integrations/onboard/views/settings-sections/dashboard.php:27
    21532173msgid "Tutorials"
    21542174msgstr ""
    21552175
    21562176#: core/integrations/onboard/views/settings-sections/dashboard.php:29
    21572177#: core/integrations/onboard/views/settings-sections/dashboard.php:78
    21582178msgid ""
    21592179"Get started by spending some time with the documentation to get familiar "
    21602180"with ElementsKit Lite."
    21612181msgstr ""
    21622182
    21632183#: core/integrations/onboard/views/settings-sections/dashboard.php:36
    21642184#: core/integrations/onboard/views/settings-sections/dashboard.php:44
    21652185#: core/integrations/onboard/views/settings-sections/dashboard.php:52
    21662186msgid "Totorial Thumb"
    21672187msgstr ""
    21682188
    21692189#: core/integrations/onboard/views/settings-sections/dashboard.php:38
    21702190msgid "Parallax Effects"
    21712191msgstr ""
    21722192
    21732193#: core/integrations/onboard/views/settings-sections/dashboard.php:46
    21742194msgid "Advanced Accordions"
    21752195msgstr ""
    21762196
    21772197#: core/integrations/onboard/views/settings-sections/dashboard.php:54
    21782198msgid "Mega Menu Builder"
    21792199msgstr ""
    21802200
    21812201#: core/integrations/onboard/views/settings-sections/dashboard.php:67
    21822202msgid "watch more videos"
    21832203msgstr ""
    21842204
    21852205#: core/integrations/onboard/views/settings-sections/dashboard.php:83
    21862206msgid "1. How to create a shop page in ElementsKit Lite?"
    21872207msgstr ""
    21882208
    21892209#: core/integrations/onboard/views/settings-sections/dashboard.php:91
    21902210msgid "2. How to translate theme with WPML?"
    21912211msgstr ""
    21922212
    21932213#: core/integrations/onboard/views/settings-sections/dashboard.php:118
    21942214msgid "Top-notch Friendly Support"
    21952215msgstr ""
    21962216
    21972217#: core/integrations/onboard/views/settings-sections/dashboard.php:119
    21982218msgid "Support"
    21992219msgstr ""
    22002220
    22012221#: core/integrations/onboard/views/settings-sections/dashboard.php:123
    22022222msgid "Join support forum"
    22032223msgstr ""
    22042224
    22052225#: core/integrations/onboard/views/settings-sections/dashboard.php:136
    22062226msgid "Feature a Request Thumb"
    22072227msgstr ""
    22082228
    22092229#: core/integrations/onboard/views/settings-sections/dashboard.php:140
    22102230msgid "Maybe we’re missing something you can’t live without."
    22112231msgstr ""
    22122232
    22132233#: core/integrations/onboard/views/settings-sections/dashboard.php:142
    22142234msgid "Feature a request"
    22152235msgstr ""
    22162236
    22172237#: core/integrations/onboard/views/settings-sections/dashboard.php:152
    22182238msgid "Satisfied?"
    22192239msgstr ""
    22202240
    22212241#: core/integrations/onboard/views/settings-sections/modules.php:16
    22222242msgid ""
    22232243"You can disable the modules you are not using on your site. That will "
    22242244"disable all associated assets of those modules to improve your site loading "
    22252245"speed."
    22262246msgstr ""
    22272247
    22282248#: core/integrations/onboard/views/settings-sections/modules.php:20
    22292249msgid "Header Footer"
    22302250msgstr ""
    22312251
    22322252#: core/integrations/onboard/views/settings-sections/modules.php:23
    22332253msgid "Widget Builder"
    22342254msgstr ""
    22352255
    22362256#: core/integrations/onboard/views/settings-sections/usersettings.php:20
    22372257msgid "MailChimp Data"
    22382258msgstr ""
    22392259
    22402260#: core/integrations/onboard/views/settings-sections/usersettings.php:60
    22412261msgid "Facebook Page Feed"
    22422262msgstr ""
    22432263
    22442264#: core/integrations/onboard/views/settings-sections/usersettings.php:74
    22452265msgid "Facebook Page ID"
    22462266msgstr ""
    22472267
    22482268#: core/integrations/onboard/views/settings-sections/usersettings.php:75
    22492269msgid "Facebook app id"
    22502270msgstr ""
    22512271
    22522272#: core/integrations/onboard/views/settings-sections/usersettings.php:88
    22532273msgid "Page Access Token"
    22542274msgstr ""
    22552275
    22562276#: core/integrations/onboard/views/settings-sections/usersettings.php:102
    22572277#: core/integrations/onboard/views/settings-sections/usersettings.php:179
    22582278#: core/integrations/onboard/views/settings-sections/usersettings.php:400
    22592279#: core/integrations/onboard/views/settings-sections/usersettings.php:540
    22602280msgid "Clear Cache"
    22612281msgstr ""
    22622282
    22632283#: core/integrations/onboard/views/settings-sections/usersettings.php:108
    22642284#: core/integrations/onboard/views/settings-sections/usersettings.php:152
    22652285#: core/integrations/onboard/views/settings-sections/usersettings.php:393
    22662286#: core/integrations/onboard/views/settings-sections/usersettings.php:546
    22672287msgid "Get access token"
    22682288msgstr ""
    22692289
    22702290#: core/integrations/onboard/views/settings-sections/usersettings.php:130
    22712291msgid "Facebook page review"
    22722292msgstr ""
    22732293
    22742294#: core/integrations/onboard/views/settings-sections/usersettings.php:144
    22752295#: core/integrations/onboard/views/settings-sections/usersettings.php:294
    22762296msgid "Page ID"
    22772297msgstr ""
    22782298
    22792299#: core/integrations/onboard/views/settings-sections/usersettings.php:152
    22802300msgid "Refresh access token"
    22812301msgstr ""
    22822302
    22832303#: core/integrations/onboard/views/settings-sections/usersettings.php:158
    22842304msgid "Page Token"
    22852305msgstr ""
    22862306
    22872307#: core/integrations/onboard/views/settings-sections/usersettings.php:246
    22882308msgid "Yelp Settings"
    22892309msgstr ""
    22902310
    22912311#: core/integrations/onboard/views/settings-sections/usersettings.php:260
    22922312msgid "Yelp Page"
    22932313msgstr ""
    22942314
    22952315#: core/integrations/onboard/views/settings-sections/usersettings.php:282
    22962316msgid "Facebook Messenger"
    22972317msgstr ""
    22982318
    22992319#: core/integrations/onboard/views/settings-sections/usersettings.php:304
    23002320#: traits/common-controls.php:313 traits/common-controls.php:764
    23012321#: traits/common-controls.php:804 widgets/email/email.php:150
    23022322#: widgets/file-upload/file-upload.php:313
    23032323#: widgets/file-upload/file-upload.php:344
    23042324#: widgets/gdpr-consent/gdpr-consent.php:177 widgets/select/select.php:410
    23052325#: widgets/select/select.php:445 widgets/select/select.php:480
    23062326#: widgets/simple-captcha/simple-captcha.php:159
    23072327#: widgets/simple-captcha/simple-captcha.php:295
    23082328msgid "Color"
    23092329msgstr ""
    23102330
    23112331#: core/integrations/onboard/views/settings-sections/usersettings.php:314
    23122332msgid "Logged-in user greeting"
    23132333msgstr ""
    23142334
    23152335#: core/integrations/onboard/views/settings-sections/usersettings.php:324
    23162336msgid "Logged out user greeting"
    23172337msgstr ""
    23182338
    23192339#: core/integrations/onboard/views/settings-sections/usersettings.php:334
    23202340msgid "Show Dialog Box"
    23212341msgstr ""
    23222342
    23232343#: core/integrations/onboard/views/settings-sections/usersettings.php:363
    23242344msgid "Dribbble User Data"
    23252345msgstr ""
    23262346
    23272347#: core/integrations/onboard/views/settings-sections/usersettings.php:380
    23282348msgid "Access token"
    23292349msgstr ""
    23302350
    23312351#: core/integrations/onboard/views/settings-sections/usersettings.php:422
    23322352msgid "Twitter User Data"
    23332353msgstr ""
    23342354
    23352355#: core/integrations/onboard/views/settings-sections/usersettings.php:434
    23362356msgid "Twitter Username"
    23372357msgstr ""
    23382358
    23392359#: core/integrations/onboard/views/settings-sections/usersettings.php:444
    23402360#: core/integrations/onboard/views/settings-sections/usersettings.php:505
    23412361msgid "Access Token"
    23422362msgstr ""
    23432363
    23442364#: core/integrations/onboard/views/settings-sections/usersettings.php:454
    23452365msgid "Get Access Token"
    23462366msgstr ""
    23472367
    23482368#: core/integrations/onboard/views/settings-sections/usersettings.php:474
    23492369msgid "Instragram User Data"
    23502370msgstr ""
    23512371
    23522372#: core/integrations/onboard/views/settings-sections/usersettings.php:495
    23532373msgid "User ID"
    23542374msgstr ""
    23552375
    23562376#: core/integrations/onboard/views/settings-sections/usersettings.php:515
    23572377msgid "Token expires time"
    23582378msgstr ""
    23592379
    23602380#: core/integrations/onboard/views/settings-sections/usersettings.php:525
    23612381msgid "Token generation date"
    23622382msgstr ""
    23632383
    23642384#: core/integrations/onboard/views/settings-sections/usersettings.php:528
    23652385msgid "This is need to calculate the remaining time for token"
    23662386msgstr ""
    23672387
    23682388#: core/integrations/onboard/views/settings-sections/usersettings.php:567
    23692389msgid "Zoom Data"
    23702390msgstr ""
    23712391
    23722392#: core/integrations/onboard/views/settings-sections/usersettings.php:579
    23732393msgid "Api key"
    23742394msgstr ""
    23752395
    23762396#: core/integrations/onboard/views/settings-sections/usersettings.php:588
    23772397msgid "Secret Key"
    23782398msgstr ""
    23792399
    23802400#: core/integrations/onboard/views/settings-sections/usersettings.php:597
    23812401msgid "Check connection"
    23822402msgstr ""
    23832403
    23842404#: core/integrations/onboard/views/settings-sections/usersettings.php:619
    23852405msgid "Google Map"
    23862406msgstr ""
    23872407
    23882408#: core/integrations/onboard/views/settings-sections/usersettings.php:631
    23892409msgid "Api Key"
    23902410msgstr ""
    23912411
    23922412#: core/integrations/onboard/views/settings-sections/widgets.php:14
    23932413msgid ""
    23942414"You can disable the elements you are not using on your site. That will "
    23952415"disable all associated assets of those widgets to improve your site loading "
    23962416"speed."
    23972417msgstr ""
    23982418
    23992419#: core/integrations/slack.php:46
    24002420msgid "Your data inserted on slack."
    24012421msgstr ""
    24022422
    24032423#: plugin.php:474
    24042424msgid "Activate Elementor"
    24052425msgstr ""
    24062426
    24072427#: plugin.php:481
    24082428msgid "Install Elementor"
    24092429msgstr ""
    24102430
    24112431#: plugin.php:485 plugin.php:518
    24122432msgid "MetForm requires Elementor version %1$s+, which is currently NOT RUNNING."
    24132433msgstr ""
    24142434
    24152435#: plugin.php:501
    24162436msgid "MetForm Pro"
    24172437msgstr ""
    24182438
    24192439#: plugin.php:505 plugin.php:521
    24202440msgid "We have MetForm Pro version. Check out our pro feature."
    24212441msgstr ""
    24222442
    24232443#: plugin.php:517
    24242444msgid "Update Elementor"
    24252445msgstr ""
    24262446
    2427 #: plugin.php:550
     2447#: plugin.php:552 plugin.php:565
    24282448msgid ""
    24292449"Plain permalink is not supported with MetForm. We recommend to use post "
    24302450"name as your permalink settings."
    24312451msgstr ""
    24322452
    2433 #: plugin.php:556
     2453#: plugin.php:558 plugin.php:571
    24342454msgid "Change Permalink"
    24352455msgstr ""
    24362456
    2437 #: plugin.php:579
     2457#: plugin.php:595
    24382458msgid "Permalink Structure Updated!"
    24392459msgstr ""
    24402460
    24412461#: traits/button-controls.php:24 traits/quiz-control.php:31
    24422462#: traits/quiz-control.php:52 widgets/checkbox/checkbox.php:209
    24432463#: widgets/checkbox/checkbox.php:219 widgets/date/date.php:433
    24442464#: widgets/email/email.php:89 widgets/file-upload/file-upload.php:200
    24452465#: widgets/listing-fname/listing-fname.php:68
    24462466#: widgets/listing-lname/listing-lname.php:68
    24472467#: widgets/multi-select/multi-select.php:166
    24482468#: widgets/multi-select/multi-select.php:174 widgets/number/number.php:66
    24492469#: widgets/password/password.php:66 widgets/radio/radio.php:213
    24502470#: widgets/radio/radio.php:223 widgets/range/range.php:137
    24512471#: widgets/rating/rating.php:88 widgets/recaptcha/recaptcha.php:63
    24522472#: widgets/select/select.php:229 widgets/select/select.php:238
    24532473#: widgets/simple-captcha/simple-captcha.php:123 widgets/summary/summary.php:69
    24542474#: widgets/switch/switch.php:96 widgets/telephone/telephone.php:66
    24552475#: widgets/text/text.php:74 widgets/text/text.php:84
    24562476#: widgets/textarea/textarea.php:67 widgets/time/time.php:90
    24572477#: widgets/url/url.php:76
    24582478msgid "Label"
    24592479msgstr ""
    24602480
    24612481#: traits/button-controls.php:46
    24622482msgid "Button alignment"
    24632483msgstr ""
    24642484
    24652485#: traits/button-controls.php:50 traits/common-controls.php:47
    24662486#: widgets/simple-captcha/simple-captcha.php:67
    24672487msgid "Left"
    24682488msgstr ""
    24692489
    24702490#: traits/button-controls.php:54
    24712491msgid "Center"
    24722492msgstr ""
    24732493
    24742494#: traits/button-controls.php:58 widgets/file-upload/file-upload.php:293
    24752495msgid "Right"
    24762496msgstr ""
    24772497
    24782498#: traits/button-controls.php:62
    24792499msgid "Justified"
    24802500msgstr ""
    24812501
    24822502#: traits/button-controls.php:77 traits/quiz-control.php:499
    24832503#: widgets/button/button.php:104
    24842504msgid "Icon"
    24852505msgstr ""
    24862506
    24872507#: traits/button-controls.php:86 traits/quiz-control.php:515
    24882508msgid "Icon Position"
    24892509msgstr ""
    24902510
    24912511#: traits/button-controls.php:90 traits/quiz-control.php:237
    24922512#: traits/quiz-control.php:519 widgets/file-upload/file-upload.php:77
    24932513msgid "Before"
    24942514msgstr ""
    24952515
    24962516#: traits/button-controls.php:91 traits/quiz-control.php:236
    24972517#: traits/quiz-control.php:520 widgets/file-upload/file-upload.php:78
    24982518msgid "After"
    24992519msgstr ""
    25002520
    25012521#: traits/button-controls.php:102
    25022522msgid "Class"
    25032523msgstr ""
    25042524
    25052525#: traits/button-controls.php:104
    25062526msgid "Class Name"
    25072527msgstr ""
    25082528
    25092529#: traits/button-controls.php:111
    25102530msgid "id"
    25112531msgstr ""
    25122532
    25132533#: traits/button-controls.php:113
    25142534msgid "ID"
    25152535msgstr ""
    25162536
    25172537#: traits/button-controls.php:124
    25182538msgid "Input Name : "
    25192539msgstr ""
    25202540
    25212541#: traits/button-controls.php:132 traits/quiz-control.php:366
    25222542#: widgets/multi-select/multi-select.php:71 widgets/select/select.php:72
    25232543msgid "Input Value"
    25242544msgstr ""
    25252545
    25262546#: traits/button-controls.php:141
    25272547msgid "Input Class"
    25282548msgstr ""
    25292549
    25302550#: traits/button-controls.php:150
    25312551msgid "Input List"
    25322552msgstr ""
    25332553
    25342554#: traits/button-controls.php:162 traits/common-controls.php:343
    25352555#: traits/common-controls.php:472 traits/common-controls.php:820
    25362556#: widgets/checkbox/checkbox.php:255 widgets/email/email.php:174
    25372557#: widgets/file-upload/file-upload.php:378
    25382558#: widgets/gdpr-consent/gdpr-consent.php:207
    25392559#: widgets/gdpr-consent/gdpr-consent.php:299
    25402560#: widgets/listing-optin/listing-optin.php:140 widgets/radio/radio.php:259
    25412561#: widgets/rating/rating.php:123 widgets/select/select.php:341
    25422562#: widgets/simple-captcha/simple-captcha.php:189
    25432563#: widgets/simple-captcha/simple-captcha.php:271 widgets/switch/switch.php:225
    25442564#: widgets/switch/switch.php:267
    25452565msgid "Padding"
    25462566msgstr ""
    25472567
    25482568#: traits/button-controls.php:182 traits/common-controls.php:332
    25492569#: traits/common-controls.php:700 traits/common-controls.php:753
    25502570#: traits/common-controls.php:795 widgets/email/email.php:166
    25512571#: widgets/gdpr-consent/gdpr-consent.php:196 widgets/rating/rating.php:265
    25522572#: widgets/simple-captcha/simple-captcha.php:178 widgets/switch/switch.php:217
    25532573#: widgets/switch/switch.php:259
    25542574msgid "Typography"
    25552575msgstr ""
    25562576
    25572577#: traits/button-controls.php:200 traits/button-controls.php:298
    25582578#: traits/common-controls.php:506 widgets/checkbox/checkbox.php:297
    25592579#: widgets/file-upload/file-upload.php:306
    25602580#: widgets/gdpr-consent/gdpr-consent.php:341
    25612581#: widgets/listing-optin/listing-optin.php:182 widgets/radio/radio.php:300
    25622582#: widgets/rating/rating.php:156 widgets/select/select.php:403
    25632583msgid "Normal"
    25642584msgstr ""
    25652585
    25662586#: traits/button-controls.php:207 traits/button-controls.php:236
    25672587#: widgets/checkbox/checkbox.php:278 widgets/gdpr-consent/gdpr-consent.php:322
    25682588#: widgets/listing-optin/listing-optin.php:163 widgets/radio/radio.php:282
    25692589#: widgets/switch/switch.php:204 widgets/switch/switch.php:246
    25702590msgid "Text Color"
    25712591msgstr ""
    25722592
    25732593#: traits/button-controls.php:229 traits/button-controls.php:322
    25742594#: traits/common-controls.php:570 widgets/file-upload/file-upload.php:337
    25752595#: widgets/select/select.php:438
    25762596msgid "Hover"
    25772597msgstr ""
    25782598
    25792599#: traits/button-controls.php:265 traits/common-controls.php:140
    25802600msgid "None"
    25812601msgstr ""
    25822602
    25832603#: traits/button-controls.php:347 traits/common-controls.php:249
    25842604#: traits/common-controls.php:711 widgets/file-upload/file-upload.php:411
    25852605#: widgets/range/range.php:215 widgets/rating/rating.php:227
    25862606#: widgets/select/select.php:286 widgets/select/select.php:365
    25872607msgid "Border Radius"
    25882608msgstr ""
    25892609
    25902610#: traits/button-controls.php:378
    25912611msgid "Icon Color"
    25922612msgstr ""
    25932613
    25942614#: traits/button-controls.php:394
    25952615msgid "Font Size"
    25962616msgstr ""
    25972617
    25982618#: traits/button-controls.php:414
    25992619msgid "Padding Right"
    26002620msgstr ""
    26012621
    26022622#: traits/button-controls.php:440
    26032623msgid "Padding Left"
    26042624msgstr ""
    26052625
    26062626#: traits/button-controls.php:466
    26072627msgid "Vertical Align"
    26082628msgstr ""
    26092629
    26102630#: traits/common-controls.php:29 widgets/simple-captcha/simple-captcha.php:49
    26112631msgid "Show Label"
    26122632msgstr ""
    26132633
    26142634#: traits/common-controls.php:31 traits/quiz-control.php:488
    26152635#: widgets/simple-captcha/simple-captcha.php:51
    26162636msgid "Show"
    26172637msgstr ""
    26182638
    26192639#: traits/common-controls.php:32 traits/quiz-control.php:489
    26202640#: widgets/simple-captcha/simple-captcha.php:52
    26212641msgid "Hide"
    26222642msgstr ""
    26232643
    26242644#: traits/common-controls.php:35 widgets/simple-captcha/simple-captcha.php:55
    26252645msgid "for adding label on input turn it on. Don't want to use label? turn it off."
    26262646msgstr ""
    26272647
    26282648#: traits/common-controls.php:42 widgets/file-upload/file-upload.php:289
    26292649msgid "Position"
    26302650msgstr ""
    26312651
    26322652#: traits/common-controls.php:46 widgets/file-upload/file-upload.php:79
    26332653#: widgets/simple-captcha/simple-captcha.php:66
    26342654msgid "Top"
    26352655msgstr ""
    26362656
    26372657#: traits/common-controls.php:55 widgets/simple-captcha/simple-captcha.php:75
    26382658msgid ""
    26392659"Select label position. where you want to see it. top of the input or left "
    26402660"of the input."
    26412661msgstr ""
    26422662
    26432663#: traits/common-controls.php:63 widgets/simple-captcha/simple-captcha.php:98
    26442664msgid "Label : "
    26452665msgstr ""
    26462666
    26472667#: traits/common-controls.php:66 widgets/simple-captcha/simple-captcha.php:101
    26482668msgid "Enter here label of input"
    26492669msgstr ""
    26502670
    26512671#: traits/common-controls.php:77
    26522672msgid "Name : "
    26532673msgstr ""
    26542674
    26552675#: traits/common-controls.php:89 traits/quiz-control.php:40
    26562676msgid "Name"
    26572677msgstr ""
    26582678
    26592679#: traits/common-controls.php:92
    26602680msgid "Enter here name of the input"
    26612681msgstr ""
    26622682
    26632683#: traits/common-controls.php:93 traits/quiz-control.php:44
    26642684msgid ""
    26652685"Name is must required. Enter name without space or any special character. "
    26662686"use only underscore/ hyphen (_/-) for multiple word. Name must be different."
    26672687msgstr ""
    26682688
    26692689#: traits/common-controls.php:103
    26702690msgid "Place holder"
    26712691msgstr ""
    26722692
    26732693#: traits/common-controls.php:106 traits/quiz-control.php:347
    26742694msgid "Enter here place holder"
    26752695msgstr ""
    26762696
    26772697#: traits/common-controls.php:114 traits/quiz-control.php:161
    26782698#: widgets/simple-captcha/simple-captcha.php:111
    26792699msgid "Help Text : "
    26802700msgstr ""
    26812701
    26822702#: traits/common-controls.php:117 widgets/simple-captcha/simple-captcha.php:114
    26832703msgid "Type your help text here"
    26842704msgstr ""
    26852705
    26862706#: traits/common-controls.php:128
    26872707msgid "Required ?"
    26882708msgstr ""
    26892709
    26902710#: traits/common-controls.php:134
    26912711msgid "Is this field is required for submit the form?. Make it \"Yes\"."
    26922712msgstr ""
    26932713
    26942714#: traits/common-controls.php:141
    26952715msgid "By character length"
    26962716msgstr ""
    26972717
    26982718#: traits/common-controls.php:145
    26992719msgid "By Word length"
    27002720msgstr ""
    27012721
    27022722#: traits/common-controls.php:149
    27032723msgid "By expression based"
    27042724msgstr ""
    27052725
    27062726#: traits/common-controls.php:156
    27072727msgid "Validation type"
    27082728msgstr ""
    27092729
    27102730#: traits/common-controls.php:167 widgets/range/range.php:67
    27112731msgid "Min Length"
    27122732msgstr ""
    27132733
    27142734#: traits/common-controls.php:178 widgets/range/range.php:77
    27152735msgid "Max Length"
    27162736msgstr ""
    27172737
    27182738#: traits/common-controls.php:191
    27192739msgid "Expression for validate "
    27202740msgstr ""
    27212741
    27222742#: traits/common-controls.php:194
    27232743msgid "Ex: [a-zA-Z]+ "
    27242744msgstr ""
    27252745
    27262746#: traits/common-controls.php:205 traits/common-controls.php:207
    27272747msgid "Warning message"
    27282748msgstr ""
    27292749
    27302750#: traits/common-controls.php:208 widgets/checkbox/checkbox.php:436
    27312751#: widgets/date/date.php:555 widgets/email/email.php:226
    27322752#: widgets/file-upload/file-upload.php:462
    27332753#: widgets/gdpr-consent/gdpr-consent.php:479
    27342754#: widgets/listing-fname/listing-fname.php:159
    27352755#: widgets/listing-lname/listing-lname.php:159
    27362756#: widgets/listing-optin/listing-optin.php:320
    27372757#: widgets/multi-select/multi-select.php:260 widgets/number/number.php:142
    27382758#: widgets/password/password.php:158 widgets/radio/radio.php:440
    27392759#: widgets/range/range.php:254 widgets/rating/rating.php:311
    27402760#: widgets/select/select.php:574 widgets/switch/switch.php:309
    27412761#: widgets/telephone/telephone.php:142 widgets/text/text.php:161
    27422762#: widgets/textarea/textarea.php:166 widgets/time/time.php:175
    27432763#: widgets/url/url.php:152
    27442764msgid "This field is required."
    27452765msgstr ""
    27462766
    27472767#: traits/common-controls.php:234 traits/common-controls.php:741
    27482768#: widgets/rating/rating.php:276 widgets/select/select.php:323
    27492769msgid "Box Shadow"
    27502770msgstr ""
    27512771
    27522772#: traits/common-controls.php:242 traits/common-controls.php:558
    27532773#: traits/common-controls.php:617 traits/common-controls.php:678
    27542774#: widgets/button/button.php:80 widgets/file-upload/file-upload.php:403
    27552775#: widgets/rating/rating.php:180 widgets/rating/rating.php:214
    27562776#: widgets/select/select.php:314 widgets/select/select.php:393
    27572777msgid "Border"
    27582778msgstr ""
    27592779
    27602780#: traits/common-controls.php:281 widgets/gdpr-consent/gdpr-consent.php:145
    27612781#: widgets/range/range.php:184 widgets/simple-captcha/simple-captcha.php:131
    27622782#: widgets/switch/switch.php:132
    27632783msgid "Width"
    27642784msgstr ""
    27652785
    27662786#: traits/common-controls.php:357 traits/common-controls.php:488
    27672787#: widgets/checkbox/checkbox.php:266 widgets/email/email.php:185
    27682788#: widgets/file-upload/file-upload.php:390
    27692789#: widgets/gdpr-consent/gdpr-consent.php:221
    27702790#: widgets/gdpr-consent/gdpr-consent.php:310
    27712791#: widgets/listing-optin/listing-optin.php:151 widgets/radio/radio.php:270
    27722792#: widgets/rating/rating.php:135 widgets/select/select.php:353
    27732793#: widgets/simple-captcha/simple-captcha.php:203
    27742794#: widgets/simple-captcha/simple-captcha.php:283
    27752795msgid "Margin"
    27762796msgstr ""
    27772797
    27782798#: traits/common-controls.php:372 widgets/gdpr-consent/gdpr-consent.php:238
    27792799#: widgets/simple-captcha/simple-captcha.php:218
    27802800msgid "Required Indicator Color:"
    27812801msgstr ""
    27822802
    27832803#: traits/common-controls.php:425 widgets/gdpr-consent/gdpr-consent.php:257
    27842804#: widgets/recaptcha/recaptcha.php:71
    27852805#: widgets/simple-captcha/simple-captcha.php:235
    27862806msgid "Warning Text Color:"
    27872807msgstr ""
    27882808
    27892809#: traits/common-controls.php:446 widgets/gdpr-consent/gdpr-consent.php:277
    27902810#: widgets/recaptcha/recaptcha.php:88
    27912811#: widgets/simple-captcha/simple-captcha.php:252
    27922812msgid "Warning Text Typography"
    27932813msgstr ""
    27942814
    27952815#: traits/common-controls.php:513 traits/common-controls.php:577
    27962816#: traits/common-controls.php:637 widgets/rating/rating.php:163
    27972817#: widgets/rating/rating.php:197
    27982818msgid "Input Color"
    27992819msgstr ""
    28002820
    28012821#: traits/common-controls.php:545 traits/common-controls.php:605
    28022822#: traits/common-controls.php:664 widgets/file-upload/file-upload.php:326
    28032823#: widgets/file-upload/file-upload.php:357 widgets/select/select.php:427
    28042824#: widgets/select/select.php:462 widgets/select/select.php:497
    28052825msgid "Background"
    28062826msgstr ""
    28072827
    28082828#: traits/common-controls.php:630
    28092829msgid "Focus"
    28102830msgstr ""
    28112831
    28122832#: traits/common-controls.php:836
    28132833msgid "Get Value From URL?"
    28142834msgstr ""
    28152835
    28162836#: traits/conditional-controls.php:25
    28172837msgid "Conditional logic"
    28182838msgstr ""
    28192839
    28202840#: traits/conditional-controls.php:33 widgets/multi-select/multi-select.php:83
    28212841#: widgets/select/select.php:84
    28222842msgid "Enable"
    28232843msgstr ""
    28242844
    28252845#: traits/conditional-controls.php:36
    28262846msgid "This feature only works on the frontend."
    28272847msgstr ""
    28282848
    28292849#: traits/conditional-controls.php:47
    28302850msgid "Condition match criteria"
    28312851msgstr ""
    28322852
    28332853#: traits/conditional-controls.php:52
    28342854msgid "AND"
    28352855msgstr ""
    28362856
    28372857#: traits/conditional-controls.php:53
    28382858msgid "OR"
    28392859msgstr ""
    28402860
    28412861#: traits/conditional-controls.php:65
    28422862msgid "Action"
    28432863msgstr ""
    28442864
    28452865#: traits/conditional-controls.php:87
    28462866msgid "If"
    28472867msgstr ""
    28482868
    28492869#: traits/conditional-controls.php:90
    28502870msgid "Input field name"
    28512871msgstr ""
    28522872
    28532873#: traits/conditional-controls.php:97
    28542874msgid "Match ( comparison )"
    28552875msgstr ""
    28562876
    28572877#: traits/conditional-controls.php:101
    28582878msgid "not empty"
    28592879msgstr ""
    28602880
    28612881#: traits/conditional-controls.php:102
    28622882msgid "empty"
    28632883msgstr ""
    28642884
    28652885#: traits/conditional-controls.php:103
    28662886msgid "equals"
    28672887msgstr ""
    28682888
    28692889#: traits/conditional-controls.php:104
    28702890msgid "not equals"
    28712891msgstr ""
    28722892
    28732893#: traits/conditional-controls.php:105
    28742894msgid "greater than"
    28752895msgstr ""
    28762896
    28772897#: traits/conditional-controls.php:106
    28782898msgid "greater than equal"
    28792899msgstr ""
    28802900
    28812901#: traits/conditional-controls.php:107
    28822902msgid "smaller than"
    28832903msgstr ""
    28842904
    28852905#: traits/conditional-controls.php:108
    28862906msgid "smaller than equal"
    28872907msgstr ""
    28882908
    28892909#: traits/conditional-controls.php:117
    28902910msgid "Match value"
    28912911msgstr ""
    28922912
    28932913#: traits/conditional-controls.php:132
    28942914msgid "Value for set"
    28952915msgstr ""
    28962916
    28972917#: traits/conditional-controls.php:134
    28982918msgid "Enter value for set"
    28992919msgstr ""
    29002920
    29012921#: traits/conditional-controls.php:135
    29022922msgid "E.g 100, name, anything"
    29032923msgstr ""
    29042924
    29052925#: traits/quiz-control.php:43
    29062926msgid "Enter name of the input"
    29072927msgstr ""
    29082928
    29092929#: traits/quiz-control.php:55
    29102930msgid "Question"
    29112931msgstr ""
    29122932
    29132933#: traits/quiz-control.php:56 traits/quiz-control.php:57
    29142934msgid "Enter question"
    29152935msgstr ""
    29162936
    29172937#: traits/quiz-control.php:64
    29182938msgid "Point"
    29192939msgstr ""
    29202940
    29212941#: traits/quiz-control.php:68 traits/quiz-control.php:69
    29222942msgid "Enter point"
    29232943msgstr ""
    29242944
    29252945#: traits/quiz-control.php:70
    29262946msgid ""
    29272947"Note: if the point and the negative point both are set at zero, we won't "
    29282948"consider it a question."
    29292949msgstr ""
    29302950
    29312951#: traits/quiz-control.php:78
    29322952msgid "Add answer for the question?"
    29332953msgstr ""
    29342954
    29352955#: traits/quiz-control.php:90
    29362956msgid "Answer:"
    29372957msgstr ""
    29382958
    29392959#: traits/quiz-control.php:93 traits/quiz-control.php:94
    29402960msgid "Enter answer"
    29412961msgstr ""
    29422962
    29432963#: traits/quiz-control.php:104 traits/quiz-control.php:121
    29442964msgid "Add negative point?"
    29452965msgstr ""
    29462966
    29472967#: traits/quiz-control.php:134
    29482968msgid "Negative point"
    29492969msgstr ""
    29502970
    29512971#: traits/quiz-control.php:139
    29522972msgid "Enter negative point"
    29532973msgstr ""
    29542974
    29552975#: traits/quiz-control.php:150 traits/quiz-control.php:221
    29562976#: traits/quiz-control.php:344
    29572977msgid "Placeholder"
    29582978msgstr ""
    29592979
    29602980#: traits/quiz-control.php:153 traits/quiz-control.php:224
    29612981msgid "Enter placeholder"
    29622982msgstr ""
    29632983
    29642984#: traits/quiz-control.php:164
    29652985msgid "Type your help text"
    29662986msgstr ""
    29672987
    29682988#: traits/quiz-control.php:172 traits/quiz-control.php:193
    29692989#: widgets/checkbox/checkbox.php:66 widgets/gdpr-consent/gdpr-consent.php:46
    29702990#: widgets/radio/radio.php:70
    29712991msgid "Option Display : "
    29722992msgstr ""
    29732993
    29742994#: traits/quiz-control.php:175 traits/quiz-control.php:196
    29752995#: widgets/checkbox/checkbox.php:70 widgets/gdpr-consent/gdpr-consent.php:50
    29762996#: widgets/radio/radio.php:74
    29772997msgid "Horizontal"
    29782998msgstr ""
    29792999
    29803000#: traits/quiz-control.php:176 traits/quiz-control.php:197
    29813001#: widgets/checkbox/checkbox.php:71 widgets/gdpr-consent/gdpr-consent.php:51
    29823002#: widgets/radio/radio.php:75
    29833003msgid "Vertical"
    29843004msgstr ""
    29853005
    29863006#: traits/quiz-control.php:184
    29873007msgid "Option display style."
    29883008msgstr ""
    29893009
    29903010#: traits/quiz-control.php:203
    29913011msgid "Image select option display style."
    29923012msgstr ""
    29933013
    29943014#: traits/quiz-control.php:212 widgets/select/select.php:107
    29953015msgid "Data Type"
    29963016msgstr ""
    29973017
    29983018#: traits/quiz-control.php:233 widgets/checkbox/checkbox.php:84
    29993019#: widgets/gdpr-consent/gdpr-consent.php:64
    30003020#: widgets/listing-optin/listing-optin.php:47 widgets/radio/radio.php:88
    30013021msgid "Option Text Position : "
    30023022msgstr ""
    30033023
    30043024#: traits/quiz-control.php:240
    30053025msgid "Where do you want to option?"
    30063026msgstr ""
    30073027
    30083028#: traits/quiz-control.php:249
    30093029msgid "Type : "
    30103030msgstr ""
    30113031
    30123032#: traits/quiz-control.php:252
    30133033msgid "Single Answer"
    30143034msgstr ""
    30153035
    30163036#: traits/quiz-control.php:253
    30173037msgid "Multiple Answer"
    30183038msgstr ""
    30193039
    30203040#: traits/quiz-control.php:265 traits/quiz-control.php:267
    30213041#: traits/quiz-control.php:355 widgets/checkbox/checkbox.php:101
    30223042#: widgets/radio/radio.php:105
    30233043msgid "Option Text"
    30243044msgstr ""
    30253045
    30263046#: traits/quiz-control.php:269 traits/quiz-control.php:359
    30273047#: widgets/checkbox/checkbox.php:103 widgets/radio/radio.php:107
    30283048msgid "Select option text that will be show to user."
    30293049msgstr ""
    30303050
    30313051#: traits/quiz-control.php:275 traits/quiz-control.php:277
    30323052#: traits/quiz-control.php:364 traits/quiz-control.php:446
    30333053#: traits/quiz-control.php:591 traits/quiz-control.php:593
    30343054#: widgets/checkbox/checkbox.php:109 widgets/checkbox/checkbox.php:111
    30353055#: widgets/radio/radio.php:113 widgets/radio/radio.php:115
    30363056msgid "Option Value"
    30373057msgstr ""
    30383058
    30393059#: traits/quiz-control.php:284 traits/quiz-control.php:456
    30403060#: traits/quiz-control.php:600 widgets/checkbox/checkbox.php:119
    30413061#: widgets/radio/radio.php:123
    30423062msgid "Option Status"
    30433063msgstr ""
    30443064
    30453065#: traits/quiz-control.php:292 traits/quiz-control.php:382
    30463066#: widgets/checkbox/checkbox.php:133 widgets/multi-select/multi-select.php:92
    30473067#: widgets/radio/radio.php:137 widgets/select/select.php:93
    30483068msgid "Select it default ? "
    30493069msgstr ""
    30503070
    30513071#: traits/quiz-control.php:301 traits/quiz-control.php:391
    30523072#: traits/quiz-control.php:474 traits/quiz-control.php:617
    30533073msgid "Select as answer?"
    30543074msgstr ""
    30553075
    30563076#: traits/quiz-control.php:313 traits/quiz-control.php:403
    30573077msgid "Options"
    30583078msgstr ""
    30593079
    30603080#: traits/quiz-control.php:334 traits/quiz-control.php:424
    30613081#: traits/quiz-control.php:552 traits/quiz-control.php:647
    30623082#: widgets/checkbox/checkbox.php:168 widgets/multi-select/multi-select.php:127
    30633083#: widgets/radio/radio.php:172 widgets/select/select.php:141
    30643084msgid "You can add/edit here your selector options."
    30653085msgstr ""
    30663086
    30673087#: traits/quiz-control.php:357 widgets/multi-select/multi-select.php:62
    30683088#: widgets/select/select.php:62
    30693089msgid "Input Text"
    30703090msgstr ""
    30713091
    30723092#: traits/quiz-control.php:368 widgets/multi-select/multi-select.php:73
    30733093#: widgets/select/select.php:74
    30743094msgid "Select list value that will be store/mail to desired person."
    30753095msgstr ""
    30763096
    30773097#: traits/quiz-control.php:374 widgets/multi-select/multi-select.php:79
    30783098#: widgets/select/select.php:80
    30793099msgid "Status"
    30803100msgstr ""
    30813101
    30823102#: traits/quiz-control.php:436
    30833103msgid "Toggle for select"
    30843104msgstr ""
    30853105
    30863106#: traits/quiz-control.php:438
    30873107msgid "toggle"
    30883108msgstr ""
    30893109
    30903110#: traits/quiz-control.php:439
    30913111msgid "Enter toggle text"
    30923112msgstr ""
    30933113
    30943114#: traits/quiz-control.php:448
    30953115msgid "value"
    30963116msgstr ""
    30973117
    30983118#: traits/quiz-control.php:465 traits/quiz-control.php:608
    30993119msgid "Select it default ?"
    31003120msgstr ""
    31013121
    31023122#: traits/quiz-control.php:486
    31033123msgid "Add\t Icon"
    31043124msgstr ""
    31053125
    31063126#: traits/quiz-control.php:531
    31073127msgid "Toggle select Options"
    31083128msgstr ""
    31093129
    31103130#: traits/quiz-control.php:565
    31113131msgid "Title"
    31123132msgstr ""
    31133133
    31143134#: traits/quiz-control.php:573
    31153135msgid "Thumbnail"
    31163136msgstr ""
    31173137
    31183138#: traits/quiz-control.php:584
    31193139msgid "Preview (Optional)"
    31203140msgstr ""
    31213141
    31223142#: traits/quiz-control.php:629
    31233143msgid "Image select Options"
    31243144msgstr ""
    31253145
    31263146#: utils/pro-awareness/pro-awareness.php:159
    31273147#: utils/pro-awareness/pro-awareness.php:174
    31283148msgid "Default Title"
    31293149msgstr ""
    31303150
    31313151#: utils/stories/stories.php:255
    31323152msgid "Wpmet Stories"
    31333153msgstr ""
    31343154
    31353155#: utils/stories/views/template.php:137
    31363156msgid "Need Help?"
    31373157msgstr ""
    31383158
    31393159#: utils/stories/views/template.php:141
    31403160msgid "Blog"
    31413161msgstr ""
    31423162
    31433163#: utils/stories/views/template.php:145
    31443164msgid "Facebook Community"
    31453165msgstr ""
    31463166
    31473167#: widgets/button/button.php:16
    31483168msgid "Submit Button"
    31493169msgstr ""
    31503170
    31513171#: widgets/button/button.php:36 widgets/checkbox/checkbox.php:46
    31523172#: widgets/checkbox/checkbox.php:56 widgets/date/date.php:108
    31533173#: widgets/email/email.php:45 widgets/file-upload/file-upload.php:37
    31543174#: widgets/form-basic.php:49 widgets/gdpr-consent/gdpr-consent.php:36
    31553175#: widgets/listing-fname/listing-fname.php:36
    31563176#: widgets/listing-lname/listing-lname.php:36
    31573177#: widgets/listing-optin/listing-optin.php:36
    31583178#: widgets/multi-select/multi-select.php:39
    31593179#: widgets/multi-select/multi-select.php:49 widgets/number/number.php:36
    31603180#: widgets/password/password.php:36 widgets/radio/radio.php:48
    31613181#: widgets/radio/radio.php:59 widgets/range/range.php:36
    31623182#: widgets/rating/rating.php:36 widgets/recaptcha/recaptcha.php:36
    31633183#: widgets/select/select.php:39 widgets/select/select.php:49
    31643184#: widgets/simple-captcha/simple-captcha.php:41 widgets/summary/summary.php:36
    31653185#: widgets/switch/switch.php:36 widgets/telephone/telephone.php:36
    31663186#: widgets/text/text.php:39 widgets/textarea/textarea.php:37
    31673187#: widgets/time/time.php:40 widgets/url/url.php:37
    31683188msgid "Content"
    31693189msgstr ""
    31703190
    31713191#: widgets/button/button.php:52
    31723192msgid "Hidden"
    31733193msgstr ""
    31743194
    31753195#: widgets/button/button.php:65
    31763196msgid "Button"
    31773197msgstr ""
    31783198
    31793199#: widgets/button/button.php:92
    31803200msgid "Shadow"
    31813201msgstr ""
    31823202
    31833203#: widgets/checkbox/checkbox.php:25 widgets/checkbox/checkbox.php:247
    31843204#: widgets/gdpr-consent/gdpr-consent.php:291
    31853205#: widgets/listing-optin/listing-optin.php:132
    31863206msgid "Checkbox"
    31873207msgstr ""
    31883208
    31893209#: widgets/checkbox/checkbox.php:77 widgets/gdpr-consent/gdpr-consent.php:57
    31903210msgid "Checkbox option display style. "
    31913211msgstr ""
    31923212
    31933213#: widgets/checkbox/checkbox.php:87 widgets/gdpr-consent/gdpr-consent.php:67
    31943214#: widgets/listing-optin/listing-optin.php:50
    31953215msgid "After Checkbox"
    31963216msgstr ""
    31973217
    31983218#: widgets/checkbox/checkbox.php:88 widgets/gdpr-consent/gdpr-consent.php:68
    31993219#: widgets/listing-optin/listing-optin.php:51
    32003220msgid "Before Checkbox"
    32013221msgstr ""
    32023222
    32033223#: widgets/checkbox/checkbox.php:91 widgets/gdpr-consent/gdpr-consent.php:71
    32043224#: widgets/listing-optin/listing-optin.php:54 widgets/radio/radio.php:95
    32053225msgid "Where do you want to label?"
    32063226msgstr ""
    32073227
    32083228#: widgets/checkbox/checkbox.php:99 widgets/gdpr-consent/gdpr-consent.php:77
    32093229#: widgets/listing-optin/listing-optin.php:60
    32103230msgid "Checkbox Option Text"
    32113231msgstr ""
    32123232
    32133233#: widgets/checkbox/checkbox.php:113 widgets/radio/radio.php:117
    32143234msgid "Select option value that will be store/mail to desired person."
    32153235msgstr ""
    32163236
    32173237#: widgets/checkbox/checkbox.php:122 widgets/radio/radio.php:126
    32183238#: widgets/rating/rating.php:190 widgets/switch/switch.php:239
    32193239msgid "Active"
    32203240msgstr ""
    32213241
    32223242#: widgets/checkbox/checkbox.php:123 widgets/multi-select/multi-select.php:84
    32233243#: widgets/radio/radio.php:127 widgets/select/select.php:85
    32243244msgid "Disable"
    32253245msgstr ""
    32263246
    32273247#: widgets/checkbox/checkbox.php:127 widgets/multi-select/multi-select.php:86
    32283248#: widgets/radio/radio.php:131 widgets/select/select.php:87
    32293249msgid ""
    32303250"Want to make a option? which user can see the option but can't select it. "
    32313251"make it disable."
    32323252msgstr ""
    32333253
    32343254#: widgets/checkbox/checkbox.php:140 widgets/multi-select/multi-select.php:99
    32353255#: widgets/radio/radio.php:144 widgets/select/select.php:100
    32363256msgid "Make this option default selected"
    32373257msgstr ""
    32383258
    32393259#: widgets/checkbox/checkbox.php:147
    32403260msgid "Checkbox Options"
    32413261msgstr ""
    32423262
    32433263#: widgets/checkbox/checkbox.php:190 widgets/date/date.php:130
    32443264#: widgets/file-upload/file-upload.php:106
    32453265#: widgets/gdpr-consent/gdpr-consent.php:103
    32463266#: widgets/listing-optin/listing-optin.php:84
    32473267#: widgets/multi-select/multi-select.php:148 widgets/radio/radio.php:194
    32483268#: widgets/range/range.php:58 widgets/rating/rating.php:58
    32493269#: widgets/select/select.php:211 widgets/summary/summary.php:58
    32503270#: widgets/switch/switch.php:77 widgets/time/time.php:62 widgets/url/url.php:59
    32513271msgid "Validation Type"
    32523272msgstr ""
    32533273
    32543274#: widgets/checkbox/checkbox.php:304 widgets/checkbox/checkbox.php:329
    32553275#: widgets/gdpr-consent/gdpr-consent.php:348
    32563276#: widgets/gdpr-consent/gdpr-consent.php:373
    32573277#: widgets/listing-optin/listing-optin.php:189
    32583278#: widgets/listing-optin/listing-optin.php:214
    32593279msgid "Checkbox Color"
    32603280msgstr ""
    32613281
    32623282#: widgets/checkbox/checkbox.php:322 widgets/gdpr-consent/gdpr-consent.php:366
    32633283#: widgets/listing-optin/listing-optin.php:207 widgets/radio/radio.php:325
    32643284msgid "Checked"
    32653285msgstr ""
    32663286
    32673287#: widgets/checkbox/checkbox.php:349 widgets/gdpr-consent/gdpr-consent.php:393
    32683288#: widgets/listing-optin/listing-optin.php:234 widgets/radio/radio.php:352
    32693289msgid "Horizontal position of icon"
    32703290msgstr ""
    32713291
    32723292#: widgets/checkbox/checkbox.php:372 widgets/gdpr-consent/gdpr-consent.php:416
    32733293#: widgets/listing-optin/listing-optin.php:257
    32743294msgid "Add space after checkbox"
    32753295msgstr ""
    32763296
    32773297#: widgets/checkbox/checkbox.php:388 widgets/gdpr-consent/gdpr-consent.php:432
    32783298#: widgets/listing-optin/listing-optin.php:273 widgets/radio/radio.php:392
    32793299msgid "Typography for icon"
    32803300msgstr ""
    32813301
    32823302#: widgets/checkbox/checkbox.php:399 widgets/gdpr-consent/gdpr-consent.php:443
    32833303#: widgets/listing-optin/listing-optin.php:284 widgets/radio/radio.php:403
    32843304msgid "Typography for text"
    32853305msgstr ""
    32863306
    32873307#: widgets/checkbox/checkbox.php:411 widgets/date/date.php:495
    32883308#: widgets/email/email.php:199 widgets/file-upload/file-upload.php:426
    32893309#: widgets/gdpr-consent/gdpr-consent.php:454
    32903310#: widgets/listing-fname/listing-fname.php:119
    32913311#: widgets/listing-lname/listing-lname.php:119
    32923312#: widgets/listing-optin/listing-optin.php:295
    32933313#: widgets/multi-select/multi-select.php:226 widgets/number/number.php:117
    32943314#: widgets/password/password.php:117 widgets/radio/radio.php:415
    32953315#: widgets/range/range.php:230 widgets/rating/rating.php:286
    32963316#: widgets/select/select.php:524 widgets/simple-captcha/simple-captcha.php:313
    32973317#: widgets/summary/summary.php:108 widgets/switch/switch.php:284
    32983318#: widgets/telephone/telephone.php:117 widgets/text/text.php:136
    32993319#: widgets/textarea/textarea.php:141 widgets/time/time.php:141
    33003320#: widgets/url/url.php:127
    33013321msgid "Help Text"
    33023322msgstr ""
    33033323
    33043324#: widgets/date/date.php:24
    33053325msgid "Date"
    33063326msgstr ""
    33073327
    33083328#: widgets/date/date.php:41
    33093329msgid "Albanian"
    33103330msgstr ""
    33113331
    33123332#: widgets/date/date.php:42
    33133333msgid "Arabic"
    33143334msgstr ""
    33153335
    33163336#: widgets/date/date.php:43
    33173337msgid "Austria"
    33183338msgstr ""
    33193339
    33203340#: widgets/date/date.php:44
    33213341msgid "Azerbaijan"
    33223342msgstr ""
    33233343
    33243344#: widgets/date/date.php:45
    33253345msgid "Bangla"
    33263346msgstr ""
    33273347
    33283348#: widgets/date/date.php:46
    33293349msgid "Belarusian"
    33303350msgstr ""
    33313351
    33323352#: widgets/date/date.php:47
    33333353msgid "Bosnian"
    33343354msgstr ""
    33353355
    33363356#: widgets/date/date.php:48
    33373357msgid "Bulgarian"
    33383358msgstr ""
    33393359
    33403360#: widgets/date/date.php:49
    33413361msgid "Burmese"
    33423362msgstr ""
    33433363
    33443364#: widgets/date/date.php:50
    33453365msgid "Catalan"
    33463366msgstr ""
    33473367
    33483368#: widgets/date/date.php:51
    33493369msgid "Croatian"
    33503370msgstr ""
    33513371
    33523372#: widgets/date/date.php:52
    33533373msgid "Czech"
    33543374msgstr ""
    33553375
    33563376#: widgets/date/date.php:53
    33573377msgid "Danish"
    33583378msgstr ""
    33593379
    33603380#: widgets/date/date.php:54
    33613381msgid "Dutch"
    33623382msgstr ""
    33633383
    33643384#: widgets/date/date.php:55
    33653385msgid "English"
    33663386msgstr ""
    33673387
    33683388#: widgets/date/date.php:56
    33693389msgid "Esperanto"
    33703390msgstr ""
    33713391
    33723392#: widgets/date/date.php:57
    33733393msgid "Estonian"
    33743394msgstr ""
    33753395
    33763396#: widgets/date/date.php:58
    33773397msgid "Faroese"
    33783398msgstr ""
    33793399
    33803400#: widgets/date/date.php:59
    33813401msgid "Finnish"
    33823402msgstr ""
    33833403
    33843404#: widgets/date/date.php:60
    33853405msgid "French"
    33863406msgstr ""
    33873407
    33883408#: widgets/date/date.php:61
    33893409msgid "Georgian"
    33903410msgstr ""
    33913411
    33923412#: widgets/date/date.php:62
    33933413msgid "German"
    33943414msgstr ""
    33953415
    33963416#: widgets/date/date.php:63
    33973417msgid "Greek"
    33983418msgstr ""
    33993419
    34003420#: widgets/date/date.php:64
    34013421msgid "Hebrew"
    34023422msgstr ""
    34033423
    34043424#: widgets/date/date.php:65
    34053425msgid "Hindi"
    34063426msgstr ""
    34073427
    34083428#: widgets/date/date.php:66
    34093429msgid "Hungarian"
    34103430msgstr ""
    34113431
    34123432#: widgets/date/date.php:67
    34133433msgid "Icelandic"
    34143434msgstr ""
    34153435
    34163436#: widgets/date/date.php:68
    34173437msgid "Indonesian"
    34183438msgstr ""
    34193439
    34203440#: widgets/date/date.php:69
    34213441msgid "Italian"
    34223442msgstr ""
    34233443
    34243444#: widgets/date/date.php:70
    34253445msgid "Japanese"
    34263446msgstr ""
    34273447
    34283448#: widgets/date/date.php:71
    34293449msgid "Kazakh"
    34303450msgstr ""
    34313451
    34323452#: widgets/date/date.php:72
    34333453msgid "Khmer"
    34343454msgstr ""
    34353455
    34363456#: widgets/date/date.php:73
    34373457msgid "Korean"
    34383458msgstr ""
    34393459
    34403460#: widgets/date/date.php:74
    34413461msgid "Latvian"
    34423462msgstr ""
    34433463
    34443464#: widgets/date/date.php:75
    34453465msgid "Lithuanian"
    34463466msgstr ""
    34473467
    34483468#: widgets/date/date.php:76
    34493469msgid "Macedonian"
    34503470msgstr ""
    34513471
    34523472#: widgets/date/date.php:77
    34533473msgid "Malaysian"
    34543474msgstr ""
    34553475
    34563476#: widgets/date/date.php:78
    34573477msgid "Mandarin"
    34583478msgstr ""
    34593479
    34603480#: widgets/date/date.php:79
    34613481msgid "MandarinTraditional"
    34623482msgstr ""
    34633483
    34643484#: widgets/date/date.php:80
    34653485msgid "Mongolian"
    34663486msgstr ""
    34673487
    34683488#: widgets/date/date.php:81
    34693489msgid "Norwegian"
    34703490msgstr ""
    34713491
    34723492#: widgets/date/date.php:82
    34733493msgid "Persian"
    34743494msgstr ""
    34753495
    34763496#: widgets/date/date.php:83
    34773497msgid "Polish"
    34783498msgstr ""
    34793499
    34803500#: widgets/date/date.php:84
    34813501msgid "Portuguese"
    34823502msgstr ""
    34833503
    34843504#: widgets/date/date.php:85
    34853505msgid "Punjabi"
    34863506msgstr ""
    34873507
    34883508#: widgets/date/date.php:86
    34893509msgid "Romanian"
    34903510msgstr ""
    34913511
    34923512#: widgets/date/date.php:87
    34933513msgid "Russian"
    34943514msgstr ""
    34953515
    34963516#: widgets/date/date.php:88
    34973517msgid "Serbian"
    34983518msgstr ""
    34993519
    35003520#: widgets/date/date.php:89
    35013521msgid "SerbianCyrillic"
    35023522msgstr ""
    35033523
    35043524#: widgets/date/date.php:90
    35053525msgid "Sinhala"
    35063526msgstr ""
    35073527
    35083528#: widgets/date/date.php:91
    35093529msgid "Slovak"
    35103530msgstr ""
    35113531
    35123532#: widgets/date/date.php:92
    35133533msgid "Slovenian"
    35143534msgstr ""
    35153535
    35163536#: widgets/date/date.php:93
    35173537msgid "Spanish"
    35183538msgstr ""
    35193539
    35203540#: widgets/date/date.php:94
    35213541msgid "Swedish"
    35223542msgstr ""
    35233543
    35243544#: widgets/date/date.php:95
    35253545msgid "Thai"
    35263546msgstr ""
    35273547
    35283548#: widgets/date/date.php:96
    35293549msgid "Turkish"
    35303550msgstr ""
    35313551
    35323552#: widgets/date/date.php:97
    35333553msgid "Ukrainian"
    35343554msgstr ""
    35353555
    35363556#: widgets/date/date.php:98
    35373557msgid "Vietnamese"
    35383558msgstr ""
    35393559
    35403560#: widgets/date/date.php:99
    35413561msgid "Welsh"
    35423562msgstr ""
    35433563
    35443564#: widgets/date/date.php:139
    35453565msgid "Set current date as minimum date"
    35463566msgstr ""
    35473567
    35483568#: widgets/date/date.php:151
    35493569msgid "Set minimum date manually"
    35503570msgstr ""
    35513571
    35523572#: widgets/date/date.php:166
    35533573msgid "Set maximum date manually"
    35543574msgstr ""
    35553575
    35563576#: widgets/date/date.php:179
    35573577msgid "Disable date : "
    35583578msgstr ""
    35593579
    35603580#: widgets/date/date.php:190
    35613581msgid "Disable date List"
    35623582msgstr ""
    35633583
    35643584#: widgets/date/date.php:201
    35653585msgid "Range date input ?"
    35663586msgstr ""
    35673587
    35683588#: widgets/date/date.php:213
    35693589msgid "Year input ?"
    35703590msgstr ""
    35713591
    35723592#: widgets/date/date.php:225
    35733593msgid "Month input ?"
    35743594msgstr ""
    35753595
    35763596#: widgets/date/date.php:237
    35773597msgid "Date input ?"
    35783598msgstr ""
    35793599
    35803600#: widgets/date/date.php:249 widgets/date/date.php:296
    35813601#: widgets/date/date.php:330 widgets/date/date.php:364
    35823602msgid "Date format : "
    35833603msgstr ""
    35843604
    35853605#: widgets/date/date.php:253
    35863606msgid "YYYY-MM-DD"
    35873607msgstr ""
    35883608
    35893609#: widgets/date/date.php:254
    35903610msgid "DD-MM-YYYY"
    35913611msgstr ""
    35923612
    35933613#: widgets/date/date.php:255
    35943614msgid "MM-DD-YYYY"
    35953615msgstr ""
    35963616
    35973617#: widgets/date/date.php:256
    35983618msgid "YYYY.MM.DD"
    35993619msgstr ""
    36003620
    36013621#: widgets/date/date.php:257
    36023622msgid "DD.MM.YYYY"
    36033623msgstr ""
    36043624
    36053625#: widgets/date/date.php:258
    36063626msgid "MM.DD.YYYY"
    36073627msgstr ""
    36083628
    36093629#: widgets/date/date.php:285
    36103630msgid "Localization"
    36113631msgstr ""
    36123632
    36133633#: widgets/date/date.php:286
    36143634msgid "Language change will be shown on preview."
    36153635msgstr ""
    36163636
    36173637#: widgets/date/date.php:300
    36183638msgid "MM-DD"
    36193639msgstr ""
    36203640
    36213641#: widgets/date/date.php:301
    36223642msgid "DD-MM"
    36233643msgstr ""
    36243644
    36253645#: widgets/date/date.php:302
    36263646msgid "MM.DD"
    36273647msgstr ""
    36283648
    36293649#: widgets/date/date.php:303
    36303650msgid "DD.MM"
    36313651msgstr ""
    36323652
    36333653#: widgets/date/date.php:334
    36343654msgid "MM-YY"
    36353655msgstr ""
    36363656
    36373657#: widgets/date/date.php:335
    36383658msgid "YY-MM"
    36393659msgstr ""
    36403660
    36413661#: widgets/date/date.php:336
    36423662msgid "MM.YY"
    36433663msgstr ""
    36443664
    36453665#: widgets/date/date.php:337
    36463666msgid "YY.MM"
    36473667msgstr ""
    36483668
    36493669#: widgets/date/date.php:368
    36503670msgid "DD-YY"
    36513671msgstr ""
    36523672
    36533673#: widgets/date/date.php:369
    36543674msgid "YY-DD"
    36553675msgstr ""
    36563676
    36573677#: widgets/date/date.php:370
    36583678msgid "DD.YY"
    36593679msgstr ""
    36603680
    36613681#: widgets/date/date.php:371
    36623682msgid "YY.DD"
    36633683msgstr ""
    36643684
    36653685#: widgets/date/date.php:398
    36663686msgid "Want to input time with it ?"
    36673687msgstr ""
    36683688
    36693689#: widgets/date/date.php:410
    36703690msgid "Enable time 24hr?"
    36713691msgstr ""
    36723692
    36733693#: widgets/date/date.php:460 widgets/email/email.php:118
    36743694#: widgets/file-upload/file-upload.php:227
    36753695#: widgets/listing-fname/listing-fname.php:95
    36763696#: widgets/listing-lname/listing-lname.php:95
    36773697#: widgets/multi-select/multi-select.php:202 widgets/number/number.php:93
    36783698#: widgets/password/password.php:93 widgets/rating/rating.php:115
    36793699#: widgets/summary/summary.php:96 widgets/switch/switch.php:124
    36803700#: widgets/telephone/telephone.php:93 widgets/text/text.php:112
    36813701#: widgets/textarea/textarea.php:94 widgets/time/time.php:117
    36823702#: widgets/url/url.php:103
    36833703msgid "Input"
    36843704msgstr ""
    36853705
    36863706#: widgets/date/date.php:471
    36873707msgid "Calendar Typography"
    36883708msgstr ""
    36893709
    36903710#: widgets/date/date.php:483 widgets/email/email.php:130
    36913711#: widgets/listing-fname/listing-fname.php:107
    36923712#: widgets/listing-lname/listing-lname.php:107
    36933713#: widgets/multi-select/multi-select.php:214 widgets/number/number.php:105
    36943714#: widgets/password/password.php:105 widgets/select/select.php:512
    36953715#: widgets/simple-captcha/simple-captcha.php:328
    36963716#: widgets/telephone/telephone.php:105 widgets/text/text.php:124
    36973717#: widgets/textarea/textarea.php:129 widgets/time/time.php:129
    36983718#: widgets/url/url.php:115
    36993719msgid "Place Holder"
    37003720msgstr ""
    37013721
    37023722#: widgets/email/email.php:21
    37033723msgid "Email"
    37043724msgstr ""
    37053725
    37063726#: widgets/email/email.php:53
    37073727msgid "Show Logged in Email"
    37083728msgstr ""
    37093729
    37103730#: widgets/email/email.php:142
    37113731msgid "Error Message"
    37123732msgstr ""
    37133733
    37143734#: widgets/email/email.php:227
    37153735msgid "Please enter a valid Email address"
    37163736msgstr ""
    37173737
    37183738#: widgets/file-upload/file-upload.php:16
    37193739msgid "File Upload"
    37203740msgstr ""
    37213741
    37223742#: widgets/file-upload/file-upload.php:47
    37233743msgid "Choose file Text"
    37243744msgstr ""
    37253745
    37263746#: widgets/file-upload/file-upload.php:55
    37273747msgid "No file chosen Text"
    37283748msgstr ""
    37293749
    37303750#: widgets/file-upload/file-upload.php:64
    37313751msgid "File Upload Icon:"
    37323752msgstr ""
    37333753
    37343754#: widgets/file-upload/file-upload.php:73
    37353755msgid "File Upload Icon Position"
    37363756msgstr ""
    37373757
    37383758#: widgets/file-upload/file-upload.php:115
    37393759msgid "Enable Multiple File Upload : "
    37403760msgstr ""
    37413761
    37423762#: widgets/file-upload/file-upload.php:126
    37433763msgid "File Size Limit : "
    37443764msgstr ""
    37453765
    37463766#: widgets/file-upload/file-upload.php:137
    37473767msgid "Maximum File Size (KB) : "
    37483768msgstr ""
    37493769
    37503770#: widgets/file-upload/file-upload.php:149
    37513771msgid "File Types : "
    37523772msgstr ""
    37533773
    37543774#: widgets/file-upload/file-upload.php:153
    37553775msgid ".jpg"
    37563776msgstr ""
    37573777
    37583778#: widgets/file-upload/file-upload.php:154
    37593779msgid ".jpeg"
    37603780msgstr ""
    37613781
    37623782#: widgets/file-upload/file-upload.php:155
    37633783msgid ".gif"
    37643784msgstr ""
    37653785
    37663786#: widgets/file-upload/file-upload.php:156
    37673787msgid ".png"
    37683788msgstr ""
    37693789
    37703790#: widgets/file-upload/file-upload.php:157
    37713791msgid ".ico"
    37723792msgstr ""
    37733793
    37743794#: widgets/file-upload/file-upload.php:158
    37753795msgid ".pdf"
    37763796msgstr ""
    37773797
    37783798#: widgets/file-upload/file-upload.php:159
    37793799msgid ".doc"
    37803800msgstr ""
    37813801
    37823802#: widgets/file-upload/file-upload.php:160
    37833803msgid ".docx"
    37843804msgstr ""
    37853805
    37863806#: widgets/file-upload/file-upload.php:161
    37873807msgid ".ppt"
    37883808msgstr ""
    37893809
    37903810#: widgets/file-upload/file-upload.php:162
    37913811msgid ".pptx"
    37923812msgstr ""
    37933813
    37943814#: widgets/file-upload/file-upload.php:163
    37953815msgid ".pps"
    37963816msgstr ""
    37973817
    37983818#: widgets/file-upload/file-upload.php:164
    37993819msgid ".ppsx"
    38003820msgstr ""
    38013821
    38023822#: widgets/file-upload/file-upload.php:165
    38033823msgid ".odt"
    38043824msgstr ""
    38053825
    38063826#: widgets/file-upload/file-upload.php:166
    38073827msgid ".xls"
    38083828msgstr ""
    38093829
    38103830#: widgets/file-upload/file-upload.php:167
    38113831msgid ".xlsx"
    38123832msgstr ""
    38133833
    38143834#: widgets/file-upload/file-upload.php:168
    38153835msgid ".psd"
    38163836msgstr ""
    38173837
    38183838#: widgets/file-upload/file-upload.php:169
    38193839msgid ".mp3"
    38203840msgstr ""
    38213841
    38223842#: widgets/file-upload/file-upload.php:170
    38233843msgid ".m4a"
    38243844msgstr ""
    38253845
    38263846#: widgets/file-upload/file-upload.php:171
    38273847msgid ".ogg"
    38283848msgstr ""
    38293849
    38303850#: widgets/file-upload/file-upload.php:172
    38313851msgid ".wav"
    38323852msgstr ""
    38333853
    38343854#: widgets/file-upload/file-upload.php:173
    38353855msgid ".mp4"
    38363856msgstr ""
    38373857
    38383858#: widgets/file-upload/file-upload.php:174
    38393859msgid ".m4v"
    38403860msgstr ""
    38413861
    38423862#: widgets/file-upload/file-upload.php:175
    38433863msgid ".mov"
    38443864msgstr ""
    38453865
    38463866#: widgets/file-upload/file-upload.php:176
    38473867msgid ".wmv"
    38483868msgstr ""
    38493869
    38503870#: widgets/file-upload/file-upload.php:177
    38513871msgid ".avi"
    38523872msgstr ""
    38533873
    38543874#: widgets/file-upload/file-upload.php:178
    38553875msgid ".mpg"
    38563876msgstr ""
    38573877
    38583878#: widgets/file-upload/file-upload.php:179
    38593879msgid ".ogv"
    38603880msgstr ""
    38613881
    38623882#: widgets/file-upload/file-upload.php:180
    38633883msgid ".3gp"
    38643884msgstr ""
    38653885
    38663886#: widgets/file-upload/file-upload.php:181
    38673887msgid ".3g2"
    38683888msgstr ""
    38693889
    38703890#: widgets/file-upload/file-upload.php:182
    38713891msgid ".zip"
    38723892msgstr ""
    38733893
    38743894#: widgets/file-upload/file-upload.php:183
    38753895msgid ".csv"
    38763896msgstr ""
    38773897
    38783898#: widgets/file-upload/file-upload.php:184
    38793899msgid ".stp"
    38803900msgstr ""
    38813901
    38823902#: widgets/file-upload/file-upload.php:185
    38833903msgid ".stl"
    38843904msgstr ""
    38853905
    38863906#: widgets/file-upload/file-upload.php:237
    38873907msgid "Icon Size"
    38883908msgstr ""
    38893909
    38903910#: widgets/file-upload/file-upload.php:265
    38913911msgid "Icon Spacing"
    38923912msgstr ""
    38933913
    38943914#: widgets/file-upload/file-upload.php:280
    38953915msgid "File Name:"
    38963916msgstr ""
    38973917
    38983918#: widgets/file-upload/file-upload.php:294
    38993919msgid "Bottom"
    39003920msgstr ""
    39013921
    39023922#: widgets/file-upload/file-upload.php:465
    39033923msgid "Invalid file extension"
    39043924msgstr ""
    39053925
    39063926#: widgets/form-basic.php:12
    39073927msgid "MetForm Basic"
    39083928msgstr ""
    39093929
    39103930#: widgets/form-basic.php:58
    39113931msgid "Select Form : "
    39123932msgstr ""
    39133933
    39143934#: widgets/form.php:63
    39153935msgid "Select Form: "
    39163936msgstr ""
    39173937
    39183938#: widgets/gdpr-consent/gdpr-consent.php:16
    39193939msgid "GDPR Consent"
    39203940msgstr ""
    39213941
    39223942#: widgets/gdpr-consent/gdpr-consent.php:82
    39233943#: widgets/listing-optin/listing-optin.php:64
    39243944msgid "Select option name that will be show to user."
    39253945msgstr ""
    39263946
    39273947#: widgets/gdpr-consent/gdpr-consent.php:122
    39283948#: widgets/listing-optin/listing-optin.php:103
    39293949msgid "Input Label"
    39303950msgstr ""
    39313951
    39323952#: widgets/listing-fname/listing-fname.php:16
    39333953msgid "First Name (Listing)"
    39343954msgstr ""
    39353955
    39363956#: widgets/listing-lname/listing-lname.php:16
    39373957msgid "Last Name (Listing)"
    39383958msgstr ""
    39393959
    39403960#: widgets/listing-optin/listing-optin.php:16
    39413961msgid "Opt in ( Listing )"
    39423962msgstr ""
    39433963
    39443964#: widgets/listing-optin/listing-optin.php:62
    39453965msgid "Subscribe to ours newsletter."
    39463966msgstr ""
    39473967
    39483968#: widgets/multi-select/multi-select.php:17
    39493969msgid "Multi Select"
    39503970msgstr ""
    39513971
    39523972#: widgets/multi-select/multi-select.php:60 widgets/select/select.php:60
    39533973msgid "Input Field Text"
    39543974msgstr ""
    39553975
    39563976#: widgets/multi-select/multi-select.php:64 widgets/select/select.php:64
    39573977msgid "Select list text that will be show to user."
    39583978msgstr ""
    39593979
    39603980#: widgets/multi-select/multi-select.php:69 widgets/select/select.php:70
    39613981msgid "Input Field Value"
    39623982msgstr ""
    39633983
    39643984#: widgets/multi-select/multi-select.php:106
    39653985msgid "Multi Select List"
    39663986msgstr ""
    39673987
    39683988#: widgets/number/number.php:16
    39693989msgid "Number"
    39703990msgstr ""
    39713991
    39723992#: widgets/password/password.php:16
    39733993msgid "Password"
    39743994msgstr ""
    39753995
    39763996#: widgets/radio/radio.php:25 widgets/radio/radio.php:251
    39773997msgid "Radio"
    39783998msgstr ""
    39793999
    39804000#: widgets/radio/radio.php:81
    39814001msgid "Radio option display style."
    39824002msgstr ""
    39834003
    39844004#: widgets/radio/radio.php:91
    39854005msgid "After Radio"
    39864006msgstr ""
    39874007
    39884008#: widgets/radio/radio.php:92
    39894009msgid "Before Radio"
    39904010msgstr ""
    39914011
    39924012#: widgets/radio/radio.php:103
    39934013msgid "Radio Option Text"
    39944014msgstr ""
    39954015
    39964016#: widgets/radio/radio.php:151
    39974017msgid "Radio Options"
    39984018msgstr ""
    39994019
    40004020#: widgets/radio/radio.php:307 widgets/radio/radio.php:332
    40014021msgid "Radio Color"
    40024022msgstr ""
    40034023
    40044024#: widgets/radio/radio.php:376
    40054025msgid "Add space after radio"
    40064026msgstr ""
    40074027
    40084028#: widgets/range/range.php:16
    40094029msgid "Range Slider"
    40104030msgstr ""
    40114031
    40124032#: widgets/range/range.php:88
    40134033msgid "Steps"
    40144034msgstr ""
    40154035
    40164036#: widgets/range/range.php:97
    40174037msgid "Dual range input:"
    40184038msgstr ""
    40194039
    40204040#: widgets/range/range.php:110
    40214041msgid ""
    40224042"<strong>Important Note : </strong> For taking dual range input, You have to "
    40234043"enter dual default value in the field Value (Exactly bottom of this notice "
    40244044"field. ). Example: Min:10, Max:20"
    40254045msgstr ""
    40264046
    40274047#: widgets/range/range.php:121
    40284048msgid "Value"
    40294049msgstr ""
    40304050
    40314051#: widgets/range/range.php:164
    40324052msgid "Range"
    40334053msgstr ""
    40344054
    40354055#: widgets/range/range.php:176
    40364056msgid "Counter"
    40374057msgstr ""
    40384058
    40394059#: widgets/range/range.php:199 widgets/switch/switch.php:149
    40404060#: widgets/textarea/textarea.php:102
    40414061msgid "Height"
    40424062msgstr ""
    40434063
    40444064#: widgets/rating/rating.php:16
    40454065msgid "Rating"
    40464066msgstr ""
    40474067
    40484068#: widgets/rating/rating.php:67
    40494069msgid "Number of rating star : "
    40504070msgstr ""
    40514071
    40524072#: widgets/recaptcha/recaptcha.php:13
    40534073msgid "reCAPTCHA"
    40544074msgstr ""
    40554075
    40564076#: widgets/recaptcha/recaptcha.php:44
    40574077msgid "reCAPTCHA configure: "
    40584078msgstr ""
    40594079
    40604080#: widgets/recaptcha/recaptcha.php:54
    40614081msgid "Add Extra Class Name : "
    40624082msgstr ""
    40634083
    40644084#: widgets/recaptcha/recaptcha.php:107
    40654085msgid "reCAPTCHA is required."
    40664086msgstr ""
    40674087
    40684088#: widgets/recaptcha/recaptcha.php:145 widgets/recaptcha/recaptcha.php:180
    40694089msgid "reCAPTCHA will be shown on preview."
    40704090msgstr ""
    40714091
    40724092#: widgets/select/select.php:17 widgets/select/select.php:266
    40734093msgid "Select"
    40744094msgstr ""
    40754095
    40764096#: widgets/select/select.php:110
    40774097msgid "Custom"
    40784098msgstr ""
    40794099
    40804100#: widgets/select/select.php:111
    40814101msgid "CSV File"
    40824102msgstr ""
    40834103
    40844104#: widgets/select/select.php:120
    40854105msgid "Dropdown List"
    40864106msgstr ""
    40874107
    40884108#: widgets/select/select.php:152
    40894109msgid "File Type"
    40904110msgstr ""
    40914111
    40924112#: widgets/select/select.php:155
    40934113msgid "Upload File"
    40944114msgstr ""
    40954115
    40964116#: widgets/select/select.php:156
    40974117msgid "Remote File URL"
    40984118msgstr ""
    40994119
    41004120#: widgets/select/select.php:168
    41014121msgid "Upload CSV File"
    41024122msgstr ""
    41034123
    41044124#: widgets/select/select.php:169 widgets/select/select.php:183
    41054125msgid "CSV file must have format like: Label, Value, true/false(optional)"
    41064126msgstr ""
    41074127
    41084128#: widgets/select/select.php:182
    41094129msgid "Enter a CSV File URL"
    41104130msgstr ""
    41114131
    41124132#: widgets/select/select.php:278
    41134133msgid "Options Wrapper"
    41144134msgstr ""
    41154135
    41164136#: widgets/select/select.php:333
    41174137msgid "Option"
    41184138msgstr ""
    41194139
    41204140#: widgets/select/select.php:473
    41214141msgid "Selected"
    41224142msgstr ""
    41234143
    41244144#: widgets/select/select.php:633
    41254145msgid ""
    41264146"Your CSV data is not formatted properly. CSV file must have format like: "
    41274147"Label, Value, true/false(optional) default true"
    41284148msgstr ""
    41294149
    41304150#: widgets/simple-captcha/simple-captcha.php:22
    41314151msgid "Simple Captcha"
    41324152msgstr ""
    41334153
    41344154#: widgets/simple-captcha/simple-captcha.php:62
    41354155msgid "Label Position"
    41364156msgstr ""
    41374157
    41384158#: widgets/simple-captcha/simple-captcha.php:83
    41394159msgid "Input captcha display"
    41404160msgstr ""
    41414161
    41424162#: widgets/simple-captcha/simple-captcha.php:87
    41434163msgid "Block"
    41444164msgstr ""
    41454165
    41464166#: widgets/simple-captcha/simple-captcha.php:88
    41474167msgid "Inline"
    41484168msgstr ""
    41494169
    41504170#: widgets/simple-captcha/simple-captcha.php:90
    41514171msgid "Select input and captcha display property."
    41524172msgstr ""
    41534173
    41544174#: widgets/simple-captcha/simple-captcha.php:263
    41554175msgid "Refresh Captcha"
    41564176msgstr ""
    41574177
    41584178#: widgets/simple-captcha/simple-captcha.php:357
    41594179msgid "Captcha didn't matched."
    41604180msgstr ""
    41614181
    41624182#: widgets/simple-captcha/simple-captcha.php:393
    41634183msgid "Entry captcha from the picture"
    41644184msgstr ""
    41654185
    41664186#: widgets/summary/summary.php:16
    41674187msgid "Summary"
    41684188msgstr ""
    41694189
    41704190#: widgets/summary/summary.php:149
    41714191msgid "Summary will be shown on preview."
    41724192msgstr ""
    41734193
    41744194#: widgets/switch/switch.php:16
    41754195msgid "Switch"
    41764196msgstr ""
    41774197
    41784198#: widgets/switch/switch.php:46
    41794199msgid "Active Text"
    41804200msgstr ""
    41814201
    41824202#: widgets/switch/switch.php:55
    41834203msgid "Inactive Text"
    41844204msgstr ""
    41854205
    41864206#: widgets/switch/switch.php:165
    41874207msgid "Input Active Color"
    41884208msgstr ""
    41894209
    41904210#: widgets/switch/switch.php:185
    41914211msgid "Active and Inactive Text:"
    41924212msgstr ""
    41934213
    41944214#: widgets/switch/switch.php:197
    41954215msgid "Inactive"
    41964216msgstr ""
    41974217
    41984218#: widgets/telephone/telephone.php:16
    41994219msgid "Telephone"
    42004220msgstr ""
    42014221
    42024222#: widgets/text/text.php:17
    42034223msgid "Text"
    42044224msgstr ""
    42054225
    42064226#: widgets/textarea/textarea.php:17
    42074227msgid "Textarea"
    42084228msgstr ""
    42094229
    42104230#: widgets/time/time.php:20
    42114231msgid "Time"
    42124232msgstr ""
    42134233
    42144234#: widgets/time/time.php:71
    42154235msgid "Use time 24H"
    42164236msgstr ""
    42174237
    42184238#: widgets/url/url.php:16
    42194239msgid "URL"
    42204240msgstr ""
    42214241
    42224242#: widgets/url/url.php:153
    42234243msgid "Please enter a valid URL"
    42244244msgstr ""
    42254245
    42264246#: widgets/widget-notice.php:18
    42274247msgid "Go Pro for More Features"
    42284248msgstr ""
    42294249
    42304250#: widgets/widget-notice.php:25
    42314251msgid "Unlock more possibilities"
    42324252msgstr ""
    42334253
    42344254#. Plugin URI of the plugin/theme
    42354255msgid "http://products.wpmet.com/metform/"
    42364256msgstr ""
    42374257
    42384258#. Description of the plugin/theme
    42394259msgid "Most flexible and design friendly form builder for Elementor"
    42404260msgstr ""
    42414261
    42424262#. Author of the plugin/theme
    42434263msgid "Wpmet"
    42444264msgstr ""
    42454265
    42464266#. Author URI of the plugin/theme
    42474267msgid "https://wpmet.com"
    42484268msgstr ""
    42494269
    42504270#: core/entries/cpt.php:14
    42514271msgctxt "Post Type General Name"
    42524272msgid "Entries"
    42534273msgstr ""
    42544274
    42554275#: core/forms/cpt.php:472
    42564276msgctxt "Post Type General Name"
    42574277msgid "Forms"
    42584278msgstr ""
    42594279
    42604280#: core/entries/cpt.php:15
    42614281msgctxt "Post Type Singular Name"
    42624282msgid "Entry"
    42634283msgstr ""
    42644284
    42654285#: core/forms/cpt.php:473
    42664286msgctxt "Post Type Singular Name"
    42674287msgid "Form"
    42684288msgstr ""
    42694289
    42704290#: traits/button-controls.php:262
    42714291msgctxt "Border Control"
    42724292msgid "Border Type"
    42734293msgstr ""
    42744294
    42754295#: traits/button-controls.php:266
    42764296msgctxt "Border Control"
    42774297msgid "Solid"
    42784298msgstr ""
    42794299
    42804300#: traits/button-controls.php:267
    42814301msgctxt "Border Control"
    42824302msgid "Double"
    42834303msgstr ""
    42844304
    42854305#: traits/button-controls.php:268
    42864306msgctxt "Border Control"
    42874307msgid "Dotted"
    42884308msgstr ""
    42894309
    42904310#: traits/button-controls.php:269
    42914311msgctxt "Border Control"
    42924312msgid "Dashed"
    42934313msgstr ""
    42944314
    42954315#: traits/button-controls.php:270
    42964316msgctxt "Border Control"
    42974317msgid "Groove"
    42984318msgstr ""
    42994319
    43004320#: traits/button-controls.php:282
    43014321msgctxt "Border Control"
    43024322msgid "Width"
    43034323msgstr ""
    43044324
    43054325#: traits/button-controls.php:308 traits/button-controls.php:331
    43064326msgctxt "Border Control"
    43074327msgid "Color"
    43084328msgstr ""
  • metform/trunk/metform.php

    r2896914 r2907471  
    11<?php
    22/**
    33 * Plugin Name: MetForm
    44 * Plugin URI:  http://products.wpmet.com/metform/
    55 * Description: Most flexible and design friendly form builder for Elementor
    6  * Version: 3.3.0
     6 * Version: 3.3.1
    77 * Author: Wpmet
    88 * Author URI:  https://wpmet.com
    99 * Text Domain: metform
    1010 * Domain Path: /languages
    1111 * License:  GPL-2.0+
    1212 * License URI: http://www.gnu.org/licenses/gpl-2.0.txt
    1313 */
    1414
    1515defined( 'ABSPATH' ) || exit;
    1616
    1717require_once plugin_dir_path( __FILE__ ) . 'utils/notice/notice.php';
    1818require_once plugin_dir_path( __FILE__ ) . 'utils/banner/banner.php';
    1919
    2020require_once plugin_dir_path( __FILE__ ) . 'utils/stories/stories.php';
    2121require_once plugin_dir_path( __FILE__ ) . 'utils/pro-awareness/pro-awareness.php';
    2222require_once plugin_dir_path( __FILE__ ) . 'utils/rating/rating.php';
    2323
    2424require plugin_dir_path( __FILE__ ) .'autoloader.php';
    2525require plugin_dir_path( __FILE__ ) .'plugin.php';
    2626
    2727// init notice class
    2828\Oxaim\Libs\Notice::init();
    2929// \Wpmet\Rating\Rating::init();
    3030\Wpmet\Libs\Pro_Awareness::init();
    3131
    3232
    3333register_activation_hook( __FILE__, [ MetForm\Plugin::instance(), 'flush_rewrites'] );
    3434
    3535add_action( 'plugins_loaded', function(){
    3636    do_action('metform/before_load');
    3737    MetForm\Plugin::instance()->init();
    3838    do_action('metform/after_load');
    3939}, 111);
    4040
    4141
    4242// Added Date: 20/07/2022
    4343add_action('plugins_loaded', function(){
    4444    if(class_exists('MetForm_Pro\Core\Integrations\Crm\Hubspot\Integration')){
    4545        return;
    4646    }
    4747    require trailingslashit(plugin_dir_path(__FILE__)) . "core/integrations/crm/hubspot/loader.php";
    4848}, 222);
  • metform/trunk/plugin.php

    r2896914 r2907471  
    11<?php
    22
    33namespace MetForm;
    44
    55use MetForm\Core\Integrations\Onboard\Attr;
    66use MetForm\Core\Integrations\Onboard\Onboard;
    77
    88defined('ABSPATH') || exit;
    99
    1010final class Plugin {
    1111
    1212    private static $instance;
    1313
    1414    private $entries;
    1515    private $global_settings;
    1616
    1717    public function __construct()
    1818    {
    1919        Autoloader::run();
    2020       add_action( 'wp_head', array( $this, 'add_meta_for_search_excluded' ) );
    2121       add_action( 'init', array ($this, 'permalink_setup'));
    2222    }
    2323
    2424    public function version()
    2525    {
    26         return '3.3.0';
     26        return '3.3.1';
    2727    }
    2828
    2929    public function package_type()
    3030    {
    3131        return apply_filters( 'metform/core/package_type', 'free' );
    3232    }
    3333
    3434    public function plugin_url()
    3535    {
    3636        return trailingslashit(plugin_dir_url(__FILE__));
    3737    }
    3838
    3939    public function plugin_dir()
    4040    {
    4141        return trailingslashit(plugin_dir_path(__FILE__));
    4242    }
    4343
    4444    public function core_url()
    4545    {
    4646        return $this->plugin_url() . 'core/';
    4747    }
    4848
    4949    public function core_dir()
    5050    {
    5151        return $this->plugin_dir() . 'core/';
    5252    }
    5353
    5454    public function base_url()
    5555    {
    5656        return $this->plugin_url() . 'base/';
    5757    }
    5858
    5959    public function base_dir()
    6060    {
    6161        return $this->plugin_dir() . 'base/';
    6262    }
    6363
    6464    public function utils_url()
    6565    {
    6666        return $this->plugin_url() . 'utils/';
    6767    }
    6868
    6969    public function utils_dir()
    7070    {
    7171        return $this->plugin_dir() . 'utils/';
    7272    }
    7373
    7474    public function widgets_url()
    7575    {
    7676        return $this->plugin_url() . 'widgets/';
    7777    }
    7878
    7979    public function widgets_dir()
    8080    {
    8181        return $this->plugin_dir() . 'widgets/';
    8282    }
    8383
    8484    public function public_url()
    8585    {
    8686        return $this->plugin_url() . 'public/';
    8787    }
    8888
    8989    public function public_dir()
    9090    {
    9191        return $this->plugin_dir() . 'public/';
    9292    }
    9393
    9494    public function account_url(){
    9595        return 'https://account.wpmet.com';
    9696    }
    9797
    9898    public function i18n()
    9999    {
    100100        load_plugin_textdomain('metform', false, dirname(plugin_basename(__FILE__)) . '/languages/');
    101101    }
    102102
    103103    public function init()
    104104    {
    105105        /**
    106106         * ----------------------------------------
    107107         *  Ask for rating ⭐⭐⭐⭐⭐
    108108         *  A rating notice will appear depends on
    109109         *  @set_first_appear_day methods
    110110         * ----------------------------------------
    111111         */
    112112        Onboard::instance()->init();
    113113
    114114        if(isset($_GET['met-onboard-steps']) && isset($_GET['met-onboard-steps-nonce']) && wp_verify_nonce(sanitize_text_field(wp_unslash($_GET['met-onboard-steps-nonce'])),'met-onboard-steps-action')) {
    115115            Attr::instance();
    116116        }
    117117
    118118        \Wpmet\Libs\Rating::instance('metform')
    119119            ->set_plugin_logo('https://ps.w.org/metform/assets/icon-128x128.png')
    120120            ->set_plugin('Metform', 'https://wpmet.com/wordpress.org/rating/metform')
    121121            ->set_allowed_screens('edit-metform-entry')
    122122            ->set_allowed_screens('edit-metform-form')
    123123            ->set_allowed_screens('metform_page_metform_get_help')
    124124            ->set_priority(30)
    125125            ->set_first_appear_day(7)
    126126            ->set_condition(true)
    127127            ->call();
    128128
    129129
    130130        $filter_string = ''; // elementskit,metform-pro
    131131        $filter_string .= ((!in_array('elementskit/elementskit.php', apply_filters('active_plugins', get_option('active_plugins')))) ? '' : ',elementskit');
    132132        $filter_string .= (!class_exists('\MetForm\Plugin') ? '' : ',metform');
    133133        $filter_string .= (!class_exists('\MetForm_Pro\Plugin') ? '' : ',metform-pro');
    134134
    135135        // banner
    136136        \Wpmet\Libs\Banner::instance('metform')
    137137            ->set_filter(ltrim($filter_string, ','))
    138138            ->set_api_url('https://api.wpmet.com/public/jhanda')
    139139            ->set_plugin_screens('edit-metform-form')
    140140            ->set_plugin_screens('edit-metform-entry')
    141141            ->set_plugin_screens('metform_page_metform-menu-settings')
    142142            ->call();
    143143
    144144
    145145
    146146        /**
    147147         * Show WPMET stories widget in dashboard
    148148         */
    149149        \Wpmet\Libs\Stories::instance('metform')
    150150
    151151            ->set_filter($filter_string)
    152152            ->set_plugin('Metform', 'https://wpmet.com/plugin/metform/')
    153153            ->set_api_url('https://api.wpmet.com/public/stories/')
    154154            ->call();
    155155
    156156        /**
    157157         * Pro awareness feature;
    158158         */
    159159
    160160        $is_pro_active = '';
    161161
    162162        if (!in_array('metform-pro/metform-pro.php', apply_filters('active_plugins', get_option('active_plugins')))) {
    163163            $is_pro_active = 'Go Premium';
    164164        }
    165165
    166166        $pro_awareness = \Wpmet\Libs\Pro_Awareness::instance('metform');
    167167        if(version_compare($pro_awareness->get_version(), '1.2.0', '>=')) {
    168168            $pro_awareness
    169169                ->set_parent_menu_slug('metform-menu')
    170170                ->set_pro_link(
    171171                    (in_array('metform-pro/metform-pro.php', apply_filters('active_plugins', get_option('active_plugins')))) ? '' :
    172172                        'https://wpmet.com/metform-pricing'
    173173                )
    174174                ->set_plugin_file('metform/metform.php')
    175175                ->set_default_grid_thumbnail($this->utils_url() . '/pro-awareness/assets/images/support.png')
    176176                ->set_page_grid([
    177177                    'url' => 'https://wpmet.com/fb-group',
    178178                    'title' => 'Join the Community',
    179179                    'thumbnail' => $this->utils_url() . '/pro-awareness/assets/images/community.png',
    180180                    'description' => 'Join our Facebook group to get 20% discount coupon on premium products. Follow us to get more exciting offers.'
    181181
    182182                ])
    183183                ->set_page_grid([
    184184                    'url' => 'https://www.youtube.com/playlist?list=PL3t2OjZ6gY8NoB_48DwWKUDRtBEuBOxSc',
    185185                    'title' => 'Video Tutorials',
    186186                    'thumbnail' => $this->utils_url() . '/pro-awareness/assets/images/videos.png',
    187187                    'description' => 'Learn the step by step process for developing your site easily from video tutorials.'
    188188                ])
    189189                ->set_page_grid([
    190190                    'url' => 'https://wpmet.com/plugin/metform/roadmaps#ideas',
    191191                    'title' => 'Request a feature',
    192192                    'thumbnail' => $this->utils_url() . '/pro-awareness/assets/images/request.png',
    193193                    'description' => 'Have any special feature in mind? Let us know through the feature request.'
    194194                ])
    195195                ->set_page_grid([
    196196                        'url'       => 'https://wpmet.com/doc/metform/',
    197197                        'title'     => 'Documentation',
    198198                        'thumbnail' => $this->utils_url() . 'pro-awareness/assets/images/documentation.png',
    199199                        'description' => 'Detailed documentation to help you understand the functionality of each feature.'
    200200                ])
    201201                ->set_page_grid([
    202202                        'url'       => 'https://wpmet.com/plugin/metform/roadmaps/',
    203203                        'title'     => 'Public Roadmap',
    204204                        'thumbnail' => $this->utils_url() . 'pro-awareness/assets/images/roadmaps.png',
    205205                        'description' => 'Check our upcoming new features, detailed development stories and tasks'
    206206                ])
    207207
    208208                // set wpmet products
    209209                ->set_products([
    210210                        'url'       => 'https://getgenie.ai/',
    211211                        'title'     => 'GetGenie',
    212212                        'thumbnail' =>  $this->core_url() . 'integrations/onboard/assets/images/products/getgenie-logo.svg',
    213213                        'description' => 'Your AI-Powered Content & SEO Assistant for WordPress',
    214214                ])
    215215                ->set_products([
    216216                        'url'       => 'https://wpmet.com/plugin/shopengine/',
    217217                        'title'     => 'ShopEngine',
    218218                        'thumbnail' => $this->core_url() . 'integrations/onboard/assets/images/products/shopengine-logo.svg',
    219219                        'description' => 'Complete WooCommerce Solution for Elementor',
    220220                ])
    221221                ->set_products([
    222222                        'url'       => 'https://wpmet.com/plugin/metform/',
    223223                        'title'     => 'MetForm',
    224224                        'thumbnail' => $this->core_url() . 'integrations/onboard/assets/images/products/metform-logo.svg',
    225225                        'description' => 'Most flexible drag-and-drop form builder'
    226226                ])
    227227                ->set_products([
    228228                        'url'       => 'https://wpmet.com/plugin/wp-social/',
    229229                        'title'     => 'WP Social',
    230230                        'thumbnail' => $this->core_url() . 'integrations/onboard/assets/images/products/wp-social-logo.svg',
    231231                        'description' => 'Integrate all your social media to your website'
    232232                ])
    233233                ->set_products([
    234234                        'url'       => 'https://wpmet.com/plugin/wp-ultimate-review/?ref=wpmet',
    235235                        'title'     => 'Ultimate Review',
    236236                        'thumbnail' => $this->core_url() . 'integrations/onboard/assets/images/products/ultimate-review-logo.svg',
    237237                        'description' => 'Integrate various styled review system in your website'
    238238                ])
    239239                ->set_products([
    240240                        'url'       => 'https://products.wpmet.com/crowdfunding/?ref=wpmet',
    241241                        'title'     => 'Fundraising & Donation Platform',
    242242                        'thumbnail' => $this->core_url() . 'integrations/onboard/assets/images/products/wp-fundraising-logo.svg',
    243243                        'description' => 'Enable donation system in your website'
    244244                ])
    245245
    246246                ->set_plugin_row_meta('Documentation', 'https://help.wpmet.com/docs-cat/metform/', ['target' => '_blank'])
    247247                ->set_plugin_row_meta('Facebook Community', 'https://wpmet.com/fb-group', ['target' => '_blank'])
    248248                ->set_plugin_row_meta('Rate the plugin ★★★★★', 'https://wordpress.org/support/plugin/metform/reviews/#new-post', ['target' => '_blank'])
    249249                ->set_plugin_action_link('Settings', admin_url() . 'admin.php?page=metform-menu-settings')
    250250                ->set_plugin_action_link($is_pro_active, 'https://wpmet.com/plugin/metform', ['target' => '_blank', 'style' => 'color: #FCB214; font-weight: bold;'])
    251251                ->call();
    252252        }
    253253
    254254
    255255
    256256        // Check if Elementor installed and activated.
    257257        if (!did_action('elementor/loaded')) {
    258258            $this->missing_elementor();
    259259            return;
    260260        }
    261261        // Check for required Elementor version.
    262262        if (!version_compare(ELEMENTOR_VERSION, '3.0.1', '>=')) {
    263263            $this->failed_elementor_version();
    264264            // add_action('admin_notices', array($this, 'failed_elementor_version'));
    265265            return;
    266266        }
    267267
    268268        // pro available notice
    269269        if (!file_exists(WP_PLUGIN_DIR . '/metform-pro/metform-pro.php')) {
    270270            $this->available_metform_pro();
    271271            // add_action('admin_notices', [$this, 'available_metform_pro']);
    272272        }
    273273
    274274        if (current_user_can('manage_options')) {
    275275            add_action('admin_menu', [$this, 'admin_menu']);
    276276        }
    277277
    278278        add_action('elementor/editor/before_enqueue_scripts', [$this, 'edit_view_scripts']);
    279279        add_action( 'elementor/editor/after_enqueue_scripts', [$this, 'metform_editor_script'] );
    280280
    281281        add_action('init', [$this, 'i18n']);
    282282
    283283        add_action('admin_enqueue_scripts', [$this, 'js_css_admin']);
    284284        add_action('wp_enqueue_scripts', [$this, 'js_css_public']);
    285285        add_action('elementor/frontend/before_enqueue_scripts', [$this, 'elementor_js']);
    286286
    287287        add_action('elementor/editor/before_enqueue_styles', [$this, 'elementor_css']);
    288288
    289289        add_action('admin_footer', [$this, 'footer_data']);
    290290
    291291        Core\Forms\Base::instance()->init();
    292292        Controls\Base::instance()->init();
    293293        $this->entries = Core\Entries\Base::instance();
    294294
    295295        Widgets\Manifest::instance()->init();
    296296
    297297        // settings page
    298298        Core\Admin\Base::instance()->init();
    299299
    300300        Core\Forms\Auto_Increment_Entry::instance();
    301301    }
    302302
    303303    function metform_editor_script(){
    304304            wp_enqueue_script('editor-panel-script', $this->public_url() . '/assets/js/editor-panel.js', ['jquery'], $this->version(), true);
    305305    }
    306306
    307307    function js_css_public()
    308308    {
    309309        $this->global_settings = \MetForm\Core\Admin\Base::instance()->get_settings_option();
    310310        $is_form_cpt = ('metform-form' === get_post_type());
    311311
    312312        wp_register_style('metform-ui', $this->public_url() . 'assets/css/metform-ui.css', false, $this->version());
    313313
    314314        wp_register_style('metform-style', $this->public_url() . 'assets/css/style.css', false, $this->version());
    315315
    316316        wp_register_script('htm', $this->public_url() . 'assets/js/htm.js', null, $this->version(), true);
    317317
    318318        wp_register_script('metform-app', $this->public_url() . 'assets/js/app.js', ['htm', 'jquery', 'wp-element'], $this->version(), true);
    319319
    320320        wp_localize_script('metform-app', 'mf', [
    321321            'postType' => get_post_type(),
    322322            'restURI' => get_rest_url(null, 'metform/v1/forms/views/'),
    323323        ]);
    324324
    325325        // Recaptcha Support Script.
    326326        wp_register_script( 'recaptcha-support', $this->public_url() . 'assets/js/recaptcha-support.js', ['jquery'], $this->version(), true );
    327327
    328328
    329329        // begins pro feature
    330330        // begins for mf-simple-repeater
    331331        wp_register_style('asRange', $this->public_url() . 'assets/css/asRange.min.css', false, $this->version());
    332332        wp_register_script('asRange', $this->public_url() . 'assets/js/jquery-asRange.min.js', [], $this->version(), true);
    333333
    334334        wp_register_style('mf-select2', $this->public_url() . 'assets/css/select2.min.css', false, $this->version());
    335335        wp_register_script('mf-select2', $this->public_url() . 'assets/js/select2.min.js', [], $this->version(), true);
    336336        // ends for mf-simple-repeater
    337337
    338338        wp_register_script('recaptcha-v2', 'https://google.com/recaptcha/api.js?render=explicit', [], null, true);
    339339
    340340        if (isset($this->global_settings['mf_recaptcha_version']) && ($this->global_settings['mf_recaptcha_version'] == 'recaptcha-v3') && isset($this->global_settings['mf_recaptcha_site_key_v3']) && ($this->global_settings['mf_recaptcha_site_key_v3'] != '')) {
    341341            wp_register_script('recaptcha-v3', 'https://www.google.com/recaptcha/api.js?render=' . $this->global_settings['mf_recaptcha_site_key_v3'], [], $this->version(), false);
    342342        }
    343343
    344344        if (isset($this->global_settings['mf_google_map_api_key']) && ($this->global_settings['mf_google_map_api_key'] != '')) {
    345345            wp_register_script('maps-api', 'https://maps.googleapis.com/maps/api/js?key=' . $this->global_settings['mf_google_map_api_key'] . '&libraries=places&&callback=mfMapLocation', [], '', true);
    346346        }
    347347
    348348        // for date, time, simple repeater
    349349        wp_deregister_style('flatpickr'); // flatpickr stylesheet
    350350        wp_register_style('flatpickr', $this->public_url() . 'assets/css/flatpickr.min.css', false, $this->version()); // flatpickr stylesheet
    351351        // ends pro feature
    352352
    353353
    354354        if($is_form_cpt){
    355355            wp_enqueue_style('metform-ui');
    356356            wp_enqueue_style('metform-style');
    357357            wp_enqueue_script('htm');
    358358            wp_enqueue_script('metform-app');
    359359        }
    360360
    361361        do_action('metform/onload/enqueue_scripts');
    362362    }
    363363
    364364    public function edit_view_scripts()
    365365    {
    366366        wp_enqueue_style('metform-ui', $this->public_url() . 'assets/css/metform-ui.css', false, $this->version());
    367367        wp_enqueue_style('metform-admin-style', $this->public_url() . 'assets/css/admin-style.css', false, null);
    368368
    369369
    370370        wp_enqueue_script('metform-ui', $this->public_url() . 'assets/js/ui.min.js', [], $this->version(), true);
    371371        wp_enqueue_script('metform-admin-script', $this->public_url() . 'assets/js/admin-script.js', [], null, true);
    372372
    373373        wp_add_inline_script('metform-admin-script', "
    374374            var metform_api = {
    375375                resturl: '" . get_rest_url() . "'
    376376            }
    377377        ");
    378378    }
    379379
    380380    public function elementor_js()
    381381    {
    382382    }
    383383
    384384    public function elementor_css()
    385385    {
    386386        if ('metform-form' == get_post_type()) {
    387387            wp_enqueue_style('metform-category-top', $this->public_url() . 'assets/css/category-top.css', false, $this->version());
    388388        }
    389389    }
    390390
    391391    function js_css_admin()
    392392    {
    393393        wp_enqueue_style( 'mf-wp-dashboard', $this->core_url() . 'admin/css/mf-wp-dashboard.css', [], $this->version() );
    394394
    395395        $screen = get_current_screen();
    396396
    397397        if (in_array($screen->id, ['edit-metform-form', 'metform_page_mt-form-settings', 'metform-entry', 'metform_page_metform-menu-settings'])) {
    398398            wp_enqueue_style('metform-admin-fonts', $this->public_url() . 'assets/admin-fonts.css', false, $this->version());
    399399            wp_enqueue_style('metform-ui', $this->public_url() . 'assets/css/metform-ui.css', false, $this->version());
    400400            wp_enqueue_style('metform-admin-style', $this->public_url() . 'assets/css/admin-style.css', false, null);
    401401
    402402            wp_enqueue_script('metform-ui', $this->public_url() . 'assets/js/ui.min.js', [], $this->version(), true);
    403403            wp_enqueue_script('metform-admin-script', $this->public_url() . 'assets/js/admin-script.js', [], null, true);
    404404            wp_localize_script('metform-admin-script', 'metform_api', ['resturl' => get_rest_url(), 'admin_url' => get_admin_url()]);
    405405        }
    406406
    407407        if ($screen->id == 'edit-metform-entry' || $screen->id == 'metform-entry') {
    408408            wp_enqueue_style('metform-ui', $this->public_url() . 'assets/css/metform-ui.css', false, $this->version());
    409409            wp_enqueue_script('metform-entry-script', $this->public_url() . 'assets/js/admin-entry-script.js', [], $this->version(), true);
    410410        }
    411411    }
    412412
    413413    /**
    414414     * Excluding Metform form from search engine.
    415415     *
    416416     */
    417417    public function add_meta_for_search_excluded() {
    418418        if ( in_array(get_post_type(), ['metform-form']) ) {
    419419            echo '<meta name="robots" content="noindex,nofollow" />', "\n";
    420420        }
    421421    }
    422422
    423423    public function footer_data()
    424424    {
    425425
    426426        $screen = get_current_screen();
    427427
    428428        if ($screen->id == 'edit-metform-entry') {
    429429            $args = [
    430430                'post_type'   => 'metform-form',
    431431                'post_status' => 'publish',
    432432                'numberposts' => -1,
    433433            ];
    434434
    435435            $forms = get_posts($args);
    436436            //phpcs:ignore WordPress.Security.NonceVerification -- Nonce can't be added in CPT URL
    437437            $get_form_id = isset($_GET['form_id']) ? sanitize_key($_GET['form_id']) : '';
    438438?>
    439439            <div id='metform-formlist' style='display:none;'><select name='mf_form_id' id='metform-form_id'>
    440440                <option value='all' <?php echo esc_attr(((($get_form_id == 'all') || ($get_form_id == '')) ? 'selected=selected' : '')); ?>>All</option>
    441441                <?php
    442442
    443443                foreach ($forms as $form) {
    444444                    $form_list[$form->ID] = $form->post_title;
    445445                    ?>
    446446                    <option value="<?php echo esc_attr($form->ID); ?>" <?php echo esc_attr(($get_form_id == $form->ID) ? 'selected=selected' : ''); ?>><?php echo esc_html($form->post_title); ?></option>
    447447        <?php
    448448                }
    449449            echo "</select></div>";
    450450        }
    451451    }
    452452
    453453    function admin_menu()
    454454    {
    455455        add_menu_page(
    456456            esc_html__('MetForm', 'metform'),
    457457            esc_html__('MetForm', 'metform'),
    458458            'read',
    459459            'metform-menu',
    460460            '',
    461461            $this->core_url() . 'admin/images/icon-menu.png',
    462462            5
    463463        );
    464464    }
    465465
    466466    public function missing_elementor()
    467467    {
    468468        //phpcs:disable WordPress.Security.NonceVerification -- Can't set nonce. Cause it's fire on 'plugins_loaded' hook
    469469        if (isset($_GET['activate'])) {
    470470            unset($_GET['activate']);
    471471        }
    472472        //phpcs:enable
    473473        if (file_exists(WP_PLUGIN_DIR . '/elementor/elementor.php')) {
    474474            $btn['text'] = esc_html__('Activate Elementor', 'metform');
    475475            $btn['id'] = 'unsupported-elementor-version';
    476476            $btn['class'] = 'button-primary';
    477477            $btn['url'] = wp_nonce_url('plugins.php?action=activate&plugin=elementor/elementor.php&plugin_status=all&paged=1', 'activate-plugin_elementor/elementor.php');
    478478        } else {
    479479            $btn['id'] = 'unsupported-elementor-version';
    480480            $btn['class'] = 'button-primary';
    481481            $btn['text'] = esc_html__('Install Elementor', 'metform');
    482482            $btn['url'] = wp_nonce_url(self_admin_url('update.php?action=install-plugin&plugin=elementor'), 'install-plugin_elementor');
    483483        }
    484484
    485485        $message = sprintf(esc_html__('MetForm requires Elementor version %1$s+, which is currently NOT RUNNING.', 'metform'), '2.6.0');
    486486
    487487        \Oxaim\Libs\Notice::instance('metform', 'unsupported-elementor-version')
    488488            ->set_dismiss('global', (3600 * 24 * 15))
    489489            ->set_message($message)
    490490            ->set_button($btn)
    491491            ->call();
    492492    }
    493493
    494494    public function available_metform_pro()
    495495    {
    496496        //phpcs:disable WordPress.Security.NonceVerification -- Can't set nonce. Cause it's fire on 'plugins_loaded' hook
    497497        if (isset($_GET['activate'])) {
    498498            unset($_GET['activate']);
    499499        }
    500500        //phpcs:enable
    501501        $btn['text'] = esc_html__('MetForm Pro', 'metform');
    502502        $btn['url'] = esc_url('https://products.wpmet.com/metform/');
    503503        $btn['class'] = 'button-primary';
    504504
    505505        $message = sprintf(esc_html__('We have MetForm Pro version. Check out our pro feature.', 'metform'), '2.6.0');
    506506        \Oxaim\Libs\Notice::instance('metform', 'unsupported-metform-pro-version')
    507507            ->set_dismiss('global', (3600 * 24 * 15))
    508508            ->set_message($message)
    509509            ->set_button($btn)
    510510            ->call();
    511511    }
    512512
    513513
    514514    public function failed_elementor_version()
    515515    {
    516516
    517517        $btn['text'] = esc_html__('Update Elementor', 'metform');
    518518        $btn['url'] = sprintf(esc_html__('MetForm requires Elementor version %1$s+, which is currently NOT RUNNING.', 'metform'), '2.6.0');
    519519        $btn['class'] = 'button-primary';
    520520
    521521        $message = sprintf(esc_html__('We have MetForm Pro version. Check out our pro feature.', 'metform'), '2.6.0');
    522522        \Oxaim\Libs\Notice::instance('metform', 'unsupported-elementor-version')
    523523            ->set_dismiss('global', (3600 * 24 * 15))
    524524            ->set_message($message)
    525525            ->set_button($btn)
    526526            ->call();
    527527    }
    528528
    529529    public function flush_rewrites()
    530530    {
    531531        $form_cpt = new Core\Forms\Cpt();
    532532        $form_cpt->flush_rewrites();
    533533    }
    534534
    535535
    536536    public static function instance()
    537537    {
    538538        if (!self::$instance) {
    539539            self::$instance = new self();
    540540        }
    541541        return self::$instance;
    542542    }
    543543
    544544    public function permalink_setup(){
    545545        if(isset($_GET['permalink']) && isset($_GET['_wpnonce']) && !wp_verify_nonce(sanitize_text_field(wp_unslash($_GET['_wpnonce'])))) {
    546546           
    547            return ;
     547           return;
    548548        }
    549         if(get_option('rewrite_rules') =='' && !isset($_GET['permalink'])){   
    550             $message = sprintf(esc_html__('Plain permalink is not supported with MetForm. We recommend to use post name as your permalink settings.', 'metform'));
    551             \Oxaim\Libs\Notice::instance('metform', 'unsupported-permalink')
    552             ->set_type('warning')
    553             ->set_message($message)
    554             ->set_button([
    555                 'url'   => wp_nonce_url(self_admin_url('options-permalink.php?permalink=post')),
    556                 'text'  => esc_html__('Change Permalink','metform'),
    557                 'class' => 'button-primary',
    558             ])
    559             ->call();
    560            
    561         }
    562         if(isset($_GET['permalink']) && $_GET['permalink'] == 'post'){
    563              global $wp_rewrite;
    564             $wp_rewrite->set_permalink_structure('/%postname%/');
    565            
    566             //Set the option
    567             update_option( "rewrite_rules", false );
    568            
    569             //Flush the rules and tell it to write htaccess
    570             $wp_rewrite->flush_rules( true );
    571 
    572             add_action('admin_notices', array( $this, 'permalink_structure_update_notice'));
    573         }
     549
     550        if( current_user_can('manage_options') ) {
     551            if(get_option('rewrite_rules') =='' && !isset($_GET['permalink'])){   
     552                $message = sprintf(esc_html__('Plain permalink is not supported with MetForm. We recommend to use post name as your permalink settings.', 'metform'));
     553                \Oxaim\Libs\Notice::instance('metform', 'unsupported-permalink')
     554                ->set_type('warning')
     555                ->set_message($message)
     556                ->set_button([
     557                    'url'   => wp_nonce_url(self_admin_url('options-permalink.php?permalink=post')),
     558                    'text'  => esc_html__('Change Permalink','metform'),
     559                    'class' => 'button-primary',
     560                ])
     561                ->call();
     562
     563            }
     564            if(get_option('rewrite_rules') =='' && !isset($_GET['permalink'])){   
     565                $message = sprintf(esc_html__('Plain permalink is not supported with MetForm. We recommend to use post name as your permalink settings.', 'metform'));
     566                \Oxaim\Libs\Notice::instance('metform', 'unsupported-permalink')
     567                ->set_type('warning')
     568                ->set_message($message)
     569                ->set_button([
     570                    'url'   => wp_nonce_url(self_admin_url('options-permalink.php?permalink=post')),
     571                    'text'  => esc_html__('Change Permalink','metform'),
     572                    'class' => 'button-primary',
     573                ])
     574                ->call();
     575               
     576            }
     577            if(isset($_GET['permalink']) && $_GET['permalink'] == 'post'){
     578                global $wp_rewrite;
     579                $wp_rewrite->set_permalink_structure('/%postname%/');
     580               
     581                //Set the option
     582                update_option( "rewrite_rules", false );
     583               
     584                //Flush the rules and tell it to write htaccess
     585                $wp_rewrite->flush_rules( true );
     586
     587                add_action('admin_notices', array( $this, 'permalink_structure_update_notice'));
     588            }
     589        }
    574590    }
    575591
    576592    public function permalink_structure_update_notice() {
    577593        ?>
    578594        <div class="notice notice-success is-dismissible">
    579595            <p><b><?php esc_html_e( 'Permalink Structure Updated!', 'metform' ); ?></b></p>
    580596        </div>
    581597        <?php
    582598    }
    583599}
  • metform/trunk/public/assets/css/admin-style.css

    r2896914 r2907471  
    1 body.metform_page_metform-menu-settings{overflow-y:scroll}.mf-settings-dashboard{margin-top:40px}.mf-settings-dashboard .attr-row>div{-webkit-box-sizing:border-box;box-sizing:border-box}.mf-settings-dashboard>.attr-row{margin:0}.mf-settings-dashboard .mf-setting-sidebar{position:fixed;width:415px}.nav-tab-wrapper{border:none;padding:0}.mf-admin-setting-btn{border:2px solid #ff433c;color:#ff433c;font-size:14px;line-height:16px;text-decoration:none;text-transform:uppercase;border-radius:100px;padding:10px 23px;-webkit-transition:all .4s;transition:all .4s;font-weight:700;cursor:pointer;background-color:#fff;display:inline-block}.mf-admin-setting-btn span{margin-right:6px}.mf-admin-setting-btn.medium{padding:13px 23px}.mf-admin-setting-btn.fatty{padding:17px 23px}.mf-admin-setting-btn.active,.mf-admin-setting-btn:hover{background-color:#ff433c;color:#fff}.mf-admin-setting-btn:focus{-webkit-box-shadow:none;box-shadow:none;outline:0}.mf-settings-tab{margin-bottom:40px}.mf-settings-tab li{-webkit-box-shadow:none;box-shadow:none;border:none;margin:0;background-color:#fff}.mf-settings-tab li:focus,.mf-settings-tab li:hover{outline:0;-webkit-box-shadow:none;box-shadow:none;border:none}.mf-settings-tab li.nav-tab-active{background-color:#fff;border-left-color:#ff324d;border-radius:10px}.mf-settings-tab li.nav-tab-active .mf-setting-title{color:#ff433c}.mf-settings-tab li.nav-tab-active .mf-setting-nav-link{background-color:#fff;border-top-left-radius:10px;border-bottom-left-radius:10px}.mf-settings-tab li.nav-tab-active .mf-setting-nav-link::before{content:"";background-color:#ff433c;height:10px;width:10px;position:absolute;left:17px;border-radius:100px;top:50%;-webkit-transform:translateY(-50%);transform:translateY(-50%)}.mf-settings-tab .mf-setting-nav-link{outline:0;float:none;display:-webkit-box;display:-ms-flexbox;display:flex;color:#121116;border:none;background-color:#f1f1f1;-webkit-box-pack:justify;-ms-flex-pack:justify;justify-content:space-between;-webkit-box-align:center;-ms-flex-align:center;align-items:center;border-radius:0;-webkit-box-shadow:none;box-shadow:none;position:relative;padding:23px 40px;text-decoration:none;-webkit-transition:all .4s;transition:all .4s}.mf-settings-tab .mf-setting-nav-link:focus,.mf-settings-tab .mf-setting-nav-link:hover{outline:0;-webkit-box-shadow:none;box-shadow:none;border:none}.mf-settings-tab .mf-setting-nav-link.mf-setting-nav-link.top{border-bottom-right-radius:20px}.mf-settings-tab .mf-setting-nav-link.mf-setting-nav-link.bottom{border-top-right-radius:20px}.mf-settings-tab .mf-setting-nav-link.mf-setting-nav-hidden{background-color:#f1f1f1;cursor:default;padding:15px}.mf-settings-tab.nav-tab-active.mf-setting-nav-link{border-radius:10px;background-color:#fff}.mf-settings-tab .mf-setting-tab-content .mf-setting-title{font-size:.8125rem;font-weight:700;color:#333;display:block;margin-bottom:2px;line-height:1;text-transform:uppercase}.mf-settings-tab .mf-setting-tab-content .mf-setting-subtitle{color:#72777c;font-size:.8125rem;-webkit-transition:all 150ms ease-out;transition:all 150ms ease-out}.mf-settings-section{opacity:0;visibility:hidden;-webkit-transition:opacity .4s;transition:opacity .4s;position:absolute;top:-9999px;display:none}.mf-settings-section.active{opacity:1;position:static;visibility:visible;display:block}.metform-admin-container{background-color:#fff;padding:50px;border-radius:20px;border:none;min-height:550px;padding-top:30px;margin-bottom:0}.metform-admin-container--body .mf-settings-single-section--title{margin:0;margin-top:0;color:#ff433c;font-size:24px;line-height:28px;font-weight:700;vertical-align:middle;position:relative}.metform-admin-container--body .mf-settings-single-section--title span{-webkit-box-align:center;-ms-flex-align:center;align-items:center;-webkit-box-pack:center;-ms-flex-pack:center;justify-content:center;display:inline-block;width:40px;height:40px;line-height:40px!important;margin-right:24px;background-color:rgba(255,67,60,.1);color:#ff433c;text-align:center;border-radius:5px;vertical-align:middle;font-size:18px;speak:none;font-style:normal;font-weight:400;font-variant:normal;text-transform:none;-webkit-font-smoothing:antialiased}.metform-admin-container--body .mf-setting-header{display:-webkit-box;display:-ms-flexbox;display:flex;-webkit-box-pack:justify;-ms-flex-pack:justify;justify-content:space-between;margin-bottom:40px;-webkit-box-align:center;-ms-flex-align:center;align-items:center;padding-bottom:17px;position:relative;margin-left:-50px;margin-right:-50px;padding-left:50px;padding-right:51px}.metform-admin-container--body .mf-setting-header::before{content:"";position:absolute;display:block;width:48px;height:2px;bottom:-1px;left:0;background:#ff433c;margin-left:50px;margin-right:50px;z-index:2}.metform-admin-container--body .mf-setting-header::after{content:"";position:absolute;display:block;width:calc(100% - 100px);height:1px;bottom:-1px;left:0;background:#e0e4e9;margin-left:50px;z-index:1}.metform-admin-container--body .mf-setting-header.fixed{position:fixed;top:0;padding-top:20px;background-color:#fff;z-index:999}.metform-admin-container--body .mf-setting-header.fixed+div{padding-top:88px}.metform-admin-container--body .mf-setting-input{width:100%;max-width:100%;margin:0;-webkit-box-sizing:border-box;box-sizing:border-box}.metform-admin-container--body .mf-setting-label{display:block;margin-bottom:8px;color:#101010;font-size:16px;line-height:19px;font-weight:500}.metform-admin-container--body .mf-admin-control-input{margin:0}.metform-admin-container--body .mf-admin-control-input[type=checkbox]{position:relative;-webkit-box-shadow:none;box-shadow:none;height:16px;width:16px;border:2px solid #ff5d20}.metform-admin-container--body .mf-admin-control-input[type=checkbox]:checked::before{content:"";position:absolute;background-color:#ff3747;width:8px;height:9px;-webkit-box-sizing:border-box;box-sizing:border-box;left:2px;border-radius:2px;text-align:center;margin:0;top:1.6px}.metform-admin-container .mf-setting-input{border-radius:3px;padding:5px 15px;height:40px;-webkit-box-sizing:border-box;box-sizing:border-box;font-size:14px;line-height:17px;display:inline-block;-webkit-box-shadow:none;box-shadow:none;color:#121116;border:1px solid #dee3ea;font-weight:400}.metform-admin-container .mf-setting-input:active,.metform-admin-container .mf-setting-input:focus{border-color:#ff324d;-webkit-box-shadow:none;box-shadow:none;outline:0}.metform-admin-container .mf-admin-save-icon{color:#fff;font-size:14px;margin-right:6px;height:14px;width:14px}.metform-admin-container .button-primary{text-decoration:none;text-shadow:none;background-color:#ff324d;border-radius:4px;-webkit-box-shadow:0 7px 15px rgba(242,41,91,.3);box-shadow:0 7px 15px rgba(242,41,91,.3);font-size:14px;line-height:16px;text-transform:uppercase;color:#fff;font-weight:500;border:none;padding:12px 23px;-webkit-transition:all .4s;transition:all .4s;display:-webkit-box;display:-ms-flexbox;display:-webkit-inline-box;display:-ms-inline-flexbox;display:inline-flex;-webkit-box-align:center;-ms-flex-align:center;align-items:center;background-image:linear-gradient(45deg,#ff324d,#ff6b11);position:relative;z-index:9}.metform-admin-container .button-primary:focus,.metform-admin-container .button-primary:hover{border:none;outline:0;-webkit-box-shadow:0 7px 15px rgba(242,41,91,.3);box-shadow:0 7px 15px rgba(242,41,91,.3)}.metform-admin-container .button-primary::before{border-radius:inherit;background-image:linear-gradient(45deg,#ff6b11,#ff324d);content:"";display:block;height:100%;position:absolute;top:0;left:0;opacity:0;width:100%;z-index:-1;-webkit-transition:opacity .7s ease-in-out;transition:opacity .7s ease-in-out}.metform-admin-container .button-primary:hover{background-color:#dc0420}.metform-admin-container .button-primary:hover::before{opacity:1}.mf-recaptcha-settings{display:none}.mf_setting_logo{padding-top:25px}.mf_setting_logo img{max-width:200px}.mf-setting-dashboard-banner{border-radius:20px;padding-top:0}.mf-setting-dashboard-banner img{width:100%}.mf-setting-dashboard-banner--content{padding:30px}.mf-setting-dashboard-banner--content h3{margin:0;margin-bottom:15px}.mf-setting-btn{text-decoration:none;background-color:#ff324d;padding:8px 15px;border:none;-webkit-box-shadow:none;box-shadow:none;background-image:linear-gradient(45deg,#ff324d,#ff6b11);font-weight:500}.mf-setting-btn-link{background-image:none;color:#1f55f8;border-radius:0;background-color:transparent;border:none;padding:0;text-decoration:none;border-bottom:1px solid #1f55f8;font-weight:600;font-size:14px;display:inline-block;line-height:18px;-webkit-transition:all .4s;transition:all .4s}.mf-setting-btn-link:hover{color:#507bff}.mf-setting-separator{margin:50px 0}.mf-setting-input-group{margin-bottom:30px}.mf-setting-input-group:last-child{margin-bottom:0}.mf-setting-input-group .description{font-weight:400;font-size:13px;line-height:15px;color:#999;font-style:normal;margin:0;margin-top:8px}.mf-setting-input-desc{display:none;padding-right:100px}.mf-setting-input-desc .mf-setting-btn-link{margin-top:15px}.mf-setting-input-desc--title{margin-top:0;margin-bottom:8px}.mf-setting-input-desc li,.mf-setting-input-desc p{font-size:14px;line-height:18px;color:#111}.mf-setting-tab-nav{margin-bottom:30px}.mf-setting-tab-nav li{margin-right:15px;cursor:pointer}.mf-setting-tab-nav li:last-child{margin-right:0}.mf-setting-tab-nav .attr-nav-tabs{border:none}.mf-setting-tab-nav .attr-nav-item{border:none;border-radius:4px;text-decoration:none;text-align:center;color:#111;font-size:14px;text-transform:capitalize;font-weight:600;padding:8px 14px;margin-right:0;display:inline-block;-webkit-box-shadow:none;box-shadow:none;z-index:2}.mf-setting-tab-nav .attr-nav-item:hover{color:#fff;background-color:#ff433c}.mf-setting-tab-nav .attr-active .attr-nav-item{color:#fff;background-color:#ff433c;border:none}.mf-setting-tab-nav .attr-active .attr-nav-item:active,.mf-setting-tab-nav .attr-active .attr-nav-item:focus,.mf-setting-tab-nav .attr-active .attr-nav-item:hover{border:none;-webkit-box-shadow:none;box-shadow:none;outline:0;color:#fff;background-color:#ff433c}.mf-setting-input-desc-data{display:none}.mf-setting-select-container{position:relative}.mf-setting-select-container .mf-setting-input{-webkit-appearance:none;-moz-appearance:none;appearance:none;background:0 0}.mf-setting-select-container::before{content:"";width:0;height:0;border-left:5px solid transparent;border-right:5px solid transparent;border-top:5px solid #111;position:absolute;right:15px;-webkit-transform:translateY(-50%);transform:translateY(-50%);top:50%}.mf-setting-refresh-btn{margin:0 10px;font-size:18px;line-height:24px}.mf-set-dash-tab-img{text-align:center}.mf-set-dash-section{padding:100px 0}.mf-set-dash-section:not(:first-child):not(:last-child){padding-bottom:20px;display:none}.mf-setting-dash-section-heading{text-align:center;position:relative;margin:0 auto;margin-bottom:32px}.mf-setting-dash-section-heading--title{font-size:36px;line-height:42px;margin:0;color:#121116;font-weight:700;letter-spacing:-1px}.mf-setting-dash-section-heading--title strong{color:#ff433c}.mf-setting-dash-section-heading--subtitle{color:rgba(0,0,0,.05);font-size:60px;line-height:69px;margin:0;font-weight:700;position:absolute;top:-25px;left:50%;width:100%;-webkit-transform:translateX(-50%);transform:translateX(-50%)}.mf-setting-dash-section-heading--content{width:440px;margin:0 auto;margin-top:8px}.mf-setting-dash-section-heading--content p{font-size:16px;line-height:21px;color:#121116}.mf-setting-dash-section-heading--content p:first-child{margin-top:0}.mf-setting-dash-section-heading--content p:last-child{margin-bottom:0}.mf-set-dash-top-notch{display:-webkit-box;display:-ms-flexbox;display:flex;-ms-flex-wrap:wrap;flex-wrap:wrap;border-right:1px solid #f0f0f0;border-bottom:1px solid #f0f0f0}.mf-set-dash-top-notch--item{-webkit-box-flex:0;-ms-flex:0 0 33.33%;flex:0 0 33.33%;border:1px solid #f0f0f0;-webkit-box-sizing:border-box;box-sizing:border-box;padding:40px;position:relative;border-right:0;border-bottom:0}.mf-set-dash-top-notch--item__title{font-size:18px;line-height:21px;color:#121116;font-weight:600;margin:0;margin-bottom:17px}.mf-set-dash-top-notch--item__desc{font-weight:400;font-size:16px;line-height:21px;color:#999}.mf-set-dash-top-notch--item::before{content:attr(data-count);font-size:60px;line-height:69px;position:absolute;top:-5px;right:5px;-webkit-text-stroke:2px;-webkit-text-fill-color:transparent;color:#f0f0f0}.mf-set-dash-free-pro-content{display:-webkit-box;display:-ms-flexbox;display:flex;-ms-flex-wrap:wrap;flex-wrap:wrap}.mf-set-dash-free-pro-content img{max-width:100%}.mf-set-dash-free-pro-content .attr-nav-tabs{display:-webkit-box;display:-ms-flexbox;display:flex;-webkit-box-orient:vertical;-webkit-box-direction:normal;-ms-flex-direction:column;flex-direction:column;margin:0;border:1px solid #f0f0f0;width:290px}.mf-set-dash-free-pro-content .attr-nav-link{text-decoration:none;font-size:16px;line-height:18px;color:#121116!important;border:none!important;padding:20px 23px;margin:0;border-radius:0;-webkit-transition:all .4s;transition:all .4s}.mf-set-dash-free-pro-content .attr-nav-link:focus{outline:0;-webkit-box-shadow:none;box-shadow:none;background-color:transparent;border:none}.mf-set-dash-free-pro-content .attr-nav-link:hover{background-color:transparent}.mf-set-dash-free-pro-content .attr-nav-item{border-bottom:1px solid #f0f0f0}.mf-set-dash-free-pro-content .attr-nav-item:last-child{border-bottom:0}.mf-set-dash-free-pro-content .attr-nav-item:focus{outline:0;-webkit-box-shadow:none;box-shadow:none}.mf-set-dash-free-pro-content .attr-nav-item.attr-active>a{border:none}.mf-set-dash-free-pro-content .attr-nav-item.attr-active .attr-nav-link{background-color:#ff433c;color:#fff!important}.mf-set-dash-free-pro-content .attr-nav-item.attr-active .mf-icon{color:#fff}.mf-set-dash-free-pro-content .attr-nav-item.attr-active .mf-set-dash-badge{background-color:#fff}.mf-set-dash-free-pro-content .mf-icon{font-size:14px;color:#ff433c;margin-right:7px}.mf-set-dash-free-pro-content .mf-set-dash-badge{background-color:rgba(242,41,91,.1);color:#f2295b;font-size:10px;line-height:11px;border-radius:2px;display:inline-block;padding:3px 6px;margin-left:18px;font-weight:600;text-transform:uppercase}.mf-set-dash-free-pro-content .attr-tab-content{border:1px solid #f0f0f0;border-left:0;padding:50px;-webkit-box-sizing:border-box;box-sizing:border-box;-webkit-box-flex:0;-ms-flex:0 0 calc(100% - 292px);flex:0 0 calc(100% - 292px)}.mf-set-dash-free-pro-content .attr-tab-content p{font-size:16px;line-height:24px;font-weight:400;color:#444}.mf-set-dash-free-pro-content .attr-tab-content ul li{color:#444;font-size:16px;line-height:21px}.mf-set-dash-free-pro-content .attr-tab-content ul li::before{content:"";height:5px;width:5px;background-color:#f2295b;border-radius:100px;display:inline-block;vertical-align:middle;margin-right:7px}.mf-set-dash-free-pro-content .attr-tab-content .mf-admin-setting-btn{margin-top:35px}.admin-bar .mf-setting-header.fixed{top:30px}#mf-set-dash-faq{background-color:#f1f1f1;padding-bottom:100px;margin:100px 0;text-align:center;margin-left:-50px;margin-right:-50px}#mf-set-dash-faq .mf-admin-setting-btn{margin-top:30px}.mf-admin-accordion{max-width:700px;margin:0 auto;margin-top:30px}.mf-admin-single-accordion{background-color:#fff;-webkit-box-shadow:0 7px 15px rgba(0,0,0,.07);box-shadow:0 7px 15px rgba(0,0,0,.07);margin:10px 0;text-align:left}.mf-admin-single-accordion.active .mf-admin-single-accordion--heading::after{content:"\e995";color:#f2295b}.mf-admin-single-accordion--heading{cursor:pointer;margin:0;color:#121116;font-size:14px;line-height:20px;padding:18px 20px;position:relative}.mf-admin-single-accordion--heading::after{content:"\e994";font-family:metform;position:absolute;right:30px;top:50%;-webkit-transform:translateY(-50%);transform:translateY(-50%);font-size:12px}.mf-admin-single-accordion--body{padding:0;display:none}.mf-admin-single-accordion--body__content{padding:30px;padding-top:0}.mf-admin-single-accordion--body p{margin:0}#mf-set-dash-rate-now{margin-top:100px;display:-webkit-box;display:-ms-flexbox;display:flex;-webkit-box-pack:justify;-ms-flex-pack:justify;justify-content:space-between;-webkit-box-align:center;-ms-flex-align:center;align-items:center;padding-bottom:0;padding-top:0;-ms-flex-wrap:wrap;flex-wrap:wrap}#mf-set-dash-rate-now .mf-setting-dash-section-heading{text-align:left}#mf-set-dash-rate-now .mf-admin-left-thumb{margin-bottom:-50px;-ms-flex-item-align:end;align-self:flex-end}#mf-set-dash-rate-now>div{-webkit-box-flex:1;-ms-flex:1;flex:1}.mf-admin-left-thumb img{max-width:100%}.mf-other-tab .description{margin-top:10px}.mf-other-tab .description .description-highlight{color:red}.mf-setting-switch input[type=checkbox]{display:none}.mf-setting-switch input[type=checkbox]:checked+span::before{content:"Yes";width:55px;height:25px;background-color:#ff433c;left:0;border-radius:15px;display:inline-block;text-align:left;color:#fff;text-transform:uppercase;font-weight:700;font-size:10px;padding:3px;-webkit-box-sizing:border-box;box-sizing:border-box;padding-left:10px}.mf-setting-switch input[type=checkbox]:checked+span::after{content:"";width:20px;height:20px;background-color:#fff;border-radius:100px;display:inline-block;position:absolute;right:2px;top:2px}.mf-setting-switch input[type=checkbox]+span{position:relative;display:block}.mf-setting-switch input[type=checkbox]+span::before{content:"No";width:55px;height:25px;background-color:#ededed;left:0;border-radius:15px;text-align:right;color:#fff;text-transform:uppercase;font-weight:700;font-size:10px;padding:3px;-webkit-box-sizing:border-box;box-sizing:border-box;padding-right:10px;-webkit-transition:all .4s;transition:all .4s;float:right;line-height:18px;cursor:pointer}.mf-setting-switch input[type=checkbox]+span::after{content:"";width:20px;height:20px;background-color:#fff;border-radius:100px;display:inline-block;position:absolute;right:31px;top:2px;-webkit-transition:all .4s;transition:all .4s}@media (min-width:768px){.mf-setting-input-desc-data{display:block}.mf-settings-dashboard>.attr-row>div:last-of-type{padding-left:0}.mf-settings-dashboard>.attr-row>div:first-of-type{padding-right:0}}@media (max-width:767px){.mf-setting-dash-section-heading--content{width:100%}.mf-set-dash-free-pro-content .attr-nav-tabs{min-width:100%}.mf-set-dash-free-pro-content .attr-tab-content{border-left:1px solid #f0f0f0;padding:20px;-webkit-box-flex:100%;-ms-flex:100%;flex:100%}.mf-settings-dashboard .mf-setting-sidebar{position:static;width:100%!important}.metform-admin-container{padding:30px}.metform-admin-container--body .mf-setting-header{margin-left:-30px;margin-right:-30px;padding-left:30px;padding-right:30px}.metform-admin-container--body .mf-setting-header::after,.metform-admin-container--body .mf-setting-header::before{margin-left:30px;margin-right:30px}.metform-admin-container--body .mf-setting-header::after{width:calc(100% - 60px)}.mf-set-dash-top-notch--item{-webkit-box-flex:0;-ms-flex:0 0 100%;flex:0 0 100%}.admin-bar .mf-setting-header.fixed{top:0}#mf-set-dash-faq{margin-left:-30px;margin-right:-30px}.mf-admin-left-thumb{margin-bottom:-30px;text-align:center;width:100%;margin-top:15px}.metform-admin-container--body .mf-settings-single-section--title{font-size:19px}.metform-admin-container--body .mf-settings-single-section--title span{display:none}.mf-setting-dash-section-heading--title{font-size:25px;line-height:30px}.mf-setting-dash-section-heading--subtitle{font-size:52px;line-height:59px}}.mf-setting-spin{-webkit-animation-name:rotate;animation-name:rotate;-webkit-animation-duration:.5s;animation-duration:.5s;-webkit-animation-iteration-count:infinite;animation-iteration-count:infinite;-webkit-animation-timing-function:linear;animation-timing-function:linear}@-webkit-keyframes rotate{from{-webkit-transform:rotate(0);transform:rotate(0)}to{-webkit-transform:rotate(360deg);transform:rotate(360deg)}}@keyframes rotate{from{-webkit-transform:rotate(0);transform:rotate(0)}to{-webkit-transform:rotate(360deg);transform:rotate(360deg)}}.loading .attr-modal-content::before{opacity:.8;position:absolute;content:"";top:0;left:0;height:100%;width:100%;background-color:#fff;-webkit-transition:opaicty .5s ease;transition:opaicty .5s ease;z-index:5;border-radius:inherit}.loading .mf-spinner{display:block}#metform_form_modal{overflow-y:scroll}.elementor-editor-active .metform-form-save-btn-editor{display:none!important}.attr-modal-dialog-centered{display:-webkit-box;display:-ms-flexbox;display:flex;-webkit-box-align:center;-ms-flex-align:center;align-items:center;padding-top:30px;width:725px;max-width:100%}.attr-modal-dialog-centered .attr-modal-header{padding:36px 50px;border-bottom:none}.attr-modal-dialog-centered .attr-modal-header .attr-modal-title{font-size:20px;font-weight:700;color:#111;text-transform:capitalize;margin-bottom:38px;line-height:1}.attr-modal-dialog-centered .attr-modal-header .attr-nav-tabs{border:none;display:-webkit-box;display:-ms-flexbox;display:flex;-ms-flex-wrap:wrap;flex-wrap:wrap}.attr-modal-dialog-centered .attr-modal-header .attr-nav-tabs li{-webkit-transition:all .4s;transition:all .4s}.attr-modal-dialog-centered .attr-modal-header .attr-nav-tabs a{text-decoration:none;color:#111;font-size:14px;text-transform:capitalize;font-weight:600;padding:8px 10px;border:none;margin-right:0;-webkit-transition:all .4s;transition:all .4s}.attr-modal-dialog-centered .attr-modal-header .attr-nav-tabs a:hover{border:none;background-color:transparent}.attr-modal-dialog-centered .attr-modal-header .attr-nav-tabs a:focus{outline:0;-webkit-box-shadow:none;box-shadow:none;border:none}.attr-modal-dialog-centered .attr-modal-header .attr-nav-tabs li.attr-active a{border:none;color:#fff;background-color:#1f55f8;border-radius:4px;text-align:center}.attr-modal-dialog-centered .attr-modal-header button.attr-close{opacity:.8;font-size:inherit;outline:0;margin-top:-15px;margin-right:-25px}.attr-modal-dialog-centered .attr-modal-header button.attr-close span{color:#e81123;font-size:35px;font-weight:100;background-color:#fce7e9;height:36px;width:36px;display:inline-block;line-height:36px;border-radius:100px;outline:0;margin-top:5px;font-family:initial}.attr-modal-dialog-centered .attr-tab-content .attr-modal-body{padding:40px 50px;padding-top:0}.attr-modal-dialog-centered .attr-tab-content div#limit_status.hide_input{display:none}.attr-modal-dialog-centered .attr-tab-content .mf-input-group label.attr-input-label{color:#111;font-size:16px;margin-bottom:7px;display:block;font-weight:500;padding:15px 0 8px}.attr-modal-dialog-centered .attr-tab-content .mf-input-group{border-bottom:1px solid #f5f5f5;padding-bottom:14px;margin-bottom:14px}.attr-modal-dialog-centered .attr-tab-content .mf-input-group:last-of-type{border-bottom:none;padding-bottom:0}.attr-modal-dialog-centered .attr-tab-content .mf-input-group .attr-form-control,.attr-modal-dialog-centered .attr-tab-content .mf-input-group input{color:#000;font-size:14px;height:48px;padding:0 22px;border-color:#ededed;margin-top:12px;max-width:100%;background-color:#f9f9f9;-webkit-transition:all .4s;transition:all .4s}.attr-modal-dialog-centered .attr-tab-content .mf-input-group .attr-form-control:focus,.attr-modal-dialog-centered .attr-tab-content .mf-input-group .attr-form-control:hover,.attr-modal-dialog-centered .attr-tab-content .mf-input-group input:focus,.attr-modal-dialog-centered .attr-tab-content .mf-input-group input:hover{background-color:#fff}.attr-modal-dialog-centered .attr-tab-content .mf-input-group textarea{padding:22px!important}.attr-modal-dialog-centered .attr-tab-content .mf-input-group input[type=checkbox]{display:none}.attr-modal-dialog-centered .attr-tab-content .mf-input-group input[type=checkbox]+span{position:relative;display:block}.attr-modal-dialog-centered .attr-tab-content .mf-input-group input[type=checkbox]+span::before{content:"No";width:55px;height:25px;background-color:#ededed;left:0;border-radius:15px;text-align:right;color:#fff;text-transform:uppercase;font-weight:700;font-size:10px;padding:3px;-webkit-box-sizing:border-box;box-sizing:border-box;padding-right:10px;-webkit-transition:all .4s;transition:all .4s;float:right;line-height:18px;cursor:pointer}.attr-modal-dialog-centered .attr-tab-content .mf-input-group input[type=checkbox]+span::after{content:"";width:20px;height:20px;background-color:#fff;border-radius:100px;display:inline-block;position:absolute;right:31px;top:2px;-webkit-transition:all .4s;transition:all .4s}.attr-modal-dialog-centered .attr-tab-content .mf-input-group input[type=checkbox]:checked+span::before{content:"Yes";width:55px;height:25px;background-color:#1f55f8;left:0;border-radius:15px;display:inline-block;text-align:left;color:#fff;text-transform:uppercase;font-weight:700;font-size:10px;padding:3px;-webkit-box-sizing:border-box;box-sizing:border-box;padding-left:10px}.attr-modal-dialog-centered .attr-tab-content .mf-input-group input[type=checkbox]:checked+span::after{content:"";width:20px;height:20px;background-color:#fff;border-radius:100px;display:inline-block;position:absolute;right:2px;top:2px}.attr-modal-dialog-centered .attr-tab-content .mf-input-group .mf-rest-api-method{padding:0 18px;margin:0}.attr-modal-dialog-centered .attr-tab-content .mf-input-group #mf-hubsopt-fileds{margin-top:10px}.attr-modal-dialog-centered .attr-tab-content .mf-input-group #mf-hubsopt-fileds .mf-input-warning{color:red}.attr-modal-dialog-centered .attr-tab-content .mf-input-group span.mf-input-help{color:#b7b7b7;font-style:italic;font-size:12px}.attr-modal-dialog-centered .attr-tab-content .mf-input-group span.mf-input-help strong{color:#555;font-weight:700}.attr-modal-dialog-centered .attr-tab-content .mf-input-group span.mf-input-help a{color:#1f55f8;text-decoration:none;font-weight:700}.attr-modal-dialog-centered .attr-tab-content .mf-input-group .mf-input-group-inner label.attr-input-label{display:inline-block}.attr-modal-dialog-centered .attr-tab-content .mf-input-group .mf-input-group-inner #limit_status{width:100px;margin:0;position:relative;margin-left:15px;float:right;margin-top:-2px}.attr-modal-dialog-centered .attr-tab-content .mf-input-group .mf-input-group-inner input{margin:0}.attr-modal-dialog-centered .attr-tab-content .mf-input-group .mf-input-group-inner input[type=checkbox]+span::before{position:relative;top:-2px;left:5px}.attr-modal-dialog-centered .attr-tab-content .mf-input-group .mf-input-group-inner input[type=checkbox]+span::after{right:28px;top:0}.attr-modal-dialog-centered .attr-tab-content .mf-input-group .mf-input-group-inner input[type=checkbox]:checked+span::after{right:-2px;top:0}.attr-modal-dialog-centered .attr-tab-content .mf-input-group.mf-input-group-inline{display:-webkit-box;display:-ms-flexbox;display:flex;-ms-flex-wrap:wrap;flex-wrap:wrap;-webkit-box-align:initial;-ms-flex-align:initial;align-items:initial}.attr-modal-dialog-centered .attr-tab-content .mf-input-group.mf-input-group-inline .attr-input-label,.attr-modal-dialog-centered .attr-tab-content .mf-input-group.mf-input-group-inline .mf-inputs{-webkit-box-flex:1;-ms-flex:1;flex:1}.attr-modal-dialog-centered .attr-tab-content .mf-input-group.mf-input-group-inline .attr-input-label select,.attr-modal-dialog-centered .attr-tab-content .mf-input-group.mf-input-group-inline .mf-inputs select{margin:0}.attr-modal-dialog-centered .attr-tab-content .mf-input-group .metfrom-btn-refresh-hubsopt-list{margin-left:5px}.attr-modal-dialog-centered .attr-tab-content .mf-input-group input[type=number]+span,.attr-modal-dialog-centered .attr-tab-content .mf-input-group input[type=text]+span{display:block;margin-top:5px}.attr-modal-dialog-centered .attr-tab-content #limit_status.show_input{margin-top:32px}.attr-modal-dialog-centered .attr-modal-footer{padding:30px 50px}.attr-modal-dialog-centered .attr-modal-footer button{color:#fff;background-color:#1f55f8;font-size:16px;font-weight:700;-webkit-box-sizing:border-box;box-sizing:border-box;padding:12px 20px;-webkit-box-shadow:none;box-shadow:none;border:1px solid transparent;-webkit-transition:all .4s;transition:all .4s;outline:0}.attr-modal-dialog-centered .attr-modal-footer button:focus{border:none;outline:0}.attr-modal-dialog-centered .attr-modal-footer button.metform-form-save-btn-editor{background-color:#d8d8d8;color:#111}.attr-modal-dialog-centered>form{width:100%}.modal-backdrop{position:fixed;top:0;left:0;width:100vw;height:100vh;background-color:rgba(0,0,0,.5);z-index:9999}.attr-modal{z-index:10000}.mf_multipile_ajax_search_filed .select2-container--default .select2-selection--multiple .select2-selection__choice{line-height:1.5;font-size:.9em;border:none;border-radius:0;color:#6d7882}.mf-headerfooter-status{display:inline-block;margin-left:5px;padding:2px 5px 3px;color:#fff;background-color:#9a9a9a;border-radius:3px;font-size:10px;line-height:1;font-weight:700}.mf-headerfooter-status-active{background-color:#00cd00}.irs--round .irs-max,.irs--round .irs-min{display:none}.irs--round .irs-handle{cursor:pointer}.mf-success-msg{position:fixed;z-index:9;text-align:center;top:50%;left:50%;-webkit-transform:translate(-50%,-50%);transform:translate(-50%,-50%);-webkit-box-shadow:0 2px 5px rgba(153,153,153,.2);box-shadow:0 2px 5px rgba(153,153,153,.2);min-width:300px}textarea.attr-form-control{height:auto!important}.post-type-metform-form .row-actions .inline{display:none!important}div.metform-entry-browser-data table tbody,div.metform-entry-browser-data table thead,div.metform-entry-data table tbody,div.metform-entry-data table thead{text-align:left}img.form-editor-icon{height:20px;width:20px;margin-right:5px;vertical-align:middle}div.mf-file-show button.attr-btn.attr-btn-primary{margin-left:10px}.mf-file-show a{text-decoration:none}.mf-modal-container{margin-top:50px}.mf-modal-container .attr-modal-body img{margin:0 auto}.mf-entry-input,.mf-entry-label{-webkit-box-sizing:border-box;box-sizing:border-box}.mf-entry-filter{margin-right:10px;min-width:15%}.mf-entry-export-csv{min-width:20%}.metform_open_content_editor_modal .attr-modal-dialog-centered .attr-tab-content .mf-input-group input[type=checkbox]+span::before{line-height:20px}.mf-image-select-input,.mf-toggle-select-input{position:absolute;opacity:0;width:0;height:0}.mf-image-select-input+img,.mf-toggle-select-input+p{cursor:pointer}.mf-input-rest-api-group .mf-rest-api-key{width:100px;display:inline-block;position:relative;top:17px}.mf-input-rest-api-group .mf-rest-api{width:calc(100% - 110px);vertical-align:middle;display:inline-block!important}.metform_open_content_editor_modal .mf-rest-api-key{top:19px}.metform-entry-data table.mf-entry-data{width:100%;background-color:#fff;border:1px solid #eaf2fa;color:#000}.metform-entry-data table.mf-entry-data tbody tr.mf-data-label{background-color:#eaf2fa}.metform-entry-data table.mf-entry-data tbody tr.mf-data-value{background-color:#fff}.metform-entry-data table.mf-entry-data tbody tr.mf-data-value pre{margin:0;font:inherit}.metform-entry-data table.mf-entry-data tbody tr.mf-data-value td.mf-value-space{width:20px}.metform-entry-data table.mf-entry-data tbody tr.mf-data-value .signature-img{max-width:100%}.metform-entry-data table.mf-entry-data tbody tr.mf-data-value td .simple-repeater-entry-data-divider:not(:last-child){width:100%;background:rgba(66,63,63,.169);height:1px;margin:6px 0}.mf-cf-single-field{display:-webkit-box;display:-ms-flexbox;display:flex;-webkit-box-align:end;-ms-flex-align:end;align-items:flex-end;position:relative;margin-bottom:1rem;-webkit-box-pack:justify;-ms-flex-pack:justify;justify-content:space-between}.mf-cf-single-field .mf-cf-single-field-input{width:48%}.mf-cf-single-field .mf-cf-single-field-input label{color:#111;font-size:12px;display:block;font-weight:500}.mf-cf-single-field .mf-cf-single-field-input input,.mf-cf-single-field .mf-cf-single-field-input select{margin-top:8px!important}.mf-cf-single-field .mf-btn-del-singl-field{outline:0;color:#fd397a;background-color:rgba(253,57,122,.1);text-decoration:none;font-size:12px;font-weight:700;padding:0 10px;position:absolute;right:0;top:0;line-height:19px;display:inline-block;border-radius:4px}.mf-cf-single-field .mf-btn-del-singl-field:hover{color:#fff;background-color:#fd397a}.mf-cf-single-field .mf-btn-del-singl-field:focus{color:#fff;background-color:#c9302c}.mf-add-cf{color:#716aca;background-color:rgba(113,106,202,.1);font-size:20px;line-height:.65em;padding:10px 10px;border:none!important;-webkit-box-shadow:none;box-shadow:none;font-weight:700;cursor:pointer;border-radius:4px;outline:0}.mf-add-cf span{-webkit-transform:translateY(-2px);transform:translateY(-2px);display:block}.mf-add-cf:hover{color:#fff;background-color:#716aca}.mf-add-cf:focus{color:#fff;background-color:#286090}.achor-style{color:#1f55f8;text-decoration:none;font-weight:700}.metform-add-new-form-model-contents .metform-template-input-con label{display:none}.metform-add-new-form-model-contents .metform-template-form-type label{display:none}.metform-add-new-form-model-contents .metform-editor-input{max-width:100%;height:56px;width:100%;display:block;-webkit-box-sizing:border-box;box-sizing:border-box;background-color:#fff;border-radius:5px;border:none;padding:0 25px;color:#101010;font-size:18px;line-height:42px;border:1px solid #ccc}.metform-add-new-form-model-contents .metform-editor-input:focus{border:1px solid #a4afb7!important;-webkit-box-shadow:0 15px 25px rgba(0,0,0,.07);box-shadow:0 15px 25px rgba(0,0,0,.07)}.metform-add-new-form-model-contents .metform-editor-input:nth-child(2){margin-top:16px}.metform-templates-list{font-family:roboto,sans-serif}.metform-templates-list .metform-template-radio-data:hover .metform-template-footer-links a{text-decoration:none}.metform-templates-list .metform-template-radio-data:hover .metform-template-footer-links a:hover{color:#93003c}.formpicker_iframe_modal .dialog-widget-content{position:static!important}.formpicker_iframe_modal a{text-decoration:none}.formpicker_iframe_modal>*{display:-webkit-box;display:-ms-flexbox;display:flex;-webkit-box-align:center;-ms-flex-align:center;align-items:center;gap:38px}.formpicker_iframe_modal .metform-form-update-close-btn{position:absolute;right:10px;top:7px;font-size:14px;text-transform:uppercase;background-color:#39b54a;color:#fff;padding:10px 25px;border-radius:100px;z-index:1;cursor:pointer;line-height:15px;padding-top:10px;-webkit-transition:all .4s;transition:all .4s}.formpicker_iframe_modal .metform-form-edit-btn{position:absolute;left:135px;top:0;color:#4285f4;font-size:15px;text-transform:uppercase;padding:18px 0}.formpicker_iframe_modal .metform-form-edit-btn i{margin-right:5px;font-size:18px;margin-top:-2px}#metform-new-form-modalinput-form{position:relative;top:50px;z-index:999;width:622px;background-color:#fff;-webkit-box-shadow:-15px 20px 50px rgba(0,0,0,.16);box-shadow:-15px 20px 50px rgba(0,0,0,.16);padding:15px 0 40px;border-radius:5px;text-align:center;-webkit-box-orient:vertical;-webkit-box-direction:normal;-ms-flex-direction:column;flex-direction:column}#metform-new-form-modalinput-form .metform-add-new-form-model-contents{background-color:#fff;border-radius:10px;min-width:auto;padding:10px 38px 38px;overflow-y:scroll;max-height:50vh;border-bottom:1px solid #f2f2f2;width:100%;-webkit-box-sizing:border-box;box-sizing:border-box}#metform-new-form-modalinput-form .metform-add-new-form-model-contents::-webkit-scrollbar{display:none}#metform-new-form-modalinput-form .metform-template-radio-data--pro_tag{background:linear-gradient(45deg,#ff6b11 0,#ff324d 100%);color:#fff;padding:0 5px;display:inline-block;position:absolute;right:2px;top:2px;text-transform:uppercase;font-size:10px;border-radius:3px;text-align:center}#metform_form_modal{z-index:2147483647!important;background:rgba(0,0,0,.507)}.metform-add-new-form-model-title{font-size:28px}.elementor-loading-title{display:none}.metform-add-new-form-model-contents{background-color:#fff;min-width:700px;border-radius:10px;padding:10px 38px 38px}.metform-add-new-form-model-contents .metform-editor-input{height:56px;width:100%;display:block;-webkit-box-sizing:border-box;box-sizing:border-box;background-color:#fff;border-radius:5px;padding:0 22px;color:#101010;font-size:18px;line-height:42px;border:1px solid #ccc}.metform-add-new-form-model-contents .metform-editor-input:focus{outline:0;border:none}.metform-templates-list{display:-webkit-box;display:-ms-flexbox;display:flex;-ms-flex-wrap:wrap;flex-wrap:wrap;margin-left:-15px}.metform-templates-list li{margin-left:16px;margin-bottom:16px;-webkit-box-flex:0;-ms-flex:0 0 30.4%;flex:0 0 30.4%;-webkit-box-sizing:border-box;box-sizing:border-box;border-radius:5px}.metform-templates-list li input{display:none;cursor:pointer}.metform-template-radio-data{min-height:101px;border:1px solid #ccc;display:-webkit-box;display:-ms-flexbox;display:flex;-webkit-box-pack:end;-ms-flex-pack:end;justify-content:flex-end;-webkit-box-align:center;-ms-flex-align:center;align-items:center;cursor:pointer;height:100%;position:relative;-webkit-box-orient:vertical;-webkit-box-direction:normal;-ms-flex-direction:column;flex-direction:column}.metform-templates-list li input:checked+.metform-template-radio-data{border:1px solid #4285f4}.metform-templates-list img{max-width:100%;padding:5px;max-height:180px}.metform-template-footer-content{-ms-flex-item-align:normal;align-self:normal;padding:0 10px;min-height:45px;border-top:1px solid rgba(204,204,204,.5);justify-self:auto;display:-webkit-box;display:-ms-flexbox;display:flex;-webkit-box-align:center;-ms-flex-align:center;align-items:center}.metform-template-footer-title{position:static;opacity:1;visibility:visible;-webkit-transition:opacity 1s;transition:opacity 1s}.metform-template-radio-data:hover .metform-template-footer-title{opacity:0;visibility:hidden;position:absolute}.metform-template-footer-links{display:-webkit-box;display:-ms-flexbox;display:flex;width:100%;-webkit-box-pack:justify;-ms-flex-pack:justify;justify-content:space-between;opacity:0;visibility:hidden;position:absolute;-webkit-transition:opacity .4s;transition:opacity .4s}.metform-template-radio-data:hover .metform-template-footer-links{opacity:1;visibility:visible;position:static}.metform-template-footer-title h2{font-size:13px;text-align:left;font-weight:500;color:#6d7882}.metform-template-footer-links a{color:#4285f4;font-size:13px;line-height:15px}.metform-template-footer-links--icon{margin-right:5px}.metform-add-new-form-save-btn,.metform-open-new-form-editor-modal{background-color:#4285f4;border:none;font-size:16px;line-height:42px;color:#fff;border-radius:5px;padding:5px 30px 3px;min-width:170px;-webkit-box-sizing:border-box;box-sizing:border-box;margin-top:30px;cursor:pointer}.metform-add-new-form-save-btn{background-color:#d8d8d8;color:#111}.metform-open-new-form-editor-modal>span{margin-right:12px}.metform-add-new-form-modal-close-btn{color:#ff433c;border:2px solid #ff433c;width:30px;height:30px;line-height:27px;text-align:center;border-radius:100px;font-size:17px;position:absolute;top:-10px;right:-10px;background-color:#fff;cursor:pointer;-webkit-box-shadow:0 5px 15px rgba(0,0,0,.2);box-shadow:0 5px 15px rgba(0,0,0,.2)}.metform-add-new-form-modal-close-btn::after,.metform-add-new-form-modal-close-btn::before{content:'';position:absolute;top:0;left:0;width:18px;height:2px;background-color:#ff433c;-webkit-transform:rotate(45deg);transform:rotate(45deg);top:calc(50% - 1px);left:calc(50% - 9px)}.metform-add-new-form-modal-close-btn::after{-webkit-transform:rotate(-45deg);transform:rotate(-45deg)}#formpicker-control-iframe{width:100%;height:75vh}.metform-entry-data table.mf-entry-data tbody tr.mf_wrong_result{background-color:#f2dede}.metform-entry-data table.mf-entry-data tbody tr.mf_correct_result{background-color:#b7f09e}
     1body.metform_page_metform-menu-settings{overflow-y:scroll}.elementor-templates-modal__header{position:relative}.mf-settings-dashboard{margin-top:40px}.mf-settings-dashboard .attr-row>div{-webkit-box-sizing:border-box;box-sizing:border-box}.mf-settings-dashboard>.attr-row{margin:0}.mf-settings-dashboard .mf-setting-sidebar{position:fixed;width:415px}.nav-tab-wrapper{border:none;padding:0}.mf-admin-setting-btn{border:2px solid #ff433c;color:#ff433c;font-size:14px;line-height:16px;text-decoration:none;text-transform:uppercase;border-radius:100px;padding:10px 23px;-webkit-transition:all .4s;transition:all .4s;font-weight:700;cursor:pointer;background-color:#fff;display:inline-block}.mf-admin-setting-btn span{margin-right:6px}.mf-admin-setting-btn.medium{padding:13px 23px}.mf-admin-setting-btn.fatty{padding:17px 23px}.mf-admin-setting-btn.active,.mf-admin-setting-btn:hover{background-color:#ff433c;color:#fff}.mf-admin-setting-btn:focus{-webkit-box-shadow:none;box-shadow:none;outline:0}.mf-settings-tab{margin-bottom:40px}.mf-settings-tab li{-webkit-box-shadow:none;box-shadow:none;border:none;margin:0;background-color:#fff}.mf-settings-tab li:focus,.mf-settings-tab li:hover{outline:0;-webkit-box-shadow:none;box-shadow:none;border:none}.mf-settings-tab li.nav-tab-active{background-color:#fff;border-left-color:#ff324d;border-radius:10px}.mf-settings-tab li.nav-tab-active .mf-setting-title{color:#ff433c}.mf-settings-tab li.nav-tab-active .mf-setting-nav-link{background-color:#fff;border-top-left-radius:10px;border-bottom-left-radius:10px}.mf-settings-tab li.nav-tab-active .mf-setting-nav-link::before{content:"";background-color:#ff433c;height:10px;width:10px;position:absolute;left:17px;border-radius:100px;top:50%;-webkit-transform:translateY(-50%);transform:translateY(-50%)}.mf-settings-tab .mf-setting-nav-link{outline:0;float:none;display:-webkit-box;display:-ms-flexbox;display:flex;color:#121116;border:none;background-color:#f1f1f1;-webkit-box-pack:justify;-ms-flex-pack:justify;justify-content:space-between;-webkit-box-align:center;-ms-flex-align:center;align-items:center;border-radius:0;-webkit-box-shadow:none;box-shadow:none;position:relative;padding:23px 40px;text-decoration:none;-webkit-transition:all .4s;transition:all .4s}.mf-settings-tab .mf-setting-nav-link:focus,.mf-settings-tab .mf-setting-nav-link:hover{outline:0;-webkit-box-shadow:none;box-shadow:none;border:none}.mf-settings-tab .mf-setting-nav-link.mf-setting-nav-link.top{border-bottom-right-radius:20px}.mf-settings-tab .mf-setting-nav-link.mf-setting-nav-link.bottom{border-top-right-radius:20px}.mf-settings-tab .mf-setting-nav-link.mf-setting-nav-hidden{background-color:#f1f1f1;cursor:default;padding:15px}.mf-settings-tab.nav-tab-active.mf-setting-nav-link{border-radius:10px;background-color:#fff}.mf-settings-tab .mf-setting-tab-content .mf-setting-title{font-size:.8125rem;font-weight:700;color:#333;display:block;margin-bottom:2px;line-height:1;text-transform:uppercase}.mf-settings-tab .mf-setting-tab-content .mf-setting-subtitle{color:#72777c;font-size:.8125rem;-webkit-transition:all 150ms ease-out;transition:all 150ms ease-out}.mf-settings-section{opacity:0;visibility:hidden;-webkit-transition:opacity .4s;transition:opacity .4s;position:absolute;top:-9999px;display:none}.mf-settings-section.active{opacity:1;position:static;visibility:visible;display:block}.metform-admin-container{background-color:#fff;padding:50px;border-radius:20px;border:none;min-height:550px;padding-top:30px;margin-bottom:0}.metform-admin-container--body .mf-settings-single-section--title{margin:0;margin-top:0;color:#ff433c;font-size:24px;line-height:28px;font-weight:700;vertical-align:middle;position:relative}.metform-admin-container--body .mf-settings-single-section--title span{-webkit-box-align:center;-ms-flex-align:center;align-items:center;-webkit-box-pack:center;-ms-flex-pack:center;justify-content:center;display:inline-block;width:40px;height:40px;line-height:40px!important;margin-right:24px;background-color:rgba(255,67,60,.1);color:#ff433c;text-align:center;border-radius:5px;vertical-align:middle;font-size:18px;speak:none;font-style:normal;font-weight:400;font-variant:normal;text-transform:none;-webkit-font-smoothing:antialiased}.metform-admin-container--body .mf-setting-header{display:-webkit-box;display:-ms-flexbox;display:flex;-webkit-box-pack:justify;-ms-flex-pack:justify;justify-content:space-between;margin-bottom:40px;-webkit-box-align:center;-ms-flex-align:center;align-items:center;padding-bottom:17px;position:relative;margin-left:-50px;margin-right:-50px;padding-left:50px;padding-right:51px}.metform-admin-container--body .mf-setting-header::before{content:"";position:absolute;display:block;width:48px;height:2px;bottom:-1px;left:0;background:#ff433c;margin-left:50px;margin-right:50px;z-index:2}.metform-admin-container--body .mf-setting-header::after{content:"";position:absolute;display:block;width:calc(100% - 100px);height:1px;bottom:-1px;left:0;background:#e0e4e9;margin-left:50px;z-index:1}.metform-admin-container--body .mf-setting-header.fixed{position:fixed;top:0;padding-top:20px;background-color:#fff;z-index:999}.metform-admin-container--body .mf-setting-header.fixed+div{padding-top:88px}.metform-admin-container--body .mf-setting-input{width:100%;max-width:100%;margin:0;-webkit-box-sizing:border-box;box-sizing:border-box}.metform-admin-container--body .mf-setting-label{display:block;margin-bottom:8px;color:#101010;font-size:16px;line-height:19px;font-weight:500}.metform-admin-container--body .mf-admin-control-input{margin:0}.metform-admin-container--body .mf-admin-control-input[type=checkbox]{position:relative;-webkit-box-shadow:none;box-shadow:none;height:16px;width:16px;border:2px solid #ff5d20}.metform-admin-container--body .mf-admin-control-input[type=checkbox]:checked::before{content:"";position:absolute;background-color:#ff3747;width:8px;height:9px;-webkit-box-sizing:border-box;box-sizing:border-box;left:2px;border-radius:2px;text-align:center;margin:0;top:1.6px}.metform-admin-container .mf-setting-input{border-radius:3px;padding:5px 15px;height:40px;-webkit-box-sizing:border-box;box-sizing:border-box;font-size:14px;line-height:17px;display:inline-block;-webkit-box-shadow:none;box-shadow:none;color:#121116;border:1px solid #dee3ea;font-weight:400}.metform-admin-container .mf-setting-input:active,.metform-admin-container .mf-setting-input:focus{border-color:#ff324d;-webkit-box-shadow:none;box-shadow:none;outline:0}.metform-admin-container .mf-admin-save-icon{color:#fff;font-size:14px;margin-right:6px;height:14px;width:14px}.metform-admin-container .button-primary{text-decoration:none;text-shadow:none;background-color:#ff324d;border-radius:4px;-webkit-box-shadow:0 7px 15px rgba(242,41,91,.3);box-shadow:0 7px 15px rgba(242,41,91,.3);font-size:14px;line-height:16px;text-transform:uppercase;color:#fff;font-weight:500;border:none;padding:12px 23px;-webkit-transition:all .4s;transition:all .4s;display:-webkit-box;display:-ms-flexbox;display:-webkit-inline-box;display:-ms-inline-flexbox;display:inline-flex;-webkit-box-align:center;-ms-flex-align:center;align-items:center;background-image:linear-gradient(45deg,#ff324d,#ff6b11);position:relative;z-index:9}.metform-admin-container .button-primary:focus,.metform-admin-container .button-primary:hover{border:none;outline:0;-webkit-box-shadow:0 7px 15px rgba(242,41,91,.3);box-shadow:0 7px 15px rgba(242,41,91,.3)}.metform-admin-container .button-primary::before{border-radius:inherit;background-image:linear-gradient(45deg,#ff6b11,#ff324d);content:"";display:block;height:100%;position:absolute;top:0;left:0;opacity:0;width:100%;z-index:-1;-webkit-transition:opacity .7s ease-in-out;transition:opacity .7s ease-in-out}.metform-admin-container .button-primary:hover{background-color:#dc0420}.metform-admin-container .button-primary:hover::before{opacity:1}.mf-recaptcha-settings{display:none}.mf_setting_logo{padding-top:25px}.mf_setting_logo img{max-width:200px}.mf-setting-dashboard-banner{border-radius:20px;padding-top:0}.mf-setting-dashboard-banner img{width:100%}.mf-setting-dashboard-banner--content{padding:30px}.mf-setting-dashboard-banner--content h3{margin:0;margin-bottom:15px}.mf-setting-btn{text-decoration:none;background-color:#ff324d;padding:8px 15px;border:none;-webkit-box-shadow:none;box-shadow:none;background-image:linear-gradient(45deg,#ff324d,#ff6b11);font-weight:500}.mf-setting-btn-link{background-image:none;color:#1f55f8;border-radius:0;background-color:transparent;border:none;padding:0;text-decoration:none;border-bottom:1px solid #1f55f8;font-weight:600;font-size:14px;display:inline-block;line-height:18px;-webkit-transition:all .4s;transition:all .4s}.mf-setting-btn-link:hover{color:#507bff}.mf-setting-separator{margin:50px 0}.mf-setting-input-group{margin-bottom:30px}.mf-setting-input-group:last-child{margin-bottom:0}.mf-setting-input-group .description{font-weight:400;font-size:13px;line-height:15px;color:#999;font-style:normal;margin:0;margin-top:8px}.mf-setting-input-desc{display:none;padding-right:100px}.mf-setting-input-desc .mf-setting-btn-link{margin-top:15px}.mf-setting-input-desc--title{margin-top:0;margin-bottom:8px}.mf-setting-input-desc li,.mf-setting-input-desc p{font-size:14px;line-height:18px;color:#111}.mf-setting-tab-nav{margin-bottom:30px}.mf-setting-tab-nav li{margin-right:15px;cursor:pointer}.mf-setting-tab-nav li:last-child{margin-right:0}.mf-setting-tab-nav .attr-nav-tabs{border:none}.mf-setting-tab-nav .attr-nav-item{border:none;border-radius:4px;text-decoration:none;text-align:center;color:#111;font-size:14px;text-transform:capitalize;font-weight:600;padding:8px 14px;margin-right:0;display:inline-block;-webkit-box-shadow:none;box-shadow:none;z-index:2}.mf-setting-tab-nav .attr-nav-item:hover{color:#fff;background-color:#ff433c}.mf-setting-tab-nav .attr-active .attr-nav-item{color:#fff;background-color:#ff433c;border:none}.mf-setting-tab-nav .attr-active .attr-nav-item:active,.mf-setting-tab-nav .attr-active .attr-nav-item:focus,.mf-setting-tab-nav .attr-active .attr-nav-item:hover{border:none;-webkit-box-shadow:none;box-shadow:none;outline:0;color:#fff;background-color:#ff433c}.mf-setting-input-desc-data{display:none}.mf-setting-select-container{position:relative}.mf-setting-select-container .mf-setting-input{-webkit-appearance:none;-moz-appearance:none;appearance:none;background:0 0}.mf-setting-select-container::before{content:"";width:0;height:0;border-left:5px solid transparent;border-right:5px solid transparent;border-top:5px solid #111;position:absolute;right:15px;-webkit-transform:translateY(-50%);transform:translateY(-50%);top:50%}.mf-setting-refresh-btn{margin:0 10px;font-size:18px;line-height:24px}.mf-set-dash-tab-img{text-align:center}.mf-set-dash-section{padding:100px 0}.mf-set-dash-section:not(:first-child):not(:last-child){padding-bottom:20px;display:none}.mf-setting-dash-section-heading{text-align:center;position:relative;margin:0 auto;margin-bottom:32px}.mf-setting-dash-section-heading--title{font-size:36px;line-height:42px;margin:0;color:#121116;font-weight:700;letter-spacing:-1px}.mf-setting-dash-section-heading--title strong{color:#ff433c}.mf-setting-dash-section-heading--subtitle{color:rgba(0,0,0,.05);font-size:60px;line-height:69px;margin:0;font-weight:700;position:absolute;top:-25px;left:50%;width:100%;-webkit-transform:translateX(-50%);transform:translateX(-50%)}.mf-setting-dash-section-heading--content{width:440px;margin:0 auto;margin-top:8px}.mf-setting-dash-section-heading--content p{font-size:16px;line-height:21px;color:#121116}.mf-setting-dash-section-heading--content p:first-child{margin-top:0}.mf-setting-dash-section-heading--content p:last-child{margin-bottom:0}.mf-set-dash-top-notch{display:-webkit-box;display:-ms-flexbox;display:flex;-ms-flex-wrap:wrap;flex-wrap:wrap;border-right:1px solid #f0f0f0;border-bottom:1px solid #f0f0f0}.mf-set-dash-top-notch--item{-webkit-box-flex:0;-ms-flex:0 0 33.33%;flex:0 0 33.33%;border:1px solid #f0f0f0;-webkit-box-sizing:border-box;box-sizing:border-box;padding:40px;position:relative;border-right:0;border-bottom:0}.mf-set-dash-top-notch--item__title{font-size:18px;line-height:21px;color:#121116;font-weight:600;margin:0;margin-bottom:17px}.mf-set-dash-top-notch--item__desc{font-weight:400;font-size:16px;line-height:21px;color:#999}.mf-set-dash-top-notch--item::before{content:attr(data-count);font-size:60px;line-height:69px;position:absolute;top:-5px;right:5px;-webkit-text-stroke:2px;-webkit-text-fill-color:transparent;color:#f0f0f0}.mf-set-dash-free-pro-content{display:-webkit-box;display:-ms-flexbox;display:flex;-ms-flex-wrap:wrap;flex-wrap:wrap}.mf-set-dash-free-pro-content img{max-width:100%}.mf-set-dash-free-pro-content .attr-nav-tabs{display:-webkit-box;display:-ms-flexbox;display:flex;-webkit-box-orient:vertical;-webkit-box-direction:normal;-ms-flex-direction:column;flex-direction:column;margin:0;border:1px solid #f0f0f0;width:290px}.mf-set-dash-free-pro-content .attr-nav-link{text-decoration:none;font-size:16px;line-height:18px;color:#121116!important;border:none!important;padding:20px 23px;margin:0;border-radius:0;-webkit-transition:all .4s;transition:all .4s}.mf-set-dash-free-pro-content .attr-nav-link:focus{outline:0;-webkit-box-shadow:none;box-shadow:none;background-color:transparent;border:none}.mf-set-dash-free-pro-content .attr-nav-link:hover{background-color:transparent}.mf-set-dash-free-pro-content .attr-nav-item{border-bottom:1px solid #f0f0f0}.mf-set-dash-free-pro-content .attr-nav-item:last-child{border-bottom:0}.mf-set-dash-free-pro-content .attr-nav-item:focus{outline:0;-webkit-box-shadow:none;box-shadow:none}.mf-set-dash-free-pro-content .attr-nav-item.attr-active>a{border:none}.mf-set-dash-free-pro-content .attr-nav-item.attr-active .attr-nav-link{background-color:#ff433c;color:#fff!important}.mf-set-dash-free-pro-content .attr-nav-item.attr-active .mf-icon{color:#fff}.mf-set-dash-free-pro-content .attr-nav-item.attr-active .mf-set-dash-badge{background-color:#fff}.mf-set-dash-free-pro-content .mf-icon{font-size:14px;color:#ff433c;margin-right:7px}.mf-set-dash-free-pro-content .mf-set-dash-badge{background-color:rgba(242,41,91,.1);color:#f2295b;font-size:10px;line-height:11px;border-radius:2px;display:inline-block;padding:3px 6px;margin-left:18px;font-weight:600;text-transform:uppercase}.mf-set-dash-free-pro-content .attr-tab-content{border:1px solid #f0f0f0;border-left:0;padding:50px;-webkit-box-sizing:border-box;box-sizing:border-box;-webkit-box-flex:0;-ms-flex:0 0 calc(100% - 292px);flex:0 0 calc(100% - 292px)}.mf-set-dash-free-pro-content .attr-tab-content p{font-size:16px;line-height:24px;font-weight:400;color:#444}.mf-set-dash-free-pro-content .attr-tab-content ul li{color:#444;font-size:16px;line-height:21px}.mf-set-dash-free-pro-content .attr-tab-content ul li::before{content:"";height:5px;width:5px;background-color:#f2295b;border-radius:100px;display:inline-block;vertical-align:middle;margin-right:7px}.mf-set-dash-free-pro-content .attr-tab-content .mf-admin-setting-btn{margin-top:35px}.admin-bar .mf-setting-header.fixed{top:30px}#mf-set-dash-faq{background-color:#f1f1f1;padding-bottom:100px;margin:100px 0;text-align:center;margin-left:-50px;margin-right:-50px}#mf-set-dash-faq .mf-admin-setting-btn{margin-top:30px}.mf-admin-accordion{max-width:700px;margin:0 auto;margin-top:30px}.mf-admin-single-accordion{background-color:#fff;-webkit-box-shadow:0 7px 15px rgba(0,0,0,.07);box-shadow:0 7px 15px rgba(0,0,0,.07);margin:10px 0;text-align:left}.mf-admin-single-accordion.active .mf-admin-single-accordion--heading::after{content:"\e995";color:#f2295b}.mf-admin-single-accordion--heading{cursor:pointer;margin:0;color:#121116;font-size:14px;line-height:20px;padding:18px 20px;position:relative}.mf-admin-single-accordion--heading::after{content:"\e994";font-family:metform;position:absolute;right:30px;top:50%;-webkit-transform:translateY(-50%);transform:translateY(-50%);font-size:12px}.mf-admin-single-accordion--body{padding:0;display:none}.mf-admin-single-accordion--body__content{padding:30px;padding-top:0}.mf-admin-single-accordion--body p{margin:0}#mf-set-dash-rate-now{margin-top:100px;display:-webkit-box;display:-ms-flexbox;display:flex;-webkit-box-pack:justify;-ms-flex-pack:justify;justify-content:space-between;-webkit-box-align:center;-ms-flex-align:center;align-items:center;padding-bottom:0;padding-top:0;-ms-flex-wrap:wrap;flex-wrap:wrap}#mf-set-dash-rate-now .mf-setting-dash-section-heading{text-align:left}#mf-set-dash-rate-now .mf-admin-left-thumb{margin-bottom:-50px;-ms-flex-item-align:end;align-self:flex-end}#mf-set-dash-rate-now>div{-webkit-box-flex:1;-ms-flex:1;flex:1}.mf-admin-left-thumb img{max-width:100%}.mf-other-tab .description{margin-top:10px}.mf-other-tab .description .description-highlight{color:red}.mf-setting-switch input[type=checkbox]{display:none}.mf-setting-switch input[type=checkbox]:checked+span::before{content:"Yes";width:55px;height:25px;background-color:#ff433c;left:0;border-radius:15px;display:inline-block;text-align:left;color:#fff;text-transform:uppercase;font-weight:700;font-size:10px;padding:3px;-webkit-box-sizing:border-box;box-sizing:border-box;padding-left:10px}.mf-setting-switch input[type=checkbox]:checked+span::after{content:"";width:20px;height:20px;background-color:#fff;border-radius:100px;display:inline-block;position:absolute;right:2px;top:2px}.mf-setting-switch input[type=checkbox]+span{position:relative;display:block}.mf-setting-switch input[type=checkbox]+span::before{content:"No";width:55px;height:25px;background-color:#ededed;left:0;border-radius:15px;text-align:right;color:#fff;text-transform:uppercase;font-weight:700;font-size:10px;padding:3px;-webkit-box-sizing:border-box;box-sizing:border-box;padding-right:10px;-webkit-transition:all .4s;transition:all .4s;float:right;line-height:18px;cursor:pointer}.mf-setting-switch input[type=checkbox]+span::after{content:"";width:20px;height:20px;background-color:#fff;border-radius:100px;display:inline-block;position:absolute;right:31px;top:2px;-webkit-transition:all .4s;transition:all .4s}@media (min-width:768px){.mf-setting-input-desc-data{display:block}.mf-settings-dashboard>.attr-row>div:last-of-type{padding-left:0}.mf-settings-dashboard>.attr-row>div:first-of-type{padding-right:0}}@media (max-width:767px){.mf-setting-dash-section-heading--content{width:100%}.mf-set-dash-free-pro-content .attr-nav-tabs{min-width:100%}.mf-set-dash-free-pro-content .attr-tab-content{border-left:1px solid #f0f0f0;padding:20px;-webkit-box-flex:100%;-ms-flex:100%;flex:100%}.mf-settings-dashboard .mf-setting-sidebar{position:static;width:100%!important}.metform-admin-container{padding:30px}.metform-admin-container--body .mf-setting-header{margin-left:-30px;margin-right:-30px;padding-left:30px;padding-right:30px}.metform-admin-container--body .mf-setting-header::after,.metform-admin-container--body .mf-setting-header::before{margin-left:30px;margin-right:30px}.metform-admin-container--body .mf-setting-header::after{width:calc(100% - 60px)}.mf-set-dash-top-notch--item{-webkit-box-flex:0;-ms-flex:0 0 100%;flex:0 0 100%}.admin-bar .mf-setting-header.fixed{top:0}#mf-set-dash-faq{margin-left:-30px;margin-right:-30px}.mf-admin-left-thumb{margin-bottom:-30px;text-align:center;width:100%;margin-top:15px}.metform-admin-container--body .mf-settings-single-section--title{font-size:19px}.metform-admin-container--body .mf-settings-single-section--title span{display:none}.mf-setting-dash-section-heading--title{font-size:25px;line-height:30px}.mf-setting-dash-section-heading--subtitle{font-size:52px;line-height:59px}}.mf-setting-spin{-webkit-animation-name:rotate;animation-name:rotate;-webkit-animation-duration:.5s;animation-duration:.5s;-webkit-animation-iteration-count:infinite;animation-iteration-count:infinite;-webkit-animation-timing-function:linear;animation-timing-function:linear}@-webkit-keyframes rotate{from{-webkit-transform:rotate(0);transform:rotate(0)}to{-webkit-transform:rotate(360deg);transform:rotate(360deg)}}@keyframes rotate{from{-webkit-transform:rotate(0);transform:rotate(0)}to{-webkit-transform:rotate(360deg);transform:rotate(360deg)}}.loading .attr-modal-content::before{opacity:.8;position:absolute;content:"";top:0;left:0;height:100%;width:100%;background-color:#fff;-webkit-transition:opaicty .5s ease;transition:opaicty .5s ease;z-index:5;border-radius:inherit}.loading .mf-spinner{display:block}#metform_form_modal{overflow-y:scroll}.elementor-editor-active .metform-form-save-btn-editor{display:none!important}.attr-modal-dialog-centered{display:-webkit-box;display:-ms-flexbox;display:flex;-webkit-box-align:center;-ms-flex-align:center;align-items:center;padding-top:30px;width:725px;max-width:100%}.attr-modal-dialog-centered .attr-modal-header{padding:36px 50px;border-bottom:none}.attr-modal-dialog-centered .attr-modal-header .attr-modal-title{font-size:20px;font-weight:700;color:#111;text-transform:capitalize;margin-bottom:38px;line-height:1}.attr-modal-dialog-centered .attr-modal-header .attr-nav-tabs{border:none;display:-webkit-box;display:-ms-flexbox;display:flex;-ms-flex-wrap:wrap;flex-wrap:wrap}.attr-modal-dialog-centered .attr-modal-header .attr-nav-tabs li{-webkit-transition:all .4s;transition:all .4s}.attr-modal-dialog-centered .attr-modal-header .attr-nav-tabs a{text-decoration:none;color:#111;font-size:14px;text-transform:capitalize;font-weight:600;padding:8px 10px;border:none;margin-right:0;-webkit-transition:all .4s;transition:all .4s}.attr-modal-dialog-centered .attr-modal-header .attr-nav-tabs a:hover{border:none;background-color:transparent}.attr-modal-dialog-centered .attr-modal-header .attr-nav-tabs a:focus{outline:0;-webkit-box-shadow:none;box-shadow:none;border:none}.attr-modal-dialog-centered .attr-modal-header .attr-nav-tabs li.attr-active a{border:none;color:#fff;background-color:#1f55f8;border-radius:4px;text-align:center}.attr-modal-dialog-centered .attr-modal-header button.attr-close{opacity:.8;font-size:inherit;outline:0;margin-top:-15px;margin-right:-25px}.attr-modal-dialog-centered .attr-modal-header button.attr-close span{color:#e81123;font-size:35px;font-weight:100;background-color:#fce7e9;height:36px;width:36px;display:inline-block;line-height:36px;border-radius:100px;outline:0;margin-top:5px;font-family:initial}.attr-modal-dialog-centered .attr-tab-content .attr-modal-body{padding:40px 50px;padding-top:0}.attr-modal-dialog-centered .attr-tab-content div#limit_status.hide_input{display:none}.attr-modal-dialog-centered .attr-tab-content .mf-input-group label.attr-input-label{color:#111;font-size:16px;margin-bottom:7px;display:block;font-weight:500;padding:15px 0 8px}.attr-modal-dialog-centered .attr-tab-content .mf-input-group{border-bottom:1px solid #f5f5f5;padding-bottom:14px;margin-bottom:14px}.attr-modal-dialog-centered .attr-tab-content .mf-input-group:last-of-type{border-bottom:none;padding-bottom:0}.attr-modal-dialog-centered .attr-tab-content .mf-input-group .attr-form-control,.attr-modal-dialog-centered .attr-tab-content .mf-input-group input{color:#000;font-size:14px;height:48px;padding:0 22px;border-color:#ededed;margin-top:12px;max-width:100%;background-color:#f9f9f9;-webkit-transition:all .4s;transition:all .4s}.attr-modal-dialog-centered .attr-tab-content .mf-input-group .attr-form-control:focus,.attr-modal-dialog-centered .attr-tab-content .mf-input-group .attr-form-control:hover,.attr-modal-dialog-centered .attr-tab-content .mf-input-group input:focus,.attr-modal-dialog-centered .attr-tab-content .mf-input-group input:hover{background-color:#fff}.attr-modal-dialog-centered .attr-tab-content .mf-input-group textarea{padding:22px!important}.attr-modal-dialog-centered .attr-tab-content .mf-input-group input[type=checkbox]{display:none}.attr-modal-dialog-centered .attr-tab-content .mf-input-group input[type=checkbox]+span{position:relative;display:block}.attr-modal-dialog-centered .attr-tab-content .mf-input-group input[type=checkbox]+span::before{content:"No";width:55px;height:25px;background-color:#ededed;left:0;border-radius:15px;text-align:right;color:#fff;text-transform:uppercase;font-weight:700;font-size:10px;padding:3px;-webkit-box-sizing:border-box;box-sizing:border-box;padding-right:10px;-webkit-transition:all .4s;transition:all .4s;float:right;line-height:18px;cursor:pointer}.attr-modal-dialog-centered .attr-tab-content .mf-input-group input[type=checkbox]+span::after{content:"";width:20px;height:20px;background-color:#fff;border-radius:100px;display:inline-block;position:absolute;right:31px;top:2px;-webkit-transition:all .4s;transition:all .4s}.attr-modal-dialog-centered .attr-tab-content .mf-input-group input[type=checkbox]:checked+span::before{content:"Yes";width:55px;height:25px;background-color:#1f55f8;left:0;border-radius:15px;display:inline-block;text-align:left;color:#fff;text-transform:uppercase;font-weight:700;font-size:10px;padding:3px;-webkit-box-sizing:border-box;box-sizing:border-box;padding-left:10px}.attr-modal-dialog-centered .attr-tab-content .mf-input-group input[type=checkbox]:checked+span::after{content:"";width:20px;height:20px;background-color:#fff;border-radius:100px;display:inline-block;position:absolute;right:2px;top:2px}.attr-modal-dialog-centered .attr-tab-content .mf-input-group .mf-rest-api-method{padding:0 18px;margin:0}.attr-modal-dialog-centered .attr-tab-content .mf-input-group #mf-hubsopt-fileds{margin-top:10px}.attr-modal-dialog-centered .attr-tab-content .mf-input-group #mf-hubsopt-fileds .mf-input-warning{color:red}.attr-modal-dialog-centered .attr-tab-content .mf-input-group span.mf-input-help{color:#b7b7b7;font-style:italic;font-size:12px}.attr-modal-dialog-centered .attr-tab-content .mf-input-group span.mf-input-help strong{color:#555;font-weight:700}.attr-modal-dialog-centered .attr-tab-content .mf-input-group span.mf-input-help a{color:#1f55f8;text-decoration:none;font-weight:700}.attr-modal-dialog-centered .attr-tab-content .mf-input-group .mf-input-group-inner label.attr-input-label{display:inline-block}.attr-modal-dialog-centered .attr-tab-content .mf-input-group .mf-input-group-inner #limit_status{width:100px;margin:0;position:relative;margin-left:15px;float:right;margin-top:-2px}.attr-modal-dialog-centered .attr-tab-content .mf-input-group .mf-input-group-inner input{margin:0}.attr-modal-dialog-centered .attr-tab-content .mf-input-group .mf-input-group-inner input[type=checkbox]+span::before{position:relative;top:-2px;left:5px}.attr-modal-dialog-centered .attr-tab-content .mf-input-group .mf-input-group-inner input[type=checkbox]+span::after{right:28px;top:0}.attr-modal-dialog-centered .attr-tab-content .mf-input-group .mf-input-group-inner input[type=checkbox]:checked+span::after{right:-2px;top:0}.attr-modal-dialog-centered .attr-tab-content .mf-input-group.mf-input-group-inline{display:-webkit-box;display:-ms-flexbox;display:flex;-ms-flex-wrap:wrap;flex-wrap:wrap;-webkit-box-align:initial;-ms-flex-align:initial;align-items:initial}.attr-modal-dialog-centered .attr-tab-content .mf-input-group.mf-input-group-inline .attr-input-label,.attr-modal-dialog-centered .attr-tab-content .mf-input-group.mf-input-group-inline .mf-inputs{-webkit-box-flex:1;-ms-flex:1;flex:1}.attr-modal-dialog-centered .attr-tab-content .mf-input-group.mf-input-group-inline .attr-input-label select,.attr-modal-dialog-centered .attr-tab-content .mf-input-group.mf-input-group-inline .mf-inputs select{margin:0}.attr-modal-dialog-centered .attr-tab-content .mf-input-group .metfrom-btn-refresh-hubsopt-list{margin-left:5px}.attr-modal-dialog-centered .attr-tab-content .mf-input-group input[type=number]+span,.attr-modal-dialog-centered .attr-tab-content .mf-input-group input[type=text]+span{display:block;margin-top:5px}.attr-modal-dialog-centered .attr-tab-content #limit_status.show_input{margin-top:32px}.attr-modal-dialog-centered .attr-modal-footer{padding:30px 50px}.attr-modal-dialog-centered .attr-modal-footer button{color:#fff;background-color:#1f55f8;font-size:16px;font-weight:700;-webkit-box-sizing:border-box;box-sizing:border-box;padding:12px 20px;-webkit-box-shadow:none;box-shadow:none;border:1px solid transparent;-webkit-transition:all .4s;transition:all .4s;outline:0}.attr-modal-dialog-centered .attr-modal-footer button:focus{border:none;outline:0}.attr-modal-dialog-centered .attr-modal-footer button.metform-form-save-btn-editor{background-color:#d8d8d8;color:#111}.attr-modal-dialog-centered>form{width:100%}.modal-backdrop{position:fixed;top:0;left:0;width:100vw;height:100vh;background-color:rgba(0,0,0,.5);z-index:9999}.attr-modal{z-index:10000}.mf_multipile_ajax_search_filed .select2-container--default .select2-selection--multiple .select2-selection__choice{line-height:1.5;font-size:.9em;border:none;border-radius:0;color:#6d7882}.mf-headerfooter-status{display:inline-block;margin-left:5px;padding:2px 5px 3px;color:#fff;background-color:#9a9a9a;border-radius:3px;font-size:10px;line-height:1;font-weight:700}.mf-headerfooter-status-active{background-color:#00cd00}.irs--round .irs-max,.irs--round .irs-min{display:none}.irs--round .irs-handle{cursor:pointer}.mf-success-msg{position:fixed;z-index:9;text-align:center;top:50%;left:50%;-webkit-transform:translate(-50%,-50%);transform:translate(-50%,-50%);-webkit-box-shadow:0 2px 5px rgba(153,153,153,.2);box-shadow:0 2px 5px rgba(153,153,153,.2);min-width:300px}textarea.attr-form-control{height:auto!important}.post-type-metform-form .row-actions .inline{display:none!important}div.metform-entry-browser-data table tbody,div.metform-entry-browser-data table thead,div.metform-entry-data table tbody,div.metform-entry-data table thead{text-align:left}img.form-editor-icon{height:20px;width:20px;margin-right:5px;vertical-align:middle}div.mf-file-show button.attr-btn.attr-btn-primary{margin-left:10px}.mf-file-show a{text-decoration:none}.mf-modal-container{margin-top:50px}.mf-modal-container .attr-modal-body img{margin:0 auto}.mf-entry-input,.mf-entry-label{-webkit-box-sizing:border-box;box-sizing:border-box}.mf-entry-filter{margin-right:10px;min-width:15%}.mf-entry-export-csv{min-width:20%}.metform_open_content_editor_modal .attr-modal-dialog-centered .attr-tab-content .mf-input-group input[type=checkbox]+span::before{line-height:20px}.mf-image-select-input,.mf-toggle-select-input{position:absolute;opacity:0;width:0;height:0}.mf-image-select-input+img,.mf-toggle-select-input+p{cursor:pointer}.mf-input-rest-api-group .mf-rest-api-key{width:100px;display:inline-block;position:relative;top:17px}.mf-input-rest-api-group .mf-rest-api{width:calc(100% - 110px);vertical-align:middle;display:inline-block!important}.metform_open_content_editor_modal .mf-rest-api-key{top:19px}.metform-entry-data table.mf-entry-data{width:100%;background-color:#fff;border:1px solid #eaf2fa;color:#000}.metform-entry-data table.mf-entry-data tbody tr.mf-data-label{background-color:#eaf2fa}.metform-entry-data table.mf-entry-data tbody tr.mf-data-value{background-color:#fff}.metform-entry-data table.mf-entry-data tbody tr.mf-data-value pre{margin:0;font:inherit}.metform-entry-data table.mf-entry-data tbody tr.mf-data-value td.mf-value-space{width:20px}.metform-entry-data table.mf-entry-data tbody tr.mf-data-value .signature-img{max-width:100%}.metform-entry-data table.mf-entry-data tbody tr.mf-data-value td .simple-repeater-entry-data-divider:not(:last-child){width:100%;background:rgba(66,63,63,.169);height:1px;margin:6px 0}.mf-cf-single-field{display:-webkit-box;display:-ms-flexbox;display:flex;-webkit-box-align:end;-ms-flex-align:end;align-items:flex-end;position:relative;margin-bottom:1rem;-webkit-box-pack:justify;-ms-flex-pack:justify;justify-content:space-between}.mf-cf-single-field .mf-cf-single-field-input{width:48%}.mf-cf-single-field .mf-cf-single-field-input label{color:#111;font-size:12px;display:block;font-weight:500}.mf-cf-single-field .mf-cf-single-field-input input,.mf-cf-single-field .mf-cf-single-field-input select{margin-top:8px!important}.mf-cf-single-field .mf-btn-del-singl-field{outline:0;color:#fd397a;background-color:rgba(253,57,122,.1);text-decoration:none;font-size:12px;font-weight:700;padding:0 10px;position:absolute;right:0;top:0;line-height:19px;display:inline-block;border-radius:4px}.mf-cf-single-field .mf-btn-del-singl-field:hover{color:#fff;background-color:#fd397a}.mf-cf-single-field .mf-btn-del-singl-field:focus{color:#fff;background-color:#c9302c}.mf-add-cf{color:#716aca;background-color:rgba(113,106,202,.1);font-size:20px;line-height:.65em;padding:10px 10px;border:none!important;-webkit-box-shadow:none;box-shadow:none;font-weight:700;cursor:pointer;border-radius:4px;outline:0}.mf-add-cf span{-webkit-transform:translateY(-2px);transform:translateY(-2px);display:block}.mf-add-cf:hover{color:#fff;background-color:#716aca}.mf-add-cf:focus{color:#fff;background-color:#286090}.achor-style{color:#1f55f8;text-decoration:none;font-weight:700}.metform-add-new-form-model-contents .metform-template-input-con label{display:none}.metform-add-new-form-model-contents .metform-template-form-type label{display:none}.metform-add-new-form-model-contents .metform-editor-input{max-width:100%;height:56px;width:100%;display:block;-webkit-box-sizing:border-box;box-sizing:border-box;background-color:#fff;border-radius:5px;border:none;padding:0 25px;color:#101010;font-size:18px;line-height:42px;border:1px solid #ccc}.metform-add-new-form-model-contents .metform-editor-input:focus{border:1px solid #a4afb7!important;-webkit-box-shadow:0 15px 25px rgba(0,0,0,.07);box-shadow:0 15px 25px rgba(0,0,0,.07)}.metform-add-new-form-model-contents .metform-editor-input:nth-child(2){margin-top:16px}.metform-templates-list{font-family:roboto,sans-serif}.metform-templates-list .metform-template-radio-data:hover .metform-template-footer-links a{text-decoration:none}.metform-templates-list .metform-template-radio-data:hover .metform-template-footer-links a:hover{color:#93003c}.formpicker_iframe_modal .dialog-widget-content{position:static!important;margin:auto}.formpicker_iframe_modal a{text-decoration:none}.formpicker_iframe_modal>*{display:-webkit-box;display:-ms-flexbox;display:flex;-webkit-box-align:center;-ms-flex-align:center;align-items:center;gap:38px}.formpicker_iframe_modal .metform-form-update-close-btn{position:absolute;right:10px;top:7px;font-size:14px;text-transform:uppercase;background-color:#39b54a;color:#fff;padding:10px 25px;border-radius:100px;z-index:1;cursor:pointer;line-height:15px;padding-top:10px;-webkit-transition:all .4s;transition:all .4s}.formpicker_iframe_modal .metform-form-edit-btn{position:absolute;left:135px;top:0;color:#4285f4;font-size:15px;text-transform:uppercase;padding:18px 0}.formpicker_iframe_modal .metform-form-edit-btn i{margin-right:5px;font-size:18px;margin-top:-2px}#metform-new-form-modalinput-form{position:relative;top:50px;z-index:999;width:622px;background-color:#fff;-webkit-box-shadow:-15px 20px 50px rgba(0,0,0,.16);box-shadow:-15px 20px 50px rgba(0,0,0,.16);padding:15px 0 40px;border-radius:5px;text-align:center;-webkit-box-orient:vertical;-webkit-box-direction:normal;-ms-flex-direction:column;flex-direction:column}#metform-new-form-modalinput-form .metform-add-new-form-model-contents{background-color:#fff;border-radius:10px;min-width:auto;padding:10px 38px 38px;overflow-y:scroll;max-height:50vh;border-bottom:1px solid #f2f2f2;width:100%;-webkit-box-sizing:border-box;box-sizing:border-box}#metform-new-form-modalinput-form .metform-add-new-form-model-contents::-webkit-scrollbar{display:none}#metform-new-form-modalinput-form .metform-template-radio-data--pro_tag{background:linear-gradient(45deg,#ff6b11 0,#ff324d 100%);color:#fff;padding:0 5px;display:inline-block;position:absolute;right:2px;top:2px;text-transform:uppercase;font-size:10px;border-radius:3px;text-align:center}#metform_form_modal{z-index:2147483647!important;background:rgba(0,0,0,.507)}.metform-add-new-form-model-title{font-size:28px}.elementor-loading-title{display:none}.metform-add-new-form-model-contents{background-color:#fff;min-width:700px;border-radius:10px;padding:10px 38px 38px}.metform-add-new-form-model-contents .metform-editor-input{height:56px;width:100%;display:block;-webkit-box-sizing:border-box;box-sizing:border-box;background-color:#fff;border-radius:5px;padding:0 22px;color:#101010;font-size:18px;line-height:42px;border:1px solid #ccc}.metform-add-new-form-model-contents .metform-editor-input:focus{outline:0;border:none}.metform-templates-list{display:-webkit-box;display:-ms-flexbox;display:flex;-ms-flex-wrap:wrap;flex-wrap:wrap;margin-left:-15px}.metform-templates-list li{margin-left:16px;margin-bottom:16px;-webkit-box-flex:0;-ms-flex:0 0 30.4%;flex:0 0 30.4%;-webkit-box-sizing:border-box;box-sizing:border-box;border-radius:5px}.metform-templates-list li input{display:none;cursor:pointer}.metform-template-radio-data{min-height:101px;border:1px solid #ccc;display:-webkit-box;display:-ms-flexbox;display:flex;-webkit-box-pack:end;-ms-flex-pack:end;justify-content:flex-end;-webkit-box-align:center;-ms-flex-align:center;align-items:center;cursor:pointer;height:100%;position:relative;-webkit-box-orient:vertical;-webkit-box-direction:normal;-ms-flex-direction:column;flex-direction:column}.metform-templates-list li input:checked+.metform-template-radio-data{border:1px solid #4285f4}.metform-templates-list img{max-width:100%;padding:5px;max-height:180px}.metform-template-footer-content{-ms-flex-item-align:normal;align-self:normal;padding:0 10px;min-height:45px;border-top:1px solid rgba(204,204,204,.5);justify-self:auto;display:-webkit-box;display:-ms-flexbox;display:flex;-webkit-box-align:center;-ms-flex-align:center;align-items:center}.metform-template-footer-title{position:static;opacity:1;visibility:visible;-webkit-transition:opacity 1s;transition:opacity 1s}.metform-template-radio-data:hover .metform-template-footer-title{opacity:0;visibility:hidden;position:absolute}.metform-template-footer-links{display:-webkit-box;display:-ms-flexbox;display:flex;width:100%;-webkit-box-pack:justify;-ms-flex-pack:justify;justify-content:space-between;opacity:0;visibility:hidden;position:absolute;-webkit-transition:opacity .4s;transition:opacity .4s}.metform-template-radio-data:hover .metform-template-footer-links{opacity:1;visibility:visible;position:static}.metform-template-footer-title h2{font-size:13px;text-align:left;font-weight:500;color:#6d7882}.metform-template-footer-links a{color:#4285f4;font-size:13px;line-height:15px}.metform-template-footer-links--icon{margin-right:5px}.metform-add-new-form-save-btn,.metform-open-new-form-editor-modal{background-color:#4285f4;border:none;font-size:16px;line-height:42px;color:#fff;border-radius:5px;padding:5px 30px 3px;min-width:170px;-webkit-box-sizing:border-box;box-sizing:border-box;margin-top:30px;cursor:pointer}.metform-add-new-form-save-btn{background-color:#d8d8d8;color:#111}.metform-open-new-form-editor-modal>span{margin-right:12px}.metform-add-new-form-modal-close-btn{color:#ff433c;border:2px solid #ff433c;width:30px;height:30px;line-height:27px;text-align:center;border-radius:100px;font-size:17px;position:absolute;top:-10px;right:-10px;background-color:#fff;cursor:pointer;-webkit-box-shadow:0 5px 15px rgba(0,0,0,.2);box-shadow:0 5px 15px rgba(0,0,0,.2)}.metform-add-new-form-modal-close-btn::after,.metform-add-new-form-modal-close-btn::before{content:'';position:absolute;top:0;left:0;width:18px;height:2px;background-color:#ff433c;-webkit-transform:rotate(45deg);transform:rotate(45deg);top:calc(50% - 1px);left:calc(50% - 9px)}.metform-add-new-form-modal-close-btn::after{-webkit-transform:rotate(-45deg);transform:rotate(-45deg)}#formpicker-control-iframe{width:100%;height:75vh}.metform-entry-data table.mf-entry-data tbody tr.mf_wrong_result{background-color:#f2dede}.metform-entry-data table.mf-entry-data tbody tr.mf_correct_result{background-color:#b7f09e}
  • metform/trunk/public/assets/js/app.js

    r2896914 r2907471  
    1 !function(){var e={521:function(e,t){"use strict";function n(e){var t=undefined;return"undefined"!=typeof Reflect&&"function"==typeof Reflect.ownKeys?t=Reflect.ownKeys(e.prototype):(t=Object.getOwnPropertyNames(e.prototype),"function"==typeof Object.getOwnPropertySymbols&&(t=t.concat(Object.getOwnPropertySymbols(e.prototype)))),t.forEach((function(t){if("constructor"!==t){var n=Object.getOwnPropertyDescriptor(e.prototype,t);"function"==typeof n.value&&Object.defineProperty(e.prototype,t,r(e,t,n))}})),e}function r(e,t,n){var r=n.value;if("function"!=typeof r)throw new Error("@autobind decorator can only be applied to methods not: "+typeof r);var o=!1;return{configurable:!0,get:function(){if(o||this===e.prototype||this.hasOwnProperty(t))return r;var n=r.bind(this);return o=!0,Object.defineProperty(this,t,{value:n,configurable:!0,writable:!0}),o=!1,n}}}Object.defineProperty(t,"__esModule",{value:!0}),t["default"]=function(){for(var e=arguments.length,t=Array(e),o=0;o<e;o++)t[o]=arguments[o];return 1===t.length?n.apply(undefined,t):r.apply(undefined,t)},e.exports=t["default"]},527:function(e,t,n){"use strict";n.r(t),n.d(t,{"default":function(){return P}});const r=["onChange","onClose","onDayCreate","onDestroy","onKeyDown","onMonthChange","onOpen","onParseConfig","onReady","onValueUpdate","onYearChange","onPreCalendarPosition"],o={_disable:[],allowInput:!1,allowInvalidPreload:!1,altFormat:"F j, Y",altInput:!1,altInputClass:"form-control input",animate:"object"==typeof window&&-1===window.navigator.userAgent.indexOf("MSIE"),ariaDateFormat:"F j, Y",autoFillDefaultTime:!0,clickOpens:!0,closeOnSelect:!0,conjunction:", ",dateFormat:"Y-m-d",defaultHour:12,defaultMinute:0,defaultSeconds:0,disable:[],disableMobile:!1,enableSeconds:!1,enableTime:!1,errorHandler:e=>"undefined"!=typeof console&&console.warn(e),getWeek:e=>{const t=new Date(e.getTime());t.setHours(0,0,0,0),t.setDate(t.getDate()+3-(t.getDay()+6)%7);var n=new Date(t.getFullYear(),0,4);return 1+Math.round(((t.getTime()-n.getTime())/864e5-3+(n.getDay()+6)%7)/7)},hourIncrement:1,ignoredFocusElements:[],inline:!1,locale:"default",minuteIncrement:5,mode:"single",monthSelectorType:"dropdown",nextArrow:"<svg version='1.1' xmlns='http://www.w3.org/2000/svg' xmlns:xlink='http://www.w3.org/1999/xlink' viewBox='0 0 17 17'><g></g><path d='M13.207 8.472l-7.854 7.854-0.707-0.707 7.146-7.146-7.146-7.148 0.707-0.707 7.854 7.854z' /></svg>",noCalendar:!1,now:new Date,onChange:[],onClose:[],onDayCreate:[],onDestroy:[],onKeyDown:[],onMonthChange:[],onOpen:[],onParseConfig:[],onReady:[],onValueUpdate:[],onYearChange:[],onPreCalendarPosition:[],plugins:[],position:"auto",positionElement:undefined,prevArrow:"<svg version='1.1' xmlns='http://www.w3.org/2000/svg' xmlns:xlink='http://www.w3.org/1999/xlink' viewBox='0 0 17 17'><g></g><path d='M5.207 8.471l7.146 7.147-0.707 0.707-7.853-7.854 7.854-7.853 0.707 0.707-7.147 7.146z' /></svg>",shorthandCurrentMonth:!1,showMonths:1,"static":!1,time_24hr:!1,weekNumbers:!1,wrap:!1},a={weekdays:{shorthand:["Sun","Mon","Tue","Wed","Thu","Fri","Sat"],longhand:["Sunday","Monday","Tuesday","Wednesday","Thursday","Friday","Saturday"]},months:{shorthand:["Jan","Feb","Mar","Apr","May","Jun","Jul","Aug","Sep","Oct","Nov","Dec"],longhand:["January","February","March","April","May","June","July","August","September","October","November","December"]},daysInMonth:[31,28,31,30,31,30,31,31,30,31,30,31],firstDayOfWeek:0,ordinal:e=>{const t=e%100;if(t>3&&t<21)return"th";switch(t%10){case 1:return"st";case 2:return"nd";case 3:return"rd";default:return"th"}},rangeSeparator:" to ",weekAbbreviation:"Wk",scrollTitle:"Scroll to increment",toggleTitle:"Click to toggle",amPM:["AM","PM"],yearAriaLabel:"Year",monthAriaLabel:"Month",hourAriaLabel:"Hour",minuteAriaLabel:"Minute",time_24hr:!1};var i=a;const s=(e,t=2)=>`000${e}`.slice(-1*t),u=e=>!0===e?1:0;function c(e,t){let n;return function(){clearTimeout(n),n=setTimeout((()=>e.apply(this,arguments)),t)}}const l=e=>e instanceof Array?e:[e];function f(e,t,n){if(!0===n)return e.classList.add(t);e.classList.remove(t)}function d(e,t,n){const r=window.document.createElement(e);return t=t||"",n=n||"",r.className=t,n!==undefined&&(r.textContent=n),r}function p(e){for(;e.firstChild;)e.removeChild(e.firstChild)}function h(e,t){return t(e)?e:e.parentNode?h(e.parentNode,t):undefined}function m(e,t){const n=d("div","numInputWrapper"),r=d("input","numInput "+e),o=d("span","arrowUp"),a=d("span","arrowDown");if(-1===navigator.userAgent.indexOf("MSIE 9.0")?r.type="number":(r.type="text",r.pattern="\\d*"),t!==undefined)for(const e in t)r.setAttribute(e,t[e]);return n.appendChild(r),n.appendChild(o),n.appendChild(a),n}function g(e){try{if("function"==typeof e.composedPath){return e.composedPath()[0]}return e.target}catch(t){return e.target}}const v=()=>undefined,y=(e,t,n)=>n.months[t?"shorthand":"longhand"][e],b={D:v,F:function(e,t,n){e.setMonth(n.months.longhand.indexOf(t))},G:(e,t)=>{e.setHours(parseFloat(t))},H:(e,t)=>{e.setHours(parseFloat(t))},J:(e,t)=>{e.setDate(parseFloat(t))},K:(e,t,n)=>{e.setHours(e.getHours()%12+12*u(new RegExp(n.amPM[1],"i").test(t)))},M:function(e,t,n){e.setMonth(n.months.shorthand.indexOf(t))},S:(e,t)=>{e.setSeconds(parseFloat(t))},U:(e,t)=>new Date(1e3*parseFloat(t)),W:function(e,t,n){const r=parseInt(t),o=new Date(e.getFullYear(),0,2+7*(r-1),0,0,0,0);return o.setDate(o.getDate()-o.getDay()+n.firstDayOfWeek),o},Y:(e,t)=>{e.setFullYear(parseFloat(t))},Z:(e,t)=>new Date(t),d:(e,t)=>{e.setDate(parseFloat(t))},h:(e,t)=>{e.setHours(parseFloat(t))},i:(e,t)=>{e.setMinutes(parseFloat(t))},j:(e,t)=>{e.setDate(parseFloat(t))},l:v,m:(e,t)=>{e.setMonth(parseFloat(t)-1)},n:(e,t)=>{e.setMonth(parseFloat(t)-1)},s:(e,t)=>{e.setSeconds(parseFloat(t))},u:(e,t)=>new Date(parseFloat(t)),w:v,y:(e,t)=>{e.setFullYear(2e3+parseFloat(t))}},w={D:"(\\w+)",F:"(\\w+)",G:"(\\d\\d|\\d)",H:"(\\d\\d|\\d)",J:"(\\d\\d|\\d)\\w+",K:"",M:"(\\w+)",S:"(\\d\\d|\\d)",U:"(.+)",W:"(\\d\\d|\\d)",Y:"(\\d{4})",Z:"(.+)",d:"(\\d\\d|\\d)",h:"(\\d\\d|\\d)",i:"(\\d\\d|\\d)",j:"(\\d\\d|\\d)",l:"(\\w+)",m:"(\\d\\d|\\d)",n:"(\\d\\d|\\d)",s:"(\\d\\d|\\d)",u:"(.+)",w:"(\\d\\d|\\d)",y:"(\\d{2})"},C={Z:e=>e.toISOString(),D:function(e,t,n){return t.weekdays.shorthand[C.w(e,t,n)]},F:function(e,t,n){return y(C.n(e,t,n)-1,!1,t)},G:function(e,t,n){return s(C.h(e,t,n))},H:e=>s(e.getHours()),J:function(e,t){return t.ordinal!==undefined?e.getDate()+t.ordinal(e.getDate()):e.getDate()},K:(e,t)=>t.amPM[u(e.getHours()>11)],M:function(e,t){return y(e.getMonth(),!0,t)},S:e=>s(e.getSeconds()),U:e=>e.getTime()/1e3,W:function(e,t,n){return n.getWeek(e)},Y:e=>s(e.getFullYear(),4),d:e=>s(e.getDate()),h:e=>e.getHours()%12?e.getHours()%12:12,i:e=>s(e.getMinutes()),j:e=>e.getDate(),l:function(e,t){return t.weekdays.longhand[e.getDay()]},m:e=>s(e.getMonth()+1),n:e=>e.getMonth()+1,s:e=>e.getSeconds(),u:e=>e.getTime(),w:e=>e.getDay(),y:e=>String(e.getFullYear()).substring(2)},O=({config:e=o,l10n:t=a,isMobile:n=!1})=>(r,o,a)=>{const i=a||t;return e.formatDate===undefined||n?o.split("").map(((t,n,o)=>C[t]&&"\\"!==o[n-1]?C[t](r,i,e):"\\"!==t?t:"")).join(""):e.formatDate(r,o,i)},x=({config:e=o,l10n:t=a})=>(n,r,a,i)=>{if(0!==n&&!n)return undefined;const s=i||t;let u;const c=n;if(n instanceof Date)u=new Date(n.getTime());else if("string"!=typeof n&&n.toFixed!==undefined)u=new Date(n);else if("string"==typeof n){const t=r||(e||o).dateFormat,i=String(n).trim();if("today"===i)u=new Date,a=!0;else if(/Z$/.test(i)||/GMT$/.test(i))u=new Date(n);else if(e&&e.parseDate)u=e.parseDate(n,t);else{u=e&&e.noCalendar?new Date((new Date).setHours(0,0,0,0)):new Date((new Date).getFullYear(),0,1,0,0,0,0);let r,o=[];for(let e=0,a=0,i="";e<t.length;e++){const c=t[e],l="\\"===c,f="\\"===t[e-1]||l;if(w[c]&&!f){i+=w[c];const e=new RegExp(i).exec(n);e&&(r=!0)&&o["Y"!==c?"push":"unshift"]({fn:b[c],val:e[++a]})}else l||(i+=".");o.forEach((({fn:e,val:t})=>u=e(u,t,s)||u))}u=r?u:undefined}}return u instanceof Date&&!isNaN(u.getTime())?(!0===a&&u.setHours(0,0,0,0),u):(e.errorHandler(new Error(`Invalid date provided: ${c}`)),undefined)};function k(e,t,n=!0){return!1!==n?new Date(e.getTime()).setHours(0,0,0,0)-new Date(t.getTime()).setHours(0,0,0,0):e.getTime()-t.getTime()}const D=864e5;function S(e){let t=e.defaultHour,n=e.defaultMinute,r=e.defaultSeconds;if(e.minDate!==undefined){const o=e.minDate.getHours(),a=e.minDate.getMinutes(),i=e.minDate.getSeconds();t<o&&(t=o),t===o&&n<a&&(n=a),t===o&&n===a&&r<i&&(r=e.minDate.getSeconds())}if(e.maxDate!==undefined){const o=e.maxDate.getHours(),a=e.maxDate.getMinutes();t=Math.min(t,o),t===o&&(n=Math.min(a,n)),t===o&&n===a&&(r=e.maxDate.getSeconds())}return{hours:t,minutes:n,seconds:r}}n(895);function E(e,t){const n={config:Object.assign(Object.assign({},o),_.defaultConfig),l10n:i};function a(e){return e.bind(n)}function v(){const e=n.config;!1===e.weekNumbers&&1===e.showMonths||!0!==e.noCalendar&&window.requestAnimationFrame((function(){if(n.calendarContainer!==undefined&&(n.calendarContainer.style.visibility="hidden",n.calendarContainer.style.display="block"),n.daysContainer!==undefined){const t=(n.days.offsetWidth+1)*e.showMonths;n.daysContainer.style.width=t+"px",n.calendarContainer.style.width=t+(n.weekWrapper!==undefined?n.weekWrapper.offsetWidth:0)+"px",n.calendarContainer.style.removeProperty("visibility"),n.calendarContainer.style.removeProperty("display")}}))}function b(e){if(0===n.selectedDates.length){const e=n.config.minDate===undefined||k(new Date,n.config.minDate)>=0?new Date:new Date(n.config.minDate.getTime()),t=S(n.config);e.setHours(t.hours,t.minutes,t.seconds,e.getMilliseconds()),n.selectedDates=[e],n.latestSelectedDateObj=e}e!==undefined&&"blur"!==e.type&&function(e){e.preventDefault();const t="keydown"===e.type,r=g(e),o=r;n.amPM!==undefined&&r===n.amPM&&(n.amPM.textContent=n.l10n.amPM[u(n.amPM.textContent===n.l10n.amPM[0])]);const a=parseFloat(o.getAttribute("min")),i=parseFloat(o.getAttribute("max")),c=parseFloat(o.getAttribute("step")),l=parseInt(o.value,10),f=e.delta||(t?38===e.which?1:-1:0);let d=l+c*f;if("undefined"!=typeof o.value&&2===o.value.length){const e=o===n.hourElement,t=o===n.minuteElement;d<a?(d=i+d+u(!e)+(u(e)&&u(!n.amPM)),t&&N(undefined,-1,n.hourElement)):d>i&&(d=o===n.hourElement?d-i-u(!n.amPM):a,t&&N(undefined,1,n.hourElement)),n.amPM&&e&&(1===c?d+l===23:Math.abs(d-l)>c)&&(n.amPM.textContent=n.l10n.amPM[u(n.amPM.textContent===n.l10n.amPM[0])]),o.value=s(d)}}(e);const t=n._input.value;C(),ye(),n._input.value!==t&&n._debouncedChange()}function C(){if(n.hourElement===undefined||n.minuteElement===undefined)return;let e=(parseInt(n.hourElement.value.slice(-2),10)||0)%24,t=(parseInt(n.minuteElement.value,10)||0)%60,r=n.secondElement!==undefined?(parseInt(n.secondElement.value,10)||0)%60:0;var o,a;n.amPM!==undefined&&(o=e,a=n.amPM.textContent,e=o%12+12*u(a===n.l10n.amPM[1]));const i=n.config.minTime!==undefined||n.config.minDate&&n.minDateHasTime&&n.latestSelectedDateObj&&0===k(n.latestSelectedDateObj,n.config.minDate,!0);if(n.config.maxTime!==undefined||n.config.maxDate&&n.maxDateHasTime&&n.latestSelectedDateObj&&0===k(n.latestSelectedDateObj,n.config.maxDate,!0)){const o=n.config.maxTime!==undefined?n.config.maxTime:n.config.maxDate;e=Math.min(e,o.getHours()),e===o.getHours()&&(t=Math.min(t,o.getMinutes())),t===o.getMinutes()&&(r=Math.min(r,o.getSeconds()))}if(i){const o=n.config.minTime!==undefined?n.config.minTime:n.config.minDate;e=Math.max(e,o.getHours()),e===o.getHours()&&t<o.getMinutes()&&(t=o.getMinutes()),t===o.getMinutes()&&(r=Math.max(r,o.getSeconds()))}M(e,t,r)}function E(e){const t=e||n.latestSelectedDateObj;t&&M(t.getHours(),t.getMinutes(),t.getSeconds())}function M(e,t,r){n.latestSelectedDateObj!==undefined&&n.latestSelectedDateObj.setHours(e%24,t,r||0,0),n.hourElement&&n.minuteElement&&!n.isMobile&&(n.hourElement.value=s(n.config.time_24hr?e:(12+e)%12+12*u(e%12==0)),n.minuteElement.value=s(t),n.amPM!==undefined&&(n.amPM.textContent=n.l10n.amPM[u(e>=12)]),n.secondElement!==undefined&&(n.secondElement.value=s(r)))}function P(e){const t=g(e),n=parseInt(t.value)+(e.delta||0);(n/1e3>1||"Enter"===e.key&&!/[^\d]/.test(n.toString()))&&G(n)}function j(e,t,r,o){return t instanceof Array?t.forEach((t=>j(e,t,r,o))):e instanceof Array?e.forEach((e=>j(e,t,r,o))):(e.addEventListener(t,r,o),void n._handlers.push({remove:()=>e.removeEventListener(t,r)}))}function T(){pe("onChange")}function A(e,t){const r=e!==undefined?n.parseDate(e):n.latestSelectedDateObj||(n.config.minDate&&n.config.minDate>n.now?n.config.minDate:n.config.maxDate&&n.config.maxDate<n.now?n.config.maxDate:n.now),o=n.currentYear,a=n.currentMonth;try{r!==undefined&&(n.currentYear=r.getFullYear(),n.currentMonth=r.getMonth())}catch(i){i.message="Invalid date supplied: "+r,n.config.errorHandler(i)}t&&n.currentYear!==o&&(pe("onYearChange"),U()),!t||n.currentYear===o&&n.currentMonth===a||pe("onMonthChange"),n.redraw()}function I(e){const t=g(e);~t.className.indexOf("arrow")&&N(e,t.classList.contains("arrowUp")?1:-1)}function N(e,t,n){const r=e&&g(e),o=n||r&&r.parentNode&&r.parentNode.firstChild,a=he("increment");a.delta=t,o&&o.dispatchEvent(a)}function R(e,t,r,o){const a=J(t,!0),i=d("span","flatpickr-day "+e,t.getDate().toString());return i.dateObj=t,i.$i=o,i.setAttribute("aria-label",n.formatDate(t,n.config.ariaDateFormat)),-1===e.indexOf("hidden")&&0===k(t,n.now)&&(n.todayDateElem=i,i.classList.add("today"),i.setAttribute("aria-current","date")),a?(i.tabIndex=-1,me(t)&&(i.classList.add("selected"),n.selectedDateElem=i,"range"===n.config.mode&&(f(i,"startRange",n.selectedDates[0]&&0===k(t,n.selectedDates[0],!0)),f(i,"endRange",n.selectedDates[1]&&0===k(t,n.selectedDates[1],!0)),"nextMonthDay"===e&&i.classList.add("inRange")))):i.classList.add("flatpickr-disabled"),"range"===n.config.mode&&function(e){return!("range"!==n.config.mode||n.selectedDates.length<2)&&(k(e,n.selectedDates[0])>=0&&k(e,n.selectedDates[1])<=0)}(t)&&!me(t)&&i.classList.add("inRange"),n.weekNumbers&&1===n.config.showMonths&&"prevMonthDay"!==e&&r%7==1&&n.weekNumbers.insertAdjacentHTML("beforeend","<span class='flatpickr-day'>"+n.config.getWeek(t)+"</span>"),pe("onDayCreate",i),i}function L(e){e.focus(),"range"===n.config.mode&&te(e)}function V(e){const t=e>0?0:n.config.showMonths-1,r=e>0?n.config.showMonths:-1;for(let o=t;o!=r;o+=e){const t=n.daysContainer.children[o],r=e>0?0:t.children.length-1,a=e>0?t.children.length:-1;for(let n=r;n!=a;n+=e){const e=t.children[n];if(-1===e.className.indexOf("hidden")&&J(e.dateObj))return e}}return undefined}function F(e,t){const r=X(document.activeElement||document.body),o=e!==undefined?e:r?document.activeElement:n.selectedDateElem!==undefined&&X(n.selectedDateElem)?n.selectedDateElem:n.todayDateElem!==undefined&&X(n.todayDateElem)?n.todayDateElem:V(t>0?1:-1);o===undefined?n._input.focus():r?function(e,t){const r=-1===e.className.indexOf("Month")?e.dateObj.getMonth():n.currentMonth,o=t>0?n.config.showMonths:-1,a=t>0?1:-1;for(let i=r-n.currentMonth;i!=o;i+=a){const o=n.daysContainer.children[i],s=r-n.currentMonth===i?e.$i+t:t<0?o.children.length-1:0,u=o.children.length;for(let n=s;n>=0&&n<u&&n!=(t>0?u:-1);n+=a){const r=o.children[n];if(-1===r.className.indexOf("hidden")&&J(r.dateObj)&&Math.abs(e.$i-n)>=Math.abs(t))return L(r)}}n.changeMonth(a),F(V(a),0),undefined}(o,t):L(o)}function H(e,t){const r=(new Date(e,t,1).getDay()-n.l10n.firstDayOfWeek+7)%7,o=n.utils.getDaysInMonth((t-1+12)%12,e),a=n.utils.getDaysInMonth(t,e),i=window.document.createDocumentFragment(),s=n.config.showMonths>1,u=s?"prevMonthDay hidden":"prevMonthDay",c=s?"nextMonthDay hidden":"nextMonthDay";let l=o+1-r,f=0;for(;l<=o;l++,f++)i.appendChild(R(u,new Date(e,t-1,l),l,f));for(l=1;l<=a;l++,f++)i.appendChild(R("",new Date(e,t,l),l,f));for(let o=a+1;o<=42-r&&(1===n.config.showMonths||f%7!=0);o++,f++)i.appendChild(R(c,new Date(e,t+1,o%a),o,f));const p=d("div","dayContainer");return p.appendChild(i),p}function z(){if(n.daysContainer===undefined)return;p(n.daysContainer),n.weekNumbers&&p(n.weekNumbers);const e=document.createDocumentFragment();for(let t=0;t<n.config.showMonths;t++){const r=new Date(n.currentYear,n.currentMonth,1);r.setMonth(n.currentMonth+t),e.appendChild(H(r.getFullYear(),r.getMonth()))}n.daysContainer.appendChild(e),n.days=n.daysContainer.firstChild,"range"===n.config.mode&&1===n.selectedDates.length&&te()}function U(){if(n.config.showMonths>1||"dropdown"!==n.config.monthSelectorType)return;const e=function(e){return!(n.config.minDate!==undefined&&n.currentYear===n.config.minDate.getFullYear()&&e<n.config.minDate.getMonth())&&!(n.config.maxDate!==undefined&&n.currentYear===n.config.maxDate.getFullYear()&&e>n.config.maxDate.getMonth())};n.monthsDropdownContainer.tabIndex=-1,n.monthsDropdownContainer.innerHTML="";for(let t=0;t<12;t++){if(!e(t))continue;const r=d("option","flatpickr-monthDropdown-month");r.value=new Date(n.currentYear,t).getMonth().toString(),r.textContent=y(t,n.config.shorthandCurrentMonth,n.l10n),r.tabIndex=-1,n.currentMonth===t&&(r.selected=!0),n.monthsDropdownContainer.appendChild(r)}}function W(){const e=d("div","flatpickr-month"),t=window.document.createDocumentFragment();let r;n.config.showMonths>1||"static"===n.config.monthSelectorType?r=d("span","cur-month"):(n.monthsDropdownContainer=d("select","flatpickr-monthDropdown-months"),n.monthsDropdownContainer.setAttribute("aria-label",n.l10n.monthAriaLabel),j(n.monthsDropdownContainer,"change",(e=>{const t=g(e),r=parseInt(t.value,10);n.changeMonth(r-n.currentMonth),pe("onMonthChange")})),U(),r=n.monthsDropdownContainer);const o=m("cur-year",{tabindex:"-1"}),a=o.getElementsByTagName("input")[0];a.setAttribute("aria-label",n.l10n.yearAriaLabel),n.config.minDate&&a.setAttribute("min",n.config.minDate.getFullYear().toString()),n.config.maxDate&&(a.setAttribute("max",n.config.maxDate.getFullYear().toString()),a.disabled=!!n.config.minDate&&n.config.minDate.getFullYear()===n.config.maxDate.getFullYear());const i=d("div","flatpickr-current-month");return i.appendChild(r),i.appendChild(o),t.appendChild(i),e.appendChild(t),{container:e,yearElement:a,monthElement:r}}function B(){p(n.monthNav),n.monthNav.appendChild(n.prevMonthNav),n.config.showMonths&&(n.yearElements=[],n.monthElements=[]);for(let e=n.config.showMonths;e--;){const e=W();n.yearElements.push(e.yearElement),n.monthElements.push(e.monthElement),n.monthNav.appendChild(e.container)}n.monthNav.appendChild(n.nextMonthNav)}function Y(){n.weekdayContainer?p(n.weekdayContainer):n.weekdayContainer=d("div","flatpickr-weekdays");for(let e=n.config.showMonths;e--;){const e=d("div","flatpickr-weekdaycontainer");n.weekdayContainer.appendChild(e)}return q(),n.weekdayContainer}function q(){if(!n.weekdayContainer)return;const e=n.l10n.firstDayOfWeek;let t=[...n.l10n.weekdays.shorthand];e>0&&e<t.length&&(t=[...t.splice(e,t.length),...t.splice(0,e)]);for(let e=n.config.showMonths;e--;)n.weekdayContainer.children[e].innerHTML=`\n      <span class='flatpickr-weekday'>\n        ${t.join("</span><span class='flatpickr-weekday'>")}\n      </span>\n      `}function $(e,t=!0){const r=t?e:e-n.currentMonth;r<0&&!0===n._hidePrevMonthArrow||r>0&&!0===n._hideNextMonthArrow||(n.currentMonth+=r,(n.currentMonth<0||n.currentMonth>11)&&(n.currentYear+=n.currentMonth>11?1:-1,n.currentMonth=(n.currentMonth+12)%12,pe("onYearChange"),U()),z(),pe("onMonthChange"),ge())}function K(e){return!(!n.config.appendTo||!n.config.appendTo.contains(e))||n.calendarContainer.contains(e)}function Q(e){if(n.isOpen&&!n.config.inline){const t=g(e),r=K(t),o=t===n.input||t===n.altInput||n.element.contains(t)||e.path&&e.path.indexOf&&(~e.path.indexOf(n.input)||~e.path.indexOf(n.altInput)),a="blur"===e.type?o&&e.relatedTarget&&!K(e.relatedTarget):!o&&!r&&!K(e.relatedTarget),i=!n.config.ignoredFocusElements.some((e=>e.contains(t)));a&&i&&(n.timeContainer!==undefined&&n.minuteElement!==undefined&&n.hourElement!==undefined&&""!==n.input.value&&n.input.value!==undefined&&b(),n.close(),n.config&&"range"===n.config.mode&&1===n.selectedDates.length&&(n.clear(!1),n.redraw()))}}function G(e){if(!e||n.config.minDate&&e<n.config.minDate.getFullYear()||n.config.maxDate&&e>n.config.maxDate.getFullYear())return;const t=e,r=n.currentYear!==t;n.currentYear=t||n.currentYear,n.config.maxDate&&n.currentYear===n.config.maxDate.getFullYear()?n.currentMonth=Math.min(n.config.maxDate.getMonth(),n.currentMonth):n.config.minDate&&n.currentYear===n.config.minDate.getFullYear()&&(n.currentMonth=Math.max(n.config.minDate.getMonth(),n.currentMonth)),r&&(n.redraw(),pe("onYearChange"),U())}function J(e,t=!0){var r;const o=n.parseDate(e,undefined,t);if(n.config.minDate&&o&&k(o,n.config.minDate,t!==undefined?t:!n.minDateHasTime)<0||n.config.maxDate&&o&&k(o,n.config.maxDate,t!==undefined?t:!n.maxDateHasTime)>0)return!1;if(!n.config.enable&&0===n.config.disable.length)return!0;if(o===undefined)return!1;const a=!!n.config.enable,i=null!==(r=n.config.enable)&&void 0!==r?r:n.config.disable;for(let e,t=0;t<i.length;t++){if(e=i[t],"function"==typeof e&&e(o))return a;if(e instanceof Date&&o!==undefined&&e.getTime()===o.getTime())return a;if("string"==typeof e){const t=n.parseDate(e,undefined,!0);return t&&t.getTime()===o.getTime()?a:!a}if("object"==typeof e&&o!==undefined&&e.from&&e.to&&o.getTime()>=e.from.getTime()&&o.getTime()<=e.to.getTime())return a}return!a}function X(e){return n.daysContainer!==undefined&&(-1===e.className.indexOf("hidden")&&-1===e.className.indexOf("flatpickr-disabled")&&n.daysContainer.contains(e))}function Z(e){!(e.target===n._input)||!(n.selectedDates.length>0||n._input.value.length>0)||e.relatedTarget&&K(e.relatedTarget)||n.setDate(n._input.value,!0,e.target===n.altInput?n.config.altFormat:n.config.dateFormat)}function ee(t){const r=g(t),o=n.config.wrap?e.contains(r):r===n._input,a=n.config.allowInput,i=n.isOpen&&(!a||!o),s=n.config.inline&&o&&!a;if(13===t.keyCode&&o){if(a)return n.setDate(n._input.value,!0,r===n.altInput?n.config.altFormat:n.config.dateFormat),r.blur();n.open()}else if(K(r)||i||s){const e=!!n.timeContainer&&n.timeContainer.contains(r);switch(t.keyCode){case 13:e?(t.preventDefault(),b(),ue()):ce(t);break;case 27:t.preventDefault(),ue();break;case 8:case 46:o&&!n.config.allowInput&&(t.preventDefault(),n.clear());break;case 37:case 39:if(e||o)n.hourElement&&n.hourElement.focus();else if(t.preventDefault(),n.daysContainer!==undefined&&(!1===a||document.activeElement&&X(document.activeElement))){const e=39===t.keyCode?1:-1;t.ctrlKey?(t.stopPropagation(),$(e),F(V(1),0)):F(undefined,e)}break;case 38:case 40:t.preventDefault();const i=40===t.keyCode?1:-1;n.daysContainer&&r.$i!==undefined||r===n.input||r===n.altInput?t.ctrlKey?(t.stopPropagation(),G(n.currentYear-i),F(V(1),0)):e||F(undefined,7*i):r===n.currentYearElement?G(n.currentYear-i):n.config.enableTime&&(!e&&n.hourElement&&n.hourElement.focus(),b(t),n._debouncedChange());break;case 9:if(e){const e=[n.hourElement,n.minuteElement,n.secondElement,n.amPM].concat(n.pluginElements).filter((e=>e)),o=e.indexOf(r);if(-1!==o){const r=e[o+(t.shiftKey?-1:1)];t.preventDefault(),(r||n._input).focus()}}else!n.config.noCalendar&&n.daysContainer&&n.daysContainer.contains(r)&&t.shiftKey&&(t.preventDefault(),n._input.focus())}}if(n.amPM!==undefined&&r===n.amPM)switch(t.key){case n.l10n.amPM[0].charAt(0):case n.l10n.amPM[0].charAt(0).toLowerCase():n.amPM.textContent=n.l10n.amPM[0],C(),ye();break;case n.l10n.amPM[1].charAt(0):case n.l10n.amPM[1].charAt(0).toLowerCase():n.amPM.textContent=n.l10n.amPM[1],C(),ye()}(o||K(r))&&pe("onKeyDown",t)}function te(e){if(1!==n.selectedDates.length||e&&(!e.classList.contains("flatpickr-day")||e.classList.contains("flatpickr-disabled")))return;const t=e?e.dateObj.getTime():n.days.firstElementChild.dateObj.getTime(),r=n.parseDate(n.selectedDates[0],undefined,!0).getTime(),o=Math.min(t,n.selectedDates[0].getTime()),a=Math.max(t,n.selectedDates[0].getTime());let i=!1,s=0,u=0;for(let e=o;e<a;e+=D)J(new Date(e),!0)||(i=i||e>o&&e<a,e<r&&(!s||e>s)?s=e:e>r&&(!u||e<u)&&(u=e));for(let o=0;o<n.config.showMonths;o++){const a=n.daysContainer.children[o];for(let o=0,d=a.children.length;o<d;o++){const d=a.children[o],p=d.dateObj.getTime(),h=s>0&&p<s||u>0&&p>u;h?(d.classList.add("notAllowed"),["inRange","startRange","endRange"].forEach((e=>{d.classList.remove(e)}))):i&&!h||(["startRange","inRange","endRange","notAllowed"].forEach((e=>{d.classList.remove(e)})),e!==undefined&&(e.classList.add(t<=n.selectedDates[0].getTime()?"startRange":"endRange"),r<t&&p===r?d.classList.add("startRange"):r>t&&p===r&&d.classList.add("endRange"),p>=s&&(0===u||p<=u)&&(l=r,f=t,(c=p)>Math.min(l,f)&&c<Math.max(l,f))&&d.classList.add("inRange")))}}var c,l,f}function ne(){!n.isOpen||n.config["static"]||n.config.inline||ie()}function re(e){return t=>{const r=n.config[`_${e}Date`]=n.parseDate(t,n.config.dateFormat),o=n.config[`_${"min"===e?"max":"min"}Date`];r!==undefined&&(n["min"===e?"minDateHasTime":"maxDateHasTime"]=r.getHours()>0||r.getMinutes()>0||r.getSeconds()>0),n.selectedDates&&(n.selectedDates=n.selectedDates.filter((e=>J(e))),n.selectedDates.length||"min"!==e||E(r),ye()),n.daysContainer&&(se(),r!==undefined?n.currentYearElement[e]=r.getFullYear().toString():n.currentYearElement.removeAttribute(e),n.currentYearElement.disabled=!!o&&r!==undefined&&o.getFullYear()===r.getFullYear())}}function oe(){return n.config.wrap?e.querySelector("[data-input]"):e}function ae(){"object"!=typeof n.config.locale&&"undefined"==typeof _.l10ns[n.config.locale]&&n.config.errorHandler(new Error(`flatpickr: invalid locale ${n.config.locale}`)),n.l10n=Object.assign(Object.assign({},_.l10ns["default"]),"object"==typeof n.config.locale?n.config.locale:"default"!==n.config.locale?_.l10ns[n.config.locale]:undefined),w.K=`(${n.l10n.amPM[0]}|${n.l10n.amPM[1]}|${n.l10n.amPM[0].toLowerCase()}|${n.l10n.amPM[1].toLowerCase()})`;Object.assign(Object.assign({},t),JSON.parse(JSON.stringify(e.dataset||{}))).time_24hr===undefined&&_.defaultConfig.time_24hr===undefined&&(n.config.time_24hr=n.l10n.time_24hr),n.formatDate=O(n),n.parseDate=x({config:n.config,l10n:n.l10n})}function ie(e){if("function"==typeof n.config.position)return void n.config.position(n,e);if(n.calendarContainer===undefined)return;pe("onPreCalendarPosition");const t=e||n._positionElement,r=Array.prototype.reduce.call(n.calendarContainer.children,((e,t)=>e+t.offsetHeight),0),o=n.calendarContainer.offsetWidth,a=n.config.position.split(" "),i=a[0],s=a.length>1?a[1]:null,u=t.getBoundingClientRect(),c=window.innerHeight-u.bottom,l="above"===i||"below"!==i&&c<r&&u.top>r,d=window.pageYOffset+u.top+(l?-r-2:t.offsetHeight+2);if(f(n.calendarContainer,"arrowTop",!l),f(n.calendarContainer,"arrowBottom",l),n.config.inline)return;let p=window.pageXOffset+u.left,h=!1,m=!1;"center"===s?(p-=(o-u.width)/2,h=!0):"right"===s&&(p-=o-u.width,m=!0),f(n.calendarContainer,"arrowLeft",!h&&!m),f(n.calendarContainer,"arrowCenter",h),f(n.calendarContainer,"arrowRight",m);const g=window.document.body.offsetWidth-(window.pageXOffset+u.right),v=p+o>window.document.body.offsetWidth,y=g+o>window.document.body.offsetWidth;if(f(n.calendarContainer,"rightMost",v),!n.config["static"])if(n.calendarContainer.style.top=`${d}px`,v)if(y){const e=function(){let e=null;for(let n=0;n<document.styleSheets.length;n++){const r=document.styleSheets[n];try{r.cssRules}catch(t){continue}e=r;break}return null!=e?e:function(){const e=document.createElement("style");return document.head.appendChild(e),e.sheet}()}();if(e===undefined)return;const t=window.document.body.offsetWidth,r=Math.max(0,t/2-o/2),a=".flatpickr-calendar.centerMost:before",i=".flatpickr-calendar.centerMost:after",s=e.cssRules.length,c=`{left:${u.left}px;right:auto;}`;f(n.calendarContainer,"rightMost",!1),f(n.calendarContainer,"centerMost",!0),e.insertRule(`${a},${i}${c}`,s),n.calendarContainer.style.left=`${r}px`,n.calendarContainer.style.right="auto"}else n.calendarContainer.style.left="auto",n.calendarContainer.style.right=`${g}px`;else n.calendarContainer.style.left=`${p}px`,n.calendarContainer.style.right="auto"}function se(){n.config.noCalendar||n.isMobile||(U(),ge(),z())}function ue(){n._input.focus(),-1!==window.navigator.userAgent.indexOf("MSIE")||navigator.msMaxTouchPoints!==undefined?setTimeout(n.close,0):n.close()}function ce(e){e.preventDefault(),e.stopPropagation();const t=h(g(e),(e=>e.classList&&e.classList.contains("flatpickr-day")&&!e.classList.contains("flatpickr-disabled")&&!e.classList.contains("notAllowed")));if(t===undefined)return;const r=t,o=n.latestSelectedDateObj=new Date(r.dateObj.getTime()),a=(o.getMonth()<n.currentMonth||o.getMonth()>n.currentMonth+n.config.showMonths-1)&&"range"!==n.config.mode;if(n.selectedDateElem=r,"single"===n.config.mode)n.selectedDates=[o];else if("multiple"===n.config.mode){const e=me(o);e?n.selectedDates.splice(parseInt(e),1):n.selectedDates.push(o)}else"range"===n.config.mode&&(2===n.selectedDates.length&&n.clear(!1,!1),n.latestSelectedDateObj=o,n.selectedDates.push(o),0!==k(o,n.selectedDates[0],!0)&&n.selectedDates.sort(((e,t)=>e.getTime()-t.getTime())));if(C(),a){const e=n.currentYear!==o.getFullYear();n.currentYear=o.getFullYear(),n.currentMonth=o.getMonth(),e&&(pe("onYearChange"),U()),pe("onMonthChange")}if(ge(),z(),ye(),a||"range"===n.config.mode||1!==n.config.showMonths?n.selectedDateElem!==undefined&&n.hourElement===undefined&&n.selectedDateElem&&n.selectedDateElem.focus():L(r),n.hourElement!==undefined&&n.hourElement!==undefined&&n.hourElement.focus(),n.config.closeOnSelect){const e="single"===n.config.mode&&!n.config.enableTime,t="range"===n.config.mode&&2===n.selectedDates.length&&!n.config.enableTime;(e||t)&&ue()}T()}n.parseDate=x({config:n.config,l10n:n.l10n}),n._handlers=[],n.pluginElements=[],n.loadedPlugins=[],n._bind=j,n._setHoursFromDate=E,n._positionCalendar=ie,n.changeMonth=$,n.changeYear=G,n.clear=function(e=!0,t=!0){n.input.value="",n.altInput!==undefined&&(n.altInput.value="");n.mobileInput!==undefined&&(n.mobileInput.value="");n.selectedDates=[],n.latestSelectedDateObj=undefined,!0===t&&(n.currentYear=n._initialDate.getFullYear(),n.currentMonth=n._initialDate.getMonth());if(!0===n.config.enableTime){const{hours:e,minutes:t,seconds:r}=S(n.config);M(e,t,r)}n.redraw(),e&&pe("onChange")},n.close=function(){n.isOpen=!1,n.isMobile||(n.calendarContainer!==undefined&&n.calendarContainer.classList.remove("open"),n._input!==undefined&&n._input.classList.remove("active"));pe("onClose")},n._createElement=d,n.destroy=function(){n.config!==undefined&&pe("onDestroy");for(let e=n._handlers.length;e--;)n._handlers[e].remove();if(n._handlers=[],n.mobileInput)n.mobileInput.parentNode&&n.mobileInput.parentNode.removeChild(n.mobileInput),n.mobileInput=undefined;else if(n.calendarContainer&&n.calendarContainer.parentNode)if(n.config["static"]&&n.calendarContainer.parentNode){const e=n.calendarContainer.parentNode;if(e.lastChild&&e.removeChild(e.lastChild),e.parentNode){for(;e.firstChild;)e.parentNode.insertBefore(e.firstChild,e);e.parentNode.removeChild(e)}}else n.calendarContainer.parentNode.removeChild(n.calendarContainer);n.altInput&&(n.input.type="text",n.altInput.parentNode&&n.altInput.parentNode.removeChild(n.altInput),delete n.altInput);n.input&&(n.input.type=n.input._type,n.input.classList.remove("flatpickr-input"),n.input.removeAttribute("readonly"));["_showTimeInput","latestSelectedDateObj","_hideNextMonthArrow","_hidePrevMonthArrow","__hideNextMonthArrow","__hidePrevMonthArrow","isMobile","isOpen","selectedDateElem","minDateHasTime","maxDateHasTime","days","daysContainer","_input","_positionElement","innerContainer","rContainer","monthNav","todayDateElem","calendarContainer","weekdayContainer","prevMonthNav","nextMonthNav","monthsDropdownContainer","currentMonthElement","currentYearElement","navigationCurrentMonth","selectedDateElem","config"].forEach((e=>{try{delete n[e]}catch(t){}}))},n.isEnabled=J,n.jumpToDate=A,n.open=function(e,t=n._positionElement){if(!0===n.isMobile){if(e){e.preventDefault();const t=g(e);t&&t.blur()}return n.mobileInput!==undefined&&(n.mobileInput.focus(),n.mobileInput.click()),void pe("onOpen")}if(n._input.disabled||n.config.inline)return;const r=n.isOpen;n.isOpen=!0,r||(n.calendarContainer.classList.add("open"),n._input.classList.add("active"),pe("onOpen"),ie(t));!0===n.config.enableTime&&!0===n.config.noCalendar&&(!1!==n.config.allowInput||e!==undefined&&n.timeContainer.contains(e.relatedTarget)||setTimeout((()=>n.hourElement.select()),50))},n.redraw=se,n.set=function(e,t){if(null!==e&&"object"==typeof e){Object.assign(n.config,e);for(const t in e)le[t]!==undefined&&le[t].forEach((e=>e()))}else n.config[e]=t,le[e]!==undefined?le[e].forEach((e=>e())):r.indexOf(e)>-1&&(n.config[e]=l(t));n.redraw(),ye(!0)},n.setDate=function(e,t=!1,r=n.config.dateFormat){if(0!==e&&!e||e instanceof Array&&0===e.length)return n.clear(t);fe(e,r),n.latestSelectedDateObj=n.selectedDates[n.selectedDates.length-1],n.redraw(),A(undefined,t),E(),0===n.selectedDates.length&&n.clear(!1);ye(t),t&&pe("onChange")},n.toggle=function(e){if(!0===n.isOpen)return n.close();n.open(e)};const le={locale:[ae,q],showMonths:[B,v,Y],minDate:[A],maxDate:[A],clickOpens:[()=>{!0===n.config.clickOpens?(j(n._input,"focus",n.open),j(n._input,"click",n.open)):(n._input.removeEventListener("focus",n.open),n._input.removeEventListener("click",n.open))}]};function fe(e,t){let r=[];if(e instanceof Array)r=e.map((e=>n.parseDate(e,t)));else if(e instanceof Date||"number"==typeof e)r=[n.parseDate(e,t)];else if("string"==typeof e)switch(n.config.mode){case"single":case"time":r=[n.parseDate(e,t)];break;case"multiple":r=e.split(n.config.conjunction).map((e=>n.parseDate(e,t)));break;case"range":r=e.split(n.l10n.rangeSeparator).map((e=>n.parseDate(e,t)))}else n.config.errorHandler(new Error(`Invalid date supplied: ${JSON.stringify(e)}`));n.selectedDates=n.config.allowInvalidPreload?r:r.filter((e=>e instanceof Date&&J(e,!1))),"range"===n.config.mode&&n.selectedDates.sort(((e,t)=>e.getTime()-t.getTime()))}function de(e){return e.slice().map((e=>"string"==typeof e||"number"==typeof e||e instanceof Date?n.parseDate(e,undefined,!0):e&&"object"==typeof e&&e.from&&e.to?{from:n.parseDate(e.from,undefined),to:n.parseDate(e.to,undefined)}:e)).filter((e=>e))}function pe(e,t){if(n.config===undefined)return;const r=n.config[e];if(r!==undefined&&r.length>0)for(let e=0;r[e]&&e<r.length;e++)r[e](n.selectedDates,n.input.value,n,t);"onChange"===e&&(n.input.dispatchEvent(he("change")),n.input.dispatchEvent(he("input")))}function he(e){const t=document.createEvent("Event");return t.initEvent(e,!0,!0),t}function me(e){for(let t=0;t<n.selectedDates.length;t++)if(0===k(n.selectedDates[t],e))return""+t;return!1}function ge(){n.config.noCalendar||n.isMobile||!n.monthNav||(n.yearElements.forEach(((e,t)=>{const r=new Date(n.currentYear,n.currentMonth,1);r.setMonth(n.currentMonth+t),n.config.showMonths>1||"static"===n.config.monthSelectorType?n.monthElements[t].textContent=y(r.getMonth(),n.config.shorthandCurrentMonth,n.l10n)+" ":n.monthsDropdownContainer.value=r.getMonth().toString(),e.value=r.getFullYear().toString()})),n._hidePrevMonthArrow=n.config.minDate!==undefined&&(n.currentYear===n.config.minDate.getFullYear()?n.currentMonth<=n.config.minDate.getMonth():n.currentYear<n.config.minDate.getFullYear()),n._hideNextMonthArrow=n.config.maxDate!==undefined&&(n.currentYear===n.config.maxDate.getFullYear()?n.currentMonth+1>n.config.maxDate.getMonth():n.currentYear>n.config.maxDate.getFullYear()))}function ve(e){return n.selectedDates.map((t=>n.formatDate(t,e))).filter(((e,t,r)=>"range"!==n.config.mode||n.config.enableTime||r.indexOf(e)===t)).join("range"!==n.config.mode?n.config.conjunction:n.l10n.rangeSeparator)}function ye(e=!0){n.mobileInput!==undefined&&n.mobileFormatStr&&(n.mobileInput.value=n.latestSelectedDateObj!==undefined?n.formatDate(n.latestSelectedDateObj,n.mobileFormatStr):""),n.input.value=ve(n.config.dateFormat),n.altInput!==undefined&&(n.altInput.value=ve(n.config.altFormat)),!1!==e&&pe("onValueUpdate")}function be(e){const t=g(e),r=n.prevMonthNav.contains(t),o=n.nextMonthNav.contains(t);r||o?$(r?-1:1):n.yearElements.indexOf(t)>=0?t.select():t.classList.contains("arrowUp")?n.changeYear(n.currentYear+1):t.classList.contains("arrowDown")&&n.changeYear(n.currentYear-1)}return function(){n.element=n.input=e,n.isOpen=!1,function(){const i=["wrap","weekNumbers","allowInput","allowInvalidPreload","clickOpens","time_24hr","enableTime","noCalendar","altInput","shorthandCurrentMonth","inline","static","enableSeconds","disableMobile"],s=Object.assign(Object.assign({},JSON.parse(JSON.stringify(e.dataset||{}))),t),u={};n.config.parseDate=s.parseDate,n.config.formatDate=s.formatDate,Object.defineProperty(n.config,"enable",{get:()=>n.config._enable,set:e=>{n.config._enable=de(e)}}),Object.defineProperty(n.config,"disable",{get:()=>n.config._disable,set:e=>{n.config._disable=de(e)}});const c="time"===s.mode;if(!s.dateFormat&&(s.enableTime||c)){const e=_.defaultConfig.dateFormat||o.dateFormat;u.dateFormat=s.noCalendar||c?"H:i"+(s.enableSeconds?":S":""):e+" H:i"+(s.enableSeconds?":S":"")}if(s.altInput&&(s.enableTime||c)&&!s.altFormat){const e=_.defaultConfig.altFormat||o.altFormat;u.altFormat=s.noCalendar||c?"h:i"+(s.enableSeconds?":S K":" K"):e+` h:i${s.enableSeconds?":S":""} K`}Object.defineProperty(n.config,"minDate",{get:()=>n.config._minDate,set:re("min")}),Object.defineProperty(n.config,"maxDate",{get:()=>n.config._maxDate,set:re("max")});const f=e=>t=>{n.config["min"===e?"_minTime":"_maxTime"]=n.parseDate(t,"H:i:S")};Object.defineProperty(n.config,"minTime",{get:()=>n.config._minTime,set:f("min")}),Object.defineProperty(n.config,"maxTime",{get:()=>n.config._maxTime,set:f("max")}),"time"===s.mode&&(n.config.noCalendar=!0,n.config.enableTime=!0);Object.assign(n.config,u,s);for(let e=0;e<i.length;e++)n.config[i[e]]=!0===n.config[i[e]]||"true"===n.config[i[e]];r.filter((e=>n.config[e]!==undefined)).forEach((e=>{n.config[e]=l(n.config[e]||[]).map(a)})),n.isMobile=!n.config.disableMobile&&!n.config.inline&&"single"===n.config.mode&&!n.config.disable.length&&!n.config.enable&&!n.config.weekNumbers&&/Android|webOS|iPhone|iPad|iPod|BlackBerry|IEMobile|Opera Mini/i.test(navigator.userAgent);for(let e=0;e<n.config.plugins.length;e++){const t=n.config.plugins[e](n)||{};for(const e in t)r.indexOf(e)>-1?n.config[e]=l(t[e]).map(a).concat(n.config[e]):"undefined"==typeof s[e]&&(n.config[e]=t[e])}s.altInputClass||(n.config.altInputClass=oe().className+" "+n.config.altInputClass);pe("onParseConfig")}(),ae(),function(){if(n.input=oe(),!n.input)return void n.config.errorHandler(new Error("Invalid input element specified"));n.input._type=n.input.type,n.input.type="text",n.input.classList.add("flatpickr-input"),n._input=n.input,n.config.altInput&&(n.altInput=d(n.input.nodeName,n.config.altInputClass),n._input=n.altInput,n.altInput.placeholder=n.input.placeholder,n.altInput.disabled=n.input.disabled,n.altInput.required=n.input.required,n.altInput.tabIndex=n.input.tabIndex,n.altInput.type="text",n.input.setAttribute("type","hidden"),!n.config["static"]&&n.input.parentNode&&n.input.parentNode.insertBefore(n.altInput,n.input.nextSibling));n.config.allowInput||n._input.setAttribute("readonly","readonly");n._positionElement=n.config.positionElement||n._input}(),function(){n.selectedDates=[],n.now=n.parseDate(n.config.now)||new Date;const e=n.config.defaultDate||("INPUT"!==n.input.nodeName&&"TEXTAREA"!==n.input.nodeName||!n.input.placeholder||n.input.value!==n.input.placeholder?n.input.value:null);e&&fe(e,n.config.dateFormat);n._initialDate=n.selectedDates.length>0?n.selectedDates[0]:n.config.minDate&&n.config.minDate.getTime()>n.now.getTime()?n.config.minDate:n.config.maxDate&&n.config.maxDate.getTime()<n.now.getTime()?n.config.maxDate:n.now,n.currentYear=n._initialDate.getFullYear(),n.currentMonth=n._initialDate.getMonth(),n.selectedDates.length>0&&(n.latestSelectedDateObj=n.selectedDates[0]);n.config.minTime!==undefined&&(n.config.minTime=n.parseDate(n.config.minTime,"H:i"));n.config.maxTime!==undefined&&(n.config.maxTime=n.parseDate(n.config.maxTime,"H:i"));n.minDateHasTime=!!n.config.minDate&&(n.config.minDate.getHours()>0||n.config.minDate.getMinutes()>0||n.config.minDate.getSeconds()>0),n.maxDateHasTime=!!n.config.maxDate&&(n.config.maxDate.getHours()>0||n.config.maxDate.getMinutes()>0||n.config.maxDate.getSeconds()>0)}(),n.utils={getDaysInMonth:(e=n.currentMonth,t=n.currentYear)=>1===e&&(t%4==0&&t%100!=0||t%400==0)?29:n.l10n.daysInMonth[e]},n.isMobile||function(){const e=window.document.createDocumentFragment();if(n.calendarContainer=d("div","flatpickr-calendar"),n.calendarContainer.tabIndex=-1,!n.config.noCalendar){if(e.appendChild((n.monthNav=d("div","flatpickr-months"),n.yearElements=[],n.monthElements=[],n.prevMonthNav=d("span","flatpickr-prev-month"),n.prevMonthNav.innerHTML=n.config.prevArrow,n.nextMonthNav=d("span","flatpickr-next-month"),n.nextMonthNav.innerHTML=n.config.nextArrow,B(),Object.defineProperty(n,"_hidePrevMonthArrow",{get:()=>n.__hidePrevMonthArrow,set(e){n.__hidePrevMonthArrow!==e&&(f(n.prevMonthNav,"flatpickr-disabled",e),n.__hidePrevMonthArrow=e)}}),Object.defineProperty(n,"_hideNextMonthArrow",{get:()=>n.__hideNextMonthArrow,set(e){n.__hideNextMonthArrow!==e&&(f(n.nextMonthNav,"flatpickr-disabled",e),n.__hideNextMonthArrow=e)}}),n.currentYearElement=n.yearElements[0],ge(),n.monthNav)),n.innerContainer=d("div","flatpickr-innerContainer"),n.config.weekNumbers){const{weekWrapper:e,weekNumbers:t}=function(){n.calendarContainer.classList.add("hasWeeks");const e=d("div","flatpickr-weekwrapper");e.appendChild(d("span","flatpickr-weekday",n.l10n.weekAbbreviation));const t=d("div","flatpickr-weeks");return e.appendChild(t),{weekWrapper:e,weekNumbers:t}}();n.innerContainer.appendChild(e),n.weekNumbers=t,n.weekWrapper=e}n.rContainer=d("div","flatpickr-rContainer"),n.rContainer.appendChild(Y()),n.daysContainer||(n.daysContainer=d("div","flatpickr-days"),n.daysContainer.tabIndex=-1),z(),n.rContainer.appendChild(n.daysContainer),n.innerContainer.appendChild(n.rContainer),e.appendChild(n.innerContainer)}n.config.enableTime&&e.appendChild(function(){n.calendarContainer.classList.add("hasTime"),n.config.noCalendar&&n.calendarContainer.classList.add("noCalendar");const e=S(n.config);n.timeContainer=d("div","flatpickr-time"),n.timeContainer.tabIndex=-1;const t=d("span","flatpickr-time-separator",":"),r=m("flatpickr-hour",{"aria-label":n.l10n.hourAriaLabel});n.hourElement=r.getElementsByTagName("input")[0];const o=m("flatpickr-minute",{"aria-label":n.l10n.minuteAriaLabel});n.minuteElement=o.getElementsByTagName("input")[0],n.hourElement.tabIndex=n.minuteElement.tabIndex=-1,n.hourElement.value=s(n.latestSelectedDateObj?n.latestSelectedDateObj.getHours():n.config.time_24hr?e.hours:function(e){switch(e%24){case 0:case 12:return 12;default:return e%12}}(e.hours)),n.minuteElement.value=s(n.latestSelectedDateObj?n.latestSelectedDateObj.getMinutes():e.minutes),n.hourElement.setAttribute("step",n.config.hourIncrement.toString()),n.minuteElement.setAttribute("step",n.config.minuteIncrement.toString()),n.hourElement.setAttribute("min",n.config.time_24hr?"0":"1"),n.hourElement.setAttribute("max",n.config.time_24hr?"23":"12"),n.hourElement.setAttribute("maxlength","2"),n.minuteElement.setAttribute("min","0"),n.minuteElement.setAttribute("max","59"),n.minuteElement.setAttribute("maxlength","2"),n.timeContainer.appendChild(r),n.timeContainer.appendChild(t),n.timeContainer.appendChild(o),n.config.time_24hr&&n.timeContainer.classList.add("time24hr");if(n.config.enableSeconds){n.timeContainer.classList.add("hasSeconds");const t=m("flatpickr-second");n.secondElement=t.getElementsByTagName("input")[0],n.secondElement.value=s(n.latestSelectedDateObj?n.latestSelectedDateObj.getSeconds():e.seconds),n.secondElement.setAttribute("step",n.minuteElement.getAttribute("step")),n.secondElement.setAttribute("min","0"),n.secondElement.setAttribute("max","59"),n.secondElement.setAttribute("maxlength","2"),n.timeContainer.appendChild(d("span","flatpickr-time-separator",":")),n.timeContainer.appendChild(t)}n.config.time_24hr||(n.amPM=d("span","flatpickr-am-pm",n.l10n.amPM[u((n.latestSelectedDateObj?n.hourElement.value:n.config.defaultHour)>11)]),n.amPM.title=n.l10n.toggleTitle,n.amPM.tabIndex=-1,n.timeContainer.appendChild(n.amPM));return n.timeContainer}());f(n.calendarContainer,"rangeMode","range"===n.config.mode),f(n.calendarContainer,"animate",!0===n.config.animate),f(n.calendarContainer,"multiMonth",n.config.showMonths>1),n.calendarContainer.appendChild(e);const t=n.config.appendTo!==undefined&&n.config.appendTo.nodeType!==undefined;if((n.config.inline||n.config["static"])&&(n.calendarContainer.classList.add(n.config.inline?"inline":"static"),n.config.inline&&(!t&&n.element.parentNode?n.element.parentNode.insertBefore(n.calendarContainer,n._input.nextSibling):n.config.appendTo!==undefined&&n.config.appendTo.appendChild(n.calendarContainer)),n.config["static"])){const e=d("div","flatpickr-wrapper");n.element.parentNode&&n.element.parentNode.insertBefore(e,n.element),e.appendChild(n.element),n.altInput&&e.appendChild(n.altInput),e.appendChild(n.calendarContainer)}n.config["static"]||n.config.inline||(n.config.appendTo!==undefined?n.config.appendTo:window.document.body).appendChild(n.calendarContainer)}(),function(){n.config.wrap&&["open","close","toggle","clear"].forEach((e=>{Array.prototype.forEach.call(n.element.querySelectorAll(`[data-${e}]`),(t=>j(t,"click",n[e])))}));if(n.isMobile)return void function(){const e=n.config.enableTime?n.config.noCalendar?"time":"datetime-local":"date";n.mobileInput=d("input",n.input.className+" flatpickr-mobile"),n.mobileInput.tabIndex=1,n.mobileInput.type=e,n.mobileInput.disabled=n.input.disabled,n.mobileInput.required=n.input.required,n.mobileInput.placeholder=n.input.placeholder,n.mobileFormatStr="datetime-local"===e?"Y-m-d\\TH:i:S":"date"===e?"Y-m-d":"H:i:S",n.selectedDates.length>0&&(n.mobileInput.defaultValue=n.mobileInput.value=n.formatDate(n.selectedDates[0],n.mobileFormatStr));n.config.minDate&&(n.mobileInput.min=n.formatDate(n.config.minDate,"Y-m-d"));n.config.maxDate&&(n.mobileInput.max=n.formatDate(n.config.maxDate,"Y-m-d"));n.input.getAttribute("step")&&(n.mobileInput.step=String(n.input.getAttribute("step")));n.input.type="hidden",n.altInput!==undefined&&(n.altInput.type="hidden");try{n.input.parentNode&&n.input.parentNode.insertBefore(n.mobileInput,n.input.nextSibling)}catch(t){}j(n.mobileInput,"change",(e=>{n.setDate(g(e).value,!1,n.mobileFormatStr),pe("onChange"),pe("onClose")}))}();const e=c(ne,50);n._debouncedChange=c(T,300),n.daysContainer&&!/iPhone|iPad|iPod/i.test(navigator.userAgent)&&j(n.daysContainer,"mouseover",(e=>{"range"===n.config.mode&&te(g(e))}));j(window.document.body,"keydown",ee),n.config.inline||n.config["static"]||j(window,"resize",e);window.ontouchstart!==undefined?j(window.document,"touchstart",Q):j(window.document,"mousedown",Q);j(window.document,"focus",Q,{capture:!0}),!0===n.config.clickOpens&&(j(n._input,"focus",n.open),j(n._input,"click",n.open));n.daysContainer!==undefined&&(j(n.monthNav,"click",be),j(n.monthNav,["keyup","increment"],P),j(n.daysContainer,"click",ce));if(n.timeContainer!==undefined&&n.minuteElement!==undefined&&n.hourElement!==undefined){const e=e=>g(e).select();j(n.timeContainer,["increment"],b),j(n.timeContainer,"blur",b,{capture:!0}),j(n.timeContainer,"click",I),j([n.hourElement,n.minuteElement],["focus","click"],e),n.secondElement!==undefined&&j(n.secondElement,"focus",(()=>n.secondElement&&n.secondElement.select())),n.amPM!==undefined&&j(n.amPM,"click",(e=>{b(e),T()}))}n.config.allowInput&&j(n._input,"blur",Z)}(),(n.selectedDates.length||n.config.noCalendar)&&(n.config.enableTime&&E(n.config.noCalendar?n.latestSelectedDateObj:undefined),ye(!1)),v();const i=/^((?!chrome|android).)*safari/i.test(navigator.userAgent);!n.isMobile&&i&&ie(),pe("onReady")}(),n}function M(e,t){const n=Array.prototype.slice.call(e).filter((e=>e instanceof HTMLElement)),r=[];for(let e=0;e<n.length;e++){const a=n[e];try{if(null!==a.getAttribute("data-fp-omit"))continue;a._flatpickr!==undefined&&(a._flatpickr.destroy(),a._flatpickr=undefined),a._flatpickr=E(a,t||{}),r.push(a._flatpickr)}catch(o){console.error(o)}}return 1===r.length?r[0]:r}"undefined"!=typeof HTMLElement&&"undefined"!=typeof HTMLCollection&&"undefined"!=typeof NodeList&&(HTMLCollection.prototype.flatpickr=NodeList.prototype.flatpickr=function(e){return M(this,e)},HTMLElement.prototype.flatpickr=function(e){return M([this],e)});var _=function(e,t){return"string"==typeof e?M(window.document.querySelectorAll(e),t):e instanceof Node?M([e],t):M(e,t)};_.defaultConfig={},_.l10ns={en:Object.assign({},i),"default":Object.assign({},i)},_.localize=e=>{_.l10ns["default"]=Object.assign(Object.assign({},_.l10ns["default"]),e)},_.setDefaults=e=>{_.defaultConfig=Object.assign(Object.assign({},_.defaultConfig),e)},_.parseDate=x({}),_.formatDate=O({}),_.compareDates=k,"undefined"!=typeof jQuery&&"undefined"!=typeof jQuery.fn&&(jQuery.fn.flatpickr=function(e){return M(this,e)}),Date.prototype.fp_incr=function(e){return new Date(this.getFullYear(),this.getMonth(),this.getDate()+("string"==typeof e?parseInt(e,10):e))},"undefined"!=typeof window&&(window.flatpickr=_);var P=_},895:function(){"use strict";"function"!=typeof Object.assign&&(Object.assign=function(e,...t){if(!e)throw TypeError("Cannot convert undefined or null to object");for(const n of t)n&&Object.keys(n).forEach((t=>e[t]=n[t]));return e})},705:function(e,t,n){var r=n(638).Symbol;e.exports=r},239:function(e,t,n){var r=n(705),o=n(607),a=n(333),i=r?r.toStringTag:undefined;e.exports=function(e){return null==e?e===undefined?"[object Undefined]":"[object Null]":i&&i in Object(e)?o(e):a(e)}},957:function(e,t,n){var r="object"==typeof n.g&&n.g&&n.g.Object===Object&&n.g;e.exports=r},607:function(e,t,n){var r=n(705),o=Object.prototype,a=o.hasOwnProperty,i=o.toString,s=r?r.toStringTag:undefined;e.exports=function(e){var t=a.call(e,s),n=e[s];try{e[s]=undefined;var r=!0}catch(u){}var o=i.call(e);return r&&(t?e[s]=n:delete e[s]),o}},333:function(e){var t=Object.prototype.toString;e.exports=function(e){return t.call(e)}},638:function(e,t,n){var r=n(957),o="object"==typeof self&&self&&self.Object===Object&&self,a=r||o||Function("return this")();e.exports=a},469:function(e){var t=Array.isArray;e.exports=t},654:function(e,t,n){var r=n(763);e.exports=function(e){return r(e)&&e!=+e}},763:function(e,t,n){var r=n(239),o=n(5);e.exports=function(e){return"number"==typeof e||o(e)&&"[object Number]"==r(e)}},5:function(e){e.exports=function(e){return null!=e&&"object"==typeof e}},37:function(e,t,n){var r=n(239),o=n(469),a=n(5);e.exports=function(e){return"string"==typeof e||!o(e)&&a(e)&&"[object String]"==r(e)}},353:function(e){e.exports=function(e){return e===undefined}},251:function(e){"use strict";
     1!function(){var e={521:function(e,t){"use strict";function n(e){var t=undefined;return"undefined"!=typeof Reflect&&"function"==typeof Reflect.ownKeys?t=Reflect.ownKeys(e.prototype):(t=Object.getOwnPropertyNames(e.prototype),"function"==typeof Object.getOwnPropertySymbols&&(t=t.concat(Object.getOwnPropertySymbols(e.prototype)))),t.forEach((function(t){if("constructor"!==t){var n=Object.getOwnPropertyDescriptor(e.prototype,t);"function"==typeof n.value&&Object.defineProperty(e.prototype,t,r(e,t,n))}})),e}function r(e,t,n){var r=n.value;if("function"!=typeof r)throw new Error("@autobind decorator can only be applied to methods not: "+typeof r);var o=!1;return{configurable:!0,get:function(){if(o||this===e.prototype||this.hasOwnProperty(t))return r;var n=r.bind(this);return o=!0,Object.defineProperty(this,t,{value:n,configurable:!0,writable:!0}),o=!1,n}}}Object.defineProperty(t,"__esModule",{value:!0}),t["default"]=function(){for(var e=arguments.length,t=Array(e),o=0;o<e;o++)t[o]=arguments[o];return 1===t.length?n.apply(undefined,t):r.apply(undefined,t)},e.exports=t["default"]},527:function(e,t,n){"use strict";n.r(t),n.d(t,{"default":function(){return A}});var r=["onChange","onClose","onDayCreate","onDestroy","onKeyDown","onMonthChange","onOpen","onParseConfig","onReady","onValueUpdate","onYearChange","onPreCalendarPosition"],o={_disable:[],allowInput:!1,allowInvalidPreload:!1,altFormat:"F j, Y",altInput:!1,altInputClass:"form-control input",animate:"object"==typeof window&&-1===window.navigator.userAgent.indexOf("MSIE"),ariaDateFormat:"F j, Y",autoFillDefaultTime:!0,clickOpens:!0,closeOnSelect:!0,conjunction:", ",dateFormat:"Y-m-d",defaultHour:12,defaultMinute:0,defaultSeconds:0,disable:[],disableMobile:!1,enableSeconds:!1,enableTime:!1,errorHandler:function(e){return"undefined"!=typeof console&&console.warn(e)},getWeek:function(e){var t=new Date(e.getTime());t.setHours(0,0,0,0),t.setDate(t.getDate()+3-(t.getDay()+6)%7);var n=new Date(t.getFullYear(),0,4);return 1+Math.round(((t.getTime()-n.getTime())/864e5-3+(n.getDay()+6)%7)/7)},hourIncrement:1,ignoredFocusElements:[],inline:!1,locale:"default",minuteIncrement:5,mode:"single",monthSelectorType:"dropdown",nextArrow:"<svg version='1.1' xmlns='http://www.w3.org/2000/svg' xmlns:xlink='http://www.w3.org/1999/xlink' viewBox='0 0 17 17'><g></g><path d='M13.207 8.472l-7.854 7.854-0.707-0.707 7.146-7.146-7.146-7.148 0.707-0.707 7.854 7.854z' /></svg>",noCalendar:!1,now:new Date,onChange:[],onClose:[],onDayCreate:[],onDestroy:[],onKeyDown:[],onMonthChange:[],onOpen:[],onParseConfig:[],onReady:[],onValueUpdate:[],onYearChange:[],onPreCalendarPosition:[],plugins:[],position:"auto",positionElement:undefined,prevArrow:"<svg version='1.1' xmlns='http://www.w3.org/2000/svg' xmlns:xlink='http://www.w3.org/1999/xlink' viewBox='0 0 17 17'><g></g><path d='M5.207 8.471l7.146 7.147-0.707 0.707-7.853-7.854 7.854-7.853 0.707 0.707-7.147 7.146z' /></svg>",shorthandCurrentMonth:!1,showMonths:1,"static":!1,time_24hr:!1,weekNumbers:!1,wrap:!1},a={weekdays:{shorthand:["Sun","Mon","Tue","Wed","Thu","Fri","Sat"],longhand:["Sunday","Monday","Tuesday","Wednesday","Thursday","Friday","Saturday"]},months:{shorthand:["Jan","Feb","Mar","Apr","May","Jun","Jul","Aug","Sep","Oct","Nov","Dec"],longhand:["January","February","March","April","May","June","July","August","September","October","November","December"]},daysInMonth:[31,28,31,30,31,30,31,31,30,31,30,31],firstDayOfWeek:0,ordinal:function(e){var t=e%100;if(t>3&&t<21)return"th";switch(t%10){case 1:return"st";case 2:return"nd";case 3:return"rd";default:return"th"}},rangeSeparator:" to ",weekAbbreviation:"Wk",scrollTitle:"Scroll to increment",toggleTitle:"Click to toggle",amPM:["AM","PM"],yearAriaLabel:"Year",monthAriaLabel:"Month",hourAriaLabel:"Hour",minuteAriaLabel:"Minute",time_24hr:!1},i=a,s=function(e,t){return void 0===t&&(t=2),("000"+e).slice(-1*t)},u=function(e){return!0===e?1:0};function c(e,t){var n;return function(){var r=this,o=arguments;clearTimeout(n),n=setTimeout((function(){return e.apply(r,o)}),t)}}var l=function(e){return e instanceof Array?e:[e]};function f(e,t,n){if(!0===n)return e.classList.add(t);e.classList.remove(t)}function d(e,t,n){var r=window.document.createElement(e);return t=t||"",n=n||"",r.className=t,n!==undefined&&(r.textContent=n),r}function p(e){for(;e.firstChild;)e.removeChild(e.firstChild)}function h(e,t){return t(e)?e:e.parentNode?h(e.parentNode,t):undefined}function m(e,t){var n=d("div","numInputWrapper"),r=d("input","numInput "+e),o=d("span","arrowUp"),a=d("span","arrowDown");if(-1===navigator.userAgent.indexOf("MSIE 9.0")?r.type="number":(r.type="text",r.pattern="\\d*"),t!==undefined)for(var i in t)r.setAttribute(i,t[i]);return n.appendChild(r),n.appendChild(o),n.appendChild(a),n}function g(e){try{return"function"==typeof e.composedPath?e.composedPath()[0]:e.target}catch(t){return e.target}}var v=function(){return undefined},y=function(e,t,n){return n.months[t?"shorthand":"longhand"][e]},b={D:v,F:function(e,t,n){e.setMonth(n.months.longhand.indexOf(t))},G:function(e,t){e.setHours((e.getHours()>=12?12:0)+parseFloat(t))},H:function(e,t){e.setHours(parseFloat(t))},J:function(e,t){e.setDate(parseFloat(t))},K:function(e,t,n){e.setHours(e.getHours()%12+12*u(new RegExp(n.amPM[1],"i").test(t)))},M:function(e,t,n){e.setMonth(n.months.shorthand.indexOf(t))},S:function(e,t){e.setSeconds(parseFloat(t))},U:function(e,t){return new Date(1e3*parseFloat(t))},W:function(e,t,n){var r=parseInt(t),o=new Date(e.getFullYear(),0,2+7*(r-1),0,0,0,0);return o.setDate(o.getDate()-o.getDay()+n.firstDayOfWeek),o},Y:function(e,t){e.setFullYear(parseFloat(t))},Z:function(e,t){return new Date(t)},d:function(e,t){e.setDate(parseFloat(t))},h:function(e,t){e.setHours((e.getHours()>=12?12:0)+parseFloat(t))},i:function(e,t){e.setMinutes(parseFloat(t))},j:function(e,t){e.setDate(parseFloat(t))},l:v,m:function(e,t){e.setMonth(parseFloat(t)-1)},n:function(e,t){e.setMonth(parseFloat(t)-1)},s:function(e,t){e.setSeconds(parseFloat(t))},u:function(e,t){return new Date(parseFloat(t))},w:v,y:function(e,t){e.setFullYear(2e3+parseFloat(t))}},w={D:"",F:"",G:"(\\d\\d|\\d)",H:"(\\d\\d|\\d)",J:"(\\d\\d|\\d)\\w+",K:"",M:"",S:"(\\d\\d|\\d)",U:"(.+)",W:"(\\d\\d|\\d)",Y:"(\\d{4})",Z:"(.+)",d:"(\\d\\d|\\d)",h:"(\\d\\d|\\d)",i:"(\\d\\d|\\d)",j:"(\\d\\d|\\d)",l:"",m:"(\\d\\d|\\d)",n:"(\\d\\d|\\d)",s:"(\\d\\d|\\d)",u:"(.+)",w:"(\\d\\d|\\d)",y:"(\\d{2})"},C={Z:function(e){return e.toISOString()},D:function(e,t,n){return t.weekdays.shorthand[C.w(e,t,n)]},F:function(e,t,n){return y(C.n(e,t,n)-1,!1,t)},G:function(e,t,n){return s(C.h(e,t,n))},H:function(e){return s(e.getHours())},J:function(e,t){return t.ordinal!==undefined?e.getDate()+t.ordinal(e.getDate()):e.getDate()},K:function(e,t){return t.amPM[u(e.getHours()>11)]},M:function(e,t){return y(e.getMonth(),!0,t)},S:function(e){return s(e.getSeconds())},U:function(e){return e.getTime()/1e3},W:function(e,t,n){return n.getWeek(e)},Y:function(e){return s(e.getFullYear(),4)},d:function(e){return s(e.getDate())},h:function(e){return e.getHours()%12?e.getHours()%12:12},i:function(e){return s(e.getMinutes())},j:function(e){return e.getDate()},l:function(e,t){return t.weekdays.longhand[e.getDay()]},m:function(e){return s(e.getMonth()+1)},n:function(e){return e.getMonth()+1},s:function(e){return e.getSeconds()},u:function(e){return e.getTime()},w:function(e){return e.getDay()},y:function(e){return String(e.getFullYear()).substring(2)}},O=function(e){var t=e.config,n=void 0===t?o:t,r=e.l10n,i=void 0===r?a:r,s=e.isMobile,u=void 0!==s&&s;return function(e,t,r){var o=r||i;return n.formatDate===undefined||u?t.split("").map((function(t,r,a){return C[t]&&"\\"!==a[r-1]?C[t](e,o,n):"\\"!==t?t:""})).join(""):n.formatDate(e,t,o)}},x=function(e){var t=e.config,n=void 0===t?o:t,r=e.l10n,i=void 0===r?a:r;return function(e,t,r,a){if(0!==e&&!e)return undefined;var s,u=a||i,c=e;if(e instanceof Date)s=new Date(e.getTime());else if("string"!=typeof e&&e.toFixed!==undefined)s=new Date(e);else if("string"==typeof e){var l=t||(n||o).dateFormat,f=String(e).trim();if("today"===f)s=new Date,r=!0;else if(n&&n.parseDate)s=n.parseDate(e,l);else if(/Z$/.test(f)||/GMT$/.test(f))s=new Date(e);else{for(var d=void 0,p=[],h=0,m=0,g="";h<l.length;h++){var v=l[h],y="\\"===v,C="\\"===l[h-1]||y;if(w[v]&&!C){g+=w[v];var O=new RegExp(g).exec(e);O&&(d=!0)&&p["Y"!==v?"push":"unshift"]({fn:b[v],val:O[++m]})}else y||(g+=".")}s=n&&n.noCalendar?new Date((new Date).setHours(0,0,0,0)):new Date((new Date).getFullYear(),0,1,0,0,0,0),p.forEach((function(e){var t=e.fn,n=e.val;return s=t(s,n,u)||s})),s=d?s:undefined}}return s instanceof Date&&!isNaN(s.getTime())?(!0===r&&s.setHours(0,0,0,0),s):(n.errorHandler(new Error("Invalid date provided: "+c)),undefined)}};function k(e,t,n){return void 0===n&&(n=!0),!1!==n?new Date(e.getTime()).setHours(0,0,0,0)-new Date(t.getTime()).setHours(0,0,0,0):e.getTime()-t.getTime()}var D=function(e,t,n){return 3600*e+60*t+n},S=864e5;function E(e){var t=e.defaultHour,n=e.defaultMinute,r=e.defaultSeconds;if(e.minDate!==undefined){var o=e.minDate.getHours(),a=e.minDate.getMinutes(),i=e.minDate.getSeconds();t<o&&(t=o),t===o&&n<a&&(n=a),t===o&&n===a&&r<i&&(r=e.minDate.getSeconds())}if(e.maxDate!==undefined){var s=e.maxDate.getHours(),u=e.maxDate.getMinutes();(t=Math.min(t,s))===s&&(n=Math.min(u,n)),t===s&&n===u&&(r=e.maxDate.getSeconds())}return{hours:t,minutes:n,seconds:r}}n(895);var M=undefined&&undefined.__assign||function(){return(M=Object.assign||function(e){for(var t,n=1,r=arguments.length;n<r;n++)for(var o in t=arguments[n])Object.prototype.hasOwnProperty.call(t,o)&&(e[o]=t[o]);return e}).apply(this,arguments)},_=undefined&&undefined.__spreadArrays||function(){for(var e=0,t=0,n=arguments.length;t<n;t++)e+=arguments[t].length;var r=Array(e),o=0;for(t=0;t<n;t++)for(var a=arguments[t],i=0,s=a.length;i<s;i++,o++)r[o]=a[i];return r};function P(e,t){var n={config:M(M({},o),T.defaultConfig),l10n:i};function a(){var e;return(null===(e=n.calendarContainer)||void 0===e?void 0:e.getRootNode()).activeElement||document.activeElement}function v(e){return e.bind(n)}function b(){var e=n.config;!1===e.weekNumbers&&1===e.showMonths||!0!==e.noCalendar&&window.requestAnimationFrame((function(){if(n.calendarContainer!==undefined&&(n.calendarContainer.style.visibility="hidden",n.calendarContainer.style.display="block"),n.daysContainer!==undefined){var t=(n.days.offsetWidth+1)*e.showMonths;n.daysContainer.style.width=t+"px",n.calendarContainer.style.width=t+(n.weekWrapper!==undefined?n.weekWrapper.offsetWidth:0)+"px",n.calendarContainer.style.removeProperty("visibility"),n.calendarContainer.style.removeProperty("display")}}))}function C(e){if(0===n.selectedDates.length){var t=n.config.minDate===undefined||k(new Date,n.config.minDate)>=0?new Date:new Date(n.config.minDate.getTime()),r=E(n.config);t.setHours(r.hours,r.minutes,r.seconds,t.getMilliseconds()),n.selectedDates=[t],n.latestSelectedDateObj=t}e!==undefined&&"blur"!==e.type&&function(e){e.preventDefault();var t="keydown"===e.type,r=g(e),o=r;n.amPM!==undefined&&r===n.amPM&&(n.amPM.textContent=n.l10n.amPM[u(n.amPM.textContent===n.l10n.amPM[0])]);var a=parseFloat(o.getAttribute("min")),i=parseFloat(o.getAttribute("max")),c=parseFloat(o.getAttribute("step")),l=parseInt(o.value,10),f=e.delta||(t?38===e.which?1:-1:0),d=l+c*f;if("undefined"!=typeof o.value&&2===o.value.length){var p=o===n.hourElement,h=o===n.minuteElement;d<a?(d=i+d+u(!p)+(u(p)&&u(!n.amPM)),h&&F(undefined,-1,n.hourElement)):d>i&&(d=o===n.hourElement?d-i-u(!n.amPM):a,h&&F(undefined,1,n.hourElement)),n.amPM&&p&&(1===c?d+l===23:Math.abs(d-l)>c)&&(n.amPM.textContent=n.l10n.amPM[u(n.amPM.textContent===n.l10n.amPM[0])]),o.value=s(d)}}(e);var o=n._input.value;P(),xe(),n._input.value!==o&&n._debouncedChange()}function P(){if(n.hourElement!==undefined&&n.minuteElement!==undefined){var e,t,r=(parseInt(n.hourElement.value.slice(-2),10)||0)%24,o=(parseInt(n.minuteElement.value,10)||0)%60,a=n.secondElement!==undefined?(parseInt(n.secondElement.value,10)||0)%60:0;n.amPM!==undefined&&(e=r,t=n.amPM.textContent,r=e%12+12*u(t===n.l10n.amPM[1]));var i=n.config.minTime!==undefined||n.config.minDate&&n.minDateHasTime&&n.latestSelectedDateObj&&0===k(n.latestSelectedDateObj,n.config.minDate,!0),s=n.config.maxTime!==undefined||n.config.maxDate&&n.maxDateHasTime&&n.latestSelectedDateObj&&0===k(n.latestSelectedDateObj,n.config.maxDate,!0);if(n.config.maxTime!==undefined&&n.config.minTime!==undefined&&n.config.minTime>n.config.maxTime){var c=D(n.config.minTime.getHours(),n.config.minTime.getMinutes(),n.config.minTime.getSeconds()),l=D(n.config.maxTime.getHours(),n.config.maxTime.getMinutes(),n.config.maxTime.getSeconds()),f=D(r,o,a);if(f>l&&f<c){var d=function(e){var t=Math.floor(e/3600),n=(e-3600*t)/60;return[t,n,e-3600*t-60*n]}(c);r=d[0],o=d[1],a=d[2]}}else{if(s){var p=n.config.maxTime!==undefined?n.config.maxTime:n.config.maxDate;(r=Math.min(r,p.getHours()))===p.getHours()&&(o=Math.min(o,p.getMinutes())),o===p.getMinutes()&&(a=Math.min(a,p.getSeconds()))}if(i){var h=n.config.minTime!==undefined?n.config.minTime:n.config.minDate;(r=Math.max(r,h.getHours()))===h.getHours()&&o<h.getMinutes()&&(o=h.getMinutes()),o===h.getMinutes()&&(a=Math.max(a,h.getSeconds()))}}A(r,o,a)}}function j(e){var t=e||n.latestSelectedDateObj;t&&t instanceof Date&&A(t.getHours(),t.getMinutes(),t.getSeconds())}function A(e,t,r){n.latestSelectedDateObj!==undefined&&n.latestSelectedDateObj.setHours(e%24,t,r||0,0),n.hourElement&&n.minuteElement&&!n.isMobile&&(n.hourElement.value=s(n.config.time_24hr?e:(12+e)%12+12*u(e%12==0)),n.minuteElement.value=s(t),n.amPM!==undefined&&(n.amPM.textContent=n.l10n.amPM[u(e>=12)]),n.secondElement!==undefined&&(n.secondElement.value=s(r)))}function I(e){var t=g(e),n=parseInt(t.value)+(e.delta||0);(n/1e3>1||"Enter"===e.key&&!/[^\d]/.test(n.toString()))&&ee(n)}function N(e,t,r,o){return t instanceof Array?t.forEach((function(t){return N(e,t,r,o)})):e instanceof Array?e.forEach((function(e){return N(e,t,r,o)})):(e.addEventListener(t,r,o),void n._handlers.push({remove:function(){return e.removeEventListener(t,r,o)}}))}function R(){ye("onChange")}function L(e,t){var r=e!==undefined?n.parseDate(e):n.latestSelectedDateObj||(n.config.minDate&&n.config.minDate>n.now?n.config.minDate:n.config.maxDate&&n.config.maxDate<n.now?n.config.maxDate:n.now),o=n.currentYear,a=n.currentMonth;try{r!==undefined&&(n.currentYear=r.getFullYear(),n.currentMonth=r.getMonth())}catch(i){i.message="Invalid date supplied: "+r,n.config.errorHandler(i)}t&&n.currentYear!==o&&(ye("onYearChange"),q()),!t||n.currentYear===o&&n.currentMonth===a||ye("onMonthChange"),n.redraw()}function V(e){var t=g(e);~t.className.indexOf("arrow")&&F(e,t.classList.contains("arrowUp")?1:-1)}function F(e,t,n){var r=e&&g(e),o=n||r&&r.parentNode&&r.parentNode.firstChild,a=be("increment");a.delta=t,o&&o.dispatchEvent(a)}function H(e,t,r,o){var a=te(t,!0),i=d("span",e,t.getDate().toString());return i.dateObj=t,i.$i=o,i.setAttribute("aria-label",n.formatDate(t,n.config.ariaDateFormat)),-1===e.indexOf("hidden")&&0===k(t,n.now)&&(n.todayDateElem=i,i.classList.add("today"),i.setAttribute("aria-current","date")),a?(i.tabIndex=-1,we(t)&&(i.classList.add("selected"),n.selectedDateElem=i,"range"===n.config.mode&&(f(i,"startRange",n.selectedDates[0]&&0===k(t,n.selectedDates[0],!0)),f(i,"endRange",n.selectedDates[1]&&0===k(t,n.selectedDates[1],!0)),"nextMonthDay"===e&&i.classList.add("inRange")))):i.classList.add("flatpickr-disabled"),"range"===n.config.mode&&function(e){return!("range"!==n.config.mode||n.selectedDates.length<2)&&(k(e,n.selectedDates[0])>=0&&k(e,n.selectedDates[1])<=0)}(t)&&!we(t)&&i.classList.add("inRange"),n.weekNumbers&&1===n.config.showMonths&&"prevMonthDay"!==e&&o%7==6&&n.weekNumbers.insertAdjacentHTML("beforeend","<span class='flatpickr-day'>"+n.config.getWeek(t)+"</span>"),ye("onDayCreate",i),i}function z(e){e.focus(),"range"===n.config.mode&&ae(e)}function U(e){for(var t=e>0?0:n.config.showMonths-1,r=e>0?n.config.showMonths:-1,o=t;o!=r;o+=e)for(var a=n.daysContainer.children[o],i=e>0?0:a.children.length-1,s=e>0?a.children.length:-1,u=i;u!=s;u+=e){var c=a.children[u];if(-1===c.className.indexOf("hidden")&&te(c.dateObj))return c}return undefined}function W(e,t){var r=a(),o=ne(r||document.body),i=e!==undefined?e:o?r:n.selectedDateElem!==undefined&&ne(n.selectedDateElem)?n.selectedDateElem:n.todayDateElem!==undefined&&ne(n.todayDateElem)?n.todayDateElem:U(t>0?1:-1);i===undefined?n._input.focus():o?function(e,t){for(var r=-1===e.className.indexOf("Month")?e.dateObj.getMonth():n.currentMonth,o=t>0?n.config.showMonths:-1,a=t>0?1:-1,i=r-n.currentMonth;i!=o;i+=a)for(var s=n.daysContainer.children[i],u=r-n.currentMonth===i?e.$i+t:t<0?s.children.length-1:0,c=s.children.length,l=u;l>=0&&l<c&&l!=(t>0?c:-1);l+=a){var f=s.children[l];if(-1===f.className.indexOf("hidden")&&te(f.dateObj)&&Math.abs(e.$i-l)>=Math.abs(t))return z(f)}n.changeMonth(a),W(U(a),0),undefined}(i,t):z(i)}function B(e,t){for(var r=(new Date(e,t,1).getDay()-n.l10n.firstDayOfWeek+7)%7,o=n.utils.getDaysInMonth((t-1+12)%12,e),a=n.utils.getDaysInMonth(t,e),i=window.document.createDocumentFragment(),s=n.config.showMonths>1,u=s?"prevMonthDay hidden":"prevMonthDay",c=s?"nextMonthDay hidden":"nextMonthDay",l=o+1-r,f=0;l<=o;l++,f++)i.appendChild(H("flatpickr-day "+u,new Date(e,t-1,l),0,f));for(l=1;l<=a;l++,f++)i.appendChild(H("flatpickr-day",new Date(e,t,l),0,f));for(var p=a+1;p<=42-r&&(1===n.config.showMonths||f%7!=0);p++,f++)i.appendChild(H("flatpickr-day "+c,new Date(e,t+1,p%a),0,f));var h=d("div","dayContainer");return h.appendChild(i),h}function Y(){if(n.daysContainer!==undefined){p(n.daysContainer),n.weekNumbers&&p(n.weekNumbers);for(var e=document.createDocumentFragment(),t=0;t<n.config.showMonths;t++){var r=new Date(n.currentYear,n.currentMonth,1);r.setMonth(n.currentMonth+t),e.appendChild(B(r.getFullYear(),r.getMonth()))}n.daysContainer.appendChild(e),n.days=n.daysContainer.firstChild,"range"===n.config.mode&&1===n.selectedDates.length&&ae()}}function q(){if(!(n.config.showMonths>1||"dropdown"!==n.config.monthSelectorType)){var e=function(e){return!(n.config.minDate!==undefined&&n.currentYear===n.config.minDate.getFullYear()&&e<n.config.minDate.getMonth())&&!(n.config.maxDate!==undefined&&n.currentYear===n.config.maxDate.getFullYear()&&e>n.config.maxDate.getMonth())};n.monthsDropdownContainer.tabIndex=-1,n.monthsDropdownContainer.innerHTML="";for(var t=0;t<12;t++)if(e(t)){var r=d("option","flatpickr-monthDropdown-month");r.value=new Date(n.currentYear,t).getMonth().toString(),r.textContent=y(t,n.config.shorthandCurrentMonth,n.l10n),r.tabIndex=-1,n.currentMonth===t&&(r.selected=!0),n.monthsDropdownContainer.appendChild(r)}}}function K(){var e,t=d("div","flatpickr-month"),r=window.document.createDocumentFragment();n.config.showMonths>1||"static"===n.config.monthSelectorType?e=d("span","cur-month"):(n.monthsDropdownContainer=d("select","flatpickr-monthDropdown-months"),n.monthsDropdownContainer.setAttribute("aria-label",n.l10n.monthAriaLabel),N(n.monthsDropdownContainer,"change",(function(e){var t=g(e),r=parseInt(t.value,10);n.changeMonth(r-n.currentMonth),ye("onMonthChange")})),q(),e=n.monthsDropdownContainer);var o=m("cur-year",{tabindex:"-1"}),a=o.getElementsByTagName("input")[0];a.setAttribute("aria-label",n.l10n.yearAriaLabel),n.config.minDate&&a.setAttribute("min",n.config.minDate.getFullYear().toString()),n.config.maxDate&&(a.setAttribute("max",n.config.maxDate.getFullYear().toString()),a.disabled=!!n.config.minDate&&n.config.minDate.getFullYear()===n.config.maxDate.getFullYear());var i=d("div","flatpickr-current-month");return i.appendChild(e),i.appendChild(o),r.appendChild(i),t.appendChild(r),{container:t,yearElement:a,monthElement:e}}function Q(){p(n.monthNav),n.monthNav.appendChild(n.prevMonthNav),n.config.showMonths&&(n.yearElements=[],n.monthElements=[]);for(var e=n.config.showMonths;e--;){var t=K();n.yearElements.push(t.yearElement),n.monthElements.push(t.monthElement),n.monthNav.appendChild(t.container)}n.monthNav.appendChild(n.nextMonthNav)}function G(){n.weekdayContainer?p(n.weekdayContainer):n.weekdayContainer=d("div","flatpickr-weekdays");for(var e=n.config.showMonths;e--;){var t=d("div","flatpickr-weekdaycontainer");n.weekdayContainer.appendChild(t)}return $(),n.weekdayContainer}function $(){if(n.weekdayContainer){var e=n.l10n.firstDayOfWeek,t=_(n.l10n.weekdays.shorthand);e>0&&e<t.length&&(t=_(t.splice(e,t.length),t.splice(0,e)));for(var r=n.config.showMonths;r--;)n.weekdayContainer.children[r].innerHTML="\n      <span class='flatpickr-weekday'>\n        "+t.join("</span><span class='flatpickr-weekday'>")+"\n      </span>\n      "}}function J(e,t){void 0===t&&(t=!0);var r=t?e:e-n.currentMonth;r<0&&!0===n._hidePrevMonthArrow||r>0&&!0===n._hideNextMonthArrow||(n.currentMonth+=r,(n.currentMonth<0||n.currentMonth>11)&&(n.currentYear+=n.currentMonth>11?1:-1,n.currentMonth=(n.currentMonth+12)%12,ye("onYearChange"),q()),Y(),ye("onMonthChange"),Ce())}function X(e){return n.calendarContainer.contains(e)}function Z(e){if(n.isOpen&&!n.config.inline){var t=g(e),r=X(t),o=!(t===n.input||t===n.altInput||n.element.contains(t)||e.path&&e.path.indexOf&&(~e.path.indexOf(n.input)||~e.path.indexOf(n.altInput)))&&!r&&!X(e.relatedTarget),a=!n.config.ignoredFocusElements.some((function(e){return e.contains(t)}));o&&a&&(n.config.allowInput&&n.setDate(n._input.value,!1,n.config.altInput?n.config.altFormat:n.config.dateFormat),n.timeContainer!==undefined&&n.minuteElement!==undefined&&n.hourElement!==undefined&&""!==n.input.value&&n.input.value!==undefined&&C(),n.close(),n.config&&"range"===n.config.mode&&1===n.selectedDates.length&&n.clear(!1))}}function ee(e){if(!(!e||n.config.minDate&&e<n.config.minDate.getFullYear()||n.config.maxDate&&e>n.config.maxDate.getFullYear())){var t=e,r=n.currentYear!==t;n.currentYear=t||n.currentYear,n.config.maxDate&&n.currentYear===n.config.maxDate.getFullYear()?n.currentMonth=Math.min(n.config.maxDate.getMonth(),n.currentMonth):n.config.minDate&&n.currentYear===n.config.minDate.getFullYear()&&(n.currentMonth=Math.max(n.config.minDate.getMonth(),n.currentMonth)),r&&(n.redraw(),ye("onYearChange"),q())}}function te(e,t){var r;void 0===t&&(t=!0);var o=n.parseDate(e,undefined,t);if(n.config.minDate&&o&&k(o,n.config.minDate,t!==undefined?t:!n.minDateHasTime)<0||n.config.maxDate&&o&&k(o,n.config.maxDate,t!==undefined?t:!n.maxDateHasTime)>0)return!1;if(!n.config.enable&&0===n.config.disable.length)return!0;if(o===undefined)return!1;for(var a=!!n.config.enable,i=null!==(r=n.config.enable)&&void 0!==r?r:n.config.disable,s=0,u=void 0;s<i.length;s++){if("function"==typeof(u=i[s])&&u(o))return a;if(u instanceof Date&&o!==undefined&&u.getTime()===o.getTime())return a;if("string"==typeof u){var c=n.parseDate(u,undefined,!0);return c&&c.getTime()===o.getTime()?a:!a}if("object"==typeof u&&o!==undefined&&u.from&&u.to&&o.getTime()>=u.from.getTime()&&o.getTime()<=u.to.getTime())return a}return!a}function ne(e){return n.daysContainer!==undefined&&(-1===e.className.indexOf("hidden")&&-1===e.className.indexOf("flatpickr-disabled")&&n.daysContainer.contains(e))}function re(e){var t=e.target===n._input,r=n._input.value.trimEnd()!==Oe();!t||!r||e.relatedTarget&&X(e.relatedTarget)||n.setDate(n._input.value,!0,e.target===n.altInput?n.config.altFormat:n.config.dateFormat)}function oe(t){var r=g(t),o=n.config.wrap?e.contains(r):r===n._input,i=n.config.allowInput,s=n.isOpen&&(!i||!o),u=n.config.inline&&o&&!i;if(13===t.keyCode&&o){if(i)return n.setDate(n._input.value,!0,r===n.altInput?n.config.altFormat:n.config.dateFormat),n.close(),r.blur();n.open()}else if(X(r)||s||u){var c=!!n.timeContainer&&n.timeContainer.contains(r);switch(t.keyCode){case 13:c?(t.preventDefault(),C(),de()):pe(t);break;case 27:t.preventDefault(),de();break;case 8:case 46:o&&!n.config.allowInput&&(t.preventDefault(),n.clear());break;case 37:case 39:if(c||o)n.hourElement&&n.hourElement.focus();else{t.preventDefault();var l=a();if(n.daysContainer!==undefined&&(!1===i||l&&ne(l))){var f=39===t.keyCode?1:-1;t.ctrlKey?(t.stopPropagation(),J(f),W(U(1),0)):W(undefined,f)}}break;case 38:case 40:t.preventDefault();var d=40===t.keyCode?1:-1;n.daysContainer&&r.$i!==undefined||r===n.input||r===n.altInput?t.ctrlKey?(t.stopPropagation(),ee(n.currentYear-d),W(U(1),0)):c||W(undefined,7*d):r===n.currentYearElement?ee(n.currentYear-d):n.config.enableTime&&(!c&&n.hourElement&&n.hourElement.focus(),C(t),n._debouncedChange());break;case 9:if(c){var p=[n.hourElement,n.minuteElement,n.secondElement,n.amPM].concat(n.pluginElements).filter((function(e){return e})),h=p.indexOf(r);if(-1!==h){var m=p[h+(t.shiftKey?-1:1)];t.preventDefault(),(m||n._input).focus()}}else!n.config.noCalendar&&n.daysContainer&&n.daysContainer.contains(r)&&t.shiftKey&&(t.preventDefault(),n._input.focus())}}if(n.amPM!==undefined&&r===n.amPM)switch(t.key){case n.l10n.amPM[0].charAt(0):case n.l10n.amPM[0].charAt(0).toLowerCase():n.amPM.textContent=n.l10n.amPM[0],P(),xe();break;case n.l10n.amPM[1].charAt(0):case n.l10n.amPM[1].charAt(0).toLowerCase():n.amPM.textContent=n.l10n.amPM[1],P(),xe()}(o||X(r))&&ye("onKeyDown",t)}function ae(e,t){if(void 0===t&&(t="flatpickr-day"),1===n.selectedDates.length&&(!e||e.classList.contains(t)&&!e.classList.contains("flatpickr-disabled"))){for(var r=e?e.dateObj.getTime():n.days.firstElementChild.dateObj.getTime(),o=n.parseDate(n.selectedDates[0],undefined,!0).getTime(),a=Math.min(r,n.selectedDates[0].getTime()),i=Math.max(r,n.selectedDates[0].getTime()),s=!1,u=0,c=0,l=a;l<i;l+=S)te(new Date(l),!0)||(s=s||l>a&&l<i,l<o&&(!u||l>u)?u=l:l>o&&(!c||l<c)&&(c=l));Array.from(n.rContainer.querySelectorAll("*:nth-child(-n+"+n.config.showMonths+") > ."+t)).forEach((function(t){var a,i,l,f=t.dateObj.getTime(),d=u>0&&f<u||c>0&&f>c;if(d)return t.classList.add("notAllowed"),void["inRange","startRange","endRange"].forEach((function(e){t.classList.remove(e)}));s&&!d||(["startRange","inRange","endRange","notAllowed"].forEach((function(e){t.classList.remove(e)})),e!==undefined&&(e.classList.add(r<=n.selectedDates[0].getTime()?"startRange":"endRange"),o<r&&f===o?t.classList.add("startRange"):o>r&&f===o&&t.classList.add("endRange"),f>=u&&(0===c||f<=c)&&(i=o,l=r,(a=f)>Math.min(i,l)&&a<Math.max(i,l))&&t.classList.add("inRange")))}))}}function ie(){!n.isOpen||n.config["static"]||n.config.inline||le()}function se(e){return function(t){var r=n.config["_"+e+"Date"]=n.parseDate(t,n.config.dateFormat),o=n.config["_"+("min"===e?"max":"min")+"Date"];r!==undefined&&(n["min"===e?"minDateHasTime":"maxDateHasTime"]=r.getHours()>0||r.getMinutes()>0||r.getSeconds()>0),n.selectedDates&&(n.selectedDates=n.selectedDates.filter((function(e){return te(e)})),n.selectedDates.length||"min"!==e||j(r),xe()),n.daysContainer&&(fe(),r!==undefined?n.currentYearElement[e]=r.getFullYear().toString():n.currentYearElement.removeAttribute(e),n.currentYearElement.disabled=!!o&&r!==undefined&&o.getFullYear()===r.getFullYear())}}function ue(){return n.config.wrap?e.querySelector("[data-input]"):e}function ce(){"object"!=typeof n.config.locale&&"undefined"==typeof T.l10ns[n.config.locale]&&n.config.errorHandler(new Error("flatpickr: invalid locale "+n.config.locale)),n.l10n=M(M({},T.l10ns["default"]),"object"==typeof n.config.locale?n.config.locale:"default"!==n.config.locale?T.l10ns[n.config.locale]:undefined),w.D="("+n.l10n.weekdays.shorthand.join("|")+")",w.l="("+n.l10n.weekdays.longhand.join("|")+")",w.M="("+n.l10n.months.shorthand.join("|")+")",w.F="("+n.l10n.months.longhand.join("|")+")",w.K="("+n.l10n.amPM[0]+"|"+n.l10n.amPM[1]+"|"+n.l10n.amPM[0].toLowerCase()+"|"+n.l10n.amPM[1].toLowerCase()+")",M(M({},t),JSON.parse(JSON.stringify(e.dataset||{}))).time_24hr===undefined&&T.defaultConfig.time_24hr===undefined&&(n.config.time_24hr=n.l10n.time_24hr),n.formatDate=O(n),n.parseDate=x({config:n.config,l10n:n.l10n})}function le(e){if("function"!=typeof n.config.position){if(n.calendarContainer!==undefined){ye("onPreCalendarPosition");var t=e||n._positionElement,r=Array.prototype.reduce.call(n.calendarContainer.children,(function(e,t){return e+t.offsetHeight}),0),o=n.calendarContainer.offsetWidth,a=n.config.position.split(" "),i=a[0],s=a.length>1?a[1]:null,u=t.getBoundingClientRect(),c=window.innerHeight-u.bottom,l="above"===i||"below"!==i&&c<r&&u.top>r,d=window.pageYOffset+u.top+(l?-r-2:t.offsetHeight+2);if(f(n.calendarContainer,"arrowTop",!l),f(n.calendarContainer,"arrowBottom",l),!n.config.inline){var p=window.pageXOffset+u.left,h=!1,m=!1;"center"===s?(p-=(o-u.width)/2,h=!0):"right"===s&&(p-=o-u.width,m=!0),f(n.calendarContainer,"arrowLeft",!h&&!m),f(n.calendarContainer,"arrowCenter",h),f(n.calendarContainer,"arrowRight",m);var g=window.document.body.offsetWidth-(window.pageXOffset+u.right),v=p+o>window.document.body.offsetWidth,y=g+o>window.document.body.offsetWidth;if(f(n.calendarContainer,"rightMost",v),!n.config["static"])if(n.calendarContainer.style.top=d+"px",v)if(y){var b=function(){for(var e=null,t=0;t<document.styleSheets.length;t++){var n=document.styleSheets[t];if(n.cssRules){try{n.cssRules}catch(o){continue}e=n;break}}return null!=e?e:(r=document.createElement("style"),document.head.appendChild(r),r.sheet);var r}();if(b===undefined)return;var w=window.document.body.offsetWidth,C=Math.max(0,w/2-o/2),O=b.cssRules.length,x="{left:"+u.left+"px;right:auto;}";f(n.calendarContainer,"rightMost",!1),f(n.calendarContainer,"centerMost",!0),b.insertRule(".flatpickr-calendar.centerMost:before,.flatpickr-calendar.centerMost:after"+x,O),n.calendarContainer.style.left=C+"px",n.calendarContainer.style.right="auto"}else n.calendarContainer.style.left="auto",n.calendarContainer.style.right=g+"px";else n.calendarContainer.style.left=p+"px",n.calendarContainer.style.right="auto"}}}else n.config.position(n,e)}function fe(){n.config.noCalendar||n.isMobile||(q(),Ce(),Y())}function de(){n._input.focus(),-1!==window.navigator.userAgent.indexOf("MSIE")||navigator.msMaxTouchPoints!==undefined?setTimeout(n.close,0):n.close()}function pe(e){e.preventDefault(),e.stopPropagation();var t=h(g(e),(function(e){return e.classList&&e.classList.contains("flatpickr-day")&&!e.classList.contains("flatpickr-disabled")&&!e.classList.contains("notAllowed")}));if(t!==undefined){var r=t,o=n.latestSelectedDateObj=new Date(r.dateObj.getTime()),a=(o.getMonth()<n.currentMonth||o.getMonth()>n.currentMonth+n.config.showMonths-1)&&"range"!==n.config.mode;if(n.selectedDateElem=r,"single"===n.config.mode)n.selectedDates=[o];else if("multiple"===n.config.mode){var i=we(o);i?n.selectedDates.splice(parseInt(i),1):n.selectedDates.push(o)}else"range"===n.config.mode&&(2===n.selectedDates.length&&n.clear(!1,!1),n.latestSelectedDateObj=o,n.selectedDates.push(o),0!==k(o,n.selectedDates[0],!0)&&n.selectedDates.sort((function(e,t){return e.getTime()-t.getTime()})));if(P(),a){var s=n.currentYear!==o.getFullYear();n.currentYear=o.getFullYear(),n.currentMonth=o.getMonth(),s&&(ye("onYearChange"),q()),ye("onMonthChange")}if(Ce(),Y(),xe(),a||"range"===n.config.mode||1!==n.config.showMonths?n.selectedDateElem!==undefined&&n.hourElement===undefined&&n.selectedDateElem&&n.selectedDateElem.focus():z(r),n.hourElement!==undefined&&n.hourElement!==undefined&&n.hourElement.focus(),n.config.closeOnSelect){var u="single"===n.config.mode&&!n.config.enableTime,c="range"===n.config.mode&&2===n.selectedDates.length&&!n.config.enableTime;(u||c)&&de()}R()}}n.parseDate=x({config:n.config,l10n:n.l10n}),n._handlers=[],n.pluginElements=[],n.loadedPlugins=[],n._bind=N,n._setHoursFromDate=j,n._positionCalendar=le,n.changeMonth=J,n.changeYear=ee,n.clear=function(e,t){void 0===e&&(e=!0);void 0===t&&(t=!0);n.input.value="",n.altInput!==undefined&&(n.altInput.value="");n.mobileInput!==undefined&&(n.mobileInput.value="");n.selectedDates=[],n.latestSelectedDateObj=undefined,!0===t&&(n.currentYear=n._initialDate.getFullYear(),n.currentMonth=n._initialDate.getMonth());if(!0===n.config.enableTime){var r=E(n.config),o=r.hours,a=r.minutes,i=r.seconds;A(o,a,i)}n.redraw(),e&&ye("onChange")},n.close=function(){n.isOpen=!1,n.isMobile||(n.calendarContainer!==undefined&&n.calendarContainer.classList.remove("open"),n._input!==undefined&&n._input.classList.remove("active"));ye("onClose")},n.onMouseOver=ae,n._createElement=d,n.createDay=H,n.destroy=function(){n.config!==undefined&&ye("onDestroy");for(var e=n._handlers.length;e--;)n._handlers[e].remove();if(n._handlers=[],n.mobileInput)n.mobileInput.parentNode&&n.mobileInput.parentNode.removeChild(n.mobileInput),n.mobileInput=undefined;else if(n.calendarContainer&&n.calendarContainer.parentNode)if(n.config["static"]&&n.calendarContainer.parentNode){var t=n.calendarContainer.parentNode;if(t.lastChild&&t.removeChild(t.lastChild),t.parentNode){for(;t.firstChild;)t.parentNode.insertBefore(t.firstChild,t);t.parentNode.removeChild(t)}}else n.calendarContainer.parentNode.removeChild(n.calendarContainer);n.altInput&&(n.input.type="text",n.altInput.parentNode&&n.altInput.parentNode.removeChild(n.altInput),delete n.altInput);n.input&&(n.input.type=n.input._type,n.input.classList.remove("flatpickr-input"),n.input.removeAttribute("readonly"));["_showTimeInput","latestSelectedDateObj","_hideNextMonthArrow","_hidePrevMonthArrow","__hideNextMonthArrow","__hidePrevMonthArrow","isMobile","isOpen","selectedDateElem","minDateHasTime","maxDateHasTime","days","daysContainer","_input","_positionElement","innerContainer","rContainer","monthNav","todayDateElem","calendarContainer","weekdayContainer","prevMonthNav","nextMonthNav","monthsDropdownContainer","currentMonthElement","currentYearElement","navigationCurrentMonth","selectedDateElem","config"].forEach((function(e){try{delete n[e]}catch(t){}}))},n.isEnabled=te,n.jumpToDate=L,n.updateValue=xe,n.open=function(e,t){void 0===t&&(t=n._positionElement);if(!0===n.isMobile){if(e){e.preventDefault();var r=g(e);r&&r.blur()}return n.mobileInput!==undefined&&(n.mobileInput.focus(),n.mobileInput.click()),void ye("onOpen")}if(n._input.disabled||n.config.inline)return;var o=n.isOpen;n.isOpen=!0,o||(n.calendarContainer.classList.add("open"),n._input.classList.add("active"),ye("onOpen"),le(t));!0===n.config.enableTime&&!0===n.config.noCalendar&&(!1!==n.config.allowInput||e!==undefined&&n.timeContainer.contains(e.relatedTarget)||setTimeout((function(){return n.hourElement.select()}),50))},n.redraw=fe,n.set=function(e,t){if(null!==e&&"object"==typeof e)for(var o in Object.assign(n.config,e),e)he[o]!==undefined&&he[o].forEach((function(e){return e()}));else n.config[e]=t,he[e]!==undefined?he[e].forEach((function(e){return e()})):r.indexOf(e)>-1&&(n.config[e]=l(t));n.redraw(),xe(!0)},n.setDate=function(e,t,r){void 0===t&&(t=!1);void 0===r&&(r=n.config.dateFormat);if(0!==e&&!e||e instanceof Array&&0===e.length)return n.clear(t);me(e,r),n.latestSelectedDateObj=n.selectedDates[n.selectedDates.length-1],n.redraw(),L(undefined,t),j(),0===n.selectedDates.length&&n.clear(!1);xe(t),t&&ye("onChange")},n.toggle=function(e){if(!0===n.isOpen)return n.close();n.open(e)};var he={locale:[ce,$],showMonths:[Q,b,G],minDate:[L],maxDate:[L],positionElement:[ve],clickOpens:[function(){!0===n.config.clickOpens?(N(n._input,"focus",n.open),N(n._input,"click",n.open)):(n._input.removeEventListener("focus",n.open),n._input.removeEventListener("click",n.open))}]};function me(e,t){var r=[];if(e instanceof Array)r=e.map((function(e){return n.parseDate(e,t)}));else if(e instanceof Date||"number"==typeof e)r=[n.parseDate(e,t)];else if("string"==typeof e)switch(n.config.mode){case"single":case"time":r=[n.parseDate(e,t)];break;case"multiple":r=e.split(n.config.conjunction).map((function(e){return n.parseDate(e,t)}));break;case"range":r=e.split(n.l10n.rangeSeparator).map((function(e){return n.parseDate(e,t)}))}else n.config.errorHandler(new Error("Invalid date supplied: "+JSON.stringify(e)));n.selectedDates=n.config.allowInvalidPreload?r:r.filter((function(e){return e instanceof Date&&te(e,!1)})),"range"===n.config.mode&&n.selectedDates.sort((function(e,t){return e.getTime()-t.getTime()}))}function ge(e){return e.slice().map((function(e){return"string"==typeof e||"number"==typeof e||e instanceof Date?n.parseDate(e,undefined,!0):e&&"object"==typeof e&&e.from&&e.to?{from:n.parseDate(e.from,undefined),to:n.parseDate(e.to,undefined)}:e})).filter((function(e){return e}))}function ve(){n._positionElement=n.config.positionElement||n._input}function ye(e,t){if(n.config!==undefined){var r=n.config[e];if(r!==undefined&&r.length>0)for(var o=0;r[o]&&o<r.length;o++)r[o](n.selectedDates,n.input.value,n,t);"onChange"===e&&(n.input.dispatchEvent(be("change")),n.input.dispatchEvent(be("input")))}}function be(e){var t=document.createEvent("Event");return t.initEvent(e,!0,!0),t}function we(e){for(var t=0;t<n.selectedDates.length;t++){var r=n.selectedDates[t];if(r instanceof Date&&0===k(r,e))return""+t}return!1}function Ce(){n.config.noCalendar||n.isMobile||!n.monthNav||(n.yearElements.forEach((function(e,t){var r=new Date(n.currentYear,n.currentMonth,1);r.setMonth(n.currentMonth+t),n.config.showMonths>1||"static"===n.config.monthSelectorType?n.monthElements[t].textContent=y(r.getMonth(),n.config.shorthandCurrentMonth,n.l10n)+" ":n.monthsDropdownContainer.value=r.getMonth().toString(),e.value=r.getFullYear().toString()})),n._hidePrevMonthArrow=n.config.minDate!==undefined&&(n.currentYear===n.config.minDate.getFullYear()?n.currentMonth<=n.config.minDate.getMonth():n.currentYear<n.config.minDate.getFullYear()),n._hideNextMonthArrow=n.config.maxDate!==undefined&&(n.currentYear===n.config.maxDate.getFullYear()?n.currentMonth+1>n.config.maxDate.getMonth():n.currentYear>n.config.maxDate.getFullYear()))}function Oe(e){var t=e||(n.config.altInput?n.config.altFormat:n.config.dateFormat);return n.selectedDates.map((function(e){return n.formatDate(e,t)})).filter((function(e,t,r){return"range"!==n.config.mode||n.config.enableTime||r.indexOf(e)===t})).join("range"!==n.config.mode?n.config.conjunction:n.l10n.rangeSeparator)}function xe(e){void 0===e&&(e=!0),n.mobileInput!==undefined&&n.mobileFormatStr&&(n.mobileInput.value=n.latestSelectedDateObj!==undefined?n.formatDate(n.latestSelectedDateObj,n.mobileFormatStr):""),n.input.value=Oe(n.config.dateFormat),n.altInput!==undefined&&(n.altInput.value=Oe(n.config.altFormat)),!1!==e&&ye("onValueUpdate")}function ke(e){var t=g(e),r=n.prevMonthNav.contains(t),o=n.nextMonthNav.contains(t);r||o?J(r?-1:1):n.yearElements.indexOf(t)>=0?t.select():t.classList.contains("arrowUp")?n.changeYear(n.currentYear+1):t.classList.contains("arrowDown")&&n.changeYear(n.currentYear-1)}return function(){n.element=n.input=e,n.isOpen=!1,function(){var a=["wrap","weekNumbers","allowInput","allowInvalidPreload","clickOpens","time_24hr","enableTime","noCalendar","altInput","shorthandCurrentMonth","inline","static","enableSeconds","disableMobile"],i=M(M({},JSON.parse(JSON.stringify(e.dataset||{}))),t),s={};n.config.parseDate=i.parseDate,n.config.formatDate=i.formatDate,Object.defineProperty(n.config,"enable",{get:function(){return n.config._enable},set:function(e){n.config._enable=ge(e)}}),Object.defineProperty(n.config,"disable",{get:function(){return n.config._disable},set:function(e){n.config._disable=ge(e)}});var u="time"===i.mode;if(!i.dateFormat&&(i.enableTime||u)){var c=T.defaultConfig.dateFormat||o.dateFormat;s.dateFormat=i.noCalendar||u?"H:i"+(i.enableSeconds?":S":""):c+" H:i"+(i.enableSeconds?":S":"")}if(i.altInput&&(i.enableTime||u)&&!i.altFormat){var f=T.defaultConfig.altFormat||o.altFormat;s.altFormat=i.noCalendar||u?"h:i"+(i.enableSeconds?":S K":" K"):f+" h:i"+(i.enableSeconds?":S":"")+" K"}Object.defineProperty(n.config,"minDate",{get:function(){return n.config._minDate},set:se("min")}),Object.defineProperty(n.config,"maxDate",{get:function(){return n.config._maxDate},set:se("max")});var d=function(e){return function(t){n.config["min"===e?"_minTime":"_maxTime"]=n.parseDate(t,"H:i:S")}};Object.defineProperty(n.config,"minTime",{get:function(){return n.config._minTime},set:d("min")}),Object.defineProperty(n.config,"maxTime",{get:function(){return n.config._maxTime},set:d("max")}),"time"===i.mode&&(n.config.noCalendar=!0,n.config.enableTime=!0);Object.assign(n.config,s,i);for(var p=0;p<a.length;p++)n.config[a[p]]=!0===n.config[a[p]]||"true"===n.config[a[p]];r.filter((function(e){return n.config[e]!==undefined})).forEach((function(e){n.config[e]=l(n.config[e]||[]).map(v)})),n.isMobile=!n.config.disableMobile&&!n.config.inline&&"single"===n.config.mode&&!n.config.disable.length&&!n.config.enable&&!n.config.weekNumbers&&/Android|webOS|iPhone|iPad|iPod|BlackBerry|IEMobile|Opera Mini/i.test(navigator.userAgent);for(p=0;p<n.config.plugins.length;p++){var h=n.config.plugins[p](n)||{};for(var m in h)r.indexOf(m)>-1?n.config[m]=l(h[m]).map(v).concat(n.config[m]):"undefined"==typeof i[m]&&(n.config[m]=h[m])}i.altInputClass||(n.config.altInputClass=ue().className+" "+n.config.altInputClass);ye("onParseConfig")}(),ce(),function(){if(n.input=ue(),!n.input)return void n.config.errorHandler(new Error("Invalid input element specified"));n.input._type=n.input.type,n.input.type="text",n.input.classList.add("flatpickr-input"),n._input=n.input,n.config.altInput&&(n.altInput=d(n.input.nodeName,n.config.altInputClass),n._input=n.altInput,n.altInput.placeholder=n.input.placeholder,n.altInput.disabled=n.input.disabled,n.altInput.required=n.input.required,n.altInput.tabIndex=n.input.tabIndex,n.altInput.type="text",n.input.setAttribute("type","hidden"),!n.config["static"]&&n.input.parentNode&&n.input.parentNode.insertBefore(n.altInput,n.input.nextSibling));n.config.allowInput||n._input.setAttribute("readonly","readonly");ve()}(),function(){n.selectedDates=[],n.now=n.parseDate(n.config.now)||new Date;var e=n.config.defaultDate||("INPUT"!==n.input.nodeName&&"TEXTAREA"!==n.input.nodeName||!n.input.placeholder||n.input.value!==n.input.placeholder?n.input.value:null);e&&me(e,n.config.dateFormat);n._initialDate=n.selectedDates.length>0?n.selectedDates[0]:n.config.minDate&&n.config.minDate.getTime()>n.now.getTime()?n.config.minDate:n.config.maxDate&&n.config.maxDate.getTime()<n.now.getTime()?n.config.maxDate:n.now,n.currentYear=n._initialDate.getFullYear(),n.currentMonth=n._initialDate.getMonth(),n.selectedDates.length>0&&(n.latestSelectedDateObj=n.selectedDates[0]);n.config.minTime!==undefined&&(n.config.minTime=n.parseDate(n.config.minTime,"H:i"));n.config.maxTime!==undefined&&(n.config.maxTime=n.parseDate(n.config.maxTime,"H:i"));n.minDateHasTime=!!n.config.minDate&&(n.config.minDate.getHours()>0||n.config.minDate.getMinutes()>0||n.config.minDate.getSeconds()>0),n.maxDateHasTime=!!n.config.maxDate&&(n.config.maxDate.getHours()>0||n.config.maxDate.getMinutes()>0||n.config.maxDate.getSeconds()>0)}(),n.utils={getDaysInMonth:function(e,t){return void 0===e&&(e=n.currentMonth),void 0===t&&(t=n.currentYear),1===e&&(t%4==0&&t%100!=0||t%400==0)?29:n.l10n.daysInMonth[e]}},n.isMobile||function(){var e=window.document.createDocumentFragment();if(n.calendarContainer=d("div","flatpickr-calendar"),n.calendarContainer.tabIndex=-1,!n.config.noCalendar){if(e.appendChild((n.monthNav=d("div","flatpickr-months"),n.yearElements=[],n.monthElements=[],n.prevMonthNav=d("span","flatpickr-prev-month"),n.prevMonthNav.innerHTML=n.config.prevArrow,n.nextMonthNav=d("span","flatpickr-next-month"),n.nextMonthNav.innerHTML=n.config.nextArrow,Q(),Object.defineProperty(n,"_hidePrevMonthArrow",{get:function(){return n.__hidePrevMonthArrow},set:function(e){n.__hidePrevMonthArrow!==e&&(f(n.prevMonthNav,"flatpickr-disabled",e),n.__hidePrevMonthArrow=e)}}),Object.defineProperty(n,"_hideNextMonthArrow",{get:function(){return n.__hideNextMonthArrow},set:function(e){n.__hideNextMonthArrow!==e&&(f(n.nextMonthNav,"flatpickr-disabled",e),n.__hideNextMonthArrow=e)}}),n.currentYearElement=n.yearElements[0],Ce(),n.monthNav)),n.innerContainer=d("div","flatpickr-innerContainer"),n.config.weekNumbers){var t=function(){n.calendarContainer.classList.add("hasWeeks");var e=d("div","flatpickr-weekwrapper");e.appendChild(d("span","flatpickr-weekday",n.l10n.weekAbbreviation));var t=d("div","flatpickr-weeks");return e.appendChild(t),{weekWrapper:e,weekNumbers:t}}(),r=t.weekWrapper,o=t.weekNumbers;n.innerContainer.appendChild(r),n.weekNumbers=o,n.weekWrapper=r}n.rContainer=d("div","flatpickr-rContainer"),n.rContainer.appendChild(G()),n.daysContainer||(n.daysContainer=d("div","flatpickr-days"),n.daysContainer.tabIndex=-1),Y(),n.rContainer.appendChild(n.daysContainer),n.innerContainer.appendChild(n.rContainer),e.appendChild(n.innerContainer)}n.config.enableTime&&e.appendChild(function(){n.calendarContainer.classList.add("hasTime"),n.config.noCalendar&&n.calendarContainer.classList.add("noCalendar");var e=E(n.config);n.timeContainer=d("div","flatpickr-time"),n.timeContainer.tabIndex=-1;var t=d("span","flatpickr-time-separator",":"),r=m("flatpickr-hour",{"aria-label":n.l10n.hourAriaLabel});n.hourElement=r.getElementsByTagName("input")[0];var o=m("flatpickr-minute",{"aria-label":n.l10n.minuteAriaLabel});n.minuteElement=o.getElementsByTagName("input")[0],n.hourElement.tabIndex=n.minuteElement.tabIndex=-1,n.hourElement.value=s(n.latestSelectedDateObj?n.latestSelectedDateObj.getHours():n.config.time_24hr?e.hours:function(e){switch(e%24){case 0:case 12:return 12;default:return e%12}}(e.hours)),n.minuteElement.value=s(n.latestSelectedDateObj?n.latestSelectedDateObj.getMinutes():e.minutes),n.hourElement.setAttribute("step",n.config.hourIncrement.toString()),n.minuteElement.setAttribute("step",n.config.minuteIncrement.toString()),n.hourElement.setAttribute("min",n.config.time_24hr?"0":"1"),n.hourElement.setAttribute("max",n.config.time_24hr?"23":"12"),n.hourElement.setAttribute("maxlength","2"),n.minuteElement.setAttribute("min","0"),n.minuteElement.setAttribute("max","59"),n.minuteElement.setAttribute("maxlength","2"),n.timeContainer.appendChild(r),n.timeContainer.appendChild(t),n.timeContainer.appendChild(o),n.config.time_24hr&&n.timeContainer.classList.add("time24hr");if(n.config.enableSeconds){n.timeContainer.classList.add("hasSeconds");var a=m("flatpickr-second");n.secondElement=a.getElementsByTagName("input")[0],n.secondElement.value=s(n.latestSelectedDateObj?n.latestSelectedDateObj.getSeconds():e.seconds),n.secondElement.setAttribute("step",n.minuteElement.getAttribute("step")),n.secondElement.setAttribute("min","0"),n.secondElement.setAttribute("max","59"),n.secondElement.setAttribute("maxlength","2"),n.timeContainer.appendChild(d("span","flatpickr-time-separator",":")),n.timeContainer.appendChild(a)}n.config.time_24hr||(n.amPM=d("span","flatpickr-am-pm",n.l10n.amPM[u((n.latestSelectedDateObj?n.hourElement.value:n.config.defaultHour)>11)]),n.amPM.title=n.l10n.toggleTitle,n.amPM.tabIndex=-1,n.timeContainer.appendChild(n.amPM));return n.timeContainer}());f(n.calendarContainer,"rangeMode","range"===n.config.mode),f(n.calendarContainer,"animate",!0===n.config.animate),f(n.calendarContainer,"multiMonth",n.config.showMonths>1),n.calendarContainer.appendChild(e);var a=n.config.appendTo!==undefined&&n.config.appendTo.nodeType!==undefined;if((n.config.inline||n.config["static"])&&(n.calendarContainer.classList.add(n.config.inline?"inline":"static"),n.config.inline&&(!a&&n.element.parentNode?n.element.parentNode.insertBefore(n.calendarContainer,n._input.nextSibling):n.config.appendTo!==undefined&&n.config.appendTo.appendChild(n.calendarContainer)),n.config["static"])){var i=d("div","flatpickr-wrapper");n.element.parentNode&&n.element.parentNode.insertBefore(i,n.element),i.appendChild(n.element),n.altInput&&i.appendChild(n.altInput),i.appendChild(n.calendarContainer)}n.config["static"]||n.config.inline||(n.config.appendTo!==undefined?n.config.appendTo:window.document.body).appendChild(n.calendarContainer)}(),function(){n.config.wrap&&["open","close","toggle","clear"].forEach((function(e){Array.prototype.forEach.call(n.element.querySelectorAll("[data-"+e+"]"),(function(t){return N(t,"click",n[e])}))}));if(n.isMobile)return void function(){var e=n.config.enableTime?n.config.noCalendar?"time":"datetime-local":"date";n.mobileInput=d("input",n.input.className+" flatpickr-mobile"),n.mobileInput.tabIndex=1,n.mobileInput.type=e,n.mobileInput.disabled=n.input.disabled,n.mobileInput.required=n.input.required,n.mobileInput.placeholder=n.input.placeholder,n.mobileFormatStr="datetime-local"===e?"Y-m-d\\TH:i:S":"date"===e?"Y-m-d":"H:i:S",n.selectedDates.length>0&&(n.mobileInput.defaultValue=n.mobileInput.value=n.formatDate(n.selectedDates[0],n.mobileFormatStr));n.config.minDate&&(n.mobileInput.min=n.formatDate(n.config.minDate,"Y-m-d"));n.config.maxDate&&(n.mobileInput.max=n.formatDate(n.config.maxDate,"Y-m-d"));n.input.getAttribute("step")&&(n.mobileInput.step=String(n.input.getAttribute("step")));n.input.type="hidden",n.altInput!==undefined&&(n.altInput.type="hidden");try{n.input.parentNode&&n.input.parentNode.insertBefore(n.mobileInput,n.input.nextSibling)}catch(t){}N(n.mobileInput,"change",(function(e){n.setDate(g(e).value,!1,n.mobileFormatStr),ye("onChange"),ye("onClose")}))}();var e=c(ie,50);n._debouncedChange=c(R,300),n.daysContainer&&!/iPhone|iPad|iPod/i.test(navigator.userAgent)&&N(n.daysContainer,"mouseover",(function(e){"range"===n.config.mode&&ae(g(e))}));N(n._input,"keydown",oe),n.calendarContainer!==undefined&&N(n.calendarContainer,"keydown",oe);n.config.inline||n.config["static"]||N(window,"resize",e);window.ontouchstart!==undefined?N(window.document,"touchstart",Z):N(window.document,"mousedown",Z);N(window.document,"focus",Z,{capture:!0}),!0===n.config.clickOpens&&(N(n._input,"focus",n.open),N(n._input,"click",n.open));n.daysContainer!==undefined&&(N(n.monthNav,"click",ke),N(n.monthNav,["keyup","increment"],I),N(n.daysContainer,"click",pe));if(n.timeContainer!==undefined&&n.minuteElement!==undefined&&n.hourElement!==undefined){var t=function(e){return g(e).select()};N(n.timeContainer,["increment"],C),N(n.timeContainer,"blur",C,{capture:!0}),N(n.timeContainer,"click",V),N([n.hourElement,n.minuteElement],["focus","click"],t),n.secondElement!==undefined&&N(n.secondElement,"focus",(function(){return n.secondElement&&n.secondElement.select()})),n.amPM!==undefined&&N(n.amPM,"click",(function(e){C(e)}))}n.config.allowInput&&N(n._input,"blur",re)}(),(n.selectedDates.length||n.config.noCalendar)&&(n.config.enableTime&&j(n.config.noCalendar?n.latestSelectedDateObj:undefined),xe(!1)),b();var a=/^((?!chrome|android).)*safari/i.test(navigator.userAgent);!n.isMobile&&a&&le(),ye("onReady")}(),n}function j(e,t){for(var n=Array.prototype.slice.call(e).filter((function(e){return e instanceof HTMLElement})),r=[],o=0;o<n.length;o++){var a=n[o];try{if(null!==a.getAttribute("data-fp-omit"))continue;a._flatpickr!==undefined&&(a._flatpickr.destroy(),a._flatpickr=undefined),a._flatpickr=P(a,t||{}),r.push(a._flatpickr)}catch(i){console.error(i)}}return 1===r.length?r[0]:r}"undefined"!=typeof HTMLElement&&"undefined"!=typeof HTMLCollection&&"undefined"!=typeof NodeList&&(HTMLCollection.prototype.flatpickr=NodeList.prototype.flatpickr=function(e){return j(this,e)},HTMLElement.prototype.flatpickr=function(e){return j([this],e)});var T=function(e,t){return"string"==typeof e?j(window.document.querySelectorAll(e),t):e instanceof Node?j([e],t):j(e,t)};T.defaultConfig={},T.l10ns={en:M({},i),"default":M({},i)},T.localize=function(e){T.l10ns["default"]=M(M({},T.l10ns["default"]),e)},T.setDefaults=function(e){T.defaultConfig=M(M({},T.defaultConfig),e)},T.parseDate=x({}),T.formatDate=O({}),T.compareDates=k,"undefined"!=typeof jQuery&&"undefined"!=typeof jQuery.fn&&(jQuery.fn.flatpickr=function(e){return j(this,e)}),Date.prototype.fp_incr=function(e){return new Date(this.getFullYear(),this.getMonth(),this.getDate()+("string"==typeof e?parseInt(e,10):e))},"undefined"!=typeof window&&(window.flatpickr=T);var A=T},895:function(){"use strict";"function"!=typeof Object.assign&&(Object.assign=function(e){for(var t=[],n=1;n<arguments.length;n++)t[n-1]=arguments[n];if(!e)throw TypeError("Cannot convert undefined or null to object");for(var r=function(t){t&&Object.keys(t).forEach((function(n){return e[n]=t[n]}))},o=0,a=t;o<a.length;o++){var i=a[o];r(i)}return e})},705:function(e,t,n){var r=n(638).Symbol;e.exports=r},239:function(e,t,n){var r=n(705),o=n(607),a=n(333),i=r?r.toStringTag:undefined;e.exports=function(e){return null==e?e===undefined?"[object Undefined]":"[object Null]":i&&i in Object(e)?o(e):a(e)}},957:function(e,t,n){var r="object"==typeof n.g&&n.g&&n.g.Object===Object&&n.g;e.exports=r},607:function(e,t,n){var r=n(705),o=Object.prototype,a=o.hasOwnProperty,i=o.toString,s=r?r.toStringTag:undefined;e.exports=function(e){var t=a.call(e,s),n=e[s];try{e[s]=undefined;var r=!0}catch(u){}var o=i.call(e);return r&&(t?e[s]=n:delete e[s]),o}},333:function(e){var t=Object.prototype.toString;e.exports=function(e){return t.call(e)}},638:function(e,t,n){var r=n(957),o="object"==typeof self&&self&&self.Object===Object&&self,a=r||o||Function("return this")();e.exports=a},469:function(e){var t=Array.isArray;e.exports=t},654:function(e,t,n){var r=n(763);e.exports=function(e){return r(e)&&e!=+e}},763:function(e,t,n){var r=n(239),o=n(5);e.exports=function(e){return"number"==typeof e||o(e)&&"[object Number]"==r(e)}},5:function(e){e.exports=function(e){return null!=e&&"object"==typeof e}},37:function(e,t,n){var r=n(239),o=n(469),a=n(5);e.exports=function(e){return"string"==typeof e||!o(e)&&a(e)&&"[object String]"==r(e)}},353:function(e){e.exports=function(e){return e===undefined}},251:function(e){"use strict";
    22/*!
    33 * MoveTo - A lightweight scroll animation javascript library without any dependency.
    44 * Version 1.8.2 (28-06-2019 14:30)
    55 * Licensed under MIT
    66 * Copyright 2019 Hasan Aydoğdu <hsnaydd@gmail.com>
    7  */var t=function(){var e={tolerance:0,duration:800,easing:"easeOutQuart",container:window,callback:function(){}};function t(e,t,n,r){return e/=r,-n*(--e*e*e*e-1)+t}function n(e,t){var n={};return Object.keys(e).forEach((function(t){n[t]=e[t]})),Object.keys(t).forEach((function(e){n[e]=t[e]})),n}function r(e){return e instanceof HTMLElement?e.scrollTop:e.pageYOffset}function o(){var r=arguments.length>0&&arguments[0]!==undefined?arguments[0]:{},o=arguments.length>1&&arguments[1]!==undefined?arguments[1]:{};this.options=n(e,r),this.easeFunctions=n({easeOutQuart:t},o)}return o.prototype.registerTrigger=function(e,t){var r=this;if(e){var o=e.getAttribute("href")||e.getAttribute("data-target"),a=o&&"#"!==o?document.getElementById(o.substring(1)):document.body,i=n(this.options,function(e,t){var n={};return Object.keys(t).forEach((function(t){var r=e.getAttribute("data-mt-".concat(t.replace(/([A-Z])/g,(function(e){return"-"+e.toLowerCase()}))));r&&(n[t]=isNaN(r)?r:parseInt(r,10))})),n}(e,this.options));"function"==typeof t&&(i.callback=t);var s=function(e){e.preventDefault(),r.move(a,i)};return e.addEventListener("click",s,!1),function(){return e.removeEventListener("click",s,!1)}}},o.prototype.move=function(e){var t=this,o=arguments.length>1&&arguments[1]!==undefined?arguments[1]:{};if(0===e||e){o=n(this.options,o);var a,i="number"==typeof e?e:e.getBoundingClientRect().top,s=r(o.container),u=null;i-=o.tolerance;var c=function l(n){var c=r(t.options.container);u||(u=n-1);var f=n-u;if(a&&(i>0&&a>c||i<0&&a<c))return o.callback(e);a=c;var d=t.easeFunctions[o.easing](f,s,i,o.duration);o.container.scroll(0,d),f<o.duration?window.requestAnimationFrame(l):(o.container.scroll(0,i+s),o.callback(e))};window.requestAnimationFrame(c)}},o.prototype.addEaseFunction=function(e,t){this.easeFunctions[e]=t},o}();e.exports=t},703:function(e,t,n){"use strict";var r=n(414);function o(){}function a(){}a.resetWarningCache=o,e.exports=function(){function e(e,t,n,o,a,i){if(i!==r){var s=new Error("Calling PropTypes validators directly is not supported by the `prop-types` package. Use PropTypes.checkPropTypes() to call them. Read more at http://fb.me/use-check-prop-types");throw s.name="Invariant Violation",s}}function t(){return e}e.isRequired=e;var n={array:e,bool:e,func:e,number:e,object:e,string:e,symbol:e,any:e,arrayOf:t,element:e,elementType:e,instanceOf:t,node:e,objectOf:t,oneOf:t,oneOfType:t,shape:t,exact:t,checkPropTypes:a,resetWarningCache:o};return n.PropTypes=n,n}},697:function(e,t,n){e.exports=n(703)()},414:function(e){"use strict";e.exports="SECRET_DO_NOT_PASS_THIS_OR_YOU_WILL_BE_FIRED"},953:function(e,t,n){"use strict";function r(e){return(r="function"==typeof Symbol&&"symbol"==typeof Symbol.iterator?function(e){return typeof e}:function(e){return e&&"function"==typeof Symbol&&e.constructor===Symbol&&e!==Symbol.prototype?"symbol":typeof e})(e)}t.Z=void 0;var o=function(e){if(e&&e.__esModule)return e;if(null===e||"object"!==r(e)&&"function"!=typeof e)return{"default":e};var t=u();if(t&&t.has(e))return t.get(e);var n={},o=Object.defineProperty&&Object.getOwnPropertyDescriptor;for(var a in e)if(Object.prototype.hasOwnProperty.call(e,a)){var i=o?Object.getOwnPropertyDescriptor(e,a):null;i&&(i.get||i.set)?Object.defineProperty(n,a,i):n[a]=e[a]}n["default"]=e,t&&t.set(e,n);return n}(n(363)),a=s(n(697)),i=s(n(527));function s(e){return e&&e.__esModule?e:{"default":e}}function u(){if("function"!=typeof WeakMap)return null;var e=new WeakMap;return u=function(){return e},e}function c(){return(c=Object.assign||function(e){for(var t=1;t<arguments.length;t++){var n=arguments[t];for(var r in n)Object.prototype.hasOwnProperty.call(n,r)&&(e[r]=n[r])}return e}).apply(this,arguments)}function l(e,t){if(null==e)return{};var n,r,o=function(e,t){if(null==e)return{};var n,r,o={},a=Object.keys(e);for(r=0;r<a.length;r++)n=a[r],t.indexOf(n)>=0||(o[n]=e[n]);return o}(e,t);if(Object.getOwnPropertySymbols){var a=Object.getOwnPropertySymbols(e);for(r=0;r<a.length;r++)n=a[r],t.indexOf(n)>=0||Object.prototype.propertyIsEnumerable.call(e,n)&&(o[n]=e[n])}return o}function f(e,t){var n=Object.keys(e);if(Object.getOwnPropertySymbols){var r=Object.getOwnPropertySymbols(e);t&&(r=r.filter((function(t){return Object.getOwnPropertyDescriptor(e,t).enumerable}))),n.push.apply(n,r)}return n}function d(e){for(var t=1;t<arguments.length;t++){var n=null!=arguments[t]?arguments[t]:{};t%2?f(Object(n),!0).forEach((function(t){w(e,t,n[t])})):Object.getOwnPropertyDescriptors?Object.defineProperties(e,Object.getOwnPropertyDescriptors(n)):f(Object(n)).forEach((function(t){Object.defineProperty(e,t,Object.getOwnPropertyDescriptor(n,t))}))}return e}function p(e,t){if(!(e instanceof t))throw new TypeError("Cannot call a class as a function")}function h(e,t){for(var n=0;n<t.length;n++){var r=t[n];r.enumerable=r.enumerable||!1,r.configurable=!0,"value"in r&&(r.writable=!0),Object.defineProperty(e,r.key,r)}}function m(e,t){return(m=Object.setPrototypeOf||function(e,t){return e.__proto__=t,e})(e,t)}function g(e){var t=function(){if("undefined"==typeof Reflect||!Reflect.construct)return!1;if(Reflect.construct.sham)return!1;if("function"==typeof Proxy)return!0;try{return Boolean.prototype.valueOf.call(Reflect.construct(Boolean,[],(function(){}))),!0}catch(e){return!1}}();return function(){var n,r=b(e);if(t){var o=b(this).constructor;n=Reflect.construct(r,arguments,o)}else n=r.apply(this,arguments);return v(this,n)}}function v(e,t){return!t||"object"!==r(t)&&"function"!=typeof t?y(e):t}function y(e){if(void 0===e)throw new ReferenceError("this hasn't been initialised - super() hasn't been called");return e}function b(e){return(b=Object.setPrototypeOf?Object.getPrototypeOf:function(e){return e.__proto__||Object.getPrototypeOf(e)})(e)}function w(e,t,n){return t in e?Object.defineProperty(e,t,{value:n,enumerable:!0,configurable:!0,writable:!0}):e[t]=n,e}var C=["onChange","onOpen","onClose","onMonthChange","onYearChange","onReady","onValueUpdate","onDayCreate"],O=a["default"].oneOfType([a["default"].func,a["default"].arrayOf(a["default"].func)]),x=["onCreate","onDestroy"],k=a["default"].func,D=function(e){!function(e,t){if("function"!=typeof t&&null!==t)throw new TypeError("Super expression must either be null or a function");e.prototype=Object.create(t&&t.prototype,{constructor:{value:e,writable:!0,configurable:!0}}),t&&m(e,t)}(s,e);var t,n,r,a=g(s);function s(){var e;p(this,s);for(var t=arguments.length,n=new Array(t),r=0;r<t;r++)n[r]=arguments[r];return w(y(e=a.call.apply(a,[this].concat(n))),"createFlatpickrInstance",(function(){var t=d({onClose:function(){e.node.blur&&e.node.blur()}},e.props.options);C.forEach((function(n){e.props[n]&&(t[n]=e.props[n])})),e.flatpickr=(0,i["default"])(e.node,t),e.props.hasOwnProperty("value")&&e.flatpickr.setDate(e.props.value,!1);var n=e.props.onCreate;n&&n(e.flatpickr)})),w(y(e),"destroyFlatpickrInstance",(function(){var t=e.props.onDestroy;t&&t(e.flatpickr),e.flatpickr.destroy(),e.flatpickr=null})),w(y(e),"handleNodeChange",(function(t){e.node=t,e.flatpickr&&(e.destroyFlatpickrInstance(),e.createFlatpickrInstance())})),e}return t=s,(n=[{key:"componentDidUpdate",value:function(e){var t=this,n=this.props.options,r=e.options;C.forEach((function(o){t.props.hasOwnProperty(o)&&(n[o]=t.props[o]),e.hasOwnProperty(o)&&(r[o]=e[o])}));for(var o=Object.getOwnPropertyNames(n),a=o.length-1;a>=0;a--){var i=o[a],s=n[i];s!==r[i]&&(-1===C.indexOf(i)||Array.isArray(s)||(s=[s]),this.flatpickr.set(i,s))}this.props.hasOwnProperty("value")&&this.props.value!==e.value&&this.flatpickr.setDate(this.props.value,!1)}},{key:"componentDidMount",value:function(){this.createFlatpickrInstance()}},{key:"componentWillUnmount",value:function(){this.destroyFlatpickrInstance()}},{key:"render",value:function(){var e=this.props,t=e.options,n=e.defaultValue,r=e.value,a=e.children,i=e.render,s=l(e,["options","defaultValue","value","children","render"]);return C.forEach((function(e){delete s[e]})),x.forEach((function(e){delete s[e]})),i?i(d(d({},s),{},{defaultValue:n,value:r}),this.handleNodeChange):t.wrap?o["default"].createElement("div",c({},s,{ref:this.handleNodeChange}),a):o["default"].createElement("input",c({},s,{defaultValue:n,ref:this.handleNodeChange}))}}])&&h(t.prototype,n),r&&h(t,r),s}(o.Component);w(D,"propTypes",{defaultValue:a["default"].string,options:a["default"].object,onChange:O,onOpen:O,onClose:O,onMonthChange:O,onYearChange:O,onReady:O,onValueUpdate:O,onDayCreate:O,onCreate:k,onDestroy:k,value:a["default"].oneOfType([a["default"].string,a["default"].array,a["default"].object,a["default"].number]),children:a["default"].node,className:a["default"].string,render:a["default"].func}),w(D,"defaultProps",{options:{}});var S=D;t.Z=S},639:function(e,t,n){"use strict";var r=Object.assign||function(e){for(var t=1;t<arguments.length;t++){var n=arguments[t];for(var r in n)Object.prototype.hasOwnProperty.call(n,r)&&(e[r]=n[r])}return e},o=function(){function e(e,t){for(var n=0;n<t.length;n++){var r=t[n];r.enumerable=r.enumerable||!1,r.configurable=!0,"value"in r&&(r.writable=!0),Object.defineProperty(e,r.key,r)}}return function(t,n,r){return n&&e(t.prototype,n),r&&e(t,r),t}}(),a=n(363),i=u(a),s=u(n(697));function u(e){return e&&e.__esModule?e:{"default":e}}var c={position:"absolute",top:0,left:0,visibility:"hidden",height:0,overflow:"scroll",whiteSpace:"pre"},l=["extraWidth","injectStyles","inputClassName","inputRef","inputStyle","minWidth","onAutosize","placeholderIsMinWidth"],f=function(e,t){t.style.fontSize=e.fontSize,t.style.fontFamily=e.fontFamily,t.style.fontWeight=e.fontWeight,t.style.fontStyle=e.fontStyle,t.style.letterSpacing=e.letterSpacing,t.style.textTransform=e.textTransform},d=!("undefined"==typeof window||!window.navigator)&&/MSIE |Trident\/|Edge\//.test(window.navigator.userAgent),p=function(){return d?"_"+Math.random().toString(36).substr(2,12):undefined},h=function(e){function t(e){!function(e,t){if(!(e instanceof t))throw new TypeError("Cannot call a class as a function")}(this,t);var n=function(e,t){if(!e)throw new ReferenceError("this hasn't been initialised - super() hasn't been called");return!t||"object"!=typeof t&&"function"!=typeof t?e:t}(this,(t.__proto__||Object.getPrototypeOf(t)).call(this,e));return n.inputRef=function(e){n.input=e,"function"==typeof n.props.inputRef&&n.props.inputRef(e)},n.placeHolderSizerRef=function(e){n.placeHolderSizer=e},n.sizerRef=function(e){n.sizer=e},n.state={inputWidth:e.minWidth,inputId:e.id||p(),prevId:e.id},n}return function(e,t){if("function"!=typeof t&&null!==t)throw new TypeError("Super expression must either be null or a function, not "+typeof t);e.prototype=Object.create(t&&t.prototype,{constructor:{value:e,enumerable:!1,writable:!0,configurable:!0}}),t&&(Object.setPrototypeOf?Object.setPrototypeOf(e,t):e.__proto__=t)}(t,e),o(t,null,[{key:"getDerivedStateFromProps",value:function(e,t){var n=e.id;return n!==t.prevId?{inputId:n||p(),prevId:n}:null}}]),o(t,[{key:"componentDidMount",value:function(){this.mounted=!0,this.copyInputStyles(),this.updateInputWidth()}},{key:"componentDidUpdate",value:function(e,t){t.inputWidth!==this.state.inputWidth&&"function"==typeof this.props.onAutosize&&this.props.onAutosize(this.state.inputWidth),this.updateInputWidth()}},{key:"componentWillUnmount",value:function(){this.mounted=!1}},{key:"copyInputStyles",value:function(){if(this.mounted&&window.getComputedStyle){var e=this.input&&window.getComputedStyle(this.input);e&&(f(e,this.sizer),this.placeHolderSizer&&f(e,this.placeHolderSizer))}}},{key:"updateInputWidth",value:function(){if(this.mounted&&this.sizer&&"undefined"!=typeof this.sizer.scrollWidth){var e=void 0;e=this.props.placeholder&&(!this.props.value||this.props.value&&this.props.placeholderIsMinWidth)?Math.max(this.sizer.scrollWidth,this.placeHolderSizer.scrollWidth)+2:this.sizer.scrollWidth+2,(e+="number"===this.props.type&&this.props.extraWidth===undefined?16:parseInt(this.props.extraWidth)||0)<this.props.minWidth&&(e=this.props.minWidth),e!==this.state.inputWidth&&this.setState({inputWidth:e})}}},{key:"getInput",value:function(){return this.input}},{key:"focus",value:function(){this.input.focus()}},{key:"blur",value:function(){this.input.blur()}},{key:"select",value:function(){this.input.select()}},{key:"renderStyles",value:function(){var e=this.props.injectStyles;return d&&e?i["default"].createElement("style",{dangerouslySetInnerHTML:{__html:"input#"+this.state.inputId+"::-ms-clear {display: none;}"}}):null}},{key:"render",value:function(){var e=[this.props.defaultValue,this.props.value,""].reduce((function(e,t){return null!==e&&e!==undefined?e:t})),t=r({},this.props.style);t.display||(t.display="inline-block");var n=r({boxSizing:"content-box",width:this.state.inputWidth+"px"},this.props.inputStyle),o=function(e,t){var n={};for(var r in e)t.indexOf(r)>=0||Object.prototype.hasOwnProperty.call(e,r)&&(n[r]=e[r]);return n}(this.props,[]);return function(e){l.forEach((function(t){return delete e[t]}))}(o),o.className=this.props.inputClassName,o.id=this.state.inputId,o.style=n,i["default"].createElement("div",{className:this.props.className,style:t},this.renderStyles(),i["default"].createElement("input",r({},o,{ref:this.inputRef})),i["default"].createElement("div",{ref:this.sizerRef,style:c},e),this.props.placeholder?i["default"].createElement("div",{ref:this.placeHolderSizerRef,style:c},this.props.placeholder):null)}}]),t}(a.Component);h.propTypes={className:s["default"].string,defaultValue:s["default"].any,extraWidth:s["default"].oneOfType([s["default"].number,s["default"].string]),id:s["default"].string,injectStyles:s["default"].bool,inputClassName:s["default"].string,inputRef:s["default"].func,inputStyle:s["default"].object,minWidth:s["default"].oneOfType([s["default"].number,s["default"].string]),onAutosize:s["default"].func,onChange:s["default"].func,placeholder:s["default"].string,placeholderIsMinWidth:s["default"].bool,style:s["default"].object,value:s["default"].any},h.defaultProps={minWidth:1,injectStyles:!0},t.Z=h},322:function(e,t,n){"use strict";Object.defineProperty(t,"__esModule",{value:!0});var r,o=n(288),a=(r=o)&&r.__esModule?r:{"default":r};t["default"]=a["default"],e.exports=t["default"]},203:function(e,t){"use strict";Object.defineProperty(t,"__esModule",{value:!0});t["default"]={activeTrack:"input-range__track input-range__track--active",disabledInputRange:"input-range input-range--disabled",inputRange:"input-range",labelContainer:"input-range__label-container",maxLabel:"input-range__label input-range__label--max",minLabel:"input-range__label input-range__label--min",slider:"input-range__slider",sliderContainer:"input-range__slider-container",track:"input-range__track input-range__track--background",valueLabel:"input-range__label input-range__label--value"},e.exports=t["default"]},288:function(e,t,n){"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t["default"]=undefined;var r,o=function(){function e(e,t){for(var n=0;n<t.length;n++){var r=t[n];r.enumerable=r.enumerable||!1,r.configurable=!0,"value"in r&&(r.writable=!0),Object.defineProperty(e,r.key,r)}}return function(t,n,r){return n&&e(t.prototype,n),r&&e(t,r),t}}(),a=v(n(363)),i=v(n(697)),s=v(n(521)),u=function(e){if(e&&e.__esModule)return e;var t={};if(null!=e)for(var n in e)Object.prototype.hasOwnProperty.call(e,n)&&(t[n]=e[n]);return t["default"]=e,t}(n(232)),c=v(n(203)),l=v(n(191)),f=v(n(807)),d=v(n(97)),p=v(n(737)),h=v(n(752)),m=n(302),g=n(878);function v(e){return e&&e.__esModule?e:{"default":e}}function y(e,t,n,r,o){var a={};return Object.keys(r).forEach((function(e){a[e]=r[e]})),a.enumerable=!!a.enumerable,a.configurable=!!a.configurable,("value"in a||a.initializer)&&(a.writable=!0),a=n.slice().reverse().reduce((function(n,r){return r(e,t,n)||n}),a),o&&void 0!==a.initializer&&(a.value=a.initializer?a.initializer.call(o):void 0,a.initializer=undefined),void 0===a.initializer&&(Object.defineProperty(e,t,a),a=null),a}var b=(y((r=function(e){function t(e){!function(e,t){if(!(e instanceof t))throw new TypeError("Cannot call a class as a function")}(this,t);var n=function(e,t){if(!e)throw new ReferenceError("this hasn't been initialised - super() hasn't been called");return!t||"object"!=typeof t&&"function"!=typeof t?e:t}(this,(t.__proto__||Object.getPrototypeOf(t)).call(this,e));return n.startValue=null,n.node=null,n.trackNode=null,n.isSliderDragging=!1,n.lastKeyMoved=null,n}return function(e,t){if("function"!=typeof t&&null!==t)throw new TypeError("Super expression must either be null or a function, not "+typeof t);e.prototype=Object.create(t&&t.prototype,{constructor:{value:e,enumerable:!1,writable:!0,configurable:!0}}),t&&(Object.setPrototypeOf?Object.setPrototypeOf(e,t):e.__proto__=t)}(t,e),o(t,null,[{key:"propTypes",get:function(){return{allowSameValues:i["default"].bool,ariaLabelledby:i["default"].string,ariaControls:i["default"].string,classNames:i["default"].objectOf(i["default"].string),disabled:i["default"].bool,draggableTrack:i["default"].bool,formatLabel:i["default"].func,maxValue:f["default"],minValue:f["default"],name:i["default"].string,onChangeStart:i["default"].func,onChange:i["default"].func.isRequired,onChangeComplete:i["default"].func,step:i["default"].number,value:d["default"]}}},{key:"defaultProps",get:function(){return{allowSameValues:!1,classNames:c["default"],disabled:!1,maxValue:10,minValue:0,step:1}}}]),o(t,[{key:"componentWillUnmount",value:function(){this.removeDocumentMouseUpListener(),this.removeDocumentTouchEndListener()}},{key:"getComponentClassName",value:function(){return this.props.disabled?this.props.classNames.disabledInputRange:this.props.classNames.inputRange}},{key:"getTrackClientRect",value:function(){return this.trackNode.getClientRect()}},{key:"getKeyByPosition",value:function(e){var t=u.getValueFromProps(this.props,this.isMultiValue()),n=u.getPositionsFromValues(t,this.props.minValue,this.props.maxValue,this.getTrackClientRect());if(this.isMultiValue()&&(0,m.distanceTo)(e,n.min)<(0,m.distanceTo)(e,n.max))return"min";return"max"}},{key:"getKeys",value:function(){return this.isMultiValue()?["min","max"]:["max"]}},{key:"hasStepDifference",value:function(e){var t=u.getValueFromProps(this.props,this.isMultiValue());return(0,m.length)(e.min,t.min)>=this.props.step||(0,m.length)(e.max,t.max)>=this.props.step}},{key:"isMultiValue",value:function(){return(0,m.isObject)(this.props.value)}},{key:"isWithinRange",value:function(e){return this.isMultiValue()?e.min>=this.props.minValue&&e.max<=this.props.maxValue&&this.props.allowSameValues?e.min<=e.max:e.min<e.max:e.max>=this.props.minValue&&e.max<=this.props.maxValue}},{key:"shouldUpdate",value:function(e){return this.isWithinRange(e)&&this.hasStepDifference(e)}},{key:"updatePosition",value:function(e,t){var n=u.getValueFromProps(this.props,this.isMultiValue()),r=u.getPositionsFromValues(n,this.props.minValue,this.props.maxValue,this.getTrackClientRect());r[e]=t,this.lastKeyMoved=e,this.updatePositions(r)}},{key:"updatePositions",value:function(e){var t={min:u.getValueFromPosition(e.min,this.props.minValue,this.props.maxValue,this.getTrackClientRect()),max:u.getValueFromPosition(e.max,this.props.minValue,this.props.maxValue,this.getTrackClientRect())},n={min:u.getStepValueFromValue(t.min,this.props.step),max:u.getStepValueFromValue(t.max,this.props.step)};this.updateValues(n)}},{key:"updateValue",value:function(e,t){var n=u.getValueFromProps(this.props,this.isMultiValue());n[e]=t,this.updateValues(n)}},{key:"updateValues",value:function(e){this.shouldUpdate(e)&&this.props.onChange(this.isMultiValue()?e:e.max)}},{key:"incrementValue",value:function(e){var t=u.getValueFromProps(this.props,this.isMultiValue())[e]+this.props.step;this.updateValue(e,t)}},{key:"decrementValue",value:function(e){var t=u.getValueFromProps(this.props,this.isMultiValue())[e]-this.props.step;this.updateValue(e,t)}},{key:"addDocumentMouseUpListener",value:function(){this.removeDocumentMouseUpListener(),this.node.ownerDocument.addEventListener("mouseup",this.handleMouseUp)}},{key:"addDocumentTouchEndListener",value:function(){this.removeDocumentTouchEndListener(),this.node.ownerDocument.addEventListener("touchend",this.handleTouchEnd)}},{key:"removeDocumentMouseUpListener",value:function(){this.node.ownerDocument.removeEventListener("mouseup",this.handleMouseUp)}},{key:"removeDocumentTouchEndListener",value:function(){this.node.ownerDocument.removeEventListener("touchend",this.handleTouchEnd)}},{key:"handleSliderDrag",value:function(e,t){var n=this;if(!this.props.disabled){var r=u.getPositionFromEvent(e,this.getTrackClientRect());this.isSliderDragging=!0,requestAnimationFrame((function(){return n.updatePosition(t,r)}))}}},{key:"handleTrackDrag",value:function(e,t){if(!this.props.disabled&&this.props.draggableTrack&&!this.isSliderDragging){var n=this.props,r=n.maxValue,o=n.minValue,a=n.value,i=a.max,s=a.min,c=u.getPositionFromEvent(e,this.getTrackClientRect()),l=u.getValueFromPosition(c,o,r,this.getTrackClientRect()),f=u.getStepValueFromValue(l,this.props.step),d=u.getPositionFromEvent(t,this.getTrackClientRect()),p=u.getValueFromPosition(d,o,r,this.getTrackClientRect()),h=u.getStepValueFromValue(p,this.props.step)-f,m={min:s-h,max:i-h};this.updateValues(m)}}},{key:"handleSliderKeyDown",value:function(e,t){if(!this.props.disabled)switch(e.keyCode){case g.LEFT_ARROW:case g.DOWN_ARROW:e.preventDefault(),this.decrementValue(t);break;case g.RIGHT_ARROW:case g.UP_ARROW:e.preventDefault(),this.incrementValue(t)}}},{key:"handleTrackMouseDown",value:function(e,t){if(!this.props.disabled){var n=this.props,r=n.maxValue,o=n.minValue,a=n.value,i=a.max,s=a.min;e.preventDefault();var c=u.getValueFromPosition(t,o,r,this.getTrackClientRect()),l=u.getStepValueFromValue(c,this.props.step);(!this.props.draggableTrack||l>i||l<s)&&this.updatePosition(this.getKeyByPosition(t),t)}}},{key:"handleInteractionStart",value:function(){this.props.onChangeStart&&this.props.onChangeStart(this.props.value),this.props.onChangeComplete&&!(0,m.isDefined)(this.startValue)&&(this.startValue=this.props.value)}},{key:"handleInteractionEnd",value:function(){this.isSliderDragging&&(this.isSliderDragging=!1),this.props.onChangeComplete&&(0,m.isDefined)(this.startValue)&&(this.startValue!==this.props.value&&this.props.onChangeComplete(this.props.value),this.startValue=null)}},{key:"handleKeyDown",value:function(e){this.handleInteractionStart(e)}},{key:"handleKeyUp",value:function(e){this.handleInteractionEnd(e)}},{key:"handleMouseDown",value:function(e){this.handleInteractionStart(e),this.addDocumentMouseUpListener()}},{key:"handleMouseUp",value:function(e){this.handleInteractionEnd(e),this.removeDocumentMouseUpListener()}},{key:"handleTouchStart",value:function(e){this.handleInteractionStart(e),this.addDocumentTouchEndListener()}},{key:"handleTouchEnd",value:function(e){this.handleInteractionEnd(e),this.removeDocumentTouchEndListener()}},{key:"renderSliders",value:function(){var e=this,t=u.getValueFromProps(this.props,this.isMultiValue()),n=u.getPercentagesFromValues(t,this.props.minValue,this.props.maxValue);return(this.props.allowSameValues&&"min"===this.lastKeyMoved?this.getKeys().reverse():this.getKeys()).map((function(r){var o=t[r],i=n[r],s=e.props,u=s.maxValue,c=s.minValue;return"min"===r?u=t.max:c=t.min,a["default"].createElement(p["default"],{ariaLabelledby:e.props.ariaLabelledby,ariaControls:e.props.ariaControls,classNames:e.props.classNames,formatLabel:e.props.formatLabel,key:r,maxValue:u,minValue:c,onSliderDrag:e.handleSliderDrag,onSliderKeyDown:e.handleSliderKeyDown,percentage:i,type:r,value:o})}))}},{key:"renderHiddenInputs",value:function(){var e=this;if(!this.props.name)return[];var t=this.isMultiValue(),n=u.getValueFromProps(this.props,t);return this.getKeys().map((function(r){var o=n[r],i=t?""+e.props.name+(0,m.captialize)(r):e.props.name;return a["default"].createElement("input",{key:r,type:"hidden",name:i,value:o})}))}},{key:"render",value:function(){var e=this,t=this.getComponentClassName(),n=u.getValueFromProps(this.props,this.isMultiValue()),r=u.getPercentagesFromValues(n,this.props.minValue,this.props.maxValue);return a["default"].createElement("div",{"aria-disabled":this.props.disabled,ref:function(t){e.node=t},className:t,onKeyDown:this.handleKeyDown,onKeyUp:this.handleKeyUp,onMouseDown:this.handleMouseDown,onTouchStart:this.handleTouchStart},a["default"].createElement(l["default"],{classNames:this.props.classNames,formatLabel:this.props.formatLabel,type:"min"},this.props.minValue),a["default"].createElement(h["default"],{classNames:this.props.classNames,draggableTrack:this.props.draggableTrack,ref:function(t){e.trackNode=t},percentages:r,onTrackDrag:this.handleTrackDrag,onTrackMouseDown:this.handleTrackMouseDown},this.renderSliders()),a["default"].createElement(l["default"],{classNames:this.props.classNames,formatLabel:this.props.formatLabel,type:"max"},this.props.maxValue),this.renderHiddenInputs())}}]),t}(a["default"].Component)).prototype,"handleSliderDrag",[s["default"]],Object.getOwnPropertyDescriptor(r.prototype,"handleSliderDrag"),r.prototype),y(r.prototype,"handleTrackDrag",[s["default"]],Object.getOwnPropertyDescriptor(r.prototype,"handleTrackDrag"),r.prototype),y(r.prototype,"handleSliderKeyDown",[s["default"]],Object.getOwnPropertyDescriptor(r.prototype,"handleSliderKeyDown"),r.prototype),y(r.prototype,"handleTrackMouseDown",[s["default"]],Object.getOwnPropertyDescriptor(r.prototype,"handleTrackMouseDown"),r.prototype),y(r.prototype,"handleInteractionStart",[s["default"]],Object.getOwnPropertyDescriptor(r.prototype,"handleInteractionStart"),r.prototype),y(r.prototype,"handleInteractionEnd",[s["default"]],Object.getOwnPropertyDescriptor(r.prototype,"handleInteractionEnd"),r.prototype),y(r.prototype,"handleKeyDown",[s["default"]],Object.getOwnPropertyDescriptor(r.prototype,"handleKeyDown"),r.prototype),y(r.prototype,"handleKeyUp",[s["default"]],Object.getOwnPropertyDescriptor(r.prototype,"handleKeyUp"),r.prototype),y(r.prototype,"handleMouseDown",[s["default"]],Object.getOwnPropertyDescriptor(r.prototype,"handleMouseDown"),r.prototype),y(r.prototype,"handleMouseUp",[s["default"]],Object.getOwnPropertyDescriptor(r.prototype,"handleMouseUp"),r.prototype),y(r.prototype,"handleTouchStart",[s["default"]],Object.getOwnPropertyDescriptor(r.prototype,"handleTouchStart"),r.prototype),y(r.prototype,"handleTouchEnd",[s["default"]],Object.getOwnPropertyDescriptor(r.prototype,"handleTouchEnd"),r.prototype),r);t["default"]=b,e.exports=t["default"]},878:function(e,t){"use strict";Object.defineProperty(t,"__esModule",{value:!0});t.DOWN_ARROW=40,t.LEFT_ARROW=37,t.RIGHT_ARROW=39,t.UP_ARROW=38},191:function(e,t,n){"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t["default"]=i;var r=a(n(363)),o=a(n(697));function a(e){return e&&e.__esModule?e:{"default":e}}function i(e){var t=e.formatLabel?e.formatLabel(e.children,e.type):e.children;return r["default"].createElement("span",{className:e.classNames[e.type+"Label"]},r["default"].createElement("span",{className:e.classNames.labelContainer},t))}i.propTypes={children:o["default"].node.isRequired,classNames:o["default"].objectOf(o["default"].string).isRequired,formatLabel:o["default"].func,type:o["default"].string.isRequired},e.exports=t["default"]},807:function(e,t,n){"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t["default"]=function(e){var t=e.maxValue,n=e.minValue;if(!(0,r.isNumber)(n)||!(0,r.isNumber)(t))return new Error('"minValue" and "maxValue" must be a number');if(n>=t)return new Error('"minValue" must be smaller than "maxValue"')};var r=n(302);e.exports=t["default"]},737:function(e,t,n){"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t["default"]=undefined;var r,o=function(){function e(e,t){for(var n=0;n<t.length;n++){var r=t[n];r.enumerable=r.enumerable||!1,r.configurable=!0,"value"in r&&(r.writable=!0),Object.defineProperty(e,r.key,r)}}return function(t,n,r){return n&&e(t.prototype,n),r&&e(t,r),t}}(),a=c(n(363)),i=c(n(697)),s=c(n(521)),u=c(n(191));function c(e){return e&&e.__esModule?e:{"default":e}}function l(e,t,n,r,o){var a={};return Object.keys(r).forEach((function(e){a[e]=r[e]})),a.enumerable=!!a.enumerable,a.configurable=!!a.configurable,("value"in a||a.initializer)&&(a.writable=!0),a=n.slice().reverse().reduce((function(n,r){return r(e,t,n)||n}),a),o&&void 0!==a.initializer&&(a.value=a.initializer?a.initializer.call(o):void 0,a.initializer=undefined),void 0===a.initializer&&(Object.defineProperty(e,t,a),a=null),a}var f=(l((r=function(e){function t(e){!function(e,t){if(!(e instanceof t))throw new TypeError("Cannot call a class as a function")}(this,t);var n=function(e,t){if(!e)throw new ReferenceError("this hasn't been initialised - super() hasn't been called");return!t||"object"!=typeof t&&"function"!=typeof t?e:t}(this,(t.__proto__||Object.getPrototypeOf(t)).call(this,e));return n.node=null,n}return function(e,t){if("function"!=typeof t&&null!==t)throw new TypeError("Super expression must either be null or a function, not "+typeof t);e.prototype=Object.create(t&&t.prototype,{constructor:{value:e,enumerable:!1,writable:!0,configurable:!0}}),t&&(Object.setPrototypeOf?Object.setPrototypeOf(e,t):e.__proto__=t)}(t,e),o(t,null,[{key:"propTypes",get:function(){return{ariaLabelledby:i["default"].string,ariaControls:i["default"].string,classNames:i["default"].objectOf(i["default"].string).isRequired,formatLabel:i["default"].func,maxValue:i["default"].number,minValue:i["default"].number,onSliderDrag:i["default"].func.isRequired,onSliderKeyDown:i["default"].func.isRequired,percentage:i["default"].number.isRequired,type:i["default"].string.isRequired,value:i["default"].number.isRequired}}}]),o(t,[{key:"componentWillUnmount",value:function(){this.removeDocumentMouseMoveListener(),this.removeDocumentMouseUpListener(),this.removeDocumentTouchEndListener(),this.removeDocumentTouchMoveListener()}},{key:"getStyle",value:function(){return{position:"absolute",left:100*(this.props.percentage||0)+"%"}}},{key:"addDocumentMouseMoveListener",value:function(){this.removeDocumentMouseMoveListener(),this.node.ownerDocument.addEventListener("mousemove",this.handleMouseMove)}},{key:"addDocumentMouseUpListener",value:function(){this.removeDocumentMouseUpListener(),this.node.ownerDocument.addEventListener("mouseup",this.handleMouseUp)}},{key:"addDocumentTouchMoveListener",value:function(){this.removeDocumentTouchMoveListener(),this.node.ownerDocument.addEventListener("touchmove",this.handleTouchMove)}},{key:"addDocumentTouchEndListener",value:function(){this.removeDocumentTouchEndListener(),this.node.ownerDocument.addEventListener("touchend",this.handleTouchEnd)}},{key:"removeDocumentMouseMoveListener",value:function(){this.node.ownerDocument.removeEventListener("mousemove",this.handleMouseMove)}},{key:"removeDocumentMouseUpListener",value:function(){this.node.ownerDocument.removeEventListener("mouseup",this.handleMouseUp)}},{key:"removeDocumentTouchMoveListener",value:function(){this.node.ownerDocument.removeEventListener("touchmove",this.handleTouchMove)}},{key:"removeDocumentTouchEndListener",value:function(){this.node.ownerDocument.removeEventListener("touchend",this.handleTouchEnd)}},{key:"handleMouseDown",value:function(){this.addDocumentMouseMoveListener(),this.addDocumentMouseUpListener()}},{key:"handleMouseUp",value:function(){this.removeDocumentMouseMoveListener(),this.removeDocumentMouseUpListener()}},{key:"handleMouseMove",value:function(e){this.props.onSliderDrag(e,this.props.type)}},{key:"handleTouchStart",value:function(){this.addDocumentTouchEndListener(),this.addDocumentTouchMoveListener()}},{key:"handleTouchMove",value:function(e){this.props.onSliderDrag(e,this.props.type)}},{key:"handleTouchEnd",value:function(){this.removeDocumentTouchMoveListener(),this.removeDocumentTouchEndListener()}},{key:"handleKeyDown",value:function(e){this.props.onSliderKeyDown(e,this.props.type)}},{key:"render",value:function(){var e=this,t=this.getStyle();return a["default"].createElement("span",{className:this.props.classNames.sliderContainer,ref:function(t){e.node=t},style:t},a["default"].createElement(u["default"],{classNames:this.props.classNames,formatLabel:this.props.formatLabel,type:"value"},this.props.value),a["default"].createElement("div",{"aria-labelledby":this.props.ariaLabelledby,"aria-controls":this.props.ariaControls,"aria-valuemax":this.props.maxValue,"aria-valuemin":this.props.minValue,"aria-valuenow":this.props.value,className:this.props.classNames.slider,draggable:"false",onKeyDown:this.handleKeyDown,onMouseDown:this.handleMouseDown,onTouchStart:this.handleTouchStart,role:"slider",tabIndex:"0"}))}}]),t}(a["default"].Component)).prototype,"handleMouseDown",[s["default"]],Object.getOwnPropertyDescriptor(r.prototype,"handleMouseDown"),r.prototype),l(r.prototype,"handleMouseUp",[s["default"]],Object.getOwnPropertyDescriptor(r.prototype,"handleMouseUp"),r.prototype),l(r.prototype,"handleMouseMove",[s["default"]],Object.getOwnPropertyDescriptor(r.prototype,"handleMouseMove"),r.prototype),l(r.prototype,"handleTouchStart",[s["default"]],Object.getOwnPropertyDescriptor(r.prototype,"handleTouchStart"),r.prototype),l(r.prototype,"handleTouchMove",[s["default"]],Object.getOwnPropertyDescriptor(r.prototype,"handleTouchMove"),r.prototype),l(r.prototype,"handleTouchEnd",[s["default"]],Object.getOwnPropertyDescriptor(r.prototype,"handleTouchEnd"),r.prototype),l(r.prototype,"handleKeyDown",[s["default"]],Object.getOwnPropertyDescriptor(r.prototype,"handleKeyDown"),r.prototype),r);t["default"]=f,e.exports=t["default"]},752:function(e,t,n){"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t["default"]=undefined;var r,o=function(){function e(e,t){for(var n=0;n<t.length;n++){var r=t[n];r.enumerable=r.enumerable||!1,r.configurable=!0,"value"in r&&(r.writable=!0),Object.defineProperty(e,r.key,r)}}return function(t,n,r){return n&&e(t.prototype,n),r&&e(t,r),t}}(),a=u(n(363)),i=u(n(697)),s=u(n(521));function u(e){return e&&e.__esModule?e:{"default":e}}function c(e,t,n,r,o){var a={};return Object.keys(r).forEach((function(e){a[e]=r[e]})),a.enumerable=!!a.enumerable,a.configurable=!!a.configurable,("value"in a||a.initializer)&&(a.writable=!0),a=n.slice().reverse().reduce((function(n,r){return r(e,t,n)||n}),a),o&&void 0!==a.initializer&&(a.value=a.initializer?a.initializer.call(o):void 0,a.initializer=undefined),void 0===a.initializer&&(Object.defineProperty(e,t,a),a=null),a}var l=(c((r=function(e){function t(e){!function(e,t){if(!(e instanceof t))throw new TypeError("Cannot call a class as a function")}(this,t);var n=function(e,t){if(!e)throw new ReferenceError("this hasn't been initialised - super() hasn't been called");return!t||"object"!=typeof t&&"function"!=typeof t?e:t}(this,(t.__proto__||Object.getPrototypeOf(t)).call(this,e));return n.node=null,n.trackDragEvent=null,n}return function(e,t){if("function"!=typeof t&&null!==t)throw new TypeError("Super expression must either be null or a function, not "+typeof t);e.prototype=Object.create(t&&t.prototype,{constructor:{value:e,enumerable:!1,writable:!0,configurable:!0}}),t&&(Object.setPrototypeOf?Object.setPrototypeOf(e,t):e.__proto__=t)}(t,e),o(t,null,[{key:"propTypes",get:function(){return{children:i["default"].node.isRequired,classNames:i["default"].objectOf(i["default"].string).isRequired,draggableTrack:i["default"].bool,onTrackDrag:i["default"].func,onTrackMouseDown:i["default"].func.isRequired,percentages:i["default"].objectOf(i["default"].number).isRequired}}}]),o(t,[{key:"getClientRect",value:function(){return this.node.getBoundingClientRect()}},{key:"getActiveTrackStyle",value:function(){var e=100*(this.props.percentages.max-this.props.percentages.min)+"%";return{left:100*this.props.percentages.min+"%",width:e}}},{key:"addDocumentMouseMoveListener",value:function(){this.removeDocumentMouseMoveListener(),this.node.ownerDocument.addEventListener("mousemove",this.handleMouseMove)}},{key:"addDocumentMouseUpListener",value:function(){this.removeDocumentMouseUpListener(),this.node.ownerDocument.addEventListener("mouseup",this.handleMouseUp)}},{key:"removeDocumentMouseMoveListener",value:function(){this.node.ownerDocument.removeEventListener("mousemove",this.handleMouseMove)}},{key:"removeDocumentMouseUpListener",value:function(){this.node.ownerDocument.removeEventListener("mouseup",this.handleMouseUp)}},{key:"handleMouseMove",value:function(e){this.props.draggableTrack&&(null!==this.trackDragEvent&&this.props.onTrackDrag(e,this.trackDragEvent),this.trackDragEvent=e)}},{key:"handleMouseUp",value:function(){this.props.draggableTrack&&(this.removeDocumentMouseMoveListener(),this.removeDocumentMouseUpListener(),this.trackDragEvent=null)}},{key:"handleMouseDown",value:function(e){var t={x:(e.touches?e.touches[0].clientX:e.clientX)-this.getClientRect().left,y:0};this.props.onTrackMouseDown(e,t),this.props.draggableTrack&&(this.addDocumentMouseMoveListener(),this.addDocumentMouseUpListener())}},{key:"handleTouchStart",value:function(e){e.preventDefault(),this.handleMouseDown(e)}},{key:"render",value:function(){var e=this,t=this.getActiveTrackStyle();return a["default"].createElement("div",{className:this.props.classNames.track,onMouseDown:this.handleMouseDown,onTouchStart:this.handleTouchStart,ref:function(t){e.node=t}},a["default"].createElement("div",{style:t,className:this.props.classNames.activeTrack}),this.props.children)}}]),t}(a["default"].Component)).prototype,"handleMouseMove",[s["default"]],Object.getOwnPropertyDescriptor(r.prototype,"handleMouseMove"),r.prototype),c(r.prototype,"handleMouseUp",[s["default"]],Object.getOwnPropertyDescriptor(r.prototype,"handleMouseUp"),r.prototype),c(r.prototype,"handleMouseDown",[s["default"]],Object.getOwnPropertyDescriptor(r.prototype,"handleMouseDown"),r.prototype),c(r.prototype,"handleTouchStart",[s["default"]],Object.getOwnPropertyDescriptor(r.prototype,"handleTouchStart"),r.prototype),r);t["default"]=l,e.exports=t["default"]},97:function(e,t,n){"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t["default"]=function(e,t){var n=e.maxValue,o=e.minValue,a=e[t];if(!((0,r.isNumber)(a)||(0,r.isObject)(a)&&(0,r.isNumber)(a.min)&&(0,r.isNumber)(a.max)))return new Error('"'+t+'" must be a number or a range object');if((0,r.isNumber)(a)&&(a<o||a>n))return new Error('"'+t+'" must be in between "minValue" and "maxValue"');if((0,r.isObject)(a)&&(a.min<o||a.min>n||a.max<o||a.max>n))return new Error('"'+t+'" must be in between "minValue" and "maxValue"')};var r=n(302);e.exports=t["default"]},232:function(e,t,n){"use strict";Object.defineProperty(t,"__esModule",{value:!0});var r=Object.assign||function(e){for(var t=1;t<arguments.length;t++){var n=arguments[t];for(var r in n)Object.prototype.hasOwnProperty.call(n,r)&&(e[r]=n[r])}return e};t.getPercentageFromPosition=a,t.getValueFromPosition=function(e,t,n,r){var o=a(e,r);return t+(n-t)*o},t.getValueFromProps=function(e,t){if(t)return r({},e.value);return{min:e.minValue,max:e.value}},t.getPercentageFromValue=i,t.getPercentagesFromValues=function(e,t,n){return{min:i(e.min,t,n),max:i(e.max,t,n)}},t.getPositionFromValue=s,t.getPositionsFromValues=function(e,t,n,r){return{min:s(e.min,t,n,r),max:s(e.max,t,n,r)}},t.getPositionFromEvent=function(e,t){var n=t.width,r=(e.touches?e.touches[0]:e).clientX;return{x:(0,o.clamp)(r-t.left,0,n),y:0}},t.getStepValueFromValue=function(e,t){return Math.round(e/t)*t};var o=n(302);function a(e,t){var n=t.width;return e.x/n||0}function i(e,t,n){return((0,o.clamp)(e,t,n)-t)/(n-t)||0}function s(e,t,n,r){var o=r.width;return{x:i(e,t,n)*o,y:0}}},939:function(e,t){"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t["default"]=function(e){return e.charAt(0).toUpperCase()+e.slice(1)},e.exports=t["default"]},426:function(e,t){"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t["default"]=function(e,t,n){return Math.min(Math.max(e,t),n)},e.exports=t["default"]},588:function(e,t){"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t["default"]=function(e,t){var n=Math.pow(t.x-e.x,2),r=Math.pow(t.y-e.y,2);return Math.sqrt(n+r)},e.exports=t["default"]},302:function(e,t,n){"use strict";Object.defineProperty(t,"__esModule",{value:!0});var r=n(939);Object.defineProperty(t,"captialize",{enumerable:!0,get:function(){return l(r)["default"]}});var o=n(426);Object.defineProperty(t,"clamp",{enumerable:!0,get:function(){return l(o)["default"]}});var a=n(588);Object.defineProperty(t,"distanceTo",{enumerable:!0,get:function(){return l(a)["default"]}});var i=n(330);Object.defineProperty(t,"isDefined",{enumerable:!0,get:function(){return l(i)["default"]}});var s=n(49);Object.defineProperty(t,"isNumber",{enumerable:!0,get:function(){return l(s)["default"]}});var u=n(344);Object.defineProperty(t,"isObject",{enumerable:!0,get:function(){return l(u)["default"]}});var c=n(359);function l(e){return e&&e.__esModule?e:{"default":e}}Object.defineProperty(t,"length",{enumerable:!0,get:function(){return l(c)["default"]}})},330:function(e,t){"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t["default"]=function(e){return e!==undefined&&null!==e},e.exports=t["default"]},49:function(e,t){"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t["default"]=function(e){return"number"==typeof e},e.exports=t["default"]},344:function(e,t){"use strict";Object.defineProperty(t,"__esModule",{value:!0});var n="function"==typeof Symbol&&"symbol"==typeof Symbol.iterator?function(e){return typeof e}:function(e){return e&&"function"==typeof Symbol&&e.constructor===Symbol&&e!==Symbol.prototype?"symbol":typeof e};t["default"]=function(e){return null!==e&&"object"===(void 0===e?"undefined":n(e))},e.exports=t["default"]},359:function(e,t){"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t["default"]=function(e,t){return Math.abs(e-t)},e.exports=t["default"]},555:function(e,t,n){e.exports=function(e){var t={};function n(r){if(t[r])return t[r].exports;var o=t[r]={i:r,l:!1,exports:{}};return e[r].call(o.exports,o,o.exports,n),o.l=!0,o.exports}return n.m=e,n.c=t,n.d=function(e,t,r){n.o(e,t)||Object.defineProperty(e,t,{enumerable:!0,get:r})},n.r=function(e){"undefined"!=typeof Symbol&&Symbol.toStringTag&&Object.defineProperty(e,Symbol.toStringTag,{value:"Module"}),Object.defineProperty(e,"__esModule",{value:!0})},n.t=function(e,t){if(1&t&&(e=n(e)),8&t)return e;if(4&t&&"object"==typeof e&&e&&e.__esModule)return e;var r=Object.create(null);if(n.r(r),Object.defineProperty(r,"default",{enumerable:!0,value:e}),2&t&&"string"!=typeof e)for(var o in e)n.d(r,o,function(t){return e[t]}.bind(null,o));return r},n.n=function(e){var t=e&&e.__esModule?function(){return e["default"]}:function(){return e};return n.d(t,"a",t),t},n.o=function(e,t){return Object.prototype.hasOwnProperty.call(e,t)},n.p="",n(n.s=9)}([function(e,t){e.exports=n(363)},function(e,t,n){var r;
     7 */var t=function(){var e={tolerance:0,duration:800,easing:"easeOutQuart",container:window,callback:function(){}};function t(e,t,n,r){return e/=r,-n*(--e*e*e*e-1)+t}function n(e,t){var n={};return Object.keys(e).forEach((function(t){n[t]=e[t]})),Object.keys(t).forEach((function(e){n[e]=t[e]})),n}function r(e){return e instanceof HTMLElement?e.scrollTop:e.pageYOffset}function o(){var r=arguments.length>0&&arguments[0]!==undefined?arguments[0]:{},o=arguments.length>1&&arguments[1]!==undefined?arguments[1]:{};this.options=n(e,r),this.easeFunctions=n({easeOutQuart:t},o)}return o.prototype.registerTrigger=function(e,t){var r=this;if(e){var o=e.getAttribute("href")||e.getAttribute("data-target"),a=o&&"#"!==o?document.getElementById(o.substring(1)):document.body,i=n(this.options,function(e,t){var n={};return Object.keys(t).forEach((function(t){var r=e.getAttribute("data-mt-".concat(t.replace(/([A-Z])/g,(function(e){return"-"+e.toLowerCase()}))));r&&(n[t]=isNaN(r)?r:parseInt(r,10))})),n}(e,this.options));"function"==typeof t&&(i.callback=t);var s=function(e){e.preventDefault(),r.move(a,i)};return e.addEventListener("click",s,!1),function(){return e.removeEventListener("click",s,!1)}}},o.prototype.move=function(e){var t=this,o=arguments.length>1&&arguments[1]!==undefined?arguments[1]:{};if(0===e||e){o=n(this.options,o);var a,i="number"==typeof e?e:e.getBoundingClientRect().top,s=r(o.container),u=null;i-=o.tolerance;var c=function l(n){var c=r(t.options.container);u||(u=n-1);var f=n-u;if(a&&(i>0&&a>c||i<0&&a<c))return o.callback(e);a=c;var d=t.easeFunctions[o.easing](f,s,i,o.duration);o.container.scroll(0,d),f<o.duration?window.requestAnimationFrame(l):(o.container.scroll(0,i+s),o.callback(e))};window.requestAnimationFrame(c)}},o.prototype.addEaseFunction=function(e,t){this.easeFunctions[e]=t},o}();e.exports=t},703:function(e,t,n){"use strict";var r=n(414);function o(){}function a(){}a.resetWarningCache=o,e.exports=function(){function e(e,t,n,o,a,i){if(i!==r){var s=new Error("Calling PropTypes validators directly is not supported by the `prop-types` package. Use PropTypes.checkPropTypes() to call them. Read more at http://fb.me/use-check-prop-types");throw s.name="Invariant Violation",s}}function t(){return e}e.isRequired=e;var n={array:e,bigint:e,bool:e,func:e,number:e,object:e,string:e,symbol:e,any:e,arrayOf:t,element:e,elementType:e,instanceOf:t,node:e,objectOf:t,oneOf:t,oneOfType:t,shape:t,exact:t,checkPropTypes:a,resetWarningCache:o};return n.PropTypes=n,n}},697:function(e,t,n){e.exports=n(703)()},414:function(e){"use strict";e.exports="SECRET_DO_NOT_PASS_THIS_OR_YOU_WILL_BE_FIRED"},953:function(e,t,n){"use strict";function r(e){return(r="function"==typeof Symbol&&"symbol"==typeof Symbol.iterator?function(e){return typeof e}:function(e){return e&&"function"==typeof Symbol&&e.constructor===Symbol&&e!==Symbol.prototype?"symbol":typeof e})(e)}t.Z=void 0;var o=function(e){if(e&&e.__esModule)return e;if(null===e||"object"!==r(e)&&"function"!=typeof e)return{"default":e};var t=u();if(t&&t.has(e))return t.get(e);var n={},o=Object.defineProperty&&Object.getOwnPropertyDescriptor;for(var a in e)if(Object.prototype.hasOwnProperty.call(e,a)){var i=o?Object.getOwnPropertyDescriptor(e,a):null;i&&(i.get||i.set)?Object.defineProperty(n,a,i):n[a]=e[a]}n["default"]=e,t&&t.set(e,n);return n}(n(363)),a=s(n(697)),i=s(n(527));function s(e){return e&&e.__esModule?e:{"default":e}}function u(){if("function"!=typeof WeakMap)return null;var e=new WeakMap;return u=function(){return e},e}function c(e){return function(e){if(Array.isArray(e))return l(e)}(e)||function(e){if("undefined"!=typeof Symbol&&Symbol.iterator in Object(e))return Array.from(e)}(e)||function(e,t){if(!e)return;if("string"==typeof e)return l(e,t);var n=Object.prototype.toString.call(e).slice(8,-1);"Object"===n&&e.constructor&&(n=e.constructor.name);if("Map"===n||"Set"===n)return Array.from(e);if("Arguments"===n||/^(?:Ui|I)nt(?:8|16|32)(?:Clamped)?Array$/.test(n))return l(e,t)}(e)||function(){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 l(e,t){(null==t||t>e.length)&&(t=e.length);for(var n=0,r=new Array(t);n<t;n++)r[n]=e[n];return r}function f(){return(f=Object.assign||function(e){for(var t=1;t<arguments.length;t++){var n=arguments[t];for(var r in n)Object.prototype.hasOwnProperty.call(n,r)&&(e[r]=n[r])}return e}).apply(this,arguments)}function d(e,t){if(null==e)return{};var n,r,o=function(e,t){if(null==e)return{};var n,r,o={},a=Object.keys(e);for(r=0;r<a.length;r++)n=a[r],t.indexOf(n)>=0||(o[n]=e[n]);return o}(e,t);if(Object.getOwnPropertySymbols){var a=Object.getOwnPropertySymbols(e);for(r=0;r<a.length;r++)n=a[r],t.indexOf(n)>=0||Object.prototype.propertyIsEnumerable.call(e,n)&&(o[n]=e[n])}return o}function p(e,t){var n=Object.keys(e);if(Object.getOwnPropertySymbols){var r=Object.getOwnPropertySymbols(e);t&&(r=r.filter((function(t){return Object.getOwnPropertyDescriptor(e,t).enumerable}))),n.push.apply(n,r)}return n}function h(e){for(var t=1;t<arguments.length;t++){var n=null!=arguments[t]?arguments[t]:{};t%2?p(Object(n),!0).forEach((function(t){O(e,t,n[t])})):Object.getOwnPropertyDescriptors?Object.defineProperties(e,Object.getOwnPropertyDescriptors(n)):p(Object(n)).forEach((function(t){Object.defineProperty(e,t,Object.getOwnPropertyDescriptor(n,t))}))}return e}function m(e,t){if(!(e instanceof t))throw new TypeError("Cannot call a class as a function")}function g(e,t){for(var n=0;n<t.length;n++){var r=t[n];r.enumerable=r.enumerable||!1,r.configurable=!0,"value"in r&&(r.writable=!0),Object.defineProperty(e,r.key,r)}}function v(e,t){return(v=Object.setPrototypeOf||function(e,t){return e.__proto__=t,e})(e,t)}function y(e){var t=function(){if("undefined"==typeof Reflect||!Reflect.construct)return!1;if(Reflect.construct.sham)return!1;if("function"==typeof Proxy)return!0;try{return Boolean.prototype.valueOf.call(Reflect.construct(Boolean,[],(function(){}))),!0}catch(e){return!1}}();return function(){var n,r=C(e);if(t){var o=C(this).constructor;n=Reflect.construct(r,arguments,o)}else n=r.apply(this,arguments);return b(this,n)}}function b(e,t){return!t||"object"!==r(t)&&"function"!=typeof t?w(e):t}function w(e){if(void 0===e)throw new ReferenceError("this hasn't been initialised - super() hasn't been called");return e}function C(e){return(C=Object.setPrototypeOf?Object.getPrototypeOf:function(e){return e.__proto__||Object.getPrototypeOf(e)})(e)}function O(e,t,n){return t in e?Object.defineProperty(e,t,{value:n,enumerable:!0,configurable:!0,writable:!0}):e[t]=n,e}var x=["onChange","onOpen","onClose","onMonthChange","onYearChange","onReady","onValueUpdate","onDayCreate"],k=a["default"].oneOfType([a["default"].func,a["default"].arrayOf(a["default"].func)]),D=["onCreate","onDestroy"],S=a["default"].func,E=function(e){!function(e,t){if("function"!=typeof t&&null!==t)throw new TypeError("Super expression must either be null or a function");e.prototype=Object.create(t&&t.prototype,{constructor:{value:e,writable:!0,configurable:!0}}),t&&v(e,t)}(s,e);var t,n,r,a=y(s);function s(){var e;m(this,s);for(var t=arguments.length,n=new Array(t),r=0;r<t;r++)n[r]=arguments[r];return O(w(e=a.call.apply(a,[this].concat(n))),"createFlatpickrInstance",(function(){var t=h({onClose:function(){e.node.blur&&e.node.blur()}},e.props.options);t=M(t,e.props),e.flatpickr=(0,i["default"])(e.node,t),e.props.hasOwnProperty("value")&&e.flatpickr.setDate(e.props.value,!1);var n=e.props.onCreate;n&&n(e.flatpickr)})),O(w(e),"destroyFlatpickrInstance",(function(){var t=e.props.onDestroy;t&&t(e.flatpickr),e.flatpickr.destroy(),e.flatpickr=null})),O(w(e),"handleNodeChange",(function(t){e.node=t,e.flatpickr&&(e.destroyFlatpickrInstance(),e.createFlatpickrInstance())})),e}return t=s,(n=[{key:"componentDidUpdate",value:function(e){var t=this.props.options,n=e.options;t=M(t,this.props),n=M(n,e);for(var r=Object.getOwnPropertyNames(t),o=r.length-1;o>=0;o--){var a=r[o],i=t[a];i!==n[a]&&(-1===x.indexOf(a)||Array.isArray(i)||(i=[i]),this.flatpickr.set(a,i))}!this.props.hasOwnProperty("value")||this.props.value&&Array.isArray(this.props.value)&&e.value&&Array.isArray(e.value)&&this.props.value.every((function(t,n){e[n]}))||this.props.value===e.value||this.flatpickr.setDate(this.props.value,!1)}},{key:"componentDidMount",value:function(){this.createFlatpickrInstance()}},{key:"componentWillUnmount",value:function(){this.destroyFlatpickrInstance()}},{key:"render",value:function(){var e=this.props,t=e.options,n=e.defaultValue,r=e.value,a=e.children,i=e.render,s=d(e,["options","defaultValue","value","children","render"]);return x.forEach((function(e){delete s[e]})),D.forEach((function(e){delete s[e]})),i?i(h(h({},s),{},{defaultValue:n,value:r}),this.handleNodeChange):t.wrap?o["default"].createElement("div",f({},s,{ref:this.handleNodeChange}),a):o["default"].createElement("input",f({},s,{defaultValue:n,ref:this.handleNodeChange}))}}])&&g(t.prototype,n),r&&g(t,r),s}(o.Component);function M(e,t){var n=h({},e);return x.forEach((function(e){if(t.hasOwnProperty(e)){var r;n[e]&&!Array.isArray(n[e])?n[e]=[n[e]]:n[e]||(n[e]=[]);var o=Array.isArray(t[e])?t[e]:[t[e]];(r=n[e]).push.apply(r,c(o))}})),n}O(E,"propTypes",{defaultValue:a["default"].string,options:a["default"].object,onChange:k,onOpen:k,onClose:k,onMonthChange:k,onYearChange:k,onReady:k,onValueUpdate:k,onDayCreate:k,onCreate:S,onDestroy:S,value:a["default"].oneOfType([a["default"].string,a["default"].array,a["default"].object,a["default"].number]),children:a["default"].node,className:a["default"].string,render:a["default"].func}),O(E,"defaultProps",{options:{}});var _=E;t.Z=_},639:function(e,t,n){"use strict";var r=Object.assign||function(e){for(var t=1;t<arguments.length;t++){var n=arguments[t];for(var r in n)Object.prototype.hasOwnProperty.call(n,r)&&(e[r]=n[r])}return e},o=function(){function e(e,t){for(var n=0;n<t.length;n++){var r=t[n];r.enumerable=r.enumerable||!1,r.configurable=!0,"value"in r&&(r.writable=!0),Object.defineProperty(e,r.key,r)}}return function(t,n,r){return n&&e(t.prototype,n),r&&e(t,r),t}}(),a=n(363),i=u(a),s=u(n(697));function u(e){return e&&e.__esModule?e:{"default":e}}var c={position:"absolute",top:0,left:0,visibility:"hidden",height:0,overflow:"scroll",whiteSpace:"pre"},l=["extraWidth","injectStyles","inputClassName","inputRef","inputStyle","minWidth","onAutosize","placeholderIsMinWidth"],f=function(e,t){t.style.fontSize=e.fontSize,t.style.fontFamily=e.fontFamily,t.style.fontWeight=e.fontWeight,t.style.fontStyle=e.fontStyle,t.style.letterSpacing=e.letterSpacing,t.style.textTransform=e.textTransform},d=!("undefined"==typeof window||!window.navigator)&&/MSIE |Trident\/|Edge\//.test(window.navigator.userAgent),p=function(){return d?"_"+Math.random().toString(36).substr(2,12):undefined},h=function(e){function t(e){!function(e,t){if(!(e instanceof t))throw new TypeError("Cannot call a class as a function")}(this,t);var n=function(e,t){if(!e)throw new ReferenceError("this hasn't been initialised - super() hasn't been called");return!t||"object"!=typeof t&&"function"!=typeof t?e:t}(this,(t.__proto__||Object.getPrototypeOf(t)).call(this,e));return n.inputRef=function(e){n.input=e,"function"==typeof n.props.inputRef&&n.props.inputRef(e)},n.placeHolderSizerRef=function(e){n.placeHolderSizer=e},n.sizerRef=function(e){n.sizer=e},n.state={inputWidth:e.minWidth,inputId:e.id||p(),prevId:e.id},n}return function(e,t){if("function"!=typeof t&&null!==t)throw new TypeError("Super expression must either be null or a function, not "+typeof t);e.prototype=Object.create(t&&t.prototype,{constructor:{value:e,enumerable:!1,writable:!0,configurable:!0}}),t&&(Object.setPrototypeOf?Object.setPrototypeOf(e,t):e.__proto__=t)}(t,e),o(t,null,[{key:"getDerivedStateFromProps",value:function(e,t){var n=e.id;return n!==t.prevId?{inputId:n||p(),prevId:n}:null}}]),o(t,[{key:"componentDidMount",value:function(){this.mounted=!0,this.copyInputStyles(),this.updateInputWidth()}},{key:"componentDidUpdate",value:function(e,t){t.inputWidth!==this.state.inputWidth&&"function"==typeof this.props.onAutosize&&this.props.onAutosize(this.state.inputWidth),this.updateInputWidth()}},{key:"componentWillUnmount",value:function(){this.mounted=!1}},{key:"copyInputStyles",value:function(){if(this.mounted&&window.getComputedStyle){var e=this.input&&window.getComputedStyle(this.input);e&&(f(e,this.sizer),this.placeHolderSizer&&f(e,this.placeHolderSizer))}}},{key:"updateInputWidth",value:function(){if(this.mounted&&this.sizer&&"undefined"!=typeof this.sizer.scrollWidth){var e=void 0;e=this.props.placeholder&&(!this.props.value||this.props.value&&this.props.placeholderIsMinWidth)?Math.max(this.sizer.scrollWidth,this.placeHolderSizer.scrollWidth)+2:this.sizer.scrollWidth+2,(e+="number"===this.props.type&&this.props.extraWidth===undefined?16:parseInt(this.props.extraWidth)||0)<this.props.minWidth&&(e=this.props.minWidth),e!==this.state.inputWidth&&this.setState({inputWidth:e})}}},{key:"getInput",value:function(){return this.input}},{key:"focus",value:function(){this.input.focus()}},{key:"blur",value:function(){this.input.blur()}},{key:"select",value:function(){this.input.select()}},{key:"renderStyles",value:function(){var e=this.props.injectStyles;return d&&e?i["default"].createElement("style",{dangerouslySetInnerHTML:{__html:"input#"+this.state.inputId+"::-ms-clear {display: none;}"}}):null}},{key:"render",value:function(){var e=[this.props.defaultValue,this.props.value,""].reduce((function(e,t){return null!==e&&e!==undefined?e:t})),t=r({},this.props.style);t.display||(t.display="inline-block");var n=r({boxSizing:"content-box",width:this.state.inputWidth+"px"},this.props.inputStyle),o=function(e,t){var n={};for(var r in e)t.indexOf(r)>=0||Object.prototype.hasOwnProperty.call(e,r)&&(n[r]=e[r]);return n}(this.props,[]);return function(e){l.forEach((function(t){return delete e[t]}))}(o),o.className=this.props.inputClassName,o.id=this.state.inputId,o.style=n,i["default"].createElement("div",{className:this.props.className,style:t},this.renderStyles(),i["default"].createElement("input",r({},o,{ref:this.inputRef})),i["default"].createElement("div",{ref:this.sizerRef,style:c},e),this.props.placeholder?i["default"].createElement("div",{ref:this.placeHolderSizerRef,style:c},this.props.placeholder):null)}}]),t}(a.Component);h.propTypes={className:s["default"].string,defaultValue:s["default"].any,extraWidth:s["default"].oneOfType([s["default"].number,s["default"].string]),id:s["default"].string,injectStyles:s["default"].bool,inputClassName:s["default"].string,inputRef:s["default"].func,inputStyle:s["default"].object,minWidth:s["default"].oneOfType([s["default"].number,s["default"].string]),onAutosize:s["default"].func,onChange:s["default"].func,placeholder:s["default"].string,placeholderIsMinWidth:s["default"].bool,style:s["default"].object,value:s["default"].any},h.defaultProps={minWidth:1,injectStyles:!0},t.Z=h},322:function(e,t,n){"use strict";Object.defineProperty(t,"__esModule",{value:!0});var r,o=n(288),a=(r=o)&&r.__esModule?r:{"default":r};t["default"]=a["default"],e.exports=t["default"]},203:function(e,t){"use strict";Object.defineProperty(t,"__esModule",{value:!0});t["default"]={activeTrack:"input-range__track input-range__track--active",disabledInputRange:"input-range input-range--disabled",inputRange:"input-range",labelContainer:"input-range__label-container",maxLabel:"input-range__label input-range__label--max",minLabel:"input-range__label input-range__label--min",slider:"input-range__slider",sliderContainer:"input-range__slider-container",track:"input-range__track input-range__track--background",valueLabel:"input-range__label input-range__label--value"},e.exports=t["default"]},288:function(e,t,n){"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t["default"]=undefined;var r,o=function(){function e(e,t){for(var n=0;n<t.length;n++){var r=t[n];r.enumerable=r.enumerable||!1,r.configurable=!0,"value"in r&&(r.writable=!0),Object.defineProperty(e,r.key,r)}}return function(t,n,r){return n&&e(t.prototype,n),r&&e(t,r),t}}(),a=v(n(363)),i=v(n(697)),s=v(n(521)),u=function(e){if(e&&e.__esModule)return e;var t={};if(null!=e)for(var n in e)Object.prototype.hasOwnProperty.call(e,n)&&(t[n]=e[n]);return t["default"]=e,t}(n(232)),c=v(n(203)),l=v(n(191)),f=v(n(807)),d=v(n(97)),p=v(n(737)),h=v(n(752)),m=n(302),g=n(878);function v(e){return e&&e.__esModule?e:{"default":e}}function y(e,t,n,r,o){var a={};return Object.keys(r).forEach((function(e){a[e]=r[e]})),a.enumerable=!!a.enumerable,a.configurable=!!a.configurable,("value"in a||a.initializer)&&(a.writable=!0),a=n.slice().reverse().reduce((function(n,r){return r(e,t,n)||n}),a),o&&void 0!==a.initializer&&(a.value=a.initializer?a.initializer.call(o):void 0,a.initializer=undefined),void 0===a.initializer&&(Object.defineProperty(e,t,a),a=null),a}var b=(y((r=function(e){function t(e){!function(e,t){if(!(e instanceof t))throw new TypeError("Cannot call a class as a function")}(this,t);var n=function(e,t){if(!e)throw new ReferenceError("this hasn't been initialised - super() hasn't been called");return!t||"object"!=typeof t&&"function"!=typeof t?e:t}(this,(t.__proto__||Object.getPrototypeOf(t)).call(this,e));return n.startValue=null,n.node=null,n.trackNode=null,n.isSliderDragging=!1,n.lastKeyMoved=null,n}return function(e,t){if("function"!=typeof t&&null!==t)throw new TypeError("Super expression must either be null or a function, not "+typeof t);e.prototype=Object.create(t&&t.prototype,{constructor:{value:e,enumerable:!1,writable:!0,configurable:!0}}),t&&(Object.setPrototypeOf?Object.setPrototypeOf(e,t):e.__proto__=t)}(t,e),o(t,null,[{key:"propTypes",get:function(){return{allowSameValues:i["default"].bool,ariaLabelledby:i["default"].string,ariaControls:i["default"].string,classNames:i["default"].objectOf(i["default"].string),disabled:i["default"].bool,draggableTrack:i["default"].bool,formatLabel:i["default"].func,maxValue:f["default"],minValue:f["default"],name:i["default"].string,onChangeStart:i["default"].func,onChange:i["default"].func.isRequired,onChangeComplete:i["default"].func,step:i["default"].number,value:d["default"]}}},{key:"defaultProps",get:function(){return{allowSameValues:!1,classNames:c["default"],disabled:!1,maxValue:10,minValue:0,step:1}}}]),o(t,[{key:"componentWillUnmount",value:function(){this.removeDocumentMouseUpListener(),this.removeDocumentTouchEndListener()}},{key:"getComponentClassName",value:function(){return this.props.disabled?this.props.classNames.disabledInputRange:this.props.classNames.inputRange}},{key:"getTrackClientRect",value:function(){return this.trackNode.getClientRect()}},{key:"getKeyByPosition",value:function(e){var t=u.getValueFromProps(this.props,this.isMultiValue()),n=u.getPositionsFromValues(t,this.props.minValue,this.props.maxValue,this.getTrackClientRect());if(this.isMultiValue()&&(0,m.distanceTo)(e,n.min)<(0,m.distanceTo)(e,n.max))return"min";return"max"}},{key:"getKeys",value:function(){return this.isMultiValue()?["min","max"]:["max"]}},{key:"hasStepDifference",value:function(e){var t=u.getValueFromProps(this.props,this.isMultiValue());return(0,m.length)(e.min,t.min)>=this.props.step||(0,m.length)(e.max,t.max)>=this.props.step}},{key:"isMultiValue",value:function(){return(0,m.isObject)(this.props.value)}},{key:"isWithinRange",value:function(e){return this.isMultiValue()?e.min>=this.props.minValue&&e.max<=this.props.maxValue&&this.props.allowSameValues?e.min<=e.max:e.min<e.max:e.max>=this.props.minValue&&e.max<=this.props.maxValue}},{key:"shouldUpdate",value:function(e){return this.isWithinRange(e)&&this.hasStepDifference(e)}},{key:"updatePosition",value:function(e,t){var n=u.getValueFromProps(this.props,this.isMultiValue()),r=u.getPositionsFromValues(n,this.props.minValue,this.props.maxValue,this.getTrackClientRect());r[e]=t,this.lastKeyMoved=e,this.updatePositions(r)}},{key:"updatePositions",value:function(e){var t={min:u.getValueFromPosition(e.min,this.props.minValue,this.props.maxValue,this.getTrackClientRect()),max:u.getValueFromPosition(e.max,this.props.minValue,this.props.maxValue,this.getTrackClientRect())},n={min:u.getStepValueFromValue(t.min,this.props.step),max:u.getStepValueFromValue(t.max,this.props.step)};this.updateValues(n)}},{key:"updateValue",value:function(e,t){var n=u.getValueFromProps(this.props,this.isMultiValue());n[e]=t,this.updateValues(n)}},{key:"updateValues",value:function(e){this.shouldUpdate(e)&&this.props.onChange(this.isMultiValue()?e:e.max)}},{key:"incrementValue",value:function(e){var t=u.getValueFromProps(this.props,this.isMultiValue())[e]+this.props.step;this.updateValue(e,t)}},{key:"decrementValue",value:function(e){var t=u.getValueFromProps(this.props,this.isMultiValue())[e]-this.props.step;this.updateValue(e,t)}},{key:"addDocumentMouseUpListener",value:function(){this.removeDocumentMouseUpListener(),this.node.ownerDocument.addEventListener("mouseup",this.handleMouseUp)}},{key:"addDocumentTouchEndListener",value:function(){this.removeDocumentTouchEndListener(),this.node.ownerDocument.addEventListener("touchend",this.handleTouchEnd)}},{key:"removeDocumentMouseUpListener",value:function(){this.node.ownerDocument.removeEventListener("mouseup",this.handleMouseUp)}},{key:"removeDocumentTouchEndListener",value:function(){this.node.ownerDocument.removeEventListener("touchend",this.handleTouchEnd)}},{key:"handleSliderDrag",value:function(e,t){var n=this;if(!this.props.disabled){var r=u.getPositionFromEvent(e,this.getTrackClientRect());this.isSliderDragging=!0,requestAnimationFrame((function(){return n.updatePosition(t,r)}))}}},{key:"handleTrackDrag",value:function(e,t){if(!this.props.disabled&&this.props.draggableTrack&&!this.isSliderDragging){var n=this.props,r=n.maxValue,o=n.minValue,a=n.value,i=a.max,s=a.min,c=u.getPositionFromEvent(e,this.getTrackClientRect()),l=u.getValueFromPosition(c,o,r,this.getTrackClientRect()),f=u.getStepValueFromValue(l,this.props.step),d=u.getPositionFromEvent(t,this.getTrackClientRect()),p=u.getValueFromPosition(d,o,r,this.getTrackClientRect()),h=u.getStepValueFromValue(p,this.props.step)-f,m={min:s-h,max:i-h};this.updateValues(m)}}},{key:"handleSliderKeyDown",value:function(e,t){if(!this.props.disabled)switch(e.keyCode){case g.LEFT_ARROW:case g.DOWN_ARROW:e.preventDefault(),this.decrementValue(t);break;case g.RIGHT_ARROW:case g.UP_ARROW:e.preventDefault(),this.incrementValue(t)}}},{key:"handleTrackMouseDown",value:function(e,t){if(!this.props.disabled){var n=this.props,r=n.maxValue,o=n.minValue,a=n.value,i=a.max,s=a.min;e.preventDefault();var c=u.getValueFromPosition(t,o,r,this.getTrackClientRect()),l=u.getStepValueFromValue(c,this.props.step);(!this.props.draggableTrack||l>i||l<s)&&this.updatePosition(this.getKeyByPosition(t),t)}}},{key:"handleInteractionStart",value:function(){this.props.onChangeStart&&this.props.onChangeStart(this.props.value),this.props.onChangeComplete&&!(0,m.isDefined)(this.startValue)&&(this.startValue=this.props.value)}},{key:"handleInteractionEnd",value:function(){this.isSliderDragging&&(this.isSliderDragging=!1),this.props.onChangeComplete&&(0,m.isDefined)(this.startValue)&&(this.startValue!==this.props.value&&this.props.onChangeComplete(this.props.value),this.startValue=null)}},{key:"handleKeyDown",value:function(e){this.handleInteractionStart(e)}},{key:"handleKeyUp",value:function(e){this.handleInteractionEnd(e)}},{key:"handleMouseDown",value:function(e){this.handleInteractionStart(e),this.addDocumentMouseUpListener()}},{key:"handleMouseUp",value:function(e){this.handleInteractionEnd(e),this.removeDocumentMouseUpListener()}},{key:"handleTouchStart",value:function(e){this.handleInteractionStart(e),this.addDocumentTouchEndListener()}},{key:"handleTouchEnd",value:function(e){this.handleInteractionEnd(e),this.removeDocumentTouchEndListener()}},{key:"renderSliders",value:function(){var e=this,t=u.getValueFromProps(this.props,this.isMultiValue()),n=u.getPercentagesFromValues(t,this.props.minValue,this.props.maxValue);return(this.props.allowSameValues&&"min"===this.lastKeyMoved?this.getKeys().reverse():this.getKeys()).map((function(r){var o=t[r],i=n[r],s=e.props,u=s.maxValue,c=s.minValue;return"min"===r?u=t.max:c=t.min,a["default"].createElement(p["default"],{ariaLabelledby:e.props.ariaLabelledby,ariaControls:e.props.ariaControls,classNames:e.props.classNames,formatLabel:e.props.formatLabel,key:r,maxValue:u,minValue:c,onSliderDrag:e.handleSliderDrag,onSliderKeyDown:e.handleSliderKeyDown,percentage:i,type:r,value:o})}))}},{key:"renderHiddenInputs",value:function(){var e=this;if(!this.props.name)return[];var t=this.isMultiValue(),n=u.getValueFromProps(this.props,t);return this.getKeys().map((function(r){var o=n[r],i=t?""+e.props.name+(0,m.captialize)(r):e.props.name;return a["default"].createElement("input",{key:r,type:"hidden",name:i,value:o})}))}},{key:"render",value:function(){var e=this,t=this.getComponentClassName(),n=u.getValueFromProps(this.props,this.isMultiValue()),r=u.getPercentagesFromValues(n,this.props.minValue,this.props.maxValue);return a["default"].createElement("div",{"aria-disabled":this.props.disabled,ref:function(t){e.node=t},className:t,onKeyDown:this.handleKeyDown,onKeyUp:this.handleKeyUp,onMouseDown:this.handleMouseDown,onTouchStart:this.handleTouchStart},a["default"].createElement(l["default"],{classNames:this.props.classNames,formatLabel:this.props.formatLabel,type:"min"},this.props.minValue),a["default"].createElement(h["default"],{classNames:this.props.classNames,draggableTrack:this.props.draggableTrack,ref:function(t){e.trackNode=t},percentages:r,onTrackDrag:this.handleTrackDrag,onTrackMouseDown:this.handleTrackMouseDown},this.renderSliders()),a["default"].createElement(l["default"],{classNames:this.props.classNames,formatLabel:this.props.formatLabel,type:"max"},this.props.maxValue),this.renderHiddenInputs())}}]),t}(a["default"].Component)).prototype,"handleSliderDrag",[s["default"]],Object.getOwnPropertyDescriptor(r.prototype,"handleSliderDrag"),r.prototype),y(r.prototype,"handleTrackDrag",[s["default"]],Object.getOwnPropertyDescriptor(r.prototype,"handleTrackDrag"),r.prototype),y(r.prototype,"handleSliderKeyDown",[s["default"]],Object.getOwnPropertyDescriptor(r.prototype,"handleSliderKeyDown"),r.prototype),y(r.prototype,"handleTrackMouseDown",[s["default"]],Object.getOwnPropertyDescriptor(r.prototype,"handleTrackMouseDown"),r.prototype),y(r.prototype,"handleInteractionStart",[s["default"]],Object.getOwnPropertyDescriptor(r.prototype,"handleInteractionStart"),r.prototype),y(r.prototype,"handleInteractionEnd",[s["default"]],Object.getOwnPropertyDescriptor(r.prototype,"handleInteractionEnd"),r.prototype),y(r.prototype,"handleKeyDown",[s["default"]],Object.getOwnPropertyDescriptor(r.prototype,"handleKeyDown"),r.prototype),y(r.prototype,"handleKeyUp",[s["default"]],Object.getOwnPropertyDescriptor(r.prototype,"handleKeyUp"),r.prototype),y(r.prototype,"handleMouseDown",[s["default"]],Object.getOwnPropertyDescriptor(r.prototype,"handleMouseDown"),r.prototype),y(r.prototype,"handleMouseUp",[s["default"]],Object.getOwnPropertyDescriptor(r.prototype,"handleMouseUp"),r.prototype),y(r.prototype,"handleTouchStart",[s["default"]],Object.getOwnPropertyDescriptor(r.prototype,"handleTouchStart"),r.prototype),y(r.prototype,"handleTouchEnd",[s["default"]],Object.getOwnPropertyDescriptor(r.prototype,"handleTouchEnd"),r.prototype),r);t["default"]=b,e.exports=t["default"]},878:function(e,t){"use strict";Object.defineProperty(t,"__esModule",{value:!0});t.DOWN_ARROW=40,t.LEFT_ARROW=37,t.RIGHT_ARROW=39,t.UP_ARROW=38},191:function(e,t,n){"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t["default"]=i;var r=a(n(363)),o=a(n(697));function a(e){return e&&e.__esModule?e:{"default":e}}function i(e){var t=e.formatLabel?e.formatLabel(e.children,e.type):e.children;return r["default"].createElement("span",{className:e.classNames[e.type+"Label"]},r["default"].createElement("span",{className:e.classNames.labelContainer},t))}i.propTypes={children:o["default"].node.isRequired,classNames:o["default"].objectOf(o["default"].string).isRequired,formatLabel:o["default"].func,type:o["default"].string.isRequired},e.exports=t["default"]},807:function(e,t,n){"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t["default"]=function(e){var t=e.maxValue,n=e.minValue;if(!(0,r.isNumber)(n)||!(0,r.isNumber)(t))return new Error('"minValue" and "maxValue" must be a number');if(n>=t)return new Error('"minValue" must be smaller than "maxValue"')};var r=n(302);e.exports=t["default"]},737:function(e,t,n){"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t["default"]=undefined;var r,o=function(){function e(e,t){for(var n=0;n<t.length;n++){var r=t[n];r.enumerable=r.enumerable||!1,r.configurable=!0,"value"in r&&(r.writable=!0),Object.defineProperty(e,r.key,r)}}return function(t,n,r){return n&&e(t.prototype,n),r&&e(t,r),t}}(),a=c(n(363)),i=c(n(697)),s=c(n(521)),u=c(n(191));function c(e){return e&&e.__esModule?e:{"default":e}}function l(e,t,n,r,o){var a={};return Object.keys(r).forEach((function(e){a[e]=r[e]})),a.enumerable=!!a.enumerable,a.configurable=!!a.configurable,("value"in a||a.initializer)&&(a.writable=!0),a=n.slice().reverse().reduce((function(n,r){return r(e,t,n)||n}),a),o&&void 0!==a.initializer&&(a.value=a.initializer?a.initializer.call(o):void 0,a.initializer=undefined),void 0===a.initializer&&(Object.defineProperty(e,t,a),a=null),a}var f=(l((r=function(e){function t(e){!function(e,t){if(!(e instanceof t))throw new TypeError("Cannot call a class as a function")}(this,t);var n=function(e,t){if(!e)throw new ReferenceError("this hasn't been initialised - super() hasn't been called");return!t||"object"!=typeof t&&"function"!=typeof t?e:t}(this,(t.__proto__||Object.getPrototypeOf(t)).call(this,e));return n.node=null,n}return function(e,t){if("function"!=typeof t&&null!==t)throw new TypeError("Super expression must either be null or a function, not "+typeof t);e.prototype=Object.create(t&&t.prototype,{constructor:{value:e,enumerable:!1,writable:!0,configurable:!0}}),t&&(Object.setPrototypeOf?Object.setPrototypeOf(e,t):e.__proto__=t)}(t,e),o(t,null,[{key:"propTypes",get:function(){return{ariaLabelledby:i["default"].string,ariaControls:i["default"].string,classNames:i["default"].objectOf(i["default"].string).isRequired,formatLabel:i["default"].func,maxValue:i["default"].number,minValue:i["default"].number,onSliderDrag:i["default"].func.isRequired,onSliderKeyDown:i["default"].func.isRequired,percentage:i["default"].number.isRequired,type:i["default"].string.isRequired,value:i["default"].number.isRequired}}}]),o(t,[{key:"componentWillUnmount",value:function(){this.removeDocumentMouseMoveListener(),this.removeDocumentMouseUpListener(),this.removeDocumentTouchEndListener(),this.removeDocumentTouchMoveListener()}},{key:"getStyle",value:function(){return{position:"absolute",left:100*(this.props.percentage||0)+"%"}}},{key:"addDocumentMouseMoveListener",value:function(){this.removeDocumentMouseMoveListener(),this.node.ownerDocument.addEventListener("mousemove",this.handleMouseMove)}},{key:"addDocumentMouseUpListener",value:function(){this.removeDocumentMouseUpListener(),this.node.ownerDocument.addEventListener("mouseup",this.handleMouseUp)}},{key:"addDocumentTouchMoveListener",value:function(){this.removeDocumentTouchMoveListener(),this.node.ownerDocument.addEventListener("touchmove",this.handleTouchMove)}},{key:"addDocumentTouchEndListener",value:function(){this.removeDocumentTouchEndListener(),this.node.ownerDocument.addEventListener("touchend",this.handleTouchEnd)}},{key:"removeDocumentMouseMoveListener",value:function(){this.node.ownerDocument.removeEventListener("mousemove",this.handleMouseMove)}},{key:"removeDocumentMouseUpListener",value:function(){this.node.ownerDocument.removeEventListener("mouseup",this.handleMouseUp)}},{key:"removeDocumentTouchMoveListener",value:function(){this.node.ownerDocument.removeEventListener("touchmove",this.handleTouchMove)}},{key:"removeDocumentTouchEndListener",value:function(){this.node.ownerDocument.removeEventListener("touchend",this.handleTouchEnd)}},{key:"handleMouseDown",value:function(){this.addDocumentMouseMoveListener(),this.addDocumentMouseUpListener()}},{key:"handleMouseUp",value:function(){this.removeDocumentMouseMoveListener(),this.removeDocumentMouseUpListener()}},{key:"handleMouseMove",value:function(e){this.props.onSliderDrag(e,this.props.type)}},{key:"handleTouchStart",value:function(){this.addDocumentTouchEndListener(),this.addDocumentTouchMoveListener()}},{key:"handleTouchMove",value:function(e){this.props.onSliderDrag(e,this.props.type)}},{key:"handleTouchEnd",value:function(){this.removeDocumentTouchMoveListener(),this.removeDocumentTouchEndListener()}},{key:"handleKeyDown",value:function(e){this.props.onSliderKeyDown(e,this.props.type)}},{key:"render",value:function(){var e=this,t=this.getStyle();return a["default"].createElement("span",{className:this.props.classNames.sliderContainer,ref:function(t){e.node=t},style:t},a["default"].createElement(u["default"],{classNames:this.props.classNames,formatLabel:this.props.formatLabel,type:"value"},this.props.value),a["default"].createElement("div",{"aria-labelledby":this.props.ariaLabelledby,"aria-controls":this.props.ariaControls,"aria-valuemax":this.props.maxValue,"aria-valuemin":this.props.minValue,"aria-valuenow":this.props.value,className:this.props.classNames.slider,draggable:"false",onKeyDown:this.handleKeyDown,onMouseDown:this.handleMouseDown,onTouchStart:this.handleTouchStart,role:"slider",tabIndex:"0"}))}}]),t}(a["default"].Component)).prototype,"handleMouseDown",[s["default"]],Object.getOwnPropertyDescriptor(r.prototype,"handleMouseDown"),r.prototype),l(r.prototype,"handleMouseUp",[s["default"]],Object.getOwnPropertyDescriptor(r.prototype,"handleMouseUp"),r.prototype),l(r.prototype,"handleMouseMove",[s["default"]],Object.getOwnPropertyDescriptor(r.prototype,"handleMouseMove"),r.prototype),l(r.prototype,"handleTouchStart",[s["default"]],Object.getOwnPropertyDescriptor(r.prototype,"handleTouchStart"),r.prototype),l(r.prototype,"handleTouchMove",[s["default"]],Object.getOwnPropertyDescriptor(r.prototype,"handleTouchMove"),r.prototype),l(r.prototype,"handleTouchEnd",[s["default"]],Object.getOwnPropertyDescriptor(r.prototype,"handleTouchEnd"),r.prototype),l(r.prototype,"handleKeyDown",[s["default"]],Object.getOwnPropertyDescriptor(r.prototype,"handleKeyDown"),r.prototype),r);t["default"]=f,e.exports=t["default"]},752:function(e,t,n){"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t["default"]=undefined;var r,o=function(){function e(e,t){for(var n=0;n<t.length;n++){var r=t[n];r.enumerable=r.enumerable||!1,r.configurable=!0,"value"in r&&(r.writable=!0),Object.defineProperty(e,r.key,r)}}return function(t,n,r){return n&&e(t.prototype,n),r&&e(t,r),t}}(),a=u(n(363)),i=u(n(697)),s=u(n(521));function u(e){return e&&e.__esModule?e:{"default":e}}function c(e,t,n,r,o){var a={};return Object.keys(r).forEach((function(e){a[e]=r[e]})),a.enumerable=!!a.enumerable,a.configurable=!!a.configurable,("value"in a||a.initializer)&&(a.writable=!0),a=n.slice().reverse().reduce((function(n,r){return r(e,t,n)||n}),a),o&&void 0!==a.initializer&&(a.value=a.initializer?a.initializer.call(o):void 0,a.initializer=undefined),void 0===a.initializer&&(Object.defineProperty(e,t,a),a=null),a}var l=(c((r=function(e){function t(e){!function(e,t){if(!(e instanceof t))throw new TypeError("Cannot call a class as a function")}(this,t);var n=function(e,t){if(!e)throw new ReferenceError("this hasn't been initialised - super() hasn't been called");return!t||"object"!=typeof t&&"function"!=typeof t?e:t}(this,(t.__proto__||Object.getPrototypeOf(t)).call(this,e));return n.node=null,n.trackDragEvent=null,n}return function(e,t){if("function"!=typeof t&&null!==t)throw new TypeError("Super expression must either be null or a function, not "+typeof t);e.prototype=Object.create(t&&t.prototype,{constructor:{value:e,enumerable:!1,writable:!0,configurable:!0}}),t&&(Object.setPrototypeOf?Object.setPrototypeOf(e,t):e.__proto__=t)}(t,e),o(t,null,[{key:"propTypes",get:function(){return{children:i["default"].node.isRequired,classNames:i["default"].objectOf(i["default"].string).isRequired,draggableTrack:i["default"].bool,onTrackDrag:i["default"].func,onTrackMouseDown:i["default"].func.isRequired,percentages:i["default"].objectOf(i["default"].number).isRequired}}}]),o(t,[{key:"getClientRect",value:function(){return this.node.getBoundingClientRect()}},{key:"getActiveTrackStyle",value:function(){var e=100*(this.props.percentages.max-this.props.percentages.min)+"%";return{left:100*this.props.percentages.min+"%",width:e}}},{key:"addDocumentMouseMoveListener",value:function(){this.removeDocumentMouseMoveListener(),this.node.ownerDocument.addEventListener("mousemove",this.handleMouseMove)}},{key:"addDocumentMouseUpListener",value:function(){this.removeDocumentMouseUpListener(),this.node.ownerDocument.addEventListener("mouseup",this.handleMouseUp)}},{key:"removeDocumentMouseMoveListener",value:function(){this.node.ownerDocument.removeEventListener("mousemove",this.handleMouseMove)}},{key:"removeDocumentMouseUpListener",value:function(){this.node.ownerDocument.removeEventListener("mouseup",this.handleMouseUp)}},{key:"handleMouseMove",value:function(e){this.props.draggableTrack&&(null!==this.trackDragEvent&&this.props.onTrackDrag(e,this.trackDragEvent),this.trackDragEvent=e)}},{key:"handleMouseUp",value:function(){this.props.draggableTrack&&(this.removeDocumentMouseMoveListener(),this.removeDocumentMouseUpListener(),this.trackDragEvent=null)}},{key:"handleMouseDown",value:function(e){var t={x:(e.touches?e.touches[0].clientX:e.clientX)-this.getClientRect().left,y:0};this.props.onTrackMouseDown(e,t),this.props.draggableTrack&&(this.addDocumentMouseMoveListener(),this.addDocumentMouseUpListener())}},{key:"handleTouchStart",value:function(e){e.preventDefault(),this.handleMouseDown(e)}},{key:"render",value:function(){var e=this,t=this.getActiveTrackStyle();return a["default"].createElement("div",{className:this.props.classNames.track,onMouseDown:this.handleMouseDown,onTouchStart:this.handleTouchStart,ref:function(t){e.node=t}},a["default"].createElement("div",{style:t,className:this.props.classNames.activeTrack}),this.props.children)}}]),t}(a["default"].Component)).prototype,"handleMouseMove",[s["default"]],Object.getOwnPropertyDescriptor(r.prototype,"handleMouseMove"),r.prototype),c(r.prototype,"handleMouseUp",[s["default"]],Object.getOwnPropertyDescriptor(r.prototype,"handleMouseUp"),r.prototype),c(r.prototype,"handleMouseDown",[s["default"]],Object.getOwnPropertyDescriptor(r.prototype,"handleMouseDown"),r.prototype),c(r.prototype,"handleTouchStart",[s["default"]],Object.getOwnPropertyDescriptor(r.prototype,"handleTouchStart"),r.prototype),r);t["default"]=l,e.exports=t["default"]},97:function(e,t,n){"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t["default"]=function(e,t){var n=e.maxValue,o=e.minValue,a=e[t];if(!((0,r.isNumber)(a)||(0,r.isObject)(a)&&(0,r.isNumber)(a.min)&&(0,r.isNumber)(a.max)))return new Error('"'+t+'" must be a number or a range object');if((0,r.isNumber)(a)&&(a<o||a>n))return new Error('"'+t+'" must be in between "minValue" and "maxValue"');if((0,r.isObject)(a)&&(a.min<o||a.min>n||a.max<o||a.max>n))return new Error('"'+t+'" must be in between "minValue" and "maxValue"')};var r=n(302);e.exports=t["default"]},232:function(e,t,n){"use strict";Object.defineProperty(t,"__esModule",{value:!0});var r=Object.assign||function(e){for(var t=1;t<arguments.length;t++){var n=arguments[t];for(var r in n)Object.prototype.hasOwnProperty.call(n,r)&&(e[r]=n[r])}return e};t.getPercentageFromPosition=a,t.getValueFromPosition=function(e,t,n,r){var o=a(e,r);return t+(n-t)*o},t.getValueFromProps=function(e,t){if(t)return r({},e.value);return{min:e.minValue,max:e.value}},t.getPercentageFromValue=i,t.getPercentagesFromValues=function(e,t,n){return{min:i(e.min,t,n),max:i(e.max,t,n)}},t.getPositionFromValue=s,t.getPositionsFromValues=function(e,t,n,r){return{min:s(e.min,t,n,r),max:s(e.max,t,n,r)}},t.getPositionFromEvent=function(e,t){var n=t.width,r=(e.touches?e.touches[0]:e).clientX;return{x:(0,o.clamp)(r-t.left,0,n),y:0}},t.getStepValueFromValue=function(e,t){return Math.round(e/t)*t};var o=n(302);function a(e,t){var n=t.width;return e.x/n||0}function i(e,t,n){return((0,o.clamp)(e,t,n)-t)/(n-t)||0}function s(e,t,n,r){var o=r.width;return{x:i(e,t,n)*o,y:0}}},939:function(e,t){"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t["default"]=function(e){return e.charAt(0).toUpperCase()+e.slice(1)},e.exports=t["default"]},426:function(e,t){"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t["default"]=function(e,t,n){return Math.min(Math.max(e,t),n)},e.exports=t["default"]},588:function(e,t){"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t["default"]=function(e,t){var n=Math.pow(t.x-e.x,2),r=Math.pow(t.y-e.y,2);return Math.sqrt(n+r)},e.exports=t["default"]},302:function(e,t,n){"use strict";Object.defineProperty(t,"__esModule",{value:!0});var r=n(939);Object.defineProperty(t,"captialize",{enumerable:!0,get:function(){return l(r)["default"]}});var o=n(426);Object.defineProperty(t,"clamp",{enumerable:!0,get:function(){return l(o)["default"]}});var a=n(588);Object.defineProperty(t,"distanceTo",{enumerable:!0,get:function(){return l(a)["default"]}});var i=n(330);Object.defineProperty(t,"isDefined",{enumerable:!0,get:function(){return l(i)["default"]}});var s=n(49);Object.defineProperty(t,"isNumber",{enumerable:!0,get:function(){return l(s)["default"]}});var u=n(344);Object.defineProperty(t,"isObject",{enumerable:!0,get:function(){return l(u)["default"]}});var c=n(359);function l(e){return e&&e.__esModule?e:{"default":e}}Object.defineProperty(t,"length",{enumerable:!0,get:function(){return l(c)["default"]}})},330:function(e,t){"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t["default"]=function(e){return e!==undefined&&null!==e},e.exports=t["default"]},49:function(e,t){"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t["default"]=function(e){return"number"==typeof e},e.exports=t["default"]},344:function(e,t){"use strict";Object.defineProperty(t,"__esModule",{value:!0});var n="function"==typeof Symbol&&"symbol"==typeof Symbol.iterator?function(e){return typeof e}:function(e){return e&&"function"==typeof Symbol&&e.constructor===Symbol&&e!==Symbol.prototype?"symbol":typeof e};t["default"]=function(e){return null!==e&&"object"===(void 0===e?"undefined":n(e))},e.exports=t["default"]},359:function(e,t){"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t["default"]=function(e,t){return Math.abs(e-t)},e.exports=t["default"]},555:function(e,t,n){e.exports=function(e){var t={};function n(r){if(t[r])return t[r].exports;var o=t[r]={i:r,l:!1,exports:{}};return e[r].call(o.exports,o,o.exports,n),o.l=!0,o.exports}return n.m=e,n.c=t,n.d=function(e,t,r){n.o(e,t)||Object.defineProperty(e,t,{enumerable:!0,get:r})},n.r=function(e){"undefined"!=typeof Symbol&&Symbol.toStringTag&&Object.defineProperty(e,Symbol.toStringTag,{value:"Module"}),Object.defineProperty(e,"__esModule",{value:!0})},n.t=function(e,t){if(1&t&&(e=n(e)),8&t)return e;if(4&t&&"object"==typeof e&&e&&e.__esModule)return e;var r=Object.create(null);if(n.r(r),Object.defineProperty(r,"default",{enumerable:!0,value:e}),2&t&&"string"!=typeof e)for(var o in e)n.d(r,o,function(t){return e[t]}.bind(null,o));return r},n.n=function(e){var t=e&&e.__esModule?function(){return e["default"]}:function(){return e};return n.d(t,"a",t),t},n.o=function(e,t){return Object.prototype.hasOwnProperty.call(e,t)},n.p="",n(n.s=9)}([function(e,t){e.exports=n(363)},function(e,t,n){var r;
    88/*!
    99  Copyright (c) 2017 Jed Watson.
    1010  Licensed under the MIT License (MIT), see
    1111  http://jedwatson.github.io/classnames
    12 */!function(){"use strict";var n={}.hasOwnProperty;function o(){for(var e=[],t=0;t<arguments.length;t++){var r=arguments[t];if(r){var a=typeof r;if("string"===a||"number"===a)e.push(r);else if(Array.isArray(r)&&r.length){var i=o.apply(null,r);i&&e.push(i)}else if("object"===a)for(var s in r)n.call(r,s)&&r[s]&&e.push(s)}}return e.join(" ")}e.exports?(o["default"]=o,e.exports=o):void 0===(r=function(){return o}.apply(t,[]))||(e.exports=r)}()},function(e,t,n){(function(t){var n=/^\s+|\s+$/g,r=/^[-+]0x[0-9a-f]+$/i,o=/^0b[01]+$/i,a=/^0o[0-7]+$/i,i=parseInt,s="object"==typeof t&&t&&t.Object===Object&&t,u="object"==typeof self&&self&&self.Object===Object&&self,c=s||u||Function("return this")(),l=Object.prototype.toString,f=c.Symbol,d=f?f.prototype:void 0,p=d?d.toString:void 0;function h(e){if("string"==typeof e)return e;if(g(e))return p?p.call(e):"";var t=e+"";return"0"==t&&1/e==-1/0?"-0":t}function m(e){var t=typeof e;return!!e&&("object"==t||"function"==t)}function g(e){return"symbol"==typeof e||function(e){return!!e&&"object"==typeof e}(e)&&"[object Symbol]"==l.call(e)}function v(e){return e?(e=function(e){if("number"==typeof e)return e;if(g(e))return NaN;if(m(e)){var t="function"==typeof e.valueOf?e.valueOf():e;e=m(t)?t+"":t}if("string"!=typeof e)return 0===e?e:+e;e=e.replace(n,"");var s=o.test(e);return s||a.test(e)?i(e.slice(2),s?2:8):r.test(e)?NaN:+e}(e))===1/0||e===-1/0?17976931348623157e292*(e<0?-1:1):e==e?e:0:0===e?e:0}e.exports=function(e,t,n){var r,o,a;return e=null==(r=e)?"":h(r),o=function(e){var t=v(e),n=t%1;return t==t?n?t-n:t:0}(n),0,a=e.length,o==o&&(void 0!==a&&(o=o<=a?o:a),o=o>=0?o:0),n=o,t=h(t),e.slice(n,n+t.length)==t}}).call(this,n(3))},function(e,t){var n;n=function(){return this}();try{n=n||new Function("return this")()}catch(e){"object"==typeof window&&(n=window)}e.exports=n},function(e,t,n){(function(t){var n,r=/^\[object .+?Constructor\]$/,o="object"==typeof t&&t&&t.Object===Object&&t,a="object"==typeof self&&self&&self.Object===Object&&self,i=o||a||Function("return this")(),s=Array.prototype,u=Function.prototype,c=Object.prototype,l=i["__core-js_shared__"],f=(n=/[^.]+$/.exec(l&&l.keys&&l.keys.IE_PROTO||""))?"Symbol(src)_1."+n:"",d=u.toString,p=c.hasOwnProperty,h=c.toString,m=RegExp("^"+d.call(p).replace(/[\\^$.*+?()[\]{}|]/g,"\\$&").replace(/hasOwnProperty|(function).*?(?=\\\()| for .+?(?=\\\])/g,"$1.*?")+"$"),g=s.splice,v=D(i,"Map"),y=D(Object,"create");function b(e){var t=-1,n=e?e.length:0;for(this.clear();++t<n;){var r=e[t];this.set(r[0],r[1])}}function w(e){var t=-1,n=e?e.length:0;for(this.clear();++t<n;){var r=e[t];this.set(r[0],r[1])}}function C(e){var t=-1,n=e?e.length:0;for(this.clear();++t<n;){var r=e[t];this.set(r[0],r[1])}}function O(e,t){for(var n,r,o=e.length;o--;)if((n=e[o][0])===(r=t)||n!=n&&r!=r)return o;return-1}function x(e){return!(!E(e)||(t=e,f&&f in t))&&(function(e){var t=E(e)?h.call(e):"";return"[object Function]"==t||"[object GeneratorFunction]"==t}(e)||function(e){var t=!1;if(null!=e&&"function"!=typeof e.toString)try{t=!!(e+"")}catch(e){}return t}(e)?m:r).test(function(e){if(null!=e){try{return d.call(e)}catch(e){}try{return e+""}catch(e){}}return""}(e));var t}function k(e,t){var n,r,o=e.__data__;return("string"==(r=typeof(n=t))||"number"==r||"symbol"==r||"boolean"==r?"__proto__"!==n:null===n)?o["string"==typeof t?"string":"hash"]:o.map}function D(e,t){var n=function(e,t){return null==e?void 0:e[t]}(e,t);return x(n)?n:void 0}function S(e,t){if("function"!=typeof e||t&&"function"!=typeof t)throw new TypeError("Expected a function");var n=function(){var r=arguments,o=t?t.apply(this,r):r[0],a=n.cache;if(a.has(o))return a.get(o);var i=e.apply(this,r);return n.cache=a.set(o,i),i};return n.cache=new(S.Cache||C),n}function E(e){var t=typeof e;return!!e&&("object"==t||"function"==t)}b.prototype.clear=function(){this.__data__=y?y(null):{}},b.prototype["delete"]=function(e){return this.has(e)&&delete this.__data__[e]},b.prototype.get=function(e){var t=this.__data__;if(y){var n=t[e];return"__lodash_hash_undefined__"===n?void 0:n}return p.call(t,e)?t[e]:void 0},b.prototype.has=function(e){var t=this.__data__;return y?void 0!==t[e]:p.call(t,e)},b.prototype.set=function(e,t){return this.__data__[e]=y&&void 0===t?"__lodash_hash_undefined__":t,this},w.prototype.clear=function(){this.__data__=[]},w.prototype["delete"]=function(e){var t=this.__data__,n=O(t,e);return!(n<0||(n==t.length-1?t.pop():g.call(t,n,1),0))},w.prototype.get=function(e){var t=this.__data__,n=O(t,e);return n<0?void 0:t[n][1]},w.prototype.has=function(e){return O(this.__data__,e)>-1},w.prototype.set=function(e,t){var n=this.__data__,r=O(n,e);return r<0?n.push([e,t]):n[r][1]=t,this},C.prototype.clear=function(){this.__data__={hash:new b,map:new(v||w),string:new b}},C.prototype["delete"]=function(e){return k(this,e)["delete"](e)},C.prototype.get=function(e){return k(this,e).get(e)},C.prototype.has=function(e){return k(this,e).has(e)},C.prototype.set=function(e,t){return k(this,e).set(e,t),this},S.Cache=C,e.exports=S}).call(this,n(3))},function(e,t,n){(function(t){var n=/^\s+|\s+$/g,r=/^[-+]0x[0-9a-f]+$/i,o=/^0b[01]+$/i,a=/^0o[0-7]+$/i,i=parseInt,s="object"==typeof t&&t&&t.Object===Object&&t,u="object"==typeof self&&self&&self.Object===Object&&self,c=s||u||Function("return this")(),l=Object.prototype.toString,f=Math.max,d=Math.min,p=function(){return c.Date.now()};function h(e){var t=typeof e;return!!e&&("object"==t||"function"==t)}function m(e){if("number"==typeof e)return e;if(function(e){return"symbol"==typeof e||function(e){return!!e&&"object"==typeof e}(e)&&"[object Symbol]"==l.call(e)}(e))return NaN;if(h(e)){var t="function"==typeof e.valueOf?e.valueOf():e;e=h(t)?t+"":t}if("string"!=typeof e)return 0===e?e:+e;e=e.replace(n,"");var s=o.test(e);return s||a.test(e)?i(e.slice(2),s?2:8):r.test(e)?NaN:+e}e.exports=function(e,t,n){var r,o,a,i,s,u,c=0,l=!1,g=!1,v=!0;if("function"!=typeof e)throw new TypeError("Expected a function");function y(t){var n=r,a=o;return r=o=void 0,c=t,i=e.apply(a,n)}function b(e){return c=e,s=setTimeout(C,t),l?y(e):i}function w(e){var n=e-u;return void 0===u||n>=t||n<0||g&&e-c>=a}function C(){var e=p();if(w(e))return O(e);s=setTimeout(C,function(e){var n=t-(e-u);return g?d(n,a-(e-c)):n}(e))}function O(e){return s=void 0,v&&r?y(e):(r=o=void 0,i)}function x(){var e=p(),n=w(e);if(r=arguments,o=this,u=e,n){if(void 0===s)return b(u);if(g)return s=setTimeout(C,t),y(u)}return void 0===s&&(s=setTimeout(C,t)),i}return t=m(t)||0,h(n)&&(l=!!n.leading,a=(g="maxWait"in n)?f(m(n.maxWait)||0,t):a,v="trailing"in n?!!n.trailing:v),x.cancel=function(){void 0!==s&&clearTimeout(s),c=0,r=u=o=s=void 0},x.flush=function(){return void 0===s?i:O(p())},x}}).call(this,n(3))},function(e,t,n){(function(e,n){var r="[object Arguments]",o="[object Map]",a="[object Object]",i="[object Set]",s=/\.|\[(?:[^[\]]*|(["'])(?:(?!\1)[^\\]|\\.)*?\1)\]/,u=/^\w*$/,c=/^\./,l=/[^.[\]]+|\[(?:(-?\d+(?:\.\d+)?)|(["'])((?:(?!\2)[^\\]|\\.)*?)\2)\]|(?=(?:\.|\[\])(?:\.|\[\]|$))/g,f=/\\(\\)?/g,d=/^\[object .+?Constructor\]$/,p=/^(?:0|[1-9]\d*)$/,h={};h["[object Float32Array]"]=h["[object Float64Array]"]=h["[object Int8Array]"]=h["[object Int16Array]"]=h["[object Int32Array]"]=h["[object Uint8Array]"]=h["[object Uint8ClampedArray]"]=h["[object Uint16Array]"]=h["[object Uint32Array]"]=!0,h[r]=h["[object Array]"]=h["[object ArrayBuffer]"]=h["[object Boolean]"]=h["[object DataView]"]=h["[object Date]"]=h["[object Error]"]=h["[object Function]"]=h[o]=h["[object Number]"]=h[a]=h["[object RegExp]"]=h[i]=h["[object String]"]=h["[object WeakMap]"]=!1;var m="object"==typeof e&&e&&e.Object===Object&&e,g="object"==typeof self&&self&&self.Object===Object&&self,v=m||g||Function("return this")(),y=t&&!t.nodeType&&t,b=y&&"object"==typeof n&&n&&!n.nodeType&&n,w=b&&b.exports===y&&m.process,C=function(){try{return w&&w.binding("util")}catch(e){}}(),O=C&&C.isTypedArray;function x(e,t,n,r){var o=-1,a=e?e.length:0;for(r&&a&&(n=e[++o]);++o<a;)n=t(n,e[o],o,e);return n}function k(e,t){for(var n=-1,r=e?e.length:0;++n<r;)if(t(e[n],n,e))return!0;return!1}function D(e,t,n,r,o){return o(e,(function(e,o,a){n=r?(r=!1,e):t(n,e,o,a)})),n}function S(e){var t=!1;if(null!=e&&"function"!=typeof e.toString)try{t=!!(e+"")}catch(e){}return t}function E(e){var t=-1,n=Array(e.size);return e.forEach((function(e,r){n[++t]=[r,e]})),n}function M(e){var t=-1,n=Array(e.size);return e.forEach((function(e){n[++t]=e})),n}var _,P,j,T=Array.prototype,A=Function.prototype,I=Object.prototype,N=v["__core-js_shared__"],R=(_=/[^.]+$/.exec(N&&N.keys&&N.keys.IE_PROTO||""))?"Symbol(src)_1."+_:"",L=A.toString,V=I.hasOwnProperty,F=I.toString,H=RegExp("^"+L.call(V).replace(/[\\^$.*+?()[\]{}|]/g,"\\$&").replace(/hasOwnProperty|(function).*?(?=\\\()| for .+?(?=\\\])/g,"$1.*?")+"$"),z=v.Symbol,U=v.Uint8Array,W=I.propertyIsEnumerable,B=T.splice,Y=(P=Object.keys,j=Object,function(e){return P(j(e))}),q=Oe(v,"DataView"),$=Oe(v,"Map"),K=Oe(v,"Promise"),Q=Oe(v,"Set"),G=Oe(v,"WeakMap"),J=Oe(Object,"create"),X=Pe(q),Z=Pe($),ee=Pe(K),te=Pe(Q),ne=Pe(G),re=z?z.prototype:void 0,oe=re?re.valueOf:void 0,ae=re?re.toString:void 0;function ie(e){var t=-1,n=e?e.length:0;for(this.clear();++t<n;){var r=e[t];this.set(r[0],r[1])}}function se(e){var t=-1,n=e?e.length:0;for(this.clear();++t<n;){var r=e[t];this.set(r[0],r[1])}}function ue(e){var t=-1,n=e?e.length:0;for(this.clear();++t<n;){var r=e[t];this.set(r[0],r[1])}}function ce(e){var t=-1,n=e?e.length:0;for(this.__data__=new ue;++t<n;)this.add(e[t])}function le(e){this.__data__=new se(e)}function fe(e,t){for(var n=e.length;n--;)if(Te(e[n][0],t))return n;return-1}ie.prototype.clear=function(){this.__data__=J?J(null):{}},ie.prototype["delete"]=function(e){return this.has(e)&&delete this.__data__[e]},ie.prototype.get=function(e){var t=this.__data__;if(J){var n=t[e];return"__lodash_hash_undefined__"===n?void 0:n}return V.call(t,e)?t[e]:void 0},ie.prototype.has=function(e){var t=this.__data__;return J?void 0!==t[e]:V.call(t,e)},ie.prototype.set=function(e,t){return this.__data__[e]=J&&void 0===t?"__lodash_hash_undefined__":t,this},se.prototype.clear=function(){this.__data__=[]},se.prototype["delete"]=function(e){var t=this.__data__,n=fe(t,e);return!(n<0||(n==t.length-1?t.pop():B.call(t,n,1),0))},se.prototype.get=function(e){var t=this.__data__,n=fe(t,e);return n<0?void 0:t[n][1]},se.prototype.has=function(e){return fe(this.__data__,e)>-1},se.prototype.set=function(e,t){var n=this.__data__,r=fe(n,e);return r<0?n.push([e,t]):n[r][1]=t,this},ue.prototype.clear=function(){this.__data__={hash:new ie,map:new($||se),string:new ie}},ue.prototype["delete"]=function(e){return Ce(this,e)["delete"](e)},ue.prototype.get=function(e){return Ce(this,e).get(e)},ue.prototype.has=function(e){return Ce(this,e).has(e)},ue.prototype.set=function(e,t){return Ce(this,e).set(e,t),this},ce.prototype.add=ce.prototype.push=function(e){return this.__data__.set(e,"__lodash_hash_undefined__"),this},ce.prototype.has=function(e){return this.__data__.has(e)},le.prototype.clear=function(){this.__data__=new se},le.prototype["delete"]=function(e){return this.__data__["delete"](e)},le.prototype.get=function(e){return this.__data__.get(e)},le.prototype.has=function(e){return this.__data__.has(e)},le.prototype.set=function(e,t){var n=this.__data__;if(n instanceof se){var r=n.__data__;if(!$||r.length<199)return r.push([e,t]),this;n=this.__data__=new ue(r)}return n.set(e,t),this};var de,pe=(de=function(e,t){return e&&he(e,t,Ue)},function(e,t){if(null==e)return e;if(!Ne(e))return de(e,t);for(var n=e.length,r=-1,o=Object(e);++r<n&&!1!==t(o[r],r,o););return e}),he=function(e,t,n){for(var r=-1,o=Object(e),a=n(e),i=a.length;i--;){var s=a[++r];if(!1===t(o[s],s,o))break}return e};function me(e,t){for(var n=0,r=(t=De(t,e)?[t]:be(t)).length;null!=e&&n<r;)e=e[_e(t[n++])];return n&&n==r?e:void 0}function ge(e,t){return null!=e&&t in Object(e)}function ve(e,t,n,s,u){return e===t||(null==e||null==t||!Ve(e)&&!Fe(t)?e!=e&&t!=t:function(e,t,n,s,u,c){var l=Ie(e),f=Ie(t),d="[object Array]",p="[object Array]";l||(d=(d=xe(e))==r?a:d),f||(p=(p=xe(t))==r?a:p);var h=d==a&&!S(e),m=p==a&&!S(t),g=d==p;if(g&&!h)return c||(c=new le),l||ze(e)?we(e,t,n,s,u,c):function(e,t,n,r,a,s,u){switch(n){case"[object DataView]":if(e.byteLength!=t.byteLength||e.byteOffset!=t.byteOffset)return!1;e=e.buffer,t=t.buffer;case"[object ArrayBuffer]":return!(e.byteLength!=t.byteLength||!r(new U(e),new U(t)));case"[object Boolean]":case"[object Date]":case"[object Number]":return Te(+e,+t);case"[object Error]":return e.name==t.name&&e.message==t.message;case"[object RegExp]":case"[object String]":return e==t+"";case o:var c=E;case i:var l=2&s;if(c||(c=M),e.size!=t.size&&!l)return!1;var f=u.get(e);if(f)return f==t;s|=1,u.set(e,t);var d=we(c(e),c(t),r,a,s,u);return u["delete"](e),d;case"[object Symbol]":if(oe)return oe.call(e)==oe.call(t)}return!1}(e,t,d,n,s,u,c);if(!(2&u)){var v=h&&V.call(e,"__wrapped__"),y=m&&V.call(t,"__wrapped__");if(v||y){var b=v?e.value():e,w=y?t.value():t;return c||(c=new le),n(b,w,s,u,c)}}return!!g&&(c||(c=new le),function(e,t,n,r,o,a){var i=2&o,s=Ue(e),u=s.length;if(u!=Ue(t).length&&!i)return!1;for(var c=u;c--;){var l=s[c];if(!(i?l in t:V.call(t,l)))return!1}var f=a.get(e);if(f&&a.get(t))return f==t;var d=!0;a.set(e,t),a.set(t,e);for(var p=i;++c<u;){var h=e[l=s[c]],m=t[l];if(r)var g=i?r(m,h,l,t,e,a):r(h,m,l,e,t,a);if(!(void 0===g?h===m||n(h,m,r,o,a):g)){d=!1;break}p||(p="constructor"==l)}if(d&&!p){var v=e.constructor,y=t.constructor;v==y||!("constructor"in e)||!("constructor"in t)||"function"==typeof v&&v instanceof v&&"function"==typeof y&&y instanceof y||(d=!1)}return a["delete"](e),a["delete"](t),d}(e,t,n,s,u,c))}(e,t,ve,n,s,u))}function ye(e){return"function"==typeof e?e:null==e?We:"object"==typeof e?Ie(e)?function(e,t){return De(e)&&Se(t)?Ee(_e(e),t):function(n){var r=function(e,t,n){var r=null==e?void 0:me(e,t);return void 0===r?void 0:r}(n,e);return void 0===r&&r===t?function(e,t){return null!=e&&function(e,t,n){for(var r,o=-1,a=(t=De(t,e)?[t]:be(t)).length;++o<a;){var i=_e(t[o]);if(!(r=null!=e&&n(e,i)))break;e=e[i]}return r||!!(a=e?e.length:0)&&Le(a)&&ke(i,a)&&(Ie(e)||Ae(e))}(e,t,ge)}(n,e):ve(t,r,void 0,3)}}(e[0],e[1]):function(e){var t=function(e){for(var t=Ue(e),n=t.length;n--;){var r=t[n],o=e[r];t[n]=[r,o,Se(o)]}return t}(e);return 1==t.length&&t[0][2]?Ee(t[0][0],t[0][1]):function(n){return n===e||function(e,t,n,r){var o=n.length,a=o;if(null==e)return!a;for(e=Object(e);o--;){var i=n[o];if(i[2]?i[1]!==e[i[0]]:!(i[0]in e))return!1}for(;++o<a;){var s=(i=n[o])[0],u=e[s],c=i[1];if(i[2]){if(void 0===u&&!(s in e))return!1}else{var l,f=new le;if(!(void 0===l?ve(c,u,r,3,f):l))return!1}}return!0}(n,0,t)}}(e):De(t=e)?(n=_e(t),function(e){return null==e?void 0:e[n]}):function(e){return function(t){return me(t,e)}}(t);var t,n}function be(e){return Ie(e)?e:Me(e)}function we(e,t,n,r,o,a){var i=2&o,s=e.length,u=t.length;if(s!=u&&!(i&&u>s))return!1;var c=a.get(e);if(c&&a.get(t))return c==t;var l=-1,f=!0,d=1&o?new ce:void 0;for(a.set(e,t),a.set(t,e);++l<s;){var p=e[l],h=t[l];if(r)var m=i?r(h,p,l,t,e,a):r(p,h,l,e,t,a);if(void 0!==m){if(m)continue;f=!1;break}if(d){if(!k(t,(function(e,t){if(!d.has(t)&&(p===e||n(p,e,r,o,a)))return d.add(t)}))){f=!1;break}}else if(p!==h&&!n(p,h,r,o,a)){f=!1;break}}return a["delete"](e),a["delete"](t),f}function Ce(e,t){var n,r,o=e.__data__;return("string"==(r=typeof(n=t))||"number"==r||"symbol"==r||"boolean"==r?"__proto__"!==n:null===n)?o["string"==typeof t?"string":"hash"]:o.map}function Oe(e,t){var n=function(e,t){return null==e?void 0:e[t]}(e,t);return function(e){return!(!Ve(e)||function(e){return!!R&&R in e}(e))&&(Re(e)||S(e)?H:d).test(Pe(e))}(n)?n:void 0}var xe=function(e){return F.call(e)};function ke(e,t){return!!(t=null==t?9007199254740991:t)&&("number"==typeof e||p.test(e))&&e>-1&&e%1==0&&e<t}function De(e,t){if(Ie(e))return!1;var n=typeof e;return!("number"!=n&&"symbol"!=n&&"boolean"!=n&&null!=e&&!He(e))||u.test(e)||!s.test(e)||null!=t&&e in Object(t)}function Se(e){return e==e&&!Ve(e)}function Ee(e,t){return function(n){return null!=n&&n[e]===t&&(void 0!==t||e in Object(n))}}(q&&"[object DataView]"!=xe(new q(new ArrayBuffer(1)))||$&&xe(new $)!=o||K&&"[object Promise]"!=xe(K.resolve())||Q&&xe(new Q)!=i||G&&"[object WeakMap]"!=xe(new G))&&(xe=function(e){var t=F.call(e),n=t==a?e.constructor:void 0,r=n?Pe(n):void 0;if(r)switch(r){case X:return"[object DataView]";case Z:return o;case ee:return"[object Promise]";case te:return i;case ne:return"[object WeakMap]"}return t});var Me=je((function(e){var t;e=null==(t=e)?"":function(e){if("string"==typeof e)return e;if(He(e))return ae?ae.call(e):"";var t=e+"";return"0"==t&&1/e==-1/0?"-0":t}(t);var n=[];return c.test(e)&&n.push(""),e.replace(l,(function(e,t,r,o){n.push(r?o.replace(f,"$1"):t||e)})),n}));function _e(e){if("string"==typeof e||He(e))return e;var t=e+"";return"0"==t&&1/e==-1/0?"-0":t}function Pe(e){if(null!=e){try{return L.call(e)}catch(e){}try{return e+""}catch(e){}}return""}function je(e,t){if("function"!=typeof e||t&&"function"!=typeof t)throw new TypeError("Expected a function");var n=function(){var r=arguments,o=t?t.apply(this,r):r[0],a=n.cache;if(a.has(o))return a.get(o);var i=e.apply(this,r);return n.cache=a.set(o,i),i};return n.cache=new(je.Cache||ue),n}function Te(e,t){return e===t||e!=e&&t!=t}function Ae(e){return function(e){return Fe(e)&&Ne(e)}(e)&&V.call(e,"callee")&&(!W.call(e,"callee")||F.call(e)==r)}je.Cache=ue;var Ie=Array.isArray;function Ne(e){return null!=e&&Le(e.length)&&!Re(e)}function Re(e){var t=Ve(e)?F.call(e):"";return"[object Function]"==t||"[object GeneratorFunction]"==t}function Le(e){return"number"==typeof e&&e>-1&&e%1==0&&e<=9007199254740991}function Ve(e){var t=typeof e;return!!e&&("object"==t||"function"==t)}function Fe(e){return!!e&&"object"==typeof e}function He(e){return"symbol"==typeof e||Fe(e)&&"[object Symbol]"==F.call(e)}var ze=O?function(e){return function(t){return e(t)}}(O):function(e){return Fe(e)&&Le(e.length)&&!!h[F.call(e)]};function Ue(e){return Ne(e)?function(e,t){var n=Ie(e)||Ae(e)?function(e,t){for(var n=-1,r=Array(e);++n<e;)r[n]=t(n);return r}(e.length,String):[],r=n.length,o=!!r;for(var a in e)!t&&!V.call(e,a)||o&&("length"==a||ke(a,r))||n.push(a);return n}(e):function(e){if(n=(t=e)&&t.constructor,t!==("function"==typeof n&&n.prototype||I))return Y(e);var t,n,r=[];for(var o in Object(e))V.call(e,o)&&"constructor"!=o&&r.push(o);return r}(e)}function We(e){return e}n.exports=function(e,t,n){var r=Ie(e)?x:D,o=arguments.length<3;return r(e,ye(t),n,o,pe)}}).call(this,n(3),n(7)(e))},function(e,t){e.exports=function(e){return e.webpackPolyfill||(e.deprecate=function(){},e.paths=[],e.children||(e.children=[]),Object.defineProperty(e,"loaded",{enumerable:!0,get:function(){return e.l}}),Object.defineProperty(e,"id",{enumerable:!0,get:function(){return e.i}}),e.webpackPolyfill=1),e}},function(e,t){String.prototype.padEnd||(String.prototype.padEnd=function(e,t){return e>>=0,t=String(void 0!==t?t:" "),this.length>e?String(this):((e-=this.length)>t.length&&(t+=t.repeat(e/t.length)),String(this)+t.slice(0,e))})},function(e,t,n){"use strict";function r(e,t,n){return t in e?Object.defineProperty(e,t,{value:n,enumerable:!0,configurable:!0,writable:!0}):e[t]=n,e}function o(e){if(Symbol.iterator in Object(e)||"[object Arguments]"===Object.prototype.toString.call(e))return Array.from(e)}function a(e){return function(e){if(Array.isArray(e)){for(var t=0,n=new Array(e.length);t<e.length;t++)n[t]=e[t];return n}}(e)||o(e)||function(){throw new TypeError("Invalid attempt to spread non-iterable instance")}()}function i(e){if(Array.isArray(e))return e}function s(){throw new TypeError("Invalid attempt to destructure non-iterable instance")}function u(e,t){if(!(e instanceof t))throw new TypeError("Cannot call a class as a function")}function c(e,t){for(var n=0;n<t.length;n++){var r=t[n];r.enumerable=r.enumerable||!1,r.configurable=!0,"value"in r&&(r.writable=!0),Object.defineProperty(e,r.key,r)}}function l(e){return(l="function"==typeof Symbol&&"symbol"==typeof Symbol.iterator?function(e){return typeof e}:function(e){return e&&"function"==typeof Symbol&&e.constructor===Symbol&&e!==Symbol.prototype?"symbol":typeof e})(e)}function f(e){return(f="function"==typeof Symbol&&"symbol"===l(Symbol.iterator)?function(e){return l(e)}:function(e){return e&&"function"==typeof Symbol&&e.constructor===Symbol&&e!==Symbol.prototype?"symbol":l(e)})(e)}function d(e){if(void 0===e)throw new ReferenceError("this hasn't been initialised - super() hasn't been called");return e}function p(e){return(p=Object.setPrototypeOf?Object.getPrototypeOf:function(e){return e.__proto__||Object.getPrototypeOf(e)})(e)}function h(e,t){return(h=Object.setPrototypeOf||function(e,t){return e.__proto__=t,e})(e,t)}n.r(t);var m=n(0),g=n.n(m),v=n(5),y=n.n(v),b=n(4),w=n.n(b),C=n(6),O=n.n(C),x=n(2),k=n.n(x),D=n(1),S=n.n(D);function E(e,t){return i(e)||function(e,t){var n=[],r=!0,o=!1,a=void 0;try{for(var i,s=e[Symbol.iterator]();!(r=(i=s.next()).done)&&(n.push(i.value),!t||n.length!==t);r=!0);}catch(e){o=!0,a=e}finally{try{r||null==s["return"]||s["return"]()}finally{if(o)throw a}}return n}(e,t)||s()}n(8);var M=[["Afghanistan",["asia"],"af","93"],["Albania",["europe"],"al","355"],["Algeria",["africa","north-africa"],"dz","213"],["Andorra",["europe"],"ad","376"],["Angola",["africa"],"ao","244"],["Antigua and Barbuda",["america","carribean"],"ag","1268"],["Argentina",["america","south-america"],"ar","54","(..) ........",0,["11","221","223","261","264","2652","280","2905","291","2920","2966","299","341","342","343","351","376","379","381","3833","385","387","388"]],["Armenia",["asia","ex-ussr"],"am","374"],["Aruba",["america","carribean"],"aw","297"],["Australia",["oceania"],"au","61","(..) .... ....",0,["2","3","4","7","8","02","03","04","07","08"]],["Austria",["europe","eu-union"],"at","43"],["Azerbaijan",["asia","ex-ussr"],"az","994","(..) ... .. .."],["Bahamas",["america","carribean"],"bs","1242"],["Bahrain",["middle-east"],"bh","973"],["Bangladesh",["asia"],"bd","880"],["Barbados",["america","carribean"],"bb","1246"],["Belarus",["europe","ex-ussr"],"by","375","(..) ... .. .."],["Belgium",["europe","eu-union"],"be","32","... .. .. .."],["Belize",["america","central-america"],"bz","501"],["Benin",["africa"],"bj","229"],["Bhutan",["asia"],"bt","975"],["Bolivia",["america","south-america"],"bo","591"],["Bosnia and Herzegovina",["europe","ex-yugos"],"ba","387"],["Botswana",["africa"],"bw","267"],["Brazil",["america","south-america"],"br","55","(..) ........."],["British Indian Ocean Territory",["asia"],"io","246"],["Brunei",["asia"],"bn","673"],["Bulgaria",["europe","eu-union"],"bg","359"],["Burkina Faso",["africa"],"bf","226"],["Burundi",["africa"],"bi","257"],["Cambodia",["asia"],"kh","855"],["Cameroon",["africa"],"cm","237"],["Canada",["america","north-america"],"ca","1","(...) ...-....",1,["204","226","236","249","250","289","306","343","365","387","403","416","418","431","437","438","450","506","514","519","548","579","581","587","604","613","639","647","672","705","709","742","778","780","782","807","819","825","867","873","902","905"]],["Cape Verde",["africa"],"cv","238"],["Caribbean Netherlands",["america","carribean"],"bq","599","",1],["Central African Republic",["africa"],"cf","236"],["Chad",["africa"],"td","235"],["Chile",["america","south-america"],"cl","56"],["China",["asia"],"cn","86","..-........."],["Colombia",["america","south-america"],"co","57","... ... ...."],["Comoros",["africa"],"km","269"],["Congo",["africa"],"cd","243"],["Congo",["africa"],"cg","242"],["Costa Rica",["america","central-america"],"cr","506","....-...."],["Côte d’Ivoire",["africa"],"ci","225",".. .. .. .."],["Croatia",["europe","eu-union","ex-yugos"],"hr","385"],["Cuba",["america","carribean"],"cu","53"],["Curaçao",["america","carribean"],"cw","599","",0],["Cyprus",["europe","eu-union"],"cy","357",".. ......"],["Czech Republic",["europe","eu-union"],"cz","420"],["Denmark",["europe","eu-union","baltic"],"dk","45",".. .. .. .."],["Djibouti",["africa"],"dj","253"],["Dominica",["america","carribean"],"dm","1767"],["Dominican Republic",["america","carribean"],"do","1","",2,["809","829","849"]],["Ecuador",["america","south-america"],"ec","593"],["Egypt",["africa","north-africa"],"eg","20"],["El Salvador",["america","central-america"],"sv","503","....-...."],["Equatorial Guinea",["africa"],"gq","240"],["Eritrea",["africa"],"er","291"],["Estonia",["europe","eu-union","ex-ussr","baltic"],"ee","372",".... ......"],["Ethiopia",["africa"],"et","251"],["Fiji",["oceania"],"fj","679"],["Finland",["europe","eu-union","baltic"],"fi","358",".. ... .. .."],["France",["europe","eu-union"],"fr","33",". .. .. .. .."],["French Guiana",["america","south-america"],"gf","594"],["French Polynesia",["oceania"],"pf","689"],["Gabon",["africa"],"ga","241"],["Gambia",["africa"],"gm","220"],["Georgia",["asia","ex-ussr"],"ge","995"],["Germany",["europe","eu-union","baltic"],"de","49",".... ........"],["Ghana",["africa"],"gh","233"],["Greece",["europe","eu-union"],"gr","30"],["Grenada",["america","carribean"],"gd","1473"],["Guadeloupe",["america","carribean"],"gp","590","",0],["Guam",["oceania"],"gu","1671"],["Guatemala",["america","central-america"],"gt","502","....-...."],["Guinea",["africa"],"gn","224"],["Guinea-Bissau",["africa"],"gw","245"],["Guyana",["america","south-america"],"gy","592"],["Haiti",["america","carribean"],"ht","509","....-...."],["Honduras",["america","central-america"],"hn","504"],["Hong Kong",["asia"],"hk","852",".... ...."],["Hungary",["europe","eu-union"],"hu","36"],["Iceland",["europe"],"is","354","... ...."],["India",["asia"],"in","91",".....-....."],["Indonesia",["asia"],"id","62"],["Iran",["middle-east"],"ir","98","... ... ...."],["Iraq",["middle-east"],"iq","964"],["Ireland",["europe","eu-union"],"ie","353",".. ......."],["Israel",["middle-east"],"il","972","... ... ...."],["Italy",["europe","eu-union"],"it","39","... .......",0],["Jamaica",["america","carribean"],"jm","1876"],["Japan",["asia"],"jp","81",".. .... ...."],["Jordan",["middle-east"],"jo","962"],["Kazakhstan",["asia","ex-ussr"],"kz","7","... ...-..-..",1,["310","311","312","313","315","318","321","324","325","326","327","336","7172","73622"]],["Kenya",["africa"],"ke","254"],["Kiribati",["oceania"],"ki","686"],["Kosovo",["europe","ex-yugos"],"xk","383"],["Kuwait",["middle-east"],"kw","965"],["Kyrgyzstan",["asia","ex-ussr"],"kg","996"],["Laos",["asia"],"la","856"],["Latvia",["europe","eu-union","ex-ussr","baltic"],"lv","371"],["Lebanon",["middle-east"],"lb","961"],["Lesotho",["africa"],"ls","266"],["Liberia",["africa"],"lr","231"],["Libya",["africa","north-africa"],"ly","218"],["Liechtenstein",["europe"],"li","423"],["Lithuania",["europe","eu-union","ex-ussr","baltic"],"lt","370"],["Luxembourg",["europe","eu-union"],"lu","352"],["Macau",["asia"],"mo","853"],["Macedonia",["europe","ex-yugos"],"mk","389"],["Madagascar",["africa"],"mg","261"],["Malawi",["africa"],"mw","265"],["Malaysia",["asia"],"my","60","..-....-...."],["Maldives",["asia"],"mv","960"],["Mali",["africa"],"ml","223"],["Malta",["europe","eu-union"],"mt","356"],["Marshall Islands",["oceania"],"mh","692"],["Martinique",["america","carribean"],"mq","596"],["Mauritania",["africa"],"mr","222"],["Mauritius",["africa"],"mu","230"],["Mexico",["america","central-america"],"mx","52","... ... ....",0,["55","81","33","656","664","998","774","229"]],["Micronesia",["oceania"],"fm","691"],["Moldova",["europe"],"md","373","(..) ..-..-.."],["Monaco",["europe"],"mc","377"],["Mongolia",["asia"],"mn","976"],["Montenegro",["europe","ex-yugos"],"me","382"],["Morocco",["africa","north-africa"],"ma","212"],["Mozambique",["africa"],"mz","258"],["Myanmar",["asia"],"mm","95"],["Namibia",["africa"],"na","264"],["Nauru",["africa"],"nr","674"],["Nepal",["asia"],"np","977"],["Netherlands",["europe","eu-union"],"nl","31",".. ........"],["New Caledonia",["oceania"],"nc","687"],["New Zealand",["oceania"],"nz","64","...-...-...."],["Nicaragua",["america","central-america"],"ni","505"],["Niger",["africa"],"ne","227"],["Nigeria",["africa"],"ng","234"],["North Korea",["asia"],"kp","850"],["Norway",["europe","baltic"],"no","47","... .. ..."],["Oman",["middle-east"],"om","968"],["Pakistan",["asia"],"pk","92","...-......."],["Palau",["oceania"],"pw","680"],["Palestine",["middle-east"],"ps","970"],["Panama",["america","central-america"],"pa","507"],["Papua New Guinea",["oceania"],"pg","675"],["Paraguay",["america","south-america"],"py","595"],["Peru",["america","south-america"],"pe","51"],["Philippines",["asia"],"ph","63",".... ......."],["Poland",["europe","eu-union","baltic"],"pl","48","...-...-..."],["Portugal",["europe","eu-union"],"pt","351"],["Puerto Rico",["america","carribean"],"pr","1","",3,["787","939"]],["Qatar",["middle-east"],"qa","974"],["Réunion",["africa"],"re","262"],["Romania",["europe","eu-union"],"ro","40"],["Russia",["europe","asia","ex-ussr","baltic"],"ru","7","(...) ...-..-..",0],["Rwanda",["africa"],"rw","250"],["Saint Kitts and Nevis",["america","carribean"],"kn","1869"],["Saint Lucia",["america","carribean"],"lc","1758"],["Saint Vincent and the Grenadines",["america","carribean"],"vc","1784"],["Samoa",["oceania"],"ws","685"],["San Marino",["europe"],"sm","378"],["São Tomé and Príncipe",["africa"],"st","239"],["Saudi Arabia",["middle-east"],"sa","966"],["Senegal",["africa"],"sn","221"],["Serbia",["europe","ex-yugos"],"rs","381"],["Seychelles",["africa"],"sc","248"],["Sierra Leone",["africa"],"sl","232"],["Singapore",["asia"],"sg","65","....-...."],["Slovakia",["europe","eu-union"],"sk","421"],["Slovenia",["europe","eu-union","ex-yugos"],"si","386"],["Solomon Islands",["oceania"],"sb","677"],["Somalia",["africa"],"so","252"],["South Africa",["africa"],"za","27"],["South Korea",["asia"],"kr","82","... .... ...."],["South Sudan",["africa","north-africa"],"ss","211"],["Spain",["europe","eu-union"],"es","34","... ... ..."],["Sri Lanka",["asia"],"lk","94"],["Sudan",["africa"],"sd","249"],["Suriname",["america","south-america"],"sr","597"],["Swaziland",["africa"],"sz","268"],["Sweden",["europe","eu-union","baltic"],"se","46","(...) ...-..."],["Switzerland",["europe"],"ch","41",".. ... .. .."],["Syria",["middle-east"],"sy","963"],["Taiwan",["asia"],"tw","886"],["Tajikistan",["asia","ex-ussr"],"tj","992"],["Tanzania",["africa"],"tz","255"],["Thailand",["asia"],"th","66"],["Timor-Leste",["asia"],"tl","670"],["Togo",["africa"],"tg","228"],["Tonga",["oceania"],"to","676"],["Trinidad and Tobago",["america","carribean"],"tt","1868"],["Tunisia",["africa","north-africa"],"tn","216"],["Turkey",["europe"],"tr","90","... ... .. .."],["Turkmenistan",["asia","ex-ussr"],"tm","993"],["Tuvalu",["asia"],"tv","688"],["Uganda",["africa"],"ug","256"],["Ukraine",["europe","ex-ussr"],"ua","380","(..) ... .. .."],["United Arab Emirates",["middle-east"],"ae","971"],["United Kingdom",["europe","eu-union"],"gb","44",".... ......"],["United States",["america","north-america"],"us","1","(...) ...-....",0,["907","205","251","256","334","479","501","870","480","520","602","623","928","209","213","310","323","408","415","510","530","559","562","619","626","650","661","707","714","760","805","818","831","858","909","916","925","949","951","303","719","970","203","860","202","302","239","305","321","352","386","407","561","727","772","813","850","863","904","941","954","229","404","478","706","770","912","808","319","515","563","641","712","208","217","309","312","618","630","708","773","815","847","219","260","317","574","765","812","316","620","785","913","270","502","606","859","225","318","337","504","985","413","508","617","781","978","301","410","207","231","248","269","313","517","586","616","734","810","906","989","218","320","507","612","651","763","952","314","417","573","636","660","816","228","601","662","406","252","336","704","828","910","919","701","308","402","603","201","609","732","856","908","973","505","575","702","775","212","315","516","518","585","607","631","716","718","845","914","216","330","419","440","513","614","740","937","405","580","918","503","541","215","412","570","610","717","724","814","401","803","843","864","605","423","615","731","865","901","931","210","214","254","281","325","361","409","432","512","713","806","817","830","903","915","936","940","956","972","979","435","801","276","434","540","703","757","804","802","206","253","360","425","509","262","414","608","715","920","304","307"]],["Uruguay",["america","south-america"],"uy","598"],["Uzbekistan",["asia","ex-ussr"],"uz","998"],["Vanuatu",["oceania"],"vu","678"],["Vatican City",["europe"],"va","39",".. .... ....",1],["Venezuela",["america","south-america"],"ve","58"],["Vietnam",["asia"],"vn","84"],["Yemen",["middle-east"],"ye","967"],["Zambia",["africa"],"zm","260"],["Zimbabwe",["africa"],"zw","263"]],_=[["American Samoa",["oceania"],"as","1684"],["Anguilla",["america","carribean"],"ai","1264"],["Bermuda",["america","north-america"],"bm","1441"],["British Virgin Islands",["america","carribean"],"vg","1284"],["Cayman Islands",["america","carribean"],"ky","1345"],["Cook Islands",["oceania"],"ck","682"],["Falkland Islands",["america","south-america"],"fk","500"],["Faroe Islands",["europe"],"fo","298"],["Gibraltar",["europe"],"gi","350"],["Greenland",["america"],"gl","299"],["Jersey",["europe","eu-union"],"je","44",".... ......"],["Montserrat",["america","carribean"],"ms","1664"],["Niue",["asia"],"nu","683"],["Norfolk Island",["oceania"],"nf","672"],["Northern Mariana Islands",["oceania"],"mp","1670"],["Saint Barthélemy",["america","carribean"],"bl","590","",1],["Saint Helena",["africa"],"sh","290"],["Saint Martin",["america","carribean"],"mf","590","",2],["Saint Pierre and Miquelon",["america","north-america"],"pm","508"],["Sint Maarten",["america","carribean"],"sx","1721"],["Tokelau",["oceania"],"tk","690"],["Turks and Caicos Islands",["america","carribean"],"tc","1649"],["U.S. Virgin Islands",["america","carribean"],"vi","1340"],["Wallis and Futuna",["oceania"],"wf","681"]];function P(e,t,n,r,o){return!n||o?e+"".padEnd(t.length,".")+" "+r:e+"".padEnd(t.length,".")+" "+n}function j(e,t,n,o,i){var s,u,c=[];return u=!0===t,[(s=[]).concat.apply(s,a(e.map((function(e){var a={name:e[0],regions:e[1],iso2:e[2],countryCode:e[3],dialCode:e[3],format:P(n,e[3],e[4],o,i),priority:e[5]||0},s=[];return e[6]&&e[6].map((function(t){var n=function(e){for(var t=1;t<arguments.length;t++){var n=null!=arguments[t]?arguments[t]:{},o=Object.keys(n);"function"==typeof Object.getOwnPropertySymbols&&(o=o.concat(Object.getOwnPropertySymbols(n).filter((function(e){return Object.getOwnPropertyDescriptor(n,e).enumerable})))),o.forEach((function(t){r(e,t,n[t])}))}return e}({},a);n.dialCode=e[3]+t,n.isAreaCode=!0,n.areaCodeLength=t.length,s.push(n)})),s.length>0?(a.mainCode=!0,u||"Array"===t.constructor.name&&t.includes(e[2])?(a.hasAreaCodes=!0,[a].concat(s)):(c=c.concat(s),[a])):[a]})))),c]}function T(e,t,n,r){if(null!==n){var o=Object.keys(n),a=Object.values(n);o.forEach((function(n,o){if(r)return e.push([n,a[o]]);var i=e.findIndex((function(e){return e[0]===n}));if(-1===i){var s=[n];s[t]=a[o],e.push(s)}else e[i][t]=a[o]}))}}function A(e,t){return 0===t.length?e:e.map((function(e){var n=t.findIndex((function(t){return t[0]===e[2]}));if(-1===n)return e;var r=t[n];return r[1]&&(e[4]=r[1]),r[3]&&(e[5]=r[3]),r[2]&&(e[6]=r[2]),e}))}var I=function R(e,t,n,r,o,i,s,c,l,f,d,p,h,m){u(this,R),this.filterRegions=function(e,t){if("string"==typeof e){var n=e;return t.filter((function(e){return e.regions.some((function(e){return e===n}))}))}return t.filter((function(t){return e.map((function(e){return t.regions.some((function(t){return t===e}))})).some((function(e){return e}))}))},this.sortTerritories=function(e,t){var n=[].concat(a(e),a(t));return n.sort((function(e,t){return e.name<t.name?-1:e.name>t.name?1:0})),n},this.getFilteredCountryList=function(e,t,n){return 0===e.length?t:n?e.map((function(e){var n=t.find((function(t){return t.iso2===e}));if(n)return n})).filter((function(e){return e})):t.filter((function(t){return e.some((function(e){return e===t.iso2}))}))},this.localizeCountries=function(e,t,n){for(var r=0;r<e.length;r++)void 0!==t[e[r].iso2]?e[r].localName=t[e[r].iso2]:void 0!==t[e[r].name]&&(e[r].localName=t[e[r].name]);return n||e.sort((function(e,t){return e.localName<t.localName?-1:e.localName>t.localName?1:0})),e},this.getCustomAreas=function(e,t){for(var n=[],r=0;r<t.length;r++){var o=JSON.parse(JSON.stringify(e));o.dialCode+=t[r],n.push(o)}return n},this.excludeCountries=function(e,t){return 0===t.length?e:e.filter((function(e){return!t.includes(e.iso2)}))};var g=function(e,t,n){var r=[];return T(r,1,e,!0),T(r,3,t),T(r,2,n),r}(c,l,f),v=A(JSON.parse(JSON.stringify(M)),g),y=A(JSON.parse(JSON.stringify(_)),g),b=E(j(v,e,p,h,m),2),w=b[0],C=b[1];if(t){var O=E(j(y,e,p,h,m),2),x=O[0];O[1],w=this.sortTerritories(x,w)}n&&(w=this.filterRegions(n,w)),this.onlyCountries=this.localizeCountries(this.excludeCountries(this.getFilteredCountryList(r,w,s.includes("onlyCountries")),i),d,s.includes("onlyCountries")),this.preferredCountries=0===o.length?[]:this.localizeCountries(this.getFilteredCountryList(o,w,s.includes("preferredCountries")),d,s.includes("preferredCountries")),this.hiddenAreaCodes=this.excludeCountries(this.getFilteredCountryList(r,C),i)},N=function(e){function t(e){var n;u(this,t),(n=function(e,t){return!t||"object"!==f(t)&&"function"!=typeof t?d(e):t}(this,p(t).call(this,e))).getProbableCandidate=w()((function(e){return e&&0!==e.length?n.state.onlyCountries.filter((function(t){return k()(t.name.toLowerCase(),e.toLowerCase())}),d(d(n)))[0]:null})),n.guessSelectedCountry=w()((function(e,t,r,o){var a;if(!1===n.props.enableAreaCodes&&(o.some((function(t){if(k()(e,t.dialCode))return r.some((function(e){if(t.iso2===e.iso2&&e.mainCode)return a=e,!0})),!0})),a))return a;var i=r.find((function(e){return e.iso2==t}));if(""===e.trim())return i;var s=r.reduce((function(t,n){if(k()(e,n.dialCode)){if(n.dialCode.length>t.dialCode.length)return n;if(n.dialCode.length===t.dialCode.length&&n.priority<t.priority)return n}return t}),{dialCode:"",priority:10001},d(d(n)));return s.name?s:i})),n.updateCountry=function(e){var t,r=n.state.onlyCountries;(t=e.indexOf(0)>="0"&&e.indexOf(0)<="9"?r.find((function(t){return t.dialCode==+e})):r.find((function(t){return t.iso2==e})))&&t.dialCode&&n.setState({selectedCountry:t,formattedNumber:n.props.disableCountryCode?"":n.formatNumber(t.dialCode,t)})},n.scrollTo=function(e,t){if(e){var r=n.dropdownRef;if(r&&document.body){var o=r.offsetHeight,a=r.getBoundingClientRect().top+document.body.scrollTop,i=a+o,s=e,u=s.getBoundingClientRect(),c=s.offsetHeight,l=u.top+document.body.scrollTop,f=l+c,d=l-a+r.scrollTop,p=o/2-c/2;if(n.props.enableSearch?l<a+32:l<a)t&&(d-=p),r.scrollTop=d;else if(f>i){t&&(d+=p);var h=o-c;r.scrollTop=d-h}}}},n.scrollToTop=function(){var e=n.dropdownRef;e&&document.body&&(e.scrollTop=0)},n.formatNumber=function(e,t){if(!t)return e;var r,a=t.format,u=n.props,c=u.disableCountryCode,l=u.enableAreaCodeStretch,f=u.enableLongNumbers,d=u.autoFormat;if(c?((r=a.split(" ")).shift(),r=r.join(" ")):l&&t.isAreaCode?((r=a.split(" "))[1]=r[1].replace(/\.+/,"".padEnd(t.areaCodeLength,".")),r=r.join(" ")):r=a,!e||0===e.length)return c?"":n.props.prefix;if(e&&e.length<2||!r||!d)return c?e:n.props.prefix+e;var p,h=O()(r,(function(e,t){if(0===e.remainingText.length)return e;if("."!==t)return{formattedText:e.formattedText+t,remainingText:e.remainingText};var n,r=i(n=e.remainingText)||o(n)||s(),a=r[0],u=r.slice(1);return{formattedText:e.formattedText+a,remainingText:u}}),{formattedText:"",remainingText:e.split("")});return(p=f?h.formattedText+h.remainingText.join(""):h.formattedText).includes("(")&&!p.includes(")")&&(p+=")"),p},n.cursorToEnd=function(){var e=n.numberInputRef;e.focus();var t=e.value.length;")"===e.value.charAt(t-1)&&(t-=1),e.setSelectionRange(t,t)},n.getElement=function(e){return n["flag_no_".concat(e)]},n.getCountryData=function(){return n.state.selectedCountry?{name:n.state.selectedCountry.name||"",dialCode:n.state.selectedCountry.dialCode||"",countryCode:n.state.selectedCountry.iso2||"",format:n.state.selectedCountry.format||""}:{}},n.handleFlagDropdownClick=function(e){if(e.preventDefault(),n.state.showDropdown||!n.props.disabled){var t=n.state,r=t.preferredCountries,o=t.selectedCountry,a=r.concat(n.state.onlyCountries).findIndex((function(e){return e.dialCode===o.dialCode&&e.iso2===o.iso2}));n.setState({showDropdown:!n.state.showDropdown,highlightCountryIndex:a},(function(){n.state.showDropdown&&n.scrollTo(n.getElement(n.state.highlightCountryIndex))}))}},n.handleInput=function(e){var t=e.target.value,r=n.props,o=r.prefix,a=r.onChange,i=n.props.disableCountryCode?"":o,s=n.state.selectedCountry,u=n.state.freezeSelection;if(!n.props.countryCodeEditable){var c=o+(s.hasAreaCodes?n.state.onlyCountries.find((function(e){return e.iso2===s.iso2&&e.mainCode})).dialCode:s.dialCode);if(t.slice(0,c.length)!==c)return}if(t===o)return a&&a("",n.getCountryData(),e,""),n.setState({formattedNumber:""});if(t.replace(/\D/g,"").length>15){if(!1===n.props.enableLongNumbers)return;if("number"==typeof n.props.enableLongNumbers&&t.replace(/\D/g,"").length>n.props.enableLongNumbers)return}if(t!==n.state.formattedNumber){e.preventDefault?e.preventDefault():e.returnValue=!1;var l=n.props.country,f=n.state,d=f.onlyCountries,p=f.selectedCountry,h=f.hiddenAreaCodes;if(a&&e.persist(),t.length>0){var m=t.replace(/\D/g,"");(!n.state.freezeSelection||p.dialCode.length>m.length)&&(s=n.props.disableCountryGuess?p:n.guessSelectedCountry(m.substring(0,6),l,d,h)||p,u=!1),i=n.formatNumber(m,s),s=s.dialCode?s:p}var g=e.target.selectionStart,v=n.state.formattedNumber,y=i.length-v.length;n.setState({formattedNumber:i,freezeSelection:u,selectedCountry:s},(function(){y>0&&(g-=y),")"==i.charAt(i.length-1)?n.numberInputRef.setSelectionRange(i.length-1,i.length-1):g>0&&v.length>=i.length&&n.numberInputRef.setSelectionRange(g,g),a&&a(i.replace(/[^0-9]+/g,""),n.getCountryData(),e,i)}))}},n.handleInputClick=function(e){n.setState({showDropdown:!1}),n.props.onClick&&n.props.onClick(e,n.getCountryData())},n.handleDoubleClick=function(e){var t=e.target.value.length;e.target.setSelectionRange(0,t)},n.handleFlagItemClick=function(e,t){var r=n.state.selectedCountry,o=n.state.onlyCountries.find((function(t){return t==e}));if(o){var a=n.state.formattedNumber.replace(" ","").replace("(","").replace(")","").replace("-",""),i=a.length>1?a.replace(r.dialCode,o.dialCode):o.dialCode,s=n.formatNumber(i.replace(/\D/g,""),o);n.setState({showDropdown:!1,selectedCountry:o,freezeSelection:!0,formattedNumber:s},(function(){n.cursorToEnd(),n.props.onChange&&n.props.onChange(s.replace(/[^0-9]+/g,""),n.getCountryData(),t,s)}))}},n.handleInputFocus=function(e){n.numberInputRef&&n.numberInputRef.value===n.props.prefix&&n.state.selectedCountry&&!n.props.disableCountryCode&&n.setState({formattedNumber:n.props.prefix+n.state.selectedCountry.dialCode},(function(){n.props.jumpCursorToEnd&&setTimeout(n.cursorToEnd,0)})),n.setState({placeholder:""}),n.props.onFocus&&n.props.onFocus(e,n.getCountryData()),n.props.jumpCursorToEnd&&setTimeout(n.cursorToEnd,0)},n.handleInputBlur=function(e){e.target.value||n.setState({placeholder:n.props.placeholder}),n.props.onBlur&&n.props.onBlur(e,n.getCountryData())},n.handleInputCopy=function(e){if(n.props.copyNumbersOnly){var t=window.getSelection().toString().replace(/[^0-9]+/g,"");e.clipboardData.setData("text/plain",t),e.preventDefault()}},n.getHighlightCountryIndex=function(e){var t=n.state.highlightCountryIndex+e;return t<0||t>=n.state.onlyCountries.length+n.state.preferredCountries.length?t-e:n.props.enableSearch&&t>n.getSearchFilteredCountries().length?0:t},n.searchCountry=function(){var e=n.getProbableCandidate(n.state.queryString)||n.state.onlyCountries[0],t=n.state.onlyCountries.findIndex((function(t){return t==e}))+n.state.preferredCountries.length;n.scrollTo(n.getElement(t),!0),n.setState({queryString:"",highlightCountryIndex:t})},n.handleKeydown=function(e){var t=n.props.keys,r=e.target.className;if(r.includes("selected-flag")&&e.which===t.ENTER&&!n.state.showDropdown)return n.handleFlagDropdownClick(e);if(r.includes("form-control")&&(e.which===t.ENTER||e.which===t.ESC))return e.target.blur();if(n.state.showDropdown&&!n.props.disabled&&(!r.includes("search-box")||e.which===t.UP||e.which===t.DOWN||e.which===t.ENTER||e.which===t.ESC&&""===e.target.value)){e.preventDefault?e.preventDefault():e.returnValue=!1;var o=function(e){n.setState({highlightCountryIndex:n.getHighlightCountryIndex(e)},(function(){n.scrollTo(n.getElement(n.state.highlightCountryIndex),!0)}))};switch(e.which){case t.DOWN:o(1);break;case t.UP:o(-1);break;case t.ENTER:n.props.enableSearch?n.handleFlagItemClick(n.getSearchFilteredCountries()[n.state.highlightCountryIndex]||n.getSearchFilteredCountries()[0],e):n.handleFlagItemClick([].concat(a(n.state.preferredCountries),a(n.state.onlyCountries))[n.state.highlightCountryIndex],e);break;case t.ESC:case t.TAB:n.setState({showDropdown:!1},n.cursorToEnd);break;default:(e.which>=t.A&&e.which<=t.Z||e.which===t.SPACE)&&n.setState({queryString:n.state.queryString+String.fromCharCode(e.which)},n.state.debouncedQueryStingSearcher)}}},n.handleInputKeyDown=function(e){var t=n.props,r=t.keys,o=t.onEnterKeyPress,a=t.onKeyDown;e.which===r.ENTER&&o&&o(e),a&&a(e)},n.handleClickOutside=function(e){n.dropdownRef&&!n.dropdownContainerRef.contains(e.target)&&n.state.showDropdown&&n.setState({showDropdown:!1})},n.handleSearchChange=function(e){var t=e.currentTarget.value,r=n.state,o=r.preferredCountries,a=r.selectedCountry,i=0;if(""===t&&a){var s=n.state.onlyCountries;i=o.concat(s).findIndex((function(e){return e==a})),setTimeout((function(){return n.scrollTo(n.getElement(i))}),100)}n.setState({searchValue:t,highlightCountryIndex:i})},n.getDropdownCountryName=function(e){return e.localName||e.name},n.getSearchFilteredCountries=function(){var e=n.state,t=e.preferredCountries,r=e.onlyCountries,o=e.searchValue,i=n.props.enableSearch,s=t.concat(r),u=o.trim().toLowerCase();if(i&&u){if(/^\d+$/.test(u))return s.filter((function(e){var t=e.dialCode;return["".concat(t)].some((function(e){return e.toLowerCase().includes(u)}))}));var c=s.filter((function(e){var t=e.iso2;return["".concat(t)].some((function(e){return e.toLowerCase().includes(u)}))})),l=s.filter((function(e){var t=e.name,n=e.localName;return e.iso2,["".concat(t),"".concat(n||"")].some((function(e){return e.toLowerCase().includes(u)}))}));return n.scrollToTop(),a(new Set([].concat(c,l)))}return s},n.getCountryDropdownList=function(){var e,t=n.state,o=t.preferredCountries,a=t.highlightCountryIndex,i=t.showDropdown,s=t.searchValue,u=n.props,c=u.disableDropdown,l=u.prefix,f=n.props,d=f.enableSearch,p=f.searchNotFound,h=f.disableSearchIcon,m=f.searchClass,v=f.searchStyle,y=f.searchPlaceholder,b=f.autocompleteSearch,w=n.getSearchFilteredCountries().map((function(e,t){var r=a===t,o=S()({country:!0,preferred:"us"===e.iso2||"gb"===e.iso2,active:"us"===e.iso2,highlight:r}),i="flag ".concat(e.iso2);return g.a.createElement("li",Object.assign({ref:function(e){return n["flag_no_".concat(t)]=e},key:"flag_no_".concat(t),"data-flag-key":"flag_no_".concat(t),className:o,"data-dial-code":"1",tabIndex:c?"-1":"0","data-country-code":e.iso2,onClick:function(t){return n.handleFlagItemClick(e,t)},role:"option"},r?{"aria-selected":!0}:{}),g.a.createElement("div",{className:i}),g.a.createElement("span",{className:"country-name"},n.getDropdownCountryName(e)),g.a.createElement("span",{className:"dial-code"},e.format?n.formatNumber(e.dialCode,e):l+e.dialCode))})),C=g.a.createElement("li",{key:"dashes",className:"divider"});o.length>0&&(!d||d&&!s.trim())&&w.splice(o.length,0,C);var O=S()((r(e={},n.props.dropdownClass,!0),r(e,"country-list",!0),r(e,"hide",!i),e));return g.a.createElement("ul",{ref:function(e){return!d&&e&&e.focus(),n.dropdownRef=e},className:O,style:n.props.dropdownStyle,role:"listbox",tabIndex:"0"},d&&g.a.createElement("li",{className:S()(r({search:!0},m,m))},!h&&g.a.createElement("span",{className:S()(r({"search-emoji":!0},"".concat(m,"-emoji"),m)),role:"img","aria-label":"Magnifying glass"},"🔎"),g.a.createElement("input",{className:S()(r({"search-box":!0},"".concat(m,"-box"),m)),style:v,type:"search",placeholder:y,autoFocus:!0,autoComplete:b?"on":"off",value:s,onChange:n.handleSearchChange})),w.length>0?w:g.a.createElement("li",{className:"no-entries-message"},g.a.createElement("span",null,p)))};var c,l=new I(e.enableAreaCodes,e.enableTerritories,e.regions,e.onlyCountries,e.preferredCountries,e.excludeCountries,e.preserveOrder,e.masks,e.priority,e.areaCodes,e.localization,e.prefix,e.defaultMask,e.alwaysDefaultMask),h=l.onlyCountries,m=l.preferredCountries,v=l.hiddenAreaCodes,b=e.value?e.value.replace(/\D/g,""):"";c=e.disableInitialCountryGuess?0:b.length>1?n.guessSelectedCountry(b.substring(0,6),e.country,h,v)||0:e.country&&h.find((function(t){return t.iso2==e.country}))||0;var C,x=b.length<2&&c&&!k()(b,c.dialCode)?c.dialCode:"";C=""===b&&0===c?"":n.formatNumber((e.disableCountryCode?"":x)+b,c.name?c:void 0);var D=h.findIndex((function(e){return e==c}));return n.state={showDropdown:e.showDropdown,formattedNumber:C,onlyCountries:h,preferredCountries:m,hiddenAreaCodes:v,selectedCountry:c,highlightCountryIndex:D,queryString:"",freezeSelection:!1,debouncedQueryStingSearcher:y()(n.searchCountry,250),searchValue:""},n}var n,l;return function(e,t){if("function"!=typeof t&&null!==t)throw new TypeError("Super expression must either be null or a function");e.prototype=Object.create(t&&t.prototype,{constructor:{value:e,writable:!0,configurable:!0}}),t&&h(e,t)}(t,e),n=t,(l=[{key:"componentDidMount",value:function(){document.addEventListener&&this.props.enableClickOutside&&document.addEventListener("mousedown",this.handleClickOutside)}},{key:"componentWillUnmount",value:function(){document.removeEventListener&&this.props.enableClickOutside&&document.removeEventListener("mousedown",this.handleClickOutside)}},{key:"componentDidUpdate",value:function(e,t,n){e.country!==this.props.country?this.updateCountry(this.props.country):e.value!==this.props.value&&this.updateFormattedNumber(this.props.value)}},{key:"updateFormattedNumber",value:function(e){if(null===e)return this.setState({selectedCountry:0,formattedNumber:""});var t=this.state,n=t.onlyCountries,r=t.selectedCountry,o=t.hiddenAreaCodes,a=this.props,i=a.country,s=a.prefix;if(""===e)return this.setState({selectedCountry:r,formattedNumber:""});var u,c,l=e.replace(/\D/g,"");if(r&&k()(e,s+r.dialCode))c=this.formatNumber(l,r),this.setState({formattedNumber:c});else{var f=(u=this.props.disableCountryGuess?r:this.guessSelectedCountry(l.substring(0,6),i,n,o)||r)&&k()(l,s+u.dialCode)?u.dialCode:"";c=this.formatNumber((this.props.disableCountryCode?"":f)+l,u||void 0),this.setState({selectedCountry:u,formattedNumber:c})}}},{key:"render",value:function(){var e,t,n,o,a,i=this,s=this.state,u=s.onlyCountries,c=s.selectedCountry,l=s.showDropdown,f=s.formattedNumber,d=s.hiddenAreaCodes,p=this.props,h=p.disableDropdown,m=p.renderStringAsFlag,v=p.isValid,y=p.defaultErrorMessage,b=p.specialLabel;if("boolean"==typeof v)o=v;else{var w=v(f.replace(/\D/g,""),c,u,d);"boolean"==typeof w?!1===(o=w)&&(a=y):(o=!1,a=w)}var C=S()((r(e={},this.props.containerClass,!0),r(e,"react-tel-input",!0),e)),O=S()({arrow:!0,up:l}),x=S()((r(t={},this.props.inputClass,!0),r(t,"form-control",!0),r(t,"invalid-number",!o),r(t,"open",l),t)),k=S()({"selected-flag":!0,open:l}),D=S()((r(n={},this.props.buttonClass,!0),r(n,"flag-dropdown",!0),r(n,"invalid-number",!o),r(n,"open",l),n)),E="flag ".concat(c&&c.iso2);return g.a.createElement("div",{className:C,style:this.props.style||this.props.containerStyle,onKeyDown:this.handleKeydown},b&&g.a.createElement("div",{className:"special-label"},b),a&&g.a.createElement("div",{className:"invalid-number-message"},a),g.a.createElement("input",Object.assign({className:x,style:this.props.inputStyle,onChange:this.handleInput,onClick:this.handleInputClick,onDoubleClick:this.handleDoubleClick,onFocus:this.handleInputFocus,onBlur:this.handleInputBlur,onCopy:this.handleInputCopy,value:f,ref:function(e){return i.numberInputRef=e},onKeyDown:this.handleInputKeyDown,placeholder:this.props.placeholder,disabled:this.props.disabled,type:"tel"},this.props.inputProps)),g.a.createElement("div",{className:D,style:this.props.buttonStyle,ref:function(e){return i.dropdownContainerRef=e}},m?g.a.createElement("div",{className:k},m):g.a.createElement("div",{onClick:h?void 0:this.handleFlagDropdownClick,className:k,title:c?"".concat(c.name,": + ").concat(c.dialCode):"",tabIndex:h?"-1":"0",role:"button","aria-haspopup":"listbox","aria-expanded":!!l||void 0},g.a.createElement("div",{className:E},!h&&g.a.createElement("div",{className:O}))),l&&this.getCountryDropdownList()))}}])&&c(n.prototype,l),t}(g.a.Component);N.defaultProps={country:"",value:"",onlyCountries:[],preferredCountries:[],excludeCountries:[],placeholder:"1 (702) 123-4567",searchPlaceholder:"search",searchNotFound:"No entries to show",flagsImagePath:"./flags.png",disabled:!1,containerStyle:{},inputStyle:{},buttonStyle:{},dropdownStyle:{},searchStyle:{},containerClass:"",inputClass:"",buttonClass:"",dropdownClass:"",searchClass:"",autoFormat:!0,enableAreaCodes:!1,enableTerritories:!1,disableCountryCode:!1,disableDropdown:!1,enableLongNumbers:!1,countryCodeEditable:!0,enableSearch:!1,disableSearchIcon:!1,disableInitialCountryGuess:!1,disableCountryGuess:!1,regions:"",inputProps:{},localization:{},masks:null,priority:null,areaCodes:null,preserveOrder:[],defaultMask:"... ... ... ... ..",alwaysDefaultMask:!1,prefix:"+",copyNumbersOnly:!0,renderStringAsFlag:"",autocompleteSearch:!1,jumpCursorToEnd:!0,enableAreaCodeStretch:!1,enableClickOutside:!0,showDropdown:!1,isValid:!0,defaultErrorMessage:"",specialLabel:"Phone",onEnterKeyPress:null,keys:{UP:38,DOWN:40,RIGHT:39,LEFT:37,ENTER:13,ESC:27,PLUS:43,A:65,Z:90,SPACE:32,TAB:9}},t["default"]=N}])},73:function(e,t,n){var r;e.exports=(r=n(363),function(e){function t(r){if(n[r])return n[r].exports;var o=n[r]={exports:{},id:r,loaded:!1};return e[r].call(o.exports,o,o.exports,t),o.loaded=!0,o.exports}var n={};return t.m=e,t.c=n,t.p="",t(0)}([function(e,t,n){e.exports=n(2)},function(e,t){"use strict";function n(e,t){if(!(e instanceof t))throw new TypeError("Cannot call a class as a function")}Object.defineProperty(t,"__esModule",{value:!0});var r=function(){function e(e,t){for(var n=0;n<t.length;n++){var r=t[n];r.enumerable=r.enumerable||!1,r.configurable=!0,"value"in r&&(r.writable=!0),Object.defineProperty(e,r.key,r)}}return function(t,n,r){return n&&e(t.prototype,n),r&&e(t,r),t}}(),o=function(){function e(t,r,o,a){n(this,e),this.startPoint=t,this.control1=r,this.control2=o,this.endPoint=a}return r(e,[{key:"length",value:function(){var e,t,n,r,o,a,i,s,u=10,c=0;for(e=0;u>=e;e++)t=e/u,n=this._point(t,this.startPoint.x,this.control1.x,this.control2.x,this.endPoint.x),r=this._point(t,this.startPoint.y,this.control1.y,this.control2.y,this.endPoint.y),e>0&&(i=n-o,s=r-a,c+=Math.sqrt(i*i+s*s)),o=n,a=r;return c}},{key:"_point",value:function(e,t,n,r,o){return t*(1-e)*(1-e)*(1-e)+3*n*(1-e)*(1-e)*e+3*r*(1-e)*e*e+o*e*e*e}}]),e}();t["default"]=o,e.exports=t["default"]},function(e,t,n){"use strict";function r(e){return e&&e.__esModule?e:{"default":e}}function o(e,t){if(!(e instanceof t))throw new TypeError("Cannot call a class as a function")}function a(e,t){if("function"!=typeof t&&null!==t)throw new TypeError("Super expression must either be null or a function, not "+typeof t);e.prototype=Object.create(t&&t.prototype,{constructor:{value:e,enumerable:!1,writable:!0,configurable:!0}}),t&&(e.__proto__=t)}Object.defineProperty(t,"__esModule",{value:!0});var i=function(){function e(e,t){for(var n=0;n<t.length;n++){var r=t[n];r.enumerable=r.enumerable||!1,r.configurable=!0,"value"in r&&(r.writable=!0),Object.defineProperty(e,r.key,r)}}return function(t,n,r){return n&&e(t.prototype,n),r&&e(t,r),t}}(),s=function(e,t,n){for(var r=!0;r;){var o=e,a=t,i=n;s=c=u=void 0,r=!1,null===o&&(o=Function.prototype);var s=Object.getOwnPropertyDescriptor(o,a);if(void 0!==s){if("value"in s)return s.value;var u=s.get;return void 0===u?void 0:u.call(i)}var c=Object.getPrototypeOf(o);if(null===c)return;e=c,t=a,n=i,r=!0}},u=r(n(4)),c=r(n(1)),l=r(n(3)),f=function(e){function t(e){o(this,t),s(Object.getPrototypeOf(t.prototype),"constructor",this).call(this,e),this.velocityFilterWeight=this.props.velocityFilterWeight||.7,this.minWidth=this.props.minWidth||.5,this.maxWidth=this.props.maxWidth||2.5,this.dotSize=this.props.dotSize||function(){return(this.minWidth+this.maxWidth)/2},this.penColor=this.props.penColor||"black",this.backgroundColor=this.props.backgroundColor||"rgba(0,0,0,0)",this.onEnd=this.props.onEnd,this.onBegin=this.props.onBegin}return a(t,e),i(t,[{key:"componentDidMount",value:function(){this._canvas=this.refs.cv,this._ctx=this._canvas.getContext("2d"),this.clear(),this._handleMouseEvents(),this._handleTouchEvents(),this._resizeCanvas()}},{key:"componentWillUnmount",value:function(){this.off()}},{key:"clear",value:function(e){e&&e.preventDefault();var t=this._ctx,n=this._canvas;t.fillStyle=this.backgroundColor,t.clearRect(0,0,n.width,n.height),t.fillRect(0,0,n.width,n.height),this._reset()}},{key:"toDataURL",value:function(e,t){var n=this._canvas;return n.toDataURL.apply(n,arguments)}},{key:"fromDataURL",value:function(e){var t=this,n=new Image,r=window.devicePixelRatio||1,o=this._canvas.width/r,a=this._canvas.height/r;this._reset(),n.src=e,n.onload=function(){t._ctx.drawImage(n,0,0,o,a)},this._isEmpty=!1}},{key:"isEmpty",value:function(){return this._isEmpty}},{key:"_resizeCanvas",value:function(){var e=this._ctx,t=this._canvas,n=Math.max(window.devicePixelRatio||1,1);t.width=t.offsetWidth*n,t.height=t.offsetHeight*n,e.scale(n,n),this._isEmpty=!0}},{key:"_reset",value:function(){this.points=[],this._lastVelocity=0,this._lastWidth=(this.minWidth+this.maxWidth)/2,this._isEmpty=!0,this._ctx.fillStyle=this.penColor}},{key:"_handleMouseEvents",value:function(){this._mouseButtonDown=!1,this._canvas.addEventListener("mousedown",this._handleMouseDown.bind(this)),this._canvas.addEventListener("mousemove",this._handleMouseMove.bind(this)),document.addEventListener("mouseup",this._handleMouseUp.bind(this)),window.addEventListener("resize",this._resizeCanvas.bind(this))}},{key:"_handleTouchEvents",value:function(){this._canvas.style.msTouchAction="none",this._canvas.addEventListener("touchstart",this._handleTouchStart.bind(this)),this._canvas.addEventListener("touchmove",this._handleTouchMove.bind(this)),document.addEventListener("touchend",this._handleTouchEnd.bind(this))}},{key:"off",value:function(){this._canvas.removeEventListener("mousedown",this._handleMouseDown),this._canvas.removeEventListener("mousemove",this._handleMouseMove),document.removeEventListener("mouseup",this._handleMouseUp),this._canvas.removeEventListener("touchstart",this._handleTouchStart),this._canvas.removeEventListener("touchmove",this._handleTouchMove),document.removeEventListener("touchend",this._handleTouchEnd),window.removeEventListener("resize",this._resizeCanvas)}},{key:"_handleMouseDown",value:function(e){1===e.which&&(this._mouseButtonDown=!0,this._strokeBegin(e))}},{key:"_handleMouseMove",value:function(e){this._mouseButtonDown&&this._strokeUpdate(e)}},{key:"_handleMouseUp",value:function(e){1===e.which&&this._mouseButtonDown&&(this._mouseButtonDown=!1,this._strokeEnd(e))}},{key:"_handleTouchStart",value:function(e){var t=e.changedTouches[0];this._strokeBegin(t)}},{key:"_handleTouchMove",value:function(e){e.preventDefault();var t=e.changedTouches[0];this._strokeUpdate(t)}},{key:"_handleTouchEnd",value:function(e){e.target===this._canvas&&this._strokeEnd(e)}},{key:"_strokeUpdate",value:function(e){var t=this._createPoint(e);this._addPoint(t)}},{key:"_strokeBegin",value:function(e){this._reset(),this._strokeUpdate(e),"function"==typeof this.onBegin&&this.onBegin(e)}},{key:"_strokeDraw",value:function(e){var t=this._ctx,n="function"==typeof this.dotSize?this.dotSize():this.dotSize;t.beginPath(),this._drawPoint(e.x,e.y,n),t.closePath(),t.fill()}},{key:"_strokeEnd",value:function(e){var t=this.points.length>2,n=this.points[0];!t&&n&&this._strokeDraw(n),"function"==typeof this.onEnd&&this.onEnd(e)}},{key:"_createPoint",value:function(e){var t=this._canvas.getBoundingClientRect();return new l["default"](e.clientX-t.left,e.clientY-t.top)}},{key:"_addPoint",value:function(e){var t,n,r,o=this.points;o.push(e),o.length>2&&(3===o.length&&o.unshift(o[0]),t=this._calculateCurveControlPoints(o[0],o[1],o[2]).c2,n=this._calculateCurveControlPoints(o[1],o[2],o[3]).c1,r=new c["default"](o[1],t,n,o[2]),this._addCurve(r),o.shift())}},{key:"_calculateCurveControlPoints",value:function(e,t,n){var r=e.x-t.x,o=e.y-t.y,a=t.x-n.x,i=t.y-n.y,s={x:(e.x+t.x)/2,y:(e.y+t.y)/2},u={x:(t.x+n.x)/2,y:(t.y+n.y)/2},c=Math.sqrt(r*r+o*o),f=Math.sqrt(a*a+i*i),d=s.x-u.x,p=s.y-u.y,h=f/(c+f),m={x:u.x+d*h,y:u.y+p*h},g=t.x-m.x,v=t.y-m.y;return{c1:new l["default"](s.x+g,s.y+v),c2:new l["default"](u.x+g,u.y+v)}}},{key:"_addCurve",value:function(e){var t,n,r=e.startPoint;t=e.endPoint.velocityFrom(r),t=this.velocityFilterWeight*t+(1-this.velocityFilterWeight)*this._lastVelocity,n=this._strokeWidth(t),this._drawCurve(e,this._lastWidth,n),this._lastVelocity=t,this._lastWidth=n}},{key:"_drawPoint",value:function(e,t,n){var r=this._ctx;r.moveTo(e,t),r.arc(e,t,n,0,2*Math.PI,!1),this._isEmpty=!1}},{key:"_drawCurve",value:function(e,t,n){var r,o,a,i,s,u,c,l,f,d,p,h=this._ctx,m=n-t;for(r=Math.floor(e.length()),h.beginPath(),a=0;r>a;a++)u=(s=(i=a/r)*i)*i,d=(f=(l=(c=1-i)*c)*c)*e.startPoint.x,d+=3*l*i*e.control1.x,d+=3*c*s*e.control2.x,d+=u*e.endPoint.x,p=f*e.startPoint.y,p+=3*l*i*e.control1.y,p+=3*c*s*e.control2.y,p+=u*e.endPoint.y,o=t+u*m,this._drawPoint(d,p,o);h.closePath(),h.fill()}},{key:"_strokeWidth",value:function(e){return Math.max(this.maxWidth/(e+1),this.minWidth)}},{key:"render",value:function(){return u["default"].createElement("div",{id:"signature-pad",className:"m-signature-pad"},u["default"].createElement("div",{className:"m-signature-pad--body"},u["default"].createElement("canvas",{ref:"cv"})),this.props.clearButton&&u["default"].createElement("div",{className:"m-signature-pad--footer"},u["default"].createElement("button",{className:"btn btn-default button clear",onClick:this.clear.bind(this)},"Clear")))}}]),t}(u["default"].Component);t["default"]=f,e.exports=t["default"]},function(e,t){"use strict";function n(e,t){if(!(e instanceof t))throw new TypeError("Cannot call a class as a function")}Object.defineProperty(t,"__esModule",{value:!0});var r=function(){function e(e,t){for(var n=0;n<t.length;n++){var r=t[n];r.enumerable=r.enumerable||!1,r.configurable=!0,"value"in r&&(r.writable=!0),Object.defineProperty(e,r.key,r)}}return function(t,n,r){return n&&e(t.prototype,n),r&&e(t,r),t}}(),o=function(){function e(t,r,o){n(this,e),this.x=t,this.y=r,this.time=o||(new Date).getTime()}return r(e,[{key:"velocityFrom",value:function(e){return this.time!==e.time?this.distanceTo(e)/(this.time-e.time):1}},{key:"distanceTo",value:function(e){return Math.sqrt(Math.pow(this.x-e.x,2)+Math.pow(this.y-e.y,2))}}]),e}();t["default"]=o,e.exports=t["default"]},function(e,t){e.exports=r}]))},363:function(e){"use strict";e.exports=React}},t={};function n(r){var o=t[r];if(o!==undefined)return o.exports;var a=t[r]={exports:{}};return e[r].call(a.exports,a,a.exports,n),a.exports}n.n=function(e){var t=e&&e.__esModule?function(){return e["default"]}:function(){return e};return n.d(t,{a:t}),t},n.d=function(e,t){for(var r in t)n.o(t,r)&&!n.o(e,r)&&Object.defineProperty(e,r,{enumerable:!0,get:t[r]})},n.g=function(){if("object"==typeof globalThis)return globalThis;try{return this||new Function("return this")()}catch(e){if("object"==typeof window)return window}}(),n.o=function(e,t){return Object.prototype.hasOwnProperty.call(e,t)},n.r=function(e){"undefined"!=typeof Symbol&&Symbol.toStringTag&&Object.defineProperty(e,Symbol.toStringTag,{value:"Module"}),Object.defineProperty(e,"__esModule",{value:!0})},function(){"use strict";var e=n(363),t=n.n(e),r=e=>e instanceof HTMLElement;const o="blur",a="change",i="input",s="onBlur",u="onChange",c="onSubmit",l="onTouched",f="all",d="undefined",p="max",h="min",m="maxLength",g="minLength",v="pattern",y="required",b="validate";var w=e=>null==e;const C=e=>"object"==typeof e;var O=e=>!w(e)&&!Array.isArray(e)&&C(e)&&!(e instanceof Date),x=e=>/^\w*$/.test(e),k=e=>e.filter(Boolean),D=e=>k(e.replace(/["|']/g,"").replace(/\[/g,".").replace(/\]/g,"").split("."));function S(e,t,n){let r=-1;const o=x(t)?[t]:D(t),a=o.length,i=a-1;for(;++r<a;){const t=o[r];let a=n;if(r!==i){const n=e[t];a=O(n)||Array.isArray(n)?n:isNaN(+o[r+1])?{}:[]}e[t]=a,e=e[t]}return e}var E=(e,t={})=>{for(const n in e)x(n)?t[n]=e[n]:S(t,n,e[n]);return t},M=e=>e===undefined,_=(e={},t,n)=>{const r=k(t.split(/[,[\].]+?/)).reduce(((e,t)=>w(e)?e:e[t]),e);return M(r)||r===e?M(e[t])?n:e[t]:r},P=(e,t)=>{r(e)&&e.removeEventListener&&(e.removeEventListener(i,t),e.removeEventListener(a,t),e.removeEventListener(o,t))};const j={isValid:!1,value:null};var T=e=>Array.isArray(e)?e.reduce(((e,t)=>t&&t.ref.checked?{isValid:!0,value:t.ref.value}:e),j):j,A=e=>"radio"===e.type,I=e=>"file"===e.type,N=e=>"checkbox"===e.type,R=e=>"select-multiple"===e.type;const L={value:!1,isValid:!1},V={value:!0,isValid:!0};var F=e=>{if(Array.isArray(e)){if(e.length>1){const t=e.filter((e=>e&&e.ref.checked)).map((({ref:{value:e}})=>e));return{value:t,isValid:!!t.length}}const{checked:t,value:n,attributes:r}=e[0].ref;return t?r&&!M(r.value)?M(n)||""===n?V:{value:n,isValid:!0}:V:L}return L};function H(e,t,n,r,o){const a=e.current[t];if(a){const{ref:{value:e,disabled:t},ref:n,valueAsNumber:s,valueAsDate:u,setValueAs:c}=a;if(t&&r)return;return I(n)?n.files:A(n)?T(a.options).value:R(n)?(i=n.options,[...i].filter((({selected:e})=>e)).map((({value:e})=>e))):N(n)?F(a.options).value:o?e:s?""===e?NaN:+e:u?n.valueAsDate:c?c(e):e}var i;if(n)return _(n.current,t)}function z(e){return!e||e instanceof HTMLElement&&e.nodeType!==Node.DOCUMENT_NODE&&z(e.parentNode)}var U=e=>O(e)&&!Object.keys(e).length,W=e=>"boolean"==typeof e;function B(e,t){const n=x(t)?[t]:D(t),r=1==n.length?e:function(e,t){const n=t.slice(0,-1).length;let r=0;for(;r<n;)e=M(e)?r++:e[t[r++]];return e}(e,n),o=n[n.length-1];let a;r&&delete r[o];for(let t=0;t<n.slice(0,-1).length;t++){let r,o=-1;const i=n.slice(0,-(t+1)),s=i.length-1;for(t>0&&(a=e);++o<i.length;){const t=i[o];r=r?r[t]:e[t],s===o&&(O(r)&&U(r)||Array.isArray(r)&&!r.filter((e=>O(e)&&!U(e)||W(e))).length)&&(a?delete a[t]:delete e[t]),a=r}}return e}const Y=(e,t)=>e&&e.ref===t;var q=e=>w(e)||!C(e);function $(e,t){if(q(e)||q(t))return t;for(const r in t){const o=e[r],a=t[r];try{e[r]=O(o)&&O(a)||Array.isArray(o)&&Array.isArray(a)?$(o,a):a}catch(n){}}return e}function K(t,n,r){if(q(t)||q(n)||t instanceof Date||n instanceof Date)return t===n;if(!(0,e.isValidElement)(t)){const e=Object.keys(t),o=Object.keys(n);if(e.length!==o.length)return!1;for(const o of e){const e=t[o];if(!r||"ref"!==o){const t=n[o];if((O(e)||Array.isArray(e))&&(O(t)||Array.isArray(t))?!K(e,t,r):e!==t)return!1}}}return!0}function Q(e,t,n,r,o){let a=-1;for(;++a<e.length;){for(const r in e[a])Array.isArray(e[a][r])?(!n[a]&&(n[a]={}),n[a][r]=[],Q(e[a][r],_(t[a]||{},r,[]),n[a][r],n[a],r)):K(_(t[a]||{},r),e[a][r])?S(n[a]||{},r):n[a]=Object.assign(Object.assign({},n[a]),{[r]:!0});r&&!n.length&&delete r[o]}return n}var G=(e,t,n)=>$(Q(e,t,n.slice(0,e.length)),Q(t,e,n.slice(0,e.length))),J=e=>"string"==typeof e,X=(e,t,n,r,o)=>{const a={};for(const t in e.current)(M(o)||(J(o)?t.startsWith(o):Array.isArray(o)&&o.find((e=>t.startsWith(e)))))&&(a[t]=H(e,t,undefined,r));return n?E(a):$(t,E(a))},Z=e=>e instanceof RegExp,ee=e=>O(e)&&!Z(e)?e:{value:e,message:""},te=e=>"function"==typeof e,ne=t=>J(t)||(0,e.isValidElement)(t);function re(e,t,n="validate"){if(ne(e)||W(e)&&!e)return{type:n,message:ne(e)?e:"",ref:t}}var oe=(e,t,n,r,o)=>t?Object.assign(Object.assign({},n[e]),{types:Object.assign(Object.assign({},n[e]&&n[e].types?n[e].types:{}),{[r]:o||!0})}):{},ae=async(e,t,{ref:n,ref:{value:r},options:o,required:a,maxLength:i,minLength:s,min:u,max:c,pattern:l,validate:f},d)=>{const C=n.name,x={},k=A(n),D=N(n),S=k||D,E=""===r,M=oe.bind(null,C,t,x),_=(e,t,r,o=m,a=g)=>{const i=e?t:r;x[C]=Object.assign({type:e?o:a,message:i,ref:n},M(e?o:a,i))};if(a&&(!k&&!D&&(E||w(r))||W(r)&&!r||D&&!F(o).isValid||k&&!T(o).isValid)){const{value:r,message:o}=ne(a)?{value:!!a,message:a}:ee(a);if(r&&(x[C]=Object.assign({type:y,message:o,ref:S?((e.current[C].options||[])[0]||{}).ref:n},M(y,o)),!t))return x}if(!(w(u)&&w(c)||""===r)){let e,o;const a=ee(c),i=ee(u);if(isNaN(r)){const t=n.valueAsDate||new Date(r);J(a.value)&&(e=t>new Date(a.value)),J(i.value)&&(o=t<new Date(i.value))}else{const t=n.valueAsNumber||parseFloat(r);w(a.value)||(e=t>a.value),w(i.value)||(o=t<i.value)}if((e||o)&&(_(!!e,a.message,i.message,p,h),!t))return x}if(J(r)&&!E&&(i||s)){const e=ee(i),n=ee(s),o=!w(e.value)&&r.length>e.value,a=!w(n.value)&&r.length<n.value;if((o||a)&&(_(o,e.message,n.message),!t))return x}if(J(r)&&l&&!E){const{value:e,message:o}=ee(l);if(Z(e)&&!e.test(r)&&(x[C]=Object.assign({type:v,message:o,ref:n},M(v,o)),!t))return x}if(f){const r=H(e,C,d,!1,!0),a=S&&o?o[0].ref:n;if(te(f)){const e=re(await f(r),a);if(e&&(x[C]=Object.assign(Object.assign({},e),M(b,e.message)),!t))return x}else if(O(f)){let e={};for(const[n,o]of Object.entries(f)){if(!U(e)&&!t)break;const i=re(await o(r),a,n);i&&(e=Object.assign(Object.assign({},i),M(n,i.message)),t&&(x[C]=e))}if(!U(e)&&(x[C]=Object.assign({ref:a},e),!t))return x}}return x};const ie=(e,t,n=[])=>{for(const r in t){const o=e+(O(t)?`.${r}`:`[${r}]`);q(t[r])?n.push(o):ie(o,t[r],n)}return n};var se=(e,t,n,r,o)=>{let a=undefined;return n.add(t),U(e)||(a=_(e,t),(O(a)||Array.isArray(a))&&ie(t,a).forEach((e=>n.add(e)))),M(a)?o?r:_(r,t):a},ue=({isOnBlur:e,isOnChange:t,isOnTouch:n,isTouched:r,isReValidateOnBlur:o,isReValidateOnChange:a,isBlurEvent:i,isSubmitted:s,isOnAll:u})=>!u&&(!s&&n?!(r||i):(s?o:e)?!i:!(s?a:t)||i),ce=e=>e.substring(0,e.indexOf("["));const le=(e,t)=>RegExp(`^${t}([|.)\\d+`.replace(/\[/g,"\\[").replace(/\]/g,"\\]")).test(e);var fe=(e,t)=>[...e].some((e=>le(t,e)));var de=typeof window!==d&&typeof document!==d;function pe(e){var t;let n;if(q(e)||de&&(e instanceof File||r(e)))return e;if(!["Set","Map","Object","Date","Array"].includes(null===(t=e.constructor)||void 0===t?void 0:t.name))return e;if(e instanceof Date)return n=new Date(e.getTime()),n;if(e instanceof Set){n=new Set;for(const t of e)n.add(t);return n}if(e instanceof Map){n=new Map;for(const t of e.keys())n.set(t,pe(e.get(t)));return n}n=Array.isArray(e)?[]:{};for(const t in e)n[t]=pe(e[t]);return n}var he=e=>({isOnSubmit:!e||e===c,isOnBlur:e===s,isOnChange:e===u,isOnAll:e===f,isOnTouch:e===l}),me=e=>A(e)||N(e);const ge=typeof window===d,ve=de?"Proxy"in window:typeof Proxy!==d;function ye({mode:t=c,reValidateMode:n=u,resolver:s,context:l,defaultValues:d={},shouldFocusError:p=!0,shouldUnregister:h=!0,criteriaMode:m}={}){const g=(0,e.useRef)({}),v=(0,e.useRef)({}),y=(0,e.useRef)({}),b=(0,e.useRef)(new Set),C=(0,e.useRef)({}),D=(0,e.useRef)({}),j=(0,e.useRef)({}),T=(0,e.useRef)({}),L=(0,e.useRef)(d),V=(0,e.useRef)(!1),F=(0,e.useRef)(!1),W=(0,e.useRef)(),$=(0,e.useRef)({}),Q=(0,e.useRef)({}),Z=(0,e.useRef)(l),ee=(0,e.useRef)(s),ne=(0,e.useRef)(new Set),re=(0,e.useRef)(he(t)),{isOnSubmit:oe,isOnTouch:le}=re.current,ye=m===f,[be,we]=(0,e.useState)({isDirty:!1,isValidating:!1,dirtyFields:{},isSubmitted:!1,submitCount:0,touched:{},isSubmitting:!1,isSubmitSuccessful:!1,isValid:!oe,errors:{}}),Ce=(0,e.useRef)({isDirty:!ve,dirtyFields:!ve,touched:!ve||le,isValidating:!ve,isSubmitting:!ve,isValid:!ve}),Oe=(0,e.useRef)(be),xe=(0,e.useRef)(),{isOnBlur:ke,isOnChange:De}=(0,e.useRef)(he(n)).current;Z.current=l,ee.current=s,Oe.current=be,$.current=h?{}:U($.current)?pe(d):$.current;const Se=(0,e.useCallback)(((e={})=>{V.current||(Oe.current=Object.assign(Object.assign({},Oe.current),e),we(Oe.current))}),[]),Ee=()=>Ce.current.isValidating&&Se({isValidating:!0}),Me=(0,e.useCallback)(((e,t,n=!1,r={},o)=>{let a=n||(({errors:e,name:t,error:n,validFields:r,fieldsWithValidation:o})=>{const a=M(n),i=_(e,t);return a&&!!i||!a&&!K(i,n,!0)||a&&_(o,t)&&!_(r,t)})({errors:Oe.current.errors,error:t,name:e,validFields:T.current,fieldsWithValidation:j.current});const i=_(Oe.current.errors,e);t?(B(T.current,e),a=a||!i||!K(i,t,!0),S(Oe.current.errors,e,t)):((_(j.current,e)||ee.current)&&(S(T.current,e,!0),a=a||i),B(Oe.current.errors,e)),(a&&!w(n)||!U(r)||Ce.current.isValidating)&&Se(Object.assign(Object.assign(Object.assign({},r),ee.current?{isValid:!!o}:{}),{isValidating:!1}))}),[]),_e=(0,e.useCallback)(((e,t)=>{const{ref:n,options:o}=g.current[e],a=de&&r(n)&&w(t)?"":t;A(n)?(o||[]).forEach((({ref:e})=>e.checked=e.value===a)):I(n)&&!J(a)?n.files=a:R(n)?[...n.options].forEach((e=>e.selected=a.includes(e.value))):N(n)&&o?o.length>1?o.forEach((({ref:e})=>e.checked=Array.isArray(a)?!!a.find((t=>t===e.value)):a===e.value)):o[0].ref.checked=!!a:n.value=a}),[]),Pe=(0,e.useCallback)(((e,t)=>{if(Ce.current.isDirty){const n=He();return e&&t&&S(n,e,t),!K(n,L.current)}return!1}),[]),je=(0,e.useCallback)(((e,t=!0)=>{if(Ce.current.isDirty||Ce.current.dirtyFields){const n=!K(_(L.current,e),H(g,e,$)),r=_(Oe.current.dirtyFields,e),o=Oe.current.isDirty;n?S(Oe.current.dirtyFields,e,!0):B(Oe.current.dirtyFields,e);const a={isDirty:Pe(),dirtyFields:Oe.current.dirtyFields},i=Ce.current.isDirty&&o!==a.isDirty||Ce.current.dirtyFields&&r!==_(Oe.current.dirtyFields,e);return i&&t&&Se(a),i?a:{}}return{}}),[]),Te=(0,e.useCallback)((async(e,t)=>{const n=(await ae(g,ye,g.current[e],$))[e];return Me(e,n,t),M(n)}),[Me,ye]),Ae=(0,e.useCallback)((async e=>{const{errors:t}=await ee.current(He(),Z.current,ye),n=Oe.current.isValid;if(Array.isArray(e)){const n=e.map((e=>{const n=_(t,e);return n?S(Oe.current.errors,e,n):B(Oe.current.errors,e),!n})).every(Boolean);return Se({isValid:U(t),isValidating:!1}),n}{const r=_(t,e);return Me(e,r,n!==U(t),{},U(t)),!r}}),[Me,ye]),Ie=(0,e.useCallback)((async e=>{const t=e||Object.keys(g.current);if(Ee(),ee.current)return Ae(t);if(Array.isArray(t)){!e&&(Oe.current.errors={});const n=await Promise.all(t.map((async e=>await Te(e,null))));return Se({isValidating:!1}),n.every(Boolean)}return await Te(t)}),[Ae,Te]),Ne=(0,e.useCallback)(((e,t,{shouldDirty:n,shouldValidate:r})=>{const o={};S(o,e,t);for(const a of ie(e,t))g.current[a]&&(_e(a,_(o,a)),n&&je(a),r&&Ie(a))}),[Ie,_e,je]),Re=(0,e.useCallback)(((e,t,n)=>{if(!h&&!q(t)&&S($.current,e,Array.isArray(t)?[...t]:Object.assign({},t)),g.current[e])_e(e,t),n.shouldDirty&&je(e),n.shouldValidate&&Ie(e);else if(!q(t)&&(Ne(e,t,n),ne.current.has(e))){const r=ce(e)||e;S(v.current,e,t),Q.current[r]({[r]:_(v.current,r)}),(Ce.current.isDirty||Ce.current.dirtyFields)&&n.shouldDirty&&(S(Oe.current.dirtyFields,e,G(t,_(L.current,e,[]),_(Oe.current.dirtyFields,e,[]))),Se({isDirty:!K(Object.assign(Object.assign({},He()),{[e]:t}),L.current)}))}!h&&S($.current,e,t)}),[je,_e,Ne]),Le=e=>F.current||b.current.has(e)||b.current.has((e.match(/\w+/)||[])[0]),Ve=e=>{let t=!0;if(!U(C.current))for(const n in C.current)e&&C.current[n].size&&!C.current[n].has(e)&&!C.current[n].has(ce(e))||(D.current[n](),t=!1);return t};function Fe(e){if(!h){let t=pe(e);for(const e of ne.current)x(e)&&!t[e]&&(t=Object.assign(Object.assign({},t),{[e]:[]}));return t}return e}function He(e){if(J(e))return H(g,e,$);if(Array.isArray(e)){const t={};for(const n of e)S(t,n,H(g,n,$));return t}return Fe(X(g,pe($.current),h))}W.current=W.current?W.current:async({type:e,target:t})=>{let n=t.name;const r=g.current[n];let a,i;if(r){const s=e===o,u=ue(Object.assign({isBlurEvent:s,isReValidateOnChange:De,isReValidateOnBlur:ke,isTouched:!!_(Oe.current.touched,n),isSubmitted:Oe.current.isSubmitted},re.current));let c=je(n,!1),l=!U(c)||!s&&Le(n);if(s&&!_(Oe.current.touched,n)&&Ce.current.touched&&(S(Oe.current.touched,n,!0),c=Object.assign(Object.assign({},c),{touched:Oe.current.touched})),!h&&N(t)&&S($.current,n,H(g,n)),u)return!s&&Ve(n),(!U(c)||l&&U(c))&&Se(c);if(Ee(),ee.current){const{errors:e}=await ee.current(He(),Z.current,ye),r=Oe.current.isValid;if(a=_(e,n),N(t)&&!a&&ee.current){const t=ce(n),r=_(e,t,{});r.type&&r.message&&(a=r),t&&(r||_(Oe.current.errors,t))&&(n=t)}i=U(e),r!==i&&(l=!0)}else a=(await ae(g,ye,r,$))[n];!s&&Ve(n),Me(n,a,l,c,i)}};const ze=(0,e.useCallback)((async(e={})=>{const t=U(g.current)?L.current:{},{errors:n}=await ee.current(Object.assign(Object.assign(Object.assign({},t),He()),e),Z.current,ye)||{},r=U(n);Oe.current.isValid!==r&&Se({isValid:r})}),[ye]),Ue=(0,e.useCallback)(((e,t)=>{!function(e,t,n,r,o,a){const{ref:i,ref:{name:s}}=n,u=e.current[s];if(!o){const t=H(e,s,r);!M(t)&&S(r.current,s,t)}i.type&&u?A(i)||N(i)?Array.isArray(u.options)&&u.options.length?(k(u.options).forEach(((e={},n)=>{(z(e.ref)&&Y(e,e.ref)||a)&&(P(e.ref,t),B(u.options,`[${n}]`))})),u.options&&!k(u.options).length&&delete e.current[s]):delete e.current[s]:(z(i)&&Y(u,i)||a)&&(P(i,t),delete e.current[s]):delete e.current[s]}(g,W.current,e,$,h,t),h&&(B(T.current,e.ref.name),B(j.current,e.ref.name))}),[h]),We=(0,e.useCallback)((e=>{if(F.current)Se();else{for(const t of b.current)if(t.startsWith(e)){Se();break}Ve(e)}}),[]),Be=(0,e.useCallback)(((e,t)=>{e&&(Ue(e,t),h&&!k(e.options||[]).length&&(B(Oe.current.errors,e.ref.name),S(Oe.current.dirtyFields,e.ref.name,!0),Se({isDirty:Pe()}),Ce.current.isValid&&ee.current&&ze(),We(e.ref.name)))}),[ze,Ue]);const Ye=(0,e.useCallback)(((e,t,n)=>{const r=n?C.current[n]:b.current;let o=X(g,pe($.current),h,!1,e);if(J(e)){const n=ce(e)||e;return ne.current.has(n)&&(o=Object.assign(Object.assign({},y.current),o)),se(o,e,r,M(_(L.current,e))?t:_(L.current,e),!0)}const a=M(t)?L.current:t;return Array.isArray(e)?e.reduce(((e,t)=>Object.assign(Object.assign({},e),{[t]:se(o,t,r,a)})),{}):(F.current=M(n),E(!U(o)&&o||a))}),[]);function qe(e,t={}){const{name:n,type:s,value:u}=e,c=Object.assign({ref:e},t),l=g.current,f=me(e),d=fe(ne.current,n),p=t=>de&&(!r(e)||t===e);let m,v=l[n],y=!0;if(v&&(f?Array.isArray(v.options)&&k(v.options).find((e=>u===e.ref.value&&p(e.ref))):p(v.ref)))return void(l[n]=Object.assign(Object.assign({},v),t));v=s?f?Object.assign({options:[...k(v&&v.options||[]),{ref:e}],ref:{type:s,name:n}},t):Object.assign({},c):c,l[n]=v;const b=M(_($.current,n));U(L.current)&&b||(m=_(b?L.current:$.current,n),y=M(m),y||d||_e(n,m)),U(t)||(S(j.current,n,!0),!oe&&Ce.current.isValid&&ae(g,ye,v,$).then((e=>{const t=Oe.current.isValid;U(e)?S(T.current,n,!0):B(T.current,n),t!==U(e)&&Se()}))),!h||d&&y||!d&&B(Oe.current.dirtyFields,n),s&&function({ref:e},t,n){r(e)&&n&&(e.addEventListener(t?a:i,n),e.addEventListener(o,n))}(f&&v.options?v.options[v.options.length-1]:v,f||"select-one"===e.type,W.current)}const $e=(0,e.useCallback)(((e,t)=>async n=>{n&&n.preventDefault&&(n.preventDefault(),n.persist());let r={},o=Fe(X(g,pe($.current),h,!0));Ce.current.isSubmitting&&Se({isSubmitting:!0});try{if(ee.current){const{errors:e,values:t}=await ee.current(o,Z.current,ye);Oe.current.errors=r=e,o=t}else for(const e of Object.values(g.current))if(e){const{name:t}=e.ref,n=await ae(g,ye,e,$);n[t]?(S(r,t,n[t]),B(T.current,t)):_(j.current,t)&&(B(Oe.current.errors,t),S(T.current,t,!0))}U(r)&&Object.keys(Oe.current.errors).every((e=>e in g.current))?(Se({errors:{},isSubmitting:!0}),await e(o,n)):(Oe.current.errors=Object.assign(Object.assign({},Oe.current.errors),r),t&&await t(Oe.current.errors,n),p&&((e,t)=>{for(const n in e)if(_(t,n)){const t=e[n];if(t){if(t.ref.focus&&M(t.ref.focus()))break;if(t.options){t.options[0].ref.focus();break}}}})(g.current,Oe.current.errors))}finally{Oe.current.isSubmitting=!1,Se({isSubmitted:!0,isSubmitting:!1,isSubmitSuccessful:U(Oe.current.errors),submitCount:Oe.current.submitCount+1})}}),[p,ye]);(0,e.useEffect)((()=>{s&&Ce.current.isValid&&ze(),xe.current=xe.current||!de?xe.current:function(e,t){const n=new MutationObserver((()=>{for(const n of Object.values(e.current))if(n&&n.options)for(const e of n.options)e&&e.ref&&z(e.ref)&&t(n);else n&&z(n.ref)&&t(n)}));return n.observe(window.document,{childList:!0,subtree:!0}),n}(g,Be)}),[Be,L.current]),(0,e.useEffect)((()=>()=>{xe.current&&xe.current.disconnect(),V.current=!0,Object.values(g.current).forEach((e=>Be(e,!0)))}),[]),!s&&Ce.current.isValid&&(be.isValid=K(T.current,j.current)&&U(Oe.current.errors));const Ke={trigger:Ie,setValue:(0,e.useCallback)((function(e,t,n){Re(e,t,n||{}),Le(e)&&Se(),Ve(e)}),[Re,Ie]),getValues:(0,e.useCallback)(He,[]),register:(0,e.useCallback)((function(e,t){if(!ge)if(J(e))qe({name:e},t);else{if(!O(e)||!("name"in e))return t=>t&&qe(t,e);qe(e,t)}}),[L.current]),unregister:(0,e.useCallback)((function(e){for(const t of Array.isArray(e)?e:[e])Be(g.current[t],!0)}),[]),formState:ve?new Proxy(be,{get:(e,t)=>t in e?(Ce.current[t]=!0,e[t]):undefined}):be},Qe=(0,e.useMemo)((()=>Object.assign({isFormDirty:Pe,updateWatchedValue:We,shouldUnregister:h,updateFormState:Se,removeFieldEventListener:Ue,watchInternal:Ye,mode:re.current,reValidateMode:{isReValidateOnBlur:ke,isReValidateOnChange:De},validateResolver:s?ze:undefined,fieldsRef:g,resetFieldArrayFunctionRef:Q,useWatchFieldsRef:C,useWatchRenderFunctionsRef:D,fieldArrayDefaultValuesRef:v,validFieldsRef:T,fieldsWithValidationRef:j,fieldArrayNamesRef:ne,readFormStateRef:Ce,formStateRef:Oe,defaultValuesRef:L,shallowFieldsStateRef:$,fieldArrayValuesRef:y},Ke)),[L.current,We,h,Ue,Ye]);return Object.assign({watch:function(e,t){return Ye(e,t)},control:Qe,handleSubmit:$e,reset:(0,e.useCallback)(((e,t={})=>{if(de)for(const e of Object.values(g.current))if(e){const{ref:t,options:o}=e,a=me(t)&&Array.isArray(o)?o[0].ref:t;if(r(a))try{a.closest("form").reset();break}catch(n){}}g.current={},L.current=Object.assign({},e||L.current),e&&Ve(""),Object.values(Q.current).forEach((e=>te(e)&&e())),$.current=h?{}:pe(e||L.current),(({errors:e,isDirty:t,isSubmitted:n,touched:r,isValid:o,submitCount:a,dirtyFields:i})=>{o||(T.current={},j.current={}),v.current={},b.current=new Set,F.current=!1,Se({submitCount:a?Oe.current.submitCount:0,isDirty:!!t&&Oe.current.isDirty,isSubmitted:!!n&&Oe.current.isSubmitted,isValid:!!o&&Oe.current.isValid,dirtyFields:i?Oe.current.dirtyFields:{},touched:r?Oe.current.touched:{},errors:e?Oe.current.errors:{},isSubmitting:!1,isSubmitSuccessful:!1})})(t)}),[]),clearErrors:(0,e.useCallback)((function(e){e&&(Array.isArray(e)?e:[e]).forEach((e=>g.current[e]&&x(e)?delete Oe.current.errors[e]:B(Oe.current.errors,e))),Se({errors:e?Oe.current.errors:{}})}),[]),setError:(0,e.useCallback)((function(e,t){const n=(g.current[e]||{}).ref;S(Oe.current.errors,e,Object.assign(Object.assign({},t),{ref:n})),Se({isValid:!1}),t.shouldFocus&&n&&n.focus&&n.focus()}),[]),errors:be.errors},Ke)}
     12*/!function(){"use strict";var n={}.hasOwnProperty;function o(){for(var e=[],t=0;t<arguments.length;t++){var r=arguments[t];if(r){var a=typeof r;if("string"===a||"number"===a)e.push(r);else if(Array.isArray(r)&&r.length){var i=o.apply(null,r);i&&e.push(i)}else if("object"===a)for(var s in r)n.call(r,s)&&r[s]&&e.push(s)}}return e.join(" ")}e.exports?(o["default"]=o,e.exports=o):void 0===(r=function(){return o}.apply(t,[]))||(e.exports=r)}()},function(e,t,n){(function(t){var n=/^\s+|\s+$/g,r=/^[-+]0x[0-9a-f]+$/i,o=/^0b[01]+$/i,a=/^0o[0-7]+$/i,i=parseInt,s="object"==typeof t&&t&&t.Object===Object&&t,u="object"==typeof self&&self&&self.Object===Object&&self,c=s||u||Function("return this")(),l=Object.prototype.toString,f=c.Symbol,d=f?f.prototype:void 0,p=d?d.toString:void 0;function h(e){if("string"==typeof e)return e;if(g(e))return p?p.call(e):"";var t=e+"";return"0"==t&&1/e==-1/0?"-0":t}function m(e){var t=typeof e;return!!e&&("object"==t||"function"==t)}function g(e){return"symbol"==typeof e||function(e){return!!e&&"object"==typeof e}(e)&&"[object Symbol]"==l.call(e)}function v(e){return e?(e=function(e){if("number"==typeof e)return e;if(g(e))return NaN;if(m(e)){var t="function"==typeof e.valueOf?e.valueOf():e;e=m(t)?t+"":t}if("string"!=typeof e)return 0===e?e:+e;e=e.replace(n,"");var s=o.test(e);return s||a.test(e)?i(e.slice(2),s?2:8):r.test(e)?NaN:+e}(e))===1/0||e===-1/0?17976931348623157e292*(e<0?-1:1):e==e?e:0:0===e?e:0}e.exports=function(e,t,n){var r,o,a;return e=null==(r=e)?"":h(r),o=function(e){var t=v(e),n=t%1;return t==t?n?t-n:t:0}(n),0,a=e.length,o==o&&(void 0!==a&&(o=o<=a?o:a),o=o>=0?o:0),n=o,t=h(t),e.slice(n,n+t.length)==t}}).call(this,n(3))},function(e,t){var n;n=function(){return this}();try{n=n||new Function("return this")()}catch(e){"object"==typeof window&&(n=window)}e.exports=n},function(e,t,n){(function(t){var n,r=/^\[object .+?Constructor\]$/,o="object"==typeof t&&t&&t.Object===Object&&t,a="object"==typeof self&&self&&self.Object===Object&&self,i=o||a||Function("return this")(),s=Array.prototype,u=Function.prototype,c=Object.prototype,l=i["__core-js_shared__"],f=(n=/[^.]+$/.exec(l&&l.keys&&l.keys.IE_PROTO||""))?"Symbol(src)_1."+n:"",d=u.toString,p=c.hasOwnProperty,h=c.toString,m=RegExp("^"+d.call(p).replace(/[\\^$.*+?()[\]{}|]/g,"\\$&").replace(/hasOwnProperty|(function).*?(?=\\\()| for .+?(?=\\\])/g,"$1.*?")+"$"),g=s.splice,v=D(i,"Map"),y=D(Object,"create");function b(e){var t=-1,n=e?e.length:0;for(this.clear();++t<n;){var r=e[t];this.set(r[0],r[1])}}function w(e){var t=-1,n=e?e.length:0;for(this.clear();++t<n;){var r=e[t];this.set(r[0],r[1])}}function C(e){var t=-1,n=e?e.length:0;for(this.clear();++t<n;){var r=e[t];this.set(r[0],r[1])}}function O(e,t){for(var n,r,o=e.length;o--;)if((n=e[o][0])===(r=t)||n!=n&&r!=r)return o;return-1}function x(e){return!(!E(e)||(t=e,f&&f in t))&&(function(e){var t=E(e)?h.call(e):"";return"[object Function]"==t||"[object GeneratorFunction]"==t}(e)||function(e){var t=!1;if(null!=e&&"function"!=typeof e.toString)try{t=!!(e+"")}catch(e){}return t}(e)?m:r).test(function(e){if(null!=e){try{return d.call(e)}catch(e){}try{return e+""}catch(e){}}return""}(e));var t}function k(e,t){var n,r,o=e.__data__;return("string"==(r=typeof(n=t))||"number"==r||"symbol"==r||"boolean"==r?"__proto__"!==n:null===n)?o["string"==typeof t?"string":"hash"]:o.map}function D(e,t){var n=function(e,t){return null==e?void 0:e[t]}(e,t);return x(n)?n:void 0}function S(e,t){if("function"!=typeof e||t&&"function"!=typeof t)throw new TypeError("Expected a function");var n=function(){var r=arguments,o=t?t.apply(this,r):r[0],a=n.cache;if(a.has(o))return a.get(o);var i=e.apply(this,r);return n.cache=a.set(o,i),i};return n.cache=new(S.Cache||C),n}function E(e){var t=typeof e;return!!e&&("object"==t||"function"==t)}b.prototype.clear=function(){this.__data__=y?y(null):{}},b.prototype["delete"]=function(e){return this.has(e)&&delete this.__data__[e]},b.prototype.get=function(e){var t=this.__data__;if(y){var n=t[e];return"__lodash_hash_undefined__"===n?void 0:n}return p.call(t,e)?t[e]:void 0},b.prototype.has=function(e){var t=this.__data__;return y?void 0!==t[e]:p.call(t,e)},b.prototype.set=function(e,t){return this.__data__[e]=y&&void 0===t?"__lodash_hash_undefined__":t,this},w.prototype.clear=function(){this.__data__=[]},w.prototype["delete"]=function(e){var t=this.__data__,n=O(t,e);return!(n<0||(n==t.length-1?t.pop():g.call(t,n,1),0))},w.prototype.get=function(e){var t=this.__data__,n=O(t,e);return n<0?void 0:t[n][1]},w.prototype.has=function(e){return O(this.__data__,e)>-1},w.prototype.set=function(e,t){var n=this.__data__,r=O(n,e);return r<0?n.push([e,t]):n[r][1]=t,this},C.prototype.clear=function(){this.__data__={hash:new b,map:new(v||w),string:new b}},C.prototype["delete"]=function(e){return k(this,e)["delete"](e)},C.prototype.get=function(e){return k(this,e).get(e)},C.prototype.has=function(e){return k(this,e).has(e)},C.prototype.set=function(e,t){return k(this,e).set(e,t),this},S.Cache=C,e.exports=S}).call(this,n(3))},function(e,t,n){(function(t){var n=/^\s+|\s+$/g,r=/^[-+]0x[0-9a-f]+$/i,o=/^0b[01]+$/i,a=/^0o[0-7]+$/i,i=parseInt,s="object"==typeof t&&t&&t.Object===Object&&t,u="object"==typeof self&&self&&self.Object===Object&&self,c=s||u||Function("return this")(),l=Object.prototype.toString,f=Math.max,d=Math.min,p=function(){return c.Date.now()};function h(e){var t=typeof e;return!!e&&("object"==t||"function"==t)}function m(e){if("number"==typeof e)return e;if(function(e){return"symbol"==typeof e||function(e){return!!e&&"object"==typeof e}(e)&&"[object Symbol]"==l.call(e)}(e))return NaN;if(h(e)){var t="function"==typeof e.valueOf?e.valueOf():e;e=h(t)?t+"":t}if("string"!=typeof e)return 0===e?e:+e;e=e.replace(n,"");var s=o.test(e);return s||a.test(e)?i(e.slice(2),s?2:8):r.test(e)?NaN:+e}e.exports=function(e,t,n){var r,o,a,i,s,u,c=0,l=!1,g=!1,v=!0;if("function"!=typeof e)throw new TypeError("Expected a function");function y(t){var n=r,a=o;return r=o=void 0,c=t,i=e.apply(a,n)}function b(e){return c=e,s=setTimeout(C,t),l?y(e):i}function w(e){var n=e-u;return void 0===u||n>=t||n<0||g&&e-c>=a}function C(){var e=p();if(w(e))return O(e);s=setTimeout(C,function(e){var n=t-(e-u);return g?d(n,a-(e-c)):n}(e))}function O(e){return s=void 0,v&&r?y(e):(r=o=void 0,i)}function x(){var e=p(),n=w(e);if(r=arguments,o=this,u=e,n){if(void 0===s)return b(u);if(g)return s=setTimeout(C,t),y(u)}return void 0===s&&(s=setTimeout(C,t)),i}return t=m(t)||0,h(n)&&(l=!!n.leading,a=(g="maxWait"in n)?f(m(n.maxWait)||0,t):a,v="trailing"in n?!!n.trailing:v),x.cancel=function(){void 0!==s&&clearTimeout(s),c=0,r=u=o=s=void 0},x.flush=function(){return void 0===s?i:O(p())},x}}).call(this,n(3))},function(e,t,n){(function(e,n){var r="[object Arguments]",o="[object Map]",a="[object Object]",i="[object Set]",s=/\.|\[(?:[^[\]]*|(["'])(?:(?!\1)[^\\]|\\.)*?\1)\]/,u=/^\w*$/,c=/^\./,l=/[^.[\]]+|\[(?:(-?\d+(?:\.\d+)?)|(["'])((?:(?!\2)[^\\]|\\.)*?)\2)\]|(?=(?:\.|\[\])(?:\.|\[\]|$))/g,f=/\\(\\)?/g,d=/^\[object .+?Constructor\]$/,p=/^(?:0|[1-9]\d*)$/,h={};h["[object Float32Array]"]=h["[object Float64Array]"]=h["[object Int8Array]"]=h["[object Int16Array]"]=h["[object Int32Array]"]=h["[object Uint8Array]"]=h["[object Uint8ClampedArray]"]=h["[object Uint16Array]"]=h["[object Uint32Array]"]=!0,h[r]=h["[object Array]"]=h["[object ArrayBuffer]"]=h["[object Boolean]"]=h["[object DataView]"]=h["[object Date]"]=h["[object Error]"]=h["[object Function]"]=h[o]=h["[object Number]"]=h[a]=h["[object RegExp]"]=h[i]=h["[object String]"]=h["[object WeakMap]"]=!1;var m="object"==typeof e&&e&&e.Object===Object&&e,g="object"==typeof self&&self&&self.Object===Object&&self,v=m||g||Function("return this")(),y=t&&!t.nodeType&&t,b=y&&"object"==typeof n&&n&&!n.nodeType&&n,w=b&&b.exports===y&&m.process,C=function(){try{return w&&w.binding("util")}catch(e){}}(),O=C&&C.isTypedArray;function x(e,t,n,r){var o=-1,a=e?e.length:0;for(r&&a&&(n=e[++o]);++o<a;)n=t(n,e[o],o,e);return n}function k(e,t){for(var n=-1,r=e?e.length:0;++n<r;)if(t(e[n],n,e))return!0;return!1}function D(e,t,n,r,o){return o(e,(function(e,o,a){n=r?(r=!1,e):t(n,e,o,a)})),n}function S(e){var t=!1;if(null!=e&&"function"!=typeof e.toString)try{t=!!(e+"")}catch(e){}return t}function E(e){var t=-1,n=Array(e.size);return e.forEach((function(e,r){n[++t]=[r,e]})),n}function M(e){var t=-1,n=Array(e.size);return e.forEach((function(e){n[++t]=e})),n}var _,P,j,T=Array.prototype,A=Function.prototype,I=Object.prototype,N=v["__core-js_shared__"],R=(_=/[^.]+$/.exec(N&&N.keys&&N.keys.IE_PROTO||""))?"Symbol(src)_1."+_:"",L=A.toString,V=I.hasOwnProperty,F=I.toString,H=RegExp("^"+L.call(V).replace(/[\\^$.*+?()[\]{}|]/g,"\\$&").replace(/hasOwnProperty|(function).*?(?=\\\()| for .+?(?=\\\])/g,"$1.*?")+"$"),z=v.Symbol,U=v.Uint8Array,W=I.propertyIsEnumerable,B=T.splice,Y=(P=Object.keys,j=Object,function(e){return P(j(e))}),q=Oe(v,"DataView"),K=Oe(v,"Map"),Q=Oe(v,"Promise"),G=Oe(v,"Set"),$=Oe(v,"WeakMap"),J=Oe(Object,"create"),X=Pe(q),Z=Pe(K),ee=Pe(Q),te=Pe(G),ne=Pe($),re=z?z.prototype:void 0,oe=re?re.valueOf:void 0,ae=re?re.toString:void 0;function ie(e){var t=-1,n=e?e.length:0;for(this.clear();++t<n;){var r=e[t];this.set(r[0],r[1])}}function se(e){var t=-1,n=e?e.length:0;for(this.clear();++t<n;){var r=e[t];this.set(r[0],r[1])}}function ue(e){var t=-1,n=e?e.length:0;for(this.clear();++t<n;){var r=e[t];this.set(r[0],r[1])}}function ce(e){var t=-1,n=e?e.length:0;for(this.__data__=new ue;++t<n;)this.add(e[t])}function le(e){this.__data__=new se(e)}function fe(e,t){for(var n=e.length;n--;)if(Te(e[n][0],t))return n;return-1}ie.prototype.clear=function(){this.__data__=J?J(null):{}},ie.prototype["delete"]=function(e){return this.has(e)&&delete this.__data__[e]},ie.prototype.get=function(e){var t=this.__data__;if(J){var n=t[e];return"__lodash_hash_undefined__"===n?void 0:n}return V.call(t,e)?t[e]:void 0},ie.prototype.has=function(e){var t=this.__data__;return J?void 0!==t[e]:V.call(t,e)},ie.prototype.set=function(e,t){return this.__data__[e]=J&&void 0===t?"__lodash_hash_undefined__":t,this},se.prototype.clear=function(){this.__data__=[]},se.prototype["delete"]=function(e){var t=this.__data__,n=fe(t,e);return!(n<0||(n==t.length-1?t.pop():B.call(t,n,1),0))},se.prototype.get=function(e){var t=this.__data__,n=fe(t,e);return n<0?void 0:t[n][1]},se.prototype.has=function(e){return fe(this.__data__,e)>-1},se.prototype.set=function(e,t){var n=this.__data__,r=fe(n,e);return r<0?n.push([e,t]):n[r][1]=t,this},ue.prototype.clear=function(){this.__data__={hash:new ie,map:new(K||se),string:new ie}},ue.prototype["delete"]=function(e){return Ce(this,e)["delete"](e)},ue.prototype.get=function(e){return Ce(this,e).get(e)},ue.prototype.has=function(e){return Ce(this,e).has(e)},ue.prototype.set=function(e,t){return Ce(this,e).set(e,t),this},ce.prototype.add=ce.prototype.push=function(e){return this.__data__.set(e,"__lodash_hash_undefined__"),this},ce.prototype.has=function(e){return this.__data__.has(e)},le.prototype.clear=function(){this.__data__=new se},le.prototype["delete"]=function(e){return this.__data__["delete"](e)},le.prototype.get=function(e){return this.__data__.get(e)},le.prototype.has=function(e){return this.__data__.has(e)},le.prototype.set=function(e,t){var n=this.__data__;if(n instanceof se){var r=n.__data__;if(!K||r.length<199)return r.push([e,t]),this;n=this.__data__=new ue(r)}return n.set(e,t),this};var de,pe=(de=function(e,t){return e&&he(e,t,Ue)},function(e,t){if(null==e)return e;if(!Ne(e))return de(e,t);for(var n=e.length,r=-1,o=Object(e);++r<n&&!1!==t(o[r],r,o););return e}),he=function(e,t,n){for(var r=-1,o=Object(e),a=n(e),i=a.length;i--;){var s=a[++r];if(!1===t(o[s],s,o))break}return e};function me(e,t){for(var n=0,r=(t=De(t,e)?[t]:be(t)).length;null!=e&&n<r;)e=e[_e(t[n++])];return n&&n==r?e:void 0}function ge(e,t){return null!=e&&t in Object(e)}function ve(e,t,n,s,u){return e===t||(null==e||null==t||!Ve(e)&&!Fe(t)?e!=e&&t!=t:function(e,t,n,s,u,c){var l=Ie(e),f=Ie(t),d="[object Array]",p="[object Array]";l||(d=(d=xe(e))==r?a:d),f||(p=(p=xe(t))==r?a:p);var h=d==a&&!S(e),m=p==a&&!S(t),g=d==p;if(g&&!h)return c||(c=new le),l||ze(e)?we(e,t,n,s,u,c):function(e,t,n,r,a,s,u){switch(n){case"[object DataView]":if(e.byteLength!=t.byteLength||e.byteOffset!=t.byteOffset)return!1;e=e.buffer,t=t.buffer;case"[object ArrayBuffer]":return!(e.byteLength!=t.byteLength||!r(new U(e),new U(t)));case"[object Boolean]":case"[object Date]":case"[object Number]":return Te(+e,+t);case"[object Error]":return e.name==t.name&&e.message==t.message;case"[object RegExp]":case"[object String]":return e==t+"";case o:var c=E;case i:var l=2&s;if(c||(c=M),e.size!=t.size&&!l)return!1;var f=u.get(e);if(f)return f==t;s|=1,u.set(e,t);var d=we(c(e),c(t),r,a,s,u);return u["delete"](e),d;case"[object Symbol]":if(oe)return oe.call(e)==oe.call(t)}return!1}(e,t,d,n,s,u,c);if(!(2&u)){var v=h&&V.call(e,"__wrapped__"),y=m&&V.call(t,"__wrapped__");if(v||y){var b=v?e.value():e,w=y?t.value():t;return c||(c=new le),n(b,w,s,u,c)}}return!!g&&(c||(c=new le),function(e,t,n,r,o,a){var i=2&o,s=Ue(e),u=s.length;if(u!=Ue(t).length&&!i)return!1;for(var c=u;c--;){var l=s[c];if(!(i?l in t:V.call(t,l)))return!1}var f=a.get(e);if(f&&a.get(t))return f==t;var d=!0;a.set(e,t),a.set(t,e);for(var p=i;++c<u;){var h=e[l=s[c]],m=t[l];if(r)var g=i?r(m,h,l,t,e,a):r(h,m,l,e,t,a);if(!(void 0===g?h===m||n(h,m,r,o,a):g)){d=!1;break}p||(p="constructor"==l)}if(d&&!p){var v=e.constructor,y=t.constructor;v==y||!("constructor"in e)||!("constructor"in t)||"function"==typeof v&&v instanceof v&&"function"==typeof y&&y instanceof y||(d=!1)}return a["delete"](e),a["delete"](t),d}(e,t,n,s,u,c))}(e,t,ve,n,s,u))}function ye(e){return"function"==typeof e?e:null==e?We:"object"==typeof e?Ie(e)?function(e,t){return De(e)&&Se(t)?Ee(_e(e),t):function(n){var r=function(e,t,n){var r=null==e?void 0:me(e,t);return void 0===r?void 0:r}(n,e);return void 0===r&&r===t?function(e,t){return null!=e&&function(e,t,n){for(var r,o=-1,a=(t=De(t,e)?[t]:be(t)).length;++o<a;){var i=_e(t[o]);if(!(r=null!=e&&n(e,i)))break;e=e[i]}return r||!!(a=e?e.length:0)&&Le(a)&&ke(i,a)&&(Ie(e)||Ae(e))}(e,t,ge)}(n,e):ve(t,r,void 0,3)}}(e[0],e[1]):function(e){var t=function(e){for(var t=Ue(e),n=t.length;n--;){var r=t[n],o=e[r];t[n]=[r,o,Se(o)]}return t}(e);return 1==t.length&&t[0][2]?Ee(t[0][0],t[0][1]):function(n){return n===e||function(e,t,n,r){var o=n.length,a=o;if(null==e)return!a;for(e=Object(e);o--;){var i=n[o];if(i[2]?i[1]!==e[i[0]]:!(i[0]in e))return!1}for(;++o<a;){var s=(i=n[o])[0],u=e[s],c=i[1];if(i[2]){if(void 0===u&&!(s in e))return!1}else{var l,f=new le;if(!(void 0===l?ve(c,u,r,3,f):l))return!1}}return!0}(n,0,t)}}(e):De(t=e)?(n=_e(t),function(e){return null==e?void 0:e[n]}):function(e){return function(t){return me(t,e)}}(t);var t,n}function be(e){return Ie(e)?e:Me(e)}function we(e,t,n,r,o,a){var i=2&o,s=e.length,u=t.length;if(s!=u&&!(i&&u>s))return!1;var c=a.get(e);if(c&&a.get(t))return c==t;var l=-1,f=!0,d=1&o?new ce:void 0;for(a.set(e,t),a.set(t,e);++l<s;){var p=e[l],h=t[l];if(r)var m=i?r(h,p,l,t,e,a):r(p,h,l,e,t,a);if(void 0!==m){if(m)continue;f=!1;break}if(d){if(!k(t,(function(e,t){if(!d.has(t)&&(p===e||n(p,e,r,o,a)))return d.add(t)}))){f=!1;break}}else if(p!==h&&!n(p,h,r,o,a)){f=!1;break}}return a["delete"](e),a["delete"](t),f}function Ce(e,t){var n,r,o=e.__data__;return("string"==(r=typeof(n=t))||"number"==r||"symbol"==r||"boolean"==r?"__proto__"!==n:null===n)?o["string"==typeof t?"string":"hash"]:o.map}function Oe(e,t){var n=function(e,t){return null==e?void 0:e[t]}(e,t);return function(e){return!(!Ve(e)||function(e){return!!R&&R in e}(e))&&(Re(e)||S(e)?H:d).test(Pe(e))}(n)?n:void 0}var xe=function(e){return F.call(e)};function ke(e,t){return!!(t=null==t?9007199254740991:t)&&("number"==typeof e||p.test(e))&&e>-1&&e%1==0&&e<t}function De(e,t){if(Ie(e))return!1;var n=typeof e;return!("number"!=n&&"symbol"!=n&&"boolean"!=n&&null!=e&&!He(e))||u.test(e)||!s.test(e)||null!=t&&e in Object(t)}function Se(e){return e==e&&!Ve(e)}function Ee(e,t){return function(n){return null!=n&&n[e]===t&&(void 0!==t||e in Object(n))}}(q&&"[object DataView]"!=xe(new q(new ArrayBuffer(1)))||K&&xe(new K)!=o||Q&&"[object Promise]"!=xe(Q.resolve())||G&&xe(new G)!=i||$&&"[object WeakMap]"!=xe(new $))&&(xe=function(e){var t=F.call(e),n=t==a?e.constructor:void 0,r=n?Pe(n):void 0;if(r)switch(r){case X:return"[object DataView]";case Z:return o;case ee:return"[object Promise]";case te:return i;case ne:return"[object WeakMap]"}return t});var Me=je((function(e){var t;e=null==(t=e)?"":function(e){if("string"==typeof e)return e;if(He(e))return ae?ae.call(e):"";var t=e+"";return"0"==t&&1/e==-1/0?"-0":t}(t);var n=[];return c.test(e)&&n.push(""),e.replace(l,(function(e,t,r,o){n.push(r?o.replace(f,"$1"):t||e)})),n}));function _e(e){if("string"==typeof e||He(e))return e;var t=e+"";return"0"==t&&1/e==-1/0?"-0":t}function Pe(e){if(null!=e){try{return L.call(e)}catch(e){}try{return e+""}catch(e){}}return""}function je(e,t){if("function"!=typeof e||t&&"function"!=typeof t)throw new TypeError("Expected a function");var n=function(){var r=arguments,o=t?t.apply(this,r):r[0],a=n.cache;if(a.has(o))return a.get(o);var i=e.apply(this,r);return n.cache=a.set(o,i),i};return n.cache=new(je.Cache||ue),n}function Te(e,t){return e===t||e!=e&&t!=t}function Ae(e){return function(e){return Fe(e)&&Ne(e)}(e)&&V.call(e,"callee")&&(!W.call(e,"callee")||F.call(e)==r)}je.Cache=ue;var Ie=Array.isArray;function Ne(e){return null!=e&&Le(e.length)&&!Re(e)}function Re(e){var t=Ve(e)?F.call(e):"";return"[object Function]"==t||"[object GeneratorFunction]"==t}function Le(e){return"number"==typeof e&&e>-1&&e%1==0&&e<=9007199254740991}function Ve(e){var t=typeof e;return!!e&&("object"==t||"function"==t)}function Fe(e){return!!e&&"object"==typeof e}function He(e){return"symbol"==typeof e||Fe(e)&&"[object Symbol]"==F.call(e)}var ze=O?function(e){return function(t){return e(t)}}(O):function(e){return Fe(e)&&Le(e.length)&&!!h[F.call(e)]};function Ue(e){return Ne(e)?function(e,t){var n=Ie(e)||Ae(e)?function(e,t){for(var n=-1,r=Array(e);++n<e;)r[n]=t(n);return r}(e.length,String):[],r=n.length,o=!!r;for(var a in e)!t&&!V.call(e,a)||o&&("length"==a||ke(a,r))||n.push(a);return n}(e):function(e){if(n=(t=e)&&t.constructor,t!==("function"==typeof n&&n.prototype||I))return Y(e);var t,n,r=[];for(var o in Object(e))V.call(e,o)&&"constructor"!=o&&r.push(o);return r}(e)}function We(e){return e}n.exports=function(e,t,n){var r=Ie(e)?x:D,o=arguments.length<3;return r(e,ye(t),n,o,pe)}}).call(this,n(3),n(7)(e))},function(e,t){e.exports=function(e){return e.webpackPolyfill||(e.deprecate=function(){},e.paths=[],e.children||(e.children=[]),Object.defineProperty(e,"loaded",{enumerable:!0,get:function(){return e.l}}),Object.defineProperty(e,"id",{enumerable:!0,get:function(){return e.i}}),e.webpackPolyfill=1),e}},function(e,t){String.prototype.padEnd||(String.prototype.padEnd=function(e,t){return e>>=0,t=String(void 0!==t?t:" "),this.length>e?String(this):((e-=this.length)>t.length&&(t+=t.repeat(e/t.length)),String(this)+t.slice(0,e))})},function(e,t,n){"use strict";function r(e,t,n){return t in e?Object.defineProperty(e,t,{value:n,enumerable:!0,configurable:!0,writable:!0}):e[t]=n,e}function o(e){if(Symbol.iterator in Object(e)||"[object Arguments]"===Object.prototype.toString.call(e))return Array.from(e)}function a(e){return function(e){if(Array.isArray(e)){for(var t=0,n=new Array(e.length);t<e.length;t++)n[t]=e[t];return n}}(e)||o(e)||function(){throw new TypeError("Invalid attempt to spread non-iterable instance")}()}function i(e){if(Array.isArray(e))return e}function s(){throw new TypeError("Invalid attempt to destructure non-iterable instance")}function u(e,t){if(!(e instanceof t))throw new TypeError("Cannot call a class as a function")}function c(e,t){for(var n=0;n<t.length;n++){var r=t[n];r.enumerable=r.enumerable||!1,r.configurable=!0,"value"in r&&(r.writable=!0),Object.defineProperty(e,r.key,r)}}function l(e){return(l="function"==typeof Symbol&&"symbol"==typeof Symbol.iterator?function(e){return typeof e}:function(e){return e&&"function"==typeof Symbol&&e.constructor===Symbol&&e!==Symbol.prototype?"symbol":typeof e})(e)}function f(e){return(f="function"==typeof Symbol&&"symbol"===l(Symbol.iterator)?function(e){return l(e)}:function(e){return e&&"function"==typeof Symbol&&e.constructor===Symbol&&e!==Symbol.prototype?"symbol":l(e)})(e)}function d(e){if(void 0===e)throw new ReferenceError("this hasn't been initialised - super() hasn't been called");return e}function p(e){return(p=Object.setPrototypeOf?Object.getPrototypeOf:function(e){return e.__proto__||Object.getPrototypeOf(e)})(e)}function h(e,t){return(h=Object.setPrototypeOf||function(e,t){return e.__proto__=t,e})(e,t)}n.r(t);var m=n(0),g=n.n(m),v=n(5),y=n.n(v),b=n(4),w=n.n(b),C=n(6),O=n.n(C),x=n(2),k=n.n(x),D=n(1),S=n.n(D);function E(e,t){return i(e)||function(e,t){var n=[],r=!0,o=!1,a=void 0;try{for(var i,s=e[Symbol.iterator]();!(r=(i=s.next()).done)&&(n.push(i.value),!t||n.length!==t);r=!0);}catch(e){o=!0,a=e}finally{try{r||null==s["return"]||s["return"]()}finally{if(o)throw a}}return n}(e,t)||s()}n(8);var M=[["Afghanistan",["asia"],"af","93"],["Albania",["europe"],"al","355"],["Algeria",["africa","north-africa"],"dz","213"],["Andorra",["europe"],"ad","376"],["Angola",["africa"],"ao","244"],["Antigua and Barbuda",["america","carribean"],"ag","1268"],["Argentina",["america","south-america"],"ar","54","(..) ........",0,["11","221","223","261","264","2652","280","2905","291","2920","2966","299","341","342","343","351","376","379","381","3833","385","387","388"]],["Armenia",["asia","ex-ussr"],"am","374",".. ......"],["Aruba",["america","carribean"],"aw","297"],["Australia",["oceania"],"au","61","(..) .... ....",0,["2","3","4","7","8","02","03","04","07","08"]],["Austria",["europe","eu-union"],"at","43"],["Azerbaijan",["asia","ex-ussr"],"az","994","(..) ... .. .."],["Bahamas",["america","carribean"],"bs","1242"],["Bahrain",["middle-east"],"bh","973"],["Bangladesh",["asia"],"bd","880"],["Barbados",["america","carribean"],"bb","1246"],["Belarus",["europe","ex-ussr"],"by","375","(..) ... .. .."],["Belgium",["europe","eu-union"],"be","32","... .. .. .."],["Belize",["america","central-america"],"bz","501"],["Benin",["africa"],"bj","229"],["Bhutan",["asia"],"bt","975"],["Bolivia",["america","south-america"],"bo","591"],["Bosnia and Herzegovina",["europe","ex-yugos"],"ba","387"],["Botswana",["africa"],"bw","267"],["Brazil",["america","south-america"],"br","55","(..) ........."],["British Indian Ocean Territory",["asia"],"io","246"],["Brunei",["asia"],"bn","673"],["Bulgaria",["europe","eu-union"],"bg","359"],["Burkina Faso",["africa"],"bf","226"],["Burundi",["africa"],"bi","257"],["Cambodia",["asia"],"kh","855"],["Cameroon",["africa"],"cm","237"],["Canada",["america","north-america"],"ca","1","(...) ...-....",1,["204","226","236","249","250","289","306","343","365","387","403","416","418","431","437","438","450","506","514","519","548","579","581","587","604","613","639","647","672","705","709","742","778","780","782","807","819","825","867","873","902","905"]],["Cape Verde",["africa"],"cv","238"],["Caribbean Netherlands",["america","carribean"],"bq","599","",1],["Central African Republic",["africa"],"cf","236"],["Chad",["africa"],"td","235"],["Chile",["america","south-america"],"cl","56"],["China",["asia"],"cn","86","..-........."],["Colombia",["america","south-america"],"co","57","... ... ...."],["Comoros",["africa"],"km","269"],["Congo",["africa"],"cd","243"],["Congo",["africa"],"cg","242"],["Costa Rica",["america","central-america"],"cr","506","....-...."],["Côte d’Ivoire",["africa"],"ci","225",".. .. .. .."],["Croatia",["europe","eu-union","ex-yugos"],"hr","385"],["Cuba",["america","carribean"],"cu","53"],["Curaçao",["america","carribean"],"cw","599","",0],["Cyprus",["europe","eu-union"],"cy","357",".. ......"],["Czech Republic",["europe","eu-union"],"cz","420","... ... ..."],["Denmark",["europe","eu-union","baltic"],"dk","45",".. .. .. .."],["Djibouti",["africa"],"dj","253"],["Dominica",["america","carribean"],"dm","1767"],["Dominican Republic",["america","carribean"],"do","1","",2,["809","829","849"]],["Ecuador",["america","south-america"],"ec","593"],["Egypt",["africa","north-africa"],"eg","20"],["El Salvador",["america","central-america"],"sv","503","....-...."],["Equatorial Guinea",["africa"],"gq","240"],["Eritrea",["africa"],"er","291"],["Estonia",["europe","eu-union","ex-ussr","baltic"],"ee","372",".... ......"],["Ethiopia",["africa"],"et","251"],["Fiji",["oceania"],"fj","679"],["Finland",["europe","eu-union","baltic"],"fi","358",".. ... .. .."],["France",["europe","eu-union"],"fr","33",". .. .. .. .."],["French Guiana",["america","south-america"],"gf","594"],["French Polynesia",["oceania"],"pf","689"],["Gabon",["africa"],"ga","241"],["Gambia",["africa"],"gm","220"],["Georgia",["asia","ex-ussr"],"ge","995"],["Germany",["europe","eu-union","baltic"],"de","49",".... ........"],["Ghana",["africa"],"gh","233"],["Greece",["europe","eu-union"],"gr","30"],["Grenada",["america","carribean"],"gd","1473"],["Guadeloupe",["america","carribean"],"gp","590","",0],["Guam",["oceania"],"gu","1671"],["Guatemala",["america","central-america"],"gt","502","....-...."],["Guinea",["africa"],"gn","224"],["Guinea-Bissau",["africa"],"gw","245"],["Guyana",["america","south-america"],"gy","592"],["Haiti",["america","carribean"],"ht","509","....-...."],["Honduras",["america","central-america"],"hn","504"],["Hong Kong",["asia"],"hk","852",".... ...."],["Hungary",["europe","eu-union"],"hu","36"],["Iceland",["europe"],"is","354","... ...."],["India",["asia"],"in","91",".....-....."],["Indonesia",["asia"],"id","62"],["Iran",["middle-east"],"ir","98","... ... ...."],["Iraq",["middle-east"],"iq","964"],["Ireland",["europe","eu-union"],"ie","353",".. ......."],["Israel",["middle-east"],"il","972","... ... ...."],["Italy",["europe","eu-union"],"it","39","... .......",0],["Jamaica",["america","carribean"],"jm","1876"],["Japan",["asia"],"jp","81",".. .... ...."],["Jordan",["middle-east"],"jo","962"],["Kazakhstan",["asia","ex-ussr"],"kz","7","... ...-..-..",1,["310","311","312","313","315","318","321","324","325","326","327","336","7172","73622"]],["Kenya",["africa"],"ke","254"],["Kiribati",["oceania"],"ki","686"],["Kosovo",["europe","ex-yugos"],"xk","383"],["Kuwait",["middle-east"],"kw","965"],["Kyrgyzstan",["asia","ex-ussr"],"kg","996","... ... ..."],["Laos",["asia"],"la","856"],["Latvia",["europe","eu-union","ex-ussr","baltic"],"lv","371",".. ... ..."],["Lebanon",["middle-east"],"lb","961"],["Lesotho",["africa"],"ls","266"],["Liberia",["africa"],"lr","231"],["Libya",["africa","north-africa"],"ly","218"],["Liechtenstein",["europe"],"li","423"],["Lithuania",["europe","eu-union","ex-ussr","baltic"],"lt","370"],["Luxembourg",["europe","eu-union"],"lu","352"],["Macau",["asia"],"mo","853"],["Macedonia",["europe","ex-yugos"],"mk","389"],["Madagascar",["africa"],"mg","261"],["Malawi",["africa"],"mw","265"],["Malaysia",["asia"],"my","60","..-....-...."],["Maldives",["asia"],"mv","960"],["Mali",["africa"],"ml","223"],["Malta",["europe","eu-union"],"mt","356"],["Marshall Islands",["oceania"],"mh","692"],["Martinique",["america","carribean"],"mq","596"],["Mauritania",["africa"],"mr","222"],["Mauritius",["africa"],"mu","230"],["Mexico",["america","central-america"],"mx","52","... ... ....",0,["55","81","33","656","664","998","774","229"]],["Micronesia",["oceania"],"fm","691"],["Moldova",["europe"],"md","373","(..) ..-..-.."],["Monaco",["europe"],"mc","377"],["Mongolia",["asia"],"mn","976"],["Montenegro",["europe","ex-yugos"],"me","382"],["Morocco",["africa","north-africa"],"ma","212"],["Mozambique",["africa"],"mz","258"],["Myanmar",["asia"],"mm","95"],["Namibia",["africa"],"na","264"],["Nauru",["africa"],"nr","674"],["Nepal",["asia"],"np","977"],["Netherlands",["europe","eu-union"],"nl","31",".. ........"],["New Caledonia",["oceania"],"nc","687"],["New Zealand",["oceania"],"nz","64","...-...-...."],["Nicaragua",["america","central-america"],"ni","505"],["Niger",["africa"],"ne","227"],["Nigeria",["africa"],"ng","234"],["North Korea",["asia"],"kp","850"],["Norway",["europe","baltic"],"no","47","... .. ..."],["Oman",["middle-east"],"om","968"],["Pakistan",["asia"],"pk","92","...-......."],["Palau",["oceania"],"pw","680"],["Palestine",["middle-east"],"ps","970"],["Panama",["america","central-america"],"pa","507"],["Papua New Guinea",["oceania"],"pg","675"],["Paraguay",["america","south-america"],"py","595"],["Peru",["america","south-america"],"pe","51"],["Philippines",["asia"],"ph","63",".... ......."],["Poland",["europe","eu-union","baltic"],"pl","48","...-...-..."],["Portugal",["europe","eu-union"],"pt","351"],["Puerto Rico",["america","carribean"],"pr","1","",3,["787","939"]],["Qatar",["middle-east"],"qa","974"],["Réunion",["africa"],"re","262"],["Romania",["europe","eu-union"],"ro","40"],["Russia",["europe","asia","ex-ussr","baltic"],"ru","7","(...) ...-..-..",0],["Rwanda",["africa"],"rw","250"],["Saint Kitts and Nevis",["america","carribean"],"kn","1869"],["Saint Lucia",["america","carribean"],"lc","1758"],["Saint Vincent and the Grenadines",["america","carribean"],"vc","1784"],["Samoa",["oceania"],"ws","685"],["San Marino",["europe"],"sm","378"],["São Tomé and Príncipe",["africa"],"st","239"],["Saudi Arabia",["middle-east"],"sa","966"],["Senegal",["africa"],"sn","221"],["Serbia",["europe","ex-yugos"],"rs","381"],["Seychelles",["africa"],"sc","248"],["Sierra Leone",["africa"],"sl","232"],["Singapore",["asia"],"sg","65","....-...."],["Slovakia",["europe","eu-union"],"sk","421"],["Slovenia",["europe","eu-union","ex-yugos"],"si","386"],["Solomon Islands",["oceania"],"sb","677"],["Somalia",["africa"],"so","252"],["South Africa",["africa"],"za","27"],["South Korea",["asia"],"kr","82","... .... ...."],["South Sudan",["africa","north-africa"],"ss","211"],["Spain",["europe","eu-union"],"es","34","... ... ..."],["Sri Lanka",["asia"],"lk","94"],["Sudan",["africa"],"sd","249"],["Suriname",["america","south-america"],"sr","597"],["Swaziland",["africa"],"sz","268"],["Sweden",["europe","eu-union","baltic"],"se","46","(...) ...-..."],["Switzerland",["europe"],"ch","41",".. ... .. .."],["Syria",["middle-east"],"sy","963"],["Taiwan",["asia"],"tw","886"],["Tajikistan",["asia","ex-ussr"],"tj","992"],["Tanzania",["africa"],"tz","255"],["Thailand",["asia"],"th","66"],["Timor-Leste",["asia"],"tl","670"],["Togo",["africa"],"tg","228"],["Tonga",["oceania"],"to","676"],["Trinidad and Tobago",["america","carribean"],"tt","1868"],["Tunisia",["africa","north-africa"],"tn","216"],["Turkey",["europe"],"tr","90","... ... .. .."],["Turkmenistan",["asia","ex-ussr"],"tm","993"],["Tuvalu",["asia"],"tv","688"],["Uganda",["africa"],"ug","256"],["Ukraine",["europe","ex-ussr"],"ua","380","(..) ... .. .."],["United Arab Emirates",["middle-east"],"ae","971"],["United Kingdom",["europe","eu-union"],"gb","44",".... ......"],["United States",["america","north-america"],"us","1","(...) ...-....",0,["907","205","251","256","334","479","501","870","480","520","602","623","928","209","213","310","323","408","415","510","530","559","562","619","626","650","661","707","714","760","805","818","831","858","909","916","925","949","951","303","719","970","203","860","202","302","239","305","321","352","386","407","561","727","772","813","850","863","904","941","954","229","404","478","706","770","912","808","319","515","563","641","712","208","217","309","312","618","630","708","773","815","847","219","260","317","574","765","812","316","620","785","913","270","502","606","859","225","318","337","504","985","413","508","617","781","978","301","410","207","231","248","269","313","517","586","616","734","810","906","989","218","320","507","612","651","763","952","314","417","573","636","660","816","228","601","662","406","252","336","704","828","910","919","701","308","402","603","201","609","732","856","908","973","505","575","702","775","212","315","516","518","585","607","631","716","718","845","914","216","330","419","440","513","614","740","937","405","580","918","503","541","215","412","570","610","717","724","814","401","803","843","864","605","423","615","731","865","901","931","210","214","254","281","325","361","409","432","512","713","806","817","830","903","915","936","940","956","972","979","435","801","276","434","540","703","757","804","802","206","253","360","425","509","262","414","608","715","920","304","307"]],["Uruguay",["america","south-america"],"uy","598"],["Uzbekistan",["asia","ex-ussr"],"uz","998",".. ... .. .."],["Vanuatu",["oceania"],"vu","678"],["Vatican City",["europe"],"va","39",".. .... ....",1],["Venezuela",["america","south-america"],"ve","58"],["Vietnam",["asia"],"vn","84"],["Yemen",["middle-east"],"ye","967"],["Zambia",["africa"],"zm","260"],["Zimbabwe",["africa"],"zw","263"]],_=[["American Samoa",["oceania"],"as","1684"],["Anguilla",["america","carribean"],"ai","1264"],["Bermuda",["america","north-america"],"bm","1441"],["British Virgin Islands",["america","carribean"],"vg","1284"],["Cayman Islands",["america","carribean"],"ky","1345"],["Cook Islands",["oceania"],"ck","682"],["Falkland Islands",["america","south-america"],"fk","500"],["Faroe Islands",["europe"],"fo","298"],["Gibraltar",["europe"],"gi","350"],["Greenland",["america"],"gl","299"],["Jersey",["europe","eu-union"],"je","44",".... ......"],["Montserrat",["america","carribean"],"ms","1664"],["Niue",["asia"],"nu","683"],["Norfolk Island",["oceania"],"nf","672"],["Northern Mariana Islands",["oceania"],"mp","1670"],["Saint Barthélemy",["america","carribean"],"bl","590","",1],["Saint Helena",["africa"],"sh","290"],["Saint Martin",["america","carribean"],"mf","590","",2],["Saint Pierre and Miquelon",["america","north-america"],"pm","508"],["Sint Maarten",["america","carribean"],"sx","1721"],["Tokelau",["oceania"],"tk","690"],["Turks and Caicos Islands",["america","carribean"],"tc","1649"],["U.S. Virgin Islands",["america","carribean"],"vi","1340"],["Wallis and Futuna",["oceania"],"wf","681"]];function P(e,t,n,r,o){return!n||o?e+"".padEnd(t.length,".")+" "+r:e+"".padEnd(t.length,".")+" "+n}function j(e,t,n,o,i){var s,u,c=[];return u=!0===t,[(s=[]).concat.apply(s,a(e.map((function(e){var a={name:e[0],regions:e[1],iso2:e[2],countryCode:e[3],dialCode:e[3],format:P(n,e[3],e[4],o,i),priority:e[5]||0},s=[];return e[6]&&e[6].map((function(t){var n=function(e){for(var t=1;t<arguments.length;t++){var n=null!=arguments[t]?arguments[t]:{},o=Object.keys(n);"function"==typeof Object.getOwnPropertySymbols&&(o=o.concat(Object.getOwnPropertySymbols(n).filter((function(e){return Object.getOwnPropertyDescriptor(n,e).enumerable})))),o.forEach((function(t){r(e,t,n[t])}))}return e}({},a);n.dialCode=e[3]+t,n.isAreaCode=!0,n.areaCodeLength=t.length,s.push(n)})),s.length>0?(a.mainCode=!0,u||"Array"===t.constructor.name&&t.includes(e[2])?(a.hasAreaCodes=!0,[a].concat(s)):(c=c.concat(s),[a])):[a]})))),c]}function T(e,t,n,r){if(null!==n){var o=Object.keys(n),a=Object.values(n);o.forEach((function(n,o){if(r)return e.push([n,a[o]]);var i=e.findIndex((function(e){return e[0]===n}));if(-1===i){var s=[n];s[t]=a[o],e.push(s)}else e[i][t]=a[o]}))}}function A(e,t){return 0===t.length?e:e.map((function(e){var n=t.findIndex((function(t){return t[0]===e[2]}));if(-1===n)return e;var r=t[n];return r[1]&&(e[4]=r[1]),r[3]&&(e[5]=r[3]),r[2]&&(e[6]=r[2]),e}))}var I=function R(e,t,n,r,o,i,s,c,l,f,d,p,h,m){u(this,R),this.filterRegions=function(e,t){if("string"==typeof e){var n=e;return t.filter((function(e){return e.regions.some((function(e){return e===n}))}))}return t.filter((function(t){return e.map((function(e){return t.regions.some((function(t){return t===e}))})).some((function(e){return e}))}))},this.sortTerritories=function(e,t){var n=[].concat(a(e),a(t));return n.sort((function(e,t){return e.name<t.name?-1:e.name>t.name?1:0})),n},this.getFilteredCountryList=function(e,t,n){return 0===e.length?t:n?e.map((function(e){var n=t.find((function(t){return t.iso2===e}));if(n)return n})).filter((function(e){return e})):t.filter((function(t){return e.some((function(e){return e===t.iso2}))}))},this.localizeCountries=function(e,t,n){for(var r=0;r<e.length;r++)void 0!==t[e[r].iso2]?e[r].localName=t[e[r].iso2]:void 0!==t[e[r].name]&&(e[r].localName=t[e[r].name]);return n||e.sort((function(e,t){return e.localName<t.localName?-1:e.localName>t.localName?1:0})),e},this.getCustomAreas=function(e,t){for(var n=[],r=0;r<t.length;r++){var o=JSON.parse(JSON.stringify(e));o.dialCode+=t[r],n.push(o)}return n},this.excludeCountries=function(e,t){return 0===t.length?e:e.filter((function(e){return!t.includes(e.iso2)}))};var g=function(e,t,n){var r=[];return T(r,1,e,!0),T(r,3,t),T(r,2,n),r}(c,l,f),v=A(JSON.parse(JSON.stringify(M)),g),y=A(JSON.parse(JSON.stringify(_)),g),b=E(j(v,e,p,h,m),2),w=b[0],C=b[1];if(t){var O=E(j(y,e,p,h,m),2),x=O[0];O[1],w=this.sortTerritories(x,w)}n&&(w=this.filterRegions(n,w)),this.onlyCountries=this.localizeCountries(this.excludeCountries(this.getFilteredCountryList(r,w,s.includes("onlyCountries")),i),d,s.includes("onlyCountries")),this.preferredCountries=0===o.length?[]:this.localizeCountries(this.getFilteredCountryList(o,w,s.includes("preferredCountries")),d,s.includes("preferredCountries")),this.hiddenAreaCodes=this.excludeCountries(this.getFilteredCountryList(r,C),i)},N=function(e){function t(e){var n;u(this,t),(n=function(e,t){return!t||"object"!==f(t)&&"function"!=typeof t?d(e):t}(this,p(t).call(this,e))).getProbableCandidate=w()((function(e){return e&&0!==e.length?n.state.onlyCountries.filter((function(t){return k()(t.name.toLowerCase(),e.toLowerCase())}),d(d(n)))[0]:null})),n.guessSelectedCountry=w()((function(e,t,r,o){var a;if(!1===n.props.enableAreaCodes&&(o.some((function(t){if(k()(e,t.dialCode))return r.some((function(e){if(t.iso2===e.iso2&&e.mainCode)return a=e,!0})),!0})),a))return a;var i=r.find((function(e){return e.iso2==t}));if(""===e.trim())return i;var s=r.reduce((function(t,n){if(k()(e,n.dialCode)){if(n.dialCode.length>t.dialCode.length)return n;if(n.dialCode.length===t.dialCode.length&&n.priority<t.priority)return n}return t}),{dialCode:"",priority:10001},d(d(n)));return s.name?s:i})),n.updateCountry=function(e){var t,r=n.state.onlyCountries;(t=e.indexOf(0)>="0"&&e.indexOf(0)<="9"?r.find((function(t){return t.dialCode==+e})):r.find((function(t){return t.iso2==e})))&&t.dialCode&&n.setState({selectedCountry:t,formattedNumber:n.props.disableCountryCode?"":n.formatNumber(t.dialCode,t)})},n.scrollTo=function(e,t){if(e){var r=n.dropdownRef;if(r&&document.body){var o=r.offsetHeight,a=r.getBoundingClientRect().top+document.body.scrollTop,i=a+o,s=e,u=s.getBoundingClientRect(),c=s.offsetHeight,l=u.top+document.body.scrollTop,f=l+c,d=l-a+r.scrollTop,p=o/2-c/2;if(n.props.enableSearch?l<a+32:l<a)t&&(d-=p),r.scrollTop=d;else if(f>i){t&&(d+=p);var h=o-c;r.scrollTop=d-h}}}},n.scrollToTop=function(){var e=n.dropdownRef;e&&document.body&&(e.scrollTop=0)},n.formatNumber=function(e,t){if(!t)return e;var r,a=t.format,u=n.props,c=u.disableCountryCode,l=u.enableAreaCodeStretch,f=u.enableLongNumbers,d=u.autoFormat;if(c?((r=a.split(" ")).shift(),r=r.join(" ")):l&&t.isAreaCode?((r=a.split(" "))[1]=r[1].replace(/\.+/,"".padEnd(t.areaCodeLength,".")),r=r.join(" ")):r=a,!e||0===e.length)return c?"":n.props.prefix;if(e&&e.length<2||!r||!d)return c?e:n.props.prefix+e;var p,h=O()(r,(function(e,t){if(0===e.remainingText.length)return e;if("."!==t)return{formattedText:e.formattedText+t,remainingText:e.remainingText};var n,r=i(n=e.remainingText)||o(n)||s(),a=r[0],u=r.slice(1);return{formattedText:e.formattedText+a,remainingText:u}}),{formattedText:"",remainingText:e.split("")});return(p=f?h.formattedText+h.remainingText.join(""):h.formattedText).includes("(")&&!p.includes(")")&&(p+=")"),p},n.cursorToEnd=function(){var e=n.numberInputRef;if(document.activeElement===e){e.focus();var t=e.value.length;")"===e.value.charAt(t-1)&&(t-=1),e.setSelectionRange(t,t)}},n.getElement=function(e){return n["flag_no_".concat(e)]},n.getCountryData=function(){return n.state.selectedCountry?{name:n.state.selectedCountry.name||"",dialCode:n.state.selectedCountry.dialCode||"",countryCode:n.state.selectedCountry.iso2||"",format:n.state.selectedCountry.format||""}:{}},n.handleFlagDropdownClick=function(e){if(e.preventDefault(),n.state.showDropdown||!n.props.disabled){var t=n.state,r=t.preferredCountries,o=t.onlyCountries,a=t.selectedCountry,i=n.concatPreferredCountries(r,o).findIndex((function(e){return e.dialCode===a.dialCode&&e.iso2===a.iso2}));n.setState({showDropdown:!n.state.showDropdown,highlightCountryIndex:i},(function(){n.state.showDropdown&&n.scrollTo(n.getElement(n.state.highlightCountryIndex))}))}},n.handleInput=function(e){var t=e.target.value,r=n.props,o=r.prefix,a=r.onChange,i=n.props.disableCountryCode?"":o,s=n.state.selectedCountry,u=n.state.freezeSelection;if(!n.props.countryCodeEditable){var c=o+(s.hasAreaCodes?n.state.onlyCountries.find((function(e){return e.iso2===s.iso2&&e.mainCode})).dialCode:s.dialCode);if(t.slice(0,c.length)!==c)return}if(t===o)return a&&a("",n.getCountryData(),e,""),n.setState({formattedNumber:""});if(t.replace(/\D/g,"").length>15){if(!1===n.props.enableLongNumbers)return;if("number"==typeof n.props.enableLongNumbers&&t.replace(/\D/g,"").length>n.props.enableLongNumbers)return}if(t!==n.state.formattedNumber){e.preventDefault?e.preventDefault():e.returnValue=!1;var l=n.props.country,f=n.state,d=f.onlyCountries,p=f.selectedCountry,h=f.hiddenAreaCodes;if(a&&e.persist(),t.length>0){var m=t.replace(/\D/g,"");(!n.state.freezeSelection||p&&p.dialCode.length>m.length)&&(s=n.props.disableCountryGuess?p:n.guessSelectedCountry(m.substring(0,6),l,d,h)||p,u=!1),i=n.formatNumber(m,s),s=s.dialCode?s:p}var g=e.target.selectionStart,v=e.target.selectionStart,y=n.state.formattedNumber,b=i.length-y.length;n.setState({formattedNumber:i,freezeSelection:u,selectedCountry:s},(function(){b>0&&(v-=b),")"==i.charAt(i.length-1)?n.numberInputRef.setSelectionRange(i.length-1,i.length-1):v>0&&y.length>=i.length?n.numberInputRef.setSelectionRange(v,v):g<y.length&&n.numberInputRef.setSelectionRange(g,g),a&&a(i.replace(/[^0-9]+/g,""),n.getCountryData(),e,i)}))}},n.handleInputClick=function(e){n.setState({showDropdown:!1}),n.props.onClick&&n.props.onClick(e,n.getCountryData())},n.handleDoubleClick=function(e){var t=e.target.value.length;e.target.setSelectionRange(0,t)},n.handleFlagItemClick=function(e,t){var r=n.state.selectedCountry,o=n.state.onlyCountries.find((function(t){return t==e}));if(o){var a=n.state.formattedNumber.replace(" ","").replace("(","").replace(")","").replace("-",""),i=a.length>1?a.replace(r.dialCode,o.dialCode):o.dialCode,s=n.formatNumber(i.replace(/\D/g,""),o);n.setState({showDropdown:!1,selectedCountry:o,freezeSelection:!0,formattedNumber:s,searchValue:""},(function(){n.cursorToEnd(),n.props.onChange&&n.props.onChange(s.replace(/[^0-9]+/g,""),n.getCountryData(),t,s)}))}},n.handleInputFocus=function(e){n.numberInputRef&&n.numberInputRef.value===n.props.prefix&&n.state.selectedCountry&&!n.props.disableCountryCode&&n.setState({formattedNumber:n.props.prefix+n.state.selectedCountry.dialCode},(function(){n.props.jumpCursorToEnd&&setTimeout(n.cursorToEnd,0)})),n.setState({placeholder:""}),n.props.onFocus&&n.props.onFocus(e,n.getCountryData()),n.props.jumpCursorToEnd&&setTimeout(n.cursorToEnd,0)},n.handleInputBlur=function(e){e.target.value||n.setState({placeholder:n.props.placeholder}),n.props.onBlur&&n.props.onBlur(e,n.getCountryData())},n.handleInputCopy=function(e){if(n.props.copyNumbersOnly){var t=window.getSelection().toString().replace(/[^0-9]+/g,"");e.clipboardData.setData("text/plain",t),e.preventDefault()}},n.getHighlightCountryIndex=function(e){var t=n.state.highlightCountryIndex+e;return t<0||t>=n.state.onlyCountries.length+n.state.preferredCountries.length?t-e:n.props.enableSearch&&t>n.getSearchFilteredCountries().length?0:t},n.searchCountry=function(){var e=n.getProbableCandidate(n.state.queryString)||n.state.onlyCountries[0],t=n.state.onlyCountries.findIndex((function(t){return t==e}))+n.state.preferredCountries.length;n.scrollTo(n.getElement(t),!0),n.setState({queryString:"",highlightCountryIndex:t})},n.handleKeydown=function(e){var t=n.props.keys,r=e.target.className;if(r.includes("selected-flag")&&e.which===t.ENTER&&!n.state.showDropdown)return n.handleFlagDropdownClick(e);if(r.includes("form-control")&&(e.which===t.ENTER||e.which===t.ESC))return e.target.blur();if(n.state.showDropdown&&!n.props.disabled&&(!r.includes("search-box")||e.which===t.UP||e.which===t.DOWN||e.which===t.ENTER||e.which===t.ESC&&""===e.target.value)){e.preventDefault?e.preventDefault():e.returnValue=!1;var o=function(e){n.setState({highlightCountryIndex:n.getHighlightCountryIndex(e)},(function(){n.scrollTo(n.getElement(n.state.highlightCountryIndex),!0)}))};switch(e.which){case t.DOWN:o(1);break;case t.UP:o(-1);break;case t.ENTER:n.props.enableSearch?n.handleFlagItemClick(n.getSearchFilteredCountries()[n.state.highlightCountryIndex]||n.getSearchFilteredCountries()[0],e):n.handleFlagItemClick([].concat(a(n.state.preferredCountries),a(n.state.onlyCountries))[n.state.highlightCountryIndex],e);break;case t.ESC:case t.TAB:n.setState({showDropdown:!1},n.cursorToEnd);break;default:(e.which>=t.A&&e.which<=t.Z||e.which===t.SPACE)&&n.setState({queryString:n.state.queryString+String.fromCharCode(e.which)},n.state.debouncedQueryStingSearcher)}}},n.handleInputKeyDown=function(e){var t=n.props,r=t.keys,o=t.onEnterKeyPress,a=t.onKeyDown;e.which===r.ENTER&&o&&o(e),a&&a(e)},n.handleClickOutside=function(e){n.dropdownRef&&!n.dropdownContainerRef.contains(e.target)&&n.state.showDropdown&&n.setState({showDropdown:!1})},n.handleSearchChange=function(e){var t=e.currentTarget.value,r=n.state,o=r.preferredCountries,a=r.selectedCountry,i=0;if(""===t&&a){var s=n.state.onlyCountries;i=n.concatPreferredCountries(o,s).findIndex((function(e){return e==a})),setTimeout((function(){return n.scrollTo(n.getElement(i))}),100)}n.setState({searchValue:t,highlightCountryIndex:i})},n.concatPreferredCountries=function(e,t){return e.length>0?a(new Set(e.concat(t))):t},n.getDropdownCountryName=function(e){return e.localName||e.name},n.getSearchFilteredCountries=function(){var e=n.state,t=e.preferredCountries,r=e.onlyCountries,o=e.searchValue,i=n.props.enableSearch,s=n.concatPreferredCountries(t,r),u=o.trim().toLowerCase().replace("+","");if(i&&u){if(/^\d+$/.test(u))return s.filter((function(e){var t=e.dialCode;return["".concat(t)].some((function(e){return e.toLowerCase().includes(u)}))}));var c=s.filter((function(e){var t=e.iso2;return["".concat(t)].some((function(e){return e.toLowerCase().includes(u)}))})),l=s.filter((function(e){var t=e.name,n=e.localName;return e.iso2,["".concat(t),"".concat(n||"")].some((function(e){return e.toLowerCase().includes(u)}))}));return n.scrollToTop(),a(new Set([].concat(c,l)))}return s},n.getCountryDropdownList=function(){var e=n.state,t=e.preferredCountries,o=e.highlightCountryIndex,a=e.showDropdown,i=e.searchValue,s=n.props,u=s.disableDropdown,c=s.prefix,l=n.props,f=l.enableSearch,d=l.searchNotFound,p=l.disableSearchIcon,h=l.searchClass,m=l.searchStyle,v=l.searchPlaceholder,y=l.autocompleteSearch,b=n.getSearchFilteredCountries().map((function(e,t){var r=o===t,a=S()({country:!0,preferred:"us"===e.iso2||"gb"===e.iso2,active:"us"===e.iso2,highlight:r}),i="flag ".concat(e.iso2);return g.a.createElement("li",Object.assign({ref:function(e){return n["flag_no_".concat(t)]=e},key:"flag_no_".concat(t),"data-flag-key":"flag_no_".concat(t),className:a,"data-dial-code":"1",tabIndex:u?"-1":"0","data-country-code":e.iso2,onClick:function(t){return n.handleFlagItemClick(e,t)},role:"option"},r?{"aria-selected":!0}:{}),g.a.createElement("div",{className:i}),g.a.createElement("span",{className:"country-name"},n.getDropdownCountryName(e)),g.a.createElement("span",{className:"dial-code"},e.format?n.formatNumber(e.dialCode,e):c+e.dialCode))})),w=g.a.createElement("li",{key:"dashes",className:"divider"});t.length>0&&(!f||f&&!i.trim())&&b.splice(t.length,0,w);var C=S()(r({"country-list":!0,hide:!a},n.props.dropdownClass,!0));return g.a.createElement("ul",{ref:function(e){return!f&&e&&e.focus(),n.dropdownRef=e},className:C,style:n.props.dropdownStyle,role:"listbox",tabIndex:"0"},f&&g.a.createElement("li",{className:S()(r({search:!0},h,h))},!p&&g.a.createElement("span",{className:S()(r({"search-emoji":!0},"".concat(h,"-emoji"),h)),role:"img","aria-label":"Magnifying glass"},"🔎"),g.a.createElement("input",{className:S()(r({"search-box":!0},"".concat(h,"-box"),h)),style:m,type:"search",placeholder:v,autoFocus:!0,autoComplete:y?"on":"off",value:i,onChange:n.handleSearchChange})),b.length>0?b:g.a.createElement("li",{className:"no-entries-message"},g.a.createElement("span",null,d)))};var c,l=new I(e.enableAreaCodes,e.enableTerritories,e.regions,e.onlyCountries,e.preferredCountries,e.excludeCountries,e.preserveOrder,e.masks,e.priority,e.areaCodes,e.localization,e.prefix,e.defaultMask,e.alwaysDefaultMask),h=l.onlyCountries,m=l.preferredCountries,v=l.hiddenAreaCodes,b=e.value?e.value.replace(/\D/g,""):"";c=e.disableInitialCountryGuess?0:b.length>1?n.guessSelectedCountry(b.substring(0,6),e.country,h,v)||0:e.country&&h.find((function(t){return t.iso2==e.country}))||0;var C,x=b.length<2&&c&&!k()(b,c.dialCode)?c.dialCode:"";C=""===b&&0===c?"":n.formatNumber((e.disableCountryCode?"":x)+b,c.name?c:void 0);var D=h.findIndex((function(e){return e==c}));return n.state={showDropdown:e.showDropdown,formattedNumber:C,onlyCountries:h,preferredCountries:m,hiddenAreaCodes:v,selectedCountry:c,highlightCountryIndex:D,queryString:"",freezeSelection:!1,debouncedQueryStingSearcher:y()(n.searchCountry,250),searchValue:""},n}var n,l;return function(e,t){if("function"!=typeof t&&null!==t)throw new TypeError("Super expression must either be null or a function");e.prototype=Object.create(t&&t.prototype,{constructor:{value:e,writable:!0,configurable:!0}}),t&&h(e,t)}(t,e),n=t,(l=[{key:"componentDidMount",value:function(){document.addEventListener&&this.props.enableClickOutside&&document.addEventListener("mousedown",this.handleClickOutside),this.props.onMount&&this.props.onMount(this.state.formattedNumber.replace(/[^0-9]+/g,""),this.getCountryData(),this.state.formattedNumber)}},{key:"componentWillUnmount",value:function(){document.removeEventListener&&this.props.enableClickOutside&&document.removeEventListener("mousedown",this.handleClickOutside)}},{key:"componentDidUpdate",value:function(e,t,n){e.country!==this.props.country?this.updateCountry(this.props.country):e.value!==this.props.value&&this.updateFormattedNumber(this.props.value)}},{key:"updateFormattedNumber",value:function(e){if(null===e)return this.setState({selectedCountry:0,formattedNumber:""});var t=this.state,n=t.onlyCountries,r=t.selectedCountry,o=t.hiddenAreaCodes,a=this.props,i=a.country,s=a.prefix;if(""===e)return this.setState({selectedCountry:r,formattedNumber:""});var u,c,l=e.replace(/\D/g,"");if(r&&k()(e,s+r.dialCode))c=this.formatNumber(l,r),this.setState({formattedNumber:c});else{var f=(u=this.props.disableCountryGuess?r:this.guessSelectedCountry(l.substring(0,6),i,n,o)||r)&&k()(l,s+u.dialCode)?u.dialCode:"";c=this.formatNumber((this.props.disableCountryCode?"":f)+l,u||void 0),this.setState({selectedCountry:u,formattedNumber:c})}}},{key:"render",value:function(){var e,t,n,o=this,a=this.state,i=a.onlyCountries,s=a.selectedCountry,u=a.showDropdown,c=a.formattedNumber,l=a.hiddenAreaCodes,f=this.props,d=f.disableDropdown,p=f.renderStringAsFlag,h=f.isValid,m=f.defaultErrorMessage,v=f.specialLabel;if("boolean"==typeof h)t=h;else{var y=h(c.replace(/\D/g,""),s,i,l);"boolean"==typeof y?!1===(t=y)&&(n=m):(t=!1,n=y)}var b=S()((r(e={},this.props.containerClass,!0),r(e,"react-tel-input",!0),e)),w=S()({arrow:!0,up:u}),C=S()(r({"form-control":!0,"invalid-number":!t,open:u},this.props.inputClass,!0)),O=S()({"selected-flag":!0,open:u}),x=S()(r({"flag-dropdown":!0,"invalid-number":!t,open:u},this.props.buttonClass,!0)),k="flag ".concat(s&&s.iso2);return g.a.createElement("div",{className:"".concat(b," ").concat(this.props.className),style:this.props.style||this.props.containerStyle,onKeyDown:this.handleKeydown},v&&g.a.createElement("div",{className:"special-label"},v),n&&g.a.createElement("div",{className:"invalid-number-message"},n),g.a.createElement("input",Object.assign({className:C,style:this.props.inputStyle,onChange:this.handleInput,onClick:this.handleInputClick,onDoubleClick:this.handleDoubleClick,onFocus:this.handleInputFocus,onBlur:this.handleInputBlur,onCopy:this.handleInputCopy,value:c,onKeyDown:this.handleInputKeyDown,placeholder:this.props.placeholder,disabled:this.props.disabled,type:"tel"},this.props.inputProps,{ref:function(e){o.numberInputRef=e,"function"==typeof o.props.inputProps.ref?o.props.inputProps.ref(e):"object"==typeof o.props.inputProps.ref&&(o.props.inputProps.ref.current=e)}})),g.a.createElement("div",{className:x,style:this.props.buttonStyle,ref:function(e){return o.dropdownContainerRef=e}},p?g.a.createElement("div",{className:O},p):g.a.createElement("div",{onClick:d?void 0:this.handleFlagDropdownClick,className:O,title:s?"".concat(s.localName||s.name,": + ").concat(s.dialCode):"",tabIndex:d?"-1":"0",role:"button","aria-haspopup":"listbox","aria-expanded":!!u||void 0},g.a.createElement("div",{className:k},!d&&g.a.createElement("div",{className:w}))),u&&this.getCountryDropdownList()))}}])&&c(n.prototype,l),t}(g.a.Component);N.defaultProps={country:"",value:"",onlyCountries:[],preferredCountries:[],excludeCountries:[],placeholder:"1 (702) 123-4567",searchPlaceholder:"search",searchNotFound:"No entries to show",flagsImagePath:"./flags.png",disabled:!1,containerStyle:{},inputStyle:{},buttonStyle:{},dropdownStyle:{},searchStyle:{},containerClass:"",inputClass:"",buttonClass:"",dropdownClass:"",searchClass:"",className:"",autoFormat:!0,enableAreaCodes:!1,enableTerritories:!1,disableCountryCode:!1,disableDropdown:!1,enableLongNumbers:!1,countryCodeEditable:!0,enableSearch:!1,disableSearchIcon:!1,disableInitialCountryGuess:!1,disableCountryGuess:!1,regions:"",inputProps:{},localization:{},masks:null,priority:null,areaCodes:null,preserveOrder:[],defaultMask:"... ... ... ... ..",alwaysDefaultMask:!1,prefix:"+",copyNumbersOnly:!0,renderStringAsFlag:"",autocompleteSearch:!1,jumpCursorToEnd:!0,enableAreaCodeStretch:!1,enableClickOutside:!0,showDropdown:!1,isValid:!0,defaultErrorMessage:"",specialLabel:"Phone",onEnterKeyPress:null,keys:{UP:38,DOWN:40,RIGHT:39,LEFT:37,ENTER:13,ESC:27,PLUS:43,A:65,Z:90,SPACE:32,TAB:9}},t["default"]=N}])},73:function(e,t,n){var r;e.exports=(r=n(363),function(e){function t(r){if(n[r])return n[r].exports;var o=n[r]={exports:{},id:r,loaded:!1};return e[r].call(o.exports,o,o.exports,t),o.loaded=!0,o.exports}var n={};return t.m=e,t.c=n,t.p="",t(0)}([function(e,t,n){e.exports=n(2)},function(e,t){"use strict";function n(e,t){if(!(e instanceof t))throw new TypeError("Cannot call a class as a function")}Object.defineProperty(t,"__esModule",{value:!0});var r=function(){function e(e,t){for(var n=0;n<t.length;n++){var r=t[n];r.enumerable=r.enumerable||!1,r.configurable=!0,"value"in r&&(r.writable=!0),Object.defineProperty(e,r.key,r)}}return function(t,n,r){return n&&e(t.prototype,n),r&&e(t,r),t}}(),o=function(){function e(t,r,o,a){n(this,e),this.startPoint=t,this.control1=r,this.control2=o,this.endPoint=a}return r(e,[{key:"length",value:function(){var e,t,n,r,o,a,i,s,u=10,c=0;for(e=0;u>=e;e++)t=e/u,n=this._point(t,this.startPoint.x,this.control1.x,this.control2.x,this.endPoint.x),r=this._point(t,this.startPoint.y,this.control1.y,this.control2.y,this.endPoint.y),e>0&&(i=n-o,s=r-a,c+=Math.sqrt(i*i+s*s)),o=n,a=r;return c}},{key:"_point",value:function(e,t,n,r,o){return t*(1-e)*(1-e)*(1-e)+3*n*(1-e)*(1-e)*e+3*r*(1-e)*e*e+o*e*e*e}}]),e}();t["default"]=o,e.exports=t["default"]},function(e,t,n){"use strict";function r(e){return e&&e.__esModule?e:{"default":e}}function o(e,t){if(!(e instanceof t))throw new TypeError("Cannot call a class as a function")}function a(e,t){if("function"!=typeof t&&null!==t)throw new TypeError("Super expression must either be null or a function, not "+typeof t);e.prototype=Object.create(t&&t.prototype,{constructor:{value:e,enumerable:!1,writable:!0,configurable:!0}}),t&&(e.__proto__=t)}Object.defineProperty(t,"__esModule",{value:!0});var i=function(){function e(e,t){for(var n=0;n<t.length;n++){var r=t[n];r.enumerable=r.enumerable||!1,r.configurable=!0,"value"in r&&(r.writable=!0),Object.defineProperty(e,r.key,r)}}return function(t,n,r){return n&&e(t.prototype,n),r&&e(t,r),t}}(),s=function(e,t,n){for(var r=!0;r;){var o=e,a=t,i=n;s=c=u=void 0,r=!1,null===o&&(o=Function.prototype);var s=Object.getOwnPropertyDescriptor(o,a);if(void 0!==s){if("value"in s)return s.value;var u=s.get;return void 0===u?void 0:u.call(i)}var c=Object.getPrototypeOf(o);if(null===c)return;e=c,t=a,n=i,r=!0}},u=r(n(4)),c=r(n(1)),l=r(n(3)),f=function(e){function t(e){o(this,t),s(Object.getPrototypeOf(t.prototype),"constructor",this).call(this,e),this.velocityFilterWeight=this.props.velocityFilterWeight||.7,this.minWidth=this.props.minWidth||.5,this.maxWidth=this.props.maxWidth||2.5,this.dotSize=this.props.dotSize||function(){return(this.minWidth+this.maxWidth)/2},this.penColor=this.props.penColor||"black",this.backgroundColor=this.props.backgroundColor||"rgba(0,0,0,0)",this.onEnd=this.props.onEnd,this.onBegin=this.props.onBegin}return a(t,e),i(t,[{key:"componentDidMount",value:function(){this._canvas=this.refs.cv,this._ctx=this._canvas.getContext("2d"),this.clear(),this._handleMouseEvents(),this._handleTouchEvents(),this._resizeCanvas()}},{key:"componentWillUnmount",value:function(){this.off()}},{key:"clear",value:function(e){e&&e.preventDefault();var t=this._ctx,n=this._canvas;t.fillStyle=this.backgroundColor,t.clearRect(0,0,n.width,n.height),t.fillRect(0,0,n.width,n.height),this._reset()}},{key:"toDataURL",value:function(e,t){var n=this._canvas;return n.toDataURL.apply(n,arguments)}},{key:"fromDataURL",value:function(e){var t=this,n=new Image,r=window.devicePixelRatio||1,o=this._canvas.width/r,a=this._canvas.height/r;this._reset(),n.src=e,n.onload=function(){t._ctx.drawImage(n,0,0,o,a)},this._isEmpty=!1}},{key:"isEmpty",value:function(){return this._isEmpty}},{key:"_resizeCanvas",value:function(){var e=this._ctx,t=this._canvas,n=Math.max(window.devicePixelRatio||1,1);t.width=t.offsetWidth*n,t.height=t.offsetHeight*n,e.scale(n,n),this._isEmpty=!0}},{key:"_reset",value:function(){this.points=[],this._lastVelocity=0,this._lastWidth=(this.minWidth+this.maxWidth)/2,this._isEmpty=!0,this._ctx.fillStyle=this.penColor}},{key:"_handleMouseEvents",value:function(){this._mouseButtonDown=!1,this._canvas.addEventListener("mousedown",this._handleMouseDown.bind(this)),this._canvas.addEventListener("mousemove",this._handleMouseMove.bind(this)),document.addEventListener("mouseup",this._handleMouseUp.bind(this)),window.addEventListener("resize",this._resizeCanvas.bind(this))}},{key:"_handleTouchEvents",value:function(){this._canvas.style.msTouchAction="none",this._canvas.addEventListener("touchstart",this._handleTouchStart.bind(this)),this._canvas.addEventListener("touchmove",this._handleTouchMove.bind(this)),document.addEventListener("touchend",this._handleTouchEnd.bind(this))}},{key:"off",value:function(){this._canvas.removeEventListener("mousedown",this._handleMouseDown),this._canvas.removeEventListener("mousemove",this._handleMouseMove),document.removeEventListener("mouseup",this._handleMouseUp),this._canvas.removeEventListener("touchstart",this._handleTouchStart),this._canvas.removeEventListener("touchmove",this._handleTouchMove),document.removeEventListener("touchend",this._handleTouchEnd),window.removeEventListener("resize",this._resizeCanvas)}},{key:"_handleMouseDown",value:function(e){1===e.which&&(this._mouseButtonDown=!0,this._strokeBegin(e))}},{key:"_handleMouseMove",value:function(e){this._mouseButtonDown&&this._strokeUpdate(e)}},{key:"_handleMouseUp",value:function(e){1===e.which&&this._mouseButtonDown&&(this._mouseButtonDown=!1,this._strokeEnd(e))}},{key:"_handleTouchStart",value:function(e){var t=e.changedTouches[0];this._strokeBegin(t)}},{key:"_handleTouchMove",value:function(e){e.preventDefault();var t=e.changedTouches[0];this._strokeUpdate(t)}},{key:"_handleTouchEnd",value:function(e){e.target===this._canvas&&this._strokeEnd(e)}},{key:"_strokeUpdate",value:function(e){var t=this._createPoint(e);this._addPoint(t)}},{key:"_strokeBegin",value:function(e){this._reset(),this._strokeUpdate(e),"function"==typeof this.onBegin&&this.onBegin(e)}},{key:"_strokeDraw",value:function(e){var t=this._ctx,n="function"==typeof this.dotSize?this.dotSize():this.dotSize;t.beginPath(),this._drawPoint(e.x,e.y,n),t.closePath(),t.fill()}},{key:"_strokeEnd",value:function(e){var t=this.points.length>2,n=this.points[0];!t&&n&&this._strokeDraw(n),"function"==typeof this.onEnd&&this.onEnd(e)}},{key:"_createPoint",value:function(e){var t=this._canvas.getBoundingClientRect();return new l["default"](e.clientX-t.left,e.clientY-t.top)}},{key:"_addPoint",value:function(e){var t,n,r,o=this.points;o.push(e),o.length>2&&(3===o.length&&o.unshift(o[0]),t=this._calculateCurveControlPoints(o[0],o[1],o[2]).c2,n=this._calculateCurveControlPoints(o[1],o[2],o[3]).c1,r=new c["default"](o[1],t,n,o[2]),this._addCurve(r),o.shift())}},{key:"_calculateCurveControlPoints",value:function(e,t,n){var r=e.x-t.x,o=e.y-t.y,a=t.x-n.x,i=t.y-n.y,s={x:(e.x+t.x)/2,y:(e.y+t.y)/2},u={x:(t.x+n.x)/2,y:(t.y+n.y)/2},c=Math.sqrt(r*r+o*o),f=Math.sqrt(a*a+i*i),d=s.x-u.x,p=s.y-u.y,h=f/(c+f),m={x:u.x+d*h,y:u.y+p*h},g=t.x-m.x,v=t.y-m.y;return{c1:new l["default"](s.x+g,s.y+v),c2:new l["default"](u.x+g,u.y+v)}}},{key:"_addCurve",value:function(e){var t,n,r=e.startPoint;t=e.endPoint.velocityFrom(r),t=this.velocityFilterWeight*t+(1-this.velocityFilterWeight)*this._lastVelocity,n=this._strokeWidth(t),this._drawCurve(e,this._lastWidth,n),this._lastVelocity=t,this._lastWidth=n}},{key:"_drawPoint",value:function(e,t,n){var r=this._ctx;r.moveTo(e,t),r.arc(e,t,n,0,2*Math.PI,!1),this._isEmpty=!1}},{key:"_drawCurve",value:function(e,t,n){var r,o,a,i,s,u,c,l,f,d,p,h=this._ctx,m=n-t;for(r=Math.floor(e.length()),h.beginPath(),a=0;r>a;a++)u=(s=(i=a/r)*i)*i,d=(f=(l=(c=1-i)*c)*c)*e.startPoint.x,d+=3*l*i*e.control1.x,d+=3*c*s*e.control2.x,d+=u*e.endPoint.x,p=f*e.startPoint.y,p+=3*l*i*e.control1.y,p+=3*c*s*e.control2.y,p+=u*e.endPoint.y,o=t+u*m,this._drawPoint(d,p,o);h.closePath(),h.fill()}},{key:"_strokeWidth",value:function(e){return Math.max(this.maxWidth/(e+1),this.minWidth)}},{key:"render",value:function(){return u["default"].createElement("div",{id:"signature-pad",className:"m-signature-pad"},u["default"].createElement("div",{className:"m-signature-pad--body"},u["default"].createElement("canvas",{ref:"cv"})),this.props.clearButton&&u["default"].createElement("div",{className:"m-signature-pad--footer"},u["default"].createElement("button",{className:"btn btn-default button clear",onClick:this.clear.bind(this)},"Clear")))}}]),t}(u["default"].Component);t["default"]=f,e.exports=t["default"]},function(e,t){"use strict";function n(e,t){if(!(e instanceof t))throw new TypeError("Cannot call a class as a function")}Object.defineProperty(t,"__esModule",{value:!0});var r=function(){function e(e,t){for(var n=0;n<t.length;n++){var r=t[n];r.enumerable=r.enumerable||!1,r.configurable=!0,"value"in r&&(r.writable=!0),Object.defineProperty(e,r.key,r)}}return function(t,n,r){return n&&e(t.prototype,n),r&&e(t,r),t}}(),o=function(){function e(t,r,o){n(this,e),this.x=t,this.y=r,this.time=o||(new Date).getTime()}return r(e,[{key:"velocityFrom",value:function(e){return this.time!==e.time?this.distanceTo(e)/(this.time-e.time):1}},{key:"distanceTo",value:function(e){return Math.sqrt(Math.pow(this.x-e.x,2)+Math.pow(this.y-e.y,2))}}]),e}();t["default"]=o,e.exports=t["default"]},function(e,t){e.exports=r}]))},363:function(e){"use strict";e.exports=React}},t={};function n(r){var o=t[r];if(o!==undefined)return o.exports;var a=t[r]={exports:{}};return e[r].call(a.exports,a,a.exports,n),a.exports}n.n=function(e){var t=e&&e.__esModule?function(){return e["default"]}:function(){return e};return n.d(t,{a:t}),t},n.d=function(e,t){for(var r in t)n.o(t,r)&&!n.o(e,r)&&Object.defineProperty(e,r,{enumerable:!0,get:t[r]})},n.g=function(){if("object"==typeof globalThis)return globalThis;try{return this||new Function("return this")()}catch(e){if("object"==typeof window)return window}}(),n.o=function(e,t){return Object.prototype.hasOwnProperty.call(e,t)},n.r=function(e){"undefined"!=typeof Symbol&&Symbol.toStringTag&&Object.defineProperty(e,Symbol.toStringTag,{value:"Module"}),Object.defineProperty(e,"__esModule",{value:!0})},function(){"use strict";var e=n(363),t=n.n(e),r=e=>e instanceof HTMLElement;const o="blur",a="change",i="input",s="onBlur",u="onChange",c="onSubmit",l="onTouched",f="all",d="undefined",p="max",h="min",m="maxLength",g="minLength",v="pattern",y="required",b="validate";var w=e=>null==e;const C=e=>"object"==typeof e;var O=e=>!w(e)&&!Array.isArray(e)&&C(e)&&!(e instanceof Date),x=e=>/^\w*$/.test(e),k=e=>e.filter(Boolean),D=e=>k(e.replace(/["|']/g,"").replace(/\[/g,".").replace(/\]/g,"").split("."));function S(e,t,n){let r=-1;const o=x(t)?[t]:D(t),a=o.length,i=a-1;for(;++r<a;){const t=o[r];let a=n;if(r!==i){const n=e[t];a=O(n)||Array.isArray(n)?n:isNaN(+o[r+1])?{}:[]}e[t]=a,e=e[t]}return e}var E=(e,t={})=>{for(const n in e)x(n)?t[n]=e[n]:S(t,n,e[n]);return t},M=e=>e===undefined,_=(e={},t,n)=>{const r=k(t.split(/[,[\].]+?/)).reduce(((e,t)=>w(e)?e:e[t]),e);return M(r)||r===e?M(e[t])?n:e[t]:r},P=(e,t)=>{r(e)&&e.removeEventListener&&(e.removeEventListener(i,t),e.removeEventListener(a,t),e.removeEventListener(o,t))};const j={isValid:!1,value:null};var T=e=>Array.isArray(e)?e.reduce(((e,t)=>t&&t.ref.checked?{isValid:!0,value:t.ref.value}:e),j):j,A=e=>"radio"===e.type,I=e=>"file"===e.type,N=e=>"checkbox"===e.type,R=e=>"select-multiple"===e.type;const L={value:!1,isValid:!1},V={value:!0,isValid:!0};var F=e=>{if(Array.isArray(e)){if(e.length>1){const t=e.filter((e=>e&&e.ref.checked)).map((({ref:{value:e}})=>e));return{value:t,isValid:!!t.length}}const{checked:t,value:n,attributes:r}=e[0].ref;return t?r&&!M(r.value)?M(n)||""===n?V:{value:n,isValid:!0}:V:L}return L};function H(e,t,n,r,o){const a=e.current[t];if(a){const{ref:{value:e,disabled:t},ref:n,valueAsNumber:s,valueAsDate:u,setValueAs:c}=a;if(t&&r)return;return I(n)?n.files:A(n)?T(a.options).value:R(n)?(i=n.options,[...i].filter((({selected:e})=>e)).map((({value:e})=>e))):N(n)?F(a.options).value:o?e:s?""===e?NaN:+e:u?n.valueAsDate:c?c(e):e}var i;if(n)return _(n.current,t)}function z(e){return!e||e instanceof HTMLElement&&e.nodeType!==Node.DOCUMENT_NODE&&z(e.parentNode)}var U=e=>O(e)&&!Object.keys(e).length,W=e=>"boolean"==typeof e;function B(e,t){const n=x(t)?[t]:D(t),r=1==n.length?e:function(e,t){const n=t.slice(0,-1).length;let r=0;for(;r<n;)e=M(e)?r++:e[t[r++]];return e}(e,n),o=n[n.length-1];let a;r&&delete r[o];for(let t=0;t<n.slice(0,-1).length;t++){let r,o=-1;const i=n.slice(0,-(t+1)),s=i.length-1;for(t>0&&(a=e);++o<i.length;){const t=i[o];r=r?r[t]:e[t],s===o&&(O(r)&&U(r)||Array.isArray(r)&&!r.filter((e=>O(e)&&!U(e)||W(e))).length)&&(a?delete a[t]:delete e[t]),a=r}}return e}const Y=(e,t)=>e&&e.ref===t;var q=e=>w(e)||!C(e);function K(e,t){if(q(e)||q(t))return t;for(const r in t){const o=e[r],a=t[r];try{e[r]=O(o)&&O(a)||Array.isArray(o)&&Array.isArray(a)?K(o,a):a}catch(n){}}return e}function Q(t,n,r){if(q(t)||q(n)||t instanceof Date||n instanceof Date)return t===n;if(!(0,e.isValidElement)(t)){const e=Object.keys(t),o=Object.keys(n);if(e.length!==o.length)return!1;for(const o of e){const e=t[o];if(!r||"ref"!==o){const t=n[o];if((O(e)||Array.isArray(e))&&(O(t)||Array.isArray(t))?!Q(e,t,r):e!==t)return!1}}}return!0}function G(e,t,n,r,o){let a=-1;for(;++a<e.length;){for(const r in e[a])Array.isArray(e[a][r])?(!n[a]&&(n[a]={}),n[a][r]=[],G(e[a][r],_(t[a]||{},r,[]),n[a][r],n[a],r)):Q(_(t[a]||{},r),e[a][r])?S(n[a]||{},r):n[a]=Object.assign(Object.assign({},n[a]),{[r]:!0});r&&!n.length&&delete r[o]}return n}var $=(e,t,n)=>K(G(e,t,n.slice(0,e.length)),G(t,e,n.slice(0,e.length))),J=e=>"string"==typeof e,X=(e,t,n,r,o)=>{const a={};for(const t in e.current)(M(o)||(J(o)?t.startsWith(o):Array.isArray(o)&&o.find((e=>t.startsWith(e)))))&&(a[t]=H(e,t,undefined,r));return n?E(a):K(t,E(a))},Z=e=>e instanceof RegExp,ee=e=>O(e)&&!Z(e)?e:{value:e,message:""},te=e=>"function"==typeof e,ne=t=>J(t)||(0,e.isValidElement)(t);function re(e,t,n="validate"){if(ne(e)||W(e)&&!e)return{type:n,message:ne(e)?e:"",ref:t}}var oe=(e,t,n,r,o)=>t?Object.assign(Object.assign({},n[e]),{types:Object.assign(Object.assign({},n[e]&&n[e].types?n[e].types:{}),{[r]:o||!0})}):{},ae=async(e,t,{ref:n,ref:{value:r},options:o,required:a,maxLength:i,minLength:s,min:u,max:c,pattern:l,validate:f},d)=>{const C=n.name,x={},k=A(n),D=N(n),S=k||D,E=""===r,M=oe.bind(null,C,t,x),_=(e,t,r,o=m,a=g)=>{const i=e?t:r;x[C]=Object.assign({type:e?o:a,message:i,ref:n},M(e?o:a,i))};if(a&&(!k&&!D&&(E||w(r))||W(r)&&!r||D&&!F(o).isValid||k&&!T(o).isValid)){const{value:r,message:o}=ne(a)?{value:!!a,message:a}:ee(a);if(r&&(x[C]=Object.assign({type:y,message:o,ref:S?((e.current[C].options||[])[0]||{}).ref:n},M(y,o)),!t))return x}if(!(w(u)&&w(c)||""===r)){let e,o;const a=ee(c),i=ee(u);if(isNaN(r)){const t=n.valueAsDate||new Date(r);J(a.value)&&(e=t>new Date(a.value)),J(i.value)&&(o=t<new Date(i.value))}else{const t=n.valueAsNumber||parseFloat(r);w(a.value)||(e=t>a.value),w(i.value)||(o=t<i.value)}if((e||o)&&(_(!!e,a.message,i.message,p,h),!t))return x}if(J(r)&&!E&&(i||s)){const e=ee(i),n=ee(s),o=!w(e.value)&&r.length>e.value,a=!w(n.value)&&r.length<n.value;if((o||a)&&(_(o,e.message,n.message),!t))return x}if(J(r)&&l&&!E){const{value:e,message:o}=ee(l);if(Z(e)&&!e.test(r)&&(x[C]=Object.assign({type:v,message:o,ref:n},M(v,o)),!t))return x}if(f){const r=H(e,C,d,!1,!0),a=S&&o?o[0].ref:n;if(te(f)){const e=re(await f(r),a);if(e&&(x[C]=Object.assign(Object.assign({},e),M(b,e.message)),!t))return x}else if(O(f)){let e={};for(const[n,o]of Object.entries(f)){if(!U(e)&&!t)break;const i=re(await o(r),a,n);i&&(e=Object.assign(Object.assign({},i),M(n,i.message)),t&&(x[C]=e))}if(!U(e)&&(x[C]=Object.assign({ref:a},e),!t))return x}}return x};const ie=(e,t,n=[])=>{for(const r in t){const o=e+(O(t)?`.${r}`:`[${r}]`);q(t[r])?n.push(o):ie(o,t[r],n)}return n};var se=(e,t,n,r,o)=>{let a=undefined;return n.add(t),U(e)||(a=_(e,t),(O(a)||Array.isArray(a))&&ie(t,a).forEach((e=>n.add(e)))),M(a)?o?r:_(r,t):a},ue=({isOnBlur:e,isOnChange:t,isOnTouch:n,isTouched:r,isReValidateOnBlur:o,isReValidateOnChange:a,isBlurEvent:i,isSubmitted:s,isOnAll:u})=>!u&&(!s&&n?!(r||i):(s?o:e)?!i:!(s?a:t)||i),ce=e=>e.substring(0,e.indexOf("["));const le=(e,t)=>RegExp(`^${t}([|.)\\d+`.replace(/\[/g,"\\[").replace(/\]/g,"\\]")).test(e);var fe=(e,t)=>[...e].some((e=>le(t,e)));var de=typeof window!==d&&typeof document!==d;function pe(e){var t;let n;if(q(e)||de&&(e instanceof File||r(e)))return e;if(!["Set","Map","Object","Date","Array"].includes(null===(t=e.constructor)||void 0===t?void 0:t.name))return e;if(e instanceof Date)return n=new Date(e.getTime()),n;if(e instanceof Set){n=new Set;for(const t of e)n.add(t);return n}if(e instanceof Map){n=new Map;for(const t of e.keys())n.set(t,pe(e.get(t)));return n}n=Array.isArray(e)?[]:{};for(const t in e)n[t]=pe(e[t]);return n}var he=e=>({isOnSubmit:!e||e===c,isOnBlur:e===s,isOnChange:e===u,isOnAll:e===f,isOnTouch:e===l}),me=e=>A(e)||N(e);const ge=typeof window===d,ve=de?"Proxy"in window:typeof Proxy!==d;function ye({mode:t=c,reValidateMode:n=u,resolver:s,context:l,defaultValues:d={},shouldFocusError:p=!0,shouldUnregister:h=!0,criteriaMode:m}={}){const g=(0,e.useRef)({}),v=(0,e.useRef)({}),y=(0,e.useRef)({}),b=(0,e.useRef)(new Set),C=(0,e.useRef)({}),D=(0,e.useRef)({}),j=(0,e.useRef)({}),T=(0,e.useRef)({}),L=(0,e.useRef)(d),V=(0,e.useRef)(!1),F=(0,e.useRef)(!1),W=(0,e.useRef)(),K=(0,e.useRef)({}),G=(0,e.useRef)({}),Z=(0,e.useRef)(l),ee=(0,e.useRef)(s),ne=(0,e.useRef)(new Set),re=(0,e.useRef)(he(t)),{isOnSubmit:oe,isOnTouch:le}=re.current,ye=m===f,[be,we]=(0,e.useState)({isDirty:!1,isValidating:!1,dirtyFields:{},isSubmitted:!1,submitCount:0,touched:{},isSubmitting:!1,isSubmitSuccessful:!1,isValid:!oe,errors:{}}),Ce=(0,e.useRef)({isDirty:!ve,dirtyFields:!ve,touched:!ve||le,isValidating:!ve,isSubmitting:!ve,isValid:!ve}),Oe=(0,e.useRef)(be),xe=(0,e.useRef)(),{isOnBlur:ke,isOnChange:De}=(0,e.useRef)(he(n)).current;Z.current=l,ee.current=s,Oe.current=be,K.current=h?{}:U(K.current)?pe(d):K.current;const Se=(0,e.useCallback)(((e={})=>{V.current||(Oe.current=Object.assign(Object.assign({},Oe.current),e),we(Oe.current))}),[]),Ee=()=>Ce.current.isValidating&&Se({isValidating:!0}),Me=(0,e.useCallback)(((e,t,n=!1,r={},o)=>{let a=n||(({errors:e,name:t,error:n,validFields:r,fieldsWithValidation:o})=>{const a=M(n),i=_(e,t);return a&&!!i||!a&&!Q(i,n,!0)||a&&_(o,t)&&!_(r,t)})({errors:Oe.current.errors,error:t,name:e,validFields:T.current,fieldsWithValidation:j.current});const i=_(Oe.current.errors,e);t?(B(T.current,e),a=a||!i||!Q(i,t,!0),S(Oe.current.errors,e,t)):((_(j.current,e)||ee.current)&&(S(T.current,e,!0),a=a||i),B(Oe.current.errors,e)),(a&&!w(n)||!U(r)||Ce.current.isValidating)&&Se(Object.assign(Object.assign(Object.assign({},r),ee.current?{isValid:!!o}:{}),{isValidating:!1}))}),[]),_e=(0,e.useCallback)(((e,t)=>{const{ref:n,options:o}=g.current[e],a=de&&r(n)&&w(t)?"":t;A(n)?(o||[]).forEach((({ref:e})=>e.checked=e.value===a)):I(n)&&!J(a)?n.files=a:R(n)?[...n.options].forEach((e=>e.selected=a.includes(e.value))):N(n)&&o?o.length>1?o.forEach((({ref:e})=>e.checked=Array.isArray(a)?!!a.find((t=>t===e.value)):a===e.value)):o[0].ref.checked=!!a:n.value=a}),[]),Pe=(0,e.useCallback)(((e,t)=>{if(Ce.current.isDirty){const n=He();return e&&t&&S(n,e,t),!Q(n,L.current)}return!1}),[]),je=(0,e.useCallback)(((e,t=!0)=>{if(Ce.current.isDirty||Ce.current.dirtyFields){const n=!Q(_(L.current,e),H(g,e,K)),r=_(Oe.current.dirtyFields,e),o=Oe.current.isDirty;n?S(Oe.current.dirtyFields,e,!0):B(Oe.current.dirtyFields,e);const a={isDirty:Pe(),dirtyFields:Oe.current.dirtyFields},i=Ce.current.isDirty&&o!==a.isDirty||Ce.current.dirtyFields&&r!==_(Oe.current.dirtyFields,e);return i&&t&&Se(a),i?a:{}}return{}}),[]),Te=(0,e.useCallback)((async(e,t)=>{const n=(await ae(g,ye,g.current[e],K))[e];return Me(e,n,t),M(n)}),[Me,ye]),Ae=(0,e.useCallback)((async e=>{const{errors:t}=await ee.current(He(),Z.current,ye),n=Oe.current.isValid;if(Array.isArray(e)){const n=e.map((e=>{const n=_(t,e);return n?S(Oe.current.errors,e,n):B(Oe.current.errors,e),!n})).every(Boolean);return Se({isValid:U(t),isValidating:!1}),n}{const r=_(t,e);return Me(e,r,n!==U(t),{},U(t)),!r}}),[Me,ye]),Ie=(0,e.useCallback)((async e=>{const t=e||Object.keys(g.current);if(Ee(),ee.current)return Ae(t);if(Array.isArray(t)){!e&&(Oe.current.errors={});const n=await Promise.all(t.map((async e=>await Te(e,null))));return Se({isValidating:!1}),n.every(Boolean)}return await Te(t)}),[Ae,Te]),Ne=(0,e.useCallback)(((e,t,{shouldDirty:n,shouldValidate:r})=>{const o={};S(o,e,t);for(const a of ie(e,t))g.current[a]&&(_e(a,_(o,a)),n&&je(a),r&&Ie(a))}),[Ie,_e,je]),Re=(0,e.useCallback)(((e,t,n)=>{if(!h&&!q(t)&&S(K.current,e,Array.isArray(t)?[...t]:Object.assign({},t)),g.current[e])_e(e,t),n.shouldDirty&&je(e),n.shouldValidate&&Ie(e);else if(!q(t)&&(Ne(e,t,n),ne.current.has(e))){const r=ce(e)||e;S(v.current,e,t),G.current[r]({[r]:_(v.current,r)}),(Ce.current.isDirty||Ce.current.dirtyFields)&&n.shouldDirty&&(S(Oe.current.dirtyFields,e,$(t,_(L.current,e,[]),_(Oe.current.dirtyFields,e,[]))),Se({isDirty:!Q(Object.assign(Object.assign({},He()),{[e]:t}),L.current)}))}!h&&S(K.current,e,t)}),[je,_e,Ne]),Le=e=>F.current||b.current.has(e)||b.current.has((e.match(/\w+/)||[])[0]),Ve=e=>{let t=!0;if(!U(C.current))for(const n in C.current)e&&C.current[n].size&&!C.current[n].has(e)&&!C.current[n].has(ce(e))||(D.current[n](),t=!1);return t};function Fe(e){if(!h){let t=pe(e);for(const e of ne.current)x(e)&&!t[e]&&(t=Object.assign(Object.assign({},t),{[e]:[]}));return t}return e}function He(e){if(J(e))return H(g,e,K);if(Array.isArray(e)){const t={};for(const n of e)S(t,n,H(g,n,K));return t}return Fe(X(g,pe(K.current),h))}W.current=W.current?W.current:async({type:e,target:t})=>{let n=t.name;const r=g.current[n];let a,i;if(r){const s=e===o,u=ue(Object.assign({isBlurEvent:s,isReValidateOnChange:De,isReValidateOnBlur:ke,isTouched:!!_(Oe.current.touched,n),isSubmitted:Oe.current.isSubmitted},re.current));let c=je(n,!1),l=!U(c)||!s&&Le(n);if(s&&!_(Oe.current.touched,n)&&Ce.current.touched&&(S(Oe.current.touched,n,!0),c=Object.assign(Object.assign({},c),{touched:Oe.current.touched})),!h&&N(t)&&S(K.current,n,H(g,n)),u)return!s&&Ve(n),(!U(c)||l&&U(c))&&Se(c);if(Ee(),ee.current){const{errors:e}=await ee.current(He(),Z.current,ye),r=Oe.current.isValid;if(a=_(e,n),N(t)&&!a&&ee.current){const t=ce(n),r=_(e,t,{});r.type&&r.message&&(a=r),t&&(r||_(Oe.current.errors,t))&&(n=t)}i=U(e),r!==i&&(l=!0)}else a=(await ae(g,ye,r,K))[n];!s&&Ve(n),Me(n,a,l,c,i)}};const ze=(0,e.useCallback)((async(e={})=>{const t=U(g.current)?L.current:{},{errors:n}=await ee.current(Object.assign(Object.assign(Object.assign({},t),He()),e),Z.current,ye)||{},r=U(n);Oe.current.isValid!==r&&Se({isValid:r})}),[ye]),Ue=(0,e.useCallback)(((e,t)=>{!function(e,t,n,r,o,a){const{ref:i,ref:{name:s}}=n,u=e.current[s];if(!o){const t=H(e,s,r);!M(t)&&S(r.current,s,t)}i.type&&u?A(i)||N(i)?Array.isArray(u.options)&&u.options.length?(k(u.options).forEach(((e={},n)=>{(z(e.ref)&&Y(e,e.ref)||a)&&(P(e.ref,t),B(u.options,`[${n}]`))})),u.options&&!k(u.options).length&&delete e.current[s]):delete e.current[s]:(z(i)&&Y(u,i)||a)&&(P(i,t),delete e.current[s]):delete e.current[s]}(g,W.current,e,K,h,t),h&&(B(T.current,e.ref.name),B(j.current,e.ref.name))}),[h]),We=(0,e.useCallback)((e=>{if(F.current)Se();else{for(const t of b.current)if(t.startsWith(e)){Se();break}Ve(e)}}),[]),Be=(0,e.useCallback)(((e,t)=>{e&&(Ue(e,t),h&&!k(e.options||[]).length&&(B(Oe.current.errors,e.ref.name),S(Oe.current.dirtyFields,e.ref.name,!0),Se({isDirty:Pe()}),Ce.current.isValid&&ee.current&&ze(),We(e.ref.name)))}),[ze,Ue]);const Ye=(0,e.useCallback)(((e,t,n)=>{const r=n?C.current[n]:b.current;let o=X(g,pe(K.current),h,!1,e);if(J(e)){const n=ce(e)||e;return ne.current.has(n)&&(o=Object.assign(Object.assign({},y.current),o)),se(o,e,r,M(_(L.current,e))?t:_(L.current,e),!0)}const a=M(t)?L.current:t;return Array.isArray(e)?e.reduce(((e,t)=>Object.assign(Object.assign({},e),{[t]:se(o,t,r,a)})),{}):(F.current=M(n),E(!U(o)&&o||a))}),[]);function qe(e,t={}){const{name:n,type:s,value:u}=e,c=Object.assign({ref:e},t),l=g.current,f=me(e),d=fe(ne.current,n),p=t=>de&&(!r(e)||t===e);let m,v=l[n],y=!0;if(v&&(f?Array.isArray(v.options)&&k(v.options).find((e=>u===e.ref.value&&p(e.ref))):p(v.ref)))return void(l[n]=Object.assign(Object.assign({},v),t));v=s?f?Object.assign({options:[...k(v&&v.options||[]),{ref:e}],ref:{type:s,name:n}},t):Object.assign({},c):c,l[n]=v;const b=M(_(K.current,n));U(L.current)&&b||(m=_(b?L.current:K.current,n),y=M(m),y||d||_e(n,m)),U(t)||(S(j.current,n,!0),!oe&&Ce.current.isValid&&ae(g,ye,v,K).then((e=>{const t=Oe.current.isValid;U(e)?S(T.current,n,!0):B(T.current,n),t!==U(e)&&Se()}))),!h||d&&y||!d&&B(Oe.current.dirtyFields,n),s&&function({ref:e},t,n){r(e)&&n&&(e.addEventListener(t?a:i,n),e.addEventListener(o,n))}(f&&v.options?v.options[v.options.length-1]:v,f||"select-one"===e.type,W.current)}const Ke=(0,e.useCallback)(((e,t)=>async n=>{n&&n.preventDefault&&(n.preventDefault(),n.persist());let r={},o=Fe(X(g,pe(K.current),h,!0));Ce.current.isSubmitting&&Se({isSubmitting:!0});try{if(ee.current){const{errors:e,values:t}=await ee.current(o,Z.current,ye);Oe.current.errors=r=e,o=t}else for(const e of Object.values(g.current))if(e){const{name:t}=e.ref,n=await ae(g,ye,e,K);n[t]?(S(r,t,n[t]),B(T.current,t)):_(j.current,t)&&(B(Oe.current.errors,t),S(T.current,t,!0))}U(r)&&Object.keys(Oe.current.errors).every((e=>e in g.current))?(Se({errors:{},isSubmitting:!0}),await e(o,n)):(Oe.current.errors=Object.assign(Object.assign({},Oe.current.errors),r),t&&await t(Oe.current.errors,n),p&&((e,t)=>{for(const n in e)if(_(t,n)){const t=e[n];if(t){if(t.ref.focus&&M(t.ref.focus()))break;if(t.options){t.options[0].ref.focus();break}}}})(g.current,Oe.current.errors))}finally{Oe.current.isSubmitting=!1,Se({isSubmitted:!0,isSubmitting:!1,isSubmitSuccessful:U(Oe.current.errors),submitCount:Oe.current.submitCount+1})}}),[p,ye]);(0,e.useEffect)((()=>{s&&Ce.current.isValid&&ze(),xe.current=xe.current||!de?xe.current:function(e,t){const n=new MutationObserver((()=>{for(const n of Object.values(e.current))if(n&&n.options)for(const e of n.options)e&&e.ref&&z(e.ref)&&t(n);else n&&z(n.ref)&&t(n)}));return n.observe(window.document,{childList:!0,subtree:!0}),n}(g,Be)}),[Be,L.current]),(0,e.useEffect)((()=>()=>{xe.current&&xe.current.disconnect(),V.current=!0,Object.values(g.current).forEach((e=>Be(e,!0)))}),[]),!s&&Ce.current.isValid&&(be.isValid=Q(T.current,j.current)&&U(Oe.current.errors));const Qe={trigger:Ie,setValue:(0,e.useCallback)((function(e,t,n){Re(e,t,n||{}),Le(e)&&Se(),Ve(e)}),[Re,Ie]),getValues:(0,e.useCallback)(He,[]),register:(0,e.useCallback)((function(e,t){if(!ge)if(J(e))qe({name:e},t);else{if(!O(e)||!("name"in e))return t=>t&&qe(t,e);qe(e,t)}}),[L.current]),unregister:(0,e.useCallback)((function(e){for(const t of Array.isArray(e)?e:[e])Be(g.current[t],!0)}),[]),formState:ve?new Proxy(be,{get:(e,t)=>t in e?(Ce.current[t]=!0,e[t]):undefined}):be},Ge=(0,e.useMemo)((()=>Object.assign({isFormDirty:Pe,updateWatchedValue:We,shouldUnregister:h,updateFormState:Se,removeFieldEventListener:Ue,watchInternal:Ye,mode:re.current,reValidateMode:{isReValidateOnBlur:ke,isReValidateOnChange:De},validateResolver:s?ze:undefined,fieldsRef:g,resetFieldArrayFunctionRef:G,useWatchFieldsRef:C,useWatchRenderFunctionsRef:D,fieldArrayDefaultValuesRef:v,validFieldsRef:T,fieldsWithValidationRef:j,fieldArrayNamesRef:ne,readFormStateRef:Ce,formStateRef:Oe,defaultValuesRef:L,shallowFieldsStateRef:K,fieldArrayValuesRef:y},Qe)),[L.current,We,h,Ue,Ye]);return Object.assign({watch:function(e,t){return Ye(e,t)},control:Ge,handleSubmit:Ke,reset:(0,e.useCallback)(((e,t={})=>{if(de)for(const e of Object.values(g.current))if(e){const{ref:t,options:o}=e,a=me(t)&&Array.isArray(o)?o[0].ref:t;if(r(a))try{a.closest("form").reset();break}catch(n){}}g.current={},L.current=Object.assign({},e||L.current),e&&Ve(""),Object.values(G.current).forEach((e=>te(e)&&e())),K.current=h?{}:pe(e||L.current),(({errors:e,isDirty:t,isSubmitted:n,touched:r,isValid:o,submitCount:a,dirtyFields:i})=>{o||(T.current={},j.current={}),v.current={},b.current=new Set,F.current=!1,Se({submitCount:a?Oe.current.submitCount:0,isDirty:!!t&&Oe.current.isDirty,isSubmitted:!!n&&Oe.current.isSubmitted,isValid:!!o&&Oe.current.isValid,dirtyFields:i?Oe.current.dirtyFields:{},touched:r?Oe.current.touched:{},errors:e?Oe.current.errors:{},isSubmitting:!1,isSubmitSuccessful:!1})})(t)}),[]),clearErrors:(0,e.useCallback)((function(e){e&&(Array.isArray(e)?e:[e]).forEach((e=>g.current[e]&&x(e)?delete Oe.current.errors[e]:B(Oe.current.errors,e))),Se({errors:e?Oe.current.errors:{}})}),[]),setError:(0,e.useCallback)((function(e,t){const n=(g.current[e]||{}).ref;S(Oe.current.errors,e,Object.assign(Object.assign({},t),{ref:n})),Se({isValid:!1}),t.shouldFocus&&n&&n.focus&&n.focus()}),[]),errors:be.errors},Qe)}
    1313/*! *****************************************************************************
    1414Copyright (c) Microsoft Corporation.
    1515
    1616Permission to use, copy, modify, and/or distribute this software for any
    1717purpose with or without fee is hereby granted.
    1818
    1919THE SOFTWARE IS PROVIDED "AS IS" AND THE AUTHOR DISCLAIMS ALL WARRANTIES WITH
    2020REGARD TO THIS SOFTWARE INCLUDING ALL IMPLIED WARRANTIES OF MERCHANTABILITY
    2121AND FITNESS. IN NO EVENT SHALL THE AUTHOR BE LIABLE FOR ANY SPECIAL, DIRECT,
    2222INDIRECT, OR CONSEQUENTIAL DAMAGES OR ANY DAMAGES WHATSOEVER RESULTING FROM
    2323LOSS OF USE, DATA OR PROFITS, WHETHER IN AN ACTION OF CONTRACT, NEGLIGENCE OR
    2424OTHER TORTIOUS ACTION, ARISING OUT OF OR IN CONNECTION WITH THE USE OR
    2525PERFORMANCE OF THIS SOFTWARE.
    26 ***************************************************************************** */const be=(0,e.createContext)(null);be.displayName="RHFContext";const we=()=>(0,e.useContext)(be);var Ce=function(t){var n=t.as,r=t.errors,o=t.name,a=t.message,i=t.render,s=function(e,t){if(null==e)return{};var n,r,o={},a=Object.keys(e);for(r=0;r<a.length;r++)t.indexOf(n=a[r])>=0||(o[n]=e[n]);return o}(t,["as","errors","name","message","render"]),u=we(),c=_(r||u.errors,o);if(!c)return null;var l=c.message,f=c.types,d=Object.assign({},s,{children:l||a});return(0,e.isValidElement)(n)?(0,e.cloneElement)(n,d):i?i({message:l||a,messages:f}):(0,e.createElement)(n||e.Fragment,d)},Oe=n(251),xe=n.n(Oe),ke=n(953);function De(){return(De=Object.assign||function(e){for(var t=1;t<arguments.length;t++){var n=arguments[t];for(var r in n)Object.prototype.hasOwnProperty.call(n,r)&&(e[r]=n[r])}return e}).apply(this,arguments)}function Se(e,t){if(null==e)return{};var n,r,o={},a=Object.keys(e);for(r=0;r<a.length;r++)n=a[r],t.indexOf(n)>=0||(o[n]=e[n]);return o}function Ee(e,t){return(Ee=Object.setPrototypeOf||function(e,t){return e.__proto__=t,e})(e,t)}var Me=function(){function e(e){this.isSpeedy=e.speedy===undefined||e.speedy,this.tags=[],this.ctr=0,this.nonce=e.nonce,this.key=e.key,this.container=e.container,this.before=null}var t=e.prototype;return t.insert=function(e){if(this.ctr%(this.isSpeedy?65e3:1)==0){var t,n=function(e){var t=document.createElement("style");return t.setAttribute("data-emotion",e.key),e.nonce!==undefined&&t.setAttribute("nonce",e.nonce),t.appendChild(document.createTextNode("")),t}(this);t=0===this.tags.length?this.before:this.tags[this.tags.length-1].nextSibling,this.container.insertBefore(n,t),this.tags.push(n)}var r=this.tags[this.tags.length-1];if(this.isSpeedy){var o=function(e){if(e.sheet)return e.sheet;for(var t=0;t<document.styleSheets.length;t++)if(document.styleSheets[t].ownerNode===e)return document.styleSheets[t]}(r);try{var a=105===e.charCodeAt(1)&&64===e.charCodeAt(0);o.insertRule(e,a?0:o.cssRules.length)}catch(i){0}}else r.appendChild(document.createTextNode(e));this.ctr++},t.flush=function(){this.tags.forEach((function(e){return e.parentNode.removeChild(e)})),this.tags=[],this.ctr=0},e}();var _e=function(e){function t(e,r,u,c,d){for(var p,h,m,g,w,O=0,x=0,k=0,D=0,S=0,T=0,I=m=p=0,R=0,L=0,V=0,F=0,H=u.length,z=H-1,U="",W="",B="",Y="";R<H;){if(h=u.charCodeAt(R),R===z&&0!==x+D+k+O&&(0!==x&&(h=47===x?10:47),D=k=O=0,H++,z++),0===x+D+k+O){if(R===z&&(0<L&&(U=U.replace(f,"")),0<U.trim().length)){switch(h){case 32:case 9:case 59:case 13:case 10:break;default:U+=u.charAt(R)}h=59}switch(h){case 123:for(p=(U=U.trim()).charCodeAt(0),m=1,F=++R;R<H;){switch(h=u.charCodeAt(R)){case 123:m++;break;case 125:m--;break;case 47:switch(h=u.charCodeAt(R+1)){case 42:case 47:e:{for(I=R+1;I<z;++I)switch(u.charCodeAt(I)){case 47:if(42===h&&42===u.charCodeAt(I-1)&&R+2!==I){R=I+1;break e}break;case 10:if(47===h){R=I+1;break e}}R=I}}break;case 91:h++;case 40:h++;case 34:case 39:for(;R++<z&&u.charCodeAt(R)!==h;);}if(0===m)break;R++}switch(m=u.substring(F,R),0===p&&(p=(U=U.replace(l,"").trim()).charCodeAt(0)),p){case 64:switch(0<L&&(U=U.replace(f,"")),h=U.charCodeAt(1)){case 100:case 109:case 115:case 45:L=r;break;default:L=j}if(F=(m=t(r,L,m,h,d+1)).length,0<A&&(w=s(3,m,L=n(j,U,V),r,M,E,F,h,d,c),U=L.join(""),void 0!==w&&0===(F=(m=w.trim()).length)&&(h=0,m="")),0<F)switch(h){case 115:U=U.replace(C,i);case 100:case 109:case 45:m=U+"{"+m+"}";break;case 107:m=(U=U.replace(v,"$1 $2"))+"{"+m+"}",m=1===P||2===P&&a("@"+m,3)?"@-webkit-"+m+"@"+m:"@"+m;break;default:m=U+m,112===c&&(W+=m,m="")}else m="";break;default:m=t(r,n(r,U,V),m,c,d+1)}B+=m,m=V=L=I=p=0,U="",h=u.charCodeAt(++R);break;case 125:case 59:if(1<(F=(U=(0<L?U.replace(f,""):U).trim()).length))switch(0===I&&(p=U.charCodeAt(0),45===p||96<p&&123>p)&&(F=(U=U.replace(" ",":")).length),0<A&&void 0!==(w=s(1,U,r,e,M,E,W.length,c,d,c))&&0===(F=(U=w.trim()).length)&&(U="\0\0"),p=U.charCodeAt(0),h=U.charCodeAt(1),p){case 0:break;case 64:if(105===h||99===h){Y+=U+u.charAt(R);break}default:58!==U.charCodeAt(F-1)&&(W+=o(U,p,h,U.charCodeAt(2)))}V=L=I=p=0,U="",h=u.charCodeAt(++R)}}switch(h){case 13:case 10:47===x?x=0:0===1+p&&107!==c&&0<U.length&&(L=1,U+="\0"),0<A*N&&s(0,U,r,e,M,E,W.length,c,d,c),E=1,M++;break;case 59:case 125:if(0===x+D+k+O){E++;break}default:switch(E++,g=u.charAt(R),h){case 9:case 32:if(0===D+O+x)switch(S){case 44:case 58:case 9:case 32:g="";break;default:32!==h&&(g=" ")}break;case 0:g="\\0";break;case 12:g="\\f";break;case 11:g="\\v";break;case 38:0===D+x+O&&(L=V=1,g="\f"+g);break;case 108:if(0===D+x+O+_&&0<I)switch(R-I){case 2:112===S&&58===u.charCodeAt(R-3)&&(_=S);case 8:111===T&&(_=T)}break;case 58:0===D+x+O&&(I=R);break;case 44:0===x+k+D+O&&(L=1,g+="\r");break;case 34:case 39:0===x&&(D=D===h?0:0===D?h:D);break;case 91:0===D+x+k&&O++;break;case 93:0===D+x+k&&O--;break;case 41:0===D+x+O&&k--;break;case 40:if(0===D+x+O){if(0===p)switch(2*S+3*T){case 533:break;default:p=1}k++}break;case 64:0===x+k+D+O+I+m&&(m=1);break;case 42:case 47:if(!(0<D+O+k))switch(x){case 0:switch(2*h+3*u.charCodeAt(R+1)){case 235:x=47;break;case 220:F=R,x=42}break;case 42:47===h&&42===S&&F+2!==R&&(33===u.charCodeAt(F+2)&&(W+=u.substring(F,R+1)),g="",x=0)}}0===x&&(U+=g)}T=S,S=h,R++}if(0<(F=W.length)){if(L=r,0<A&&(void 0!==(w=s(2,W,L,e,M,E,F,c,d,c))&&0===(W=w).length))return Y+W+B;if(W=L.join(",")+"{"+W+"}",0!=P*_){switch(2!==P||a(W,2)||(_=0),_){case 111:W=W.replace(b,":-moz-$1")+W;break;case 112:W=W.replace(y,"::-webkit-input-$1")+W.replace(y,"::-moz-$1")+W.replace(y,":-ms-input-$1")+W}_=0}}return Y+W+B}function n(e,t,n){var o=t.trim().split(m);t=o;var a=o.length,i=e.length;switch(i){case 0:case 1:var s=0;for(e=0===i?"":e[0]+" ";s<a;++s)t[s]=r(e,t[s],n).trim();break;default:var u=s=0;for(t=[];s<a;++s)for(var c=0;c<i;++c)t[u++]=r(e[c]+" ",o[s],n).trim()}return t}function r(e,t,n){var r=t.charCodeAt(0);switch(33>r&&(r=(t=t.trim()).charCodeAt(0)),r){case 38:return t.replace(g,"$1"+e.trim());case 58:return e.trim()+t.replace(g,"$1"+e.trim());default:if(0<1*n&&0<t.indexOf("\f"))return t.replace(g,(58===e.charCodeAt(0)?"":"$1")+e.trim())}return e+t}function o(e,t,n,r){var i=e+";",s=2*t+3*n+4*r;if(944===s){e=i.indexOf(":",9)+1;var u=i.substring(e,i.length-1).trim();return u=i.substring(0,e).trim()+u+";",1===P||2===P&&a(u,1)?"-webkit-"+u+u:u}if(0===P||2===P&&!a(i,1))return i;switch(s){case 1015:return 97===i.charCodeAt(10)?"-webkit-"+i+i:i;case 951:return 116===i.charCodeAt(3)?"-webkit-"+i+i:i;case 963:return 110===i.charCodeAt(5)?"-webkit-"+i+i:i;case 1009:if(100!==i.charCodeAt(4))break;case 969:case 942:return"-webkit-"+i+i;case 978:return"-webkit-"+i+"-moz-"+i+i;case 1019:case 983:return"-webkit-"+i+"-moz-"+i+"-ms-"+i+i;case 883:if(45===i.charCodeAt(8))return"-webkit-"+i+i;if(0<i.indexOf("image-set(",11))return i.replace(S,"$1-webkit-$2")+i;break;case 932:if(45===i.charCodeAt(4))switch(i.charCodeAt(5)){case 103:return"-webkit-box-"+i.replace("-grow","")+"-webkit-"+i+"-ms-"+i.replace("grow","positive")+i;case 115:return"-webkit-"+i+"-ms-"+i.replace("shrink","negative")+i;case 98:return"-webkit-"+i+"-ms-"+i.replace("basis","preferred-size")+i}return"-webkit-"+i+"-ms-"+i+i;case 964:return"-webkit-"+i+"-ms-flex-"+i+i;case 1023:if(99!==i.charCodeAt(8))break;return"-webkit-box-pack"+(u=i.substring(i.indexOf(":",15)).replace("flex-","").replace("space-between","justify"))+"-webkit-"+i+"-ms-flex-pack"+u+i;case 1005:return p.test(i)?i.replace(d,":-webkit-")+i.replace(d,":-moz-")+i:i;case 1e3:switch(t=(u=i.substring(13).trim()).indexOf("-")+1,u.charCodeAt(0)+u.charCodeAt(t)){case 226:u=i.replace(w,"tb");break;case 232:u=i.replace(w,"tb-rl");break;case 220:u=i.replace(w,"lr");break;default:return i}return"-webkit-"+i+"-ms-"+u+i;case 1017:if(-1===i.indexOf("sticky",9))break;case 975:switch(t=(i=e).length-10,s=(u=(33===i.charCodeAt(t)?i.substring(0,t):i).substring(e.indexOf(":",7)+1).trim()).charCodeAt(0)+(0|u.charCodeAt(7))){case 203:if(111>u.charCodeAt(8))break;case 115:i=i.replace(u,"-webkit-"+u)+";"+i;break;case 207:case 102:i=i.replace(u,"-webkit-"+(102<s?"inline-":"")+"box")+";"+i.replace(u,"-webkit-"+u)+";"+i.replace(u,"-ms-"+u+"box")+";"+i}return i+";";case 938:if(45===i.charCodeAt(5))switch(i.charCodeAt(6)){case 105:return u=i.replace("-items",""),"-webkit-"+i+"-webkit-box-"+u+"-ms-flex-"+u+i;case 115:return"-webkit-"+i+"-ms-flex-item-"+i.replace(x,"")+i;default:return"-webkit-"+i+"-ms-flex-line-pack"+i.replace("align-content","").replace(x,"")+i}break;case 973:case 989:if(45!==i.charCodeAt(3)||122===i.charCodeAt(4))break;case 931:case 953:if(!0===D.test(e))return 115===(u=e.substring(e.indexOf(":")+1)).charCodeAt(0)?o(e.replace("stretch","fill-available"),t,n,r).replace(":fill-available",":stretch"):i.replace(u,"-webkit-"+u)+i.replace(u,"-moz-"+u.replace("fill-",""))+i;break;case 962:if(i="-webkit-"+i+(102===i.charCodeAt(5)?"-ms-"+i:"")+i,211===n+r&&105===i.charCodeAt(13)&&0<i.indexOf("transform",10))return i.substring(0,i.indexOf(";",27)+1).replace(h,"$1-webkit-$2")+i}return i}function a(e,t){var n=e.indexOf(1===t?":":"{"),r=e.substring(0,3!==t?n:10);return n=e.substring(n+1,e.length-1),I(2!==t?r:r.replace(k,"$1"),n,t)}function i(e,t){var n=o(t,t.charCodeAt(0),t.charCodeAt(1),t.charCodeAt(2));return n!==t+";"?n.replace(O," or ($1)").substring(4):"("+t+")"}function s(e,t,n,r,o,a,i,s,u,l){for(var f,d=0,p=t;d<A;++d)switch(f=T[d].call(c,e,p,n,r,o,a,i,s,u,l)){case void 0:case!1:case!0:case null:break;default:p=f}if(p!==t)return p}function u(e){return void 0!==(e=e.prefix)&&(I=null,e?"function"!=typeof e?P=1:(P=2,I=e):P=0),u}function c(e,n){var r=e;if(33>r.charCodeAt(0)&&(r=r.trim()),r=[r],0<A){var o=s(-1,n,r,r,M,E,0,0,0,0);void 0!==o&&"string"==typeof o&&(n=o)}var a=t(j,r,n,0,0);return 0<A&&(void 0!==(o=s(-2,a,r,r,M,E,a.length,0,0,0))&&(a=o)),"",_=0,E=M=1,a}var l=/^\0+/g,f=/[\0\r\f]/g,d=/: */g,p=/zoo|gra/,h=/([,: ])(transform)/g,m=/,\r+?/g,g=/([\t\r\n ])*\f?&/g,v=/@(k\w+)\s*(\S*)\s*/,y=/::(place)/g,b=/:(read-only)/g,w=/[svh]\w+-[tblr]{2}/,C=/\(\s*(.*)\s*\)/g,O=/([\s\S]*?);/g,x=/-self|flex-/g,k=/[^]*?(:[rp][el]a[\w-]+)[^]*/,D=/stretch|:\s*\w+\-(?:conte|avail)/,S=/([^-])(image-set\()/,E=1,M=1,_=0,P=1,j=[],T=[],A=0,I=null,N=0;return c.use=function R(e){switch(e){case void 0:case null:A=T.length=0;break;default:if("function"==typeof e)T[A++]=e;else if("object"==typeof e)for(var t=0,n=e.length;t<n;++t)R(e[t]);else N=0|!!e}return R},c.set=u,void 0!==e&&u(e),c},Pe="/*|*/";function je(e){e&&Te.current.insert(e+"}")}var Te={current:null},Ae=function(e,t,n,r,o,a,i,s,u,c){switch(e){case 1:switch(t.charCodeAt(0)){case 64:return Te.current.insert(t+";"),"";case 108:if(98===t.charCodeAt(2))return""}break;case 2:if(0===s)return t+Pe;break;case 3:switch(s){case 102:case 112:return Te.current.insert(n[0]+t),"";default:return t+(0===c?Pe:"")}case-2:t.split("/*|*/}").forEach(je)}},Ie=function(e){e===undefined&&(e={});var t,n=e.key||"css";e.prefix!==undefined&&(t={prefix:e.prefix});var r=new _e(t);var o,a={};o=e.container||document.head;var i,s=document.querySelectorAll("style[data-emotion-"+n+"]");Array.prototype.forEach.call(s,(function(e){e.getAttribute("data-emotion-"+n).split(" ").forEach((function(e){a[e]=!0})),e.parentNode!==o&&o.appendChild(e)})),r.use(e.stylisPlugins)(Ae),i=function(e,t,n,o){var a=t.name;Te.current=n,r(e,t.styles),o&&(u.inserted[a]=!0)};var u={key:n,sheet:new Me({key:n,container:o,nonce:e.nonce,speedy:e.speedy}),nonce:e.nonce,inserted:a,registered:{},insert:i};return u};function Ne(e,t,n){var r="";return n.split(" ").forEach((function(n){e[n]!==undefined?t.push(e[n]):r+=n+" "})),r}var Re=function(e,t,n){var r=e.key+"-"+t.name;if(!1===n&&e.registered[r]===undefined&&(e.registered[r]=t.styles),e.inserted[t.name]===undefined){var o=t;do{e.insert("."+r,o,e.sheet,!0);o=o.next}while(o!==undefined)}};var Le=function(e){for(var t,n=0,r=0,o=e.length;o>=4;++r,o-=4)t=1540483477*(65535&(t=255&e.charCodeAt(r)|(255&e.charCodeAt(++r))<<8|(255&e.charCodeAt(++r))<<16|(255&e.charCodeAt(++r))<<24))+(59797*(t>>>16)<<16),n=1540483477*(65535&(t^=t>>>24))+(59797*(t>>>16)<<16)^1540483477*(65535&n)+(59797*(n>>>16)<<16);switch(o){case 3:n^=(255&e.charCodeAt(r+2))<<16;case 2:n^=(255&e.charCodeAt(r+1))<<8;case 1:n=1540483477*(65535&(n^=255&e.charCodeAt(r)))+(59797*(n>>>16)<<16)}return(((n=1540483477*(65535&(n^=n>>>13))+(59797*(n>>>16)<<16))^n>>>15)>>>0).toString(36)},Ve={animationIterationCount:1,borderImageOutset:1,borderImageSlice:1,borderImageWidth:1,boxFlex:1,boxFlexGroup:1,boxOrdinalGroup:1,columnCount:1,columns:1,flex:1,flexGrow:1,flexPositive:1,flexShrink:1,flexNegative:1,flexOrder:1,gridRow:1,gridRowEnd:1,gridRowSpan:1,gridRowStart:1,gridColumn:1,gridColumnEnd:1,gridColumnSpan:1,gridColumnStart:1,msGridRow:1,msGridRowSpan:1,msGridColumn:1,msGridColumnSpan:1,fontWeight:1,lineHeight:1,opacity:1,order:1,orphans:1,tabSize:1,widows:1,zIndex:1,zoom:1,WebkitLineClamp:1,fillOpacity:1,floodOpacity:1,stopOpacity:1,strokeDasharray:1,strokeDashoffset:1,strokeMiterlimit:1,strokeOpacity:1,strokeWidth:1};var Fe=/[A-Z]|^ms/g,He=/_EMO_([^_]+?)_([^]*?)_EMO_/g,ze=function(e){return 45===e.charCodeAt(1)},Ue=function(e){return null!=e&&"boolean"!=typeof e},We=function(e){var t={};return function(n){return t[n]===undefined&&(t[n]=e(n)),t[n]}}((function(e){return ze(e)?e:e.replace(Fe,"-$&").toLowerCase()})),Be=function(e,t){switch(e){case"animation":case"animationName":if("string"==typeof t)return t.replace(He,(function(e,t,n){return qe={name:t,styles:n,next:qe},t}))}return 1===Ve[e]||ze(e)||"number"!=typeof t||0===t?t:t+"px"};function Ye(e,t,n,r){if(null==n)return"";if(n.__emotion_styles!==undefined)return n;switch(typeof n){case"boolean":return"";case"object":if(1===n.anim)return qe={name:n.name,styles:n.styles,next:qe},n.name;if(n.styles!==undefined){var o=n.next;if(o!==undefined)for(;o!==undefined;)qe={name:o.name,styles:o.styles,next:qe},o=o.next;return n.styles+";"}return function(e,t,n){var r="";if(Array.isArray(n))for(var o=0;o<n.length;o++)r+=Ye(e,t,n[o],!1);else for(var a in n){var i=n[a];if("object"!=typeof i)null!=t&&t[i]!==undefined?r+=a+"{"+t[i]+"}":Ue(i)&&(r+=We(a)+":"+Be(a,i)+";");else if(!Array.isArray(i)||"string"!=typeof i[0]||null!=t&&t[i[0]]!==undefined){var s=Ye(e,t,i,!1);switch(a){case"animation":case"animationName":r+=We(a)+":"+s+";";break;default:r+=a+"{"+s+"}"}}else for(var u=0;u<i.length;u++)Ue(i[u])&&(r+=We(a)+":"+Be(a,i[u])+";")}return r}(e,t,n);case"function":if(e!==undefined){var a=qe,i=n(e);return qe=a,Ye(e,t,i,r)}break;case"string":}if(null==t)return n;var s=t[n];return s===undefined||r?n:s}var qe,$e=/label:\s*([^\s;\n{]+)\s*;/g;var Ke=function(e,t,n){if(1===e.length&&"object"==typeof e[0]&&null!==e[0]&&e[0].styles!==undefined)return e[0];var r=!0,o="";qe=undefined;var a=e[0];null==a||a.raw===undefined?(r=!1,o+=Ye(n,t,a,!1)):o+=a[0];for(var i=1;i<e.length;i++)o+=Ye(n,t,e[i],46===o.charCodeAt(o.length-1)),r&&(o+=a[i]);$e.lastIndex=0;for(var s,u="";null!==(s=$e.exec(o));)u+="-"+s[1];return{name:Le(o)+u,styles:o,next:qe}},Qe=Object.prototype.hasOwnProperty,Ge=(0,e.createContext)("undefined"!=typeof HTMLElement?Ie():null),Je=(0,e.createContext)({}),Xe=Ge.Provider,Ze=function(t){var n=function(n,r){return(0,e.createElement)(Ge.Consumer,null,(function(e){return t(n,e,r)}))};return(0,e.forwardRef)(n)},et="__EMOTION_TYPE_PLEASE_DO_NOT_USE__",tt=function(e,t){var n={};for(var r in t)Qe.call(t,r)&&(n[r]=t[r]);return n[et]=e,n},nt=function(t,n,r,o){var a=null===r?n.css:n.css(r);"string"==typeof a&&t.registered[a]!==undefined&&(a=t.registered[a]);var i=n[et],s=[a],u="";"string"==typeof n.className?u=Ne(t.registered,s,n.className):null!=n.className&&(u=n.className+" ");var c=Ke(s);Re(t,c,"string"==typeof i);u+=t.key+"-"+c.name;var l={};for(var f in n)Qe.call(n,f)&&"css"!==f&&f!==et&&(l[f]=n[f]);return l.ref=o,l.className=u,(0,e.createElement)(i,l)},rt=Ze((function(t,n,r){return"function"==typeof t.css?(0,e.createElement)(Je.Consumer,null,(function(e){return nt(n,t,e,r)})):nt(n,t,null,r)}));var ot=function(){for(var e=arguments.length,t=new Array(e),n=0;n<e;n++)t[n]=arguments[n];return Ke(t)},at=function(t,n){var r=arguments;if(null==n||!Qe.call(n,"css"))return e.createElement.apply(undefined,r);var o=r.length,a=new Array(o);a[0]=rt,a[1]=tt(t,n);for(var i=2;i<o;i++)a[i]=r[i];return e.createElement.apply(null,a)},it=Ze((function(t,n){var r=t.styles;if("function"==typeof r)return(0,e.createElement)(Je.Consumer,null,(function(t){var o=Ke([r(t)]);return(0,e.createElement)(st,{serialized:o,cache:n})}));var o=Ke([r]);return(0,e.createElement)(st,{serialized:o,cache:n})})),st=function(e){var t,n;function r(t,n,r){return e.call(this,t,n,r)||this}n=e,(t=r).prototype=Object.create(n.prototype),t.prototype.constructor=t,Ee(t,n);var o=r.prototype;return o.componentDidMount=function(){this.sheet=new Me({key:this.props.cache.key+"-global",nonce:this.props.cache.sheet.nonce,container:this.props.cache.sheet.container});var e=document.querySelector("style[data-emotion-"+this.props.cache.key+'="'+this.props.serialized.name+'"]');null!==e&&this.sheet.tags.push(e),this.props.cache.sheet.tags.length&&(this.sheet.before=this.props.cache.sheet.tags[0]),this.insertStyles()},o.componentDidUpdate=function(e){e.serialized.name!==this.props.serialized.name&&this.insertStyles()},o.insertStyles=function(){if(this.props.serialized.next!==undefined&&Re(this.props.cache,this.props.serialized.next,!0),this.sheet.tags.length){var e=this.sheet.tags[this.sheet.tags.length-1].nextElementSibling;this.sheet.before=e,this.sheet.flush()}this.props.cache.insert("",this.props.serialized,this.sheet,!1)},o.componentWillUnmount=function(){this.sheet.flush()},o.render=function(){return null},r}(e.Component),ut=function ni(e){for(var t=e.length,n=0,r="";n<t;n++){var o=e[n];if(null!=o){var a=void 0;switch(typeof o){case"boolean":break;case"object":if(Array.isArray(o))a=ni(o);else for(var i in a="",o)o[i]&&i&&(a&&(a+=" "),a+=i);break;default:a=o}a&&(r&&(r+=" "),r+=a)}}return r};function ct(e,t,n){var r=[],o=Ne(e,r,n);return r.length<2?n:o+t(r)}var lt=Ze((function(t,n){return(0,e.createElement)(Je.Consumer,null,(function(e){var r=function(){for(var e=arguments.length,t=new Array(e),r=0;r<e;r++)t[r]=arguments[r];var o=Ke(t,n.registered);return Re(n,o,!1),n.key+"-"+o.name},o={css:r,cx:function(){for(var e=arguments.length,t=new Array(e),o=0;o<e;o++)t[o]=arguments[o];return ct(n.registered,r,ut(t))},theme:e},a=t.children(o);return!0,a}))})),ft=["mousedown","touchstart"];
     26***************************************************************************** */const be=(0,e.createContext)(null);be.displayName="RHFContext";const we=()=>(0,e.useContext)(be);var Ce=function(t){var n=t.as,r=t.errors,o=t.name,a=t.message,i=t.render,s=function(e,t){if(null==e)return{};var n,r,o={},a=Object.keys(e);for(r=0;r<a.length;r++)t.indexOf(n=a[r])>=0||(o[n]=e[n]);return o}(t,["as","errors","name","message","render"]),u=we(),c=_(r||u.errors,o);if(!c)return null;var l=c.message,f=c.types,d=Object.assign({},s,{children:l||a});return(0,e.isValidElement)(n)?(0,e.cloneElement)(n,d):i?i({message:l||a,messages:f}):(0,e.createElement)(n||e.Fragment,d)},Oe=n(251),xe=n.n(Oe),ke=n(953);function De(){return(De=Object.assign?Object.assign.bind():function(e){for(var t=1;t<arguments.length;t++){var n=arguments[t];for(var r in n)Object.prototype.hasOwnProperty.call(n,r)&&(e[r]=n[r])}return e}).apply(this,arguments)}function Se(e,t){if(null==e)return{};var n,r,o={},a=Object.keys(e);for(r=0;r<a.length;r++)n=a[r],t.indexOf(n)>=0||(o[n]=e[n]);return o}function Ee(e,t){return(Ee=Object.setPrototypeOf?Object.setPrototypeOf.bind():function(e,t){return e.__proto__=t,e})(e,t)}var Me=function(){function e(e){this.isSpeedy=e.speedy===undefined||e.speedy,this.tags=[],this.ctr=0,this.nonce=e.nonce,this.key=e.key,this.container=e.container,this.before=null}var t=e.prototype;return t.insert=function(e){if(this.ctr%(this.isSpeedy?65e3:1)==0){var t,n=function(e){var t=document.createElement("style");return t.setAttribute("data-emotion",e.key),e.nonce!==undefined&&t.setAttribute("nonce",e.nonce),t.appendChild(document.createTextNode("")),t}(this);t=0===this.tags.length?this.before:this.tags[this.tags.length-1].nextSibling,this.container.insertBefore(n,t),this.tags.push(n)}var r=this.tags[this.tags.length-1];if(this.isSpeedy){var o=function(e){if(e.sheet)return e.sheet;for(var t=0;t<document.styleSheets.length;t++)if(document.styleSheets[t].ownerNode===e)return document.styleSheets[t]}(r);try{var a=105===e.charCodeAt(1)&&64===e.charCodeAt(0);o.insertRule(e,a?0:o.cssRules.length)}catch(i){0}}else r.appendChild(document.createTextNode(e));this.ctr++},t.flush=function(){this.tags.forEach((function(e){return e.parentNode.removeChild(e)})),this.tags=[],this.ctr=0},e}();var _e=function(e){function t(e,r,u,c,d){for(var p,h,m,g,w,O=0,x=0,k=0,D=0,S=0,T=0,I=m=p=0,R=0,L=0,V=0,F=0,H=u.length,z=H-1,U="",W="",B="",Y="";R<H;){if(h=u.charCodeAt(R),R===z&&0!==x+D+k+O&&(0!==x&&(h=47===x?10:47),D=k=O=0,H++,z++),0===x+D+k+O){if(R===z&&(0<L&&(U=U.replace(f,"")),0<U.trim().length)){switch(h){case 32:case 9:case 59:case 13:case 10:break;default:U+=u.charAt(R)}h=59}switch(h){case 123:for(p=(U=U.trim()).charCodeAt(0),m=1,F=++R;R<H;){switch(h=u.charCodeAt(R)){case 123:m++;break;case 125:m--;break;case 47:switch(h=u.charCodeAt(R+1)){case 42:case 47:e:{for(I=R+1;I<z;++I)switch(u.charCodeAt(I)){case 47:if(42===h&&42===u.charCodeAt(I-1)&&R+2!==I){R=I+1;break e}break;case 10:if(47===h){R=I+1;break e}}R=I}}break;case 91:h++;case 40:h++;case 34:case 39:for(;R++<z&&u.charCodeAt(R)!==h;);}if(0===m)break;R++}switch(m=u.substring(F,R),0===p&&(p=(U=U.replace(l,"").trim()).charCodeAt(0)),p){case 64:switch(0<L&&(U=U.replace(f,"")),h=U.charCodeAt(1)){case 100:case 109:case 115:case 45:L=r;break;default:L=j}if(F=(m=t(r,L,m,h,d+1)).length,0<A&&(w=s(3,m,L=n(j,U,V),r,M,E,F,h,d,c),U=L.join(""),void 0!==w&&0===(F=(m=w.trim()).length)&&(h=0,m="")),0<F)switch(h){case 115:U=U.replace(C,i);case 100:case 109:case 45:m=U+"{"+m+"}";break;case 107:m=(U=U.replace(v,"$1 $2"))+"{"+m+"}",m=1===P||2===P&&a("@"+m,3)?"@-webkit-"+m+"@"+m:"@"+m;break;default:m=U+m,112===c&&(W+=m,m="")}else m="";break;default:m=t(r,n(r,U,V),m,c,d+1)}B+=m,m=V=L=I=p=0,U="",h=u.charCodeAt(++R);break;case 125:case 59:if(1<(F=(U=(0<L?U.replace(f,""):U).trim()).length))switch(0===I&&(p=U.charCodeAt(0),45===p||96<p&&123>p)&&(F=(U=U.replace(" ",":")).length),0<A&&void 0!==(w=s(1,U,r,e,M,E,W.length,c,d,c))&&0===(F=(U=w.trim()).length)&&(U="\0\0"),p=U.charCodeAt(0),h=U.charCodeAt(1),p){case 0:break;case 64:if(105===h||99===h){Y+=U+u.charAt(R);break}default:58!==U.charCodeAt(F-1)&&(W+=o(U,p,h,U.charCodeAt(2)))}V=L=I=p=0,U="",h=u.charCodeAt(++R)}}switch(h){case 13:case 10:47===x?x=0:0===1+p&&107!==c&&0<U.length&&(L=1,U+="\0"),0<A*N&&s(0,U,r,e,M,E,W.length,c,d,c),E=1,M++;break;case 59:case 125:if(0===x+D+k+O){E++;break}default:switch(E++,g=u.charAt(R),h){case 9:case 32:if(0===D+O+x)switch(S){case 44:case 58:case 9:case 32:g="";break;default:32!==h&&(g=" ")}break;case 0:g="\\0";break;case 12:g="\\f";break;case 11:g="\\v";break;case 38:0===D+x+O&&(L=V=1,g="\f"+g);break;case 108:if(0===D+x+O+_&&0<I)switch(R-I){case 2:112===S&&58===u.charCodeAt(R-3)&&(_=S);case 8:111===T&&(_=T)}break;case 58:0===D+x+O&&(I=R);break;case 44:0===x+k+D+O&&(L=1,g+="\r");break;case 34:case 39:0===x&&(D=D===h?0:0===D?h:D);break;case 91:0===D+x+k&&O++;break;case 93:0===D+x+k&&O--;break;case 41:0===D+x+O&&k--;break;case 40:if(0===D+x+O){if(0===p)switch(2*S+3*T){case 533:break;default:p=1}k++}break;case 64:0===x+k+D+O+I+m&&(m=1);break;case 42:case 47:if(!(0<D+O+k))switch(x){case 0:switch(2*h+3*u.charCodeAt(R+1)){case 235:x=47;break;case 220:F=R,x=42}break;case 42:47===h&&42===S&&F+2!==R&&(33===u.charCodeAt(F+2)&&(W+=u.substring(F,R+1)),g="",x=0)}}0===x&&(U+=g)}T=S,S=h,R++}if(0<(F=W.length)){if(L=r,0<A&&(void 0!==(w=s(2,W,L,e,M,E,F,c,d,c))&&0===(W=w).length))return Y+W+B;if(W=L.join(",")+"{"+W+"}",0!=P*_){switch(2!==P||a(W,2)||(_=0),_){case 111:W=W.replace(b,":-moz-$1")+W;break;case 112:W=W.replace(y,"::-webkit-input-$1")+W.replace(y,"::-moz-$1")+W.replace(y,":-ms-input-$1")+W}_=0}}return Y+W+B}function n(e,t,n){var o=t.trim().split(m);t=o;var a=o.length,i=e.length;switch(i){case 0:case 1:var s=0;for(e=0===i?"":e[0]+" ";s<a;++s)t[s]=r(e,t[s],n).trim();break;default:var u=s=0;for(t=[];s<a;++s)for(var c=0;c<i;++c)t[u++]=r(e[c]+" ",o[s],n).trim()}return t}function r(e,t,n){var r=t.charCodeAt(0);switch(33>r&&(r=(t=t.trim()).charCodeAt(0)),r){case 38:return t.replace(g,"$1"+e.trim());case 58:return e.trim()+t.replace(g,"$1"+e.trim());default:if(0<1*n&&0<t.indexOf("\f"))return t.replace(g,(58===e.charCodeAt(0)?"":"$1")+e.trim())}return e+t}function o(e,t,n,r){var i=e+";",s=2*t+3*n+4*r;if(944===s){e=i.indexOf(":",9)+1;var u=i.substring(e,i.length-1).trim();return u=i.substring(0,e).trim()+u+";",1===P||2===P&&a(u,1)?"-webkit-"+u+u:u}if(0===P||2===P&&!a(i,1))return i;switch(s){case 1015:return 97===i.charCodeAt(10)?"-webkit-"+i+i:i;case 951:return 116===i.charCodeAt(3)?"-webkit-"+i+i:i;case 963:return 110===i.charCodeAt(5)?"-webkit-"+i+i:i;case 1009:if(100!==i.charCodeAt(4))break;case 969:case 942:return"-webkit-"+i+i;case 978:return"-webkit-"+i+"-moz-"+i+i;case 1019:case 983:return"-webkit-"+i+"-moz-"+i+"-ms-"+i+i;case 883:if(45===i.charCodeAt(8))return"-webkit-"+i+i;if(0<i.indexOf("image-set(",11))return i.replace(S,"$1-webkit-$2")+i;break;case 932:if(45===i.charCodeAt(4))switch(i.charCodeAt(5)){case 103:return"-webkit-box-"+i.replace("-grow","")+"-webkit-"+i+"-ms-"+i.replace("grow","positive")+i;case 115:return"-webkit-"+i+"-ms-"+i.replace("shrink","negative")+i;case 98:return"-webkit-"+i+"-ms-"+i.replace("basis","preferred-size")+i}return"-webkit-"+i+"-ms-"+i+i;case 964:return"-webkit-"+i+"-ms-flex-"+i+i;case 1023:if(99!==i.charCodeAt(8))break;return"-webkit-box-pack"+(u=i.substring(i.indexOf(":",15)).replace("flex-","").replace("space-between","justify"))+"-webkit-"+i+"-ms-flex-pack"+u+i;case 1005:return p.test(i)?i.replace(d,":-webkit-")+i.replace(d,":-moz-")+i:i;case 1e3:switch(t=(u=i.substring(13).trim()).indexOf("-")+1,u.charCodeAt(0)+u.charCodeAt(t)){case 226:u=i.replace(w,"tb");break;case 232:u=i.replace(w,"tb-rl");break;case 220:u=i.replace(w,"lr");break;default:return i}return"-webkit-"+i+"-ms-"+u+i;case 1017:if(-1===i.indexOf("sticky",9))break;case 975:switch(t=(i=e).length-10,s=(u=(33===i.charCodeAt(t)?i.substring(0,t):i).substring(e.indexOf(":",7)+1).trim()).charCodeAt(0)+(0|u.charCodeAt(7))){case 203:if(111>u.charCodeAt(8))break;case 115:i=i.replace(u,"-webkit-"+u)+";"+i;break;case 207:case 102:i=i.replace(u,"-webkit-"+(102<s?"inline-":"")+"box")+";"+i.replace(u,"-webkit-"+u)+";"+i.replace(u,"-ms-"+u+"box")+";"+i}return i+";";case 938:if(45===i.charCodeAt(5))switch(i.charCodeAt(6)){case 105:return u=i.replace("-items",""),"-webkit-"+i+"-webkit-box-"+u+"-ms-flex-"+u+i;case 115:return"-webkit-"+i+"-ms-flex-item-"+i.replace(x,"")+i;default:return"-webkit-"+i+"-ms-flex-line-pack"+i.replace("align-content","").replace(x,"")+i}break;case 973:case 989:if(45!==i.charCodeAt(3)||122===i.charCodeAt(4))break;case 931:case 953:if(!0===D.test(e))return 115===(u=e.substring(e.indexOf(":")+1)).charCodeAt(0)?o(e.replace("stretch","fill-available"),t,n,r).replace(":fill-available",":stretch"):i.replace(u,"-webkit-"+u)+i.replace(u,"-moz-"+u.replace("fill-",""))+i;break;case 962:if(i="-webkit-"+i+(102===i.charCodeAt(5)?"-ms-"+i:"")+i,211===n+r&&105===i.charCodeAt(13)&&0<i.indexOf("transform",10))return i.substring(0,i.indexOf(";",27)+1).replace(h,"$1-webkit-$2")+i}return i}function a(e,t){var n=e.indexOf(1===t?":":"{"),r=e.substring(0,3!==t?n:10);return n=e.substring(n+1,e.length-1),I(2!==t?r:r.replace(k,"$1"),n,t)}function i(e,t){var n=o(t,t.charCodeAt(0),t.charCodeAt(1),t.charCodeAt(2));return n!==t+";"?n.replace(O," or ($1)").substring(4):"("+t+")"}function s(e,t,n,r,o,a,i,s,u,l){for(var f,d=0,p=t;d<A;++d)switch(f=T[d].call(c,e,p,n,r,o,a,i,s,u,l)){case void 0:case!1:case!0:case null:break;default:p=f}if(p!==t)return p}function u(e){return void 0!==(e=e.prefix)&&(I=null,e?"function"!=typeof e?P=1:(P=2,I=e):P=0),u}function c(e,n){var r=e;if(33>r.charCodeAt(0)&&(r=r.trim()),r=[r],0<A){var o=s(-1,n,r,r,M,E,0,0,0,0);void 0!==o&&"string"==typeof o&&(n=o)}var a=t(j,r,n,0,0);return 0<A&&(void 0!==(o=s(-2,a,r,r,M,E,a.length,0,0,0))&&(a=o)),"",_=0,E=M=1,a}var l=/^\0+/g,f=/[\0\r\f]/g,d=/: */g,p=/zoo|gra/,h=/([,: ])(transform)/g,m=/,\r+?/g,g=/([\t\r\n ])*\f?&/g,v=/@(k\w+)\s*(\S*)\s*/,y=/::(place)/g,b=/:(read-only)/g,w=/[svh]\w+-[tblr]{2}/,C=/\(\s*(.*)\s*\)/g,O=/([\s\S]*?);/g,x=/-self|flex-/g,k=/[^]*?(:[rp][el]a[\w-]+)[^]*/,D=/stretch|:\s*\w+\-(?:conte|avail)/,S=/([^-])(image-set\()/,E=1,M=1,_=0,P=1,j=[],T=[],A=0,I=null,N=0;return c.use=function R(e){switch(e){case void 0:case null:A=T.length=0;break;default:if("function"==typeof e)T[A++]=e;else if("object"==typeof e)for(var t=0,n=e.length;t<n;++t)R(e[t]);else N=0|!!e}return R},c.set=u,void 0!==e&&u(e),c},Pe="/*|*/";function je(e){e&&Te.current.insert(e+"}")}var Te={current:null},Ae=function(e,t,n,r,o,a,i,s,u,c){switch(e){case 1:switch(t.charCodeAt(0)){case 64:return Te.current.insert(t+";"),"";case 108:if(98===t.charCodeAt(2))return""}break;case 2:if(0===s)return t+Pe;break;case 3:switch(s){case 102:case 112:return Te.current.insert(n[0]+t),"";default:return t+(0===c?Pe:"")}case-2:t.split("/*|*/}").forEach(je)}},Ie=function(e){e===undefined&&(e={});var t,n=e.key||"css";e.prefix!==undefined&&(t={prefix:e.prefix});var r=new _e(t);var o,a={};o=e.container||document.head;var i,s=document.querySelectorAll("style[data-emotion-"+n+"]");Array.prototype.forEach.call(s,(function(e){e.getAttribute("data-emotion-"+n).split(" ").forEach((function(e){a[e]=!0})),e.parentNode!==o&&o.appendChild(e)})),r.use(e.stylisPlugins)(Ae),i=function(e,t,n,o){var a=t.name;Te.current=n,r(e,t.styles),o&&(u.inserted[a]=!0)};var u={key:n,sheet:new Me({key:n,container:o,nonce:e.nonce,speedy:e.speedy}),nonce:e.nonce,inserted:a,registered:{},insert:i};return u};function Ne(e,t,n){var r="";return n.split(" ").forEach((function(n){e[n]!==undefined?t.push(e[n]):r+=n+" "})),r}var Re=function(e,t,n){var r=e.key+"-"+t.name;if(!1===n&&e.registered[r]===undefined&&(e.registered[r]=t.styles),e.inserted[t.name]===undefined){var o=t;do{e.insert("."+r,o,e.sheet,!0);o=o.next}while(o!==undefined)}};var Le=function(e){for(var t,n=0,r=0,o=e.length;o>=4;++r,o-=4)t=1540483477*(65535&(t=255&e.charCodeAt(r)|(255&e.charCodeAt(++r))<<8|(255&e.charCodeAt(++r))<<16|(255&e.charCodeAt(++r))<<24))+(59797*(t>>>16)<<16),n=1540483477*(65535&(t^=t>>>24))+(59797*(t>>>16)<<16)^1540483477*(65535&n)+(59797*(n>>>16)<<16);switch(o){case 3:n^=(255&e.charCodeAt(r+2))<<16;case 2:n^=(255&e.charCodeAt(r+1))<<8;case 1:n=1540483477*(65535&(n^=255&e.charCodeAt(r)))+(59797*(n>>>16)<<16)}return(((n=1540483477*(65535&(n^=n>>>13))+(59797*(n>>>16)<<16))^n>>>15)>>>0).toString(36)},Ve={animationIterationCount:1,borderImageOutset:1,borderImageSlice:1,borderImageWidth:1,boxFlex:1,boxFlexGroup:1,boxOrdinalGroup:1,columnCount:1,columns:1,flex:1,flexGrow:1,flexPositive:1,flexShrink:1,flexNegative:1,flexOrder:1,gridRow:1,gridRowEnd:1,gridRowSpan:1,gridRowStart:1,gridColumn:1,gridColumnEnd:1,gridColumnSpan:1,gridColumnStart:1,msGridRow:1,msGridRowSpan:1,msGridColumn:1,msGridColumnSpan:1,fontWeight:1,lineHeight:1,opacity:1,order:1,orphans:1,tabSize:1,widows:1,zIndex:1,zoom:1,WebkitLineClamp:1,fillOpacity:1,floodOpacity:1,stopOpacity:1,strokeDasharray:1,strokeDashoffset:1,strokeMiterlimit:1,strokeOpacity:1,strokeWidth:1};var Fe=/[A-Z]|^ms/g,He=/_EMO_([^_]+?)_([^]*?)_EMO_/g,ze=function(e){return 45===e.charCodeAt(1)},Ue=function(e){return null!=e&&"boolean"!=typeof e},We=function(e){var t={};return function(n){return t[n]===undefined&&(t[n]=e(n)),t[n]}}((function(e){return ze(e)?e:e.replace(Fe,"-$&").toLowerCase()})),Be=function(e,t){switch(e){case"animation":case"animationName":if("string"==typeof t)return t.replace(He,(function(e,t,n){return qe={name:t,styles:n,next:qe},t}))}return 1===Ve[e]||ze(e)||"number"!=typeof t||0===t?t:t+"px"};function Ye(e,t,n,r){if(null==n)return"";if(n.__emotion_styles!==undefined)return n;switch(typeof n){case"boolean":return"";case"object":if(1===n.anim)return qe={name:n.name,styles:n.styles,next:qe},n.name;if(n.styles!==undefined){var o=n.next;if(o!==undefined)for(;o!==undefined;)qe={name:o.name,styles:o.styles,next:qe},o=o.next;return n.styles+";"}return function(e,t,n){var r="";if(Array.isArray(n))for(var o=0;o<n.length;o++)r+=Ye(e,t,n[o],!1);else for(var a in n){var i=n[a];if("object"!=typeof i)null!=t&&t[i]!==undefined?r+=a+"{"+t[i]+"}":Ue(i)&&(r+=We(a)+":"+Be(a,i)+";");else if(!Array.isArray(i)||"string"!=typeof i[0]||null!=t&&t[i[0]]!==undefined){var s=Ye(e,t,i,!1);switch(a){case"animation":case"animationName":r+=We(a)+":"+s+";";break;default:r+=a+"{"+s+"}"}}else for(var u=0;u<i.length;u++)Ue(i[u])&&(r+=We(a)+":"+Be(a,i[u])+";")}return r}(e,t,n);case"function":if(e!==undefined){var a=qe,i=n(e);return qe=a,Ye(e,t,i,r)}break;case"string":}if(null==t)return n;var s=t[n];return s===undefined||r?n:s}var qe,Ke=/label:\s*([^\s;\n{]+)\s*;/g;var Qe=function(e,t,n){if(1===e.length&&"object"==typeof e[0]&&null!==e[0]&&e[0].styles!==undefined)return e[0];var r=!0,o="";qe=undefined;var a=e[0];null==a||a.raw===undefined?(r=!1,o+=Ye(n,t,a,!1)):o+=a[0];for(var i=1;i<e.length;i++)o+=Ye(n,t,e[i],46===o.charCodeAt(o.length-1)),r&&(o+=a[i]);Ke.lastIndex=0;for(var s,u="";null!==(s=Ke.exec(o));)u+="-"+s[1];return{name:Le(o)+u,styles:o,next:qe}},Ge=Object.prototype.hasOwnProperty,$e=(0,e.createContext)("undefined"!=typeof HTMLElement?Ie():null),Je=(0,e.createContext)({}),Xe=$e.Provider,Ze=function(t){var n=function(n,r){return(0,e.createElement)($e.Consumer,null,(function(e){return t(n,e,r)}))};return(0,e.forwardRef)(n)},et="__EMOTION_TYPE_PLEASE_DO_NOT_USE__",tt=function(e,t){var n={};for(var r in t)Ge.call(t,r)&&(n[r]=t[r]);return n[et]=e,n},nt=function(){return null},rt=function(t,n,r,o){var a=null===r?n.css:n.css(r);"string"==typeof a&&t.registered[a]!==undefined&&(a=t.registered[a]);var i=n[et],s=[a],u="";"string"==typeof n.className?u=Ne(t.registered,s,n.className):null!=n.className&&(u=n.className+" ");var c=Qe(s);Re(t,c,"string"==typeof i);u+=t.key+"-"+c.name;var l={};for(var f in n)Ge.call(n,f)&&"css"!==f&&f!==et&&(l[f]=n[f]);l.ref=o,l.className=u;var d=(0,e.createElement)(i,l),p=(0,e.createElement)(nt,null);return(0,e.createElement)(e.Fragment,null,p,d)},ot=Ze((function(t,n,r){return"function"==typeof t.css?(0,e.createElement)(Je.Consumer,null,(function(e){return rt(n,t,e,r)})):rt(n,t,null,r)}));var at=function(){for(var e=arguments.length,t=new Array(e),n=0;n<e;n++)t[n]=arguments[n];return Qe(t)},it=function(t,n){var r=arguments;if(null==n||!Ge.call(n,"css"))return e.createElement.apply(undefined,r);var o=r.length,a=new Array(o);a[0]=ot,a[1]=tt(t,n);for(var i=2;i<o;i++)a[i]=r[i];return e.createElement.apply(null,a)},st=Ze((function(t,n){var r=t.styles;if("function"==typeof r)return(0,e.createElement)(Je.Consumer,null,(function(t){var o=Qe([r(t)]);return(0,e.createElement)(ut,{serialized:o,cache:n})}));var o=Qe([r]);return(0,e.createElement)(ut,{serialized:o,cache:n})})),ut=function(e){var t,n;function r(t,n,r){return e.call(this,t,n,r)||this}n=e,(t=r).prototype=Object.create(n.prototype),t.prototype.constructor=t,Ee(t,n);var o=r.prototype;return o.componentDidMount=function(){this.sheet=new Me({key:this.props.cache.key+"-global",nonce:this.props.cache.sheet.nonce,container:this.props.cache.sheet.container});var e=document.querySelector("style[data-emotion-"+this.props.cache.key+'="'+this.props.serialized.name+'"]');null!==e&&this.sheet.tags.push(e),this.props.cache.sheet.tags.length&&(this.sheet.before=this.props.cache.sheet.tags[0]),this.insertStyles()},o.componentDidUpdate=function(e){e.serialized.name!==this.props.serialized.name&&this.insertStyles()},o.insertStyles=function(){if(this.props.serialized.next!==undefined&&Re(this.props.cache,this.props.serialized.next,!0),this.sheet.tags.length){var e=this.sheet.tags[this.sheet.tags.length-1].nextElementSibling;this.sheet.before=e,this.sheet.flush()}this.props.cache.insert("",this.props.serialized,this.sheet,!1)},o.componentWillUnmount=function(){this.sheet.flush()},o.render=function(){return null},r}(e.Component),ct=function ii(e){for(var t=e.length,n=0,r="";n<t;n++){var o=e[n];if(null!=o){var a=void 0;switch(typeof o){case"boolean":break;case"object":if(Array.isArray(o))a=ii(o);else for(var i in a="",o)o[i]&&i&&(a&&(a+=" "),a+=i);break;default:a=o}a&&(r&&(r+=" "),r+=a)}}return r};function lt(e,t,n){var r=[],o=Ne(e,r,n);return r.length<2?n:o+t(r)}var ft=function(){return null},dt=Ze((function(t,n){return(0,e.createElement)(Je.Consumer,null,(function(r){var o=function(){for(var e=arguments.length,t=new Array(e),r=0;r<e;r++)t[r]=arguments[r];var o=Qe(t,n.registered);return Re(n,o,!1),n.key+"-"+o.name},a={css:o,cx:function(){for(var e=arguments.length,t=new Array(e),r=0;r<e;r++)t[r]=arguments[r];return lt(n.registered,o,ct(t))},theme:r},i=t.children(a);var s=(0,e.createElement)(ft,null);return(0,e.createElement)(e.Fragment,null,s,i)}))})),pt=["mousedown","touchstart"];
    2727/**!
    2828 * @fileOverview Kickass library to create and place poppers near their reference elements.
    2929 * @version 1.16.1
    3030 * @license
    3131 * Copyright (c) 2016 Federico Zivolo and contributors
    3232 *
    3333 * Permission is hereby granted, free of charge, to any person obtaining a copy
    3434 * of this software and associated documentation files (the "Software"), to deal
    3535 * in the Software without restriction, including without limitation the rights
    3636 * to use, copy, modify, merge, publish, distribute, sublicense, and/or sell
    3737 * copies of the Software, and to permit persons to whom the Software is
    3838 * furnished to do so, subject to the following conditions:
    3939 *
    4040 * The above copyright notice and this permission notice shall be included in all
    4141 * copies or substantial portions of the Software.
    4242 *
    4343 * THE SOFTWARE IS PROVIDED "AS IS", WITHOUT WARRANTY OF ANY KIND, EXPRESS OR
    4444 * IMPLIED, INCLUDING BUT NOT LIMITED TO THE WARRANTIES OF MERCHANTABILITY,
    4545 * FITNESS FOR A PARTICULAR PURPOSE AND NONINFRINGEMENT. IN NO EVENT SHALL THE
    4646 * AUTHORS OR COPYRIGHT HOLDERS BE LIABLE FOR ANY CLAIM, DAMAGES OR OTHER
    4747 * LIABILITY, WHETHER IN AN ACTION OF CONTRACT, TORT OR OTHERWISE, ARISING FROM,
    4848 * OUT OF OR IN CONNECTION WITH THE SOFTWARE OR THE USE OR OTHER DEALINGS IN THE
    4949 * SOFTWARE.
    5050 */
    51 var dt="undefined"!=typeof window&&"undefined"!=typeof document&&"undefined"!=typeof navigator,pt=function(){for(var e=["Edge","Trident","Firefox"],t=0;t<e.length;t+=1)if(dt&&navigator.userAgent.indexOf(e[t])>=0)return 1;return 0}();var ht=dt&&window.Promise?function(e){var t=!1;return function(){t||(t=!0,window.Promise.resolve().then((function(){t=!1,e()})))}}:function(e){var t=!1;return function(){t||(t=!0,setTimeout((function(){t=!1,e()}),pt))}};function mt(e){return e&&"[object Function]"==={}.toString.call(e)}function gt(e,t){if(1!==e.nodeType)return[];var n=e.ownerDocument.defaultView.getComputedStyle(e,null);return t?n[t]:n}function vt(e){return"HTML"===e.nodeName?e:e.parentNode||e.host}function yt(e){if(!e)return document.body;switch(e.nodeName){case"HTML":case"BODY":return e.ownerDocument.body;case"#document":return e.body}var t=gt(e),n=t.overflow,r=t.overflowX,o=t.overflowY;return/(auto|scroll|overlay)/.test(n+o+r)?e:yt(vt(e))}function bt(e){return e&&e.referenceNode?e.referenceNode:e}var wt=dt&&!(!window.MSInputMethodContext||!document.documentMode),Ct=dt&&/MSIE 10/.test(navigator.userAgent);function Ot(e){return 11===e?wt:10===e?Ct:wt||Ct}function xt(e){if(!e)return document.documentElement;for(var t=Ot(10)?document.body:null,n=e.offsetParent||null;n===t&&e.nextElementSibling;)n=(e=e.nextElementSibling).offsetParent;var r=n&&n.nodeName;return r&&"BODY"!==r&&"HTML"!==r?-1!==["TH","TD","TABLE"].indexOf(n.nodeName)&&"static"===gt(n,"position")?xt(n):n:e?e.ownerDocument.documentElement:document.documentElement}function kt(e){return null!==e.parentNode?kt(e.parentNode):e}function Dt(e,t){if(!(e&&e.nodeType&&t&&t.nodeType))return document.documentElement;var n=e.compareDocumentPosition(t)&Node.DOCUMENT_POSITION_FOLLOWING,r=n?e:t,o=n?t:e,a=document.createRange();a.setStart(r,0),a.setEnd(o,0);var i,s,u=a.commonAncestorContainer;if(e!==u&&t!==u||r.contains(o))return"BODY"===(s=(i=u).nodeName)||"HTML"!==s&&xt(i.firstElementChild)!==i?xt(u):u;var c=kt(e);return c.host?Dt(c.host,t):Dt(e,kt(t).host)}function St(e){var t=arguments.length>1&&arguments[1]!==undefined?arguments[1]:"top",n="top"===t?"scrollTop":"scrollLeft",r=e.nodeName;if("BODY"===r||"HTML"===r){var o=e.ownerDocument.documentElement,a=e.ownerDocument.scrollingElement||o;return a[n]}return e[n]}function Et(e,t){var n=arguments.length>2&&arguments[2]!==undefined&&arguments[2],r=St(t,"top"),o=St(t,"left"),a=n?-1:1;return e.top+=r*a,e.bottom+=r*a,e.left+=o*a,e.right+=o*a,e}function Mt(e,t){var n="x"===t?"Left":"Top",r="Left"===n?"Right":"Bottom";return parseFloat(e["border"+n+"Width"])+parseFloat(e["border"+r+"Width"])}function _t(e,t,n,r){return Math.max(t["offset"+e],t["scroll"+e],n["client"+e],n["offset"+e],n["scroll"+e],Ot(10)?parseInt(n["offset"+e])+parseInt(r["margin"+("Height"===e?"Top":"Left")])+parseInt(r["margin"+("Height"===e?"Bottom":"Right")]):0)}function Pt(e){var t=e.body,n=e.documentElement,r=Ot(10)&&getComputedStyle(n);return{height:_t("Height",t,n,r),width:_t("Width",t,n,r)}}var jt=function(e,t){if(!(e instanceof t))throw new TypeError("Cannot call a class as a function")},Tt=function(){function e(e,t){for(var n=0;n<t.length;n++){var r=t[n];r.enumerable=r.enumerable||!1,r.configurable=!0,"value"in r&&(r.writable=!0),Object.defineProperty(e,r.key,r)}}return function(t,n,r){return n&&e(t.prototype,n),r&&e(t,r),t}}(),At=function(e,t,n){return t in e?Object.defineProperty(e,t,{value:n,enumerable:!0,configurable:!0,writable:!0}):e[t]=n,e},It=Object.assign||function(e){for(var t=1;t<arguments.length;t++){var n=arguments[t];for(var r in n)Object.prototype.hasOwnProperty.call(n,r)&&(e[r]=n[r])}return e};function Nt(e){return It({},e,{right:e.left+e.width,bottom:e.top+e.height})}function Rt(e){var t={};try{if(Ot(10)){t=e.getBoundingClientRect();var n=St(e,"top"),r=St(e,"left");t.top+=n,t.left+=r,t.bottom+=n,t.right+=r}else t=e.getBoundingClientRect()}catch(f){}var o={left:t.left,top:t.top,width:t.right-t.left,height:t.bottom-t.top},a="HTML"===e.nodeName?Pt(e.ownerDocument):{},i=a.width||e.clientWidth||o.width,s=a.height||e.clientHeight||o.height,u=e.offsetWidth-i,c=e.offsetHeight-s;if(u||c){var l=gt(e);u-=Mt(l,"x"),c-=Mt(l,"y"),o.width-=u,o.height-=c}return Nt(o)}function Lt(e,t){var n=arguments.length>2&&arguments[2]!==undefined&&arguments[2],r=Ot(10),o="HTML"===t.nodeName,a=Rt(e),i=Rt(t),s=yt(e),u=gt(t),c=parseFloat(u.borderTopWidth),l=parseFloat(u.borderLeftWidth);n&&o&&(i.top=Math.max(i.top,0),i.left=Math.max(i.left,0));var f=Nt({top:a.top-i.top-c,left:a.left-i.left-l,width:a.width,height:a.height});if(f.marginTop=0,f.marginLeft=0,!r&&o){var d=parseFloat(u.marginTop),p=parseFloat(u.marginLeft);f.top-=c-d,f.bottom-=c-d,f.left-=l-p,f.right-=l-p,f.marginTop=d,f.marginLeft=p}return(r&&!n?t.contains(s):t===s&&"BODY"!==s.nodeName)&&(f=Et(f,t)),f}function Vt(e){var t=arguments.length>1&&arguments[1]!==undefined&&arguments[1],n=e.ownerDocument.documentElement,r=Lt(e,n),o=Math.max(n.clientWidth,window.innerWidth||0),a=Math.max(n.clientHeight,window.innerHeight||0),i=t?0:St(n),s=t?0:St(n,"left"),u={top:i-r.top+r.marginTop,left:s-r.left+r.marginLeft,width:o,height:a};return Nt(u)}function Ft(e){var t=e.nodeName;if("BODY"===t||"HTML"===t)return!1;if("fixed"===gt(e,"position"))return!0;var n=vt(e);return!!n&&Ft(n)}function Ht(e){if(!e||!e.parentElement||Ot())return document.documentElement;for(var t=e.parentElement;t&&"none"===gt(t,"transform");)t=t.parentElement;return t||document.documentElement}function zt(e,t,n,r){var o=arguments.length>4&&arguments[4]!==undefined&&arguments[4],a={top:0,left:0},i=o?Ht(e):Dt(e,bt(t));if("viewport"===r)a=Vt(i,o);else{var s=void 0;"scrollParent"===r?"BODY"===(s=yt(vt(t))).nodeName&&(s=e.ownerDocument.documentElement):s="window"===r?e.ownerDocument.documentElement:r;var u=Lt(s,i,o);if("HTML"!==s.nodeName||Ft(i))a=u;else{var c=Pt(e.ownerDocument),l=c.height,f=c.width;a.top+=u.top-u.marginTop,a.bottom=l+u.top,a.left+=u.left-u.marginLeft,a.right=f+u.left}}var d="number"==typeof(n=n||0);return a.left+=d?n:n.left||0,a.top+=d?n:n.top||0,a.right-=d?n:n.right||0,a.bottom-=d?n:n.bottom||0,a}function Ut(e){return e.width*e.height}function Wt(e,t,n,r,o){var a=arguments.length>5&&arguments[5]!==undefined?arguments[5]:0;if(-1===e.indexOf("auto"))return e;var i=zt(n,r,a,o),s={top:{width:i.width,height:t.top-i.top},right:{width:i.right-t.right,height:i.height},bottom:{width:i.width,height:i.bottom-t.bottom},left:{width:t.left-i.left,height:i.height}},u=Object.keys(s).map((function(e){return It({key:e},s[e],{area:Ut(s[e])})})).sort((function(e,t){return t.area-e.area})),c=u.filter((function(e){var t=e.width,r=e.height;return t>=n.clientWidth&&r>=n.clientHeight})),l=c.length>0?c[0].key:u[0].key,f=e.split("-")[1];return l+(f?"-"+f:"")}function Bt(e,t,n){var r=arguments.length>3&&arguments[3]!==undefined?arguments[3]:null,o=r?Ht(t):Dt(t,bt(n));return Lt(n,o,r)}function Yt(e){var t=e.ownerDocument.defaultView.getComputedStyle(e),n=parseFloat(t.marginTop||0)+parseFloat(t.marginBottom||0),r=parseFloat(t.marginLeft||0)+parseFloat(t.marginRight||0);return{width:e.offsetWidth+r,height:e.offsetHeight+n}}function qt(e){var t={left:"right",right:"left",bottom:"top",top:"bottom"};return e.replace(/left|right|bottom|top/g,(function(e){return t[e]}))}function $t(e,t,n){n=n.split("-")[0];var r=Yt(e),o={width:r.width,height:r.height},a=-1!==["right","left"].indexOf(n),i=a?"top":"left",s=a?"left":"top",u=a?"height":"width",c=a?"width":"height";return o[i]=t[i]+t[u]/2-r[u]/2,o[s]=n===s?t[s]-r[c]:t[qt(s)],o}function Kt(e,t){return Array.prototype.find?e.find(t):e.filter(t)[0]}function Qt(e,t,n){return(n===undefined?e:e.slice(0,function(e,t,n){if(Array.prototype.findIndex)return e.findIndex((function(e){return e[t]===n}));var r=Kt(e,(function(e){return e[t]===n}));return e.indexOf(r)}(e,"name",n))).forEach((function(e){e["function"]&&console.warn("`modifier.function` is deprecated, use `modifier.fn`!");var n=e["function"]||e.fn;e.enabled&&mt(n)&&(t.offsets.popper=Nt(t.offsets.popper),t.offsets.reference=Nt(t.offsets.reference),t=n(t,e))})),t}function Gt(){if(!this.state.isDestroyed){var e={instance:this,styles:{},arrowStyles:{},attributes:{},flipped:!1,offsets:{}};e.offsets.reference=Bt(this.state,this.popper,this.reference,this.options.positionFixed),e.placement=Wt(this.options.placement,e.offsets.reference,this.popper,this.reference,this.options.modifiers.flip.boundariesElement,this.options.modifiers.flip.padding),e.originalPlacement=e.placement,e.positionFixed=this.options.positionFixed,e.offsets.popper=$t(this.popper,e.offsets.reference,e.placement),e.offsets.popper.position=this.options.positionFixed?"fixed":"absolute",e=Qt(this.modifiers,e),this.state.isCreated?this.options.onUpdate(e):(this.state.isCreated=!0,this.options.onCreate(e))}}function Jt(e,t){return e.some((function(e){var n=e.name;return e.enabled&&n===t}))}function Xt(e){for(var t=[!1,"ms","Webkit","Moz","O"],n=e.charAt(0).toUpperCase()+e.slice(1),r=0;r<t.length;r++){var o=t[r],a=o?""+o+n:e;if("undefined"!=typeof document.body.style[a])return a}return null}function Zt(){return this.state.isDestroyed=!0,Jt(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[Xt("transform")]=""),this.disableEventListeners(),this.options.removeOnDestroy&&this.popper.parentNode.removeChild(this.popper),this}function en(e){var t=e.ownerDocument;return t?t.defaultView:window}function tn(e,t,n,r){var o="BODY"===e.nodeName,a=o?e.ownerDocument.defaultView:e;a.addEventListener(t,n,{passive:!0}),o||tn(yt(a.parentNode),t,n,r),r.push(a)}function nn(e,t,n,r){n.updateBound=r,en(e).addEventListener("resize",n.updateBound,{passive:!0});var o=yt(e);return tn(o,"scroll",n.updateBound,n.scrollParents),n.scrollElement=o,n.eventsEnabled=!0,n}function rn(){this.state.eventsEnabled||(this.state=nn(this.reference,this.options,this.state,this.scheduleUpdate))}function on(){var e,t;this.state.eventsEnabled&&(cancelAnimationFrame(this.scheduleUpdate),this.state=(e=this.reference,t=this.state,en(e).removeEventListener("resize",t.updateBound),t.scrollParents.forEach((function(e){e.removeEventListener("scroll",t.updateBound)})),t.updateBound=null,t.scrollParents=[],t.scrollElement=null,t.eventsEnabled=!1,t))}function an(e){return""!==e&&!isNaN(parseFloat(e))&&isFinite(e)}function sn(e,t){Object.keys(t).forEach((function(n){var r="";-1!==["width","height","top","right","bottom","left"].indexOf(n)&&an(t[n])&&(r="px"),e.style[n]=t[n]+r}))}var un=dt&&/Firefox/i.test(navigator.userAgent);function cn(e,t,n){var r=Kt(e,(function(e){return e.name===t})),o=!!r&&e.some((function(e){return e.name===n&&e.enabled&&e.order<r.order}));if(!o){var a="`"+t+"`",i="`"+n+"`";console.warn(i+" modifier is required by "+a+" modifier in order to work, be sure to include it before "+a+"!")}return o}var ln=["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"],fn=ln.slice(3);function dn(e){var t=arguments.length>1&&arguments[1]!==undefined&&arguments[1],n=fn.indexOf(e),r=fn.slice(n+1).concat(fn.slice(0,n));return t?r.reverse():r}var pn="flip",hn="clockwise",mn="counterclockwise";function gn(e,t,n,r){var o=[0,0],a=-1!==["right","left"].indexOf(r),i=e.split(/(\+|\-)/).map((function(e){return e.trim()})),s=i.indexOf(Kt(i,(function(e){return-1!==e.search(/,|\s/)})));i[s]&&-1===i[s].indexOf(",")&&console.warn("Offsets separated by white space(s) are deprecated, use a comma (,) instead.");var u=/\s*,\s*|\s+/,c=-1!==s?[i.slice(0,s).concat([i[s].split(u)[0]]),[i[s].split(u)[1]].concat(i.slice(s+1))]:[i];return(c=c.map((function(e,r){var o=(1===r?!a:a)?"height":"width",i=!1;return e.reduce((function(e,t){return""===e[e.length-1]&&-1!==["+","-"].indexOf(t)?(e[e.length-1]=t,i=!0,e):i?(e[e.length-1]+=t,i=!1,e):e.concat(t)}),[]).map((function(e){return function(e,t,n,r){var o=e.match(/((?:\-|\+)?\d*\.?\d*)(.*)/),a=+o[1],i=o[2];if(!a)return e;if(0===i.indexOf("%")){var s=void 0;switch(i){case"%p":s=n;break;case"%":case"%r":default:s=r}return Nt(s)[t]/100*a}if("vh"===i||"vw"===i)return("vh"===i?Math.max(document.documentElement.clientHeight,window.innerHeight||0):Math.max(document.documentElement.clientWidth,window.innerWidth||0))/100*a;return a}(e,o,t,n)}))}))).forEach((function(e,t){e.forEach((function(n,r){an(n)&&(o[t]+=n*("-"===e[r-1]?-1:1))}))})),o}var vn={placement:"bottom",positionFixed:!1,eventsEnabled:!0,removeOnDestroy:!1,onCreate:function(){},onUpdate:function(){},modifiers:{shift:{order:100,enabled:!0,fn:function(e){var t=e.placement,n=t.split("-")[0],r=t.split("-")[1];if(r){var o=e.offsets,a=o.reference,i=o.popper,s=-1!==["bottom","top"].indexOf(n),u=s?"left":"top",c=s?"width":"height",l={start:At({},u,a[u]),end:At({},u,a[u]+a[c]-i[c])};e.offsets.popper=It({},i,l[r])}return e}},offset:{order:200,enabled:!0,fn:function(e,t){var n=t.offset,r=e.placement,o=e.offsets,a=o.popper,i=o.reference,s=r.split("-")[0],u=void 0;return u=an(+n)?[+n,0]:gn(n,a,i,s),"left"===s?(a.top+=u[0],a.left-=u[1]):"right"===s?(a.top+=u[0],a.left+=u[1]):"top"===s?(a.left+=u[0],a.top-=u[1]):"bottom"===s&&(a.left+=u[0],a.top+=u[1]),e.popper=a,e},offset:0},preventOverflow:{order:300,enabled:!0,fn:function(e,t){var n=t.boundariesElement||xt(e.instance.popper);e.instance.reference===n&&(n=xt(n));var r=Xt("transform"),o=e.instance.popper.style,a=o.top,i=o.left,s=o[r];o.top="",o.left="",o[r]="";var u=zt(e.instance.popper,e.instance.reference,t.padding,n,e.positionFixed);o.top=a,o.left=i,o[r]=s,t.boundaries=u;var c=t.priority,l=e.offsets.popper,f={primary:function(e){var n=l[e];return l[e]<u[e]&&!t.escapeWithReference&&(n=Math.max(l[e],u[e])),At({},e,n)},secondary:function(e){var n="right"===e?"left":"top",r=l[n];return l[e]>u[e]&&!t.escapeWithReference&&(r=Math.min(l[n],u[e]-("right"===e?l.width:l.height))),At({},n,r)}};return c.forEach((function(e){var t=-1!==["left","top"].indexOf(e)?"primary":"secondary";l=It({},l,f[t](e))})),e.offsets.popper=l,e},priority:["left","right","top","bottom"],padding:5,boundariesElement:"scrollParent"},keepTogether:{order:400,enabled:!0,fn:function(e){var t=e.offsets,n=t.popper,r=t.reference,o=e.placement.split("-")[0],a=Math.floor,i=-1!==["top","bottom"].indexOf(o),s=i?"right":"bottom",u=i?"left":"top",c=i?"width":"height";return n[s]<a(r[u])&&(e.offsets.popper[u]=a(r[u])-n[c]),n[u]>a(r[s])&&(e.offsets.popper[u]=a(r[s])),e}},arrow:{order:500,enabled:!0,fn:function(e,t){var n;if(!cn(e.instance.modifiers,"arrow","keepTogether"))return e;var r=t.element;if("string"==typeof r){if(!(r=e.instance.popper.querySelector(r)))return e}else if(!e.instance.popper.contains(r))return console.warn("WARNING: `arrow.element` must be child of its popper element!"),e;var o=e.placement.split("-")[0],a=e.offsets,i=a.popper,s=a.reference,u=-1!==["left","right"].indexOf(o),c=u?"height":"width",l=u?"Top":"Left",f=l.toLowerCase(),d=u?"left":"top",p=u?"bottom":"right",h=Yt(r)[c];s[p]-h<i[f]&&(e.offsets.popper[f]-=i[f]-(s[p]-h)),s[f]+h>i[p]&&(e.offsets.popper[f]+=s[f]+h-i[p]),e.offsets.popper=Nt(e.offsets.popper);var m=s[f]+s[c]/2-h/2,g=gt(e.instance.popper),v=parseFloat(g["margin"+l]),y=parseFloat(g["border"+l+"Width"]),b=m-e.offsets.popper[f]-v-y;return b=Math.max(Math.min(i[c]-h,b),0),e.arrowElement=r,e.offsets.arrow=(At(n={},f,Math.round(b)),At(n,d,""),n),e},element:"[x-arrow]"},flip:{order:600,enabled:!0,fn:function(e,t){if(Jt(e.instance.modifiers,"inner"))return e;if(e.flipped&&e.placement===e.originalPlacement)return e;var n=zt(e.instance.popper,e.instance.reference,t.padding,t.boundariesElement,e.positionFixed),r=e.placement.split("-")[0],o=qt(r),a=e.placement.split("-")[1]||"",i=[];switch(t.behavior){case pn:i=[r,o];break;case hn:i=dn(r);break;case mn:i=dn(r,!0);break;default:i=t.behavior}return i.forEach((function(s,u){if(r!==s||i.length===u+1)return e;r=e.placement.split("-")[0],o=qt(r);var c=e.offsets.popper,l=e.offsets.reference,f=Math.floor,d="left"===r&&f(c.right)>f(l.left)||"right"===r&&f(c.left)<f(l.right)||"top"===r&&f(c.bottom)>f(l.top)||"bottom"===r&&f(c.top)<f(l.bottom),p=f(c.left)<f(n.left),h=f(c.right)>f(n.right),m=f(c.top)<f(n.top),g=f(c.bottom)>f(n.bottom),v="left"===r&&p||"right"===r&&h||"top"===r&&m||"bottom"===r&&g,y=-1!==["top","bottom"].indexOf(r),b=!!t.flipVariations&&(y&&"start"===a&&p||y&&"end"===a&&h||!y&&"start"===a&&m||!y&&"end"===a&&g),w=!!t.flipVariationsByContent&&(y&&"start"===a&&h||y&&"end"===a&&p||!y&&"start"===a&&g||!y&&"end"===a&&m),C=b||w;(d||v||C)&&(e.flipped=!0,(d||v)&&(r=i[u+1]),C&&(a=function(e){return"end"===e?"start":"start"===e?"end":e}(a)),e.placement=r+(a?"-"+a:""),e.offsets.popper=It({},e.offsets.popper,$t(e.instance.popper,e.offsets.reference,e.placement)),e=Qt(e.instance.modifiers,e,"flip"))})),e},behavior:"flip",padding:5,boundariesElement:"viewport",flipVariations:!1,flipVariationsByContent:!1},inner:{order:700,enabled:!1,fn:function(e){var t=e.placement,n=t.split("-")[0],r=e.offsets,o=r.popper,a=r.reference,i=-1!==["left","right"].indexOf(n),s=-1===["top","left"].indexOf(n);return o[i?"left":"top"]=a[n]-(s?o[i?"width":"height"]:0),e.placement=qt(t),e.offsets.popper=Nt(o),e}},hide:{order:800,enabled:!0,fn:function(e){if(!cn(e.instance.modifiers,"hide","preventOverflow"))return e;var t=e.offsets.reference,n=Kt(e.instance.modifiers,(function(e){return"preventOverflow"===e.name})).boundaries;if(t.bottom<n.top||t.left>n.right||t.top>n.bottom||t.right<n.left){if(!0===e.hide)return e;e.hide=!0,e.attributes["x-out-of-boundaries"]=""}else{if(!1===e.hide)return e;e.hide=!1,e.attributes["x-out-of-boundaries"]=!1}return e}},computeStyle:{order:850,enabled:!0,fn:function(e,t){var n=t.x,r=t.y,o=e.offsets.popper,a=Kt(e.instance.modifiers,(function(e){return"applyStyle"===e.name})).gpuAcceleration;a!==undefined&&console.warn("WARNING: `gpuAcceleration` option moved to `computeStyle` modifier and will not be supported in future versions of Popper.js!");var i=a!==undefined?a:t.gpuAcceleration,s=xt(e.instance.popper),u=Rt(s),c={position:o.position},l=function(e,t){var n=e.offsets,r=n.popper,o=n.reference,a=Math.round,i=Math.floor,s=function(e){return e},u=a(o.width),c=a(r.width),l=-1!==["left","right"].indexOf(e.placement),f=-1!==e.placement.indexOf("-"),d=t?l||f||u%2==c%2?a:i:s,p=t?a:s;return{left:d(u%2==1&&c%2==1&&!f&&t?r.left-1:r.left),top:p(r.top),bottom:p(r.bottom),right:d(r.right)}}(e,window.devicePixelRatio<2||!un),f="bottom"===n?"top":"bottom",d="right"===r?"left":"right",p=Xt("transform"),h=void 0,m=void 0;if(m="bottom"===f?"HTML"===s.nodeName?-s.clientHeight+l.bottom:-u.height+l.bottom:l.top,h="right"===d?"HTML"===s.nodeName?-s.clientWidth+l.right:-u.width+l.right:l.left,i&&p)c[p]="translate3d("+h+"px, "+m+"px, 0)",c[f]=0,c[d]=0,c.willChange="transform";else{var g="bottom"===f?-1:1,v="right"===d?-1:1;c[f]=m*g,c[d]=h*v,c.willChange=f+", "+d}var y={"x-placement":e.placement};return e.attributes=It({},y,e.attributes),e.styles=It({},c,e.styles),e.arrowStyles=It({},e.offsets.arrow,e.arrowStyles),e},gpuAcceleration:!0,x:"bottom",y:"right"},applyStyle:{order:900,enabled:!0,fn:function(e){var t,n;return sn(e.instance.popper,e.styles),t=e.instance.popper,n=e.attributes,Object.keys(n).forEach((function(e){!1!==n[e]?t.setAttribute(e,n[e]):t.removeAttribute(e)})),e.arrowElement&&Object.keys(e.arrowStyles).length&&sn(e.arrowElement,e.arrowStyles),e},onLoad:function(e,t,n,r,o){var a=Bt(o,t,e,n.positionFixed),i=Wt(n.placement,a,t,e,n.modifiers.flip.boundariesElement,n.modifiers.flip.padding);return t.setAttribute("x-placement",i),sn(t,{position:n.positionFixed?"fixed":"absolute"}),n},gpuAcceleration:undefined}}},yn=function(){function e(t,n){var r=this,o=arguments.length>2&&arguments[2]!==undefined?arguments[2]:{};jt(this,e),this.scheduleUpdate=function(){return requestAnimationFrame(r.update)},this.update=ht(this.update.bind(this)),this.options=It({},e.Defaults,o),this.state={isDestroyed:!1,isCreated:!1,scrollParents:[]},this.reference=t&&t.jquery?t[0]:t,this.popper=n&&n.jquery?n[0]:n,this.options.modifiers={},Object.keys(It({},e.Defaults.modifiers,o.modifiers)).forEach((function(t){r.options.modifiers[t]=It({},e.Defaults.modifiers[t]||{},o.modifiers?o.modifiers[t]:{})})),this.modifiers=Object.keys(this.options.modifiers).map((function(e){return It({name:e},r.options.modifiers[e])})).sort((function(e,t){return e.order-t.order})),this.modifiers.forEach((function(e){e.enabled&&mt(e.onLoad)&&e.onLoad(r.reference,r.popper,r.options,e,r.state)})),this.update();var a=this.options.eventsEnabled;a&&this.enableEventListeners(),this.state.eventsEnabled=a}return Tt(e,[{key:"update",value:function(){return Gt.call(this)}},{key:"destroy",value:function(){return Zt.call(this)}},{key:"enableEventListeners",value:function(){return rn.call(this)}},{key:"disableEventListeners",value:function(){return on.call(this)}}]),e}();yn.Utils=("undefined"!=typeof window?window:n.g).PopperUtils,yn.placements=ln,yn.Defaults=vn;var bn=yn,wn=(n(353),function(e){do{e+=~~(1e6*Math.random())}while("undefined"!=typeof document&&document.getElementById(e));return e}),Cn=("undefined"!=typeof window&&"undefined"!=typeof window.document&&/iPad|iPhone|iPod/.test(navigator.userAgent)&&window.MSStream,{name:"kpm0v2",styles:"position:absolute;display:block;width:16px;height:8px;margin:0 5px;&:before,&:after{position:absolute;display:block;content:'';border-color:transparent;border-style:solid;}"}),On=function(t){t.placement;var n=Se(t,["placement"]);return at(e.Fragment,null,at(it,{styles:xn}),at("div",De({},n,{"data-arrow":"true",css:Cn})))},xn={name:"rvo98s",styles:"[x-placement^='top']{margin-bottom:8px;[data-arrow]{bottom:-9px;}[data-arrow]:before{bottom:0;border-width:8px 8px 0;border-top-color:rgba(0,0,0,0.25);}[data-arrow]:after{bottom:1px;border-width:8px 8px 0;border-top-color:#fff;}}[x-placement^='right']{margin-left:8px;[data-arrow]{left:-9px;width:8px;height:16px;margin:5px 0;}[data-arrow]:before{left:0;border-width:8px 8px 8px 0;border-right-color:rgba(0,0,0,0.25);}[data-arrow]:after{left:1px;border-width:8px 8px 8px 0;border-right-color:#fff;}}[x-placement^='bottom']{margin-top:8px;[data-arrow]{top:-9px;}[data-arrow]:before{top:0;border-width:0 8px 8px 8px;border-bottom-color:rgba(0,0,0,0.25);}[data-arrow]:after{top:1px;border-width:0 8px 8px 8px;border-bottom-color:#fff;}}[x-placement^='left']{margin-right:8px;[data-arrow]{right:-9px;width:8px;height:16px;margin:5px 0;}[data-arrow]:before{right:0;border-width:8px 0 8px 8px;border-left-color:rgba(0,0,0,0.25);}[data-arrow]:after{right:1px;border-width:8px 0 8px 8px;border-left-color:#fff;}}"},kn=function(n){var r,o,a,i=n.header,s=n.body,u=n.children,c=n.placement,l=n.trigger,f=n.styles,d=Se(n,["header","body","children","placement","trigger","styles"]),p=t().Children.only(u),h=(0,e.useRef)(null),m=(0,e.useState)(!1),g=m[0],v=m[1],y=(0,e.useState)(!1),b=y[0],w=y[1],C=(0,e.useState)({popoverId:null,referenceId:null,arrowId:null}),O=C[0],x=C[1],k=O.popoverId,D=O.referenceId,S=O.arrowId;r=h,o=function(e){e.target.id===D||document.getElementById(D).contains(e.target)||v(!1)},a=(0,e.useRef)(),(0,e.useEffect)((function(){a.current=o}),[o]),(0,e.useEffect)((function(){var e=function(e){r.current&&!r.current.contains(e.target)&&a.current(event)};return ft.forEach((function(t){document.addEventListener(t,e,{passive:!0})})),function(){ft.forEach((function(t){document.removeEventListener(t,e,{passive:!0})}))}}),[r,o]),(0,e.useEffect)((function(){if(!k)return x({popoverId:wn("popover"),referenceId:wn("reference"),arrowId:wn("arrow")});var e=document.getElementById(k),t=document.getElementById(D),n=document.getElementById(S);e&&t&&n&&(new bn(t,e,{placement:c,modifiers:{arrow:{element:n}}}),w(g))}),[g]);var E={content:[Dn.content,f.content],header:[Dn.header,f.header],body:[Dn.body,f.body]};return at(e.Fragment,null,k?at("div",De({},d,{id:k,ref:h,css:E.content,style:b?{display:"block"}:{}}),at(On,{id:S}),i?at("div",{css:E.header},i):null,at("div",{css:E.body},s)):null,t().cloneElement(p,De({},p.props,{id:D,onClick:function(){"click"===l&&v(!g)}})))};kn.defaultProps={placement:"right",trigger:"click",styles:{}};var Dn={content:{name:"106ha8s",styles:"display:none;max-width:300px;background-color:#fff;border-radius:4px;border:1px solid rgba(0,0,0,0.2);z-index:1060;"},header:{name:"12koz1z",styles:"padding:8px 12px;background-color:#f7f7f7;font-size:16px;font-weight:bold;border-top-left-radius:4px;border-top-right-radius:4px;"},body:{name:"k7kym8",styles:"padding:8px 12px;font-size:14px;border-bottom-left-radius:4px;border-bottom-right-radius:4px;"}},Sn=kn;function En(e){var t=e.touches;if(t&&t.length){var n=t[0];return{x:n.clientX,y:n.clientY}}return{x:e.clientX,y:e.clientY}}var Mn={position:"relative",display:"inline-block",backgroundColor:"#ddd",borderRadius:5,userSelect:"none",boxSizing:"border-box"},_n={position:"absolute",backgroundColor:"#5e72e4",borderRadius:5,userSelect:"none",boxSizing:"border-box"},Pn={position:"relative",display:"block",content:'""',width:18,height:18,backgroundColor:"#fff",borderRadius:"50%",boxShadow:"0 1px 1px rgba(0,0,0,.5)",userSelect:"none",cursor:"pointer",boxSizing:"border-box"},jn={x:{track:De({},Mn,{width:200,height:10}),active:De({},_n,{top:0,height:"100%"}),thumb:De({},Pn)},y:{track:De({},Mn,{width:10,height:200}),active:De({},_n,{left:0,width:"100%"}),thumb:De({},Pn)},xy:{track:{position:"relative",overflow:"hidden",width:200,height:200,backgroundColor:"#5e72e4",borderRadius:0},active:{},thumb:De({},Pn)},disabled:{opacity:.5}},Tn=function(t){var n=t.disabled,r=t.axis,o=t.x,a=t.y,i=t.xmin,s=t.xmax,u=t.ymin,c=t.ymax,l=t.xstep,f=t.ystep,d=t.onChange,p=t.onDragStart,h=t.onDragEnd,m=t.onClick,g=t.xreverse,v=t.yreverse,y=t.styles,b=Se(t,["disabled","axis","x","y","xmin","xmax","ymin","ymax","xstep","ystep","onChange","onDragStart","onDragEnd","onClick","xreverse","yreverse","styles"]),w=(0,e.useRef)(null),C=(0,e.useRef)(null),O=(0,e.useRef)({}),x=(0,e.useRef)({});function k(e){var t=e.top,n=e.left;if(d){var o=w.current.getBoundingClientRect(),a=o.width,p=o.height,h=0,m=0;n<0&&(n=0),n>a&&(n=a),t<0&&(t=0),t>p&&(t=p),"x"!==r&&"xy"!==r||(h=n/a*(s-i)),"y"!==r&&"xy"!==r||(m=t/p*(c-u));var y=(0!==h?parseInt(h/l,10)*l:0)+i,b=(0!==m?parseInt(m/f,10)*f:0)+u;d({x:g?s-y+i:y,y:v?c-b+u:b})}}function D(e){if(!n){e.preventDefault();var t=C.current,r=En(e);O.current={x:t.offsetLeft,y:t.offsetTop},x.current={x:r.x,y:r.y},document.addEventListener("mousemove",S),document.addEventListener("mouseup",E),document.addEventListener("touchmove",S,{passive:!1}),document.addEventListener("touchend",E),document.addEventListener("touchcancel",E),p&&p(e)}}function S(e){n||(e.preventDefault(),k(function(e){var t=En(e);return{left:t.x+O.current.x-x.current.x,top:t.y+O.current.y-x.current.y}}(e)))}function E(e){n||(e.preventDefault(),document.removeEventListener("mousemove",S),document.removeEventListener("mouseup",E),document.removeEventListener("touchmove",S,{passive:!1}),document.removeEventListener("touchend",E),document.removeEventListener("touchcancel",E),h&&h(e))}var M,_,P=((M=(a-u)/(c-u)*100)>100&&(M=100),M<0&&(M=0),"x"===r&&(M=0),(_=(o-i)/(s-i)*100)>100&&(_=100),_<0&&(_=0),"y"===r&&(_=0),{top:M,left:_}),j={};"x"===r&&(j.width=P.left+"%"),"y"===r&&(j.height=P.top+"%"),g&&(j.left=100-P.left+"%"),v&&(j.top=100-P.top+"%");var T={position:"absolute",transform:"translate(-50%, -50%)",left:g?100-P.left+"%":P.left+"%",top:v?100-P.top+"%":P.top+"%"};"x"===r?T.top="50%":"y"===r&&(T.left="50%");var A={track:De({},jn[r].track,{},y.track),active:De({},jn[r].active,{},y.active),thumb:De({},jn[r].thumb,{},y.thumb),disabled:De({},jn.disabled,{},y.disabled)};return at("div",De({},b,{ref:w,css:ot([A.track,n&&A.disabled],";label:Slider;"),onClick:function(e){if(!n){var t=En(e),r=w.current.getBoundingClientRect();k({left:t.x-r.left,top:t.y-r.top}),m&&m(e)}}}),at("div",{css:A.active,style:j}),at("div",{ref:C,style:T,onTouchStart:D,onMouseDown:D,onClick:function(e){e.stopPropagation(),e.nativeEvent.stopImmediatePropagation()}},at("div",{css:A.thumb})))};Tn.defaultProps={disabled:!1,axis:"x",x:50,xmin:0,xmax:100,y:50,ymin:0,ymax:100,xstep:1,ystep:1,xreverse:!1,yreverse:!1,styles:{}};var An=Tn,In=n(654),Nn=n.n(In),Rn=n(763),Ln=n.n(Rn),Vn=n(37),Fn=n.n(Vn),Hn="undefined"!=typeof navigator&&navigator.userAgent.match(/iPhone|iPad|iPod/i),zn=function(t){var n=t.step,r=t.min,o=t.max,a=t.value,i=t.onChange,s=t.onKeyDown,u=t.enableMobileNumericKeyboard,c=t.component,l=Se(t,["step","min","max","value","onChange","onKeyDown","enableMobileNumericKeyboard","component"]),f=(0,e.useState)(a),d=f[0],p=f[1];(0,e.useEffect)((function(){p(a)}),[a]);var h={value:d,onChange:function(e){var t=function(e){if(Ln()(e))return e;if(Fn()(e)){if(!(e=e.trim()))return"";var t=parseFloat(e);if(!Nn()(t))return t}return""}(e);p(e),i&&i(t)},onKeyDown:function(e){38===e.keyCode?i&&i(Wn("+",a,o,r,n)):40===e.keyCode&&i&&i(Wn("-",a,o,r,n)),s&&s(e)},onWheel:function(e){e.target.blur()}};return at(c,De({},l,h,u?{css:Un,type:"number",inputMode:"numeric",pattern:Hn?"[0-9]*":"",step:n,min:r,max:o}:{css:Un,type:"text"}))};zn.defaultProps={autoComplete:"off",enableMobileNumericKeyboard:!1,value:"",component:function(e){var t=e.onChange,n=Se(e,["onChange"]);return at("input",De({},n,{onChange:function(e){t&&t(e.target.value)}}))},step:1};var Un={MozAppearance:"textfield","&::-webkit-inner-spin-button, &::-webkit-outer-spin-button":{WebkitAppearance:"none",margin:0}};function Wn(e,t,n,r,o){if(""===t)return Ln()(r)?r:"";if(t="+"===e?t+o:t-o,Ln()(n)&&t>n)return n;if(Ln()(r)&&t<r)return r;var a=(o.toString().split(".")[1]||[]).length;return a?parseFloat(t.toFixed(a)):t}var Bn=zn;function Yn(e){return"#"===e[0]&&(e=e.substr(1)),3===e.length?{r:parseInt(e[0]+e[0],16),g:parseInt(e[1]+e[1],16),b:parseInt(e[2]+e[2],16)}:{r:parseInt(e.substr(0,2),16),g:parseInt(e.substr(2,2),16),b:parseInt(e.substr(4,2),16)}}function qn(e,t,n){var r=[],o=(n/=100)*(t/=100),a=e/60,i=o*(1-Math.abs(a%2-1)),s=n-o;return r=a>=0&&a<1?[o,i,0]:a>=1&&a<2?[i,o,0]:a>=2&&a<3?[0,o,i]:e>=3&&a<4?[0,i,o]:e>=4&&a<5?[i,0,o]:e>=5&&a<=6?[o,0,i]:[0,0,0],{r:Math.round(255*(r[0]+s)),g:Math.round(255*(r[1]+s)),b:Math.round(255*(r[2]+s))}}function $n(e){var t=e.toString(16);return 1===t.length?"0"+t:t}function Kn(e,t,n){return"#"+[$n(e),$n(t),$n(n)].join("")}function Qn(e,t,n){var r,o=Math.max(e,t,n),a=o-Math.min(e,t,n);return r=0===a?0:e===o?(t-n)/a%6:t===o?(n-e)/a+2:(e-t)/a+4,(r=Math.round(60*r))<0&&(r+=360),{h:r,s:Math.round(100*(0===o?0:a/o)),v:Math.round(o/255*100)}}function Gn(e,t,n,r){return"rgba("+[e,t,n,r/100].join(",")+")"}var Jn={name:"bzk4lp",styles:"width:100%;margin-top:10px;margin-bottom:10px;display:flex;"},Xn={name:"lwa3hx",styles:"flex:1;margin-right:10px;"},Zn=function(e){var t=e.color,n=e.onChange,r=t.r,o=t.g,a=t.b,i=t.a,s=t.h,u=t.s,c=t.v;function l(e){n&&n(De({},e,{rgba:Gn(e.r,e.g,e.b,e.a)}))}function f(e,n,r){var o=qn(e,n,r),a=o.r,i=o.g,s=o.b,u=Kn(a,i,s);l(De({},t,{h:e,s:n,v:r,r:a,g:i,b:s,hex:u}))}function d(e,n,r){var o=Kn(e,n,r),a=Qn(e,n,r),i=a.h,s=a.s,u=a.v;l(De({},t,{r:e,g:n,b:r,h:i,s:s,v:u,hex:o}))}function p(e){l(De({},t,{a:e}))}var h=Gn(r,o,a,i),m="linear-gradient(to right, "+Gn(r,o,a,0)+", "+Gn(r,o,a,100)+")",g=function(e,t,n){var r=qn(e,t,n);return Kn(r.r,r.g,r.b)}(s,100,100);return at("div",{css:er.picker,onClick:function(e){e.stopPropagation(),e.nativeEvent.stopImmediatePropagation()}},at("div",{css:er.selector,style:{backgroundColor:g}},at("div",{css:er.gradientWhite}),at("div",{css:er.gradientDark}),at(An,{axis:"xy",x:u,xmax:100,y:100-c,ymax:100,onChange:function(e){var t=e.x,n=e.y;return f(s,t,100-n)},styles:{track:{width:"100%",height:"100%",background:"none"},thumb:{width:12,height:12,backgroundColor:"rgba(0,0,0,0)",border:"2px solid #fff",borderRadius:"50%"}}})),at("div",{css:Jn},at("div",{css:Xn},at(An,{axis:"x",x:s,xmax:359,onChange:function(e){return f(e.x,u,c)},styles:{track:{width:"100%",height:12,borderRadius:0,background:"linear-gradient(to left, #FF0000 0%, #FF0099 10%, #CD00FF 20%, #3200FF 30%, #0066FF 40%, #00FFFD 50%, #00FF66 60%, #35FF00 70%, #CDFF00 80%, #FF9900 90%, #FF0000 100%)"},active:{background:"none"},thumb:{width:5,height:14,borderRadius:0,backgroundColor:"#eee"}}}),at(An,{axis:"x",x:i,xmax:100,styles:{track:{width:"100%",height:12,borderRadius:0,background:m},active:{background:"none"},thumb:{width:5,height:14,borderRadius:0,backgroundColor:"#eee"}},onChange:function(e){return p(e.x)}})),at("div",{style:{backgroundColor:h,width:30,height:30}})),at("div",{css:er.inputs},at("div",{css:er.input},at("input",{style:{width:70,textAlign:"left"},type:"text",value:t.hex,onChange:function(e){return function(e){var n=Yn(e),r=n.r,o=n.g,a=n.b,i=Qn(r,o,a),s=i.h,u=i.s,c=i.v;l(De({},t,{r:r,g:o,b:a,h:s,s:u,v:c,hex:e}))}(e.target.value)},onKeyUp:function(e){if(13===e.keyCode){var n=e.target.value.trim(),r=Yn(n),o=r.r,a=r.g,s=r.b;l(De({},t,{r:o,g:a,b:s,a:i,hex:n}))}}}),at("div",null,"Hex")),at("div",{css:er.input},at(Bn,{min:0,max:255,value:r,onChange:function(e){return d(e,o,a)}}),at("div",null,"R")),at("div",{css:er.input},at(Bn,{min:0,max:255,value:o,onChange:function(e){return d(r,e,a)}}),at("div",null,"G")),at("div",{css:er.input},at(Bn,{min:0,max:255,value:a,onChange:function(e){return d(r,o,e)}}),at("div",null,"B")),at("div",{css:er.input},at(Bn,{min:0,max:100,value:i,onChange:function(e){return p(e)}}),at("div",null,"A"))))};Zn.defaultProps={initialValue:"#5e72e4"};var er={picker:{fontFamily:"'Helvetica Neue',Helvetica,Arial,sans-serif",width:230,"*":{userSelect:"none"}},selector:{position:"relative",width:230,height:230},gradientWhite:{position:"absolute",top:0,left:0,right:0,bottom:0,background:"linear-gradient(to right, #ffffff 0%, rgba(255, 255, 255, 0) 100%)"},gradientDark:{position:"absolute",top:0,left:0,right:0,bottom:0,background:"linear-gradient(to bottom, transparent 0%, #000000 100%)"},inputs:{display:"flex",justifyContent:"space-between",width:"100%"},input:{textAlign:"center",fontSize:13,fontWeight:"normal",color:"#000",input:{width:30,textAlign:"center"},div:{marginTop:4}}};function tr(e){var t,n=(e=e.toLowerCase()).substr(0,7),r=Yn(n),o=r.r,a=r.g,i=r.b,s=Qn(o,a,i),u=e.length>7?(t=e.substr(7),Math.round(parseInt("0x"+t,16)/255*100)):100;return De({},s,{r:o,g:a,b:i,a:u,hex:n,rgba:Gn(o,a,i,u)})}var nr={name:"j4ndc3",styles:"position:relative;display:inline-block;box-sizing:border-box;width:49px;height:24px;padding:4px;background-color:#ffffff;border:1px solid #bebebe;border-radius:3px;user-select:none;"},rr={name:"trkpwz",styles:"display:block;width:100%;height:100%;cursor:pointer;"},or=function(t){var n=t.initialValue,r=t.onChange,o=t.placement,a=Se(t,["initialValue","onChange","placement"]),i=(0,e.useState)(tr(n)),s=i[0],u=i[1];function c(e){r&&(u(e),r(e))}return(0,e.useEffect)((function(){c(tr(n))}),[n]),at(Sn,{placement:o,body:at(Zn,{color:s,onChange:c})},at("span",De({},a,{css:nr}),at("span",{css:rr,style:{backgroundColor:s.rgba}})))};or.defaultProps={placement:"bottom"};var ar=or,ir=n(322),sr=n.n(ir),ur=n(555),cr=n.n(ur);function lr(e,t){if(!(e instanceof t))throw new TypeError("Cannot call a class as a function")}function fr(e,t){for(var n=0;n<t.length;n++){var r=t[n];r.enumerable=r.enumerable||!1,r.configurable=!0,"value"in r&&(r.writable=!0),Object.defineProperty(e,r.key,r)}}function dr(e,t,n){return t&&fr(e.prototype,t),n&&fr(e,n),e}function pr(e,t){if("function"!=typeof t&&null!==t)throw new TypeError("Super expression must either be null or a function");e.prototype=Object.create(t&&t.prototype,{constructor:{value:e,writable:!0,configurable:!0}}),t&&Ee(e,t)}function hr(e){return(hr="function"==typeof Symbol&&"symbol"==typeof Symbol.iterator?function(e){return typeof e}:function(e){return e&&"function"==typeof Symbol&&e.constructor===Symbol&&e!==Symbol.prototype?"symbol":typeof e})(e)}function mr(e){if(void 0===e)throw new ReferenceError("this hasn't been initialised - super() hasn't been called");return e}function gr(e,t){if(t&&("object"===hr(t)||"function"==typeof t))return t;if(void 0!==t)throw new TypeError("Derived constructors may only return object or undefined");return mr(e)}function vr(e){return(vr=Object.setPrototypeOf?Object.getPrototypeOf:function(e){return e.__proto__||Object.getPrototypeOf(e)})(e)}var yr=Number.isNaN||function(e){return"number"==typeof e&&e!=e};function br(e,t){if(e.length!==t.length)return!1;for(var n=0;n<e.length;n++)if(r=e[n],o=t[n],!(r===o||yr(r)&&yr(o)))return!1;var r,o;return!0}var wr=function(e,t){var n;void 0===t&&(t=br);var r,o=[],a=!1;return function(){for(var i=[],s=0;s<arguments.length;s++)i[s]=arguments[s];return a&&n===this&&t(i,o)||(r=e.apply(this,i),a=!0,n=this,o=i),r}},Cr=ReactDOM;function Or(e,t){if(null==e)return{};var n,r,o=Se(e,t);if(Object.getOwnPropertySymbols){var a=Object.getOwnPropertySymbols(e);for(r=0;r<a.length;r++)n=a[r],t.indexOf(n)>=0||Object.prototype.propertyIsEnumerable.call(e,n)&&(o[n]=e[n])}return o}function xr(e,t){(null==t||t>e.length)&&(t=e.length);for(var n=0,r=new Array(t);n<t;n++)r[n]=e[n];return r}function kr(e,t){if(e){if("string"==typeof e)return xr(e,t);var n=Object.prototype.toString.call(e).slice(8,-1);return"Object"===n&&e.constructor&&(n=e.constructor.name),"Map"===n||"Set"===n?Array.from(e):"Arguments"===n||/^(?:Ui|I)nt(?:8|16|32)(?:Clamped)?Array$/.test(n)?xr(e,t):void 0}}function Dr(e,t){return function(e){if(Array.isArray(e))return e}(e)||function(e,t){var n=null==e?null:"undefined"!=typeof Symbol&&e[Symbol.iterator]||e["@@iterator"];if(null!=n){var r,o,a=[],i=!0,s=!1;try{for(n=n.call(e);!(i=(r=n.next()).done)&&(a.push(r.value),!t||a.length!==t);i=!0);}catch(u){s=!0,o=u}finally{try{i||null==n["return"]||n["return"]()}finally{if(s)throw o}}return a}}(e,t)||kr(e,t)||function(){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 Sr(e){return function(e){if(Array.isArray(e))return xr(e)}(e)||function(e){if("undefined"!=typeof Symbol&&null!=e[Symbol.iterator]||null!=e["@@iterator"])return Array.from(e)}(e)||kr(e)||function(){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 Er(e,t,n){return t in e?Object.defineProperty(e,t,{value:n,enumerable:!0,configurable:!0,writable:!0}):e[t]=n,e}var Mr=n(639),_r=function(){};function Pr(e,t){return t?"-"===t[0]?e+t:e+"__"+t:e}function jr(e,t,n){var r=[n];if(t&&e)for(var o in t)t.hasOwnProperty(o)&&t[o]&&r.push("".concat(Pr(e,o)));return r.filter((function(e){return e})).map((function(e){return String(e).trim()})).join(" ")}var Tr=function(e){return Array.isArray(e)?e.filter(Boolean):"object"===hr(e)&&null!==e?[e]:[]};function Ar(e){return[document.documentElement,document.body,window].indexOf(e)>-1}function Ir(e){return Ar(e)?window.pageYOffset:e.scrollTop}function Nr(e,t){Ar(e)?window.scrollTo(0,t):e.scrollTop=t}function Rr(e,t,n,r){return n*((e=e/r-1)*e*e+1)+t}function Lr(e,t){var n=arguments.length>2&&arguments[2]!==undefined?arguments[2]:200,r=arguments.length>3&&arguments[3]!==undefined?arguments[3]:_r,o=Ir(e),a=t-o,i=10,s=0;function u(){var t=Rr(s+=i,o,a,n);Nr(e,t),s<n?window.requestAnimationFrame(u):r(e)}u()}function Vr(){try{return document.createEvent("TouchEvent"),!0}catch(e){return!1}}function Fr(e,t){var n=Object.keys(e);if(Object.getOwnPropertySymbols){var r=Object.getOwnPropertySymbols(e);t&&(r=r.filter((function(t){return Object.getOwnPropertyDescriptor(e,t).enumerable}))),n.push.apply(n,r)}return n}function Hr(e){for(var t=1;t<arguments.length;t++){var n=null!=arguments[t]?arguments[t]:{};t%2?Fr(Object(n),!0).forEach((function(t){Er(e,t,n[t])})):Object.getOwnPropertyDescriptors?Object.defineProperties(e,Object.getOwnPropertyDescriptors(n)):Fr(Object(n)).forEach((function(t){Object.defineProperty(e,t,Object.getOwnPropertyDescriptor(n,t))}))}return e}function zr(e){var t=function(){if("undefined"==typeof Reflect||!Reflect.construct)return!1;if(Reflect.construct.sham)return!1;if("function"==typeof Proxy)return!0;try{return Date.prototype.toString.call(Reflect.construct(Date,[],(function(){}))),!0}catch(e){return!1}}();return function(){var n,r=vr(e);if(t){var o=vr(this).constructor;n=Reflect.construct(r,arguments,o)}else n=r.apply(this,arguments);return gr(this,n)}}function Ur(e){var t=e.maxHeight,n=e.menuEl,r=e.minHeight,o=e.placement,a=e.shouldScroll,i=e.isFixedPosition,s=e.theme.spacing,u=function(e){var t=getComputedStyle(e),n="absolute"===t.position,r=/(auto|scroll)/,o=document.documentElement;if("fixed"===t.position)return o;for(var a=e;a=a.parentElement;)if(t=getComputedStyle(a),(!n||"static"!==t.position)&&r.test(t.overflow+t.overflowY+t.overflowX))return a;return o}(n),c={placement:"bottom",maxHeight:t};if(!n||!n.offsetParent)return c;var l=u.getBoundingClientRect().height,f=n.getBoundingClientRect(),d=f.bottom,p=f.height,h=f.top,m=n.offsetParent.getBoundingClientRect().top,g=window.innerHeight,v=Ir(u),y=parseInt(getComputedStyle(n).marginBottom,10),b=parseInt(getComputedStyle(n).marginTop,10),w=m-b,C=g-h,O=w+v,x=l-v-h,k=d-g+v+y,D=v+h-b,S=160;switch(o){case"auto":case"bottom":if(C>=p)return{placement:"bottom",maxHeight:t};if(x>=p&&!i)return a&&Lr(u,k,S),{placement:"bottom",maxHeight:t};if(!i&&x>=r||i&&C>=r)return a&&Lr(u,k,S),{placement:"bottom",maxHeight:i?C-y:x-y};if("auto"===o||i){var E=t,M=i?w:O;return M>=r&&(E=Math.min(M-y-s.controlHeight,t)),{placement:"top",maxHeight:E}}if("bottom"===o)return Nr(u,k),{placement:"bottom",maxHeight:t};break;case"top":if(w>=p)return{placement:"top",maxHeight:t};if(O>=p&&!i)return a&&Lr(u,D,S),{placement:"top",maxHeight:t};if(!i&&O>=r||i&&w>=r){var _=t;return(!i&&O>=r||i&&w>=r)&&(_=i?w-b:O-b),a&&Lr(u,D,S),{placement:"top",maxHeight:_}}return{placement:"bottom",maxHeight:t};default:throw new Error('Invalid placement provided "'.concat(o,'".'))}return c}var Wr=function(e){return"auto"===e?"bottom":e},Br=(0,e.createContext)({getPortalPlacement:null}),Yr=function(e){pr(n,e);var t=zr(n);function n(){var e;lr(this,n);for(var r=arguments.length,o=new Array(r),a=0;a<r;a++)o[a]=arguments[a];return(e=t.call.apply(t,[this].concat(o))).state={maxHeight:e.props.maxMenuHeight,placement:null},e.getPlacement=function(t){var n=e.props,r=n.minMenuHeight,o=n.maxMenuHeight,a=n.menuPlacement,i=n.menuPosition,s=n.menuShouldScrollIntoView,u=n.theme;if(t){var c="fixed"===i,l=Ur({maxHeight:o,menuEl:t,minHeight:r,placement:a,shouldScroll:s&&!c,isFixedPosition:c,theme:u}),f=e.context.getPortalPlacement;f&&f(l),e.setState(l)}},e.getUpdatedProps=function(){var t=e.props.menuPlacement,n=e.state.placement||Wr(t);return Hr(Hr({},e.props),{},{placement:n,maxHeight:e.state.maxHeight})},e}return dr(n,[{key:"render",value:function(){return(0,this.props.children)({ref:this.getPlacement,placerProps:this.getUpdatedProps()})}}]),n}(e.Component);Yr.contextType=Br;var qr=function(e){var t=e.theme,n=t.spacing.baseUnit;return{color:t.colors.neutral40,padding:"".concat(2*n,"px ").concat(3*n,"px"),textAlign:"center"}},$r=qr,Kr=qr,Qr=function(e){var t=e.children,n=e.className,r=e.cx,o=e.getStyles,a=e.innerProps;return at("div",De({css:o("noOptionsMessage",e),className:r({"menu-notice":!0,"menu-notice--no-options":!0},n)},a),t)};Qr.defaultProps={children:"No options"};var Gr=function(e){var t=e.children,n=e.className,r=e.cx,o=e.getStyles,a=e.innerProps;return at("div",De({css:o("loadingMessage",e),className:r({"menu-notice":!0,"menu-notice--loading":!0},n)},a),t)};Gr.defaultProps={children:"Loading..."};var Jr=function(e){pr(n,e);var t=zr(n);function n(){var e;lr(this,n);for(var r=arguments.length,o=new Array(r),a=0;a<r;a++)o[a]=arguments[a];return(e=t.call.apply(t,[this].concat(o))).state={placement:null},e.getPortalPlacement=function(t){var n=t.placement;n!==Wr(e.props.menuPlacement)&&e.setState({placement:n})},e}return dr(n,[{key:"render",value:function(){var e=this.props,t=e.appendTo,n=e.children,r=e.controlElement,o=e.menuPlacement,a=e.menuPosition,i=e.getStyles,s="fixed"===a;if(!t&&!s||!r)return null;var u=this.state.placement||Wr(o),c=function(e){var t=e.getBoundingClientRect();return{bottom:t.bottom,height:t.height,left:t.left,right:t.right,top:t.top,width:t.width}}(r),l=s?0:window.pageYOffset,f=c[u]+l,d=at("div",{css:i("menuPortal",{offset:f,position:a,rect:c})},n);return at(Br.Provider,{value:{getPortalPlacement:this.getPortalPlacement}},t?(0,Cr.createPortal)(d,t):d)}}]),n}(e.Component),Xr=Array.isArray,Zr=Object.keys,eo=Object.prototype.hasOwnProperty;function to(e,t){if(e===t)return!0;if(e&&t&&"object"==hr(e)&&"object"==hr(t)){var n,r,o,a=Xr(e),i=Xr(t);if(a&&i){if((r=e.length)!=t.length)return!1;for(n=r;0!=n--;)if(!to(e[n],t[n]))return!1;return!0}if(a!=i)return!1;var s=e instanceof Date,u=t instanceof Date;if(s!=u)return!1;if(s&&u)return e.getTime()==t.getTime();var c=e instanceof RegExp,l=t instanceof RegExp;if(c!=l)return!1;if(c&&l)return e.toString()==t.toString();var f=Zr(e);if((r=f.length)!==Zr(t).length)return!1;for(n=r;0!=n--;)if(!eo.call(t,f[n]))return!1;for(n=r;0!=n--;)if(!("_owner"===(o=f[n])&&e.$$typeof||to(e[o],t[o])))return!1;return!0}return e!=e&&t!=t}function no(e,t){try{return to(e,t)}catch(n){if(n.message&&n.message.match(/stack|recursion/i))return console.warn("Warning: react-fast-compare does not handle circular references.",n.name,n.message),!1;throw n}}function ro(){var e,t,n=(e=["\n  0%, 80%, 100% { opacity: 0; }\n  40% { opacity: 1; }\n"],t||(t=e.slice(0)),Object.freeze(Object.defineProperties(e,{raw:{value:Object.freeze(t)}})));return ro=function(){return n},n}var oo={name:"19bqh2r",styles:"display:inline-block;fill:currentColor;line-height:1;stroke:currentColor;stroke-width:0;"},ao=function(e){var t=e.size,n=Or(e,["size"]);return at("svg",De({height:t,width:t,viewBox:"0 0 20 20","aria-hidden":"true",focusable:"false",css:oo},n))},io=function(e){return at(ao,De({size:20},e),at("path",{d:"M14.348 14.849c-0.469 0.469-1.229 0.469-1.697 0l-2.651-3.030-2.651 3.029c-0.469 0.469-1.229 0.469-1.697 0-0.469-0.469-0.469-1.229 0-1.697l2.758-3.15-2.759-3.152c-0.469-0.469-0.469-1.228 0-1.697s1.228-0.469 1.697 0l2.652 3.031 2.651-3.031c0.469-0.469 1.228-0.469 1.697 0s0.469 1.229 0 1.697l-2.758 3.152 2.758 3.15c0.469 0.469 0.469 1.229 0 1.698z"}))},so=function(e){return at(ao,De({size:20},e),at("path",{d:"M4.516 7.548c0.436-0.446 1.043-0.481 1.576 0l3.908 3.747 3.908-3.747c0.533-0.481 1.141-0.446 1.574 0 0.436 0.445 0.408 1.197 0 1.615-0.406 0.418-4.695 4.502-4.695 4.502-0.217 0.223-0.502 0.335-0.787 0.335s-0.57-0.112-0.789-0.335c0 0-4.287-4.084-4.695-4.502s-0.436-1.17 0-1.615z"}))},uo=function(e){var t=e.isFocused,n=e.theme,r=n.spacing.baseUnit,o=n.colors;return{label:"indicatorContainer",color:t?o.neutral60:o.neutral20,display:"flex",padding:2*r,transition:"color 150ms",":hover":{color:t?o.neutral80:o.neutral40}}},co=uo,lo=uo,fo=function(){var e=ot.apply(void 0,arguments),t="animation-"+e.name;return{name:t,styles:"@keyframes "+t+"{"+e.styles+"}",anim:1,toString:function(){return"_EMO_"+this.name+"_"+this.styles+"_EMO_"}}}(ro()),po=function(e){var t=e.delay,n=e.offset;return at("span",{css:ot({animation:"".concat(fo," 1s ease-in-out ").concat(t,"ms infinite;"),backgroundColor:"currentColor",borderRadius:"1em",display:"inline-block",marginLeft:n?"1em":null,height:"1em",verticalAlign:"top",width:"1em"},"")})},ho=function(e){var t=e.className,n=e.cx,r=e.getStyles,o=e.innerProps,a=e.isRtl;return at("div",De({},o,{css:r("loadingIndicator",e),className:n({indicator:!0,"loading-indicator":!0},t)}),at(po,{delay:0,offset:a}),at(po,{delay:160,offset:!0}),at(po,{delay:320,offset:!a}))};ho.defaultProps={size:4};function mo(e,t){var n=Object.keys(e);if(Object.getOwnPropertySymbols){var r=Object.getOwnPropertySymbols(e);t&&(r=r.filter((function(t){return Object.getOwnPropertyDescriptor(e,t).enumerable}))),n.push.apply(n,r)}return n}function go(e){for(var t=1;t<arguments.length;t++){var n=null!=arguments[t]?arguments[t]:{};t%2?mo(Object(n),!0).forEach((function(t){Er(e,t,n[t])})):Object.getOwnPropertyDescriptors?Object.defineProperties(e,Object.getOwnPropertyDescriptors(n)):mo(Object(n)).forEach((function(t){Object.defineProperty(e,t,Object.getOwnPropertyDescriptor(n,t))}))}return e}function vo(e,t){var n=Object.keys(e);if(Object.getOwnPropertySymbols){var r=Object.getOwnPropertySymbols(e);t&&(r=r.filter((function(t){return Object.getOwnPropertyDescriptor(e,t).enumerable}))),n.push.apply(n,r)}return n}function yo(e){for(var t=1;t<arguments.length;t++){var n=null!=arguments[t]?arguments[t]:{};t%2?vo(Object(n),!0).forEach((function(t){Er(e,t,n[t])})):Object.getOwnPropertyDescriptors?Object.defineProperties(e,Object.getOwnPropertyDescriptors(n)):vo(Object(n)).forEach((function(t){Object.defineProperty(e,t,Object.getOwnPropertyDescriptor(n,t))}))}return e}var bo=function(e){return{label:"input",background:0,border:0,fontSize:"inherit",opacity:e?0:1,outline:0,padding:0,color:"inherit"}};function wo(e,t){var n=Object.keys(e);if(Object.getOwnPropertySymbols){var r=Object.getOwnPropertySymbols(e);t&&(r=r.filter((function(t){return Object.getOwnPropertyDescriptor(e,t).enumerable}))),n.push.apply(n,r)}return n}function Co(e){for(var t=1;t<arguments.length;t++){var n=null!=arguments[t]?arguments[t]:{};t%2?wo(Object(n),!0).forEach((function(t){Er(e,t,n[t])})):Object.getOwnPropertyDescriptors?Object.defineProperties(e,Object.getOwnPropertyDescriptors(n)):wo(Object(n)).forEach((function(t){Object.defineProperty(e,t,Object.getOwnPropertyDescriptor(n,t))}))}return e}var Oo=function(e){var t=e.children,n=e.innerProps;return at("div",n,t)},xo=Oo,ko=Oo;var Do=function(e){var t=e.children,n=e.className,r=e.components,o=e.cx,a=e.data,i=e.getStyles,s=e.innerProps,u=e.isDisabled,c=e.removeProps,l=e.selectProps,f=r.Container,d=r.Label,p=r.Remove;return at(lt,null,(function(r){var h=r.css,m=r.cx;return at(f,{data:a,innerProps:Co(Co({},s),{},{className:m(h(i("multiValue",e)),o({"multi-value":!0,"multi-value--is-disabled":u},n))}),selectProps:l},at(d,{data:a,innerProps:{className:m(h(i("multiValueLabel",e)),o({"multi-value__label":!0},n))},selectProps:l},t),at(p,{data:a,innerProps:Co({className:m(h(i("multiValueRemove",e)),o({"multi-value__remove":!0},n))},c),selectProps:l}))}))};Do.defaultProps={cropWithEllipsis:!0};function So(e,t){var n=Object.keys(e);if(Object.getOwnPropertySymbols){var r=Object.getOwnPropertySymbols(e);t&&(r=r.filter((function(t){return Object.getOwnPropertyDescriptor(e,t).enumerable}))),n.push.apply(n,r)}return n}function Eo(e){for(var t=1;t<arguments.length;t++){var n=null!=arguments[t]?arguments[t]:{};t%2?So(Object(n),!0).forEach((function(t){Er(e,t,n[t])})):Object.getOwnPropertyDescriptors?Object.defineProperties(e,Object.getOwnPropertyDescriptors(n)):So(Object(n)).forEach((function(t){Object.defineProperty(e,t,Object.getOwnPropertyDescriptor(n,t))}))}return e}for(var Mo={ClearIndicator:function(e){var t=e.children,n=e.className,r=e.cx,o=e.getStyles,a=e.innerProps;return at("div",De({},a,{css:o("clearIndicator",e),className:r({indicator:!0,"clear-indicator":!0},n)}),t||at(io,null))},Control:function(e){var t=e.children,n=e.cx,r=e.getStyles,o=e.className,a=e.isDisabled,i=e.isFocused,s=e.innerRef,u=e.innerProps,c=e.menuIsOpen;return at("div",De({ref:s,css:r("control",e),className:n({control:!0,"control--is-disabled":a,"control--is-focused":i,"control--menu-is-open":c},o)},u),t)},DropdownIndicator:function(e){var t=e.children,n=e.className,r=e.cx,o=e.getStyles,a=e.innerProps;return at("div",De({},a,{css:o("dropdownIndicator",e),className:r({indicator:!0,"dropdown-indicator":!0},n)}),t||at(so,null))},DownChevron:so,CrossIcon:io,Group:function(e){var t=e.children,n=e.className,r=e.cx,o=e.getStyles,a=e.Heading,i=e.headingProps,s=e.label,u=e.theme,c=e.selectProps;return at("div",{css:o("group",e),className:r({group:!0},n)},at(a,De({},i,{selectProps:c,theme:u,getStyles:o,cx:r}),s),at("div",null,t))},GroupHeading:function(e){var t=e.className,n=e.cx,r=e.getStyles,o=e.theme,a=(e.selectProps,Or(e,["className","cx","getStyles","theme","selectProps"]));return at("div",De({css:r("groupHeading",go({theme:o},a)),className:n({"group-heading":!0},t)},a))},IndicatorsContainer:function(e){var t=e.children,n=e.className,r=e.cx,o=e.getStyles;return at("div",{css:o("indicatorsContainer",e),className:r({indicators:!0},n)},t)},IndicatorSeparator:function(e){var t=e.className,n=e.cx,r=e.getStyles,o=e.innerProps;return at("span",De({},o,{css:r("indicatorSeparator",e),className:n({"indicator-separator":!0},t)}))},Input:function(e){var t=e.className,n=e.cx,r=e.getStyles,o=e.innerRef,a=e.isHidden,i=e.isDisabled,s=e.theme,u=(e.selectProps,Or(e,["className","cx","getStyles","innerRef","isHidden","isDisabled","theme","selectProps"]));return at("div",{css:r("input",yo({theme:s},u))},at(Mr.Z,De({className:n({input:!0},t),inputRef:o,inputStyle:bo(a),disabled:i},u)))},LoadingIndicator:ho,Menu:function(e){var t=e.children,n=e.className,r=e.cx,o=e.getStyles,a=e.innerRef,i=e.innerProps;return at("div",De({css:o("menu",e),className:r({menu:!0},n)},i,{ref:a}),t)},MenuList:function(e){var t=e.children,n=e.className,r=e.cx,o=e.getStyles,a=e.isMulti,i=e.innerRef,s=e.innerProps;return at("div",De({css:o("menuList",e),className:r({"menu-list":!0,"menu-list--is-multi":a},n),ref:i},s),t)},MenuPortal:Jr,LoadingMessage:Gr,NoOptionsMessage:Qr,MultiValue:Do,MultiValueContainer:xo,MultiValueLabel:ko,MultiValueRemove:function(e){var t=e.children,n=e.innerProps;return at("div",n,t||at(io,{size:14}))},Option:function(e){var t=e.children,n=e.className,r=e.cx,o=e.getStyles,a=e.isDisabled,i=e.isFocused,s=e.isSelected,u=e.innerRef,c=e.innerProps;return at("div",De({css:o("option",e),className:r({option:!0,"option--is-disabled":a,"option--is-focused":i,"option--is-selected":s},n),ref:u},c),t)},Placeholder:function(e){var t=e.children,n=e.className,r=e.cx,o=e.getStyles,a=e.innerProps;return at("div",De({css:o("placeholder",e),className:r({placeholder:!0},n)},a),t)},SelectContainer:function(e){var t=e.children,n=e.className,r=e.cx,o=e.getStyles,a=e.innerProps,i=e.isDisabled,s=e.isRtl;return at("div",De({css:o("container",e),className:r({"--is-disabled":i,"--is-rtl":s},n)},a),t)},SingleValue:function(e){var t=e.children,n=e.className,r=e.cx,o=e.getStyles,a=e.isDisabled,i=e.innerProps;return at("div",De({css:o("singleValue",e),className:r({"single-value":!0,"single-value--is-disabled":a},n)},i),t)},ValueContainer:function(e){var t=e.children,n=e.className,r=e.cx,o=e.isMulti,a=e.getStyles,i=e.hasValue;return at("div",{css:a("valueContainer",e),className:r({"value-container":!0,"value-container--is-multi":o,"value-container--has-value":i},n)},t)}},_o=function(e){return Eo(Eo({},Mo),e.components)},Po=[{base:"A",letters:"AⒶAÀÁÂẦẤẪẨÃĀĂẰẮẴẲȦǠÄǞẢÅǺǍȀȂẠẬẶḀĄȺⱯ"},{base:"AA",letters:"Ꜳ"},{base:"AE",letters:"ÆǼǢ"},{base:"AO",letters:"Ꜵ"},{base:"AU",letters:"Ꜷ"},{base:"AV",letters:"ꜸꜺ"},{base:"AY",letters:"Ꜽ"},{base:"B",letters:"BⒷBḂḄḆɃƂƁ"},{base:"C",letters:"CⒸCĆĈĊČÇḈƇȻꜾ"},{base:"D",letters:"DⒹDḊĎḌḐḒḎĐƋƊƉꝹ"},{base:"DZ",letters:"DZDŽ"},{base:"Dz",letters:"DzDž"},{base:"E",letters:"EⒺEÈÉÊỀẾỄỂẼĒḔḖĔĖËẺĚȄȆẸỆȨḜĘḘḚƐƎ"},{base:"F",letters:"FⒻFḞƑꝻ"},{base:"G",letters:"GⒼGǴĜḠĞĠǦĢǤƓꞠꝽꝾ"},{base:"H",letters:"HⒽHĤḢḦȞḤḨḪĦⱧⱵꞍ"},{base:"I",letters:"IⒾIÌÍÎĨĪĬİÏḮỈǏȈȊỊĮḬƗ"},{base:"J",letters:"JⒿJĴɈ"},{base:"K",letters:"KⓀKḰǨḲĶḴƘⱩꝀꝂꝄꞢ"},{base:"L",letters:"LⓁLĿĹĽḶḸĻḼḺŁȽⱢⱠꝈꝆꞀ"},{base:"LJ",letters:"LJ"},{base:"Lj",letters:"Lj"},{base:"M",letters:"MⓂMḾṀṂⱮƜ"},{base:"N",letters:"NⓃNǸŃÑṄŇṆŅṊṈȠƝꞐꞤ"},{base:"NJ",letters:"NJ"},{base:"Nj",letters:"Nj"},{base:"O",letters:"OⓄOÒÓÔỒỐỖỔÕṌȬṎŌṐṒŎȮȰÖȪỎŐǑȌȎƠỜỚỠỞỢỌỘǪǬØǾƆƟꝊꝌ"},{base:"OI",letters:"Ƣ"},{base:"OO",letters:"Ꝏ"},{base:"OU",letters:"Ȣ"},{base:"P",letters:"PⓅPṔṖƤⱣꝐꝒꝔ"},{base:"Q",letters:"QⓆQꝖꝘɊ"},{base:"R",letters:"RⓇRŔṘŘȐȒṚṜŖṞɌⱤꝚꞦꞂ"},{base:"S",letters:"SⓈSẞŚṤŜṠŠṦṢṨȘŞⱾꞨꞄ"},{base:"T",letters:"TⓉTṪŤṬȚŢṰṮŦƬƮȾꞆ"},{base:"TZ",letters:"Ꜩ"},{base:"U",letters:"UⓊUÙÚÛŨṸŪṺŬÜǛǗǕǙỦŮŰǓȔȖƯỪỨỮỬỰỤṲŲṶṴɄ"},{base:"V",letters:"VⓋVṼṾƲꝞɅ"},{base:"VY",letters:"Ꝡ"},{base:"W",letters:"WⓌWẀẂŴẆẄẈⱲ"},{base:"X",letters:"XⓍXẊẌ"},{base:"Y",letters:"YⓎYỲÝŶỸȲẎŸỶỴƳɎỾ"},{base:"Z",letters:"ZⓏZŹẐŻŽẒẔƵȤⱿⱫꝢ"},{base:"a",letters:"aⓐaẚàáâầấẫẩãāăằắẵẳȧǡäǟảåǻǎȁȃạậặḁąⱥɐ"},{base:"aa",letters:"ꜳ"},{base:"ae",letters:"æǽǣ"},{base:"ao",letters:"ꜵ"},{base:"au",letters:"ꜷ"},{base:"av",letters:"ꜹꜻ"},{base:"ay",letters:"ꜽ"},{base:"b",letters:"bⓑbḃḅḇƀƃɓ"},{base:"c",letters:"cⓒcćĉċčçḉƈȼꜿↄ"},{base:"d",letters:"dⓓdḋďḍḑḓḏđƌɖɗꝺ"},{base:"dz",letters:"dzdž"},{base:"e",letters:"eⓔeèéêềếễểẽēḕḗĕėëẻěȅȇẹệȩḝęḙḛɇɛǝ"},{base:"f",letters:"fⓕfḟƒꝼ"},{base:"g",letters:"gⓖgǵĝḡğġǧģǥɠꞡᵹꝿ"},{base:"h",letters:"hⓗhĥḣḧȟḥḩḫẖħⱨⱶɥ"},{base:"hv",letters:"ƕ"},{base:"i",letters:"iⓘiìíîĩīĭïḯỉǐȉȋịįḭɨı"},{base:"j",letters:"jⓙjĵǰɉ"},{base:"k",letters:"kⓚkḱǩḳķḵƙⱪꝁꝃꝅꞣ"},{base:"l",letters:"lⓛlŀĺľḷḹļḽḻſłƚɫⱡꝉꞁꝇ"},{base:"lj",letters:"lj"},{base:"m",letters:"mⓜmḿṁṃɱɯ"},{base:"n",letters:"nⓝnǹńñṅňṇņṋṉƞɲʼnꞑꞥ"},{base:"nj",letters:"nj"},{base:"o",letters:"oⓞoòóôồốỗổõṍȭṏōṑṓŏȯȱöȫỏőǒȍȏơờớỡởợọộǫǭøǿɔꝋꝍɵ"},{base:"oi",letters:"ƣ"},{base:"ou",letters:"ȣ"},{base:"oo",letters:"ꝏ"},{base:"p",letters:"pⓟpṕṗƥᵽꝑꝓꝕ"},{base:"q",letters:"qⓠqɋꝗꝙ"},{base:"r",letters:"rⓡrŕṙřȑȓṛṝŗṟɍɽꝛꞧꞃ"},{base:"s",letters:"sⓢsßśṥŝṡšṧṣṩșşȿꞩꞅẛ"},{base:"t",letters:"tⓣtṫẗťṭțţṱṯŧƭʈⱦꞇ"},{base:"tz",letters:"ꜩ"},{base:"u",letters:"uⓤuùúûũṹūṻŭüǜǘǖǚủůűǔȕȗưừứữửựụṳųṷṵʉ"},{base:"v",letters:"vⓥvṽṿʋꝟʌ"},{base:"vy",letters:"ꝡ"},{base:"w",letters:"wⓦwẁẃŵẇẅẘẉⱳ"},{base:"x",letters:"xⓧxẋẍ"},{base:"y",letters:"yⓨyỳýŷỹȳẏÿỷẙỵƴɏỿ"},{base:"z",letters:"zⓩzźẑżžẓẕƶȥɀⱬꝣ"}],jo=new RegExp("["+Po.map((function(e){return e.letters})).join("")+"]","g"),To={},Ao=0;Ao<Po.length;Ao++)for(var Io=Po[Ao],No=0;No<Io.letters.length;No++)To[Io.letters[No]]=Io.base;var Ro=function(e){return e.replace(jo,(function(e){return To[e]}))};function Lo(e,t){var n=Object.keys(e);if(Object.getOwnPropertySymbols){var r=Object.getOwnPropertySymbols(e);t&&(r=r.filter((function(t){return Object.getOwnPropertyDescriptor(e,t).enumerable}))),n.push.apply(n,r)}return n}var Vo=function(e){return e.replace(/^\s+|\s+$/g,"")},Fo=function(e){return"".concat(e.label," ").concat(e.value)};var Ho={name:"1laao21-a11yText",styles:"label:a11yText;z-index:9999;border:0;clip:rect(1px, 1px, 1px, 1px);height:1px;width:1px;position:absolute;overflow:hidden;padding:0;white-space:nowrap;"},zo=function(e){return at("span",De({css:Ho},e))};function Uo(e){e["in"],e.out,e.onExited,e.appear,e.enter,e.exit;var t=e.innerRef,n=(e.emotion,Or(e,["in","out","onExited","appear","enter","exit","innerRef","emotion"]));return at("input",De({ref:t},n,{css:ot({label:"dummyInput",background:0,border:0,fontSize:"inherit",outline:0,padding:0,width:1,color:"transparent",left:-100,opacity:0,position:"relative",transform:"scale(0)"},"")}))}function Wo(e){var t=function(){if("undefined"==typeof Reflect||!Reflect.construct)return!1;if(Reflect.construct.sham)return!1;if("function"==typeof Proxy)return!0;try{return Date.prototype.toString.call(Reflect.construct(Date,[],(function(){}))),!0}catch(e){return!1}}();return function(){var n,r=vr(e);if(t){var o=vr(this).constructor;n=Reflect.construct(r,arguments,o)}else n=r.apply(this,arguments);return gr(this,n)}}var Bo=function(e){pr(n,e);var t=Wo(n);function n(){return lr(this,n),t.apply(this,arguments)}return dr(n,[{key:"componentDidMount",value:function(){this.props.innerRef((0,Cr.findDOMNode)(this))}},{key:"componentWillUnmount",value:function(){this.props.innerRef(null)}},{key:"render",value:function(){return this.props.children}}]),n}(e.Component),Yo=["boxSizing","height","overflow","paddingRight","position"],qo={boxSizing:"border-box",overflow:"hidden",position:"relative",height:"100%"};function $o(e){e.preventDefault()}function Ko(e){e.stopPropagation()}function Qo(){var e=this.scrollTop,t=this.scrollHeight,n=e+this.offsetHeight;0===e?this.scrollTop=1:n===t&&(this.scrollTop=e-1)}function Go(){return"ontouchstart"in window||navigator.maxTouchPoints}function Jo(e){var t=function(){if("undefined"==typeof Reflect||!Reflect.construct)return!1;if(Reflect.construct.sham)return!1;if("function"==typeof Proxy)return!0;try{return Date.prototype.toString.call(Reflect.construct(Date,[],(function(){}))),!0}catch(e){return!1}}();return function(){var n,r=vr(e);if(t){var o=vr(this).constructor;n=Reflect.construct(r,arguments,o)}else n=r.apply(this,arguments);return gr(this,n)}}var Xo=!(!window.document||!window.document.createElement),Zo=0,ea=function(e){pr(n,e);var t=Jo(n);function n(){var e;lr(this,n);for(var r=arguments.length,o=new Array(r),a=0;a<r;a++)o[a]=arguments[a];return(e=t.call.apply(t,[this].concat(o))).originalStyles={},e.listenerOptions={capture:!1,passive:!1},e}return dr(n,[{key:"componentDidMount",value:function(){var e=this;if(Xo){var t=this.props,n=t.accountForScrollbars,r=t.touchScrollTarget,o=document.body,a=o&&o.style;if(n&&Yo.forEach((function(t){var n=a&&a[t];e.originalStyles[t]=n})),n&&Zo<1){var i=parseInt(this.originalStyles.paddingRight,10)||0,s=document.body?document.body.clientWidth:0,u=window.innerWidth-s+i||0;Object.keys(qo).forEach((function(e){var t=qo[e];a&&(a[e]=t)})),a&&(a.paddingRight="".concat(u,"px"))}o&&Go()&&(o.addEventListener("touchmove",$o,this.listenerOptions),r&&(r.addEventListener("touchstart",Qo,this.listenerOptions),r.addEventListener("touchmove",Ko,this.listenerOptions))),Zo+=1}}},{key:"componentWillUnmount",value:function(){var e=this;if(Xo){var t=this.props,n=t.accountForScrollbars,r=t.touchScrollTarget,o=document.body,a=o&&o.style;Zo=Math.max(Zo-1,0),n&&Zo<1&&Yo.forEach((function(t){var n=e.originalStyles[t];a&&(a[t]=n)})),o&&Go()&&(o.removeEventListener("touchmove",$o,this.listenerOptions),r&&(r.removeEventListener("touchstart",Qo,this.listenerOptions),r.removeEventListener("touchmove",Ko,this.listenerOptions)))}}},{key:"render",value:function(){return null}}]),n}(e.Component);function ta(e){var t=function(){if("undefined"==typeof Reflect||!Reflect.construct)return!1;if(Reflect.construct.sham)return!1;if("function"==typeof Proxy)return!0;try{return Date.prototype.toString.call(Reflect.construct(Date,[],(function(){}))),!0}catch(e){return!1}}();return function(){var n,r=vr(e);if(t){var o=vr(this).constructor;n=Reflect.construct(r,arguments,o)}else n=r.apply(this,arguments);return gr(this,n)}}ea.defaultProps={accountForScrollbars:!0};var na={name:"1dsbpcp",styles:"position:fixed;left:0;bottom:0;right:0;top:0;"},ra=function(e){pr(n,e);var t=ta(n);function n(){var e;lr(this,n);for(var r=arguments.length,o=new Array(r),a=0;a<r;a++)o[a]=arguments[a];return(e=t.call.apply(t,[this].concat(o))).state={touchScrollTarget:null},e.getScrollTarget=function(t){t!==e.state.touchScrollTarget&&e.setState({touchScrollTarget:t})},e.blurSelectInput=function(){document.activeElement&&document.activeElement.blur()},e}return dr(n,[{key:"render",value:function(){var e=this.props,t=e.children,n=e.isEnabled,r=this.state.touchScrollTarget;return n?at("div",null,at("div",{onClick:this.blurSelectInput,css:na}),at(Bo,{innerRef:this.getScrollTarget},t),r?at(ea,{touchScrollTarget:r}):null):t}}]),n}(e.PureComponent);function oa(e){var t=function(){if("undefined"==typeof Reflect||!Reflect.construct)return!1;if(Reflect.construct.sham)return!1;if("function"==typeof Proxy)return!0;try{return Date.prototype.toString.call(Reflect.construct(Date,[],(function(){}))),!0}catch(e){return!1}}();return function(){var n,r=vr(e);if(t){var o=vr(this).constructor;n=Reflect.construct(r,arguments,o)}else n=r.apply(this,arguments);return gr(this,n)}}var aa=function(e){pr(r,e);var n=oa(r);function r(){var e;lr(this,r);for(var t=arguments.length,o=new Array(t),a=0;a<t;a++)o[a]=arguments[a];return(e=n.call.apply(n,[this].concat(o))).isBottom=!1,e.isTop=!1,e.scrollTarget=void 0,e.touchStart=void 0,e.cancelScroll=function(e){e.preventDefault(),e.stopPropagation()},e.handleEventDelta=function(t,n){var r=e.props,o=r.onBottomArrive,a=r.onBottomLeave,i=r.onTopArrive,s=r.onTopLeave,u=e.scrollTarget,c=u.scrollTop,l=u.scrollHeight,f=u.clientHeight,d=e.scrollTarget,p=n>0,h=l-f-c,m=!1;h>n&&e.isBottom&&(a&&a(t),e.isBottom=!1),p&&e.isTop&&(s&&s(t),e.isTop=!1),p&&n>h?(o&&!e.isBottom&&o(t),d.scrollTop=l,m=!0,e.isBottom=!0):!p&&-n>c&&(i&&!e.isTop&&i(t),d.scrollTop=0,m=!0,e.isTop=!0),m&&e.cancelScroll(t)},e.onWheel=function(t){e.handleEventDelta(t,t.deltaY)},e.onTouchStart=function(t){e.touchStart=t.changedTouches[0].clientY},e.onTouchMove=function(t){var n=e.touchStart-t.changedTouches[0].clientY;e.handleEventDelta(t,n)},e.getScrollTarget=function(t){e.scrollTarget=t},e}return dr(r,[{key:"componentDidMount",value:function(){this.startListening(this.scrollTarget)}},{key:"componentWillUnmount",value:function(){this.stopListening(this.scrollTarget)}},{key:"startListening",value:function(e){e&&("function"==typeof e.addEventListener&&e.addEventListener("wheel",this.onWheel,!1),"function"==typeof e.addEventListener&&e.addEventListener("touchstart",this.onTouchStart,!1),"function"==typeof e.addEventListener&&e.addEventListener("touchmove",this.onTouchMove,!1))}},{key:"stopListening",value:function(e){e&&("function"==typeof e.removeEventListener&&e.removeEventListener("wheel",this.onWheel,!1),"function"==typeof e.removeEventListener&&e.removeEventListener("touchstart",this.onTouchStart,!1),"function"==typeof e.removeEventListener&&e.removeEventListener("touchmove",this.onTouchMove,!1))}},{key:"render",value:function(){return t().createElement(Bo,{innerRef:this.getScrollTarget},this.props.children)}}]),r}(e.Component);function ia(e){var n=e.isEnabled,r=void 0===n||n,o=Or(e,["isEnabled"]);return r?t().createElement(aa,o):o.children}var sa=function(e){var t=arguments.length>1&&arguments[1]!==undefined?arguments[1]:{},n=t.isSearchable,r=t.isMulti,o=t.label,a=t.isDisabled,i=t.tabSelectsValue;switch(e){case"menu":return"Use Up and Down to choose options".concat(a?"":", press Enter to select the currently focused option",", press Escape to exit the menu").concat(i?", press Tab to select the option and exit the menu":"",".");case"input":return"".concat(o||"Select"," is focused ").concat(n?",type to refine list":"",", press Down to open the menu, ").concat(r?" press left to focus selected values":"");case"value":return"Use left and right to toggle between focused values, press Backspace to remove the currently focused value"}},ua=function(e,t){var n=t.value,r=t.isDisabled;if(n)switch(e){case"deselect-option":case"pop-value":case"remove-value":return"option ".concat(n,", deselected.");case"select-option":return"option ".concat(n,r?" is disabled. Select another option.":", selected.")}},ca=function(e){return!!e.isDisabled};var la={clearIndicator:lo,container:function(e){var t=e.isDisabled;return{label:"container",direction:e.isRtl?"rtl":null,pointerEvents:t?"none":null,position:"relative"}},control:function(e){var t=e.isDisabled,n=e.isFocused,r=e.theme,o=r.colors,a=r.borderRadius,i=r.spacing;return{label:"control",alignItems:"center",backgroundColor:t?o.neutral5:o.neutral0,borderColor:t?o.neutral10:n?o.primary:o.neutral20,borderRadius:a,borderStyle:"solid",borderWidth:1,boxShadow:n?"0 0 0 1px ".concat(o.primary):null,cursor:"default",display:"flex",flexWrap:"wrap",justifyContent:"space-between",minHeight:i.controlHeight,outline:"0 !important",position:"relative",transition:"all 100ms","&:hover":{borderColor:n?o.primary:o.neutral30}}},dropdownIndicator:co,group:function(e){var t=e.theme.spacing;return{paddingBottom:2*t.baseUnit,paddingTop:2*t.baseUnit}},groupHeading:function(e){var t=e.theme.spacing;return{label:"group",color:"#999",cursor:"default",display:"block",fontSize:"75%",fontWeight:"500",marginBottom:"0.25em",paddingLeft:3*t.baseUnit,paddingRight:3*t.baseUnit,textTransform:"uppercase"}},indicatorsContainer:function(){return{alignItems:"center",alignSelf:"stretch",display:"flex",flexShrink:0}},indicatorSeparator:function(e){var t=e.isDisabled,n=e.theme,r=n.spacing.baseUnit,o=n.colors;return{label:"indicatorSeparator",alignSelf:"stretch",backgroundColor:t?o.neutral10:o.neutral20,marginBottom:2*r,marginTop:2*r,width:1}},input:function(e){var t=e.isDisabled,n=e.theme,r=n.spacing,o=n.colors;return{margin:r.baseUnit/2,paddingBottom:r.baseUnit/2,paddingTop:r.baseUnit/2,visibility:t?"hidden":"visible",color:o.neutral80}},loadingIndicator:function(e){var t=e.isFocused,n=e.size,r=e.theme,o=r.colors,a=r.spacing.baseUnit;return{label:"loadingIndicator",color:t?o.neutral60:o.neutral20,display:"flex",padding:2*a,transition:"color 150ms",alignSelf:"center",fontSize:n,lineHeight:1,marginRight:n,textAlign:"center",verticalAlign:"middle"}},loadingMessage:Kr,menu:function(e){var t,n=e.placement,r=e.theme,o=r.borderRadius,a=r.spacing,i=r.colors;return Er(t={label:"menu"},function(e){return e?{bottom:"top",top:"bottom"}[e]:"bottom"}(n),"100%"),Er(t,"backgroundColor",i.neutral0),Er(t,"borderRadius",o),Er(t,"boxShadow","0 0 0 1px hsla(0, 0%, 0%, 0.1), 0 4px 11px hsla(0, 0%, 0%, 0.1)"),Er(t,"marginBottom",a.menuGutter),Er(t,"marginTop",a.menuGutter),Er(t,"position","absolute"),Er(t,"width","100%"),Er(t,"zIndex",1),t},menuList:function(e){var t=e.maxHeight,n=e.theme.spacing.baseUnit;return{maxHeight:t,overflowY:"auto",paddingBottom:n,paddingTop:n,position:"relative",WebkitOverflowScrolling:"touch"}},menuPortal:function(e){var t=e.rect,n=e.offset,r=e.position;return{left:t.left,position:r,top:n,width:t.width,zIndex:1}},multiValue:function(e){var t=e.theme,n=t.spacing,r=t.borderRadius;return{label:"multiValue",backgroundColor:t.colors.neutral10,borderRadius:r/2,display:"flex",margin:n.baseUnit/2,minWidth:0}},multiValueLabel:function(e){var t=e.theme,n=t.borderRadius,r=t.colors,o=e.cropWithEllipsis;return{borderRadius:n/2,color:r.neutral80,fontSize:"85%",overflow:"hidden",padding:3,paddingLeft:6,textOverflow:o?"ellipsis":null,whiteSpace:"nowrap"}},multiValueRemove:function(e){var t=e.theme,n=t.spacing,r=t.borderRadius,o=t.colors;return{alignItems:"center",borderRadius:r/2,backgroundColor:e.isFocused&&o.dangerLight,display:"flex",paddingLeft:n.baseUnit,paddingRight:n.baseUnit,":hover":{backgroundColor:o.dangerLight,color:o.danger}}},noOptionsMessage:$r,option:function(e){var t=e.isDisabled,n=e.isFocused,r=e.isSelected,o=e.theme,a=o.spacing,i=o.colors;return{label:"option",backgroundColor:r?i.primary:n?i.primary25:"transparent",color:t?i.neutral20:r?i.neutral0:"inherit",cursor:"default",display:"block",fontSize:"inherit",padding:"".concat(2*a.baseUnit,"px ").concat(3*a.baseUnit,"px"),width:"100%",userSelect:"none",WebkitTapHighlightColor:"rgba(0, 0, 0, 0)",":active":{backgroundColor:!t&&(r?i.primary:i.primary50)}}},placeholder:function(e){var t=e.theme,n=t.spacing;return{label:"placeholder",color:t.colors.neutral50,marginLeft:n.baseUnit/2,marginRight:n.baseUnit/2,position:"absolute",top:"50%",transform:"translateY(-50%)"}},singleValue:function(e){var t=e.isDisabled,n=e.theme,r=n.spacing,o=n.colors;return{label:"singleValue",color:t?o.neutral40:o.neutral80,marginLeft:r.baseUnit/2,marginRight:r.baseUnit/2,maxWidth:"calc(100% - ".concat(2*r.baseUnit,"px)"),overflow:"hidden",position:"absolute",textOverflow:"ellipsis",whiteSpace:"nowrap",top:"50%",transform:"translateY(-50%)"}},valueContainer:function(e){var t=e.theme.spacing;return{alignItems:"center",display:"flex",flex:1,flexWrap:"wrap",padding:"".concat(t.baseUnit/2,"px ").concat(2*t.baseUnit,"px"),WebkitOverflowScrolling:"touch",position:"relative",overflow:"hidden"}}};var fa={borderRadius:4,colors:{primary:"#2684FF",primary75:"#4C9AFF",primary50:"#B2D4FF",primary25:"#DEEBFF",danger:"#DE350B",dangerLight:"#FFBDAD",neutral0:"hsl(0, 0%, 100%)",neutral5:"hsl(0, 0%, 95%)",neutral10:"hsl(0, 0%, 90%)",neutral20:"hsl(0, 0%, 80%)",neutral30:"hsl(0, 0%, 70%)",neutral40:"hsl(0, 0%, 60%)",neutral50:"hsl(0, 0%, 50%)",neutral60:"hsl(0, 0%, 40%)",neutral70:"hsl(0, 0%, 30%)",neutral80:"hsl(0, 0%, 20%)",neutral90:"hsl(0, 0%, 10%)"},spacing:{baseUnit:4,controlHeight:38,menuGutter:8}};function da(e,t){var n=Object.keys(e);if(Object.getOwnPropertySymbols){var r=Object.getOwnPropertySymbols(e);t&&(r=r.filter((function(t){return Object.getOwnPropertyDescriptor(e,t).enumerable}))),n.push.apply(n,r)}return n}function pa(e){for(var t=1;t<arguments.length;t++){var n=null!=arguments[t]?arguments[t]:{};t%2?da(Object(n),!0).forEach((function(t){Er(e,t,n[t])})):Object.getOwnPropertyDescriptors?Object.defineProperties(e,Object.getOwnPropertyDescriptors(n)):da(Object(n)).forEach((function(t){Object.defineProperty(e,t,Object.getOwnPropertyDescriptor(n,t))}))}return e}function ha(e){var t=function(){if("undefined"==typeof Reflect||!Reflect.construct)return!1;if(Reflect.construct.sham)return!1;if("function"==typeof Proxy)return!0;try{return Date.prototype.toString.call(Reflect.construct(Date,[],(function(){}))),!0}catch(e){return!1}}();return function(){var n,r=vr(e);if(t){var o=vr(this).constructor;n=Reflect.construct(r,arguments,o)}else n=r.apply(this,arguments);return gr(this,n)}}var ma,ga={backspaceRemovesValue:!0,blurInputOnSelect:Vr(),captureMenuScroll:!Vr(),closeMenuOnSelect:!0,closeMenuOnScroll:!1,components:{},controlShouldRenderValue:!0,escapeClearsValue:!1,filterOption:function(e,t){var n=function(e){for(var t=1;t<arguments.length;t++){var n=null!=arguments[t]?arguments[t]:{};t%2?Lo(Object(n),!0).forEach((function(t){Er(e,t,n[t])})):Object.getOwnPropertyDescriptors?Object.defineProperties(e,Object.getOwnPropertyDescriptors(n)):Lo(Object(n)).forEach((function(t){Object.defineProperty(e,t,Object.getOwnPropertyDescriptor(n,t))}))}return e}({ignoreCase:!0,ignoreAccents:!0,stringify:Fo,trim:!0,matchFrom:"any"},ma),r=n.ignoreCase,o=n.ignoreAccents,a=n.stringify,i=n.trim,s=n.matchFrom,u=i?Vo(t):t,c=i?Vo(a(e)):a(e);return r&&(u=u.toLowerCase(),c=c.toLowerCase()),o&&(u=Ro(u),c=Ro(c)),"start"===s?c.substr(0,u.length)===u:c.indexOf(u)>-1},formatGroupLabel:function(e){return e.label},getOptionLabel:function(e){return e.label},getOptionValue:function(e){return e.value},isDisabled:!1,isLoading:!1,isMulti:!1,isRtl:!1,isSearchable:!0,isOptionDisabled:ca,loadingMessage:function(){return"Loading..."},maxMenuHeight:300,minMenuHeight:140,menuIsOpen:!1,menuPlacement:"bottom",menuPosition:"absolute",menuShouldBlockScroll:!1,menuShouldScrollIntoView:!function(){try{return/Android|webOS|iPhone|iPad|iPod|BlackBerry|IEMobile|Opera Mini/i.test(navigator.userAgent)}catch(e){return!1}}(),noOptionsMessage:function(){return"No options"},openMenuOnFocus:!1,openMenuOnClick:!0,options:[],pageSize:5,placeholder:"Select...",screenReaderStatus:function(e){var t=e.count;return"".concat(t," result").concat(1!==t?"s":""," available")},styles:{},tabIndex:"0",tabSelectsValue:!0},va=1,ya=function(e){pr(r,e);var n=ha(r);function r(e){var t;lr(this,r),(t=n.call(this,e)).state={ariaLiveSelection:"",ariaLiveContext:"",focusedOption:null,focusedValue:null,inputIsHidden:!1,isFocused:!1,menuOptions:{render:[],focusable:[]},selectValue:[]},t.blockOptionHover=!1,t.isComposing=!1,t.clearFocusValueOnUpdate=!1,t.commonProps=void 0,t.components=void 0,t.hasGroups=!1,t.initialTouchX=0,t.initialTouchY=0,t.inputIsHiddenAfterUpdate=void 0,t.instancePrefix="",t.openAfterFocus=!1,t.scrollToFocusedOptionOnUpdate=!1,t.userIsDragging=void 0,t.controlRef=null,t.getControlRef=function(e){t.controlRef=e},t.focusedOptionRef=null,t.getFocusedOptionRef=function(e){t.focusedOptionRef=e},t.menuListRef=null,t.getMenuListRef=function(e){t.menuListRef=e},t.inputRef=null,t.getInputRef=function(e){t.inputRef=e},t.cacheComponents=function(e){t.components=_o({components:e})},t.focus=t.focusInput,t.blur=t.blurInput,t.onChange=function(e,n){var r=t.props,o=r.onChange,a=r.name;o(e,pa(pa({},n),{},{name:a}))},t.setValue=function(e){var n=arguments.length>1&&arguments[1]!==undefined?arguments[1]:"set-value",r=arguments.length>2?arguments[2]:undefined,o=t.props,a=o.closeMenuOnSelect,i=o.isMulti;t.onInputChange("",{action:"set-value"}),a&&(t.inputIsHiddenAfterUpdate=!i,t.onMenuClose()),t.clearFocusValueOnUpdate=!0,t.onChange(e,{action:n,option:r})},t.selectOption=function(e){var n=t.props,r=n.blurInputOnSelect,o=n.isMulti,a=t.state.selectValue;if(o)if(t.isOptionSelected(e,a)){var i=t.getOptionValue(e);t.setValue(a.filter((function(e){return t.getOptionValue(e)!==i})),"deselect-option",e),t.announceAriaLiveSelection({event:"deselect-option",context:{value:t.getOptionLabel(e)}})}else t.isOptionDisabled(e,a)?t.announceAriaLiveSelection({event:"select-option",context:{value:t.getOptionLabel(e),isDisabled:!0}}):(t.setValue([].concat(Sr(a),[e]),"select-option",e),t.announceAriaLiveSelection({event:"select-option",context:{value:t.getOptionLabel(e)}}));else t.isOptionDisabled(e,a)?t.announceAriaLiveSelection({event:"select-option",context:{value:t.getOptionLabel(e),isDisabled:!0}}):(t.setValue(e,"select-option"),t.announceAriaLiveSelection({event:"select-option",context:{value:t.getOptionLabel(e)}}));r&&t.blurInput()},t.removeValue=function(e){var n=t.state.selectValue,r=t.getOptionValue(e),o=n.filter((function(e){return t.getOptionValue(e)!==r}));t.onChange(o.length?o:null,{action:"remove-value",removedValue:e}),t.announceAriaLiveSelection({event:"remove-value",context:{value:e?t.getOptionLabel(e):""}}),t.focusInput()},t.clearValue=function(){t.onChange(null,{action:"clear"})},t.popValue=function(){var e=t.state.selectValue,n=e[e.length-1],r=e.slice(0,e.length-1);t.announceAriaLiveSelection({event:"pop-value",context:{value:n?t.getOptionLabel(n):""}}),t.onChange(r.length?r:null,{action:"pop-value",removedValue:n})},t.getValue=function(){return t.state.selectValue},t.cx=function(){for(var e=arguments.length,n=new Array(e),r=0;r<e;r++)n[r]=arguments[r];return jr.apply(void 0,[t.props.classNamePrefix].concat(n))},t.getOptionLabel=function(e){return t.props.getOptionLabel(e)},t.getOptionValue=function(e){return t.props.getOptionValue(e)},t.getStyles=function(e,n){var r=la[e](n);r.boxSizing="border-box";var o=t.props.styles[e];return o?o(r,n):r},t.getElementId=function(e){return"".concat(t.instancePrefix,"-").concat(e)},t.getActiveDescendentId=function(){var e=t.props.menuIsOpen,n=t.state,r=n.menuOptions,o=n.focusedOption;if(!o||!e)return undefined;var a=r.focusable.indexOf(o),i=r.render[a];return i&&i.key},t.announceAriaLiveSelection=function(e){var n=e.event,r=e.context;t.setState({ariaLiveSelection:ua(n,r)})},t.announceAriaLiveContext=function(e){var n=e.event,r=e.context;t.setState({ariaLiveContext:sa(n,pa(pa({},r),{},{label:t.props["aria-label"]}))})},t.onMenuMouseDown=function(e){0===e.button&&(e.stopPropagation(),e.preventDefault(),t.focusInput())},t.onMenuMouseMove=function(e){t.blockOptionHover=!1},t.onControlMouseDown=function(e){var n=t.props.openMenuOnClick;t.state.isFocused?t.props.menuIsOpen?"INPUT"!==e.target.tagName&&"TEXTAREA"!==e.target.tagName&&t.onMenuClose():n&&t.openMenu("first"):(n&&(t.openAfterFocus=!0),t.focusInput()),"INPUT"!==e.target.tagName&&"TEXTAREA"!==e.target.tagName&&e.preventDefault()},t.onDropdownIndicatorMouseDown=function(e){if(!(e&&"mousedown"===e.type&&0!==e.button||t.props.isDisabled)){var n=t.props,r=n.isMulti,o=n.menuIsOpen;t.focusInput(),o?(t.inputIsHiddenAfterUpdate=!r,t.onMenuClose()):t.openMenu("first"),e.preventDefault(),e.stopPropagation()}},t.onClearIndicatorMouseDown=function(e){e&&"mousedown"===e.type&&0!==e.button||(t.clearValue(),e.stopPropagation(),t.openAfterFocus=!1,"touchend"===e.type?t.focusInput():setTimeout((function(){return t.focusInput()})))},t.onScroll=function(e){"boolean"==typeof t.props.closeMenuOnScroll?e.target instanceof HTMLElement&&Ar(e.target)&&t.props.onMenuClose():"function"==typeof t.props.closeMenuOnScroll&&t.props.closeMenuOnScroll(e)&&t.props.onMenuClose()},t.onCompositionStart=function(){t.isComposing=!0},t.onCompositionEnd=function(){t.isComposing=!1},t.onTouchStart=function(e){var n=e.touches,r=n&&n.item(0);r&&(t.initialTouchX=r.clientX,t.initialTouchY=r.clientY,t.userIsDragging=!1)},t.onTouchMove=function(e){var n=e.touches,r=n&&n.item(0);if(r){var o=Math.abs(r.clientX-t.initialTouchX),a=Math.abs(r.clientY-t.initialTouchY);t.userIsDragging=o>5||a>5}},t.onTouchEnd=function(e){t.userIsDragging||(t.controlRef&&!t.controlRef.contains(e.target)&&t.menuListRef&&!t.menuListRef.contains(e.target)&&t.blurInput(),t.initialTouchX=0,t.initialTouchY=0)},t.onControlTouchEnd=function(e){t.userIsDragging||t.onControlMouseDown(e)},t.onClearIndicatorTouchEnd=function(e){t.userIsDragging||t.onClearIndicatorMouseDown(e)},t.onDropdownIndicatorTouchEnd=function(e){t.userIsDragging||t.onDropdownIndicatorMouseDown(e)},t.handleInputChange=function(e){var n=e.currentTarget.value;t.inputIsHiddenAfterUpdate=!1,t.onInputChange(n,{action:"input-change"}),t.props.menuIsOpen||t.onMenuOpen()},t.onInputFocus=function(e){var n=t.props,r=n.isSearchable,o=n.isMulti;t.props.onFocus&&t.props.onFocus(e),t.inputIsHiddenAfterUpdate=!1,t.announceAriaLiveContext({event:"input",context:{isSearchable:r,isMulti:o}}),t.setState({isFocused:!0}),(t.openAfterFocus||t.props.openMenuOnFocus)&&t.openMenu("first"),t.openAfterFocus=!1},t.onInputBlur=function(e){t.menuListRef&&t.menuListRef.contains(document.activeElement)?t.inputRef.focus():(t.props.onBlur&&t.props.onBlur(e),t.onInputChange("",{action:"input-blur"}),t.onMenuClose(),t.setState({focusedValue:null,isFocused:!1}))},t.onOptionHover=function(e){t.blockOptionHover||t.state.focusedOption===e||t.setState({focusedOption:e})},t.shouldHideSelectedOptions=function(){var e=t.props,n=e.hideSelectedOptions,r=e.isMulti;return n===undefined?r:n},t.onKeyDown=function(e){var n=t.props,r=n.isMulti,o=n.backspaceRemovesValue,a=n.escapeClearsValue,i=n.inputValue,s=n.isClearable,u=n.isDisabled,c=n.menuIsOpen,l=n.onKeyDown,f=n.tabSelectsValue,d=n.openMenuOnFocus,p=t.state,h=p.focusedOption,m=p.focusedValue,g=p.selectValue;if(!(u||"function"==typeof l&&(l(e),e.defaultPrevented))){switch(t.blockOptionHover=!0,e.key){case"ArrowLeft":if(!r||i)return;t.focusValue("previous");break;case"ArrowRight":if(!r||i)return;t.focusValue("next");break;case"Delete":case"Backspace":if(i)return;if(m)t.removeValue(m);else{if(!o)return;r?t.popValue():s&&t.clearValue()}break;case"Tab":if(t.isComposing)return;if(e.shiftKey||!c||!f||!h||d&&t.isOptionSelected(h,g))return;t.selectOption(h);break;case"Enter":if(229===e.keyCode)break;if(c){if(!h)return;if(t.isComposing)return;t.selectOption(h);break}return;case"Escape":c?(t.inputIsHiddenAfterUpdate=!1,t.onInputChange("",{action:"menu-close"}),t.onMenuClose()):s&&a&&t.clearValue();break;case" ":if(i)return;if(!c){t.openMenu("first");break}if(!h)return;t.selectOption(h);break;case"ArrowUp":c?t.focusOption("up"):t.openMenu("last");break;case"ArrowDown":c?t.focusOption("down"):t.openMenu("first");break;case"PageUp":if(!c)return;t.focusOption("pageup");break;case"PageDown":if(!c)return;t.focusOption("pagedown");break;case"Home":if(!c)return;t.focusOption("first");break;case"End":if(!c)return;t.focusOption("last");break;default:return}e.preventDefault()}},t.buildMenuOptions=function(e,n){var r=e.inputValue,o=void 0===r?"":r,a=e.options,i=function(e,r){var a=t.isOptionDisabled(e,n),i=t.isOptionSelected(e,n),s=t.getOptionLabel(e),u=t.getOptionValue(e);if(!(t.shouldHideSelectedOptions()&&i||!t.filterOption({label:s,value:u,data:e},o))){var c=a?undefined:function(){return t.onOptionHover(e)},l=a?undefined:function(){return t.selectOption(e)},f="".concat(t.getElementId("option"),"-").concat(r);return{innerProps:{id:f,onClick:l,onMouseMove:c,onMouseOver:c,tabIndex:-1},data:e,isDisabled:a,isSelected:i,key:f,label:s,type:"option",value:u}}};return a.reduce((function(e,n,r){if(n.options){t.hasGroups||(t.hasGroups=!0);var o=n.options.map((function(t,n){var o=i(t,"".concat(r,"-").concat(n));return o&&e.focusable.push(t),o})).filter(Boolean);if(o.length){var a="".concat(t.getElementId("group"),"-").concat(r);e.render.push({type:"group",key:a,data:n,options:o})}}else{var s=i(n,"".concat(r));s&&(e.render.push(s),e.focusable.push(n))}return e}),{render:[],focusable:[]})};var o=e.value;t.cacheComponents=wr(t.cacheComponents,no).bind(mr(t)),t.cacheComponents(e.components),t.instancePrefix="react-select-"+(t.props.instanceId||++va);var a=Tr(o);t.buildMenuOptions=wr(t.buildMenuOptions,(function(e,t){var n=Dr(e,2),r=n[0],o=n[1],a=Dr(t,2),i=a[0];return o===a[1]&&r.inputValue===i.inputValue&&r.options===i.options})).bind(mr(t));var i=e.menuIsOpen?t.buildMenuOptions(e,a):{render:[],focusable:[]};return t.state.menuOptions=i,t.state.selectValue=a,t}return dr(r,[{key:"componentDidMount",value:function(){this.startListeningComposition(),this.startListeningToTouch(),this.props.closeMenuOnScroll&&document&&document.addEventListener&&document.addEventListener("scroll",this.onScroll,!0),this.props.autoFocus&&this.focusInput()}},{key:"UNSAFE_componentWillReceiveProps",value:function(e){var t=this.props,n=t.options,r=t.value,o=t.menuIsOpen,a=t.inputValue;if(this.cacheComponents(e.components),e.value!==r||e.options!==n||e.menuIsOpen!==o||e.inputValue!==a){var i=Tr(e.value),s=e.menuIsOpen?this.buildMenuOptions(e,i):{render:[],focusable:[]},u=this.getNextFocusedValue(i),c=this.getNextFocusedOption(s.focusable);this.setState({menuOptions:s,selectValue:i,focusedOption:c,focusedValue:u})}null!=this.inputIsHiddenAfterUpdate&&(this.setState({inputIsHidden:this.inputIsHiddenAfterUpdate}),delete this.inputIsHiddenAfterUpdate)}},{key:"componentDidUpdate",value:function(e){var t,n,r,o,a,i=this.props,s=i.isDisabled,u=i.menuIsOpen,c=this.state.isFocused;(c&&!s&&e.isDisabled||c&&u&&!e.menuIsOpen)&&this.focusInput(),c&&s&&!e.isDisabled&&this.setState({isFocused:!1},this.onMenuClose),this.menuListRef&&this.focusedOptionRef&&this.scrollToFocusedOptionOnUpdate&&(t=this.menuListRef,n=this.focusedOptionRef,r=t.getBoundingClientRect(),o=n.getBoundingClientRect(),a=n.offsetHeight/3,o.bottom+a>r.bottom?Nr(t,Math.min(n.offsetTop+n.clientHeight-t.offsetHeight+a,t.scrollHeight)):o.top-a<r.top&&Nr(t,Math.max(n.offsetTop-a,0)),this.scrollToFocusedOptionOnUpdate=!1)}},{key:"componentWillUnmount",value:function(){this.stopListeningComposition(),this.stopListeningToTouch(),document.removeEventListener("scroll",this.onScroll,!0)}},{key:"onMenuOpen",value:function(){this.props.onMenuOpen()}},{key:"onMenuClose",value:function(){var e=this.props,t=e.isSearchable,n=e.isMulti;this.announceAriaLiveContext({event:"input",context:{isSearchable:t,isMulti:n}}),this.onInputChange("",{action:"menu-close"}),this.props.onMenuClose()}},{key:"onInputChange",value:function(e,t){this.props.onInputChange(e,t)}},{key:"focusInput",value:function(){this.inputRef&&this.inputRef.focus()}},{key:"blurInput",value:function(){this.inputRef&&this.inputRef.blur()}},{key:"openMenu",value:function(e){var t=this,n=this.state,r=n.selectValue,o=n.isFocused,a=this.buildMenuOptions(this.props,r),i=this.props,s=i.isMulti,u=i.tabSelectsValue,c="first"===e?0:a.focusable.length-1;if(!s){var l=a.focusable.indexOf(r[0]);l>-1&&(c=l)}this.scrollToFocusedOptionOnUpdate=!(o&&this.menuListRef),this.inputIsHiddenAfterUpdate=!1,this.setState({menuOptions:a,focusedValue:null,focusedOption:a.focusable[c]},(function(){t.onMenuOpen(),t.announceAriaLiveContext({event:"menu",context:{tabSelectsValue:u}})}))}},{key:"focusValue",value:function(e){var t=this.props,n=t.isMulti,r=t.isSearchable,o=this.state,a=o.selectValue,i=o.focusedValue;if(n){this.setState({focusedOption:null});var s=a.indexOf(i);i||(s=-1,this.announceAriaLiveContext({event:"value"}));var u=a.length-1,c=-1;if(a.length){switch(e){case"previous":c=0===s?0:-1===s?u:s-1;break;case"next":s>-1&&s<u&&(c=s+1)}-1===c&&this.announceAriaLiveContext({event:"input",context:{isSearchable:r,isMulti:n}}),this.setState({inputIsHidden:-1!==c,focusedValue:a[c]})}}}},{key:"focusOption",value:function(){var e=arguments.length>0&&arguments[0]!==undefined?arguments[0]:"first",t=this.props,n=t.pageSize,r=t.tabSelectsValue,o=this.state,a=o.focusedOption,i=o.menuOptions,s=i.focusable;if(s.length){var u=0,c=s.indexOf(a);a||(c=-1,this.announceAriaLiveContext({event:"menu",context:{tabSelectsValue:r}})),"up"===e?u=c>0?c-1:s.length-1:"down"===e?u=(c+1)%s.length:"pageup"===e?(u=c-n)<0&&(u=0):"pagedown"===e?(u=c+n)>s.length-1&&(u=s.length-1):"last"===e&&(u=s.length-1),this.scrollToFocusedOptionOnUpdate=!0,this.setState({focusedOption:s[u],focusedValue:null}),this.announceAriaLiveContext({event:"menu",context:{isDisabled:ca(s[u]),tabSelectsValue:r}})}}},{key:"getTheme",value:function(){return this.props.theme?"function"==typeof this.props.theme?this.props.theme(fa):pa(pa({},fa),this.props.theme):fa}},{key:"getCommonProps",value:function(){var e=this.clearValue,t=this.cx,n=this.getStyles,r=this.getValue,o=this.setValue,a=this.selectOption,i=this.props,s=i.isMulti,u=i.isRtl,c=i.options;return{cx:t,clearValue:e,getStyles:n,getValue:r,hasValue:this.hasValue(),isMulti:s,isRtl:u,options:c,selectOption:a,setValue:o,selectProps:i,theme:this.getTheme()}}},{key:"getNextFocusedValue",value:function(e){if(this.clearFocusValueOnUpdate)return this.clearFocusValueOnUpdate=!1,null;var t=this.state,n=t.focusedValue,r=t.selectValue.indexOf(n);if(r>-1){if(e.indexOf(n)>-1)return n;if(r<e.length)return e[r]}return null}},{key:"getNextFocusedOption",value:function(e){var t=this.state.focusedOption;return t&&e.indexOf(t)>-1?t:e[0]}},{key:"hasValue",value:function(){return this.state.selectValue.length>0}},{key:"hasOptions",value:function(){return!!this.state.menuOptions.render.length}},{key:"countOptions",value:function(){return this.state.menuOptions.focusable.length}},{key:"isClearable",value:function(){var e=this.props,t=e.isClearable,n=e.isMulti;return t===undefined?n:t}},{key:"isOptionDisabled",value:function(e,t){return"function"==typeof this.props.isOptionDisabled&&this.props.isOptionDisabled(e,t)}},{key:"isOptionSelected",value:function(e,t){var n=this;if(t.indexOf(e)>-1)return!0;if("function"==typeof this.props.isOptionSelected)return this.props.isOptionSelected(e,t);var r=this.getOptionValue(e);return t.some((function(e){return n.getOptionValue(e)===r}))}},{key:"filterOption",value:function(e,t){return!this.props.filterOption||this.props.filterOption(e,t)}},{key:"formatOptionLabel",value:function(e,t){if("function"==typeof this.props.formatOptionLabel){var n=this.props.inputValue,r=this.state.selectValue;return this.props.formatOptionLabel(e,{context:t,inputValue:n,selectValue:r})}return this.getOptionLabel(e)}},{key:"formatGroupLabel",value:function(e){return this.props.formatGroupLabel(e)}},{key:"startListeningComposition",value:function(){document&&document.addEventListener&&(document.addEventListener("compositionstart",this.onCompositionStart,!1),document.addEventListener("compositionend",this.onCompositionEnd,!1))}},{key:"stopListeningComposition",value:function(){document&&document.removeEventListener&&(document.removeEventListener("compositionstart",this.onCompositionStart),document.removeEventListener("compositionend",this.onCompositionEnd))}},{key:"startListeningToTouch",value:function(){document&&document.addEventListener&&(document.addEventListener("touchstart",this.onTouchStart,!1),document.addEventListener("touchmove",this.onTouchMove,!1),document.addEventListener("touchend",this.onTouchEnd,!1))}},{key:"stopListeningToTouch",value:function(){document&&document.removeEventListener&&(document.removeEventListener("touchstart",this.onTouchStart),document.removeEventListener("touchmove",this.onTouchMove),document.removeEventListener("touchend",this.onTouchEnd))}},{key:"constructAriaLiveMessage",value:function(){var e=this.state,t=e.ariaLiveContext,n=e.selectValue,r=e.focusedValue,o=e.focusedOption,a=this.props,i=a.options,s=a.menuIsOpen,u=a.inputValue,c=a.screenReaderStatus,l=r?function(e){var t=e.focusedValue,n=e.getOptionLabel,r=e.selectValue;return"value ".concat(n(t)," focused, ").concat(r.indexOf(t)+1," of ").concat(r.length,".")}({focusedValue:r,getOptionLabel:this.getOptionLabel,selectValue:n}):"",f=o&&s?function(e){var t=e.focusedOption,n=e.getOptionLabel,r=e.options;return"option ".concat(n(t)," focused").concat(t.isDisabled?" disabled":"",", ").concat(r.indexOf(t)+1," of ").concat(r.length,".")}({focusedOption:o,getOptionLabel:this.getOptionLabel,options:i}):"",d=function(e){var t=e.inputValue,n=e.screenReaderMessage;return"".concat(n).concat(t?" for search term "+t:"",".")}({inputValue:u,screenReaderMessage:c({count:this.countOptions()})});return"".concat(l," ").concat(f," ").concat(d," ").concat(t)}},{key:"renderInput",value:function(){var e=this.props,n=e.isDisabled,r=e.isSearchable,o=e.inputId,a=e.inputValue,i=e.tabIndex,s=e.form,u=this.components.Input,c=this.state.inputIsHidden,l=o||this.getElementId("input"),f={"aria-autocomplete":"list","aria-label":this.props["aria-label"],"aria-labelledby":this.props["aria-labelledby"]};if(!r)return t().createElement(Uo,De({id:l,innerRef:this.getInputRef,onBlur:this.onInputBlur,onChange:_r,onFocus:this.onInputFocus,readOnly:!0,disabled:n,tabIndex:i,form:s,value:""},f));var d=this.commonProps,p=d.cx,h=d.theme,m=d.selectProps;return t().createElement(u,De({autoCapitalize:"none",autoComplete:"off",autoCorrect:"off",cx:p,getStyles:this.getStyles,id:l,innerRef:this.getInputRef,isDisabled:n,isHidden:c,onBlur:this.onInputBlur,onChange:this.handleInputChange,onFocus:this.onInputFocus,selectProps:m,spellCheck:"false",tabIndex:i,form:s,theme:h,type:"text",value:a},f))}},{key:"renderPlaceholderOrValue",value:function(){var e=this,n=this.components,r=n.MultiValue,o=n.MultiValueContainer,a=n.MultiValueLabel,i=n.MultiValueRemove,s=n.SingleValue,u=n.Placeholder,c=this.commonProps,l=this.props,f=l.controlShouldRenderValue,d=l.isDisabled,p=l.isMulti,h=l.inputValue,m=l.placeholder,g=this.state,v=g.selectValue,y=g.focusedValue,b=g.isFocused;if(!this.hasValue()||!f)return h?null:t().createElement(u,De({},c,{key:"placeholder",isDisabled:d,isFocused:b}),m);if(p)return v.map((function(n,s){var u=n===y;return t().createElement(r,De({},c,{components:{Container:o,Label:a,Remove:i},isFocused:u,isDisabled:d,key:"".concat(e.getOptionValue(n)).concat(s),index:s,removeProps:{onClick:function(){return e.removeValue(n)},onTouchEnd:function(){return e.removeValue(n)},onMouseDown:function(e){e.preventDefault(),e.stopPropagation()}},data:n}),e.formatOptionLabel(n,"value"))}));if(h)return null;var w=v[0];return t().createElement(s,De({},c,{data:w,isDisabled:d}),this.formatOptionLabel(w,"value"))}},{key:"renderClearIndicator",value:function(){var e=this.components.ClearIndicator,n=this.commonProps,r=this.props,o=r.isDisabled,a=r.isLoading,i=this.state.isFocused;if(!this.isClearable()||!e||o||!this.hasValue()||a)return null;var s={onMouseDown:this.onClearIndicatorMouseDown,onTouchEnd:this.onClearIndicatorTouchEnd,"aria-hidden":"true"};return t().createElement(e,De({},n,{innerProps:s,isFocused:i}))}},{key:"renderLoadingIndicator",value:function(){var e=this.components.LoadingIndicator,n=this.commonProps,r=this.props,o=r.isDisabled,a=r.isLoading,i=this.state.isFocused;if(!e||!a)return null;return t().createElement(e,De({},n,{innerProps:{"aria-hidden":"true"},isDisabled:o,isFocused:i}))}},{key:"renderIndicatorSeparator",value:function(){var e=this.components,n=e.DropdownIndicator,r=e.IndicatorSeparator;if(!n||!r)return null;var o=this.commonProps,a=this.props.isDisabled,i=this.state.isFocused;return t().createElement(r,De({},o,{isDisabled:a,isFocused:i}))}},{key:"renderDropdownIndicator",value:function(){var e=this.components.DropdownIndicator;if(!e)return null;var n=this.commonProps,r=this.props.isDisabled,o=this.state.isFocused,a={onMouseDown:this.onDropdownIndicatorMouseDown,onTouchEnd:this.onDropdownIndicatorTouchEnd,"aria-hidden":"true"};return t().createElement(e,De({},n,{innerProps:a,isDisabled:r,isFocused:o}))}},{key:"renderMenu",value:function(){var e=this,n=this.components,r=n.Group,o=n.GroupHeading,a=n.Menu,i=n.MenuList,s=n.MenuPortal,u=n.LoadingMessage,c=n.NoOptionsMessage,l=n.Option,f=this.commonProps,d=this.state,p=d.focusedOption,h=d.menuOptions,m=this.props,g=m.captureMenuScroll,v=m.inputValue,y=m.isLoading,b=m.loadingMessage,w=m.minMenuHeight,C=m.maxMenuHeight,O=m.menuIsOpen,x=m.menuPlacement,k=m.menuPosition,D=m.menuPortalTarget,S=m.menuShouldBlockScroll,E=m.menuShouldScrollIntoView,M=m.noOptionsMessage,_=m.onMenuScrollToTop,P=m.onMenuScrollToBottom;if(!O)return null;var j,T=function(n){var r=p===n.data;return n.innerRef=r?e.getFocusedOptionRef:undefined,t().createElement(l,De({},f,n,{isFocused:r}),e.formatOptionLabel(n.data,"menu"))};if(this.hasOptions())j=h.render.map((function(n){if("group"===n.type){n.type;var a=Or(n,["type"]),i="".concat(n.key,"-heading");return t().createElement(r,De({},f,a,{Heading:o,headingProps:{id:i,data:n.data},label:e.formatGroupLabel(n.data)}),n.options.map((function(e){return T(e)})))}if("option"===n.type)return T(n)}));else if(y){var A=b({inputValue:v});if(null===A)return null;j=t().createElement(u,f,A)}else{var I=M({inputValue:v});if(null===I)return null;j=t().createElement(c,f,I)}var N={minMenuHeight:w,maxMenuHeight:C,menuPlacement:x,menuPosition:k,menuShouldScrollIntoView:E},R=t().createElement(Yr,De({},f,N),(function(n){var r=n.ref,o=n.placerProps,s=o.placement,u=o.maxHeight;return t().createElement(a,De({},f,N,{innerRef:r,innerProps:{onMouseDown:e.onMenuMouseDown,onMouseMove:e.onMenuMouseMove},isLoading:y,placement:s}),t().createElement(ia,{isEnabled:g,onTopArrive:_,onBottomArrive:P},t().createElement(ra,{isEnabled:S},t().createElement(i,De({},f,{innerRef:e.getMenuListRef,isLoading:y,maxHeight:u}),j))))}));return D||"fixed"===k?t().createElement(s,De({},f,{appendTo:D,controlElement:this.controlRef,menuPlacement:x,menuPosition:k}),R):R}},{key:"renderFormField",value:function(){var e=this,n=this.props,r=n.delimiter,o=n.isDisabled,a=n.isMulti,i=n.name,s=this.state.selectValue;if(i&&!o){if(a){if(r){var u=s.map((function(t){return e.getOptionValue(t)})).join(r);return t().createElement("input",{name:i,type:"hidden",value:u})}var c=s.length>0?s.map((function(n,r){return t().createElement("input",{key:"i-".concat(r),name:i,type:"hidden",value:e.getOptionValue(n)})})):t().createElement("input",{name:i,type:"hidden"});return t().createElement("div",null,c)}var l=s[0]?this.getOptionValue(s[0]):"";return t().createElement("input",{name:i,type:"hidden",value:l})}}},{key:"renderLiveRegion",value:function(){return this.state.isFocused?t().createElement(zo,{"aria-live":"polite"},t().createElement("span",{id:"aria-selection-event"}," ",this.state.ariaLiveSelection),t().createElement("span",{id:"aria-context"}," ",this.constructAriaLiveMessage())):null}},{key:"render",value:function(){var e=this.components,n=e.Control,r=e.IndicatorsContainer,o=e.SelectContainer,a=e.ValueContainer,i=this.props,s=i.className,u=i.id,c=i.isDisabled,l=i.menuIsOpen,f=this.state.isFocused,d=this.commonProps=this.getCommonProps();return t().createElement(o,De({},d,{className:s,innerProps:{id:u,onKeyDown:this.onKeyDown},isDisabled:c,isFocused:f}),this.renderLiveRegion(),t().createElement(n,De({},d,{innerRef:this.getControlRef,innerProps:{onMouseDown:this.onControlMouseDown,onTouchEnd:this.onControlTouchEnd},isDisabled:c,isFocused:f,menuIsOpen:l}),t().createElement(a,De({},d,{isDisabled:c}),this.renderPlaceholderOrValue(),this.renderInput()),t().createElement(r,De({},d,{isDisabled:c}),this.renderClearIndicator(),this.renderLoadingIndicator(),this.renderIndicatorSeparator(),this.renderDropdownIndicator())),this.renderMenu(),this.renderFormField())}}]),r}(e.Component);function ba(e){var t=function(){if("undefined"==typeof Reflect||!Reflect.construct)return!1;if(Reflect.construct.sham)return!1;if("function"==typeof Proxy)return!0;try{return Date.prototype.toString.call(Reflect.construct(Date,[],(function(){}))),!0}catch(e){return!1}}();return function(){var n,r=vr(e);if(t){var o=vr(this).constructor;n=Reflect.construct(r,arguments,o)}else n=r.apply(this,arguments);return gr(this,n)}}ya.defaultProps=ga;var wa={defaultInputValue:"",defaultMenuIsOpen:!1,defaultValue:null};function Ca(e){var t=function(){if("undefined"==typeof Reflect||!Reflect.construct)return!1;if(Reflect.construct.sham)return!1;if("function"==typeof Proxy)return!0;try{return Date.prototype.toString.call(Reflect.construct(Date,[],(function(){}))),!0}catch(e){return!1}}();return function(){var n,r=vr(e);if(t){var o=vr(this).constructor;Reflect.construct(r,arguments,o)}else r.apply(this,arguments);return gr(this,n)}}e.Component;var Oa,xa,ka,Da=(Oa=ya,ka=xa=function(e){pr(r,e);var n=ba(r);function r(){var e;lr(this,r);for(var t=arguments.length,o=new Array(t),a=0;a<t;a++)o[a]=arguments[a];return(e=n.call.apply(n,[this].concat(o))).select=void 0,e.state={inputValue:e.props.inputValue!==undefined?e.props.inputValue:e.props.defaultInputValue,menuIsOpen:e.props.menuIsOpen!==undefined?e.props.menuIsOpen:e.props.defaultMenuIsOpen,value:e.props.value!==undefined?e.props.value:e.props.defaultValue},e.onChange=function(t,n){e.callProp("onChange",t,n),e.setState({value:t})},e.onInputChange=function(t,n){var r=e.callProp("onInputChange",t,n);e.setState({inputValue:r!==undefined?r:t})},e.onMenuOpen=function(){e.callProp("onMenuOpen"),e.setState({menuIsOpen:!0})},e.onMenuClose=function(){e.callProp("onMenuClose"),e.setState({menuIsOpen:!1})},e}return dr(r,[{key:"focus",value:function(){this.select.focus()}},{key:"blur",value:function(){this.select.blur()}},{key:"getProp",value:function(e){return this.props[e]!==undefined?this.props[e]:this.state[e]}},{key:"callProp",value:function(e){if("function"==typeof this.props[e]){for(var t,n=arguments.length,r=new Array(n>1?n-1:0),o=1;o<n;o++)r[o-1]=arguments[o];return(t=this.props)[e].apply(t,r)}}},{key:"render",value:function(){var e=this,n=this.props,r=(n.defaultInputValue,n.defaultMenuIsOpen,n.defaultValue,Or(n,["defaultInputValue","defaultMenuIsOpen","defaultValue"]));return t().createElement(Oa,De({},r,{ref:function(t){e.select=t},inputValue:this.getProp("inputValue"),menuIsOpen:this.getProp("menuIsOpen"),onChange:this.onChange,onInputChange:this.onInputChange,onMenuClose:this.onMenuClose,onMenuOpen:this.onMenuOpen,value:this.getProp("value")}))}}]),r}(e.Component),xa.defaultProps=wa,ka),Sa=n(73),Ea=n.n(Sa),Ma=function(e,t,n,r,o){if(e){r(e.props.name,o.activateValidation(n,e.node));var a=window[t];t&&a&&(window.flatpickr.prototype.constructor.l10ns[t]=a["default"][t],e.flatpickr.set("locale",t))}},_a=function(e,t){return React.createElement("div",{className:"mf-main-response-wrap ".concat(t," mf-response-msg-wrap"),"data-show":"1"},React.createElement("div",{className:"mf-response-msg"},React.createElement("i",{className:"mf-success-icon ".concat(e)}),React.createElement("p",null,"This is a dummy success message!!.")))},Pa=function(){for(var e=arguments.length,t=new Array(e),n=0;n<e;n++)t[n]=arguments[n];var r=[].concat(t)[2],o=[].concat(t)[3],a=[].concat(t)[4],i=[].concat(t)[5],s=r.errors,u=r.success,c=r.form_res,l=function(){return React.createElement(React.Fragment,null,React.createElement("i",{className:"mf-alert-icon ".concat(a)}),React.createElement("p",null,s.map((function(e){return e+" "}))," "))},f=function(){return React.createElement(React.Fragment,null,React.createElement("i",{className:"mf-success-icon ".concat(o)}),React.createElement("p",null,u))};return React.createElement("div",{className:"mf-main-response-wrap ".concat(i,"  mf-response-msg-wrap").concat(s.length>0?" mf-error-res":""),"data-show":c},React.createElement("div",{className:"mf-response-msg"},s.length?l():f()))};function ja(e){return(ja="function"==typeof Symbol&&"symbol"==typeof Symbol.iterator?function(e){return typeof e}:function(e){return e&&"function"==typeof Symbol&&e.constructor===Symbol&&e!==Symbol.prototype?"symbol":typeof e})(e)}var Ta=function(e,t,n){if("mf-captcha-challenge"!==e&&"g-recaptcha-response"!==e&&"right-answer"!==e&&"wrong-answer"!==e&&"quiz-marks"!==e&&"total-question"!==e){var r=n.getValue(e);n.formContainerRef.current.querySelectorAll("input").forEach((function(t){t.name==e&&"password"===t.type&&(r=".".repeat(r.length))})),Array.isArray(r)&&(r=r.join(", ")),"object"===ja(r)&&r.name&&(r=r.name);if(function(e){return"File"in window&&e instanceof File}(r[0])&&"object"===ja(r)&&(r=Object.keys(r).map((function(e){return r[e].name})).join(", ")),"string"==typeof r&&r.includes("data:image")&&(r=React.createElement("img",{src:r,alt:e})),!r)return"";var o=function(e,t,n){var r,o=null==n||null===(r=n.formContainerRef)||void 0===r?void 0:r.current,a=null==o?void 0:o.querySelector('[name="'+e+'"]'),i=a?a.closest(".mf-input-wrapper").querySelector("label"):null;return i?i.innerText.replace(/\*/g,"").trim():t}(e,e,n);return React.createElement("li",{key:t},React.createElement("strong",null," ",o," ")," ",React.createElement("span",null," ",r," "))}},Aa=function(){document.querySelectorAll(".mf-input-map-location").forEach((function(e){if("undefined"!=typeof google){var t=new google.maps.places.Autocomplete(e,{types:["geocode"]});google.maps.event.addListener(t,"place_changed",(function(){e.dispatchEvent(new Event("input",{bubbles:!0}))}))}}))};function Ia(e){return(Ia="function"==typeof Symbol&&"symbol"==typeof Symbol.iterator?function(e){return typeof e}:function(e){return e&&"function"==typeof Symbol&&e.constructor===Symbol&&e!==Symbol.prototype?"symbol":typeof e})(e)}window.mfMapLocation=Aa;var Na,Ra=function(e){var t=function(){this.parser=new i},n=t.prototype;function r(e,t){for(var n=[],r=t,o=e.length;r<o;r++)n.push(e[r]);return n}var o=function(){var e=function n(e,t,r){this.prefix=(e||"")+":",this.level=t||n.NONE,this.out=r||window.console&&window.console.log.bind(window.console),this.warn=this.log.bind(this,n.WARN),this.info=this.log.bind(this,n.INFO),this.debug=this.log.bind(this,n.DEBUG)},t=e.prototype;return e.DEBUG=1,e.INFO=2,e.WARN=3,e.NONE=4,t.log=function(e,t){if(e>=this.level&&"function"==typeof this.out){var n=r(arguments,2);n=[this.prefix+t].concat(n),this.out.apply(this,n)}},e}(),a=function(){var e=function(e){this.obj=e||{}},t=e.prototype;return t.get=function(e){var t=this.obj[e];return t===undefined&&this.parent&&(t=this.parent.get(e)),t},t.set=function(e,t){return this.obj[e]=t,this.get(e)},e}(),i=function(){var e=new o("PARSER",o.NONE),t=new o("EMIT",o.NONE),n=function(){};function i(e){var t={};return e.forEach((function(e,n){t[e]=n})),t}function s(e,t,n){if(1===n.length&&"object"===Ia(n[0])){var r=n[0];t.forEach((function(t){e[t]=r[t]}))}else for(var o=0,i=t.length,s=n.length;o<i&&o<s;o++)e[t[o]]=n[o];delete e.runtimeError;var u=new a(e);return u.parent=l,u}function u(n){if(n!==undefined)switch(n.id){case"Expr":case"Tuple":return u(n.expr);case"OpenTuple":return n.expr?f(n.expr):f(n.left,n.right);case"Assign":return n.expr?u(n.expr):(s=n.left,l=u(l=n.right),function(e){return e.set(s.value,l.apply(null,arguments))});case"Sums":case"Prod":case"Power":return n.expr?u(n.expr):function(t,n,o){n=u(n),o=u(o);var a=undefined;function i(e){var t=r(arguments,1);return e(n.apply(this,t),o.apply(this,t))}switch(t.id){case"Plus":return i.bind(a,(function(e,t){return+e+t}));case"Minus":return i.bind(a,(function(e,t){return e-t}));case"Mul":return i.bind(a,(function(e,t){return e*t}));case"Div":return i.bind(a,(function(e,t){return e/t}));case"Mod":return i.bind(a,(function(e,t){return e%t}));case"Pow":return i.bind(a,(function(e,t){return Math.pow(e,t)}))}return e.warn("No emitter for %o",t),function(){}}(n.op,n.left,n.right);case"Unary":return n.expr?u(n.expr):function(t,n){switch(n=u(n),t.id){case"Plus":return function(){return n.apply(this,arguments)};case"Minus":return function(){return-n.apply(this,arguments)}}return e.warn("No emitter for %o",t),function(){}}(n.op,n.right);case"Call":return o=n.token,a=n.args,i=c(a),a=u(a),function(e){var t=e.get(o.value);if("function"==typeof t){var n=a.apply(null,arguments);return i||(n=[n]),t.apply(null,n)}e.set("runtimeError",{text:'Call to undefined "'+o.value+'"'})};case"Parens":return u(n.expr);case"Value":return u(n.token);case"Number":return function(){return n.value};case"Var":return function(e){return e.get(n.value)};default:t.warn("No emitter for %o",n)}var o,a,i,s,l;return function(){}}function c(e){if(e!==undefined)switch(e.id){case"Expr":case"Tuple":return c(e.expr);case"OpenTuple":return!0}return!1}function f(e,t){if(e===undefined)return function(){return[]};var n="OpenTuple"===e.id;return e=u(e),t===undefined?function(){return[e.apply(null,arguments)]}:(t=u(t),n?function(){var n=e.apply(null,arguments);return n.push(t.apply(null,arguments)),n}:function(){return[e.apply(null,arguments),t.apply(null,arguments)]})}n.prototype.parse=function(n){this.error=undefined;var r=function(e){var t,n,r=[],o=0;for(;(t=D(e,o))!==undefined;)t.error?n=t.error:"Space"!==t.id&&r.push(t),o=t.end;return{tokens:r,error:n}}(n),o=function(t){for(var n={tokens:t,pos:0,stack:[],scope:{}},r=0,o=t.length,a=!1;!a&&r<=o;){var i=t[r],s=n.stack[n.stack.length-1],u=(s?s.id:"(empty)")+":"+(i?i.id:"(eof)");switch(d[u]){case 1:e.debug("shift %s %o",u,h(n.stack)),n=m(n,i),r++;break;case 2:e.debug("reduce %s %o",u,h(n.stack)),n=v(n,i);break;case 0:e.debug("done %s %o",u,h(n.stack)),a=!0;break;default:if(i!==undefined){var c={pos:i.pos,text:'Unexpected token "'+i.string+'"'};n.error=c,e.warn("%s at %d (%s)",c.text,c.pos,u)}else{c={text:"Unexpected EOF",pos:n.pos+1};n.error=c,e.warn("%s (%s)",c.text,u)}a=!0}}if(!n.error&&n.stack.length>1){var l=y(n,1);c={pos:l.pos||0,text:"LParen"===l.id?"Open paren":"Invalid expression"};n.error=c,e.warn("%s at %d (eof)",c.text,c.pos)}return{root:n.stack.pop(),vars:Object.keys(n.scope),error:n.error}}(r.tokens);t.debug("AST: %o",o);var a,c,l=(a=u(o.root),function(e){try{return a.apply(null,arguments)}catch(t){e.set("runtimeError",{text:""+t})}});return c={},{error:r.error||o.error,args:i(o.vars),eval:function(){return l(s(c,o.vars,arguments))},set scope(e){c=e||{}},get scope(){return c}}};var d={};function p(e,t,n){for(var r=0,o=t.length;r<o;r++)for(var a=0,i=n.length;a<i;a++){var s=t[r]+":"+n[a];d[s]=e}}function h(t){return e.level>=o.DEBUG?t.map((function(e){return e.id})):""}function m(e,t){return g(e,0,t)}function g(e,t,n){var r=e.stack.slice(0,e.stack.length-t),o=e.pos;return n&&(r.push(n),n.pos!==undefined&&(o=n.pos)),{tokens:e.tokens,pos:o,stack:r,scope:e.scope,error:e.error}}function v(t,n){switch(y(t,0).id){case"Tuple":return function(e){var t=y(e,0);return g(e,1,{id:"Expr",expr:t})}(t);case"OpenTuple":case"Comma":return b(t,n);case"Assign":case"Sums":return function(e,t){var n=y(e,1),r=y(e,0);if(r!==undefined&&"Sums"===r.id)return w(e,["Eq"],"Assign");if(n!==undefined&&"Eq"===n.id)return w(e,["Eq"],"Assign");return b(e,t)}(t,n);case"Prod":return function(e){return w(e,["Plus","Minus"],"Sums")}(t);case"Power":case"Unary":return function(e){var t=y(e,1),n=y(e,0);if(n!==undefined&&"Unary"===n.id){var r=O(e,!1);return r||g(e,1,{id:"Power",expr:n})}if(n!==undefined&&"Power"===n.id&&t!==undefined&&"Pow"===t.id)return w(e,["Pow"],"Power");return function(e){return w(e,["Mul","Div","Mod"],"Prod")}(e)}(t);case"Call":case"Parens":return O(t);case"Value":case"RParen":return function(t){var n=y(t,3),r=y(t,2),o=y(t,1),a=y(t,0),i={id:"Parens"};if("RParen"===a.id){if(o!==undefined&&"LParen"===o.id)return r!==undefined&&"Var"===r.id?g(t,3,i={id:"Call",token:r}):g(t,2,i={id:"OpenTuple"});if(r===undefined||"LParen"!==r.id){var s={pos:a.pos,text:"Unmatched paren"};return t.error=s,e.warn("%s at %d",s.text,s.pos),g(t,1)}return n!==undefined&&"Var"===n.id?g(t,4,i={id:"Call",token:n,args:o}):(i.expr=o,g(t,3,i))}return i.expr=a,g(t,1,i)}(t);case"Number":case"Var":return function(e){var t=y(e,0);e=g(e,1,{id:"Value",token:t}),"Var"===t.id&&(e.scope[t.value]=t);return e}(t)}return t}function y(e,t){return t===undefined&&(t=0),e.stack[e.stack.length-(t+1)]}function b(e,t){var n=y(e,2),r=y(e,1),o=y(e,0),a={id:"OpenTuple"};return"Comma"===o.id?g(e,2,r):r!==undefined&&"Comma"===r.id?(a.op=r,a.left=n,a.right=o,g(e,3,a)):t!==undefined&&"Comma"===t.id?(a.expr=o,g(e,1,a)):g(e,1,a={id:"Tuple",expr:o})}function w(e,t,n){var r=y(e,2),o=y(e,1),a=y(e,0),i={id:n};return o!==undefined&&-1!==t.indexOf(o.id)?(i.op=o,i.left=r,i.right=a,g(e,3,i)):(i.expr=a,g(e,1,i))}p(1,["(empty)","Plus","Minus","Mul","Div","Mod","Pow","LParen","Eq","Comma"],["Plus","Minus","LParen","Number","Var"]),p(1,["Var"],["LParen","Eq"]),p(1,["Sums"],["Plus","Minus"]),p(1,["Prod"],["Mul","Div","Mod"]),p(1,["Unary"],["Pow"]),p(1,["OpenTuple","Tuple"],["Comma"]),p(1,["LParen","Expr"],["RParen"]),p(2,["Number","Var","Value","RParen","Parens","Call","Unary","Power","Prod","Sums","Assign"],["Comma"]),p(2,["Number","Var","Value","RParen","Parens","Call","Unary","Power","Prod"],["Plus","Minus"]),p(2,["Number","Var","Value","RParen","Parens","Call","Unary","Power"],["Mul","Div","Mod"]),p(2,["Number","Var","Value","RParen","Parens","Call"],["Pow"]),p(2,["Number","Var","Value","RParen","Parens","Call","Unary","Power","Prod","Sums","Assign","Comma","OpenTuple","Tuple"],["RParen","(eof)"]),p(0,["(empty)","Expr"],["(eof)"]);var C=["Pow","Mul","Div","Mod","Plus","Minus","Eq","Comma","LParen"];function O(e,t){var n=y(e,2),r=y(e,1),o=y(e,0),a={id:"Unary"};return r===undefined||"Minus"!==r.id&&"Plus"!==r.id||n!==undefined&&-1===C.indexOf(n.id)?!1!==t?(a.expr=o,g(e,1,a)):void 0:(a.op=r,a.right=o,g(e,2,a))}var x=/^(?:(\s+)|((?:\d+e[-+]?\d+|\d+(?:\.\d*)?|\d*\.\d+))|(\+)|(\-)|(\*)|(\/)|(%)|(\^)|(\()|(\))|(=)|(,)|([a-zA-Z]\w*))/i,k=["Space","Number","Plus","Minus","Mul","Div","Mod","Pow","LParen","RParen","Eq","Comma","Var"];function D(t,n){var r=t.slice(n);if(0!==r.length){var o=x.exec(r);if(null===o){var a=function(e,t){for(var n=e.length;t<n;t++){var r=e.slice(t);if(0===r.length)break;if(null!==x.exec(r))break}return t}(t,n),i={pos:n,text:'Unexpected symbol "'+t.slice(n,a)+'"'};return e.warn("%s at %d",i.text,i.pos),{error:i,end:a}}for(var s=0,u=k.length;s<u;s++){var c=o[s+1];if(c!==undefined)return{id:k[s],string:c,pos:n,end:n+c.length,value:E(k[s],c)}}}}var S=Number.parseFloat||parseFloat;function E(e,t){switch(e){case"Number":return S(t);default:return t}}return n}(),s=function(e,t){return Array.isArray(e)?function(e,t){return e.length?e.reduce((function(e,n){return"decrease_first_value"===t?Number(n)-Number(e):Number(e)+Number(n)})):NaN}(e,t):Number(e)};var u,c,l=((c=new a).set("pi",Math.PI),c.set("e",Math.E),c.set("inf",Number.POSITIVE_INFINITY),u=Math,Object.getOwnPropertyNames(Math).forEach((function(e){c.set(e,u[e])})),c);return n.parse=function(e,t,n){e=(e=e.replace(/\[|\]|-/g,"__")).replace(/\s+(__|–)\s+/g," - "),t=void 0===t?{}:t;var r=/\[|\]|-/g,o={};for(var a in t)o[a.replace(r,"__")]=s(t[a],n);var i=this.parser.parse(e);return i.scope.numberFormat=function(e){if(!Number.isNaN(e))return(new Intl.NumberFormat).format(e)},i.scope.floor=function(e){return Math.floor(e)},i.scope.round=function(e){return Math.round(e)},i.scope.float=function(e,t){return t=void 0===t?0:t,e.toFixed(t)},i.scope.ceil=function(e){return Math.ceil(e)},i.eval(o)},t}(),La="";Na=jQuery,Element.prototype.getElSettings=function(e){if("settings"in this.dataset)return JSON.parse(this.dataset.settings.replace(/(&quot\;)/g,'"'))[e]||""},La=function(e,t){var n=e.find(".mf-multistep-container");0===n.find(".elementor-section-wrap").length&&n.find('div[data-elementor-type="wp-post"]').addClass("elementor-section-wrap");var r=n.find(".e-container--column").length>0?".e-container--column":n.find(".e-con").length>0?".e-con":".elementor-top-section";if(n.length){var o=[];n.find('div[data-elementor-type="wp-post"]  '.concat(r,":first-child")).parent().find("> ".concat(r)).each((function(e){var t=this.getElSettings("metform_multistep_settings_title")||"Step-"+Na(this).data("id"),r=this.getElSettings("metform_multistep_settings_icon"),a="",i="";r&&(a="svg"===r.library?'<img class="metform-step-svg-icon" src="'+r.value.url+'" alt="SVG Icon" />':r.value.length?'<i class="metform-step-icon '+r.value+'"></i>':""),0===e?(i="active",n.hasClass("mf_slide_direction_vertical")&&Na(this).parents(".elementor-section-wrap").css("height",Na(this).height())):1===e&&(i="next"),t&&o.push("<li class='metform-step-item "+i+"' id='metform-step-item-"+Na(this).attr("data-id")+"' data-value='"+Na(this).attr("data-id")+"'>"+a+'<span class="metform-step-title">'+t+"</span></li>")})),o&&(n.find(".metform-form-content .metform-form-main-wrapper > .elementor").before("<ul class='metform-steps'>"+o.join("")+"</ul>"),n.find("".concat(r,":first-of-type")).addClass("active"),n.find(".mf-progress-step-bar span").attr("data-portion",100/o.length).css("width",100/o.length+"%"))}n.find("".concat(r," .metform-btn")).attr("type","button"),n.find(".mf-input").on("keypress",(function(e){13!==e.which||Na(this).hasClass("mf-textarea")||n.find(".metform-step-item.next").trigger("click")})),n.find(r).on("keydown",(function(e){var t=Na(this),n=Na(":focus");if(9==e.which)if(t.hasClass("active")){var r=t.find(":focusable"),o=r.index(n),a=r.eq(o),i=r.eq(r.length-1);a.is(i)&&(a.focus(),e.preventDefault())}else n.focus(),e.preventDefault()})),n.find(".metform-steps").on("click",".metform-step-item",(function(){var e,o=this,a=Na(this).parents(".mf-form-wrapper").eq(0),i=a.find("".concat(r,".active .mf-input")),s=(Na("body").hasClass("rtl")?100:-100)*Na(this).index()+"%",u=(a.find(".mf-progress-step-bar").attr("data-total"),Na(this.nextElementSibling).hasClass("active")),c=[];Na(this).hasClass("prev","progress")&&Na(this).removeClass("progress"),i.each((function(){var e=Na(this),t=this.name;(e.hasClass("mf-input-select")||e.hasClass("mf-input-multiselect"))&&(t=e.find('input[type="hidden"]')[0].name),e.parents(".mf-input-repeater").length&&(t=""),t&&c.push(t)})),e=function(e){e&&(a.find("".concat(r,".active .metform-btn")).attr("type","button"),(Na(o).hasClass("prev")||Na(o).hasClass("next"))&&(Na(o).addClass("active").removeClass("next prev").prev().addClass("prev").siblings().removeClass("prev").end().end().next().addClass("next").siblings().removeClass("next").end().end().siblings().removeClass("active"),a.find("".concat(r,'[data-id="')+Na(o).data("value")+'"]').addClass("active").siblings().removeClass("active"),n.hasClass("mf_slide_direction_vertical")?(a.find(".elementor-section-wrap ".concat(r)).css({transform:"translateY("+s+")"}),a.find(".elementor-section-wrap").css("height","calc("+a.find("".concat(r,'[data-id="')+Na(o).data("value")+'"]').height()+"px)")):a.find(".elementor-section-wrap").css({transform:"translateX("+s+")"})),a.find(".mf-progress-step-bar span").css("width",(Na(o).index()+1)*a.find(".mf-progress-step-bar span").attr("data-portion")+"%"),a.find("".concat(r,".active")).find(".metform-submit-btn").length&&setTimeout((function(){a.find("".concat(r,".active")).find(".metform-submit-btn").attr("type","submit")}),0))},u?e(!0):(t.doValidate(c).then(e),"yes"===Na(this).closest("div[data-previous-steps-style]").attr("data-previous-steps-style")&&setTimeout((function(){Na(o).hasClass("active")&&Na(o).prevAll().addClass("progress")}),0))}))};function Va(e,t){return function(e){if(Array.isArray(e))return e}(e)||function(e,t){var n=null==e?null:"undefined"!=typeof Symbol&&e[Symbol.iterator]||e["@@iterator"];if(null==n)return;var r,o,a=[],i=!0,s=!1;try{for(n=n.call(e);!(i=(r=n.next()).done)&&(a.push(r.value),!t||a.length!==t);i=!0);}catch(u){s=!0,o=u}finally{try{i||null==n["return"]||n["return"]()}finally{if(s)throw o}}return a}(e,t)||za(e,t)||function(){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 Fa(e,t){var n="undefined"!=typeof Symbol&&e[Symbol.iterator]||e["@@iterator"];if(!n){if(Array.isArray(e)||(n=za(e))||t&&e&&"number"==typeof e.length){n&&(e=n);var r=0,o=function(){};return{s:o,n:function(){return r>=e.length?{done:!0}:{done:!1,value:e[r++]}},e:function(e){throw e},f:o}}throw new TypeError("Invalid attempt to iterate non-iterable instance.\nIn order to be iterable, non-array objects must have a [Symbol.iterator]() method.")}var a,i=!0,s=!1;return{s:function(){n=n.call(e)},n:function(){var e=n.next();return i=e.done,e},e:function(e){s=!0,a=e},f:function(){try{i||null==n["return"]||n["return"]()}finally{if(s)throw a}}}}function Ha(e){return function(e){if(Array.isArray(e))return Ua(e)}(e)||function(e){if("undefined"!=typeof Symbol&&null!=e[Symbol.iterator]||null!=e["@@iterator"])return Array.from(e)}(e)||za(e)||function(){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 za(e,t){if(e){if("string"==typeof e)return Ua(e,t);var n=Object.prototype.toString.call(e).slice(8,-1);return"Object"===n&&e.constructor&&(n=e.constructor.name),"Map"===n||"Set"===n?Array.from(e):"Arguments"===n||/^(?:Ui|I)nt(?:8|16|32)(?:Clamped)?Array$/.test(n)?Ua(e,t):void 0}}function Ua(e,t){(null==t||t>e.length)&&(t=e.length);for(var n=0,r=new Array(t);n<t;n++)r[n]=e[n];return r}function Wa(e){return(Wa="function"==typeof Symbol&&"symbol"==typeof Symbol.iterator?function(e){return typeof e}:function(e){return e&&"function"==typeof Symbol&&e.constructor===Symbol&&e!==Symbol.prototype?"symbol":typeof e})(e)}function Ba(e,t){for(var n=0;n<t.length;n++){var r=t[n];r.enumerable=r.enumerable||!1,r.configurable=!0,"value"in r&&(r.writable=!0),Object.defineProperty(e,r.key,r)}}function Ya(e,t){return(Ya=Object.setPrototypeOf||function(e,t){return e.__proto__=t,e})(e,t)}function qa(e){var t=function(){if("undefined"==typeof Reflect||!Reflect.construct)return!1;if(Reflect.construct.sham)return!1;if("function"==typeof Proxy)return!0;try{return Boolean.prototype.valueOf.call(Reflect.construct(Boolean,[],(function(){}))),!0}catch(e){return!1}}();return function(){var n,r=Qa(e);if(t){var o=Qa(this).constructor;n=Reflect.construct(r,arguments,o)}else n=r.apply(this,arguments);return $a(this,n)}}function $a(e,t){if(t&&("object"===Wa(t)||"function"==typeof t))return t;if(void 0!==t)throw new TypeError("Derived constructors may only return object or undefined");return Ka(e)}function Ka(e){if(void 0===e)throw new ReferenceError("this hasn't been initialised - super() hasn't been called");return e}function Qa(e){return(Qa=Object.setPrototypeOf?Object.getPrototypeOf:function(e){return e.__proto__||Object.getPrototypeOf(e)})(e)}function Ga(e,t){var n=Object.keys(e);if(Object.getOwnPropertySymbols){var r=Object.getOwnPropertySymbols(e);t&&(r=r.filter((function(t){return Object.getOwnPropertyDescriptor(e,t).enumerable}))),n.push.apply(n,r)}return n}function Ja(e){for(var t=1;t<arguments.length;t++){var n=null!=arguments[t]?arguments[t]:{};t%2?Ga(Object(n),!0).forEach((function(t){Xa(e,t,n[t])})):Object.getOwnPropertyDescriptors?Object.defineProperties(e,Object.getOwnPropertyDescriptors(n)):Ga(Object(n)).forEach((function(t){Object.defineProperty(e,t,Object.getOwnPropertyDescriptor(n,t))}))}return e}function Xa(e,t,n){return t in e?Object.defineProperty(e,t,{value:n,enumerable:!0,configurable:!0,writable:!0}):e[t]=n,e}var Za=new(xe())({tolerance:200}),ei=function(e){!function(e,t){if("function"!=typeof t&&null!==t)throw new TypeError("Super expression must either be null or a function");e.prototype=Object.create(t&&t.prototype,{constructor:{value:e,writable:!0,configurable:!0}}),t&&Ya(e,t)}(a,React.Component);var t,n,r,o=qa(a);function a(e){var t,n;!function(e,t){if(!(e instanceof t))throw new TypeError("Cannot call a class as a function")}(this,a),Xa(Ka(n=o.call(this,e)),"handleFormSubmit",(function(e,t){var r;t.preventDefault(),n.setState(Ja(Ja({},n.state),{},{errors:[]})),n.handleDefaultValues();var o=n.state,a=o.formData,i=o.defaultData,s=n.props,u=s.action,c=s.wpNonce,l=s.validation,f=l.reset,d=new FormData,p=Ja(Ja({},i),a);for(var h in jQuery(n.mfRefs.mainForm.parentElement).trigger("metform/before_submit",p),jQuery(n.mfRefs.mainForm).find(".metform-submit-btn").attr("disabled",!0),p)if("object"==Wa(p[h])){var m=p[h][0];if(Blob&&m instanceof Blob)for(var g=p[h].length,v=0;v<g;v++)d.append(h+"[]",p[h][v]);else d.append(h,p[h])}else d.append(h,p[h]);r="mf_success_duration"in n.props.widgetSettings?n.props.widgetSettings.mf_success_duration:5,r*=1e3,fetch(u,{method:"POST",headers:{"X-WP-Nonce":c},body:d}).then((function(e){return e.json()})).then((function(e){var o,a;(n.formSubmitResponse=e,e.status)?(n.setState({success:"true"===n.props.quizSummery&&Object.keys(n.state.answers).length&&e.data.message?"".concat(e.data.message," You have got ").concat(n.state.formData["quiz-marks"]," Marks. Right Answer ").concat(null===(o=n.state.formData)||void 0===o?void 0:o["right-answer"].length,".\n\t\t\t\t\tWrong Answer ").concat(null===(a=n.state.formData)||void 0===a?void 0:a["wrong-answer"].length,"."):e.data.message?e.data.message:"",form_res:1},(function(){n.resetReCAPTCHA(),l.clearErrors("g-recaptcha-response")})),e.status&&e.data.hide_form&&(n.formRef.current.setAttribute("class","mf-close-this-form"),setTimeout((function(){n.formRef.current.innerHTML=""}),600)),n.setState({formData:{}}),jQuery(t.target).trigger("reset"),jQuery(t.target).find(".m-signature-pad .btn.clear").trigger("click"),jQuery(t.target).find(".mf-repeater-select-field").val(null).trigger("change"),0!=jQuery(t.target).find(".mf-repater-range-input").length&&jQuery(t.target).find(".mf-repater-range-input").asRange("set","0"),0!=jQuery(t.target).find(".g-recaptcha-response-v3").length&&grecaptcha.ready((function(){grecaptcha.execute(jQuery(t.target).find("#recaptcha_site_key_v3")[0].dataset.sitekey,{action:"submit"}).then((function(e){jQuery(t.target).find(".g-recaptcha-response-v3").val(e)}))})),n.setState(Ja(Ja({},n.state),{},{defaultData:{form_nonce:n.state.defaultData.form_nonce}})),f(),setTimeout((function(){n.setState({errors:[],form_res:0})}),r)):n.setState({errors:Ha(e.error),form_res:1},(function(){n.resetReCAPTCHA(),n.setValue("mf-captcha-challenge","",!0),l.clearErrors("g-recaptcha-response")}));if(e.data.store&&"stripe"===e.data.store["mf-payment-method"]&&n.stripePayment(e),jQuery(n.mfRefs.mainForm.parentElement).trigger("metform/after_submit",{data:p,response:e}),(e.data.store&&"stripe"!==e.data.store["mf-payment-method"]||0==e.store_entries&&e.status&&""!==e.data.redirect_to.trim())&&e.status&&e.data.redirect_to.trim()){e.data.entry_id;var i=e.data.redirect_to;setTimeout((function(){window.location.href=i}),1500)}setTimeout((function(){e.data.hide_form||e.data.store&&"stripe"!==e.data.store["mf-payment-method"]&&n.setState({success:"",errors:[],form_res:0})}),r)}))["catch"]((function(e){n.setState({errors:["Something went wrong"],form_res:1},(function(){n.resetReCAPTCHA(),n.setValue("mf-captcha-challenge","",!0),l.clearErrors("g-recaptcha-response")})),console.error(e.message),setTimeout((function(){n.setState({errors:[],form_res:0})}),r)}))["finally"]((function(){if(n.state.submitted=!0,jQuery(n.mfRefs.mainForm).find(".metform-submit-btn").attr("disabled",!1),!n.props.stopVerticalEffect){var e=n.mfRefs.mainForm.querySelector(".mf-main-response-wrap");Za.move(e)}setTimeout((function(){n.setState({mobileWidget:{}}),localStorage.removeItem("metform-".concat(n.props.formId)),jQuery(n.mfRefs.mainForm).find(".mf-toggle-select-input").each((function(){jQuery(this).removeAttr("checked")})),n.state.hasOwnProperty(["QuizInfo"])&&(n.state.formData["total-question"]=n.state.QuizInfo.totalQuestion,n.state.formData["right-answer"]=n.state.QuizInfo.rightAnswer,n.state.formData["wrong-answer"]=n.state.QuizInfo.wrongAnswer,n.state.formData["quiz-marks"]=n.state.QuizInfo.marks)}),350)}))})),Xa(Ka(n),"handleCalculations",(function(e,t){var r=e.target.calc_behavior,o=ReactDOM.findDOMNode(Ka(n)),a=o.length?o.querySelectorAll(".mf-input-calculation"):[];for(var i in t)if(Array.isArray(t[i])){var s=t[i].map((function(e){return isNaN(e)?e:Number(e)}));t[i]=s}for(var u in a.forEach((function(e){var o=parseInt(e.dataset.fraction);o=o<0||o>99?2:o;var a=n.MfMathCalc.parse(e.dataset.equation,t,r)||0;if("NaN"!==a){var i=a.toString().split(".");i.length>1&&(i[1]=i[1].slice(0,o),i[1].length||i.pop()),t[e.name]=i.join(".")}})),t)if(Array.isArray(t[u]))for(var c=0;c<t[u].length;c++)"number"==typeof t[u][c]&&(t[u][c]=t[u][c]+"")})),Xa(Ka(n),"handleConditionals",(function(e){var t=n.state,r=t.formData,o=t.defaultData,a=n.props,i=a.widgets,s=a.conditionalRefs,u=a.validation,c=u.getValues,l=u.setValue;s.forEach((function(e){(e=i[e]).list=e.settings.mf_conditional_logic_form_list,e.operator=e.settings.mf_conditional_logic_form_and_or_operators,e.action=e.settings.mf_conditional_logic_form_action,e.validatedValues=[],e.isValidated=!1,e.list.forEach((function(t){t.name=t.mf_conditional_logic_form_if,t.value=r[t.name]||o[t.name]||"",t.match=isNaN(t.mf_conditional_logic_form_value)?t.mf_conditional_logic_form_value:+t.mf_conditional_logic_form_value,t.operator=n.decodeEntities(t.mf_conditional_logic_form_comparison_operators),Array.isArray(t.value)&&-1!==t.value.indexOf(t.match)&&(t.value=t.value[t.value.indexOf(t.match)]),e.validatedValues.push(function(e,t,n){switch(n){case"+":return e+t;case"-":return e-t;case"*":return e*t;case"/":return e/t;case"<":return e<t;case"<=":return e<=t;case">":return e>t;case">=":return e>=t;case"==":return e==t;case"!=":return e!=t;case"not-empty":return void 0!==e&&String(e).length>0;case"empty":return void 0!==e&&0==String(e).length;default:return!1}}(t.value,t.match,t.operator));var a=t.mf_conditional_logic_form_if,i=jQuery("input[name = ".concat(a,"]")).closest(".elementor-element[mf-condition-hidden]").attr("mf-condition-hidden");e.parentCondition=i})),e.isValidated=e.validatedValues.some((function(e){return!0===e})),"and"===e.operator&&(e.isValidated=e.validatedValues.every((function(e){return!0===e})));var t=e.settings.mf_input_name;if(e.isValidated&&"show"===e.action){var a;e.el.setAttribute("mf-condition-hidden",!1),e.el.classList.remove("mf-condition--hidden"),null===(a=e.el.closest(".e-container, .e-con, .elementor-top-section"))||void 0===a||a.classList.remove("mf-condition--hidden"),e.parentCondition!==undefined&&e.el.setAttribute("mf-condition-hidden",e.parentCondition),"noval"===c(t)&&l(t,undefined)}else{var s,u,f;if(e.el.setAttribute("mf-condition-hidden",!0),!e.el.closest(".elementor-inner-section")&&!e.el.closest(".e-container")&&!e.el.closest(".e-con"))Array.isArray(null===(s=Object.values(e.el.closest(".elementor-widget-wrap"))[1])||void 0===s?void 0:s.children)||e.el.closest(".elementor-top-section").classList.add("mf-condition--hidden");if(e.el.closest(".e-container"))(null===(u=Object.values(e.el.closest(".e-container"))[1])||void 0===u||null===(f=u.children)||void 0===f?void 0:f.length)<=2&&e.el.closest(".e-container").classList.add("mf-condition--hidden");e.el.classList.add("mf-condition--hidden"),Object.values(e.el.classList).indexOf("elementor-widget-mf-select")>-1&&l(t,"noval")}}))})),Xa(Ka(n),"getValue",(function(e){return e in n.state.formData?n.state.formData[e]:""})),Xa(Ka(n),"getFileLabel",(function(e,t){var r=n.state.formData[e],o="";if(r&&(null==r?void 0:r.length)>1){for(var a=0;a<(null==r?void 0:r.length);a++)o+=r[a].name+",";o=o.slice(0,-1)}else 1==(null==r?void 0:r.length)&&(o=r?r[0].name:"");return r?o:n.decodeEntities(t)})),Xa(Ka(n),"getInputLabel",(function(e,t){var r=ReactDOM.findDOMNode(Ka(n)).querySelector('[name="'+e+'"]'),o=r?r.closest(".mf-input-wrapper").querySelector("label"):null;return o?o.innerText.replace(/\*/g,"").trim():t})),Xa(Ka(n),"decodeEntities",(function(e){var t=document.createElement("textarea");return t.innerHTML=e,t.value})),Xa(Ka(n),"setDefault",(function(e){if(null!==e){var t=e.name,r=e.value,o=n.state.defaultData;o[t]=r,n.setState({defaultData:o})}})),Xa(Ka(n),"isNumeric",(function(e){return!isNaN(parseFloat(e))&&isFinite(e)})),Xa(Ka(n),"setStateValue",(function(e,t){n.setState({name:e,value:t})})),Xa(Ka(n),"handleCardNumber",(function(e){var t=e.target,r=t.name,o=t.value,a=n.state.formData,i=a[r+"--type"],s=o.replace(/\s+/g,"").replace(/[^0-9]/gi,""),u=a[r],c="amex"===i?5:4,l="amex"===i?15:16;if(new RegExp("^[0-9]*$").test(s)&&s.length<=l){for(var f=s.match(/\d{4,16}/g),d=f&&f[0]||"",p=[],h=0,m=d.length;h<m;h+=c)p.push(d.substring(h,h+c));p.length&&(s=p.join(" ").trim()),u=s}n.setValue(r,u,!0),n.handleChange(e),e.target.value=u,n.handleCardType(s,e.target.name)})),Xa(Ka(n),"handleCardType",(function(e,t){var r="blank",o=t+"--type";r=e.startsWith("34")||e.startsWith("37")?"amex":e.startsWith("4")?"visa":e.startsWith("5")?"master":e.startsWith("6")?"discover":"custom";var a=n.state.formData;a[o]=r,n.setState({formData:a})})),Xa(Ka(n),"handleCardMonth",(function(e){var t=e.target,r=t.name,o=t.value,a=parseInt(o.replace(/-/g,""))||"",i=parseInt(a.toString().substring(0,1))||"";1<i&&i<10?n.setValue(r,i,!0):n.setValue(r,a>12?12:a,!0),n.handleChange(e)})),Xa(Ka(n),"handleSubVal",(function(e,t){var r=e.target,o=r.name,a=r.value,i=parseInt(a.replace(/-/g,"").substring(0,t))||"";n.setValue(o,i,!0),e.target.value=i,n.handleChange(e)})),Xa(Ka(n),"handleSaveProgress",(function(e,t){if(!elementorFrontend.isEditMode()&&"true"===n.props.saveProgress&&!(document.getElementsByName(e)[0].className.includes("mf-captcha-input")||document.getElementsByName(e)[0].className.includes("g-recaptcha-response")||document.getElementsByName(e)[0].className.includes("g-recaptcha-response-v3")||"password"==document.getElementsByName(e)[0].type||document.getElementsByName(e)[0].closest(".mf-credit-card-wrapper")||"file"===document.getElementsByName(e)[0].type)){var r=new Date;r.setMinutes(r.getMinutes()+120),null===localStorage.getItem("metform-".concat(n.props.formId))&&localStorage.setItem("metform-".concat(n.props.formId),JSON.stringify({expireTime:r.getTime()})),setTimeout((function(){var r,o,a=null===(r=document.getElementsByClassName("mf-input-calculation")[0])||void 0===r?void 0:r.value,i=null===(o=document.getElementsByClassName("mf-input-calculation")[0])||void 0===o?void 0:o.name,s=JSON.parse(localStorage.getItem("metform-".concat(n.props.formId)));for(var u in a&&(s[i]=a),s[e]=t,s)""===s[u]&&delete s[u];localStorage.setItem("metform-".concat(n.props.formId),JSON.stringify(s))}),0)}})),Xa(Ka(n),"compareArrays",(function(e,t){if(!e||!t)return!1;if(e.length!==t.length)return!1;var n=e.sort(),r=t.sort();return n.map((function(e,t){return r[t]===e})).every((function(e){return e}))})),Xa(Ka(n),"handleIncorrectAnswer",(function(e,t,n,r,o,a){var i,s,u;null!==(i=e.formData["wrong-answer"])&&void 0!==i&&i.includes(n)||(t["wrong-answer"]=t["wrong-answer"]?[].concat(Ha(t["wrong-answer"]),[n]):[n],t["quiz-marks"]=(t["quiz-marks"]?t["quiz-marks"]:0)-(!(null!==(u=t["right-answer"])&&void 0!==u&&u.includes(n))&&(a||0)));if(null!==(s=t["right-answer"])&&void 0!==s&&s.includes(n)){var c=t["right-answer"].indexOf(n);t["quiz-marks"]=t["quiz-marks"]-o,t["quiz-marks"]=t["quiz-marks"]-(a||0),t["right-answer"].splice(c,1)}return t})),Xa(Ka(n),"handleCorrectAnswer",(function(e,t,r,o){var a,i;e["quiz-marks"]=(e["quiz-marks"]?e["quiz-marks"]:0)+r,e["quiz-marks"]=(e["quiz-marks"]?e["quiz-marks"]:0)+(o||0),e["right-answer"]=e["right-answer"]?[].concat(Ha(e["right-answer"]),[t]):[t];var s=null===(a=e["wrong-answer"])||void 0===a?void 0:a.indexOf(t);null===(i=e["wrong-answer"])||void 0===i||i.splice(s,1),n.setState({formData:e})})),Xa(Ka(n),"handleChange",(function(e){var t=e.target,r=t.name,o=t.value,a=t.type,i=n.state.formData;i[r]="number"===a&&"mobile"!==a?Number(o):o,n.handleCalculations(e,i),n.setState({formData:i});var s=e.target;if(s.className!==undefined&&-1!==s.className.indexOf("mf-repeater-type-simple")||n.trigger(r),n.handleSaveProgress(r,o),"quiz-form"===n.props.formType&&Object.keys(n.state.answers).includes(r)){var u=parseFloat(n.state.answers[r].correctPoint),c=parseFloat(n.state.answers[r].incorrectPoint);if("multiselect"===a||"checkbox"===a){var l=n.handleIncorrectAnswer(n.state,i,r,o,u,c);n.compareArrays(o,n.state.answers[r].answer)&&n.handleCorrectAnswer(l,r,u,c)}else if("text"===a||"radio"===a){var f=n.handleIncorrectAnswer(n.state,i,r,o,u,c);(null==o?void 0:o.toLowerCase())===n.state.answers[r].answer.toLowerCase()&&n.handleCorrectAnswer(f,r,u,c)}else if("select"===a){var d=n.handleIncorrectAnswer(n.state,i,r,o,u,c);o===n.state.answers[r].answer&&n.handleCorrectAnswer(d,r,u,c)}}})),Xa(Ka(n),"handleDateTime",(function(e){var t=e.target,r=t.name,o=t.value;n.setValue(r,o,!0),n.handleChange(e)})),Xa(Ka(n),"handleSelect",(function(e,t){var r=e.value;e.target={name:t,value:r,type:"select"},n.setValue(t,r,!0),n.handleChange(e)})),Xa(Ka(n),"handleRadioDefault",(function(e){var t=n.state.formData;if(e&&e.dataset.checked){var r=e.name;e.setAttribute("checked",!0),r in t||n.handleChange({target:{name:r,value:e.value}})}})),Xa(Ka(n),"handleCheckbox",(function(e,t){if(!e)return!1;var r=n.state.formData,o=!1;if("onLoad"===t){var a=e.querySelectorAll(".mf-checkbox-input"),i=[];a.forEach((function(e){o||(o=e.name),e.checked&&i.push(e.value)})),!r[o]&&i.length&&n.handleChange({target:{name:o,value:i}})}if("onClick"===t){o||(o=e.name);var s=new Set(r[o]);e.checked&&s.add(e.value),e.checked||s["delete"](e.value),n.handleChange({target:{name:o,value:Array.from(s),type:"checkbox"}})}})),Xa(Ka(n),"handleSwitch",(function(e){e.target.value=e.target.nextElementSibling.getAttribute("data-disable"),e.target.checked&&(e.target.value=e.target.nextElementSibling.getAttribute("data-enable")),n.handleChange(e)})),Xa(Ka(n),"handleOptin",(function(e){e.target.checked||(e.target.value="Declined"),e.target.checked&&(e.target.value="Accepted"),n.handleChange(e)})),Xa(Ka(n),"handleFileUpload",(function(e){n.handleChange({target:{name:e.target.name,value:e.target.files}})})),Xa(Ka(n),"handleMultiStepBtns",(function(e){var t=jQuery(e.currentTarget).parents(".elementor-top-section.active").length>0?".elementor-top-section":jQuery(e.currentTarget).parents(".e-container--column.active").length>0?".e-container--column":".e-con",r=jQuery(e.currentTarget).parents("".concat(t,".active")),o=e.currentTarget.dataset.direction,a=r.prev()[0]?r.prev()[0].dataset:"",i=r.next()[0]?r.next()[0].dataset:"",s=("next"===o?i:a).id;if(!s)return!1;var u=jQuery(e.currentTarget).parents(".metform-form-content").find('.metform-step-item[data-value="'+s+'"]'),c=[];r.find(".mf-input").each((function(){var e=jQuery(this),t=this.name;(e.hasClass("mf-input-select")||e.hasClass("mf-input-multiselect"))&&(t=e.find('input[type="hidden"]')[0].name),e.parents(".mf-input-repeater").length&&(t=""),t&&c.push(t)})),jQuery(e.currentTarget).parents(".mf-scroll-top-yes").length&&Za.move(n.mfRefs.mainForm),"next"===o?n.trigger(c).then((function(e){e&&u.trigger("click")})):u.trigger("click")})),Xa(Ka(n),"handleImagePreview",(function(e){var t=e.target,n=e.clientX,r=e.clientY,o=e.type,a=t.nextElementSibling,i=t.closest(".mf-image-select"),s=i.getBoundingClientRect(),u=r-s.top,c=n-s.left;if(a){if(t.closest(".mf-multistep-container")&&(r=u+50,n=c+30),"mouseleave"===o)return a.style.opacity="",void(a.style.visibility="hidden");a.style.opacity||(a.style.opacity="1",a.style.visibility="visible"),a.offsetHeight+r>window.innerHeight||r+2*i.clientHeight>window.innerHeight?(a.className="mf-select-hover-image mf-preview-top",r-=55):a.className="mf-select-hover-image",a.style.top=r+30+"px",a.style.left=n-28+"px"}})),Xa(Ka(n),"handleSignature",(function(e){e.target={name:e.props.name,value:e.toDataURL()},n.handleChange(e),n.setValue(e.target.name,e.target.value,!0)})),Xa(Ka(n),"refreshCaptcha",(function(e){n.setState({captcha_img:n.state.captcha_path+Date.now()})})),Xa(Ka(n),"resetReCAPTCHA",(function(){n.getValue("mf-captcha-challenge")&&n.refreshCaptcha(),n.getValue("g-recaptcha-response")&&n.handleReCAPTCHA("reset")})),Xa(Ka(n),"handleReCAPTCHA",(function(e){"reset"===e&&(e="",grecaptcha.reset());var t={target:{name:"g-recaptcha-response",value:(e=e||"")||""}};n.handleChange(t)})),Xa(Ka(n),"activateValidation",(function(e,t,r){var o,a,i=n.state.formData,s=n.props.validation.register,u=e.type,c=e.required,l=e.message,f=e.minLength,d=e.maxLength,p=e.expression,h={};if(t&&c&&t.closest(".elementor-element")&&"true"===t.closest(".elementor-element").getAttribute("mf-condition-hidden"))h.required=!1;else{if((u&&"none"!==u||c)&&(h.required=!!c&&l),t&&t.classList&&t.classList.contains("mf-credit-card-number")&&(i[t.name]&&"amex"===i[t.name+"--type"]?h.minLength=h.maxLength={value:17,message:l}:h.minLength=h.maxLength={value:19,message:l}),e.inputType&&"credit_card_date"===e.inputType&&(f&&(h.min={value:f,message:l}),d&&(h.max={value:d,message:l})),t&&"file"===t.type&&t.files.length>0){var m=e.file_types,g=e.size_limit,v=t.files[0].name.substr(t.files[0].name.lastIndexOf(".")+1);h.validate={fileType:function(){return v=v.toLowerCase(),!(m!==[]&&!m.includes("."+v))||e.type_message},fileSize:function(){return!(-1!==g&&t.files[0].size>1024*parseInt(g))||e.limit_message}}}t&&"email"===t.type?h.pattern={value:/^(([^<>()\[\]\.,;:\s@\"]+(\.[^<>()\[\]\.,;:\s@\"]+)*)|(\".+\"))@(([^<>()[\]\.,;:\s@\"]+\.)+[^<>()[\]\.,;:\s@\"]{2,})$/i,message:e.emailMessage}:t&&"url"===t.type&&(h.pattern={value:/^(http[s]?:\/\/(www\.)?|ftp:\/\/(www\.)?|www\.){1}([0-9A-Za-z-\.@:%_\+~#=]+)+((\.[a-zA-Z]{2,3})+)(\/(.)*)?(\?(.)*)?/g,message:e.urlMessage}),"by_character_length"===u?(o=t&&"number"===t.type?"min":"minLength",a=t&&"number"===t.type?"max":"maxLength",f&&(h[o]={value:f,message:l}),d&&(h[a]={value:d,message:l})):"by_word_length"===u?h.validate={wordLength:function(e){return n.handleWordValidate(e,f,d,l)}}:"by_expresssion_based"===u&&(h.validate={expression:function(e){return n.handleExpressionValidate(e,p,l)}})}return"function"==typeof r&&r(),t?s(t,h):h})),Xa(Ka(n),"handleWordValidate",(function(e,t,n,r){var o=e.trim().split(/\s+/).length;return!!(n?o>=t&&o<=n:o>=t)||r})),Xa(Ka(n),"handleExpressionValidate",(function(e,t,n){if(t)return!!new RegExp(t).test(e)||n})),Xa(Ka(n),"colorChange",(function(e,t){n.handleChange({target:{name:t,value:e.hex}})})),Xa(Ka(n),"colorChangeInput",(function(e){n.handleChange({target:{name:e.target.name,value:e.target.value}})})),Xa(Ka(n),"multiSelectChange",(function(e,t){if("string"==typeof e)try{e=JSON.parse(e)}catch(o){return}var r=[];if(null!==e)try{e.filter((function(e){return r.push(e.value?e.value:e.mf_input_option_value)}))}catch(a){return}n.handleChange({target:{name:t,value:r,type:"multiselect"}})})),Xa(Ka(n),"handleRangeChange",(function(e,t){n.handleChange({target:{name:t,value:Number(e.toFixed(2)),type:"range"}}),n.props.validation.setValue(t,Number(e.toFixed(2)))})),Xa(Ka(n),"handleMultipileRangeChange",(function(e,t){n.handleChange({target:{name:t,value:[e.min,e.max],calc_behavior:"decrease_first_value"}})})),Xa(Ka(n),"handleOnChangePhoneInput",(function(e,t,r){var o="";r&&e!==r.dialCode&&(o=e),n.setState({mobileWidget:Ja(Ja({},n.state.mobileWidget),{},Xa({},t,e))}),n.handleChange({target:{name:t,value:o,type:"mobile"}})})),Xa(Ka(n),"setFormData",(function(e,t){n.state.formData[e]=t})),Xa(Ka(n),"getParams",(function(){for(var e,t=window.location.search,n={},r=/[?&]?([^=]+)=([^&]*)/g;e=r.exec(t);)n[decodeURIComponent(e[1])]=decodeURIComponent(e[2]);return n})),Xa(Ka(n),"setParamValueState",(function(){var e=n.state.formData,t=n.getParams(),r=n.props.widgets,o=function(o){var a=t[o].split(","),i=function(t){var i=r[t].el,s=jQuery(i),u=s.data().settings,c=u.mf_input_list,l=[];function f(e){return s.find(e).length>0}function d(){var t=a.filter((function(e){return e.length>0&&l.length>0&&l.includes(e)})),n=Ha(new Set(t));n.length>0&&(e[o]=n)}function p(t){e[o]=t}if(u.mf_input_name===o&&"yes"===u.mf_input_get_params_enable){if(c&&c.length>0){for(var h=0;h<c.length;h++)l.push(c[h].mf_input_option_value||c[h].value);if((f(".mf-input-select")||f("input.mf-radio-input:radio")||f("input.mf-image-select-input:radio")||f("input.mf-toggle-select-input:radio"))&&(function(){var t=a.filter((function(e){return e.length>0&&l.length>0&&l.includes(e)}))[0];t&&(e[o]=t)}(),f("input.mf-toggle-select-input:radio"))){var m=a.filter((function(e){return e.length>0&&l.length>0&&l.includes(e)}))[0];m&&s.find("input.mf-toggle-select-input:radio").each((function(){jQuery(this).prop("checked",!1),m.includes(jQuery(this).val())&&jQuery(this).prop("checked",!0)}))}if(f("input.mf-checkbox-input:checkbox")||f("input.mf-image-select-input:checkbox")||f("input.mf-toggle-select-input:checkbox"))d(),a.filter((function(e){return e.length>0&&l.length>0&&l.includes(e)})).length>0&&(s.find("input.mf-checkbox-input:checkbox").each((function(){jQuery(this).prop("checked",!1),a.includes(jQuery(this).val())&&jQuery(this).prop("checked",!0)})),s.find("input.mf-toggle-select-input:checkbox").each((function(){jQuery(this).prop("checked",!1),a.includes(jQuery(this).val())&&jQuery(this).prop("checked",!0)})));f(".mf-input-multiselect")&&d()}else{var g=a[0];if(f("input[type=email]")&&(p(g),s.find("input[type=email]").val(g)),f("input[type=checkbox]")&&"on"===g&&(p(g),s.find("input[type=checkbox]")[0].checked=!0),f("input[type=number]")){p(Number(g)),s.find("input[type=number]").val(Number(g));var v=s.find("input[type=number]")[0];v.addEventListener("click",(function(t){n.handleCalculations(t,e)})),v.click()}if(f(".range-slider")){var y=u.mf_input_min_length_range;u.mf_input_max_length_range>=Number(g)&&y<=Number(g)&&p(Number(g))}if(f(".mf-ratings"))u.mf_input_rating_number>=Number(g)&&0<=Number(g)&&p(Number(g));if(f("input.mf-input-switch-box:checkbox")){var b=u.mf_swtich_enable_text;b===g&&(p(b),s.find("input.mf-input-switch-box:checkbox")[0].checked=!0)}if(f("input.mf-payment-method-input:radio")){var w=["paypal","stripe"],C=a.filter((function(e){return e.length>0&&w.includes(e)}))[0];C&&p(C),C&&s.find("input.mf-payment-method-input:radio").each((function(){jQuery(this).prop("checked",!1),a.includes(jQuery(this).val())&&jQuery(this).prop("checked",!0)}))}if(f("input[type=text]")||f("input[type=password]")||f("input[type=tel")||f("textarea.mf-input")||f("input[type=url]")){var O=n.getParams()[o];if(f("input.flatpickr-input")){(g.match(/^[0-3]?[0-9].[0-3]?[0-9].(?:[0-9]{2})?[0-9]{2}$/)||g.match(/^(?:[0-9]{2})?[0-9]{2}.[0-3]?[0-9].[0-3]?[0-9]$/))&&p(O)}else p(O),s.find("input[type=text").val(O),s.find("input[type=password").val(O),s.find("input[type=tel").val(O),s.find("textarea.mf-input").val(O),s.find("input[type=url]").val(O)}}n.setState({formData:e})}};for(var s in r)i(s)};for(var a in t)o(a)})),n.storageData=JSON.parse(localStorage.getItem("metform-".concat(e.formId)))||{},(null===(t=n.storageData)||void 0===t?void 0:t.expireTime)<new Date&&(localStorage.removeItem("metform-".concat(e.formId)),n.storageData={}),n.state={formData:"true"===n.props.saveProgress?n.storageData:{},defaultData:{form_nonce:e.formNonce},recaptcha_uid:e.formId+"_"+Math.random().toString(36).substring(5,10),result_not_foud:"",total_result:0,form_res:0,errors:[],success:"",config:{},mobileWidget:{},formId:e.formId,answers:{},submitted:!1},n.formSubmitResponse,n.MfMathCalc=new Ra,n.setValue=e.validation.setValue,n.trigger=e.validation.trigger,n.formRef=React.createRef(),n.formContainerRef=React.createRef(),n.interval=null,n.mfRefs={},setTimeout((function(){if(!elementorFrontend.isEditMode()&&"true"===e.saveProgress){var t,r=/^([0-9a-zA-Z+/]{4})*(([0-9a-zA-Z+/]{2}==)|([0-9a-zA-Z+/]{3}=))?$/,o=n.state.formData,a=document.getElementsByClassName("mf-input-repeater")[0],i=null===(t=document.getElementsByClassName("mf-input-repeater-items attr-items")[0])||void 0===t?void 0:t.outerHTML;for(var s in o)if("string"==typeof o[s]&&r.test(o[s].split(",")[1])&&function(){var e,t=(null===(e=document.getElementsByName("".concat(s))[0])||void 0===e?void 0:e.parentElement.getElementsByTagName("canvas")[0]).getContext("2d"),n=new Image;n.onload=function(){t.drawImage(n,0,0)},n.src=o[s]}(),s.match(/\[[^\]]*\]/g)&&2===s.match(/\[[^\]]*\]/g).length){var u=s.match(/\d+/)[0];if(document.getElementsByName(s)[0]!==undefined)document.getElementsByName(s)[0].value=o[s];else{var c,l=(new DOMParser).parseFromString(i,"text/html");l.getElementsByClassName("mf-input-repeater-items")[0].dataset.index=u,l.getElementsByClassName("mf-input-repeater-items")[0].removeAttribute("style"),l.getElementsByClassName("mf-input attr-form-control")[0].name=s;var f=null===(c=l.getElementsByClassName("mf-input-repeater-items")[0])||void 0===c?void 0:c.outerHTML;a.insertAdjacentHTML("beforeend",f),document.getElementsByName(s)[0].value=o[s]}}}}),1e3),window["handleReCAPTCHA_"+n.state.recaptcha_uid]=n.handleReCAPTCHA;var r=e.templateEl.innerHTML,i=n.replaceWith([["&#8216;","'"],["&#8217;","'"],["&#8220;",'"'],["&#8221;",'"'],["&#8211;","--"]],r);return n.jsx=new Function("parent","props","state","validation","register","setValue","html",i),e.templateEl.remove(),jQuery(document).on("click",".remove-btn",(function(e){var t=jQuery(e.target).parent().siblings(".mf-input-repeater-content").find(".mf-repeater-field")[0].name;n.state.formData[t]!==undefined&&(delete n.state.formData[t],n.setState({formData:n.state.formData}))})),n}return t=a,(n=[{key:"replaceWith",value:function(e,t){var n,r=t,o=Fa(e);try{for(o.s();!(n=o.n()).done;){var a=Va(n.value,2),i=a[0],s=a[1];r=r.replaceAll(i,s)}}catch(u){o.e(u)}finally{o.f()}return r}},{key:"handleDefaultValues",value:function(){var e,t=this.mfRefs.mainForm,n={},r=Fa(new FormData(t));try{for(r.s();!(e=r.n()).done;){var o=Va(e.value,2),a=o[0],i=o[1];n[a]=i}}catch(s){r.e(s)}finally{r.f()}this.setState({defaultData:Ja(Ja({},this.state.defaultData),n)})}},{key:"stripePayment",value:function(e){var t,n=e.data.payment_data,r=this;if(n.keys&&""!==n.keys)return(t=StripeCheckout.configure({key:n.keys,image:n.image_url,locale:"auto",token:function(t){var o;t.id?(n.stripe_token=t.id,o={sandbox:n.sandbox},fetch(e.data.ajax_stripe+"&token="+t.id,{headers:{"X-WP-Nonce":r.props.wpNonce},data:o}).then((function(e){return e.json()})).then((function(e){e.status?e.redirect_url?window.location.href=e.redirect_url:"success"===e.status?r.setState({success:"Payment Successful!",errors:[],form_res:1}):r.setState({success:"",errors:[e.message],form_res:1}):alert(e.message)}))):alert("Sorry!! Payment token invalid")}})).open({name:String(n.name_post),description:" Form No.: "+String(n.description),amount:100*Number(n.amount),currency:n.currency_code}),window.addEventListener("popstate",(function(){t.close()})),{type:"error",redirect_url:"",message:"Payment Unsuccessful!"};alert("Please set your Stripe Keys in form settings.")}},{key:"renderReCaptcha",value:function(e,t){var n=window.grecaptcha,r=document.querySelectorAll(".g-recaptcha"),o=document.querySelectorAll(".recaptcha_site_key_v3");r.length?n.render("g-recaptcha",{sitekey:r[0].dataset.sitekey}):o.length&&n.ready((function(){n.execute(o[0].dataset.sitekey,{action:"submit"}).then((function(t){e.querySelectorAll(".g-recaptcha-response-v3").forEach((function(e){e.value=t}))}))}))}},{key:"componentDidUpdate",value:function(){var e,t=this.props.validation.formState.isValid;this.handleConditionals(),t||this.props.stopVerticalEffect||(e=this.mfRefs.mainForm.querySelector(".mf-error-message"))&&Za.move(e.parentElement.parentElement)}},{key:"componentDidMount",value:function(e){var t=this,n=window.grecaptcha,r=ReactDOM.findDOMNode(this),o=r.length?r.querySelectorAll(".elementor-element"):[];this.mfRefs.mainForm=r;var a=this.state.formData,i=r.querySelectorAll(".recaptcha_site_key_v3");i.length>0&&(this.interval=setInterval((function(){n.ready((function(){n.execute(i[0].dataset.sitekey,{action:""}).then((function(e){i.forEach((function(t){t.querySelector(".g-recaptcha-response-v3").value=e}))}))}))}),108e3));var s=r.getElementsByTagName("input");for(var u in s)"email"===s[u].type&&""!==s[u].value&&this.setDefault(s[u]);if(o.forEach((function(e){var n=e.getAttribute("data-element_type"),r=e.getAttribute("data-widget_type"),o=null===r?n:r;e.dataset&&e.dataset.settings&&(e.dataset.settings=e.dataset.settings.replace(/&quot;/g,'"'));var a=window.elementorFrontend.hooks;if(a?a.doAction("frontend/element_ready/"+o,jQuery(e)):jQuery(window).on("elementor/frontend/init",(function(){(a=window.elementorFrontend.hooks).doAction("frontend/element_ready/"+o,jQuery(e))})),e.className.search("elementor-widget-mf-")>0&&e.dataset.settings){var i=JSON.parse(e.dataset.settings),s=i.mf_input_name+"-"+e.getAttribute("data-id");t.props.widgets[s]={el:e,settings:i},i.mf_conditional_logic_form_enable&&t.props.conditionalRefs.push(s)}})),Object.keys(this.state.answers).length&&"quiz-form"===this.props.formType){var c=this.state.answers,l=this.state;a["right-answer"]=[],a["wrong-answer"]=[],a["quiz-marks"]=0,l.QuizInfo={totalQuestion:0,rightAnswer:[],wrongAnswer:[],marks:0},Object.keys(c).forEach((function(e){"string"==typeof c[e].answer&&""===c[e].answer||"object"===Wa(c[e].answer)&&0===c[e].answer.length?(a["right-answer"]=[].concat(Ha(t.state.formData["right-answer"]),[e]),a["quiz-marks"]=a["quiz-marks"]+parseFloat(c[e].correctPoint)):(a["wrong-answer"]=[].concat(Ha(t.state.formData["wrong-answer"]),[e]),a["quiz-marks"]=a["quiz-marks"]-parseFloat(c[e].incorrectPoint))})),a["total-question"]=Object.keys(c).length,l.QuizInfo.rightAnswer=a["right-answer"],l.QuizInfo.wrongAnswer=a["wrong-answer"],l.QuizInfo.marks=a["quiz-marks"],l.QuizInfo.totalQuestion=Object.keys(c).length}for(var f in window.onload=function(e){t.renderReCaptcha(r,e)},this.handleConditionals(),this.props.formId&&fetch(mf.restURI+this.props.formId,{method:"POST",headers:{"X-WP-Nonce":this.props.wpNonce}}),Aa(),La(jQuery(r).parents(".mf-multistep-container").parent(),{doValidate:this.trigger}),jQuery(r).on("change asRange::change",".mf-repeater-field, .mf-repater-range-input, .mf-repeater-checkbox",this.handleChange),jQuery(r).trigger("metform/after_form_load",a),a)this.setValue(f,a[f]);this.setParamValueState()}},{key:"componentWillUnmount",value:function(){clearInterval(this.interval)}},{key:"render",value:function(){var e=this,t=e.props,n=e.state,r=t.validation,o=r.register,a=r.setValue,i=htm.bind(React.createElement);return React.createElement(React.Fragment,null,this.jsx(e,t,n,r,o,a,i))}}])&&Ba(t.prototype,n),r&&Ba(t,r),a}(),ti=function(e){var t=Va(e.find(".mf-form-wrapper"),1)[0];if(t){var n,r=t.dataset,o=r.action,a=r.wpNonce,i=r.formNonce,s=r.formId,u=r.stopVerticalEffect,c=r.saveProgress,l=r.formType,f=r.quizSummery,d=Va(e.find(".mf-template"),1)[0];if(d)ReactDOM.render(React.createElement((n=ei,function(e){var t=Ja(Ja({},ye()),{},{ErrorMessage:Ce});return React.createElement(n,Ja({validation:t},e))}),{formId:s,templateEl:d,action:o,wpNonce:a,formNonce:i,saveProgress:c,formType:l,quizSummery:f,widgets:{},conditionalRefs:[],stopVerticalEffect:u,widgetSettings:e.data("settings")||{},Select:Da,InputColor:ar,Flatpickr:ke.Z,InputRange:sr(),ReactPhoneInput:cr(),SignaturePad:Ea(),moveTo:Za,ResponseDummyMarkup:_a,SubmitResponseMarkup:Pa,SummaryWidget:Ta,DateWidget:Ma}),t)}};jQuery(window).on("elementor/frontend/init",(function(){var e=["metform","shortcode","text-editor"];"metform-form"!==mf.postType||elementorFrontend.isEditMode()?("metform-form"===mf.postType&&elementorFrontend.isEditMode()&&(e=["mf-date","mf-time","mf-select","mf-multi-select","mf-range","mf-file-upload","mf-mobile","mf-image-select","mf-map-location","mf-color-picker","mf-signature"]),e.forEach((function(e){elementorFrontend.hooks.addAction("frontend/element_ready/"+e+".default",ti)}))):ti(elementorFrontend.elements.$body)})).on("load",(function(){document.querySelectorAll(".mf-form-shortcode").forEach((function(e){ti(jQuery(e))}))}))}()}();
     51var ht="undefined"!=typeof window&&"undefined"!=typeof document&&"undefined"!=typeof navigator,mt=function(){for(var e=["Edge","Trident","Firefox"],t=0;t<e.length;t+=1)if(ht&&navigator.userAgent.indexOf(e[t])>=0)return 1;return 0}();var gt=ht&&window.Promise?function(e){var t=!1;return function(){t||(t=!0,window.Promise.resolve().then((function(){t=!1,e()})))}}:function(e){var t=!1;return function(){t||(t=!0,setTimeout((function(){t=!1,e()}),mt))}};function vt(e){return e&&"[object Function]"==={}.toString.call(e)}function yt(e,t){if(1!==e.nodeType)return[];var n=e.ownerDocument.defaultView.getComputedStyle(e,null);return t?n[t]:n}function bt(e){return"HTML"===e.nodeName?e:e.parentNode||e.host}function wt(e){if(!e)return document.body;switch(e.nodeName){case"HTML":case"BODY":return e.ownerDocument.body;case"#document":return e.body}var t=yt(e),n=t.overflow,r=t.overflowX,o=t.overflowY;return/(auto|scroll|overlay)/.test(n+o+r)?e:wt(bt(e))}function Ct(e){return e&&e.referenceNode?e.referenceNode:e}var Ot=ht&&!(!window.MSInputMethodContext||!document.documentMode),xt=ht&&/MSIE 10/.test(navigator.userAgent);function kt(e){return 11===e?Ot:10===e?xt:Ot||xt}function Dt(e){if(!e)return document.documentElement;for(var t=kt(10)?document.body:null,n=e.offsetParent||null;n===t&&e.nextElementSibling;)n=(e=e.nextElementSibling).offsetParent;var r=n&&n.nodeName;return r&&"BODY"!==r&&"HTML"!==r?-1!==["TH","TD","TABLE"].indexOf(n.nodeName)&&"static"===yt(n,"position")?Dt(n):n:e?e.ownerDocument.documentElement:document.documentElement}function St(e){return null!==e.parentNode?St(e.parentNode):e}function Et(e,t){if(!(e&&e.nodeType&&t&&t.nodeType))return document.documentElement;var n=e.compareDocumentPosition(t)&Node.DOCUMENT_POSITION_FOLLOWING,r=n?e:t,o=n?t:e,a=document.createRange();a.setStart(r,0),a.setEnd(o,0);var i,s,u=a.commonAncestorContainer;if(e!==u&&t!==u||r.contains(o))return"BODY"===(s=(i=u).nodeName)||"HTML"!==s&&Dt(i.firstElementChild)!==i?Dt(u):u;var c=St(e);return c.host?Et(c.host,t):Et(e,St(t).host)}function Mt(e){var t=arguments.length>1&&arguments[1]!==undefined?arguments[1]:"top",n="top"===t?"scrollTop":"scrollLeft",r=e.nodeName;if("BODY"===r||"HTML"===r){var o=e.ownerDocument.documentElement,a=e.ownerDocument.scrollingElement||o;return a[n]}return e[n]}function _t(e,t){var n=arguments.length>2&&arguments[2]!==undefined&&arguments[2],r=Mt(t,"top"),o=Mt(t,"left"),a=n?-1:1;return e.top+=r*a,e.bottom+=r*a,e.left+=o*a,e.right+=o*a,e}function Pt(e,t){var n="x"===t?"Left":"Top",r="Left"===n?"Right":"Bottom";return parseFloat(e["border"+n+"Width"])+parseFloat(e["border"+r+"Width"])}function jt(e,t,n,r){return Math.max(t["offset"+e],t["scroll"+e],n["client"+e],n["offset"+e],n["scroll"+e],kt(10)?parseInt(n["offset"+e])+parseInt(r["margin"+("Height"===e?"Top":"Left")])+parseInt(r["margin"+("Height"===e?"Bottom":"Right")]):0)}function Tt(e){var t=e.body,n=e.documentElement,r=kt(10)&&getComputedStyle(n);return{height:jt("Height",t,n,r),width:jt("Width",t,n,r)}}var At=function(e,t){if(!(e instanceof t))throw new TypeError("Cannot call a class as a function")},It=function(){function e(e,t){for(var n=0;n<t.length;n++){var r=t[n];r.enumerable=r.enumerable||!1,r.configurable=!0,"value"in r&&(r.writable=!0),Object.defineProperty(e,r.key,r)}}return function(t,n,r){return n&&e(t.prototype,n),r&&e(t,r),t}}(),Nt=function(e,t,n){return t in e?Object.defineProperty(e,t,{value:n,enumerable:!0,configurable:!0,writable:!0}):e[t]=n,e},Rt=Object.assign||function(e){for(var t=1;t<arguments.length;t++){var n=arguments[t];for(var r in n)Object.prototype.hasOwnProperty.call(n,r)&&(e[r]=n[r])}return e};function Lt(e){return Rt({},e,{right:e.left+e.width,bottom:e.top+e.height})}function Vt(e){var t={};try{if(kt(10)){t=e.getBoundingClientRect();var n=Mt(e,"top"),r=Mt(e,"left");t.top+=n,t.left+=r,t.bottom+=n,t.right+=r}else t=e.getBoundingClientRect()}catch(f){}var o={left:t.left,top:t.top,width:t.right-t.left,height:t.bottom-t.top},a="HTML"===e.nodeName?Tt(e.ownerDocument):{},i=a.width||e.clientWidth||o.width,s=a.height||e.clientHeight||o.height,u=e.offsetWidth-i,c=e.offsetHeight-s;if(u||c){var l=yt(e);u-=Pt(l,"x"),c-=Pt(l,"y"),o.width-=u,o.height-=c}return Lt(o)}function Ft(e,t){var n=arguments.length>2&&arguments[2]!==undefined&&arguments[2],r=kt(10),o="HTML"===t.nodeName,a=Vt(e),i=Vt(t),s=wt(e),u=yt(t),c=parseFloat(u.borderTopWidth),l=parseFloat(u.borderLeftWidth);n&&o&&(i.top=Math.max(i.top,0),i.left=Math.max(i.left,0));var f=Lt({top:a.top-i.top-c,left:a.left-i.left-l,width:a.width,height:a.height});if(f.marginTop=0,f.marginLeft=0,!r&&o){var d=parseFloat(u.marginTop),p=parseFloat(u.marginLeft);f.top-=c-d,f.bottom-=c-d,f.left-=l-p,f.right-=l-p,f.marginTop=d,f.marginLeft=p}return(r&&!n?t.contains(s):t===s&&"BODY"!==s.nodeName)&&(f=_t(f,t)),f}function Ht(e){var t=arguments.length>1&&arguments[1]!==undefined&&arguments[1],n=e.ownerDocument.documentElement,r=Ft(e,n),o=Math.max(n.clientWidth,window.innerWidth||0),a=Math.max(n.clientHeight,window.innerHeight||0),i=t?0:Mt(n),s=t?0:Mt(n,"left"),u={top:i-r.top+r.marginTop,left:s-r.left+r.marginLeft,width:o,height:a};return Lt(u)}function zt(e){var t=e.nodeName;if("BODY"===t||"HTML"===t)return!1;if("fixed"===yt(e,"position"))return!0;var n=bt(e);return!!n&&zt(n)}function Ut(e){if(!e||!e.parentElement||kt())return document.documentElement;for(var t=e.parentElement;t&&"none"===yt(t,"transform");)t=t.parentElement;return t||document.documentElement}function Wt(e,t,n,r){var o=arguments.length>4&&arguments[4]!==undefined&&arguments[4],a={top:0,left:0},i=o?Ut(e):Et(e,Ct(t));if("viewport"===r)a=Ht(i,o);else{var s=void 0;"scrollParent"===r?"BODY"===(s=wt(bt(t))).nodeName&&(s=e.ownerDocument.documentElement):s="window"===r?e.ownerDocument.documentElement:r;var u=Ft(s,i,o);if("HTML"!==s.nodeName||zt(i))a=u;else{var c=Tt(e.ownerDocument),l=c.height,f=c.width;a.top+=u.top-u.marginTop,a.bottom=l+u.top,a.left+=u.left-u.marginLeft,a.right=f+u.left}}var d="number"==typeof(n=n||0);return a.left+=d?n:n.left||0,a.top+=d?n:n.top||0,a.right-=d?n:n.right||0,a.bottom-=d?n:n.bottom||0,a}function Bt(e){return e.width*e.height}function Yt(e,t,n,r,o){var a=arguments.length>5&&arguments[5]!==undefined?arguments[5]:0;if(-1===e.indexOf("auto"))return e;var i=Wt(n,r,a,o),s={top:{width:i.width,height:t.top-i.top},right:{width:i.right-t.right,height:i.height},bottom:{width:i.width,height:i.bottom-t.bottom},left:{width:t.left-i.left,height:i.height}},u=Object.keys(s).map((function(e){return Rt({key:e},s[e],{area:Bt(s[e])})})).sort((function(e,t){return t.area-e.area})),c=u.filter((function(e){var t=e.width,r=e.height;return t>=n.clientWidth&&r>=n.clientHeight})),l=c.length>0?c[0].key:u[0].key,f=e.split("-")[1];return l+(f?"-"+f:"")}function qt(e,t,n){var r=arguments.length>3&&arguments[3]!==undefined?arguments[3]:null,o=r?Ut(t):Et(t,Ct(n));return Ft(n,o,r)}function Kt(e){var t=e.ownerDocument.defaultView.getComputedStyle(e),n=parseFloat(t.marginTop||0)+parseFloat(t.marginBottom||0),r=parseFloat(t.marginLeft||0)+parseFloat(t.marginRight||0);return{width:e.offsetWidth+r,height:e.offsetHeight+n}}function Qt(e){var t={left:"right",right:"left",bottom:"top",top:"bottom"};return e.replace(/left|right|bottom|top/g,(function(e){return t[e]}))}function Gt(e,t,n){n=n.split("-")[0];var r=Kt(e),o={width:r.width,height:r.height},a=-1!==["right","left"].indexOf(n),i=a?"top":"left",s=a?"left":"top",u=a?"height":"width",c=a?"width":"height";return o[i]=t[i]+t[u]/2-r[u]/2,o[s]=n===s?t[s]-r[c]:t[Qt(s)],o}function $t(e,t){return Array.prototype.find?e.find(t):e.filter(t)[0]}function Jt(e,t,n){return(n===undefined?e:e.slice(0,function(e,t,n){if(Array.prototype.findIndex)return e.findIndex((function(e){return e[t]===n}));var r=$t(e,(function(e){return e[t]===n}));return e.indexOf(r)}(e,"name",n))).forEach((function(e){e["function"]&&console.warn("`modifier.function` is deprecated, use `modifier.fn`!");var n=e["function"]||e.fn;e.enabled&&vt(n)&&(t.offsets.popper=Lt(t.offsets.popper),t.offsets.reference=Lt(t.offsets.reference),t=n(t,e))})),t}function Xt(){if(!this.state.isDestroyed){var e={instance:this,styles:{},arrowStyles:{},attributes:{},flipped:!1,offsets:{}};e.offsets.reference=qt(this.state,this.popper,this.reference,this.options.positionFixed),e.placement=Yt(this.options.placement,e.offsets.reference,this.popper,this.reference,this.options.modifiers.flip.boundariesElement,this.options.modifiers.flip.padding),e.originalPlacement=e.placement,e.positionFixed=this.options.positionFixed,e.offsets.popper=Gt(this.popper,e.offsets.reference,e.placement),e.offsets.popper.position=this.options.positionFixed?"fixed":"absolute",e=Jt(this.modifiers,e),this.state.isCreated?this.options.onUpdate(e):(this.state.isCreated=!0,this.options.onCreate(e))}}function Zt(e,t){return e.some((function(e){var n=e.name;return e.enabled&&n===t}))}function en(e){for(var t=[!1,"ms","Webkit","Moz","O"],n=e.charAt(0).toUpperCase()+e.slice(1),r=0;r<t.length;r++){var o=t[r],a=o?""+o+n:e;if("undefined"!=typeof document.body.style[a])return a}return null}function tn(){return this.state.isDestroyed=!0,Zt(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[en("transform")]=""),this.disableEventListeners(),this.options.removeOnDestroy&&this.popper.parentNode.removeChild(this.popper),this}function nn(e){var t=e.ownerDocument;return t?t.defaultView:window}function rn(e,t,n,r){var o="BODY"===e.nodeName,a=o?e.ownerDocument.defaultView:e;a.addEventListener(t,n,{passive:!0}),o||rn(wt(a.parentNode),t,n,r),r.push(a)}function on(e,t,n,r){n.updateBound=r,nn(e).addEventListener("resize",n.updateBound,{passive:!0});var o=wt(e);return rn(o,"scroll",n.updateBound,n.scrollParents),n.scrollElement=o,n.eventsEnabled=!0,n}function an(){this.state.eventsEnabled||(this.state=on(this.reference,this.options,this.state,this.scheduleUpdate))}function sn(){var e,t;this.state.eventsEnabled&&(cancelAnimationFrame(this.scheduleUpdate),this.state=(e=this.reference,t=this.state,nn(e).removeEventListener("resize",t.updateBound),t.scrollParents.forEach((function(e){e.removeEventListener("scroll",t.updateBound)})),t.updateBound=null,t.scrollParents=[],t.scrollElement=null,t.eventsEnabled=!1,t))}function un(e){return""!==e&&!isNaN(parseFloat(e))&&isFinite(e)}function cn(e,t){Object.keys(t).forEach((function(n){var r="";-1!==["width","height","top","right","bottom","left"].indexOf(n)&&un(t[n])&&(r="px"),e.style[n]=t[n]+r}))}var ln=ht&&/Firefox/i.test(navigator.userAgent);function fn(e,t,n){var r=$t(e,(function(e){return e.name===t})),o=!!r&&e.some((function(e){return e.name===n&&e.enabled&&e.order<r.order}));if(!o){var a="`"+t+"`",i="`"+n+"`";console.warn(i+" modifier is required by "+a+" modifier in order to work, be sure to include it before "+a+"!")}return o}var dn=["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"],pn=dn.slice(3);function hn(e){var t=arguments.length>1&&arguments[1]!==undefined&&arguments[1],n=pn.indexOf(e),r=pn.slice(n+1).concat(pn.slice(0,n));return t?r.reverse():r}var mn="flip",gn="clockwise",vn="counterclockwise";function yn(e,t,n,r){var o=[0,0],a=-1!==["right","left"].indexOf(r),i=e.split(/(\+|\-)/).map((function(e){return e.trim()})),s=i.indexOf($t(i,(function(e){return-1!==e.search(/,|\s/)})));i[s]&&-1===i[s].indexOf(",")&&console.warn("Offsets separated by white space(s) are deprecated, use a comma (,) instead.");var u=/\s*,\s*|\s+/,c=-1!==s?[i.slice(0,s).concat([i[s].split(u)[0]]),[i[s].split(u)[1]].concat(i.slice(s+1))]:[i];return(c=c.map((function(e,r){var o=(1===r?!a:a)?"height":"width",i=!1;return e.reduce((function(e,t){return""===e[e.length-1]&&-1!==["+","-"].indexOf(t)?(e[e.length-1]=t,i=!0,e):i?(e[e.length-1]+=t,i=!1,e):e.concat(t)}),[]).map((function(e){return function(e,t,n,r){var o=e.match(/((?:\-|\+)?\d*\.?\d*)(.*)/),a=+o[1],i=o[2];if(!a)return e;if(0===i.indexOf("%")){var s=void 0;switch(i){case"%p":s=n;break;case"%":case"%r":default:s=r}return Lt(s)[t]/100*a}if("vh"===i||"vw"===i)return("vh"===i?Math.max(document.documentElement.clientHeight,window.innerHeight||0):Math.max(document.documentElement.clientWidth,window.innerWidth||0))/100*a;return a}(e,o,t,n)}))}))).forEach((function(e,t){e.forEach((function(n,r){un(n)&&(o[t]+=n*("-"===e[r-1]?-1:1))}))})),o}var bn={placement:"bottom",positionFixed:!1,eventsEnabled:!0,removeOnDestroy:!1,onCreate:function(){},onUpdate:function(){},modifiers:{shift:{order:100,enabled:!0,fn:function(e){var t=e.placement,n=t.split("-")[0],r=t.split("-")[1];if(r){var o=e.offsets,a=o.reference,i=o.popper,s=-1!==["bottom","top"].indexOf(n),u=s?"left":"top",c=s?"width":"height",l={start:Nt({},u,a[u]),end:Nt({},u,a[u]+a[c]-i[c])};e.offsets.popper=Rt({},i,l[r])}return e}},offset:{order:200,enabled:!0,fn:function(e,t){var n=t.offset,r=e.placement,o=e.offsets,a=o.popper,i=o.reference,s=r.split("-")[0],u=void 0;return u=un(+n)?[+n,0]:yn(n,a,i,s),"left"===s?(a.top+=u[0],a.left-=u[1]):"right"===s?(a.top+=u[0],a.left+=u[1]):"top"===s?(a.left+=u[0],a.top-=u[1]):"bottom"===s&&(a.left+=u[0],a.top+=u[1]),e.popper=a,e},offset:0},preventOverflow:{order:300,enabled:!0,fn:function(e,t){var n=t.boundariesElement||Dt(e.instance.popper);e.instance.reference===n&&(n=Dt(n));var r=en("transform"),o=e.instance.popper.style,a=o.top,i=o.left,s=o[r];o.top="",o.left="",o[r]="";var u=Wt(e.instance.popper,e.instance.reference,t.padding,n,e.positionFixed);o.top=a,o.left=i,o[r]=s,t.boundaries=u;var c=t.priority,l=e.offsets.popper,f={primary:function(e){var n=l[e];return l[e]<u[e]&&!t.escapeWithReference&&(n=Math.max(l[e],u[e])),Nt({},e,n)},secondary:function(e){var n="right"===e?"left":"top",r=l[n];return l[e]>u[e]&&!t.escapeWithReference&&(r=Math.min(l[n],u[e]-("right"===e?l.width:l.height))),Nt({},n,r)}};return c.forEach((function(e){var t=-1!==["left","top"].indexOf(e)?"primary":"secondary";l=Rt({},l,f[t](e))})),e.offsets.popper=l,e},priority:["left","right","top","bottom"],padding:5,boundariesElement:"scrollParent"},keepTogether:{order:400,enabled:!0,fn:function(e){var t=e.offsets,n=t.popper,r=t.reference,o=e.placement.split("-")[0],a=Math.floor,i=-1!==["top","bottom"].indexOf(o),s=i?"right":"bottom",u=i?"left":"top",c=i?"width":"height";return n[s]<a(r[u])&&(e.offsets.popper[u]=a(r[u])-n[c]),n[u]>a(r[s])&&(e.offsets.popper[u]=a(r[s])),e}},arrow:{order:500,enabled:!0,fn:function(e,t){var n;if(!fn(e.instance.modifiers,"arrow","keepTogether"))return e;var r=t.element;if("string"==typeof r){if(!(r=e.instance.popper.querySelector(r)))return e}else if(!e.instance.popper.contains(r))return console.warn("WARNING: `arrow.element` must be child of its popper element!"),e;var o=e.placement.split("-")[0],a=e.offsets,i=a.popper,s=a.reference,u=-1!==["left","right"].indexOf(o),c=u?"height":"width",l=u?"Top":"Left",f=l.toLowerCase(),d=u?"left":"top",p=u?"bottom":"right",h=Kt(r)[c];s[p]-h<i[f]&&(e.offsets.popper[f]-=i[f]-(s[p]-h)),s[f]+h>i[p]&&(e.offsets.popper[f]+=s[f]+h-i[p]),e.offsets.popper=Lt(e.offsets.popper);var m=s[f]+s[c]/2-h/2,g=yt(e.instance.popper),v=parseFloat(g["margin"+l]),y=parseFloat(g["border"+l+"Width"]),b=m-e.offsets.popper[f]-v-y;return b=Math.max(Math.min(i[c]-h,b),0),e.arrowElement=r,e.offsets.arrow=(Nt(n={},f,Math.round(b)),Nt(n,d,""),n),e},element:"[x-arrow]"},flip:{order:600,enabled:!0,fn:function(e,t){if(Zt(e.instance.modifiers,"inner"))return e;if(e.flipped&&e.placement===e.originalPlacement)return e;var n=Wt(e.instance.popper,e.instance.reference,t.padding,t.boundariesElement,e.positionFixed),r=e.placement.split("-")[0],o=Qt(r),a=e.placement.split("-")[1]||"",i=[];switch(t.behavior){case mn:i=[r,o];break;case gn:i=hn(r);break;case vn:i=hn(r,!0);break;default:i=t.behavior}return i.forEach((function(s,u){if(r!==s||i.length===u+1)return e;r=e.placement.split("-")[0],o=Qt(r);var c=e.offsets.popper,l=e.offsets.reference,f=Math.floor,d="left"===r&&f(c.right)>f(l.left)||"right"===r&&f(c.left)<f(l.right)||"top"===r&&f(c.bottom)>f(l.top)||"bottom"===r&&f(c.top)<f(l.bottom),p=f(c.left)<f(n.left),h=f(c.right)>f(n.right),m=f(c.top)<f(n.top),g=f(c.bottom)>f(n.bottom),v="left"===r&&p||"right"===r&&h||"top"===r&&m||"bottom"===r&&g,y=-1!==["top","bottom"].indexOf(r),b=!!t.flipVariations&&(y&&"start"===a&&p||y&&"end"===a&&h||!y&&"start"===a&&m||!y&&"end"===a&&g),w=!!t.flipVariationsByContent&&(y&&"start"===a&&h||y&&"end"===a&&p||!y&&"start"===a&&g||!y&&"end"===a&&m),C=b||w;(d||v||C)&&(e.flipped=!0,(d||v)&&(r=i[u+1]),C&&(a=function(e){return"end"===e?"start":"start"===e?"end":e}(a)),e.placement=r+(a?"-"+a:""),e.offsets.popper=Rt({},e.offsets.popper,Gt(e.instance.popper,e.offsets.reference,e.placement)),e=Jt(e.instance.modifiers,e,"flip"))})),e},behavior:"flip",padding:5,boundariesElement:"viewport",flipVariations:!1,flipVariationsByContent:!1},inner:{order:700,enabled:!1,fn:function(e){var t=e.placement,n=t.split("-")[0],r=e.offsets,o=r.popper,a=r.reference,i=-1!==["left","right"].indexOf(n),s=-1===["top","left"].indexOf(n);return o[i?"left":"top"]=a[n]-(s?o[i?"width":"height"]:0),e.placement=Qt(t),e.offsets.popper=Lt(o),e}},hide:{order:800,enabled:!0,fn:function(e){if(!fn(e.instance.modifiers,"hide","preventOverflow"))return e;var t=e.offsets.reference,n=$t(e.instance.modifiers,(function(e){return"preventOverflow"===e.name})).boundaries;if(t.bottom<n.top||t.left>n.right||t.top>n.bottom||t.right<n.left){if(!0===e.hide)return e;e.hide=!0,e.attributes["x-out-of-boundaries"]=""}else{if(!1===e.hide)return e;e.hide=!1,e.attributes["x-out-of-boundaries"]=!1}return e}},computeStyle:{order:850,enabled:!0,fn:function(e,t){var n=t.x,r=t.y,o=e.offsets.popper,a=$t(e.instance.modifiers,(function(e){return"applyStyle"===e.name})).gpuAcceleration;a!==undefined&&console.warn("WARNING: `gpuAcceleration` option moved to `computeStyle` modifier and will not be supported in future versions of Popper.js!");var i=a!==undefined?a:t.gpuAcceleration,s=Dt(e.instance.popper),u=Vt(s),c={position:o.position},l=function(e,t){var n=e.offsets,r=n.popper,o=n.reference,a=Math.round,i=Math.floor,s=function(e){return e},u=a(o.width),c=a(r.width),l=-1!==["left","right"].indexOf(e.placement),f=-1!==e.placement.indexOf("-"),d=t?l||f||u%2==c%2?a:i:s,p=t?a:s;return{left:d(u%2==1&&c%2==1&&!f&&t?r.left-1:r.left),top:p(r.top),bottom:p(r.bottom),right:d(r.right)}}(e,window.devicePixelRatio<2||!ln),f="bottom"===n?"top":"bottom",d="right"===r?"left":"right",p=en("transform"),h=void 0,m=void 0;if(m="bottom"===f?"HTML"===s.nodeName?-s.clientHeight+l.bottom:-u.height+l.bottom:l.top,h="right"===d?"HTML"===s.nodeName?-s.clientWidth+l.right:-u.width+l.right:l.left,i&&p)c[p]="translate3d("+h+"px, "+m+"px, 0)",c[f]=0,c[d]=0,c.willChange="transform";else{var g="bottom"===f?-1:1,v="right"===d?-1:1;c[f]=m*g,c[d]=h*v,c.willChange=f+", "+d}var y={"x-placement":e.placement};return e.attributes=Rt({},y,e.attributes),e.styles=Rt({},c,e.styles),e.arrowStyles=Rt({},e.offsets.arrow,e.arrowStyles),e},gpuAcceleration:!0,x:"bottom",y:"right"},applyStyle:{order:900,enabled:!0,fn:function(e){var t,n;return cn(e.instance.popper,e.styles),t=e.instance.popper,n=e.attributes,Object.keys(n).forEach((function(e){!1!==n[e]?t.setAttribute(e,n[e]):t.removeAttribute(e)})),e.arrowElement&&Object.keys(e.arrowStyles).length&&cn(e.arrowElement,e.arrowStyles),e},onLoad:function(e,t,n,r,o){var a=qt(o,t,e,n.positionFixed),i=Yt(n.placement,a,t,e,n.modifiers.flip.boundariesElement,n.modifiers.flip.padding);return t.setAttribute("x-placement",i),cn(t,{position:n.positionFixed?"fixed":"absolute"}),n},gpuAcceleration:undefined}}},wn=function(){function e(t,n){var r=this,o=arguments.length>2&&arguments[2]!==undefined?arguments[2]:{};At(this,e),this.scheduleUpdate=function(){return requestAnimationFrame(r.update)},this.update=gt(this.update.bind(this)),this.options=Rt({},e.Defaults,o),this.state={isDestroyed:!1,isCreated:!1,scrollParents:[]},this.reference=t&&t.jquery?t[0]:t,this.popper=n&&n.jquery?n[0]:n,this.options.modifiers={},Object.keys(Rt({},e.Defaults.modifiers,o.modifiers)).forEach((function(t){r.options.modifiers[t]=Rt({},e.Defaults.modifiers[t]||{},o.modifiers?o.modifiers[t]:{})})),this.modifiers=Object.keys(this.options.modifiers).map((function(e){return Rt({name:e},r.options.modifiers[e])})).sort((function(e,t){return e.order-t.order})),this.modifiers.forEach((function(e){e.enabled&&vt(e.onLoad)&&e.onLoad(r.reference,r.popper,r.options,e,r.state)})),this.update();var a=this.options.eventsEnabled;a&&this.enableEventListeners(),this.state.eventsEnabled=a}return It(e,[{key:"update",value:function(){return Xt.call(this)}},{key:"destroy",value:function(){return tn.call(this)}},{key:"enableEventListeners",value:function(){return an.call(this)}},{key:"disableEventListeners",value:function(){return sn.call(this)}}]),e}();wn.Utils=("undefined"!=typeof window?window:n.g).PopperUtils,wn.placements=dn,wn.Defaults=bn;var Cn=wn,On=(n(353),function(e){do{e+=~~(1e6*Math.random())}while("undefined"!=typeof document&&document.getElementById(e));return e}),xn=("undefined"!=typeof window&&"undefined"!=typeof window.document&&/iPad|iPhone|iPod/.test(navigator.userAgent)&&window.MSStream,{name:"kpm0v2",styles:"position:absolute;display:block;width:16px;height:8px;margin:0 5px;&:before,&:after{position:absolute;display:block;content:'';border-color:transparent;border-style:solid;}"}),kn=function(t){t.placement;var n=Se(t,["placement"]);return it(e.Fragment,null,it(st,{styles:Dn}),it("div",De({},n,{"data-arrow":"true",css:xn})))},Dn={name:"rvo98s",styles:"[x-placement^='top']{margin-bottom:8px;[data-arrow]{bottom:-9px;}[data-arrow]:before{bottom:0;border-width:8px 8px 0;border-top-color:rgba(0,0,0,0.25);}[data-arrow]:after{bottom:1px;border-width:8px 8px 0;border-top-color:#fff;}}[x-placement^='right']{margin-left:8px;[data-arrow]{left:-9px;width:8px;height:16px;margin:5px 0;}[data-arrow]:before{left:0;border-width:8px 8px 8px 0;border-right-color:rgba(0,0,0,0.25);}[data-arrow]:after{left:1px;border-width:8px 8px 8px 0;border-right-color:#fff;}}[x-placement^='bottom']{margin-top:8px;[data-arrow]{top:-9px;}[data-arrow]:before{top:0;border-width:0 8px 8px 8px;border-bottom-color:rgba(0,0,0,0.25);}[data-arrow]:after{top:1px;border-width:0 8px 8px 8px;border-bottom-color:#fff;}}[x-placement^='left']{margin-right:8px;[data-arrow]{right:-9px;width:8px;height:16px;margin:5px 0;}[data-arrow]:before{right:0;border-width:8px 0 8px 8px;border-left-color:rgba(0,0,0,0.25);}[data-arrow]:after{right:1px;border-width:8px 0 8px 8px;border-left-color:#fff;}}"},Sn=function(n){var r,o,a,i=n.header,s=n.body,u=n.children,c=n.placement,l=n.trigger,f=n.styles,d=Se(n,["header","body","children","placement","trigger","styles"]),p=t().Children.only(u),h=(0,e.useRef)(null),m=(0,e.useState)(!1),g=m[0],v=m[1],y=(0,e.useState)(!1),b=y[0],w=y[1],C=(0,e.useState)({popoverId:null,referenceId:null,arrowId:null}),O=C[0],x=C[1],k=O.popoverId,D=O.referenceId,S=O.arrowId;r=h,o=function(e){e.target.id===D||document.getElementById(D).contains(e.target)||v(!1)},a=(0,e.useRef)(),(0,e.useEffect)((function(){a.current=o}),[o]),(0,e.useEffect)((function(){var e=function(e){r.current&&!r.current.contains(e.target)&&a.current(event)};return pt.forEach((function(t){document.addEventListener(t,e,{passive:!0})})),function(){pt.forEach((function(t){document.removeEventListener(t,e,{passive:!0})}))}}),[r,o]),(0,e.useEffect)((function(){if(!k)return x({popoverId:On("popover"),referenceId:On("reference"),arrowId:On("arrow")});var e=document.getElementById(k),t=document.getElementById(D),n=document.getElementById(S);e&&t&&n&&(new Cn(t,e,{placement:c,modifiers:{arrow:{element:n}}}),w(g))}),[g]);var E={content:[En.content,f.content],header:[En.header,f.header],body:[En.body,f.body]};return it(e.Fragment,null,k?it("div",De({},d,{id:k,ref:h,css:E.content,style:b?{display:"block"}:{}}),it(kn,{id:S}),i?it("div",{css:E.header},i):null,it("div",{css:E.body},s)):null,t().cloneElement(p,De({},p.props,{id:D,onClick:function(){"click"===l&&v(!g)}})))};Sn.defaultProps={placement:"right",trigger:"click",styles:{}};var En={content:{name:"106ha8s",styles:"display:none;max-width:300px;background-color:#fff;border-radius:4px;border:1px solid rgba(0,0,0,0.2);z-index:1060;"},header:{name:"12koz1z",styles:"padding:8px 12px;background-color:#f7f7f7;font-size:16px;font-weight:bold;border-top-left-radius:4px;border-top-right-radius:4px;"},body:{name:"k7kym8",styles:"padding:8px 12px;font-size:14px;border-bottom-left-radius:4px;border-bottom-right-radius:4px;"}},Mn=Sn;function _n(e){var t=e.touches;if(t&&t.length){var n=t[0];return{x:n.clientX,y:n.clientY}}return{x:e.clientX,y:e.clientY}}var Pn={position:"relative",display:"inline-block",backgroundColor:"#ddd",borderRadius:5,userSelect:"none",boxSizing:"border-box"},jn={position:"absolute",backgroundColor:"#5e72e4",borderRadius:5,userSelect:"none",boxSizing:"border-box"},Tn={position:"relative",display:"block",content:'""',width:18,height:18,backgroundColor:"#fff",borderRadius:"50%",boxShadow:"0 1px 1px rgba(0,0,0,.5)",userSelect:"none",cursor:"pointer",boxSizing:"border-box"},An={x:{track:De({},Pn,{width:200,height:10}),active:De({},jn,{top:0,height:"100%"}),thumb:De({},Tn)},y:{track:De({},Pn,{width:10,height:200}),active:De({},jn,{left:0,width:"100%"}),thumb:De({},Tn)},xy:{track:{position:"relative",overflow:"hidden",width:200,height:200,backgroundColor:"#5e72e4",borderRadius:0},active:{},thumb:De({},Tn)},disabled:{opacity:.5}},In=function(t){var n=t.disabled,r=t.axis,o=t.x,a=t.y,i=t.xmin,s=t.xmax,u=t.ymin,c=t.ymax,l=t.xstep,f=t.ystep,d=t.onChange,p=t.onDragStart,h=t.onDragEnd,m=t.onClick,g=t.xreverse,v=t.yreverse,y=t.styles,b=Se(t,["disabled","axis","x","y","xmin","xmax","ymin","ymax","xstep","ystep","onChange","onDragStart","onDragEnd","onClick","xreverse","yreverse","styles"]),w=(0,e.useRef)(null),C=(0,e.useRef)(null),O=(0,e.useRef)({}),x=(0,e.useRef)({});function k(e){var t=e.top,n=e.left;if(d){var o=w.current.getBoundingClientRect(),a=o.width,p=o.height,h=0,m=0;n<0&&(n=0),n>a&&(n=a),t<0&&(t=0),t>p&&(t=p),"x"!==r&&"xy"!==r||(h=n/a*(s-i)),"y"!==r&&"xy"!==r||(m=t/p*(c-u));var y=(0!==h?parseInt(h/l,10)*l:0)+i,b=(0!==m?parseInt(m/f,10)*f:0)+u;d({x:g?s-y+i:y,y:v?c-b+u:b})}}function D(e){if(!n){e.preventDefault();var t=C.current,r=_n(e);O.current={x:t.offsetLeft,y:t.offsetTop},x.current={x:r.x,y:r.y},document.addEventListener("mousemove",S),document.addEventListener("mouseup",E),document.addEventListener("touchmove",S,{passive:!1}),document.addEventListener("touchend",E),document.addEventListener("touchcancel",E),p&&p(e)}}function S(e){n||(e.preventDefault(),k(function(e){var t=_n(e);return{left:t.x+O.current.x-x.current.x,top:t.y+O.current.y-x.current.y}}(e)))}function E(e){n||(e.preventDefault(),document.removeEventListener("mousemove",S),document.removeEventListener("mouseup",E),document.removeEventListener("touchmove",S,{passive:!1}),document.removeEventListener("touchend",E),document.removeEventListener("touchcancel",E),h&&h(e))}var M,_,P=((M=(a-u)/(c-u)*100)>100&&(M=100),M<0&&(M=0),"x"===r&&(M=0),(_=(o-i)/(s-i)*100)>100&&(_=100),_<0&&(_=0),"y"===r&&(_=0),{top:M,left:_}),j={};"x"===r&&(j.width=P.left+"%"),"y"===r&&(j.height=P.top+"%"),g&&(j.left=100-P.left+"%"),v&&(j.top=100-P.top+"%");var T={position:"absolute",transform:"translate(-50%, -50%)",left:g?100-P.left+"%":P.left+"%",top:v?100-P.top+"%":P.top+"%"};"x"===r?T.top="50%":"y"===r&&(T.left="50%");var A={track:De({},An[r].track,{},y.track),active:De({},An[r].active,{},y.active),thumb:De({},An[r].thumb,{},y.thumb),disabled:De({},An.disabled,{},y.disabled)};return it("div",De({},b,{ref:w,css:at([A.track,n&&A.disabled],";label:Slider;"),onClick:function(e){if(!n){var t=_n(e),r=w.current.getBoundingClientRect();k({left:t.x-r.left,top:t.y-r.top}),m&&m(e)}}}),it("div",{css:A.active,style:j}),it("div",{ref:C,style:T,onTouchStart:D,onMouseDown:D,onClick:function(e){e.stopPropagation(),e.nativeEvent.stopImmediatePropagation()}},it("div",{css:A.thumb})))};In.defaultProps={disabled:!1,axis:"x",x:50,xmin:0,xmax:100,y:50,ymin:0,ymax:100,xstep:1,ystep:1,xreverse:!1,yreverse:!1,styles:{}};var Nn=In,Rn=n(654),Ln=n.n(Rn),Vn=n(763),Fn=n.n(Vn),Hn=n(37),zn=n.n(Hn),Un="undefined"!=typeof navigator&&navigator.userAgent.match(/iPhone|iPad|iPod/i),Wn=function(t){var n=t.step,r=t.min,o=t.max,a=t.value,i=t.onChange,s=t.onKeyDown,u=t.enableMobileNumericKeyboard,c=t.component,l=Se(t,["step","min","max","value","onChange","onKeyDown","enableMobileNumericKeyboard","component"]),f=(0,e.useState)(a),d=f[0],p=f[1];(0,e.useEffect)((function(){p(a)}),[a]);var h={value:d,onChange:function(e){var t=function(e){if(Fn()(e))return e;if(zn()(e)){if(!(e=e.trim()))return"";var t=parseFloat(e);if(!Ln()(t))return t}return""}(e);p(e),i&&i(t)},onKeyDown:function(e){38===e.keyCode?i&&i(Yn("+",a,o,r,n)):40===e.keyCode&&i&&i(Yn("-",a,o,r,n)),s&&s(e)},onWheel:function(e){e.target.blur()}};return it(c,De({},l,h,u?{css:Bn,type:"number",inputMode:"numeric",pattern:Un?"[0-9]*":"",step:n,min:r,max:o}:{css:Bn,type:"text"}))};Wn.defaultProps={autoComplete:"off",enableMobileNumericKeyboard:!1,value:"",component:function(e){var t=e.onChange,n=Se(e,["onChange"]);return it("input",De({},n,{onChange:function(e){t&&t(e.target.value)}}))},step:1};var Bn={MozAppearance:"textfield","&::-webkit-inner-spin-button, &::-webkit-outer-spin-button":{WebkitAppearance:"none",margin:0}};function Yn(e,t,n,r,o){if(""===t)return Fn()(r)?r:"";if(t="+"===e?t+o:t-o,Fn()(n)&&t>n)return n;if(Fn()(r)&&t<r)return r;var a=(o.toString().split(".")[1]||[]).length;return a?parseFloat(t.toFixed(a)):t}var qn=Wn;function Kn(e){return"#"===e[0]&&(e=e.substr(1)),3===e.length?{r:parseInt(e[0]+e[0],16),g:parseInt(e[1]+e[1],16),b:parseInt(e[2]+e[2],16)}:{r:parseInt(e.substr(0,2),16),g:parseInt(e.substr(2,2),16),b:parseInt(e.substr(4,2),16)}}function Qn(e,t,n){var r=[],o=(n/=100)*(t/=100),a=e/60,i=o*(1-Math.abs(a%2-1)),s=n-o;return r=a>=0&&a<1?[o,i,0]:a>=1&&a<2?[i,o,0]:a>=2&&a<3?[0,o,i]:e>=3&&a<4?[0,i,o]:e>=4&&a<5?[i,0,o]:e>=5&&a<=6?[o,0,i]:[0,0,0],{r:Math.round(255*(r[0]+s)),g:Math.round(255*(r[1]+s)),b:Math.round(255*(r[2]+s))}}function Gn(e){var t=e.toString(16);return 1===t.length?"0"+t:t}function $n(e,t,n){return"#"+[Gn(e),Gn(t),Gn(n)].join("")}function Jn(e,t,n){var r,o=Math.max(e,t,n),a=o-Math.min(e,t,n);return r=0===a?0:e===o?(t-n)/a%6:t===o?(n-e)/a+2:(e-t)/a+4,(r=Math.round(60*r))<0&&(r+=360),{h:r,s:Math.round(100*(0===o?0:a/o)),v:Math.round(o/255*100)}}function Xn(e,t,n,r){return"rgba("+[e,t,n,r/100].join(",")+")"}var Zn={name:"bzk4lp",styles:"width:100%;margin-top:10px;margin-bottom:10px;display:flex;"},er={name:"lwa3hx",styles:"flex:1;margin-right:10px;"},tr=function(e){var t=e.color,n=e.onChange,r=t.r,o=t.g,a=t.b,i=t.a,s=t.h,u=t.s,c=t.v;function l(e){n&&n(De({},e,{rgba:Xn(e.r,e.g,e.b,e.a)}))}function f(e,n,r){var o=Qn(e,n,r),a=o.r,i=o.g,s=o.b,u=$n(a,i,s);l(De({},t,{h:e,s:n,v:r,r:a,g:i,b:s,hex:u}))}function d(e,n,r){var o=$n(e,n,r),a=Jn(e,n,r),i=a.h,s=a.s,u=a.v;l(De({},t,{r:e,g:n,b:r,h:i,s:s,v:u,hex:o}))}function p(e){l(De({},t,{a:e}))}var h=Xn(r,o,a,i),m="linear-gradient(to right, "+Xn(r,o,a,0)+", "+Xn(r,o,a,100)+")",g=function(e,t,n){var r=Qn(e,t,n);return $n(r.r,r.g,r.b)}(s,100,100);return it("div",{css:nr.picker,onClick:function(e){e.stopPropagation(),e.nativeEvent.stopImmediatePropagation()}},it("div",{css:nr.selector,style:{backgroundColor:g}},it("div",{css:nr.gradientWhite}),it("div",{css:nr.gradientDark}),it(Nn,{axis:"xy",x:u,xmax:100,y:100-c,ymax:100,onChange:function(e){var t=e.x,n=e.y;return f(s,t,100-n)},styles:{track:{width:"100%",height:"100%",background:"none"},thumb:{width:12,height:12,backgroundColor:"rgba(0,0,0,0)",border:"2px solid #fff",borderRadius:"50%"}}})),it("div",{css:Zn},it("div",{css:er},it(Nn,{axis:"x",x:s,xmax:359,onChange:function(e){return f(e.x,u,c)},styles:{track:{width:"100%",height:12,borderRadius:0,background:"linear-gradient(to left, #FF0000 0%, #FF0099 10%, #CD00FF 20%, #3200FF 30%, #0066FF 40%, #00FFFD 50%, #00FF66 60%, #35FF00 70%, #CDFF00 80%, #FF9900 90%, #FF0000 100%)"},active:{background:"none"},thumb:{width:5,height:14,borderRadius:0,backgroundColor:"#eee"}}}),it(Nn,{axis:"x",x:i,xmax:100,styles:{track:{width:"100%",height:12,borderRadius:0,background:m},active:{background:"none"},thumb:{width:5,height:14,borderRadius:0,backgroundColor:"#eee"}},onChange:function(e){return p(e.x)}})),it("div",{style:{backgroundColor:h,width:30,height:30}})),it("div",{css:nr.inputs},it("div",{css:nr.input},it("input",{style:{width:70,textAlign:"left"},type:"text",value:t.hex,onChange:function(e){return function(e){var n=Kn(e),r=n.r,o=n.g,a=n.b,i=Jn(r,o,a),s=i.h,u=i.s,c=i.v;l(De({},t,{r:r,g:o,b:a,h:s,s:u,v:c,hex:e}))}(e.target.value)},onKeyUp:function(e){if(13===e.keyCode){var n=e.target.value.trim(),r=Kn(n),o=r.r,a=r.g,s=r.b;l(De({},t,{r:o,g:a,b:s,a:i,hex:n}))}}}),it("div",null,"Hex")),it("div",{css:nr.input},it(qn,{min:0,max:255,value:r,onChange:function(e){return d(e,o,a)}}),it("div",null,"R")),it("div",{css:nr.input},it(qn,{min:0,max:255,value:o,onChange:function(e){return d(r,e,a)}}),it("div",null,"G")),it("div",{css:nr.input},it(qn,{min:0,max:255,value:a,onChange:function(e){return d(r,o,e)}}),it("div",null,"B")),it("div",{css:nr.input},it(qn,{min:0,max:100,value:i,onChange:function(e){return p(e)}}),it("div",null,"A"))))};tr.defaultProps={initialValue:"#5e72e4"};var nr={picker:{fontFamily:"'Helvetica Neue',Helvetica,Arial,sans-serif",width:230,"*":{userSelect:"none"}},selector:{position:"relative",width:230,height:230},gradientWhite:{position:"absolute",top:0,left:0,right:0,bottom:0,background:"linear-gradient(to right, #ffffff 0%, rgba(255, 255, 255, 0) 100%)"},gradientDark:{position:"absolute",top:0,left:0,right:0,bottom:0,background:"linear-gradient(to bottom, transparent 0%, #000000 100%)"},inputs:{display:"flex",justifyContent:"space-between",width:"100%"},input:{textAlign:"center",fontSize:13,fontWeight:"normal",color:"#000",input:{width:30,textAlign:"center"},div:{marginTop:4}}};function rr(e){var t,n=(e=e.toLowerCase()).substr(0,7),r=Kn(n),o=r.r,a=r.g,i=r.b,s=Jn(o,a,i),u=e.length>7?(t=e.substr(7),Math.round(parseInt("0x"+t,16)/255*100)):100;return De({},s,{r:o,g:a,b:i,a:u,hex:n,rgba:Xn(o,a,i,u)})}var or={name:"j4ndc3",styles:"position:relative;display:inline-block;box-sizing:border-box;width:49px;height:24px;padding:4px;background-color:#ffffff;border:1px solid #bebebe;border-radius:3px;user-select:none;"},ar={name:"trkpwz",styles:"display:block;width:100%;height:100%;cursor:pointer;"},ir=function(t){var n=t.initialValue,r=t.onChange,o=t.placement,a=Se(t,["initialValue","onChange","placement"]),i=(0,e.useState)(rr(n)),s=i[0],u=i[1];function c(e){r&&(u(e),r(e))}return(0,e.useEffect)((function(){c(rr(n))}),[n]),it(Mn,{placement:o,body:it(tr,{color:s,onChange:c})},it("span",De({},a,{css:or}),it("span",{css:ar,style:{backgroundColor:s.rgba}})))};ir.defaultProps={placement:"bottom"};var sr=ir,ur=n(322),cr=n.n(ur),lr=n(555),fr=n.n(lr);function dr(e,t){if(!(e instanceof t))throw new TypeError("Cannot call a class as a function")}function pr(e){return(pr="function"==typeof Symbol&&"symbol"==typeof Symbol.iterator?function(e){return typeof e}:function(e){return e&&"function"==typeof Symbol&&e.constructor===Symbol&&e!==Symbol.prototype?"symbol":typeof e})(e)}function hr(e){var t=function(e,t){if("object"!==pr(e)||null===e)return e;var n=e[Symbol.toPrimitive];if(n!==undefined){var r=n.call(e,t||"default");if("object"!==pr(r))return r;throw new TypeError("@@toPrimitive must return a primitive value.")}return("string"===t?String:Number)(e)}(e,"string");return"symbol"===pr(t)?t:String(t)}function mr(e,t){for(var n=0;n<t.length;n++){var r=t[n];r.enumerable=r.enumerable||!1,r.configurable=!0,"value"in r&&(r.writable=!0),Object.defineProperty(e,hr(r.key),r)}}function gr(e,t,n){return t&&mr(e.prototype,t),n&&mr(e,n),Object.defineProperty(e,"prototype",{writable:!1}),e}function vr(e,t){if("function"!=typeof t&&null!==t)throw new TypeError("Super expression must either be null or a function");e.prototype=Object.create(t&&t.prototype,{constructor:{value:e,writable:!0,configurable:!0}}),Object.defineProperty(e,"prototype",{writable:!1}),t&&Ee(e,t)}function yr(e){if(void 0===e)throw new ReferenceError("this hasn't been initialised - super() hasn't been called");return e}function br(e,t){if(t&&("object"===pr(t)||"function"==typeof t))return t;if(void 0!==t)throw new TypeError("Derived constructors may only return object or undefined");return yr(e)}function wr(e){return(wr=Object.setPrototypeOf?Object.getPrototypeOf.bind():function(e){return e.__proto__||Object.getPrototypeOf(e)})(e)}var Cr=Number.isNaN||function(e){return"number"==typeof e&&e!=e};function Or(e,t){if(e.length!==t.length)return!1;for(var n=0;n<e.length;n++)if(r=e[n],o=t[n],!(r===o||Cr(r)&&Cr(o)))return!1;var r,o;return!0}var xr=function(e,t){var n;void 0===t&&(t=Or);var r,o=[],a=!1;return function(){for(var i=[],s=0;s<arguments.length;s++)i[s]=arguments[s];return a&&n===this&&t(i,o)||(r=e.apply(this,i),a=!0,n=this,o=i),r}},kr=ReactDOM;function Dr(e,t){if(null==e)return{};var n,r,o=Se(e,t);if(Object.getOwnPropertySymbols){var a=Object.getOwnPropertySymbols(e);for(r=0;r<a.length;r++)n=a[r],t.indexOf(n)>=0||Object.prototype.propertyIsEnumerable.call(e,n)&&(o[n]=e[n])}return o}function Sr(e,t){(null==t||t>e.length)&&(t=e.length);for(var n=0,r=new Array(t);n<t;n++)r[n]=e[n];return r}function Er(e,t){if(e){if("string"==typeof e)return Sr(e,t);var n=Object.prototype.toString.call(e).slice(8,-1);return"Object"===n&&e.constructor&&(n=e.constructor.name),"Map"===n||"Set"===n?Array.from(e):"Arguments"===n||/^(?:Ui|I)nt(?:8|16|32)(?:Clamped)?Array$/.test(n)?Sr(e,t):void 0}}function Mr(e,t){return function(e){if(Array.isArray(e))return e}(e)||function(e,t){var n=null==e?null:"undefined"!=typeof Symbol&&e[Symbol.iterator]||e["@@iterator"];if(null!=n){var r,o,a,i,s=[],u=!0,c=!1;try{if(a=(n=n.call(e)).next,0===t){if(Object(n)!==n)return;u=!1}else for(;!(u=(r=a.call(n)).done)&&(s.push(r.value),s.length!==t);u=!0);}catch(l){c=!0,o=l}finally{try{if(!u&&null!=n["return"]&&(i=n["return"](),Object(i)!==i))return}finally{if(c)throw o}}return s}}(e,t)||Er(e,t)||function(){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 _r(e){return function(e){if(Array.isArray(e))return Sr(e)}(e)||function(e){if("undefined"!=typeof Symbol&&null!=e[Symbol.iterator]||null!=e["@@iterator"])return Array.from(e)}(e)||Er(e)||function(){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 Pr(e,t,n){return(t=hr(t))in e?Object.defineProperty(e,t,{value:n,enumerable:!0,configurable:!0,writable:!0}):e[t]=n,e}var jr=n(639),Tr=function(){};function Ar(e,t){return t?"-"===t[0]?e+t:e+"__"+t:e}function Ir(e,t,n){var r=[n];if(t&&e)for(var o in t)t.hasOwnProperty(o)&&t[o]&&r.push("".concat(Ar(e,o)));return r.filter((function(e){return e})).map((function(e){return String(e).trim()})).join(" ")}var Nr=function(e){return Array.isArray(e)?e.filter(Boolean):"object"===pr(e)&&null!==e?[e]:[]};function Rr(e){return[document.documentElement,document.body,window].indexOf(e)>-1}function Lr(e){return Rr(e)?window.pageYOffset:e.scrollTop}function Vr(e,t){Rr(e)?window.scrollTo(0,t):e.scrollTop=t}function Fr(e,t,n,r){return n*((e=e/r-1)*e*e+1)+t}function Hr(e,t){var n=arguments.length>2&&arguments[2]!==undefined?arguments[2]:200,r=arguments.length>3&&arguments[3]!==undefined?arguments[3]:Tr,o=Lr(e),a=t-o,i=10,s=0;function u(){var t=Fr(s+=i,o,a,n);Vr(e,t),s<n?window.requestAnimationFrame(u):r(e)}u()}function zr(){try{return document.createEvent("TouchEvent"),!0}catch(e){return!1}}function Ur(e,t){var n=Object.keys(e);if(Object.getOwnPropertySymbols){var r=Object.getOwnPropertySymbols(e);t&&(r=r.filter((function(t){return Object.getOwnPropertyDescriptor(e,t).enumerable}))),n.push.apply(n,r)}return n}function Wr(e){for(var t=1;t<arguments.length;t++){var n=null!=arguments[t]?arguments[t]:{};t%2?Ur(Object(n),!0).forEach((function(t){Pr(e,t,n[t])})):Object.getOwnPropertyDescriptors?Object.defineProperties(e,Object.getOwnPropertyDescriptors(n)):Ur(Object(n)).forEach((function(t){Object.defineProperty(e,t,Object.getOwnPropertyDescriptor(n,t))}))}return e}function Br(e){var t=function(){if("undefined"==typeof Reflect||!Reflect.construct)return!1;if(Reflect.construct.sham)return!1;if("function"==typeof Proxy)return!0;try{return Date.prototype.toString.call(Reflect.construct(Date,[],(function(){}))),!0}catch(e){return!1}}();return function(){var n,r=wr(e);if(t){var o=wr(this).constructor;n=Reflect.construct(r,arguments,o)}else n=r.apply(this,arguments);return br(this,n)}}function Yr(e){var t=e.maxHeight,n=e.menuEl,r=e.minHeight,o=e.placement,a=e.shouldScroll,i=e.isFixedPosition,s=e.theme.spacing,u=function(e){var t=getComputedStyle(e),n="absolute"===t.position,r=/(auto|scroll)/,o=document.documentElement;if("fixed"===t.position)return o;for(var a=e;a=a.parentElement;)if(t=getComputedStyle(a),(!n||"static"!==t.position)&&r.test(t.overflow+t.overflowY+t.overflowX))return a;return o}(n),c={placement:"bottom",maxHeight:t};if(!n||!n.offsetParent)return c;var l=u.getBoundingClientRect().height,f=n.getBoundingClientRect(),d=f.bottom,p=f.height,h=f.top,m=n.offsetParent.getBoundingClientRect().top,g=window.innerHeight,v=Lr(u),y=parseInt(getComputedStyle(n).marginBottom,10),b=parseInt(getComputedStyle(n).marginTop,10),w=m-b,C=g-h,O=w+v,x=l-v-h,k=d-g+v+y,D=v+h-b,S=160;switch(o){case"auto":case"bottom":if(C>=p)return{placement:"bottom",maxHeight:t};if(x>=p&&!i)return a&&Hr(u,k,S),{placement:"bottom",maxHeight:t};if(!i&&x>=r||i&&C>=r)return a&&Hr(u,k,S),{placement:"bottom",maxHeight:i?C-y:x-y};if("auto"===o||i){var E=t,M=i?w:O;return M>=r&&(E=Math.min(M-y-s.controlHeight,t)),{placement:"top",maxHeight:E}}if("bottom"===o)return Vr(u,k),{placement:"bottom",maxHeight:t};break;case"top":if(w>=p)return{placement:"top",maxHeight:t};if(O>=p&&!i)return a&&Hr(u,D,S),{placement:"top",maxHeight:t};if(!i&&O>=r||i&&w>=r){var _=t;return(!i&&O>=r||i&&w>=r)&&(_=i?w-b:O-b),a&&Hr(u,D,S),{placement:"top",maxHeight:_}}return{placement:"bottom",maxHeight:t};default:throw new Error('Invalid placement provided "'.concat(o,'".'))}return c}var qr=function(e){return"auto"===e?"bottom":e},Kr=(0,e.createContext)({getPortalPlacement:null}),Qr=function(e){vr(n,e);var t=Br(n);function n(){var e;dr(this,n);for(var r=arguments.length,o=new Array(r),a=0;a<r;a++)o[a]=arguments[a];return(e=t.call.apply(t,[this].concat(o))).state={maxHeight:e.props.maxMenuHeight,placement:null},e.getPlacement=function(t){var n=e.props,r=n.minMenuHeight,o=n.maxMenuHeight,a=n.menuPlacement,i=n.menuPosition,s=n.menuShouldScrollIntoView,u=n.theme;if(t){var c="fixed"===i,l=Yr({maxHeight:o,menuEl:t,minHeight:r,placement:a,shouldScroll:s&&!c,isFixedPosition:c,theme:u}),f=e.context.getPortalPlacement;f&&f(l),e.setState(l)}},e.getUpdatedProps=function(){var t=e.props.menuPlacement,n=e.state.placement||qr(t);return Wr(Wr({},e.props),{},{placement:n,maxHeight:e.state.maxHeight})},e}return gr(n,[{key:"render",value:function(){return(0,this.props.children)({ref:this.getPlacement,placerProps:this.getUpdatedProps()})}}]),n}(e.Component);Qr.contextType=Kr;var Gr=function(e){var t=e.theme,n=t.spacing.baseUnit;return{color:t.colors.neutral40,padding:"".concat(2*n,"px ").concat(3*n,"px"),textAlign:"center"}},$r=Gr,Jr=Gr,Xr=function(e){var t=e.children,n=e.className,r=e.cx,o=e.getStyles,a=e.innerProps;return it("div",De({css:o("noOptionsMessage",e),className:r({"menu-notice":!0,"menu-notice--no-options":!0},n)},a),t)};Xr.defaultProps={children:"No options"};var Zr=function(e){var t=e.children,n=e.className,r=e.cx,o=e.getStyles,a=e.innerProps;return it("div",De({css:o("loadingMessage",e),className:r({"menu-notice":!0,"menu-notice--loading":!0},n)},a),t)};Zr.defaultProps={children:"Loading..."};var eo=function(e){vr(n,e);var t=Br(n);function n(){var e;dr(this,n);for(var r=arguments.length,o=new Array(r),a=0;a<r;a++)o[a]=arguments[a];return(e=t.call.apply(t,[this].concat(o))).state={placement:null},e.getPortalPlacement=function(t){var n=t.placement;n!==qr(e.props.menuPlacement)&&e.setState({placement:n})},e}return gr(n,[{key:"render",value:function(){var e=this.props,t=e.appendTo,n=e.children,r=e.controlElement,o=e.menuPlacement,a=e.menuPosition,i=e.getStyles,s="fixed"===a;if(!t&&!s||!r)return null;var u=this.state.placement||qr(o),c=function(e){var t=e.getBoundingClientRect();return{bottom:t.bottom,height:t.height,left:t.left,right:t.right,top:t.top,width:t.width}}(r),l=s?0:window.pageYOffset,f=c[u]+l,d=it("div",{css:i("menuPortal",{offset:f,position:a,rect:c})},n);return it(Kr.Provider,{value:{getPortalPlacement:this.getPortalPlacement}},t?(0,kr.createPortal)(d,t):d)}}]),n}(e.Component),to=Array.isArray,no=Object.keys,ro=Object.prototype.hasOwnProperty;function oo(e,t){if(e===t)return!0;if(e&&t&&"object"==pr(e)&&"object"==pr(t)){var n,r,o,a=to(e),i=to(t);if(a&&i){if((r=e.length)!=t.length)return!1;for(n=r;0!=n--;)if(!oo(e[n],t[n]))return!1;return!0}if(a!=i)return!1;var s=e instanceof Date,u=t instanceof Date;if(s!=u)return!1;if(s&&u)return e.getTime()==t.getTime();var c=e instanceof RegExp,l=t instanceof RegExp;if(c!=l)return!1;if(c&&l)return e.toString()==t.toString();var f=no(e);if((r=f.length)!==no(t).length)return!1;for(n=r;0!=n--;)if(!ro.call(t,f[n]))return!1;for(n=r;0!=n--;)if(!("_owner"===(o=f[n])&&e.$$typeof||oo(e[o],t[o])))return!1;return!0}return e!=e&&t!=t}function ao(e,t){try{return oo(e,t)}catch(n){if(n.message&&n.message.match(/stack|recursion/i))return console.warn("Warning: react-fast-compare does not handle circular references.",n.name,n.message),!1;throw n}}function io(){var e,t,n=(e=["\n  0%, 80%, 100% { opacity: 0; }\n  40% { opacity: 1; }\n"],t||(t=e.slice(0)),Object.freeze(Object.defineProperties(e,{raw:{value:Object.freeze(t)}})));return io=function(){return n},n}var so={name:"19bqh2r",styles:"display:inline-block;fill:currentColor;line-height:1;stroke:currentColor;stroke-width:0;"},uo=function(e){var t=e.size,n=Dr(e,["size"]);return it("svg",De({height:t,width:t,viewBox:"0 0 20 20","aria-hidden":"true",focusable:"false",css:so},n))},co=function(e){return it(uo,De({size:20},e),it("path",{d:"M14.348 14.849c-0.469 0.469-1.229 0.469-1.697 0l-2.651-3.030-2.651 3.029c-0.469 0.469-1.229 0.469-1.697 0-0.469-0.469-0.469-1.229 0-1.697l2.758-3.15-2.759-3.152c-0.469-0.469-0.469-1.228 0-1.697s1.228-0.469 1.697 0l2.652 3.031 2.651-3.031c0.469-0.469 1.228-0.469 1.697 0s0.469 1.229 0 1.697l-2.758 3.152 2.758 3.15c0.469 0.469 0.469 1.229 0 1.698z"}))},lo=function(e){return it(uo,De({size:20},e),it("path",{d:"M4.516 7.548c0.436-0.446 1.043-0.481 1.576 0l3.908 3.747 3.908-3.747c0.533-0.481 1.141-0.446 1.574 0 0.436 0.445 0.408 1.197 0 1.615-0.406 0.418-4.695 4.502-4.695 4.502-0.217 0.223-0.502 0.335-0.787 0.335s-0.57-0.112-0.789-0.335c0 0-4.287-4.084-4.695-4.502s-0.436-1.17 0-1.615z"}))},fo=function(e){var t=e.isFocused,n=e.theme,r=n.spacing.baseUnit,o=n.colors;return{label:"indicatorContainer",color:t?o.neutral60:o.neutral20,display:"flex",padding:2*r,transition:"color 150ms",":hover":{color:t?o.neutral80:o.neutral40}}},po=fo,ho=fo,mo=function(){var e=at.apply(void 0,arguments),t="animation-"+e.name;return{name:t,styles:"@keyframes "+t+"{"+e.styles+"}",anim:1,toString:function(){return"_EMO_"+this.name+"_"+this.styles+"_EMO_"}}}(io()),go=function(e){var t=e.delay,n=e.offset;return it("span",{css:at({animation:"".concat(mo," 1s ease-in-out ").concat(t,"ms infinite;"),backgroundColor:"currentColor",borderRadius:"1em",display:"inline-block",marginLeft:n?"1em":null,height:"1em",verticalAlign:"top",width:"1em"},"")})},vo=function(e){var t=e.className,n=e.cx,r=e.getStyles,o=e.innerProps,a=e.isRtl;return it("div",De({},o,{css:r("loadingIndicator",e),className:n({indicator:!0,"loading-indicator":!0},t)}),it(go,{delay:0,offset:a}),it(go,{delay:160,offset:!0}),it(go,{delay:320,offset:!a}))};vo.defaultProps={size:4};function yo(e,t){var n=Object.keys(e);if(Object.getOwnPropertySymbols){var r=Object.getOwnPropertySymbols(e);t&&(r=r.filter((function(t){return Object.getOwnPropertyDescriptor(e,t).enumerable}))),n.push.apply(n,r)}return n}function bo(e){for(var t=1;t<arguments.length;t++){var n=null!=arguments[t]?arguments[t]:{};t%2?yo(Object(n),!0).forEach((function(t){Pr(e,t,n[t])})):Object.getOwnPropertyDescriptors?Object.defineProperties(e,Object.getOwnPropertyDescriptors(n)):yo(Object(n)).forEach((function(t){Object.defineProperty(e,t,Object.getOwnPropertyDescriptor(n,t))}))}return e}function wo(e,t){var n=Object.keys(e);if(Object.getOwnPropertySymbols){var r=Object.getOwnPropertySymbols(e);t&&(r=r.filter((function(t){return Object.getOwnPropertyDescriptor(e,t).enumerable}))),n.push.apply(n,r)}return n}function Co(e){for(var t=1;t<arguments.length;t++){var n=null!=arguments[t]?arguments[t]:{};t%2?wo(Object(n),!0).forEach((function(t){Pr(e,t,n[t])})):Object.getOwnPropertyDescriptors?Object.defineProperties(e,Object.getOwnPropertyDescriptors(n)):wo(Object(n)).forEach((function(t){Object.defineProperty(e,t,Object.getOwnPropertyDescriptor(n,t))}))}return e}var Oo=function(e){return{label:"input",background:0,border:0,fontSize:"inherit",opacity:e?0:1,outline:0,padding:0,color:"inherit"}};function xo(e,t){var n=Object.keys(e);if(Object.getOwnPropertySymbols){var r=Object.getOwnPropertySymbols(e);t&&(r=r.filter((function(t){return Object.getOwnPropertyDescriptor(e,t).enumerable}))),n.push.apply(n,r)}return n}function ko(e){for(var t=1;t<arguments.length;t++){var n=null!=arguments[t]?arguments[t]:{};t%2?xo(Object(n),!0).forEach((function(t){Pr(e,t,n[t])})):Object.getOwnPropertyDescriptors?Object.defineProperties(e,Object.getOwnPropertyDescriptors(n)):xo(Object(n)).forEach((function(t){Object.defineProperty(e,t,Object.getOwnPropertyDescriptor(n,t))}))}return e}var Do=function(e){var t=e.children,n=e.innerProps;return it("div",n,t)},So=Do,Eo=Do;var Mo=function(e){var t=e.children,n=e.className,r=e.components,o=e.cx,a=e.data,i=e.getStyles,s=e.innerProps,u=e.isDisabled,c=e.removeProps,l=e.selectProps,f=r.Container,d=r.Label,p=r.Remove;return it(dt,null,(function(r){var h=r.css,m=r.cx;return it(f,{data:a,innerProps:ko(ko({},s),{},{className:m(h(i("multiValue",e)),o({"multi-value":!0,"multi-value--is-disabled":u},n))}),selectProps:l},it(d,{data:a,innerProps:{className:m(h(i("multiValueLabel",e)),o({"multi-value__label":!0},n))},selectProps:l},t),it(p,{data:a,innerProps:ko({className:m(h(i("multiValueRemove",e)),o({"multi-value__remove":!0},n))},c),selectProps:l}))}))};Mo.defaultProps={cropWithEllipsis:!0};function _o(e,t){var n=Object.keys(e);if(Object.getOwnPropertySymbols){var r=Object.getOwnPropertySymbols(e);t&&(r=r.filter((function(t){return Object.getOwnPropertyDescriptor(e,t).enumerable}))),n.push.apply(n,r)}return n}function Po(e){for(var t=1;t<arguments.length;t++){var n=null!=arguments[t]?arguments[t]:{};t%2?_o(Object(n),!0).forEach((function(t){Pr(e,t,n[t])})):Object.getOwnPropertyDescriptors?Object.defineProperties(e,Object.getOwnPropertyDescriptors(n)):_o(Object(n)).forEach((function(t){Object.defineProperty(e,t,Object.getOwnPropertyDescriptor(n,t))}))}return e}for(var jo={ClearIndicator:function(e){var t=e.children,n=e.className,r=e.cx,o=e.getStyles,a=e.innerProps;return it("div",De({},a,{css:o("clearIndicator",e),className:r({indicator:!0,"clear-indicator":!0},n)}),t||it(co,null))},Control:function(e){var t=e.children,n=e.cx,r=e.getStyles,o=e.className,a=e.isDisabled,i=e.isFocused,s=e.innerRef,u=e.innerProps,c=e.menuIsOpen;return it("div",De({ref:s,css:r("control",e),className:n({control:!0,"control--is-disabled":a,"control--is-focused":i,"control--menu-is-open":c},o)},u),t)},DropdownIndicator:function(e){var t=e.children,n=e.className,r=e.cx,o=e.getStyles,a=e.innerProps;return it("div",De({},a,{css:o("dropdownIndicator",e),className:r({indicator:!0,"dropdown-indicator":!0},n)}),t||it(lo,null))},DownChevron:lo,CrossIcon:co,Group:function(e){var t=e.children,n=e.className,r=e.cx,o=e.getStyles,a=e.Heading,i=e.headingProps,s=e.label,u=e.theme,c=e.selectProps;return it("div",{css:o("group",e),className:r({group:!0},n)},it(a,De({},i,{selectProps:c,theme:u,getStyles:o,cx:r}),s),it("div",null,t))},GroupHeading:function(e){var t=e.className,n=e.cx,r=e.getStyles,o=e.theme,a=(e.selectProps,Dr(e,["className","cx","getStyles","theme","selectProps"]));return it("div",De({css:r("groupHeading",bo({theme:o},a)),className:n({"group-heading":!0},t)},a))},IndicatorsContainer:function(e){var t=e.children,n=e.className,r=e.cx,o=e.getStyles;return it("div",{css:o("indicatorsContainer",e),className:r({indicators:!0},n)},t)},IndicatorSeparator:function(e){var t=e.className,n=e.cx,r=e.getStyles,o=e.innerProps;return it("span",De({},o,{css:r("indicatorSeparator",e),className:n({"indicator-separator":!0},t)}))},Input:function(e){var t=e.className,n=e.cx,r=e.getStyles,o=e.innerRef,a=e.isHidden,i=e.isDisabled,s=e.theme,u=(e.selectProps,Dr(e,["className","cx","getStyles","innerRef","isHidden","isDisabled","theme","selectProps"]));return it("div",{css:r("input",Co({theme:s},u))},it(jr.Z,De({className:n({input:!0},t),inputRef:o,inputStyle:Oo(a),disabled:i},u)))},LoadingIndicator:vo,Menu:function(e){var t=e.children,n=e.className,r=e.cx,o=e.getStyles,a=e.innerRef,i=e.innerProps;return it("div",De({css:o("menu",e),className:r({menu:!0},n)},i,{ref:a}),t)},MenuList:function(e){var t=e.children,n=e.className,r=e.cx,o=e.getStyles,a=e.isMulti,i=e.innerRef,s=e.innerProps;return it("div",De({css:o("menuList",e),className:r({"menu-list":!0,"menu-list--is-multi":a},n),ref:i},s),t)},MenuPortal:eo,LoadingMessage:Zr,NoOptionsMessage:Xr,MultiValue:Mo,MultiValueContainer:So,MultiValueLabel:Eo,MultiValueRemove:function(e){var t=e.children,n=e.innerProps;return it("div",n,t||it(co,{size:14}))},Option:function(e){var t=e.children,n=e.className,r=e.cx,o=e.getStyles,a=e.isDisabled,i=e.isFocused,s=e.isSelected,u=e.innerRef,c=e.innerProps;return it("div",De({css:o("option",e),className:r({option:!0,"option--is-disabled":a,"option--is-focused":i,"option--is-selected":s},n),ref:u},c),t)},Placeholder:function(e){var t=e.children,n=e.className,r=e.cx,o=e.getStyles,a=e.innerProps;return it("div",De({css:o("placeholder",e),className:r({placeholder:!0},n)},a),t)},SelectContainer:function(e){var t=e.children,n=e.className,r=e.cx,o=e.getStyles,a=e.innerProps,i=e.isDisabled,s=e.isRtl;return it("div",De({css:o("container",e),className:r({"--is-disabled":i,"--is-rtl":s},n)},a),t)},SingleValue:function(e){var t=e.children,n=e.className,r=e.cx,o=e.getStyles,a=e.isDisabled,i=e.innerProps;return it("div",De({css:o("singleValue",e),className:r({"single-value":!0,"single-value--is-disabled":a},n)},i),t)},ValueContainer:function(e){var t=e.children,n=e.className,r=e.cx,o=e.isMulti,a=e.getStyles,i=e.hasValue;return it("div",{css:a("valueContainer",e),className:r({"value-container":!0,"value-container--is-multi":o,"value-container--has-value":i},n)},t)}},To=function(e){return Po(Po({},jo),e.components)},Ao=[{base:"A",letters:"AⒶAÀÁÂẦẤẪẨÃĀĂẰẮẴẲȦǠÄǞẢÅǺǍȀȂẠẬẶḀĄȺⱯ"},{base:"AA",letters:"Ꜳ"},{base:"AE",letters:"ÆǼǢ"},{base:"AO",letters:"Ꜵ"},{base:"AU",letters:"Ꜷ"},{base:"AV",letters:"ꜸꜺ"},{base:"AY",letters:"Ꜽ"},{base:"B",letters:"BⒷBḂḄḆɃƂƁ"},{base:"C",letters:"CⒸCĆĈĊČÇḈƇȻꜾ"},{base:"D",letters:"DⒹDḊĎḌḐḒḎĐƋƊƉꝹ"},{base:"DZ",letters:"DZDŽ"},{base:"Dz",letters:"DzDž"},{base:"E",letters:"EⒺEÈÉÊỀẾỄỂẼĒḔḖĔĖËẺĚȄȆẸỆȨḜĘḘḚƐƎ"},{base:"F",letters:"FⒻFḞƑꝻ"},{base:"G",letters:"GⒼGǴĜḠĞĠǦĢǤƓꞠꝽꝾ"},{base:"H",letters:"HⒽHĤḢḦȞḤḨḪĦⱧⱵꞍ"},{base:"I",letters:"IⒾIÌÍÎĨĪĬİÏḮỈǏȈȊỊĮḬƗ"},{base:"J",letters:"JⒿJĴɈ"},{base:"K",letters:"KⓀKḰǨḲĶḴƘⱩꝀꝂꝄꞢ"},{base:"L",letters:"LⓁLĿĹĽḶḸĻḼḺŁȽⱢⱠꝈꝆꞀ"},{base:"LJ",letters:"LJ"},{base:"Lj",letters:"Lj"},{base:"M",letters:"MⓂMḾṀṂⱮƜ"},{base:"N",letters:"NⓃNǸŃÑṄŇṆŅṊṈȠƝꞐꞤ"},{base:"NJ",letters:"NJ"},{base:"Nj",letters:"Nj"},{base:"O",letters:"OⓄOÒÓÔỒỐỖỔÕṌȬṎŌṐṒŎȮȰÖȪỎŐǑȌȎƠỜỚỠỞỢỌỘǪǬØǾƆƟꝊꝌ"},{base:"OI",letters:"Ƣ"},{base:"OO",letters:"Ꝏ"},{base:"OU",letters:"Ȣ"},{base:"P",letters:"PⓅPṔṖƤⱣꝐꝒꝔ"},{base:"Q",letters:"QⓆQꝖꝘɊ"},{base:"R",letters:"RⓇRŔṘŘȐȒṚṜŖṞɌⱤꝚꞦꞂ"},{base:"S",letters:"SⓈSẞŚṤŜṠŠṦṢṨȘŞⱾꞨꞄ"},{base:"T",letters:"TⓉTṪŤṬȚŢṰṮŦƬƮȾꞆ"},{base:"TZ",letters:"Ꜩ"},{base:"U",letters:"UⓊUÙÚÛŨṸŪṺŬÜǛǗǕǙỦŮŰǓȔȖƯỪỨỮỬỰỤṲŲṶṴɄ"},{base:"V",letters:"VⓋVṼṾƲꝞɅ"},{base:"VY",letters:"Ꝡ"},{base:"W",letters:"WⓌWẀẂŴẆẄẈⱲ"},{base:"X",letters:"XⓍXẊẌ"},{base:"Y",letters:"YⓎYỲÝŶỸȲẎŸỶỴƳɎỾ"},{base:"Z",letters:"ZⓏZŹẐŻŽẒẔƵȤⱿⱫꝢ"},{base:"a",letters:"aⓐaẚàáâầấẫẩãāăằắẵẳȧǡäǟảåǻǎȁȃạậặḁąⱥɐ"},{base:"aa",letters:"ꜳ"},{base:"ae",letters:"æǽǣ"},{base:"ao",letters:"ꜵ"},{base:"au",letters:"ꜷ"},{base:"av",letters:"ꜹꜻ"},{base:"ay",letters:"ꜽ"},{base:"b",letters:"bⓑbḃḅḇƀƃɓ"},{base:"c",letters:"cⓒcćĉċčçḉƈȼꜿↄ"},{base:"d",letters:"dⓓdḋďḍḑḓḏđƌɖɗꝺ"},{base:"dz",letters:"dzdž"},{base:"e",letters:"eⓔeèéêềếễểẽēḕḗĕėëẻěȅȇẹệȩḝęḙḛɇɛǝ"},{base:"f",letters:"fⓕfḟƒꝼ"},{base:"g",letters:"gⓖgǵĝḡğġǧģǥɠꞡᵹꝿ"},{base:"h",letters:"hⓗhĥḣḧȟḥḩḫẖħⱨⱶɥ"},{base:"hv",letters:"ƕ"},{base:"i",letters:"iⓘiìíîĩīĭïḯỉǐȉȋịįḭɨı"},{base:"j",letters:"jⓙjĵǰɉ"},{base:"k",letters:"kⓚkḱǩḳķḵƙⱪꝁꝃꝅꞣ"},{base:"l",letters:"lⓛlŀĺľḷḹļḽḻſłƚɫⱡꝉꞁꝇ"},{base:"lj",letters:"lj"},{base:"m",letters:"mⓜmḿṁṃɱɯ"},{base:"n",letters:"nⓝnǹńñṅňṇņṋṉƞɲʼnꞑꞥ"},{base:"nj",letters:"nj"},{base:"o",letters:"oⓞoòóôồốỗổõṍȭṏōṑṓŏȯȱöȫỏőǒȍȏơờớỡởợọộǫǭøǿɔꝋꝍɵ"},{base:"oi",letters:"ƣ"},{base:"ou",letters:"ȣ"},{base:"oo",letters:"ꝏ"},{base:"p",letters:"pⓟpṕṗƥᵽꝑꝓꝕ"},{base:"q",letters:"qⓠqɋꝗꝙ"},{base:"r",letters:"rⓡrŕṙřȑȓṛṝŗṟɍɽꝛꞧꞃ"},{base:"s",letters:"sⓢsßśṥŝṡšṧṣṩșşȿꞩꞅẛ"},{base:"t",letters:"tⓣtṫẗťṭțţṱṯŧƭʈⱦꞇ"},{base:"tz",letters:"ꜩ"},{base:"u",letters:"uⓤuùúûũṹūṻŭüǜǘǖǚủůűǔȕȗưừứữửựụṳųṷṵʉ"},{base:"v",letters:"vⓥvṽṿʋꝟʌ"},{base:"vy",letters:"ꝡ"},{base:"w",letters:"wⓦwẁẃŵẇẅẘẉⱳ"},{base:"x",letters:"xⓧxẋẍ"},{base:"y",letters:"yⓨyỳýŷỹȳẏÿỷẙỵƴɏỿ"},{base:"z",letters:"zⓩzźẑżžẓẕƶȥɀⱬꝣ"}],Io=new RegExp("["+Ao.map((function(e){return e.letters})).join("")+"]","g"),No={},Ro=0;Ro<Ao.length;Ro++)for(var Lo=Ao[Ro],Vo=0;Vo<Lo.letters.length;Vo++)No[Lo.letters[Vo]]=Lo.base;var Fo=function(e){return e.replace(Io,(function(e){return No[e]}))};function Ho(e,t){var n=Object.keys(e);if(Object.getOwnPropertySymbols){var r=Object.getOwnPropertySymbols(e);t&&(r=r.filter((function(t){return Object.getOwnPropertyDescriptor(e,t).enumerable}))),n.push.apply(n,r)}return n}var zo=function(e){return e.replace(/^\s+|\s+$/g,"")},Uo=function(e){return"".concat(e.label," ").concat(e.value)};var Wo={name:"1laao21-a11yText",styles:"label:a11yText;z-index:9999;border:0;clip:rect(1px, 1px, 1px, 1px);height:1px;width:1px;position:absolute;overflow:hidden;padding:0;white-space:nowrap;"},Bo=function(e){return it("span",De({css:Wo},e))};function Yo(e){e["in"],e.out,e.onExited,e.appear,e.enter,e.exit;var t=e.innerRef,n=(e.emotion,Dr(e,["in","out","onExited","appear","enter","exit","innerRef","emotion"]));return it("input",De({ref:t},n,{css:at({label:"dummyInput",background:0,border:0,fontSize:"inherit",outline:0,padding:0,width:1,color:"transparent",left:-100,opacity:0,position:"relative",transform:"scale(0)"},"")}))}function qo(e){var t=function(){if("undefined"==typeof Reflect||!Reflect.construct)return!1;if(Reflect.construct.sham)return!1;if("function"==typeof Proxy)return!0;try{return Date.prototype.toString.call(Reflect.construct(Date,[],(function(){}))),!0}catch(e){return!1}}();return function(){var n,r=wr(e);if(t){var o=wr(this).constructor;n=Reflect.construct(r,arguments,o)}else n=r.apply(this,arguments);return br(this,n)}}var Ko=function(e){vr(n,e);var t=qo(n);function n(){return dr(this,n),t.apply(this,arguments)}return gr(n,[{key:"componentDidMount",value:function(){this.props.innerRef((0,kr.findDOMNode)(this))}},{key:"componentWillUnmount",value:function(){this.props.innerRef(null)}},{key:"render",value:function(){return this.props.children}}]),n}(e.Component),Qo=["boxSizing","height","overflow","paddingRight","position"],Go={boxSizing:"border-box",overflow:"hidden",position:"relative",height:"100%"};function $o(e){e.preventDefault()}function Jo(e){e.stopPropagation()}function Xo(){var e=this.scrollTop,t=this.scrollHeight,n=e+this.offsetHeight;0===e?this.scrollTop=1:n===t&&(this.scrollTop=e-1)}function Zo(){return"ontouchstart"in window||navigator.maxTouchPoints}function ea(e){var t=function(){if("undefined"==typeof Reflect||!Reflect.construct)return!1;if(Reflect.construct.sham)return!1;if("function"==typeof Proxy)return!0;try{return Date.prototype.toString.call(Reflect.construct(Date,[],(function(){}))),!0}catch(e){return!1}}();return function(){var n,r=wr(e);if(t){var o=wr(this).constructor;n=Reflect.construct(r,arguments,o)}else n=r.apply(this,arguments);return br(this,n)}}var ta=!(!window.document||!window.document.createElement),na=0,ra=function(e){vr(n,e);var t=ea(n);function n(){var e;dr(this,n);for(var r=arguments.length,o=new Array(r),a=0;a<r;a++)o[a]=arguments[a];return(e=t.call.apply(t,[this].concat(o))).originalStyles={},e.listenerOptions={capture:!1,passive:!1},e}return gr(n,[{key:"componentDidMount",value:function(){var e=this;if(ta){var t=this.props,n=t.accountForScrollbars,r=t.touchScrollTarget,o=document.body,a=o&&o.style;if(n&&Qo.forEach((function(t){var n=a&&a[t];e.originalStyles[t]=n})),n&&na<1){var i=parseInt(this.originalStyles.paddingRight,10)||0,s=document.body?document.body.clientWidth:0,u=window.innerWidth-s+i||0;Object.keys(Go).forEach((function(e){var t=Go[e];a&&(a[e]=t)})),a&&(a.paddingRight="".concat(u,"px"))}o&&Zo()&&(o.addEventListener("touchmove",$o,this.listenerOptions),r&&(r.addEventListener("touchstart",Xo,this.listenerOptions),r.addEventListener("touchmove",Jo,this.listenerOptions))),na+=1}}},{key:"componentWillUnmount",value:function(){var e=this;if(ta){var t=this.props,n=t.accountForScrollbars,r=t.touchScrollTarget,o=document.body,a=o&&o.style;na=Math.max(na-1,0),n&&na<1&&Qo.forEach((function(t){var n=e.originalStyles[t];a&&(a[t]=n)})),o&&Zo()&&(o.removeEventListener("touchmove",$o,this.listenerOptions),r&&(r.removeEventListener("touchstart",Xo,this.listenerOptions),r.removeEventListener("touchmove",Jo,this.listenerOptions)))}}},{key:"render",value:function(){return null}}]),n}(e.Component);function oa(e){var t=function(){if("undefined"==typeof Reflect||!Reflect.construct)return!1;if(Reflect.construct.sham)return!1;if("function"==typeof Proxy)return!0;try{return Date.prototype.toString.call(Reflect.construct(Date,[],(function(){}))),!0}catch(e){return!1}}();return function(){var n,r=wr(e);if(t){var o=wr(this).constructor;n=Reflect.construct(r,arguments,o)}else n=r.apply(this,arguments);return br(this,n)}}ra.defaultProps={accountForScrollbars:!0};var aa={name:"1dsbpcp",styles:"position:fixed;left:0;bottom:0;right:0;top:0;"},ia=function(e){vr(n,e);var t=oa(n);function n(){var e;dr(this,n);for(var r=arguments.length,o=new Array(r),a=0;a<r;a++)o[a]=arguments[a];return(e=t.call.apply(t,[this].concat(o))).state={touchScrollTarget:null},e.getScrollTarget=function(t){t!==e.state.touchScrollTarget&&e.setState({touchScrollTarget:t})},e.blurSelectInput=function(){document.activeElement&&document.activeElement.blur()},e}return gr(n,[{key:"render",value:function(){var e=this.props,t=e.children,n=e.isEnabled,r=this.state.touchScrollTarget;return n?it("div",null,it("div",{onClick:this.blurSelectInput,css:aa}),it(Ko,{innerRef:this.getScrollTarget},t),r?it(ra,{touchScrollTarget:r}):null):t}}]),n}(e.PureComponent);function sa(e){var t=function(){if("undefined"==typeof Reflect||!Reflect.construct)return!1;if(Reflect.construct.sham)return!1;if("function"==typeof Proxy)return!0;try{return Date.prototype.toString.call(Reflect.construct(Date,[],(function(){}))),!0}catch(e){return!1}}();return function(){var n,r=wr(e);if(t){var o=wr(this).constructor;n=Reflect.construct(r,arguments,o)}else n=r.apply(this,arguments);return br(this,n)}}var ua=function(e){vr(r,e);var n=sa(r);function r(){var e;dr(this,r);for(var t=arguments.length,o=new Array(t),a=0;a<t;a++)o[a]=arguments[a];return(e=n.call.apply(n,[this].concat(o))).isBottom=!1,e.isTop=!1,e.scrollTarget=void 0,e.touchStart=void 0,e.cancelScroll=function(e){e.preventDefault(),e.stopPropagation()},e.handleEventDelta=function(t,n){var r=e.props,o=r.onBottomArrive,a=r.onBottomLeave,i=r.onTopArrive,s=r.onTopLeave,u=e.scrollTarget,c=u.scrollTop,l=u.scrollHeight,f=u.clientHeight,d=e.scrollTarget,p=n>0,h=l-f-c,m=!1;h>n&&e.isBottom&&(a&&a(t),e.isBottom=!1),p&&e.isTop&&(s&&s(t),e.isTop=!1),p&&n>h?(o&&!e.isBottom&&o(t),d.scrollTop=l,m=!0,e.isBottom=!0):!p&&-n>c&&(i&&!e.isTop&&i(t),d.scrollTop=0,m=!0,e.isTop=!0),m&&e.cancelScroll(t)},e.onWheel=function(t){e.handleEventDelta(t,t.deltaY)},e.onTouchStart=function(t){e.touchStart=t.changedTouches[0].clientY},e.onTouchMove=function(t){var n=e.touchStart-t.changedTouches[0].clientY;e.handleEventDelta(t,n)},e.getScrollTarget=function(t){e.scrollTarget=t},e}return gr(r,[{key:"componentDidMount",value:function(){this.startListening(this.scrollTarget)}},{key:"componentWillUnmount",value:function(){this.stopListening(this.scrollTarget)}},{key:"startListening",value:function(e){e&&("function"==typeof e.addEventListener&&e.addEventListener("wheel",this.onWheel,!1),"function"==typeof e.addEventListener&&e.addEventListener("touchstart",this.onTouchStart,!1),"function"==typeof e.addEventListener&&e.addEventListener("touchmove",this.onTouchMove,!1))}},{key:"stopListening",value:function(e){e&&("function"==typeof e.removeEventListener&&e.removeEventListener("wheel",this.onWheel,!1),"function"==typeof e.removeEventListener&&e.removeEventListener("touchstart",this.onTouchStart,!1),"function"==typeof e.removeEventListener&&e.removeEventListener("touchmove",this.onTouchMove,!1))}},{key:"render",value:function(){return t().createElement(Ko,{innerRef:this.getScrollTarget},this.props.children)}}]),r}(e.Component);function ca(e){var n=e.isEnabled,r=void 0===n||n,o=Dr(e,["isEnabled"]);return r?t().createElement(ua,o):o.children}var la=function(e){var t=arguments.length>1&&arguments[1]!==undefined?arguments[1]:{},n=t.isSearchable,r=t.isMulti,o=t.label,a=t.isDisabled,i=t.tabSelectsValue;switch(e){case"menu":return"Use Up and Down to choose options".concat(a?"":", press Enter to select the currently focused option",", press Escape to exit the menu").concat(i?", press Tab to select the option and exit the menu":"",".");case"input":return"".concat(o||"Select"," is focused ").concat(n?",type to refine list":"",", press Down to open the menu, ").concat(r?" press left to focus selected values":"");case"value":return"Use left and right to toggle between focused values, press Backspace to remove the currently focused value"}},fa=function(e,t){var n=t.value,r=t.isDisabled;if(n)switch(e){case"deselect-option":case"pop-value":case"remove-value":return"option ".concat(n,", deselected.");case"select-option":return"option ".concat(n,r?" is disabled. Select another option.":", selected.")}},da=function(e){return!!e.isDisabled};var pa={clearIndicator:ho,container:function(e){var t=e.isDisabled;return{label:"container",direction:e.isRtl?"rtl":null,pointerEvents:t?"none":null,position:"relative"}},control:function(e){var t=e.isDisabled,n=e.isFocused,r=e.theme,o=r.colors,a=r.borderRadius,i=r.spacing;return{label:"control",alignItems:"center",backgroundColor:t?o.neutral5:o.neutral0,borderColor:t?o.neutral10:n?o.primary:o.neutral20,borderRadius:a,borderStyle:"solid",borderWidth:1,boxShadow:n?"0 0 0 1px ".concat(o.primary):null,cursor:"default",display:"flex",flexWrap:"wrap",justifyContent:"space-between",minHeight:i.controlHeight,outline:"0 !important",position:"relative",transition:"all 100ms","&:hover":{borderColor:n?o.primary:o.neutral30}}},dropdownIndicator:po,group:function(e){var t=e.theme.spacing;return{paddingBottom:2*t.baseUnit,paddingTop:2*t.baseUnit}},groupHeading:function(e){var t=e.theme.spacing;return{label:"group",color:"#999",cursor:"default",display:"block",fontSize:"75%",fontWeight:"500",marginBottom:"0.25em",paddingLeft:3*t.baseUnit,paddingRight:3*t.baseUnit,textTransform:"uppercase"}},indicatorsContainer:function(){return{alignItems:"center",alignSelf:"stretch",display:"flex",flexShrink:0}},indicatorSeparator:function(e){var t=e.isDisabled,n=e.theme,r=n.spacing.baseUnit,o=n.colors;return{label:"indicatorSeparator",alignSelf:"stretch",backgroundColor:t?o.neutral10:o.neutral20,marginBottom:2*r,marginTop:2*r,width:1}},input:function(e){var t=e.isDisabled,n=e.theme,r=n.spacing,o=n.colors;return{margin:r.baseUnit/2,paddingBottom:r.baseUnit/2,paddingTop:r.baseUnit/2,visibility:t?"hidden":"visible",color:o.neutral80}},loadingIndicator:function(e){var t=e.isFocused,n=e.size,r=e.theme,o=r.colors,a=r.spacing.baseUnit;return{label:"loadingIndicator",color:t?o.neutral60:o.neutral20,display:"flex",padding:2*a,transition:"color 150ms",alignSelf:"center",fontSize:n,lineHeight:1,marginRight:n,textAlign:"center",verticalAlign:"middle"}},loadingMessage:Jr,menu:function(e){var t,n=e.placement,r=e.theme,o=r.borderRadius,a=r.spacing,i=r.colors;return Pr(t={label:"menu"},function(e){return e?{bottom:"top",top:"bottom"}[e]:"bottom"}(n),"100%"),Pr(t,"backgroundColor",i.neutral0),Pr(t,"borderRadius",o),Pr(t,"boxShadow","0 0 0 1px hsla(0, 0%, 0%, 0.1), 0 4px 11px hsla(0, 0%, 0%, 0.1)"),Pr(t,"marginBottom",a.menuGutter),Pr(t,"marginTop",a.menuGutter),Pr(t,"position","absolute"),Pr(t,"width","100%"),Pr(t,"zIndex",1),t},menuList:function(e){var t=e.maxHeight,n=e.theme.spacing.baseUnit;return{maxHeight:t,overflowY:"auto",paddingBottom:n,paddingTop:n,position:"relative",WebkitOverflowScrolling:"touch"}},menuPortal:function(e){var t=e.rect,n=e.offset,r=e.position;return{left:t.left,position:r,top:n,width:t.width,zIndex:1}},multiValue:function(e){var t=e.theme,n=t.spacing,r=t.borderRadius;return{label:"multiValue",backgroundColor:t.colors.neutral10,borderRadius:r/2,display:"flex",margin:n.baseUnit/2,minWidth:0}},multiValueLabel:function(e){var t=e.theme,n=t.borderRadius,r=t.colors,o=e.cropWithEllipsis;return{borderRadius:n/2,color:r.neutral80,fontSize:"85%",overflow:"hidden",padding:3,paddingLeft:6,textOverflow:o?"ellipsis":null,whiteSpace:"nowrap"}},multiValueRemove:function(e){var t=e.theme,n=t.spacing,r=t.borderRadius,o=t.colors;return{alignItems:"center",borderRadius:r/2,backgroundColor:e.isFocused&&o.dangerLight,display:"flex",paddingLeft:n.baseUnit,paddingRight:n.baseUnit,":hover":{backgroundColor:o.dangerLight,color:o.danger}}},noOptionsMessage:$r,option:function(e){var t=e.isDisabled,n=e.isFocused,r=e.isSelected,o=e.theme,a=o.spacing,i=o.colors;return{label:"option",backgroundColor:r?i.primary:n?i.primary25:"transparent",color:t?i.neutral20:r?i.neutral0:"inherit",cursor:"default",display:"block",fontSize:"inherit",padding:"".concat(2*a.baseUnit,"px ").concat(3*a.baseUnit,"px"),width:"100%",userSelect:"none",WebkitTapHighlightColor:"rgba(0, 0, 0, 0)",":active":{backgroundColor:!t&&(r?i.primary:i.primary50)}}},placeholder:function(e){var t=e.theme,n=t.spacing;return{label:"placeholder",color:t.colors.neutral50,marginLeft:n.baseUnit/2,marginRight:n.baseUnit/2,position:"absolute",top:"50%",transform:"translateY(-50%)"}},singleValue:function(e){var t=e.isDisabled,n=e.theme,r=n.spacing,o=n.colors;return{label:"singleValue",color:t?o.neutral40:o.neutral80,marginLeft:r.baseUnit/2,marginRight:r.baseUnit/2,maxWidth:"calc(100% - ".concat(2*r.baseUnit,"px)"),overflow:"hidden",position:"absolute",textOverflow:"ellipsis",whiteSpace:"nowrap",top:"50%",transform:"translateY(-50%)"}},valueContainer:function(e){var t=e.theme.spacing;return{alignItems:"center",display:"flex",flex:1,flexWrap:"wrap",padding:"".concat(t.baseUnit/2,"px ").concat(2*t.baseUnit,"px"),WebkitOverflowScrolling:"touch",position:"relative",overflow:"hidden"}}};var ha={borderRadius:4,colors:{primary:"#2684FF",primary75:"#4C9AFF",primary50:"#B2D4FF",primary25:"#DEEBFF",danger:"#DE350B",dangerLight:"#FFBDAD",neutral0:"hsl(0, 0%, 100%)",neutral5:"hsl(0, 0%, 95%)",neutral10:"hsl(0, 0%, 90%)",neutral20:"hsl(0, 0%, 80%)",neutral30:"hsl(0, 0%, 70%)",neutral40:"hsl(0, 0%, 60%)",neutral50:"hsl(0, 0%, 50%)",neutral60:"hsl(0, 0%, 40%)",neutral70:"hsl(0, 0%, 30%)",neutral80:"hsl(0, 0%, 20%)",neutral90:"hsl(0, 0%, 10%)"},spacing:{baseUnit:4,controlHeight:38,menuGutter:8}};function ma(e,t){var n=Object.keys(e);if(Object.getOwnPropertySymbols){var r=Object.getOwnPropertySymbols(e);t&&(r=r.filter((function(t){return Object.getOwnPropertyDescriptor(e,t).enumerable}))),n.push.apply(n,r)}return n}function ga(e){for(var t=1;t<arguments.length;t++){var n=null!=arguments[t]?arguments[t]:{};t%2?ma(Object(n),!0).forEach((function(t){Pr(e,t,n[t])})):Object.getOwnPropertyDescriptors?Object.defineProperties(e,Object.getOwnPropertyDescriptors(n)):ma(Object(n)).forEach((function(t){Object.defineProperty(e,t,Object.getOwnPropertyDescriptor(n,t))}))}return e}function va(e){var t=function(){if("undefined"==typeof Reflect||!Reflect.construct)return!1;if(Reflect.construct.sham)return!1;if("function"==typeof Proxy)return!0;try{return Date.prototype.toString.call(Reflect.construct(Date,[],(function(){}))),!0}catch(e){return!1}}();return function(){var n,r=wr(e);if(t){var o=wr(this).constructor;n=Reflect.construct(r,arguments,o)}else n=r.apply(this,arguments);return br(this,n)}}var ya,ba={backspaceRemovesValue:!0,blurInputOnSelect:zr(),captureMenuScroll:!zr(),closeMenuOnSelect:!0,closeMenuOnScroll:!1,components:{},controlShouldRenderValue:!0,escapeClearsValue:!1,filterOption:function(e,t){var n=function(e){for(var t=1;t<arguments.length;t++){var n=null!=arguments[t]?arguments[t]:{};t%2?Ho(Object(n),!0).forEach((function(t){Pr(e,t,n[t])})):Object.getOwnPropertyDescriptors?Object.defineProperties(e,Object.getOwnPropertyDescriptors(n)):Ho(Object(n)).forEach((function(t){Object.defineProperty(e,t,Object.getOwnPropertyDescriptor(n,t))}))}return e}({ignoreCase:!0,ignoreAccents:!0,stringify:Uo,trim:!0,matchFrom:"any"},ya),r=n.ignoreCase,o=n.ignoreAccents,a=n.stringify,i=n.trim,s=n.matchFrom,u=i?zo(t):t,c=i?zo(a(e)):a(e);return r&&(u=u.toLowerCase(),c=c.toLowerCase()),o&&(u=Fo(u),c=Fo(c)),"start"===s?c.substr(0,u.length)===u:c.indexOf(u)>-1},formatGroupLabel:function(e){return e.label},getOptionLabel:function(e){return e.label},getOptionValue:function(e){return e.value},isDisabled:!1,isLoading:!1,isMulti:!1,isRtl:!1,isSearchable:!0,isOptionDisabled:da,loadingMessage:function(){return"Loading..."},maxMenuHeight:300,minMenuHeight:140,menuIsOpen:!1,menuPlacement:"bottom",menuPosition:"absolute",menuShouldBlockScroll:!1,menuShouldScrollIntoView:!function(){try{return/Android|webOS|iPhone|iPad|iPod|BlackBerry|IEMobile|Opera Mini/i.test(navigator.userAgent)}catch(e){return!1}}(),noOptionsMessage:function(){return"No options"},openMenuOnFocus:!1,openMenuOnClick:!0,options:[],pageSize:5,placeholder:"Select...",screenReaderStatus:function(e){var t=e.count;return"".concat(t," result").concat(1!==t?"s":""," available")},styles:{},tabIndex:"0",tabSelectsValue:!0},wa=1,Ca=function(e){vr(r,e);var n=va(r);function r(e){var t;dr(this,r),(t=n.call(this,e)).state={ariaLiveSelection:"",ariaLiveContext:"",focusedOption:null,focusedValue:null,inputIsHidden:!1,isFocused:!1,menuOptions:{render:[],focusable:[]},selectValue:[]},t.blockOptionHover=!1,t.isComposing=!1,t.clearFocusValueOnUpdate=!1,t.commonProps=void 0,t.components=void 0,t.hasGroups=!1,t.initialTouchX=0,t.initialTouchY=0,t.inputIsHiddenAfterUpdate=void 0,t.instancePrefix="",t.openAfterFocus=!1,t.scrollToFocusedOptionOnUpdate=!1,t.userIsDragging=void 0,t.controlRef=null,t.getControlRef=function(e){t.controlRef=e},t.focusedOptionRef=null,t.getFocusedOptionRef=function(e){t.focusedOptionRef=e},t.menuListRef=null,t.getMenuListRef=function(e){t.menuListRef=e},t.inputRef=null,t.getInputRef=function(e){t.inputRef=e},t.cacheComponents=function(e){t.components=To({components:e})},t.focus=t.focusInput,t.blur=t.blurInput,t.onChange=function(e,n){var r=t.props,o=r.onChange,a=r.name;o(e,ga(ga({},n),{},{name:a}))},t.setValue=function(e){var n=arguments.length>1&&arguments[1]!==undefined?arguments[1]:"set-value",r=arguments.length>2?arguments[2]:undefined,o=t.props,a=o.closeMenuOnSelect,i=o.isMulti;t.onInputChange("",{action:"set-value"}),a&&(t.inputIsHiddenAfterUpdate=!i,t.onMenuClose()),t.clearFocusValueOnUpdate=!0,t.onChange(e,{action:n,option:r})},t.selectOption=function(e){var n=t.props,r=n.blurInputOnSelect,o=n.isMulti,a=t.state.selectValue;if(o)if(t.isOptionSelected(e,a)){var i=t.getOptionValue(e);t.setValue(a.filter((function(e){return t.getOptionValue(e)!==i})),"deselect-option",e),t.announceAriaLiveSelection({event:"deselect-option",context:{value:t.getOptionLabel(e)}})}else t.isOptionDisabled(e,a)?t.announceAriaLiveSelection({event:"select-option",context:{value:t.getOptionLabel(e),isDisabled:!0}}):(t.setValue([].concat(_r(a),[e]),"select-option",e),t.announceAriaLiveSelection({event:"select-option",context:{value:t.getOptionLabel(e)}}));else t.isOptionDisabled(e,a)?t.announceAriaLiveSelection({event:"select-option",context:{value:t.getOptionLabel(e),isDisabled:!0}}):(t.setValue(e,"select-option"),t.announceAriaLiveSelection({event:"select-option",context:{value:t.getOptionLabel(e)}}));r&&t.blurInput()},t.removeValue=function(e){var n=t.state.selectValue,r=t.getOptionValue(e),o=n.filter((function(e){return t.getOptionValue(e)!==r}));t.onChange(o.length?o:null,{action:"remove-value",removedValue:e}),t.announceAriaLiveSelection({event:"remove-value",context:{value:e?t.getOptionLabel(e):""}}),t.focusInput()},t.clearValue=function(){t.onChange(null,{action:"clear"})},t.popValue=function(){var e=t.state.selectValue,n=e[e.length-1],r=e.slice(0,e.length-1);t.announceAriaLiveSelection({event:"pop-value",context:{value:n?t.getOptionLabel(n):""}}),t.onChange(r.length?r:null,{action:"pop-value",removedValue:n})},t.getValue=function(){return t.state.selectValue},t.cx=function(){for(var e=arguments.length,n=new Array(e),r=0;r<e;r++)n[r]=arguments[r];return Ir.apply(void 0,[t.props.classNamePrefix].concat(n))},t.getOptionLabel=function(e){return t.props.getOptionLabel(e)},t.getOptionValue=function(e){return t.props.getOptionValue(e)},t.getStyles=function(e,n){var r=pa[e](n);r.boxSizing="border-box";var o=t.props.styles[e];return o?o(r,n):r},t.getElementId=function(e){return"".concat(t.instancePrefix,"-").concat(e)},t.getActiveDescendentId=function(){var e=t.props.menuIsOpen,n=t.state,r=n.menuOptions,o=n.focusedOption;if(!o||!e)return undefined;var a=r.focusable.indexOf(o),i=r.render[a];return i&&i.key},t.announceAriaLiveSelection=function(e){var n=e.event,r=e.context;t.setState({ariaLiveSelection:fa(n,r)})},t.announceAriaLiveContext=function(e){var n=e.event,r=e.context;t.setState({ariaLiveContext:la(n,ga(ga({},r),{},{label:t.props["aria-label"]}))})},t.onMenuMouseDown=function(e){0===e.button&&(e.stopPropagation(),e.preventDefault(),t.focusInput())},t.onMenuMouseMove=function(e){t.blockOptionHover=!1},t.onControlMouseDown=function(e){var n=t.props.openMenuOnClick;t.state.isFocused?t.props.menuIsOpen?"INPUT"!==e.target.tagName&&"TEXTAREA"!==e.target.tagName&&t.onMenuClose():n&&t.openMenu("first"):(n&&(t.openAfterFocus=!0),t.focusInput()),"INPUT"!==e.target.tagName&&"TEXTAREA"!==e.target.tagName&&e.preventDefault()},t.onDropdownIndicatorMouseDown=function(e){if(!(e&&"mousedown"===e.type&&0!==e.button||t.props.isDisabled)){var n=t.props,r=n.isMulti,o=n.menuIsOpen;t.focusInput(),o?(t.inputIsHiddenAfterUpdate=!r,t.onMenuClose()):t.openMenu("first"),e.preventDefault(),e.stopPropagation()}},t.onClearIndicatorMouseDown=function(e){e&&"mousedown"===e.type&&0!==e.button||(t.clearValue(),e.stopPropagation(),t.openAfterFocus=!1,"touchend"===e.type?t.focusInput():setTimeout((function(){return t.focusInput()})))},t.onScroll=function(e){"boolean"==typeof t.props.closeMenuOnScroll?e.target instanceof HTMLElement&&Rr(e.target)&&t.props.onMenuClose():"function"==typeof t.props.closeMenuOnScroll&&t.props.closeMenuOnScroll(e)&&t.props.onMenuClose()},t.onCompositionStart=function(){t.isComposing=!0},t.onCompositionEnd=function(){t.isComposing=!1},t.onTouchStart=function(e){var n=e.touches,r=n&&n.item(0);r&&(t.initialTouchX=r.clientX,t.initialTouchY=r.clientY,t.userIsDragging=!1)},t.onTouchMove=function(e){var n=e.touches,r=n&&n.item(0);if(r){var o=Math.abs(r.clientX-t.initialTouchX),a=Math.abs(r.clientY-t.initialTouchY);t.userIsDragging=o>5||a>5}},t.onTouchEnd=function(e){t.userIsDragging||(t.controlRef&&!t.controlRef.contains(e.target)&&t.menuListRef&&!t.menuListRef.contains(e.target)&&t.blurInput(),t.initialTouchX=0,t.initialTouchY=0)},t.onControlTouchEnd=function(e){t.userIsDragging||t.onControlMouseDown(e)},t.onClearIndicatorTouchEnd=function(e){t.userIsDragging||t.onClearIndicatorMouseDown(e)},t.onDropdownIndicatorTouchEnd=function(e){t.userIsDragging||t.onDropdownIndicatorMouseDown(e)},t.handleInputChange=function(e){var n=e.currentTarget.value;t.inputIsHiddenAfterUpdate=!1,t.onInputChange(n,{action:"input-change"}),t.props.menuIsOpen||t.onMenuOpen()},t.onInputFocus=function(e){var n=t.props,r=n.isSearchable,o=n.isMulti;t.props.onFocus&&t.props.onFocus(e),t.inputIsHiddenAfterUpdate=!1,t.announceAriaLiveContext({event:"input",context:{isSearchable:r,isMulti:o}}),t.setState({isFocused:!0}),(t.openAfterFocus||t.props.openMenuOnFocus)&&t.openMenu("first"),t.openAfterFocus=!1},t.onInputBlur=function(e){t.menuListRef&&t.menuListRef.contains(document.activeElement)?t.inputRef.focus():(t.props.onBlur&&t.props.onBlur(e),t.onInputChange("",{action:"input-blur"}),t.onMenuClose(),t.setState({focusedValue:null,isFocused:!1}))},t.onOptionHover=function(e){t.blockOptionHover||t.state.focusedOption===e||t.setState({focusedOption:e})},t.shouldHideSelectedOptions=function(){var e=t.props,n=e.hideSelectedOptions,r=e.isMulti;return n===undefined?r:n},t.onKeyDown=function(e){var n=t.props,r=n.isMulti,o=n.backspaceRemovesValue,a=n.escapeClearsValue,i=n.inputValue,s=n.isClearable,u=n.isDisabled,c=n.menuIsOpen,l=n.onKeyDown,f=n.tabSelectsValue,d=n.openMenuOnFocus,p=t.state,h=p.focusedOption,m=p.focusedValue,g=p.selectValue;if(!(u||"function"==typeof l&&(l(e),e.defaultPrevented))){switch(t.blockOptionHover=!0,e.key){case"ArrowLeft":if(!r||i)return;t.focusValue("previous");break;case"ArrowRight":if(!r||i)return;t.focusValue("next");break;case"Delete":case"Backspace":if(i)return;if(m)t.removeValue(m);else{if(!o)return;r?t.popValue():s&&t.clearValue()}break;case"Tab":if(t.isComposing)return;if(e.shiftKey||!c||!f||!h||d&&t.isOptionSelected(h,g))return;t.selectOption(h);break;case"Enter":if(229===e.keyCode)break;if(c){if(!h)return;if(t.isComposing)return;t.selectOption(h);break}return;case"Escape":c?(t.inputIsHiddenAfterUpdate=!1,t.onInputChange("",{action:"menu-close"}),t.onMenuClose()):s&&a&&t.clearValue();break;case" ":if(i)return;if(!c){t.openMenu("first");break}if(!h)return;t.selectOption(h);break;case"ArrowUp":c?t.focusOption("up"):t.openMenu("last");break;case"ArrowDown":c?t.focusOption("down"):t.openMenu("first");break;case"PageUp":if(!c)return;t.focusOption("pageup");break;case"PageDown":if(!c)return;t.focusOption("pagedown");break;case"Home":if(!c)return;t.focusOption("first");break;case"End":if(!c)return;t.focusOption("last");break;default:return}e.preventDefault()}},t.buildMenuOptions=function(e,n){var r=e.inputValue,o=void 0===r?"":r,a=e.options,i=function(e,r){var a=t.isOptionDisabled(e,n),i=t.isOptionSelected(e,n),s=t.getOptionLabel(e),u=t.getOptionValue(e);if(!(t.shouldHideSelectedOptions()&&i||!t.filterOption({label:s,value:u,data:e},o))){var c=a?undefined:function(){return t.onOptionHover(e)},l=a?undefined:function(){return t.selectOption(e)},f="".concat(t.getElementId("option"),"-").concat(r);return{innerProps:{id:f,onClick:l,onMouseMove:c,onMouseOver:c,tabIndex:-1},data:e,isDisabled:a,isSelected:i,key:f,label:s,type:"option",value:u}}};return a.reduce((function(e,n,r){if(n.options){t.hasGroups||(t.hasGroups=!0);var o=n.options.map((function(t,n){var o=i(t,"".concat(r,"-").concat(n));return o&&e.focusable.push(t),o})).filter(Boolean);if(o.length){var a="".concat(t.getElementId("group"),"-").concat(r);e.render.push({type:"group",key:a,data:n,options:o})}}else{var s=i(n,"".concat(r));s&&(e.render.push(s),e.focusable.push(n))}return e}),{render:[],focusable:[]})};var o=e.value;t.cacheComponents=xr(t.cacheComponents,ao).bind(yr(t)),t.cacheComponents(e.components),t.instancePrefix="react-select-"+(t.props.instanceId||++wa);var a=Nr(o);t.buildMenuOptions=xr(t.buildMenuOptions,(function(e,t){var n=Mr(e,2),r=n[0],o=n[1],a=Mr(t,2),i=a[0];return o===a[1]&&r.inputValue===i.inputValue&&r.options===i.options})).bind(yr(t));var i=e.menuIsOpen?t.buildMenuOptions(e,a):{render:[],focusable:[]};return t.state.menuOptions=i,t.state.selectValue=a,t}return gr(r,[{key:"componentDidMount",value:function(){this.startListeningComposition(),this.startListeningToTouch(),this.props.closeMenuOnScroll&&document&&document.addEventListener&&document.addEventListener("scroll",this.onScroll,!0),this.props.autoFocus&&this.focusInput()}},{key:"UNSAFE_componentWillReceiveProps",value:function(e){var t=this.props,n=t.options,r=t.value,o=t.menuIsOpen,a=t.inputValue;if(this.cacheComponents(e.components),e.value!==r||e.options!==n||e.menuIsOpen!==o||e.inputValue!==a){var i=Nr(e.value),s=e.menuIsOpen?this.buildMenuOptions(e,i):{render:[],focusable:[]},u=this.getNextFocusedValue(i),c=this.getNextFocusedOption(s.focusable);this.setState({menuOptions:s,selectValue:i,focusedOption:c,focusedValue:u})}null!=this.inputIsHiddenAfterUpdate&&(this.setState({inputIsHidden:this.inputIsHiddenAfterUpdate}),delete this.inputIsHiddenAfterUpdate)}},{key:"componentDidUpdate",value:function(e){var t,n,r,o,a,i=this.props,s=i.isDisabled,u=i.menuIsOpen,c=this.state.isFocused;(c&&!s&&e.isDisabled||c&&u&&!e.menuIsOpen)&&this.focusInput(),c&&s&&!e.isDisabled&&this.setState({isFocused:!1},this.onMenuClose),this.menuListRef&&this.focusedOptionRef&&this.scrollToFocusedOptionOnUpdate&&(t=this.menuListRef,n=this.focusedOptionRef,r=t.getBoundingClientRect(),o=n.getBoundingClientRect(),a=n.offsetHeight/3,o.bottom+a>r.bottom?Vr(t,Math.min(n.offsetTop+n.clientHeight-t.offsetHeight+a,t.scrollHeight)):o.top-a<r.top&&Vr(t,Math.max(n.offsetTop-a,0)),this.scrollToFocusedOptionOnUpdate=!1)}},{key:"componentWillUnmount",value:function(){this.stopListeningComposition(),this.stopListeningToTouch(),document.removeEventListener("scroll",this.onScroll,!0)}},{key:"onMenuOpen",value:function(){this.props.onMenuOpen()}},{key:"onMenuClose",value:function(){var e=this.props,t=e.isSearchable,n=e.isMulti;this.announceAriaLiveContext({event:"input",context:{isSearchable:t,isMulti:n}}),this.onInputChange("",{action:"menu-close"}),this.props.onMenuClose()}},{key:"onInputChange",value:function(e,t){this.props.onInputChange(e,t)}},{key:"focusInput",value:function(){this.inputRef&&this.inputRef.focus()}},{key:"blurInput",value:function(){this.inputRef&&this.inputRef.blur()}},{key:"openMenu",value:function(e){var t=this,n=this.state,r=n.selectValue,o=n.isFocused,a=this.buildMenuOptions(this.props,r),i=this.props,s=i.isMulti,u=i.tabSelectsValue,c="first"===e?0:a.focusable.length-1;if(!s){var l=a.focusable.indexOf(r[0]);l>-1&&(c=l)}this.scrollToFocusedOptionOnUpdate=!(o&&this.menuListRef),this.inputIsHiddenAfterUpdate=!1,this.setState({menuOptions:a,focusedValue:null,focusedOption:a.focusable[c]},(function(){t.onMenuOpen(),t.announceAriaLiveContext({event:"menu",context:{tabSelectsValue:u}})}))}},{key:"focusValue",value:function(e){var t=this.props,n=t.isMulti,r=t.isSearchable,o=this.state,a=o.selectValue,i=o.focusedValue;if(n){this.setState({focusedOption:null});var s=a.indexOf(i);i||(s=-1,this.announceAriaLiveContext({event:"value"}));var u=a.length-1,c=-1;if(a.length){switch(e){case"previous":c=0===s?0:-1===s?u:s-1;break;case"next":s>-1&&s<u&&(c=s+1)}-1===c&&this.announceAriaLiveContext({event:"input",context:{isSearchable:r,isMulti:n}}),this.setState({inputIsHidden:-1!==c,focusedValue:a[c]})}}}},{key:"focusOption",value:function(){var e=arguments.length>0&&arguments[0]!==undefined?arguments[0]:"first",t=this.props,n=t.pageSize,r=t.tabSelectsValue,o=this.state,a=o.focusedOption,i=o.menuOptions,s=i.focusable;if(s.length){var u=0,c=s.indexOf(a);a||(c=-1,this.announceAriaLiveContext({event:"menu",context:{tabSelectsValue:r}})),"up"===e?u=c>0?c-1:s.length-1:"down"===e?u=(c+1)%s.length:"pageup"===e?(u=c-n)<0&&(u=0):"pagedown"===e?(u=c+n)>s.length-1&&(u=s.length-1):"last"===e&&(u=s.length-1),this.scrollToFocusedOptionOnUpdate=!0,this.setState({focusedOption:s[u],focusedValue:null}),this.announceAriaLiveContext({event:"menu",context:{isDisabled:da(s[u]),tabSelectsValue:r}})}}},{key:"getTheme",value:function(){return this.props.theme?"function"==typeof this.props.theme?this.props.theme(ha):ga(ga({},ha),this.props.theme):ha}},{key:"getCommonProps",value:function(){var e=this.clearValue,t=this.cx,n=this.getStyles,r=this.getValue,o=this.setValue,a=this.selectOption,i=this.props,s=i.isMulti,u=i.isRtl,c=i.options;return{cx:t,clearValue:e,getStyles:n,getValue:r,hasValue:this.hasValue(),isMulti:s,isRtl:u,options:c,selectOption:a,setValue:o,selectProps:i,theme:this.getTheme()}}},{key:"getNextFocusedValue",value:function(e){if(this.clearFocusValueOnUpdate)return this.clearFocusValueOnUpdate=!1,null;var t=this.state,n=t.focusedValue,r=t.selectValue.indexOf(n);if(r>-1){if(e.indexOf(n)>-1)return n;if(r<e.length)return e[r]}return null}},{key:"getNextFocusedOption",value:function(e){var t=this.state.focusedOption;return t&&e.indexOf(t)>-1?t:e[0]}},{key:"hasValue",value:function(){return this.state.selectValue.length>0}},{key:"hasOptions",value:function(){return!!this.state.menuOptions.render.length}},{key:"countOptions",value:function(){return this.state.menuOptions.focusable.length}},{key:"isClearable",value:function(){var e=this.props,t=e.isClearable,n=e.isMulti;return t===undefined?n:t}},{key:"isOptionDisabled",value:function(e,t){return"function"==typeof this.props.isOptionDisabled&&this.props.isOptionDisabled(e,t)}},{key:"isOptionSelected",value:function(e,t){var n=this;if(t.indexOf(e)>-1)return!0;if("function"==typeof this.props.isOptionSelected)return this.props.isOptionSelected(e,t);var r=this.getOptionValue(e);return t.some((function(e){return n.getOptionValue(e)===r}))}},{key:"filterOption",value:function(e,t){return!this.props.filterOption||this.props.filterOption(e,t)}},{key:"formatOptionLabel",value:function(e,t){if("function"==typeof this.props.formatOptionLabel){var n=this.props.inputValue,r=this.state.selectValue;return this.props.formatOptionLabel(e,{context:t,inputValue:n,selectValue:r})}return this.getOptionLabel(e)}},{key:"formatGroupLabel",value:function(e){return this.props.formatGroupLabel(e)}},{key:"startListeningComposition",value:function(){document&&document.addEventListener&&(document.addEventListener("compositionstart",this.onCompositionStart,!1),document.addEventListener("compositionend",this.onCompositionEnd,!1))}},{key:"stopListeningComposition",value:function(){document&&document.removeEventListener&&(document.removeEventListener("compositionstart",this.onCompositionStart),document.removeEventListener("compositionend",this.onCompositionEnd))}},{key:"startListeningToTouch",value:function(){document&&document.addEventListener&&(document.addEventListener("touchstart",this.onTouchStart,!1),document.addEventListener("touchmove",this.onTouchMove,!1),document.addEventListener("touchend",this.onTouchEnd,!1))}},{key:"stopListeningToTouch",value:function(){document&&document.removeEventListener&&(document.removeEventListener("touchstart",this.onTouchStart),document.removeEventListener("touchmove",this.onTouchMove),document.removeEventListener("touchend",this.onTouchEnd))}},{key:"constructAriaLiveMessage",value:function(){var e=this.state,t=e.ariaLiveContext,n=e.selectValue,r=e.focusedValue,o=e.focusedOption,a=this.props,i=a.options,s=a.menuIsOpen,u=a.inputValue,c=a.screenReaderStatus,l=r?function(e){var t=e.focusedValue,n=e.getOptionLabel,r=e.selectValue;return"value ".concat(n(t)," focused, ").concat(r.indexOf(t)+1," of ").concat(r.length,".")}({focusedValue:r,getOptionLabel:this.getOptionLabel,selectValue:n}):"",f=o&&s?function(e){var t=e.focusedOption,n=e.getOptionLabel,r=e.options;return"option ".concat(n(t)," focused").concat(t.isDisabled?" disabled":"",", ").concat(r.indexOf(t)+1," of ").concat(r.length,".")}({focusedOption:o,getOptionLabel:this.getOptionLabel,options:i}):"",d=function(e){var t=e.inputValue,n=e.screenReaderMessage;return"".concat(n).concat(t?" for search term "+t:"",".")}({inputValue:u,screenReaderMessage:c({count:this.countOptions()})});return"".concat(l," ").concat(f," ").concat(d," ").concat(t)}},{key:"renderInput",value:function(){var e=this.props,n=e.isDisabled,r=e.isSearchable,o=e.inputId,a=e.inputValue,i=e.tabIndex,s=e.form,u=this.components.Input,c=this.state.inputIsHidden,l=o||this.getElementId("input"),f={"aria-autocomplete":"list","aria-label":this.props["aria-label"],"aria-labelledby":this.props["aria-labelledby"]};if(!r)return t().createElement(Yo,De({id:l,innerRef:this.getInputRef,onBlur:this.onInputBlur,onChange:Tr,onFocus:this.onInputFocus,readOnly:!0,disabled:n,tabIndex:i,form:s,value:""},f));var d=this.commonProps,p=d.cx,h=d.theme,m=d.selectProps;return t().createElement(u,De({autoCapitalize:"none",autoComplete:"off",autoCorrect:"off",cx:p,getStyles:this.getStyles,id:l,innerRef:this.getInputRef,isDisabled:n,isHidden:c,onBlur:this.onInputBlur,onChange:this.handleInputChange,onFocus:this.onInputFocus,selectProps:m,spellCheck:"false",tabIndex:i,form:s,theme:h,type:"text",value:a},f))}},{key:"renderPlaceholderOrValue",value:function(){var e=this,n=this.components,r=n.MultiValue,o=n.MultiValueContainer,a=n.MultiValueLabel,i=n.MultiValueRemove,s=n.SingleValue,u=n.Placeholder,c=this.commonProps,l=this.props,f=l.controlShouldRenderValue,d=l.isDisabled,p=l.isMulti,h=l.inputValue,m=l.placeholder,g=this.state,v=g.selectValue,y=g.focusedValue,b=g.isFocused;if(!this.hasValue()||!f)return h?null:t().createElement(u,De({},c,{key:"placeholder",isDisabled:d,isFocused:b}),m);if(p)return v.map((function(n,s){var u=n===y;return t().createElement(r,De({},c,{components:{Container:o,Label:a,Remove:i},isFocused:u,isDisabled:d,key:"".concat(e.getOptionValue(n)).concat(s),index:s,removeProps:{onClick:function(){return e.removeValue(n)},onTouchEnd:function(){return e.removeValue(n)},onMouseDown:function(e){e.preventDefault(),e.stopPropagation()}},data:n}),e.formatOptionLabel(n,"value"))}));if(h)return null;var w=v[0];return t().createElement(s,De({},c,{data:w,isDisabled:d}),this.formatOptionLabel(w,"value"))}},{key:"renderClearIndicator",value:function(){var e=this.components.ClearIndicator,n=this.commonProps,r=this.props,o=r.isDisabled,a=r.isLoading,i=this.state.isFocused;if(!this.isClearable()||!e||o||!this.hasValue()||a)return null;var s={onMouseDown:this.onClearIndicatorMouseDown,onTouchEnd:this.onClearIndicatorTouchEnd,"aria-hidden":"true"};return t().createElement(e,De({},n,{innerProps:s,isFocused:i}))}},{key:"renderLoadingIndicator",value:function(){var e=this.components.LoadingIndicator,n=this.commonProps,r=this.props,o=r.isDisabled,a=r.isLoading,i=this.state.isFocused;if(!e||!a)return null;return t().createElement(e,De({},n,{innerProps:{"aria-hidden":"true"},isDisabled:o,isFocused:i}))}},{key:"renderIndicatorSeparator",value:function(){var e=this.components,n=e.DropdownIndicator,r=e.IndicatorSeparator;if(!n||!r)return null;var o=this.commonProps,a=this.props.isDisabled,i=this.state.isFocused;return t().createElement(r,De({},o,{isDisabled:a,isFocused:i}))}},{key:"renderDropdownIndicator",value:function(){var e=this.components.DropdownIndicator;if(!e)return null;var n=this.commonProps,r=this.props.isDisabled,o=this.state.isFocused,a={onMouseDown:this.onDropdownIndicatorMouseDown,onTouchEnd:this.onDropdownIndicatorTouchEnd,"aria-hidden":"true"};return t().createElement(e,De({},n,{innerProps:a,isDisabled:r,isFocused:o}))}},{key:"renderMenu",value:function(){var e=this,n=this.components,r=n.Group,o=n.GroupHeading,a=n.Menu,i=n.MenuList,s=n.MenuPortal,u=n.LoadingMessage,c=n.NoOptionsMessage,l=n.Option,f=this.commonProps,d=this.state,p=d.focusedOption,h=d.menuOptions,m=this.props,g=m.captureMenuScroll,v=m.inputValue,y=m.isLoading,b=m.loadingMessage,w=m.minMenuHeight,C=m.maxMenuHeight,O=m.menuIsOpen,x=m.menuPlacement,k=m.menuPosition,D=m.menuPortalTarget,S=m.menuShouldBlockScroll,E=m.menuShouldScrollIntoView,M=m.noOptionsMessage,_=m.onMenuScrollToTop,P=m.onMenuScrollToBottom;if(!O)return null;var j,T=function(n){var r=p===n.data;return n.innerRef=r?e.getFocusedOptionRef:undefined,t().createElement(l,De({},f,n,{isFocused:r}),e.formatOptionLabel(n.data,"menu"))};if(this.hasOptions())j=h.render.map((function(n){if("group"===n.type){n.type;var a=Dr(n,["type"]),i="".concat(n.key,"-heading");return t().createElement(r,De({},f,a,{Heading:o,headingProps:{id:i,data:n.data},label:e.formatGroupLabel(n.data)}),n.options.map((function(e){return T(e)})))}if("option"===n.type)return T(n)}));else if(y){var A=b({inputValue:v});if(null===A)return null;j=t().createElement(u,f,A)}else{var I=M({inputValue:v});if(null===I)return null;j=t().createElement(c,f,I)}var N={minMenuHeight:w,maxMenuHeight:C,menuPlacement:x,menuPosition:k,menuShouldScrollIntoView:E},R=t().createElement(Qr,De({},f,N),(function(n){var r=n.ref,o=n.placerProps,s=o.placement,u=o.maxHeight;return t().createElement(a,De({},f,N,{innerRef:r,innerProps:{onMouseDown:e.onMenuMouseDown,onMouseMove:e.onMenuMouseMove},isLoading:y,placement:s}),t().createElement(ca,{isEnabled:g,onTopArrive:_,onBottomArrive:P},t().createElement(ia,{isEnabled:S},t().createElement(i,De({},f,{innerRef:e.getMenuListRef,isLoading:y,maxHeight:u}),j))))}));return D||"fixed"===k?t().createElement(s,De({},f,{appendTo:D,controlElement:this.controlRef,menuPlacement:x,menuPosition:k}),R):R}},{key:"renderFormField",value:function(){var e=this,n=this.props,r=n.delimiter,o=n.isDisabled,a=n.isMulti,i=n.name,s=this.state.selectValue;if(i&&!o){if(a){if(r){var u=s.map((function(t){return e.getOptionValue(t)})).join(r);return t().createElement("input",{name:i,type:"hidden",value:u})}var c=s.length>0?s.map((function(n,r){return t().createElement("input",{key:"i-".concat(r),name:i,type:"hidden",value:e.getOptionValue(n)})})):t().createElement("input",{name:i,type:"hidden"});return t().createElement("div",null,c)}var l=s[0]?this.getOptionValue(s[0]):"";return t().createElement("input",{name:i,type:"hidden",value:l})}}},{key:"renderLiveRegion",value:function(){return this.state.isFocused?t().createElement(Bo,{"aria-live":"polite"},t().createElement("span",{id:"aria-selection-event"}," ",this.state.ariaLiveSelection),t().createElement("span",{id:"aria-context"}," ",this.constructAriaLiveMessage())):null}},{key:"render",value:function(){var e=this.components,n=e.Control,r=e.IndicatorsContainer,o=e.SelectContainer,a=e.ValueContainer,i=this.props,s=i.className,u=i.id,c=i.isDisabled,l=i.menuIsOpen,f=this.state.isFocused,d=this.commonProps=this.getCommonProps();return t().createElement(o,De({},d,{className:s,innerProps:{id:u,onKeyDown:this.onKeyDown},isDisabled:c,isFocused:f}),this.renderLiveRegion(),t().createElement(n,De({},d,{innerRef:this.getControlRef,innerProps:{onMouseDown:this.onControlMouseDown,onTouchEnd:this.onControlTouchEnd},isDisabled:c,isFocused:f,menuIsOpen:l}),t().createElement(a,De({},d,{isDisabled:c}),this.renderPlaceholderOrValue(),this.renderInput()),t().createElement(r,De({},d,{isDisabled:c}),this.renderClearIndicator(),this.renderLoadingIndicator(),this.renderIndicatorSeparator(),this.renderDropdownIndicator())),this.renderMenu(),this.renderFormField())}}]),r}(e.Component);function Oa(e){var t=function(){if("undefined"==typeof Reflect||!Reflect.construct)return!1;if(Reflect.construct.sham)return!1;if("function"==typeof Proxy)return!0;try{return Date.prototype.toString.call(Reflect.construct(Date,[],(function(){}))),!0}catch(e){return!1}}();return function(){var n,r=wr(e);if(t){var o=wr(this).constructor;n=Reflect.construct(r,arguments,o)}else n=r.apply(this,arguments);return br(this,n)}}Ca.defaultProps=ba;var xa={defaultInputValue:"",defaultMenuIsOpen:!1,defaultValue:null};function ka(e){var t=function(){if("undefined"==typeof Reflect||!Reflect.construct)return!1;if(Reflect.construct.sham)return!1;if("function"==typeof Proxy)return!0;try{return Date.prototype.toString.call(Reflect.construct(Date,[],(function(){}))),!0}catch(e){return!1}}();return function(){var n,r=wr(e);if(t){var o=wr(this).constructor;Reflect.construct(r,arguments,o)}else r.apply(this,arguments);return br(this,n)}}e.Component;var Da,Sa,Ea,Ma=(Da=Ca,Ea=Sa=function(e){vr(r,e);var n=Oa(r);function r(){var e;dr(this,r);for(var t=arguments.length,o=new Array(t),a=0;a<t;a++)o[a]=arguments[a];return(e=n.call.apply(n,[this].concat(o))).select=void 0,e.state={inputValue:e.props.inputValue!==undefined?e.props.inputValue:e.props.defaultInputValue,menuIsOpen:e.props.menuIsOpen!==undefined?e.props.menuIsOpen:e.props.defaultMenuIsOpen,value:e.props.value!==undefined?e.props.value:e.props.defaultValue},e.onChange=function(t,n){e.callProp("onChange",t,n),e.setState({value:t})},e.onInputChange=function(t,n){var r=e.callProp("onInputChange",t,n);e.setState({inputValue:r!==undefined?r:t})},e.onMenuOpen=function(){e.callProp("onMenuOpen"),e.setState({menuIsOpen:!0})},e.onMenuClose=function(){e.callProp("onMenuClose"),e.setState({menuIsOpen:!1})},e}return gr(r,[{key:"focus",value:function(){this.select.focus()}},{key:"blur",value:function(){this.select.blur()}},{key:"getProp",value:function(e){return this.props[e]!==undefined?this.props[e]:this.state[e]}},{key:"callProp",value:function(e){if("function"==typeof this.props[e]){for(var t,n=arguments.length,r=new Array(n>1?n-1:0),o=1;o<n;o++)r[o-1]=arguments[o];return(t=this.props)[e].apply(t,r)}}},{key:"render",value:function(){var e=this,n=this.props,r=(n.defaultInputValue,n.defaultMenuIsOpen,n.defaultValue,Dr(n,["defaultInputValue","defaultMenuIsOpen","defaultValue"]));return t().createElement(Da,De({},r,{ref:function(t){e.select=t},inputValue:this.getProp("inputValue"),menuIsOpen:this.getProp("menuIsOpen"),onChange:this.onChange,onInputChange:this.onInputChange,onMenuClose:this.onMenuClose,onMenuOpen:this.onMenuOpen,value:this.getProp("value")}))}}]),r}(e.Component),Sa.defaultProps=xa,Ea),_a=n(73),Pa=n.n(_a),ja=function(e,t,n,r,o){if(e){r(e.props.name,o.activateValidation(n,e.node));var a=window[t];t&&a&&(window.flatpickr.prototype.constructor.l10ns[t]=a["default"][t],e.flatpickr.set("locale",t))}},Ta=function(e,t){return React.createElement("div",{className:"mf-main-response-wrap ".concat(t," mf-response-msg-wrap"),"data-show":"1"},React.createElement("div",{className:"mf-response-msg"},React.createElement("i",{className:"mf-success-icon ".concat(e)}),React.createElement("p",null,"This is a dummy success message!!.")))},Aa=function(){for(var e=arguments.length,t=new Array(e),n=0;n<e;n++)t[n]=arguments[n];var r=[].concat(t)[2],o=[].concat(t)[3],a=[].concat(t)[4],i=[].concat(t)[5],s=r.errors,u=r.success,c=r.form_res,l=function(){return React.createElement(React.Fragment,null,React.createElement("i",{className:"mf-alert-icon ".concat(a)}),React.createElement("p",null,s.map((function(e){return e+" "}))," "))},f=function(){return React.createElement(React.Fragment,null,React.createElement("i",{className:"mf-success-icon ".concat(o)}),React.createElement("p",null,u))};return React.createElement("div",{className:"mf-main-response-wrap ".concat(i,"  mf-response-msg-wrap").concat(s.length>0?" mf-error-res":""),"data-show":c},React.createElement("div",{className:"mf-response-msg"},s.length?l():f()))};function Ia(e){return(Ia="function"==typeof Symbol&&"symbol"==typeof Symbol.iterator?function(e){return typeof e}:function(e){return e&&"function"==typeof Symbol&&e.constructor===Symbol&&e!==Symbol.prototype?"symbol":typeof e})(e)}var Na=function(e,t,n){if("mf-captcha-challenge"!==e&&"g-recaptcha-response"!==e&&"right-answer"!==e&&"wrong-answer"!==e&&"quiz-marks"!==e&&"total-question"!==e){var r=n.getValue(e);n.formContainerRef.current.querySelectorAll("input").forEach((function(t){t.name==e&&"password"===t.type&&(r=".".repeat(r.length))})),Array.isArray(r)&&(r=r.join(", ")),"object"===Ia(r)&&r.name&&(r=r.name);if(function(e){return"File"in window&&e instanceof File}(r[0])&&"object"===Ia(r)&&(r=Object.keys(r).map((function(e){return r[e].name})).join(", ")),"string"==typeof r&&r.includes("data:image")&&(r=React.createElement("img",{src:r,alt:e})),!r)return"";var o=function(e,t,n){var r,o=null==n||null===(r=n.formContainerRef)||void 0===r?void 0:r.current,a=null==o?void 0:o.querySelector('[name="'+e+'"]'),i=a?a.closest(".mf-input-wrapper").querySelector("label"):null;return i?i.innerText.replace(/\*/g,"").trim():t}(e,e,n);return React.createElement("li",{key:t},React.createElement("strong",null," ",o," ")," ",React.createElement("span",null," ",r," "))}},Ra=function(){document.querySelectorAll(".mf-input-map-location").forEach((function(e){if("undefined"!=typeof google){var t=new google.maps.places.Autocomplete(e,{types:["geocode"]});google.maps.event.addListener(t,"place_changed",(function(){e.dispatchEvent(new Event("input",{bubbles:!0}))}))}}))};function La(e){return(La="function"==typeof Symbol&&"symbol"==typeof Symbol.iterator?function(e){return typeof e}:function(e){return e&&"function"==typeof Symbol&&e.constructor===Symbol&&e!==Symbol.prototype?"symbol":typeof e})(e)}window.mfMapLocation=Ra;var Va,Fa=function(e){var t=function(){this.parser=new i},n=t.prototype;function r(e,t){for(var n=[],r=t,o=e.length;r<o;r++)n.push(e[r]);return n}var o=function(){var e=function n(e,t,r){this.prefix=(e||"")+":",this.level=t||n.NONE,this.out=r||window.console&&window.console.log.bind(window.console),this.warn=this.log.bind(this,n.WARN),this.info=this.log.bind(this,n.INFO),this.debug=this.log.bind(this,n.DEBUG)},t=e.prototype;return e.DEBUG=1,e.INFO=2,e.WARN=3,e.NONE=4,t.log=function(e,t){if(e>=this.level&&"function"==typeof this.out){var n=r(arguments,2);n=[this.prefix+t].concat(n),this.out.apply(this,n)}},e}(),a=function(){var e=function(e){this.obj=e||{}},t=e.prototype;return t.get=function(e){var t=this.obj[e];return t===undefined&&this.parent&&(t=this.parent.get(e)),t},t.set=function(e,t){return this.obj[e]=t,this.get(e)},e}(),i=function(){var e=new o("PARSER",o.NONE),t=new o("EMIT",o.NONE),n=function(){};function i(e){var t={};return e.forEach((function(e,n){t[e]=n})),t}function s(e,t,n){if(1===n.length&&"object"===La(n[0])){var r=n[0];t.forEach((function(t){e[t]=r[t]}))}else for(var o=0,i=t.length,s=n.length;o<i&&o<s;o++)e[t[o]]=n[o];delete e.runtimeError;var u=new a(e);return u.parent=l,u}function u(n){if(n!==undefined)switch(n.id){case"Expr":case"Tuple":return u(n.expr);case"OpenTuple":return n.expr?f(n.expr):f(n.left,n.right);case"Assign":return n.expr?u(n.expr):(s=n.left,l=u(l=n.right),function(e){return e.set(s.value,l.apply(null,arguments))});case"Sums":case"Prod":case"Power":return n.expr?u(n.expr):function(t,n,o){n=u(n),o=u(o);var a=undefined;function i(e){var t=r(arguments,1);return e(n.apply(this,t),o.apply(this,t))}switch(t.id){case"Plus":return i.bind(a,(function(e,t){return+e+t}));case"Minus":return i.bind(a,(function(e,t){return e-t}));case"Mul":return i.bind(a,(function(e,t){return e*t}));case"Div":return i.bind(a,(function(e,t){return e/t}));case"Mod":return i.bind(a,(function(e,t){return e%t}));case"Pow":return i.bind(a,(function(e,t){return Math.pow(e,t)}))}return e.warn("No emitter for %o",t),function(){}}(n.op,n.left,n.right);case"Unary":return n.expr?u(n.expr):function(t,n){switch(n=u(n),t.id){case"Plus":return function(){return n.apply(this,arguments)};case"Minus":return function(){return-n.apply(this,arguments)}}return e.warn("No emitter for %o",t),function(){}}(n.op,n.right);case"Call":return o=n.token,a=n.args,i=c(a),a=u(a),function(e){var t=e.get(o.value);if("function"==typeof t){var n=a.apply(null,arguments);return i||(n=[n]),t.apply(null,n)}e.set("runtimeError",{text:'Call to undefined "'+o.value+'"'})};case"Parens":return u(n.expr);case"Value":return u(n.token);case"Number":return function(){return n.value};case"Var":return function(e){return e.get(n.value)};default:t.warn("No emitter for %o",n)}var o,a,i,s,l;return function(){}}function c(e){if(e!==undefined)switch(e.id){case"Expr":case"Tuple":return c(e.expr);case"OpenTuple":return!0}return!1}function f(e,t){if(e===undefined)return function(){return[]};var n="OpenTuple"===e.id;return e=u(e),t===undefined?function(){return[e.apply(null,arguments)]}:(t=u(t),n?function(){var n=e.apply(null,arguments);return n.push(t.apply(null,arguments)),n}:function(){return[e.apply(null,arguments),t.apply(null,arguments)]})}n.prototype.parse=function(n){this.error=undefined;var r=function(e){var t,n,r=[],o=0;for(;(t=D(e,o))!==undefined;)t.error?n=t.error:"Space"!==t.id&&r.push(t),o=t.end;return{tokens:r,error:n}}(n),o=function(t){for(var n={tokens:t,pos:0,stack:[],scope:{}},r=0,o=t.length,a=!1;!a&&r<=o;){var i=t[r],s=n.stack[n.stack.length-1],u=(s?s.id:"(empty)")+":"+(i?i.id:"(eof)");switch(d[u]){case 1:e.debug("shift %s %o",u,h(n.stack)),n=m(n,i),r++;break;case 2:e.debug("reduce %s %o",u,h(n.stack)),n=v(n,i);break;case 0:e.debug("done %s %o",u,h(n.stack)),a=!0;break;default:if(i!==undefined){var c={pos:i.pos,text:'Unexpected token "'+i.string+'"'};n.error=c,e.warn("%s at %d (%s)",c.text,c.pos,u)}else{c={text:"Unexpected EOF",pos:n.pos+1};n.error=c,e.warn("%s (%s)",c.text,u)}a=!0}}if(!n.error&&n.stack.length>1){var l=y(n,1);c={pos:l.pos||0,text:"LParen"===l.id?"Open paren":"Invalid expression"};n.error=c,e.warn("%s at %d (eof)",c.text,c.pos)}return{root:n.stack.pop(),vars:Object.keys(n.scope),error:n.error}}(r.tokens);t.debug("AST: %o",o);var a,c,l=(a=u(o.root),function(e){try{return a.apply(null,arguments)}catch(t){e.set("runtimeError",{text:""+t})}});return c={},{error:r.error||o.error,args:i(o.vars),eval:function(){return l(s(c,o.vars,arguments))},set scope(e){c=e||{}},get scope(){return c}}};var d={};function p(e,t,n){for(var r=0,o=t.length;r<o;r++)for(var a=0,i=n.length;a<i;a++){var s=t[r]+":"+n[a];d[s]=e}}function h(t){return e.level>=o.DEBUG?t.map((function(e){return e.id})):""}function m(e,t){return g(e,0,t)}function g(e,t,n){var r=e.stack.slice(0,e.stack.length-t),o=e.pos;return n&&(r.push(n),n.pos!==undefined&&(o=n.pos)),{tokens:e.tokens,pos:o,stack:r,scope:e.scope,error:e.error}}function v(t,n){switch(y(t,0).id){case"Tuple":return function(e){var t=y(e,0);return g(e,1,{id:"Expr",expr:t})}(t);case"OpenTuple":case"Comma":return b(t,n);case"Assign":case"Sums":return function(e,t){var n=y(e,1),r=y(e,0);if(r!==undefined&&"Sums"===r.id)return w(e,["Eq"],"Assign");if(n!==undefined&&"Eq"===n.id)return w(e,["Eq"],"Assign");return b(e,t)}(t,n);case"Prod":return function(e){return w(e,["Plus","Minus"],"Sums")}(t);case"Power":case"Unary":return function(e){var t=y(e,1),n=y(e,0);if(n!==undefined&&"Unary"===n.id){var r=O(e,!1);return r||g(e,1,{id:"Power",expr:n})}if(n!==undefined&&"Power"===n.id&&t!==undefined&&"Pow"===t.id)return w(e,["Pow"],"Power");return function(e){return w(e,["Mul","Div","Mod"],"Prod")}(e)}(t);case"Call":case"Parens":return O(t);case"Value":case"RParen":return function(t){var n=y(t,3),r=y(t,2),o=y(t,1),a=y(t,0),i={id:"Parens"};if("RParen"===a.id){if(o!==undefined&&"LParen"===o.id)return r!==undefined&&"Var"===r.id?g(t,3,i={id:"Call",token:r}):g(t,2,i={id:"OpenTuple"});if(r===undefined||"LParen"!==r.id){var s={pos:a.pos,text:"Unmatched paren"};return t.error=s,e.warn("%s at %d",s.text,s.pos),g(t,1)}return n!==undefined&&"Var"===n.id?g(t,4,i={id:"Call",token:n,args:o}):(i.expr=o,g(t,3,i))}return i.expr=a,g(t,1,i)}(t);case"Number":case"Var":return function(e){var t=y(e,0);e=g(e,1,{id:"Value",token:t}),"Var"===t.id&&(e.scope[t.value]=t);return e}(t)}return t}function y(e,t){return t===undefined&&(t=0),e.stack[e.stack.length-(t+1)]}function b(e,t){var n=y(e,2),r=y(e,1),o=y(e,0),a={id:"OpenTuple"};return"Comma"===o.id?g(e,2,r):r!==undefined&&"Comma"===r.id?(a.op=r,a.left=n,a.right=o,g(e,3,a)):t!==undefined&&"Comma"===t.id?(a.expr=o,g(e,1,a)):g(e,1,a={id:"Tuple",expr:o})}function w(e,t,n){var r=y(e,2),o=y(e,1),a=y(e,0),i={id:n};return o!==undefined&&-1!==t.indexOf(o.id)?(i.op=o,i.left=r,i.right=a,g(e,3,i)):(i.expr=a,g(e,1,i))}p(1,["(empty)","Plus","Minus","Mul","Div","Mod","Pow","LParen","Eq","Comma"],["Plus","Minus","LParen","Number","Var"]),p(1,["Var"],["LParen","Eq"]),p(1,["Sums"],["Plus","Minus"]),p(1,["Prod"],["Mul","Div","Mod"]),p(1,["Unary"],["Pow"]),p(1,["OpenTuple","Tuple"],["Comma"]),p(1,["LParen","Expr"],["RParen"]),p(2,["Number","Var","Value","RParen","Parens","Call","Unary","Power","Prod","Sums","Assign"],["Comma"]),p(2,["Number","Var","Value","RParen","Parens","Call","Unary","Power","Prod"],["Plus","Minus"]),p(2,["Number","Var","Value","RParen","Parens","Call","Unary","Power"],["Mul","Div","Mod"]),p(2,["Number","Var","Value","RParen","Parens","Call"],["Pow"]),p(2,["Number","Var","Value","RParen","Parens","Call","Unary","Power","Prod","Sums","Assign","Comma","OpenTuple","Tuple"],["RParen","(eof)"]),p(0,["(empty)","Expr"],["(eof)"]);var C=["Pow","Mul","Div","Mod","Plus","Minus","Eq","Comma","LParen"];function O(e,t){var n=y(e,2),r=y(e,1),o=y(e,0),a={id:"Unary"};return r===undefined||"Minus"!==r.id&&"Plus"!==r.id||n!==undefined&&-1===C.indexOf(n.id)?!1!==t?(a.expr=o,g(e,1,a)):void 0:(a.op=r,a.right=o,g(e,2,a))}var x=/^(?:(\s+)|((?:\d+e[-+]?\d+|\d+(?:\.\d*)?|\d*\.\d+))|(\+)|(\-)|(\*)|(\/)|(%)|(\^)|(\()|(\))|(=)|(,)|([a-zA-Z]\w*))/i,k=["Space","Number","Plus","Minus","Mul","Div","Mod","Pow","LParen","RParen","Eq","Comma","Var"];function D(t,n){var r=t.slice(n);if(0!==r.length){var o=x.exec(r);if(null===o){var a=function(e,t){for(var n=e.length;t<n;t++){var r=e.slice(t);if(0===r.length)break;if(null!==x.exec(r))break}return t}(t,n),i={pos:n,text:'Unexpected symbol "'+t.slice(n,a)+'"'};return e.warn("%s at %d",i.text,i.pos),{error:i,end:a}}for(var s=0,u=k.length;s<u;s++){var c=o[s+1];if(c!==undefined)return{id:k[s],string:c,pos:n,end:n+c.length,value:E(k[s],c)}}}}var S=Number.parseFloat||parseFloat;function E(e,t){switch(e){case"Number":return S(t);default:return t}}return n}(),s=function(e,t){return Array.isArray(e)?function(e,t){return e.length?e.reduce((function(e,n){return"decrease_first_value"===t?Number(n)-Number(e):Number(e)+Number(n)})):NaN}(e,t):Number(e)};var u,c,l=((c=new a).set("pi",Math.PI),c.set("e",Math.E),c.set("inf",Number.POSITIVE_INFINITY),u=Math,Object.getOwnPropertyNames(Math).forEach((function(e){c.set(e,u[e])})),c);return n.parse=function(e,t,n){e=(e=e.replace(/\[|\]|-/g,"__")).replace(/\s+(__|–)\s+/g," - "),t=void 0===t?{}:t;var r=/\[|\]|-/g,o={};for(var a in t)o[a.replace(r,"__")]=s(t[a],n);var i=this.parser.parse(e);return i.scope.numberFormat=function(e){if(!Number.isNaN(e))return(new Intl.NumberFormat).format(e)},i.scope.floor=function(e){return Math.floor(e)},i.scope.round=function(e){return Math.round(e)},i.scope.float=function(e,t){return t=void 0===t?0:t,e.toFixed(t)},i.scope.ceil=function(e){return Math.ceil(e)},i.eval(o)},t}(),Ha="";Va=jQuery,Element.prototype.getElSettings=function(e){if("settings"in this.dataset)return JSON.parse(this.dataset.settings.replace(/(&quot\;)/g,'"'))[e]||""},Ha=function(e,t){var n=e.find(".mf-multistep-container");0===n.find(".elementor-section-wrap").length&&n.find('div[data-elementor-type="wp-post"]').addClass("elementor-section-wrap");var r=n.find(".e-container--column").length>0?".e-container--column":n.find(".e-con").length>0?".e-con":".elementor-top-section";if(n.length){var o=[];n.find('div[data-elementor-type="wp-post"]  '.concat(r,":first-child")).parent().find("> ".concat(r)).each((function(e){var t=this.getElSettings("metform_multistep_settings_title")||"Step-"+Va(this).data("id"),r=this.getElSettings("metform_multistep_settings_icon"),a="",i="";r&&(a="svg"===r.library?'<img class="metform-step-svg-icon" src="'+r.value.url+'" alt="SVG Icon" />':r.value.length?'<i class="metform-step-icon '+r.value+'"></i>':""),0===e?(i="active",n.hasClass("mf_slide_direction_vertical")&&Va(this).parents(".elementor-section-wrap").css("height",Va(this).height())):1===e&&(i="next"),t&&o.push("<li class='metform-step-item "+i+"' id='metform-step-item-"+Va(this).attr("data-id")+"' data-value='"+Va(this).attr("data-id")+"'>"+a+'<span class="metform-step-title">'+t+"</span></li>")})),o&&(n.find(".metform-form-content .metform-form-main-wrapper > .elementor").before("<ul class='metform-steps'>"+o.join("")+"</ul>"),n.find("".concat(r,":first-of-type")).addClass("active"),n.find(".mf-progress-step-bar span").attr("data-portion",100/o.length).css("width",100/o.length+"%"))}n.find("".concat(r," .metform-btn")).attr("type","button"),n.find(".mf-input").on("keypress",(function(e){13!==e.which||Va(this).hasClass("mf-textarea")||n.find(".metform-step-item.next").trigger("click")})),n.find(r).on("keydown",(function(e){var t=Va(this),n=Va(":focus");if(9==e.which)if(t.hasClass("active")){var r=t.find(":focusable"),o=r.index(n),a=r.eq(o),i=r.eq(r.length-1);a.is(i)&&(a.focus(),e.preventDefault())}else n.focus(),e.preventDefault()})),n.find(".metform-steps").on("click",".metform-step-item",(function(){var e,o=this,a=Va(this).parents(".mf-form-wrapper").eq(0),i=a.find("".concat(r,".active .mf-input")),s=(Va("body").hasClass("rtl")?100:-100)*Va(this).index()+"%",u=(a.find(".mf-progress-step-bar").attr("data-total"),Va(this.nextElementSibling).hasClass("active")),c=[];Va(this).hasClass("prev","progress")&&Va(this).removeClass("progress"),i.each((function(){var e=Va(this),t=this.name;(e.hasClass("mf-input-select")||e.hasClass("mf-input-multiselect"))&&(t=e.find('input[type="hidden"]')[0].name),e.parents(".mf-input-repeater").length&&(t=""),t&&c.push(t)})),e=function(e){e&&(a.find("".concat(r,".active .metform-btn")).attr("type","button"),(Va(o).hasClass("prev")||Va(o).hasClass("next"))&&(Va(o).addClass("active").removeClass("next prev").prev().addClass("prev").siblings().removeClass("prev").end().end().next().addClass("next").siblings().removeClass("next").end().end().siblings().removeClass("active"),a.find("".concat(r,'[data-id="')+Va(o).data("value")+'"]').addClass("active").siblings().removeClass("active"),n.hasClass("mf_slide_direction_vertical")?(a.find(".elementor-section-wrap ".concat(r)).css({transform:"translateY("+s+")"}),a.find(".elementor-section-wrap").css("height","calc("+a.find("".concat(r,'[data-id="')+Va(o).data("value")+'"]').height()+"px)")):a.find(".elementor-section-wrap").css({transform:"translateX("+s+")"})),a.find(".mf-progress-step-bar span").css("width",(Va(o).index()+1)*a.find(".mf-progress-step-bar span").attr("data-portion")+"%"),a.find("".concat(r,".active")).find(".metform-submit-btn").length&&setTimeout((function(){a.find("".concat(r,".active")).find(".metform-submit-btn").attr("type","submit")}),0))},u?e(!0):(t.doValidate(c).then(e),"yes"===Va(this).closest("div[data-previous-steps-style]").attr("data-previous-steps-style")&&setTimeout((function(){Va(o).hasClass("active")&&Va(o).prevAll().addClass("progress")}),0))}))};function za(e,t){return function(e){if(Array.isArray(e))return e}(e)||function(e,t){var n=null==e?null:"undefined"!=typeof Symbol&&e[Symbol.iterator]||e["@@iterator"];if(null!=n){var r,o,a,i,s=[],u=!0,c=!1;try{if(a=(n=n.call(e)).next,0===t){if(Object(n)!==n)return;u=!1}else for(;!(u=(r=a.call(n)).done)&&(s.push(r.value),s.length!==t);u=!0);}catch(l){c=!0,o=l}finally{try{if(!u&&null!=n["return"]&&(i=n["return"](),Object(i)!==i))return}finally{if(c)throw o}}return s}}(e,t)||Ba(e,t)||function(){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 Ua(e,t){var n="undefined"!=typeof Symbol&&e[Symbol.iterator]||e["@@iterator"];if(!n){if(Array.isArray(e)||(n=Ba(e))||t&&e&&"number"==typeof e.length){n&&(e=n);var r=0,o=function(){};return{s:o,n:function(){return r>=e.length?{done:!0}:{done:!1,value:e[r++]}},e:function(e){throw e},f:o}}throw new TypeError("Invalid attempt to iterate non-iterable instance.\nIn order to be iterable, non-array objects must have a [Symbol.iterator]() method.")}var a,i=!0,s=!1;return{s:function(){n=n.call(e)},n:function(){var e=n.next();return i=e.done,e},e:function(e){s=!0,a=e},f:function(){try{i||null==n["return"]||n["return"]()}finally{if(s)throw a}}}}function Wa(e){return function(e){if(Array.isArray(e))return Ya(e)}(e)||function(e){if("undefined"!=typeof Symbol&&null!=e[Symbol.iterator]||null!=e["@@iterator"])return Array.from(e)}(e)||Ba(e)||function(){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 Ba(e,t){if(e){if("string"==typeof e)return Ya(e,t);var n=Object.prototype.toString.call(e).slice(8,-1);return"Object"===n&&e.constructor&&(n=e.constructor.name),"Map"===n||"Set"===n?Array.from(e):"Arguments"===n||/^(?:Ui|I)nt(?:8|16|32)(?:Clamped)?Array$/.test(n)?Ya(e,t):void 0}}function Ya(e,t){(null==t||t>e.length)&&(t=e.length);for(var n=0,r=new Array(t);n<t;n++)r[n]=e[n];return r}function qa(e){return(qa="function"==typeof Symbol&&"symbol"==typeof Symbol.iterator?function(e){return typeof e}:function(e){return e&&"function"==typeof Symbol&&e.constructor===Symbol&&e!==Symbol.prototype?"symbol":typeof e})(e)}function Ka(e,t){for(var n=0;n<t.length;n++){var r=t[n];r.enumerable=r.enumerable||!1,r.configurable=!0,"value"in r&&(r.writable=!0),Object.defineProperty(e,ni(r.key),r)}}function Qa(e,t){return(Qa=Object.setPrototypeOf?Object.setPrototypeOf.bind():function(e,t){return e.__proto__=t,e})(e,t)}function Ga(e){var t=function(){if("undefined"==typeof Reflect||!Reflect.construct)return!1;if(Reflect.construct.sham)return!1;if("function"==typeof Proxy)return!0;try{return Boolean.prototype.valueOf.call(Reflect.construct(Boolean,[],(function(){}))),!0}catch(e){return!1}}();return function(){var n,r=Xa(e);if(t){var o=Xa(this).constructor;n=Reflect.construct(r,arguments,o)}else n=r.apply(this,arguments);return $a(this,n)}}function $a(e,t){if(t&&("object"===qa(t)||"function"==typeof t))return t;if(void 0!==t)throw new TypeError("Derived constructors may only return object or undefined");return Ja(e)}function Ja(e){if(void 0===e)throw new ReferenceError("this hasn't been initialised - super() hasn't been called");return e}function Xa(e){return(Xa=Object.setPrototypeOf?Object.getPrototypeOf.bind():function(e){return e.__proto__||Object.getPrototypeOf(e)})(e)}function Za(e,t){var n=Object.keys(e);if(Object.getOwnPropertySymbols){var r=Object.getOwnPropertySymbols(e);t&&(r=r.filter((function(t){return Object.getOwnPropertyDescriptor(e,t).enumerable}))),n.push.apply(n,r)}return n}function ei(e){for(var t=1;t<arguments.length;t++){var n=null!=arguments[t]?arguments[t]:{};t%2?Za(Object(n),!0).forEach((function(t){ti(e,t,n[t])})):Object.getOwnPropertyDescriptors?Object.defineProperties(e,Object.getOwnPropertyDescriptors(n)):Za(Object(n)).forEach((function(t){Object.defineProperty(e,t,Object.getOwnPropertyDescriptor(n,t))}))}return e}function ti(e,t,n){return(t=ni(t))in e?Object.defineProperty(e,t,{value:n,enumerable:!0,configurable:!0,writable:!0}):e[t]=n,e}function ni(e){var t=function(e,t){if("object"!==qa(e)||null===e)return e;var n=e[Symbol.toPrimitive];if(n!==undefined){var r=n.call(e,t||"default");if("object"!==qa(r))return r;throw new TypeError("@@toPrimitive must return a primitive value.")}return("string"===t?String:Number)(e)}(e,"string");return"symbol"===qa(t)?t:String(t)}var ri=new(xe())({tolerance:200}),oi=function(e){!function(e,t){if("function"!=typeof t&&null!==t)throw new TypeError("Super expression must either be null or a function");e.prototype=Object.create(t&&t.prototype,{constructor:{value:e,writable:!0,configurable:!0}}),Object.defineProperty(e,"prototype",{writable:!1}),t&&Qa(e,t)}(a,React.Component);var t,n,r,o=Ga(a);function a(e){var t,n;!function(e,t){if(!(e instanceof t))throw new TypeError("Cannot call a class as a function")}(this,a),ti(Ja(n=o.call(this,e)),"handleFormSubmit",(function(e,t){var r;t.preventDefault(),n.setState(ei(ei({},n.state),{},{errors:[]})),n.handleDefaultValues();var o=n.state,a=o.formData,i=o.defaultData,s=n.props,u=s.action,c=s.wpNonce,l=s.validation,f=l.reset,d=new FormData,p=ei(ei({},i),a);for(var h in jQuery(n.mfRefs.mainForm.parentElement).trigger("metform/before_submit",p),jQuery(n.mfRefs.mainForm).find(".metform-submit-btn").attr("disabled",!0),p)if("object"==qa(p[h])){var m=p[h][0];if(Blob&&m instanceof Blob)for(var g=p[h].length,v=0;v<g;v++)d.append(h+"[]",p[h][v]);else d.append(h,p[h])}else d.append(h,p[h]);r="mf_success_duration"in n.props.widgetSettings?n.props.widgetSettings.mf_success_duration:5,r*=1e3,fetch(u,{method:"POST",headers:{"X-WP-Nonce":c},body:d}).then((function(e){return e.json()})).then((function(e){var o,a;(n.formSubmitResponse=e,e.status)?(n.setState({success:"true"===n.props.quizSummery&&Object.keys(n.state.answers).length&&e.data.message?"".concat(e.data.message," You have got ").concat(n.state.formData["quiz-marks"]," Marks. Right Answer ").concat(null===(o=n.state.formData)||void 0===o?void 0:o["right-answer"].length,".\n\t\t\t\t\tWrong Answer ").concat(null===(a=n.state.formData)||void 0===a?void 0:a["wrong-answer"].length,"."):e.data.message?e.data.message:"",form_res:1},(function(){n.resetReCAPTCHA(),l.clearErrors("g-recaptcha-response")})),e.status&&e.data.hide_form&&(n.formRef.current.setAttribute("class","mf-close-this-form"),setTimeout((function(){n.formRef.current.innerHTML=""}),600)),n.setState({formData:{}}),jQuery(t.target).trigger("reset"),jQuery(t.target).find(".m-signature-pad .btn.clear").trigger("click"),jQuery(t.target).find(".mf-repeater-select-field").val(null).trigger("change"),0!=jQuery(t.target).find(".mf-repater-range-input").length&&jQuery(t.target).find(".mf-repater-range-input").asRange("set","0"),0!=jQuery(t.target).find(".g-recaptcha-response-v3").length&&grecaptcha.ready((function(){grecaptcha.execute(jQuery(t.target).find("#recaptcha_site_key_v3")[0].dataset.sitekey,{action:"submit"}).then((function(e){jQuery(t.target).find(".g-recaptcha-response-v3").val(e)}))})),n.setState(ei(ei({},n.state),{},{defaultData:{form_nonce:n.state.defaultData.form_nonce}})),f(),setTimeout((function(){n.setState({errors:[],form_res:0})}),r)):n.setState({errors:Wa(e.error),form_res:1},(function(){n.resetReCAPTCHA(),n.setValue("mf-captcha-challenge","",!0),l.clearErrors("g-recaptcha-response")}));if(e.data.store&&"stripe"===e.data.store["mf-payment-method"]&&n.stripePayment(e),jQuery(n.mfRefs.mainForm.parentElement).trigger("metform/after_submit",{data:p,response:e}),(e.data.store&&"stripe"!==e.data.store["mf-payment-method"]||0==e.store_entries&&e.status&&""!==e.data.redirect_to.trim())&&e.status&&e.data.redirect_to.trim()){e.data.entry_id;var i=e.data.redirect_to;setTimeout((function(){window.location.href=i}),1500)}setTimeout((function(){e.data.hide_form||e.data.store&&"stripe"!==e.data.store["mf-payment-method"]&&n.setState({success:"",errors:[],form_res:0})}),r)}))["catch"]((function(e){n.setState({errors:["Something went wrong"],form_res:1},(function(){n.resetReCAPTCHA(),n.setValue("mf-captcha-challenge","",!0),l.clearErrors("g-recaptcha-response")})),console.error(e.message),setTimeout((function(){n.setState({errors:[],form_res:0})}),r)}))["finally"]((function(){if(n.state.submitted=!0,jQuery(n.mfRefs.mainForm).find(".metform-submit-btn").attr("disabled",!1),!n.props.stopVerticalEffect){var e=n.mfRefs.mainForm.querySelector(".mf-main-response-wrap");ri.move(e)}setTimeout((function(){n.setState({mobileWidget:{}}),localStorage.removeItem("metform-".concat(n.props.formId)),jQuery(n.mfRefs.mainForm).find(".mf-toggle-select-input").each((function(){jQuery(this).removeAttr("checked")})),n.state.hasOwnProperty(["QuizInfo"])&&(n.state.formData["total-question"]=n.state.QuizInfo.totalQuestion,n.state.formData["right-answer"]=n.state.QuizInfo.rightAnswer,n.state.formData["wrong-answer"]=n.state.QuizInfo.wrongAnswer,n.state.formData["quiz-marks"]=n.state.QuizInfo.marks)}),350)}))})),ti(Ja(n),"handleCalculations",(function(e,t){var r=e.target.calc_behavior,o=ReactDOM.findDOMNode(Ja(n)),a=o.length?o.querySelectorAll(".mf-input-calculation"):[];for(var i in t)if(Array.isArray(t[i])){var s=t[i].map((function(e){return isNaN(e)?e:Number(e)}));t[i]=s}for(var u in a.forEach((function(e){var o=parseInt(e.dataset.fraction);o=o<0||o>99?2:o;var a=n.MfMathCalc.parse(e.dataset.equation,t,r)||0;if("NaN"!==a){var i=a.toString().split(".");i.length>1&&(i[1]=i[1].slice(0,o),i[1].length||i.pop()),t[e.name]=i.join(".")}})),t)if(Array.isArray(t[u]))for(var c=0;c<t[u].length;c++)"number"==typeof t[u][c]&&(t[u][c]=t[u][c]+"")})),ti(Ja(n),"handleConditionals",(function(e){var t=n.state,r=t.formData,o=t.defaultData,a=n.props,i=a.widgets,s=a.conditionalRefs,u=a.validation,c=u.getValues,l=u.setValue;s.forEach((function(e){(e=i[e]).list=e.settings.mf_conditional_logic_form_list,e.operator=e.settings.mf_conditional_logic_form_and_or_operators,e.action=e.settings.mf_conditional_logic_form_action,e.validatedValues=[],e.isValidated=!1,e.list.forEach((function(t){t.name=t.mf_conditional_logic_form_if,t.value=r[t.name]||o[t.name]||"",t.match=isNaN(t.mf_conditional_logic_form_value)?t.mf_conditional_logic_form_value:+t.mf_conditional_logic_form_value,t.operator=n.decodeEntities(t.mf_conditional_logic_form_comparison_operators),Array.isArray(t.value)&&-1!==t.value.indexOf(t.match)&&(t.value=t.value[t.value.indexOf(t.match)]),e.validatedValues.push(function(e,t,n){switch(n){case"+":return e+t;case"-":return e-t;case"*":return e*t;case"/":return e/t;case"<":return e<t;case"<=":return e<=t;case">":return e>t;case">=":return e>=t;case"==":return e==t;case"!=":return e!=t;case"not-empty":return void 0!==e&&String(e).length>0;case"empty":return void 0!==e&&0==String(e).length;default:return!1}}(t.value,t.match,t.operator));var a=t.mf_conditional_logic_form_if,i=jQuery("input[name = ".concat(a,"]")).closest(".elementor-element[mf-condition-hidden]").attr("mf-condition-hidden");e.parentCondition=i})),e.isValidated=e.validatedValues.some((function(e){return!0===e})),"and"===e.operator&&(e.isValidated=e.validatedValues.every((function(e){return!0===e})));var t=e.settings.mf_input_name;if(e.isValidated&&"show"===e.action){var a;e.el.setAttribute("mf-condition-hidden",!1),e.el.classList.remove("mf-condition--hidden"),null===(a=e.el.closest(".e-container, .e-con, .elementor-top-section"))||void 0===a||a.classList.remove("mf-condition--hidden"),e.parentCondition!==undefined&&e.el.setAttribute("mf-condition-hidden",e.parentCondition),"noval"===c(t)&&l(t,undefined)}else{var s,u,f;if(e.el.setAttribute("mf-condition-hidden",!0),!e.el.closest(".elementor-inner-section")&&!e.el.closest(".e-container")&&!e.el.closest(".e-con"))Array.isArray(null===(s=Object.values(e.el.closest(".elementor-widget-wrap"))[1])||void 0===s?void 0:s.children)||e.el.closest(".elementor-top-section").classList.add("mf-condition--hidden");if(e.el.closest(".e-container"))(null===(u=Object.values(e.el.closest(".e-container"))[1])||void 0===u||null===(f=u.children)||void 0===f?void 0:f.length)<=2&&e.el.closest(".e-container").classList.add("mf-condition--hidden");e.el.classList.add("mf-condition--hidden"),Object.values(e.el.classList).indexOf("elementor-widget-mf-select")>-1&&l(t,"noval")}}))})),ti(Ja(n),"getValue",(function(e){return e in n.state.formData?n.state.formData[e]:""})),ti(Ja(n),"getFileLabel",(function(e,t){var r=n.state.formData[e],o="";if(r&&(null==r?void 0:r.length)>1){for(var a=0;a<(null==r?void 0:r.length);a++)o+=r[a].name+",";o=o.slice(0,-1)}else 1==(null==r?void 0:r.length)&&(o=r?r[0].name:"");return r?o:n.decodeEntities(t)})),ti(Ja(n),"getInputLabel",(function(e,t){var r=ReactDOM.findDOMNode(Ja(n)).querySelector('[name="'+e+'"]'),o=r?r.closest(".mf-input-wrapper").querySelector("label"):null;return o?o.innerText.replace(/\*/g,"").trim():t})),ti(Ja(n),"decodeEntities",(function(e){var t=document.createElement("textarea");return t.innerHTML=e,t.value})),ti(Ja(n),"setDefault",(function(e){if(null!==e){var t=e.name,r=e.value,o=n.state.defaultData;o[t]=r,n.setState({defaultData:o})}})),ti(Ja(n),"isNumeric",(function(e){return!isNaN(parseFloat(e))&&isFinite(e)})),ti(Ja(n),"setStateValue",(function(e,t){n.setState({name:e,value:t})})),ti(Ja(n),"handleCardNumber",(function(e){var t=e.target,r=t.name,o=t.value,a=n.state.formData,i=a[r+"--type"],s=o.replace(/\s+/g,"").replace(/[^0-9]/gi,""),u=a[r],c="amex"===i?5:4,l="amex"===i?15:16;if(new RegExp("^[0-9]*$").test(s)&&s.length<=l){for(var f=s.match(/\d{4,16}/g),d=f&&f[0]||"",p=[],h=0,m=d.length;h<m;h+=c)p.push(d.substring(h,h+c));p.length&&(s=p.join(" ").trim()),u=s}n.setValue(r,u,!0),n.handleChange(e),e.target.value=u,n.handleCardType(s,e.target.name)})),ti(Ja(n),"handleCardType",(function(e,t){var r="blank",o=t+"--type";r=e.startsWith("34")||e.startsWith("37")?"amex":e.startsWith("4")?"visa":e.startsWith("5")?"master":e.startsWith("6")?"discover":"custom";var a=n.state.formData;a[o]=r,n.setState({formData:a})})),ti(Ja(n),"handleCardMonth",(function(e){var t=e.target,r=t.name,o=t.value,a=parseInt(o.replace(/-/g,""))||"",i=parseInt(a.toString().substring(0,1))||"";1<i&&i<10?n.setValue(r,i,!0):n.setValue(r,a>12?12:a,!0),n.handleChange(e)})),ti(Ja(n),"handleSubVal",(function(e,t){var r=e.target,o=r.name,a=r.value,i=parseInt(a.replace(/-/g,"").substring(0,t))||"";n.setValue(o,i,!0),e.target.value=i,n.handleChange(e)})),ti(Ja(n),"handleSaveProgress",(function(e,t){if(!elementorFrontend.isEditMode()&&"true"===n.props.saveProgress&&!(document.getElementsByName(e)[0].className.includes("mf-captcha-input")||document.getElementsByName(e)[0].className.includes("g-recaptcha-response")||document.getElementsByName(e)[0].className.includes("g-recaptcha-response-v3")||"password"==document.getElementsByName(e)[0].type||document.getElementsByName(e)[0].closest(".mf-credit-card-wrapper")||"file"===document.getElementsByName(e)[0].type)){var r=new Date;r.setMinutes(r.getMinutes()+120),null===localStorage.getItem("metform-".concat(n.props.formId))&&localStorage.setItem("metform-".concat(n.props.formId),JSON.stringify({expireTime:r.getTime()})),setTimeout((function(){var r,o,a=null===(r=document.getElementsByClassName("mf-input-calculation")[0])||void 0===r?void 0:r.value,i=null===(o=document.getElementsByClassName("mf-input-calculation")[0])||void 0===o?void 0:o.name,s=JSON.parse(localStorage.getItem("metform-".concat(n.props.formId)));for(var u in a&&(s[i]=a),s[e]=t,s)""===s[u]&&delete s[u];localStorage.setItem("metform-".concat(n.props.formId),JSON.stringify(s))}),0)}})),ti(Ja(n),"compareArrays",(function(e,t){if(!e||!t)return!1;if(e.length!==t.length)return!1;var n=e.sort(),r=t.sort();return n.map((function(e,t){return r[t]===e})).every((function(e){return e}))})),ti(Ja(n),"handleIncorrectAnswer",(function(e,t,n,r,o,a){var i,s,u;null!==(i=e.formData["wrong-answer"])&&void 0!==i&&i.includes(n)||(t["wrong-answer"]=t["wrong-answer"]?[].concat(Wa(t["wrong-answer"]),[n]):[n],t["quiz-marks"]=(t["quiz-marks"]?t["quiz-marks"]:0)-(!(null!==(u=t["right-answer"])&&void 0!==u&&u.includes(n))&&(a||0)));if(null!==(s=t["right-answer"])&&void 0!==s&&s.includes(n)){var c=t["right-answer"].indexOf(n);t["quiz-marks"]=t["quiz-marks"]-o,t["quiz-marks"]=t["quiz-marks"]-(a||0),t["right-answer"].splice(c,1)}return t})),ti(Ja(n),"handleCorrectAnswer",(function(e,t,r,o){var a,i;e["quiz-marks"]=(e["quiz-marks"]?e["quiz-marks"]:0)+r,e["quiz-marks"]=(e["quiz-marks"]?e["quiz-marks"]:0)+(o||0),e["right-answer"]=e["right-answer"]?[].concat(Wa(e["right-answer"]),[t]):[t];var s=null===(a=e["wrong-answer"])||void 0===a?void 0:a.indexOf(t);null===(i=e["wrong-answer"])||void 0===i||i.splice(s,1),n.setState({formData:e})})),ti(Ja(n),"handleChange",(function(e){var t=e.target,r=t.name,o=t.value,a=t.type,i=n.state.formData;i[r]="number"===a&&"mobile"!==a?Number(o):o,n.handleCalculations(e,i),n.setState({formData:i});var s=e.target;if(s.className!==undefined&&-1!==s.className.indexOf("mf-repeater-type-simple")||n.trigger(r),n.handleSaveProgress(r,o),"quiz-form"===n.props.formType&&Object.keys(n.state.answers).includes(r)){var u=parseFloat(n.state.answers[r].correctPoint),c=parseFloat(n.state.answers[r].incorrectPoint);if("multiselect"===a||"checkbox"===a){var l=n.handleIncorrectAnswer(n.state,i,r,o,u,c);n.compareArrays(o,n.state.answers[r].answer)&&n.handleCorrectAnswer(l,r,u,c)}else if("text"===a||"radio"===a){var f=n.handleIncorrectAnswer(n.state,i,r,o,u,c);(null==o?void 0:o.toLowerCase())===n.state.answers[r].answer.toLowerCase()&&n.handleCorrectAnswer(f,r,u,c)}else if("select"===a){var d=n.handleIncorrectAnswer(n.state,i,r,o,u,c);o===n.state.answers[r].answer&&n.handleCorrectAnswer(d,r,u,c)}}})),ti(Ja(n),"handleDateTime",(function(e){var t=e.target,r=t.name,o=t.value;n.setValue(r,o,!0),n.handleChange(e)})),ti(Ja(n),"handleSelect",(function(e,t){var r=e.value;e.target={name:t,value:r,type:"select"},n.setValue(t,r,!0),n.handleChange(e)})),ti(Ja(n),"handleRadioDefault",(function(e){var t=n.state.formData;if(e&&e.dataset.checked){var r=e.name;e.setAttribute("checked",!0),r in t||n.handleChange({target:{name:r,value:e.value}})}})),ti(Ja(n),"handleCheckbox",(function(e,t){if(!e)return!1;var r=n.state.formData,o=!1;if("onLoad"===t){var a=e.querySelectorAll(".mf-checkbox-input"),i=[];a.forEach((function(e){o||(o=e.name),e.checked&&i.push(e.value)})),!r[o]&&i.length&&n.handleChange({target:{name:o,value:i}})}if("onClick"===t){o||(o=e.name);var s=new Set(r[o]);e.checked&&s.add(e.value),e.checked||s["delete"](e.value),n.handleChange({target:{name:o,value:Array.from(s),type:"checkbox"}})}})),ti(Ja(n),"handleSwitch",(function(e){e.target.value=e.target.nextElementSibling.getAttribute("data-disable"),e.target.checked&&(e.target.value=e.target.nextElementSibling.getAttribute("data-enable")),n.handleChange(e)})),ti(Ja(n),"handleOptin",(function(e){e.target.checked||(e.target.value="Declined"),e.target.checked&&(e.target.value="Accepted"),n.handleChange(e)})),ti(Ja(n),"handleFileUpload",(function(e){n.handleChange({target:{name:e.target.name,value:e.target.files}})})),ti(Ja(n),"handleMultiStepBtns",(function(e){var t=jQuery(e.currentTarget).parents(".elementor-top-section.active").length>0?".elementor-top-section":jQuery(e.currentTarget).parents(".e-container--column.active").length>0?".e-container--column":".e-con",r=jQuery(e.currentTarget).parents("".concat(t,".active")),o=e.currentTarget.dataset.direction,a=r.prev()[0]?r.prev()[0].dataset:"",i=r.next()[0]?r.next()[0].dataset:"",s=("next"===o?i:a).id;if(!s)return!1;var u=jQuery(e.currentTarget).parents(".metform-form-content").find('.metform-step-item[data-value="'+s+'"]'),c=[];r.find(".mf-input").each((function(){var e=jQuery(this),t=this.name;(e.hasClass("mf-input-select")||e.hasClass("mf-input-multiselect"))&&(t=e.find('input[type="hidden"]')[0].name),e.parents(".mf-input-repeater").length&&(t=""),t&&c.push(t)})),jQuery(e.currentTarget).parents(".mf-scroll-top-yes").length&&ri.move(n.mfRefs.mainForm),"next"===o?n.trigger(c).then((function(e){e&&u.trigger("click")})):u.trigger("click")})),ti(Ja(n),"handleImagePreview",(function(e){var t=e.target,n=e.clientX,r=e.clientY,o=e.type,a=t.nextElementSibling,i=t.closest(".mf-image-select"),s=i.getBoundingClientRect(),u=r-s.top,c=n-s.left;if(a){if(t.closest(".mf-multistep-container")&&(r=u+50,n=c+30),"mouseleave"===o)return a.style.opacity="",void(a.style.visibility="hidden");a.style.opacity||(a.style.opacity="1",a.style.visibility="visible"),a.offsetHeight+r>window.innerHeight||r+2*i.clientHeight>window.innerHeight?(a.className="mf-select-hover-image mf-preview-top",r-=55):a.className="mf-select-hover-image",a.style.top=r+30+"px",a.style.left=n-28+"px"}})),ti(Ja(n),"handleSignature",(function(e){e.target={name:e.props.name,value:e.toDataURL()},n.handleChange(e),n.setValue(e.target.name,e.target.value,!0)})),ti(Ja(n),"refreshCaptcha",(function(e){n.setState({captcha_img:n.state.captcha_path+Date.now()})})),ti(Ja(n),"resetReCAPTCHA",(function(){n.getValue("mf-captcha-challenge")&&n.refreshCaptcha(),n.getValue("g-recaptcha-response")&&n.handleReCAPTCHA("reset")})),ti(Ja(n),"handleReCAPTCHA",(function(e){"reset"===e&&(e="",grecaptcha.reset());var t={target:{name:"g-recaptcha-response",value:(e=e||"")||""}};n.handleChange(t)})),ti(Ja(n),"activateValidation",(function(e,t,r){var o,a,i=n.state.formData,s=n.props.validation.register,u=e.type,c=e.required,l=e.message,f=e.minLength,d=e.maxLength,p=e.expression,h={};if(t&&c&&t.closest(".elementor-element")&&"true"===t.closest(".elementor-element").getAttribute("mf-condition-hidden"))h.required=!1;else{if((u&&"none"!==u||c)&&(h.required=!!c&&l),t&&t.classList&&t.classList.contains("mf-credit-card-number")&&(i[t.name]&&"amex"===i[t.name+"--type"]?h.minLength=h.maxLength={value:17,message:l}:h.minLength=h.maxLength={value:19,message:l}),e.inputType&&"credit_card_date"===e.inputType&&(f&&(h.min={value:f,message:l}),d&&(h.max={value:d,message:l})),t&&"file"===t.type&&t.files.length>0){var m=e.file_types,g=e.size_limit,v=t.files[0].name.substr(t.files[0].name.lastIndexOf(".")+1);h.validate={fileType:function(){return v=v.toLowerCase(),!(m!==[]&&!m.includes("."+v))||e.type_message},fileSize:function(){return!(-1!==g&&t.files[0].size>1024*parseInt(g))||e.limit_message}}}t&&"email"===t.type?h.pattern={value:/^(([^<>()\[\]\.,;:\s@\"]+(\.[^<>()\[\]\.,;:\s@\"]+)*)|(\".+\"))@(([^<>()[\]\.,;:\s@\"]+\.)+[^<>()[\]\.,;:\s@\"]{2,})$/i,message:e.emailMessage}:t&&"url"===t.type&&(h.pattern={value:/^(http[s]?:\/\/(www\.)?|ftp:\/\/(www\.)?|www\.){1}([0-9A-Za-z-\.@:%_\+~#=]+)+((\.[a-zA-Z]{2,3})+)(\/(.)*)?(\?(.)*)?/g,message:e.urlMessage}),"by_character_length"===u?(o=t&&"number"===t.type?"min":"minLength",a=t&&"number"===t.type?"max":"maxLength",f&&(h[o]={value:f,message:l}),d&&(h[a]={value:d,message:l})):"by_word_length"===u?h.validate={wordLength:function(e){return n.handleWordValidate(e,f,d,l)}}:"by_expresssion_based"===u&&(h.validate={expression:function(e){return n.handleExpressionValidate(e,p,l)}})}return"function"==typeof r&&r(),t?s(t,h):h})),ti(Ja(n),"handleWordValidate",(function(e,t,n,r){var o=e.trim().split(/\s+/).length;return!!(n?o>=t&&o<=n:o>=t)||r})),ti(Ja(n),"handleExpressionValidate",(function(e,t,n){if(t)return!!new RegExp(t).test(e)||n})),ti(Ja(n),"colorChange",(function(e,t){n.handleChange({target:{name:t,value:e.hex}})})),ti(Ja(n),"colorChangeInput",(function(e){n.handleChange({target:{name:e.target.name,value:e.target.value}})})),ti(Ja(n),"multiSelectChange",(function(e,t){if("string"==typeof e)try{e=JSON.parse(e)}catch(o){return}var r=[];if(null!==e)try{e.filter((function(e){return r.push(e.value?e.value:e.mf_input_option_value)}))}catch(a){return}n.handleChange({target:{name:t,value:r,type:"multiselect"}})})),ti(Ja(n),"handleRangeChange",(function(e,t){n.handleChange({target:{name:t,value:Number(e.toFixed(2)),type:"range"}}),n.props.validation.setValue(t,Number(e.toFixed(2)))})),ti(Ja(n),"handleMultipileRangeChange",(function(e,t){n.handleChange({target:{name:t,value:[e.min,e.max],calc_behavior:"decrease_first_value"}})})),ti(Ja(n),"handleOnChangePhoneInput",(function(e,t,r){var o="";r&&e!==r.dialCode&&(o=e),n.setState({mobileWidget:ei(ei({},n.state.mobileWidget),{},ti({},t,e))}),n.handleChange({target:{name:t,value:o,type:"mobile"}})})),ti(Ja(n),"setFormData",(function(e,t){n.state.formData[e]=t})),ti(Ja(n),"getParams",(function(){for(var e,t=window.location.search,n={},r=/[?&]?([^=]+)=([^&]*)/g;e=r.exec(t);)n[decodeURIComponent(e[1])]=decodeURIComponent(e[2]);return n})),ti(Ja(n),"setParamValueState",(function(){var e=n.state.formData,t=n.getParams(),r=n.props.widgets,o=function(o){var a=t[o].split(","),i=function(){var t=r[s].el,i=jQuery(t),u=i.data().settings,c=u.mf_input_list,l=[];function f(e){return i.find(e).length>0}function d(){var t=a.filter((function(e){return e.length>0&&l.length>0&&l.includes(e)})),n=Wa(new Set(t));n.length>0&&(e[o]=n)}function p(t){e[o]=t}if(u.mf_input_name===o&&"yes"===u.mf_input_get_params_enable){if(c&&c.length>0){for(var h=0;h<c.length;h++)l.push(c[h].mf_input_option_value||c[h].value);if((f(".mf-input-select")||f("input.mf-radio-input:radio")||f("input.mf-image-select-input:radio")||f("input.mf-toggle-select-input:radio"))&&(function(){var t=a.filter((function(e){return e.length>0&&l.length>0&&l.includes(e)}))[0];t&&(e[o]=t)}(),f("input.mf-toggle-select-input:radio"))){var m=a.filter((function(e){return e.length>0&&l.length>0&&l.includes(e)}))[0];m&&i.find("input.mf-toggle-select-input:radio").each((function(){jQuery(this).prop("checked",!1),m.includes(jQuery(this).val())&&jQuery(this).prop("checked",!0)}))}if(f("input.mf-checkbox-input:checkbox")||f("input.mf-image-select-input:checkbox")||f("input.mf-toggle-select-input:checkbox"))d(),a.filter((function(e){return e.length>0&&l.length>0&&l.includes(e)})).length>0&&(i.find("input.mf-checkbox-input:checkbox").each((function(){jQuery(this).prop("checked",!1),a.includes(jQuery(this).val())&&jQuery(this).prop("checked",!0)})),i.find("input.mf-toggle-select-input:checkbox").each((function(){jQuery(this).prop("checked",!1),a.includes(jQuery(this).val())&&jQuery(this).prop("checked",!0)})));f(".mf-input-multiselect")&&d()}else{var g=a[0];if(f("input[type=email]")&&(p(g),i.find("input[type=email]").val(g)),f("input[type=checkbox]")&&"on"===g&&(p(g),i.find("input[type=checkbox]")[0].checked=!0),f("input[type=number]")){p(Number(g)),i.find("input[type=number]").val(Number(g));var v=i.find("input[type=number]")[0];v.addEventListener("click",(function(t){n.handleCalculations(t,e)})),v.click()}if(f(".range-slider")){var y=u.mf_input_min_length_range;u.mf_input_max_length_range>=Number(g)&&y<=Number(g)&&p(Number(g))}if(f(".mf-ratings"))u.mf_input_rating_number>=Number(g)&&0<=Number(g)&&p(Number(g));if(f("input.mf-input-switch-box:checkbox")){var b=u.mf_swtich_enable_text;b===g&&(p(b),i.find("input.mf-input-switch-box:checkbox")[0].checked=!0)}if(f("input.mf-payment-method-input:radio")){var w=["paypal","stripe"],C=a.filter((function(e){return e.length>0&&w.includes(e)}))[0];C&&p(C),C&&i.find("input.mf-payment-method-input:radio").each((function(){jQuery(this).prop("checked",!1),a.includes(jQuery(this).val())&&jQuery(this).prop("checked",!0)}))}if(f("input[type=text]")||f("input[type=password]")||f("input[type=tel")||f("textarea.mf-input")||f("input[type=url]")){var O=n.getParams()[o];if(f("input.flatpickr-input")){(g.match(/^[0-3]?[0-9].[0-3]?[0-9].(?:[0-9]{2})?[0-9]{2}$/)||g.match(/^(?:[0-9]{2})?[0-9]{2}.[0-3]?[0-9].[0-3]?[0-9]$/))&&p(O)}else p(O),i.find("input[type=text").val(O),i.find("input[type=password").val(O),i.find("input[type=tel").val(O),i.find("textarea.mf-input").val(O),i.find("input[type=url]").val(O)}}n.setState({formData:e})}};for(var s in r)i()};for(var a in t)o(a)})),n.storageData=JSON.parse(localStorage.getItem("metform-".concat(e.formId)))||{},(null===(t=n.storageData)||void 0===t?void 0:t.expireTime)<new Date&&(localStorage.removeItem("metform-".concat(e.formId)),n.storageData={}),n.state={formData:"true"===n.props.saveProgress?n.storageData:{},defaultData:{form_nonce:e.formNonce},recaptcha_uid:e.formId+"_"+Math.random().toString(36).substring(5,10),result_not_foud:"",total_result:0,form_res:0,errors:[],success:"",config:{},mobileWidget:{},formId:e.formId,answers:{},submitted:!1},n.formSubmitResponse,n.MfMathCalc=new Fa,n.setValue=e.validation.setValue,n.trigger=e.validation.trigger,n.formRef=React.createRef(),n.formContainerRef=React.createRef(),n.interval=null,n.mfRefs={},setTimeout((function(){if(!elementorFrontend.isEditMode()&&"true"===e.saveProgress){var t,r=/^([0-9a-zA-Z+/]{4})*(([0-9a-zA-Z+/]{2}==)|([0-9a-zA-Z+/]{3}=))?$/,o=n.state.formData,a=document.getElementsByClassName("mf-input-repeater")[0],i=null===(t=document.getElementsByClassName("mf-input-repeater-items attr-items")[0])||void 0===t?void 0:t.outerHTML,s=function(){if("string"==typeof o[u]&&r.test(o[u].split(",")[1])){var e,t=(null===(e=document.getElementsByName("".concat(u))[0])||void 0===e?void 0:e.parentElement.getElementsByTagName("canvas")[0]).getContext("2d"),n=new Image;n.onload=function(){t.drawImage(n,0,0)},n.src=o[u]}if(u.match(/\[[^\]]*\]/g)&&2===u.match(/\[[^\]]*\]/g).length){var s=u.match(/\d+/)[0];if(document.getElementsByName(u)[0]!==undefined)document.getElementsByName(u)[0].value=o[u];else{var c,l=(new DOMParser).parseFromString(i,"text/html");l.getElementsByClassName("mf-input-repeater-items")[0].dataset.index=s,l.getElementsByClassName("mf-input-repeater-items")[0].removeAttribute("style"),l.getElementsByClassName("mf-input attr-form-control")[0].name=u;var f=null===(c=l.getElementsByClassName("mf-input-repeater-items")[0])||void 0===c?void 0:c.outerHTML;a.insertAdjacentHTML("beforeend",f),document.getElementsByName(u)[0].value=o[u]}}};for(var u in o)s()}}),1e3),window["handleReCAPTCHA_"+n.state.recaptcha_uid]=n.handleReCAPTCHA;var r=e.templateEl.innerHTML,i=n.replaceWith([["&#8216;","'"],["&#8217;","'"],["&#8220;",'"'],["&#8221;",'"'],["&#8211;","--"]],r);return n.jsx=new Function("parent","props","state","validation","register","setValue","html",i),e.templateEl.remove(),jQuery(document).on("click",".remove-btn",(function(e){var t=jQuery(e.target).parent().siblings(".mf-input-repeater-content").find(".mf-repeater-field")[0].name;n.state.formData[t]!==undefined&&(delete n.state.formData[t],n.setState({formData:n.state.formData}))})),n}return t=a,(n=[{key:"replaceWith",value:function(e,t){var n,r=t,o=Ua(e);try{for(o.s();!(n=o.n()).done;){var a=za(n.value,2),i=a[0],s=a[1];r=r.replaceAll(i,s)}}catch(u){o.e(u)}finally{o.f()}return r}},{key:"handleDefaultValues",value:function(){var e,t=this.mfRefs.mainForm,n={},r=Ua(new FormData(t));try{for(r.s();!(e=r.n()).done;){var o=za(e.value,2),a=o[0],i=o[1];n[a]=i}}catch(s){r.e(s)}finally{r.f()}this.setState({defaultData:ei(ei({},this.state.defaultData),n)})}},{key:"stripePayment",value:function(e){var t,n=e.data.payment_data,r=this;if(n.keys&&""!==n.keys)return(t=StripeCheckout.configure({key:n.keys,image:n.image_url,locale:"auto",token:function(t){var o;t.id?(n.stripe_token=t.id,o={sandbox:n.sandbox},fetch(e.data.ajax_stripe+"&token="+t.id,{headers:{"X-WP-Nonce":r.props.wpNonce},data:o}).then((function(e){return e.json()})).then((function(e){e.status?e.redirect_url?window.location.href=e.redirect_url:"success"===e.status?r.setState({success:"Payment Successful!",errors:[],form_res:1}):r.setState({success:"",errors:[e.message],form_res:1}):alert(e.message)}))):alert("Sorry!! Payment token invalid")}})).open({name:String(n.name_post),description:" Form No.: "+String(n.description),amount:100*Number(n.amount),currency:n.currency_code}),window.addEventListener("popstate",(function(){t.close()})),{type:"error",redirect_url:"",message:"Payment Unsuccessful!"};alert("Please set your Stripe Keys in form settings.")}},{key:"renderReCaptcha",value:function(e,t){var n=window.grecaptcha,r=document.querySelectorAll(".g-recaptcha"),o=document.querySelectorAll(".recaptcha_site_key_v3");r.length?n.render("g-recaptcha",{sitekey:r[0].dataset.sitekey}):o.length&&n.ready((function(){n.execute(o[0].dataset.sitekey,{action:"submit"}).then((function(t){e.querySelectorAll(".g-recaptcha-response-v3").forEach((function(e){e.value=t}))}))}))}},{key:"componentDidUpdate",value:function(){var e,t=this.props.validation.formState.isValid;this.handleConditionals(),t||this.props.stopVerticalEffect||(e=this.mfRefs.mainForm.querySelector(".mf-error-message"))&&ri.move(e.parentElement.parentElement)}},{key:"componentDidMount",value:function(e){var t=this,n=window.grecaptcha,r=ReactDOM.findDOMNode(this),o=r.length?r.querySelectorAll(".elementor-element"):[];this.mfRefs.mainForm=r;var a=this.state.formData,i=r.querySelectorAll(".recaptcha_site_key_v3");i.length>0&&(this.interval=setInterval((function(){n.ready((function(){n.execute(i[0].dataset.sitekey,{action:""}).then((function(e){i.forEach((function(t){t.querySelector(".g-recaptcha-response-v3").value=e}))}))}))}),108e3));var s=r.getElementsByTagName("input");for(var u in s)"email"===s[u].type&&""!==s[u].value&&this.setDefault(s[u]);if(o.forEach((function(e){var n=e.getAttribute("data-element_type"),r=e.getAttribute("data-widget_type"),o=null===r?n:r;e.dataset&&e.dataset.settings&&(e.dataset.settings=e.dataset.settings.replace(/&quot;/g,'"'));var a=window.elementorFrontend.hooks;if(a?a.doAction("frontend/element_ready/"+o,jQuery(e)):jQuery(window).on("elementor/frontend/init",(function(){(a=window.elementorFrontend.hooks).doAction("frontend/element_ready/"+o,jQuery(e))})),e.className.search("elementor-widget-mf-")>0&&e.dataset.settings){var i=JSON.parse(e.dataset.settings),s=i.mf_input_name+"-"+e.getAttribute("data-id");t.props.widgets[s]={el:e,settings:i},i.mf_conditional_logic_form_enable&&t.props.conditionalRefs.push(s)}})),Object.keys(this.state.answers).length&&"quiz-form"===this.props.formType){var c=this.state.answers,l=this.state;a["right-answer"]=[],a["wrong-answer"]=[],a["quiz-marks"]=0,l.QuizInfo={totalQuestion:0,rightAnswer:[],wrongAnswer:[],marks:0},Object.keys(c).forEach((function(e){"string"==typeof c[e].answer&&""===c[e].answer||"object"===qa(c[e].answer)&&0===c[e].answer.length?(a["right-answer"]=[].concat(Wa(t.state.formData["right-answer"]),[e]),a["quiz-marks"]=a["quiz-marks"]+parseFloat(c[e].correctPoint)):(a["wrong-answer"]=[].concat(Wa(t.state.formData["wrong-answer"]),[e]),a["quiz-marks"]=a["quiz-marks"]-parseFloat(c[e].incorrectPoint))})),a["total-question"]=Object.keys(c).length,l.QuizInfo.rightAnswer=a["right-answer"],l.QuizInfo.wrongAnswer=a["wrong-answer"],l.QuizInfo.marks=a["quiz-marks"],l.QuizInfo.totalQuestion=Object.keys(c).length}for(var f in window.onload=function(e){t.renderReCaptcha(r,e)},this.handleConditionals(),this.props.formId&&fetch(mf.restURI+this.props.formId,{method:"POST",headers:{"X-WP-Nonce":this.props.wpNonce}}),Ra(),Ha(jQuery(r).parents(".mf-multistep-container").parent(),{doValidate:this.trigger}),jQuery(r).on("change asRange::change",".mf-repeater-field, .mf-repater-range-input, .mf-repeater-checkbox",this.handleChange),jQuery(r).trigger("metform/after_form_load",a),a)this.setValue(f,a[f]);this.setParamValueState()}},{key:"componentWillUnmount",value:function(){clearInterval(this.interval)}},{key:"render",value:function(){var e=this,t=e.props,n=e.state,r=t.validation,o=r.register,a=r.setValue,i=htm.bind(React.createElement);return React.createElement(React.Fragment,null,this.jsx(e,t,n,r,o,a,i))}}])&&Ka(t.prototype,n),r&&Ka(t,r),Object.defineProperty(t,"prototype",{writable:!1}),a}(),ai=function(e){var t=za(e.find(".mf-form-wrapper"),1)[0];if(t){var n,r=t.dataset,o=r.action,a=r.wpNonce,i=r.formNonce,s=r.formId,u=r.stopVerticalEffect,c=r.saveProgress,l=r.formType,f=r.quizSummery,d=za(e.find(".mf-template"),1)[0];if(d)ReactDOM.render(React.createElement((n=oi,function(e){var t=ei(ei({},ye()),{},{ErrorMessage:Ce});return React.createElement(n,ei({validation:t},e))}),{formId:s,templateEl:d,action:o,wpNonce:a,formNonce:i,saveProgress:c,formType:l,quizSummery:f,widgets:{},conditionalRefs:[],stopVerticalEffect:u,widgetSettings:e.data("settings")||{},Select:Ma,InputColor:sr,Flatpickr:ke.Z,InputRange:cr(),ReactPhoneInput:fr(),SignaturePad:Pa(),moveTo:ri,ResponseDummyMarkup:Ta,SubmitResponseMarkup:Aa,SummaryWidget:Na,DateWidget:ja}),t)}};jQuery(window).on("elementor/frontend/init",(function(){var e=["metform","shortcode","text-editor"];"metform-form"!==mf.postType||elementorFrontend.isEditMode()?("metform-form"===mf.postType&&elementorFrontend.isEditMode()&&(e=["mf-date","mf-time","mf-select","mf-multi-select","mf-range","mf-file-upload","mf-mobile","mf-image-select","mf-map-location","mf-color-picker","mf-signature"]),e.forEach((function(e){elementorFrontend.hooks.addAction("frontend/element_ready/"+e+".default",ai)}))):ai(elementorFrontend.elements.$body)})).on("load",(function(){document.querySelectorAll(".mf-form-shortcode").forEach((function(e){ai(jQuery(e))}))}))}()}();
  • metform/trunk/readme.txt

    r2896914 r2907471  
    11=== Metform Elementor Contact Form Builder - Flexible and Design-Friendly Contact Form builder plugin for WordPress===
    22Contributors: xpeedstudio, ataurr, emranio
    33Tags: Form builder, contact form, Elementor contact form, contact form builder, elementor forms builder, drag and drop builder
    44Requires at least: 4.8
    55Tested up to: 6.2
    6 Stable tag: 3.3.0
     6Stable tag: 3.3.1
    77Requires PHP: 7.4
    88License: GPLv2 or later
    99License URI: https://www.gnu.org/licenses/gpl-2.0.html
    1010
    1111Metform, the contact form is an addon for elementor builder, build any kind of fast and secure contact form or email form with elementor. It can manage multiple contact forms, and you can customize the form with an elementor builder.
    1212
    1313== Description ==
    1414
    1515
    1616MetForm, the contact form builder is an addon for Elementor, build any fast and secure contact form on the fly with its drag and drop builder. It can manage multiple contact forms, and you can customize the form with an Elementor builder.
    1717
    1818MetForm is not only a secure contact form plugin, but also it is also a complete drag & drop form builder for Elementor. You can build any fancy contact form in Just minutes with this real-time form builder. You don’t even have to be, a programmer or developer. Because it is a perfect builder for WordPress beginners. Add as many fields as you want and after that, rearrange them according to your needs.
    1919
    2020Apart from that, you can manually create survey forms and post-survey forms on your site with a simple drag and drop option. You don’t require any survey widget to build these eCommerce smart survey forms. As a result, you can collect customers’ survey feedback to get an idea about your buyers.
    2121This free online survey software allows you to embed survey forms anywhere on your site and gather survey feedback. It means you can sell with survey by acquiring knowledge about your buyers. Moreover, you can discover and work for new business opportunities by using this customer survey feedback.
    2222Also, it will save the progress of the form if the internet somehow gets disconnected. Again, your forms will be saved on google Sheets from where you can save them to google drive.
    2323
    2424Again, you can customize survey forms as you like by adding custom survey fields and designs to your survey forms. Therefore, you can beautify survey forms that will be more appealing to your customers and encourage your customers to fill up the survey form. This customization option is also 100% user-friendly for WordPress beginners.
    2525
    2626
    2727<iframe width="560" height="315" src="https://www.youtube.com/embed/8R4-Q14cu-w" frameborder="0" allow="accelerometer; autoplay; encrypted-media; gyroscope; picture-in-picture" allowfullscreen></iframe>
    2828
    2929== Flexibility ==
    3030MetForm, the contact form builder gives you full flexibility to build any form on the fly with Elementor. For example, you can create a referral form to get referral feedback from your users. This makes MetForm a referral marketing solution. Also, you can collect feedback scores by manually creating a client feedback form where your customers can give scores on your products. As a result, you can find out which products or features, your customers prefer the most. Through this, you will also get an idea of users' journey which help you to unlock new services for providing a better user experience. The exciting part is that MetForm’s lite version offers all these facilities. That’s why the lite version of MetForm becomes beneficial as well.
    3131
    3232Want to make any complex form with a lite version of a plugin? or complex style? no problem you can build any type of form with MetForm’s lite version. Like you want to use an image or video under a form and want to show the user, you can do so… use any Elementor addons inside the MetForm builder form without any restrictions.
    3333
    3434MetForm built with Elementor. Every field is an Elementor widget that can be rearranged by dragging and dropping. Moreover, you will find lots of demos of multi-step, conditional, feedback, event, job application, booking, custom social signup, product registration, etc forms in this WordPress beginner-friendly form builder. Again, you can collect testimonials through WordPress testimonial forms.
    3535
    3636
    3737
    3838###USEFUL LINKS###
    3939> **[Landing Page + Form Demo](https://products.wpmet.com/metform/)** |  **[Need Support?](http://wpmet.com/support-help/)** | **[Documentation](https://wpmet.com/knowledgebase/metform/)** | **[Video Tutorials](https://www.youtube.com/watch?v=zg1QIouKO_Q&list=PL3t2OjZ6gY8NoB_48DwWKUDRtBEuBOxSc&ab_channel=Wpmet)** |  [ **Buy Pro** ](https://products.wpmet.com/metform/pricing/) | **[Request a Feature](https://wpmet.com/plugin/metform/roadmaps#ideas)**
    4040
    4141
    4242Metform allows you to create any beautiful WordPress custom contact forms, feedback forms, subscription forms, quote forms, query forms, survey forms, order forms, booking forms, testimonial forms, social signup forms or lead generation forms, inquiry forms, donation forms, campaign monitor forms and other types of forms for your site in minutes, not hours! That’s why this form building software can be called WordPress contact, quote, feedback, subscription, query, and survey form builder. Have full flexibility on your own hand  by using this form-building software.
    4343
    4444
    4545== Mobile-Friendly and Responsive ==
    4646Metform builds with elementor and it will work with elementor without any issue. and responsive can control from the elementor page builder. and Your smart order or any online form will look great on all resolutions and devices: mobile, tablet, and desktop.
    4747
    4848Therefore, your users can easily fill up your added smart order or any other online form. Furthermore, through these online forms, you can keep records of your online leads. It will also help you to know more about your online leads. Again, you can build versatile order forms like for eCommerce business, you can build custom t-shirt order forms. You can also make changes to your added custom t-shirt order form any time you want.
    4949
    5050
    5151== Embed anywhere ==
    5252You can metform anywhere with elementor also you can use it with any editor with built-in form shortcode.
    5353
    5454== Manage Submissions ==
    5555Your online form submission data can be saved in admin and also sent to the user a confirmation email it will send data to form admin.
    5656
    5757== File Upload ==
    5858Want to give users to upload files from your online form? no worry we have file upload filed with our form building software.
    5959
    6060== Export form entries as CSV ==
    6161Want to Export form entries as CSV? Yes, you can do that too with metform elementor addon.
    6262
    6363== Free HubSpot Integration ==
    6464Now Free HubSpot integration is also available in MetForm. It ensures flawless customer relationship management. Because of MetForm’s HubSpot integration, you can store all the data properly in the HubSpot account and get access to any data in the shortest possible time.
    6565
    6666== Mailchimp Integration ==
    6767You can use MailChimp in your contact form so that, you can collect and send leads from WordPress to MailChimp. Also, create MailChimp signup or lead generation forms and boxes with custom style and expand your lead list.
    6868
    6969== Features ==
    7070- **Built with Elementor:** With the most powerful Elementor form builder, create your impressive forms without any experience and professional knowledge with the easiest drag and drop feature. Most importantly, this real-time form builder is budget-friendly and time-saving. We are providing every possible functionality that you want to create a booking form or any other form with an Elementor page builder.
    7171                Sometimes, you might need to build inquiry forms to collect reporting. By using MetForm, you can get inquiry reports and bring inquiry management solutions through inquiry forms.
    7272
    7373- **Elementor Input fields:** To create your desirable lead generation forms, We have designed a lot of Elementor widgets fields to build your form and any style you want with Text field, Email field, Number field, Date field Time field, Select field, Textarea field, Checkbox field, Radio field, Switcher field, Range slider field, URL field, Password field, Response Message, Opt-in, reCAPTCHA, Rating, File Upload, and many more.
    7474
    7575- **User confirmation email:**  A confirmation email can be sent when a user registers or enters their data to confirm their registration. Besides, you can also send emails or notices to your users after the end of the campaign.
    7676
    7777- **Admin notification email:** Notify admin after user submission is completed or any type of customer data is processed. Therefore, you can get success order notifications from your customers after each form submission.
    7878
    7979
    8080- **Saved entries in the admin panel:** Save all the data that users give to fill up the form and display in the admin panel.
    8181
    8282- **Export entries as CSV:** Export multiple data from your MetForm that user entries in a single CSV file and download in a spreadsheet.
    8383- **Export to Google Sheets:** MetForm allows you to export all your users’ personal contact, database, and message on Google sheets. Therefore, all your users’ personal databases will be saved, secured, and organized in the Google sheets. Besides, you can access this contact form database, any time you need. That’s why you can easily track users’ information with this drag and drop form builder.
    8484
    8585
    8686- **Required Login to submit the form:** This feature of the secure contact form, will show all the required fields to fill up the form by giving a simple red star icon and providing an error message if needed.
    8787
    8888- **Capture User Browser Data:** Displays the user’s browsers information like Web browser, Visited URL, Title, Visit Time, Visit Count, User Profile, etc.
    8989
    9090
    9191- **Hide Form After Submission:** Able to hide your public form after the user fills all the necessary fields and hits on the submit button.
    9292
    9393
    9494- **Limit Total Entries:** Enable limit to the number of submission entries to your MetForm and give an error message after getting crossed.
    9595
    9696
    9797- **Redirect after successful form submission:** Simply add desired destination URL and redirect to that page after successfully submitting the form.
    9898
    9999
    100100- **MailChimp integration:** Easily integrates MailChimp to create and manage a mailing list, automated mailing, newsletter, send leads, and many other options.
    101101- **WordPress ZoHo CRM integration:** Manage customers’ relationships and speed up marketing and sales with the ZoHo integration of MetForm.
    102102- **HubSpot integration:** store all the contacts inside your HubSpot account without having fear of losing them. As a result, you can easily manage your visitors’ or clients’ information.
    103103- **FluentCRM integration:** View all the embedding web form submission data inside FluentCRM and manage them for successful email marketing and growth hacking.
    104104- **HelpScout integration:** Build a successful bond and manage the relationship with the customers better than ever with the HelpScout form. This contact form dynamic CRM integration lets you sort all contacts without any ticket or case number. As a result, you can save a lot of time by integrating your WordPress site with HelpScout.
    105105- **Twilio integration:** Connect with your clients, customers, or visitors via calls or messages by integrating your WordPress site with Twilio.
    106106- **ConvertKit integration:** Successfully manage all the newsletters by integrating with ConvertKit which is built on the simplest interface.
    107107- **ActiveCampaign integration:** Boost your conversion and sales with ActiveCampaign which MetForm allows you to do. It integrates WordPress with ActiveCampaign by adding new users' information to contact from the ActiveCampaign dashboard. Therefore, your contact list management will be super easy as ActiveCampaign keeps all the form submissions organized.
    108108- **Aweber integration:** Simply integrate with Aweber, the email marketing service provider, and build Aweber forms that let you keep in touch with your subscribers. Besides, Aweber form let you nurture them for a bigger marketing campaign.
    109109- **GetResponse integration:** It is another newsletter integration like others to keep your email marketing list sorted.
    110110- **MailPoet Integration:** Connect your WordPress site with MailPoet for building your simple and easy contact us form by the easiest drag and drop feature.
    111111
    112112
    113113
    114114- **Slack integration:** Redirect all the form data to integrate with Slack and get the customer information in a team faster.
    115115
    116116- **Google reCAPTCHA integration:** Allow you to integrate Google reCAPTCHA to keep your site safe from unwanted spam and abusive traffic.
    117117
    118118
    119119
    120120- **Validate required fields:** Help you to validate your form’s required field and give an error message if needed for making your form standard and way more professional.
    121121
    122122
    123123- **Form submission via AJAX without page refreshes:** Permit you to submit your contact us simple form without loading your page via AJAX to make it more user-friendly and time-saving. Therefore, online visitors can fill up the form using AJAX without page loading.
    124124
    125125
    126126
    127127- **Supports multiple-column layout:** Specify multiple column layouts as many as you would like to display. Simply add the column in just one click.
    128128
    129129
    130130- **Shortcode support:** Add powerful features with a simple Shortcode without any knowledge of technical, complicated, and lengthy code.
    131131
    132132
    133133- **Editable successful form submission message:** Gives access to edit your successful form submission message so you can personalize your own message.
    134134
    135135- **Translation ready:** Our plugin supports multiple languages which means you can easily translate a language into your language.
    136136- **Top-notch user support:** MetForm is enriched with docs, faqs, and blogs. You will find answers to your problems in these faqs and docs. Somehow, if you don’t get your answers and need help, our dedicated support team is always one call away. You will have the experience of the best user support from our team.
    137137
    138138
    139139
    140140
    141141== Supported fields==
    142142- **Form Text Input Field:** Display content, links to your form with different styles.
    143143- **Email Input Field:** Make sure that the user enters the valid email address to your Form with an Email Input field.
    144144
    145145- **Number Input Field:** This Input field will ensure that users enter a valid Number with numeric input.
    146146- **Telephone Input Field:** Allow users to give their valid Telephone number to make connections with this real-time form builder.
    147147
    148148- **Date Input Field:** Use this Input field to select Date from the drop-down calendar for your form to make it more user-friendly.
    149149- **Time Input Field:** Helps users to pick up their preferred Time from the drop-down timer.
    150150- **Select  Input  Field:** Simple drop-down function allows you to select items of your own choice.
    151151
    152152- **Multi-Select Input Field:** Select Multiple items from the drop-down at a time. It will reduce the form abandonment rate and boost the completion rate.
    153153
    154154- **Textarea:** Helps to add large number of content, review, and comment to your form.
    155155
    156156- **Checkbox:** Permit users to select multiple items to your form at a time with Checkbox.
    157157
    158158- **Radio Button:** Allow users to select only one exclusive item from the multiple options.
    159159
    160160- **Switch Input Field:** Easily control the Yes/No or On/Off toggle Switch checkbox input just like a light switch.
    161161- **Range Slider:** Set your max or min range value to your form by using a super cool Range slider. All you have to do is just drag both ends until your appropriate value comes.
    162162
    163163- **URL Input Field:** Simply add URL to your form using our URL Input Field. It ensures that users input a valid URL to the form field.
    164164
    165165- **Password Input Field:** If you want your user to give a strong password, use our Password Input Field. It makes sure that users get a protected password and can be able to change it when needed.
    166166
    167167- **First Name (Listing):** Allow users to give their First Name to show them in a listing method on the Mailchimp list.
    168168
    169169- **Last Name (Listing):**   Allow users to give their Last Name to show them in a listing method on the Mailchimp list.
    170170- **Opt-in (Listing):** Use the opt-in field to your form and make your user a subscribed Mailchimp contact the user by clicking the checkbox “Subscribe to our newsletter”.
    171171
    172172- **GDPR:** Enable GDPR (General Data Protection Regulation) compliant for your form before collecting user data as it explains how you are usually using the user data to stay safe from the action of law.
    173173
    174174- **reCAPTCHA:** Allow you to integrate Google reCAPTCHA to keep your site safe from unwanted spam and abusive traffic.
    175175- **Simple CAPTCHA:** Protects your site from unwanted bots and spam, and enjoy with simple Flexible CAPTCHA. This amazing CAPTCHA will make your site anti-spam responsive.
    176176- **Rating:** Helps to get customer reviews and build up a good bonding between owner and customer with this real-time online form builder.
    177177
    178178- **File Upload:** Permits users to upload important files, images, and attachments to your form.
    179179
    180180- **Form Summary:** Provide a summary before subscription to build up good communication with your customer.
    181181
    182182
    183183
    184184==Our Premium Input fileds==
    185185- **Phone no Input Field:** Our premium Phone no Input Field permits the user to select the prefix country code Phone number from the drop-down. You can also select your position, enable or disable the level and change the Mobile number if you want.
    186186
    187187
    188188- **Image Select Input Field:** Are you looking for a form that allows users to select Images from multiple Images? By using our premium Image Select Input Field, you can upload your image both vertically or horizontally.
    189189    - Select your Image
    190190    - Show or hide the label section
    191191    - Give title, thumbnail, and preview
    192192    - Select option value that will store/mail to the desired person
    193193    - Give option status Active/Disable If want to restrict
    194194    - Customize Label, input, PlaceHolder
    195195
    196196- **Toggle Select  Input Field:** With our most powerful Toggle Select, you can activate one section from multiple sections at a time both vertically or horizontally. If you select one section active, then another section will automatically get deactivated.
    197197    - Add/Delete section
    198198    - Show/Hide label
    199199    - Select Position, Input, label
    200200    - Give label name and change if needed
    201201    - Give option value, option status
    202202    - Customizable Label and Toggle
    203203
    204204- **Simple Repeater Input Field:** If you want to use a group of fields several times, you don’t need to create the field again and again. Our simple Repeater has an easy solution for that. All you have to do is just click the “Add” button and the new field will appear automatically. Besides, you can rearrange fields by simply dragging and dropping which is perfect for WordPress beginners.
    205205    - Add/Delete options
    206206    - Show/Hide label
    207207    - Editable position, layout, label name
    208208    - Enable/Disable icon inside button
    209209    - Add/Remove button text and button icon
    210210    - Styleable Repeater label, Field Label, Field input and Button
    211211
    212212- **Google Map Location  Input Field:** Do you want to see the location of your user so that you can track user easily? Use our premium Google Map Location to pinpoint the exact location of your users on your form with customizable content and styles.
    213213
    214214
    215215- **Color Picker Input Field:** Easily select any color from the drop-down color palette to design your form in an eye-catching way. You just have to click on the choosable color and the color will appear accordingly.
    216216    - Show/Hide label
    217217    - Editable position, layout, name, placeholder
    218218    - Required option toggle
    219219    - Conditional Logic
    220220    - Styles in label, input, and placeholder
    221221- **Calculation Fields List:** Do you want to perform calculations among Form Fields to display automatically calculated values? Our premium calculation Field will help you to perform your calculations and display the results within seconds.
    222222    - Show / Hide section with simple radio button
    223223    - Select position with dropdown
    224224    - Editable level, name, placeholder, help text  section
    225225    - You can use Prefix before the calculation total to secure payment processing.
    226226
    227227    - Enable or disable the required field
    228228    - Expression with operation & inputs
    229229
    230230- **Payment Method  Input Field:** Make user’s payment policy easy using payment method to your form. With our Payment Method input field, you can choose your payment gateway for your WordPress forms like Paypal and Stripe. The payment method feature of this free online form builder will help you to secure payment processing more than any other payment gateway.
    231231
    232232    - Show/Hide label
    233233    - Editable position, layout, name, placeholder
    234234    - Payment display option: Vertical/Horizontal
    235235    - Add/Delete Payment method with this free online form builder.
    236236
    237237    - Required option toggle
    238238    - Conditional Logic
    239239    - Styles in label and Image using this online form builder.
    240240- **Signature Input Field:** Would you like to get users’ realistic signatures on your form before they hit upon the submit button? We offer you our Signature Input Field which will help you to collect realistic signatures for agreements, low-risk transactions and for other contracts.
    241241    - Show/Hide label
    242242    - Editable position, layout, name
    243243    - Display option: Vertical/Horizontal
    244244    - Required  option toggle
    245245    - Conditional Logic
    246246    - Styles in Input label and toggle
    247247- **Like-Dislike  Input Field:** It’s really important to get feedback from the user for better improvement. Allow users to provide their reaction using like and dislike input fields.
    248248Counts Like/Dislike number from user
    249249    - Easy to configure
    250250    - Editable position, layout, name
    251251    - Required option toggle
    252252    - Styles in Input label
    253253
    254254==Our Premium Features==
    255255- **Multi-Step Form:** Divide your large form into multiple sections to make it more user-friendly for customers to increase the completion rate. Use our premium and fully customizable Multi-Step Form with many unique features. As a result, you can cut down long forms into multiple steps which are good for marketing and conversion optimization. It will successfully eliminate the form abandonment rate.
    256256Drag & Drop form builder
    257257    - Add unlimited step as many as you want to shorten long-form content
    258258
    259259    - Easily understandable functionalities
    260260    - Enable or disable the Multi-Step Form to optimize long-form content
    261261
    262262    - Select your validation type by character length, by word length, or by expression-based.
    263263    - Select your position, level, help text at your choice
    264264    - Editable warning message section
    265265- **Conditional logic:** Give your questions in category-wise. Conditional Logic allows a user to select one category and the given question will appear only for that section otherwise it will remain invisible. Here comes our most unique field “Conditional Logic”.
    266266    - Enable or Disable Conditional Logic area
    267267    - Select condition match criteria And/OR
    268268    - Select action: Show /Hide your field
    269269[ **Conditional logic** ](https://www.youtube.com/watch?v=UDQOCwO7lhI) - [ **Conditional logic demo 1** ](https://products.wpmet.com/metform/pro-demos/conditional-form-1/) -  [ **Conditional logic demo 2** ](https://products.wpmet.com/metform/pro-demos/conditional-form-2/) - [ **Conditional logic demo 3** ](https://products.wpmet.com/metform/pro-demos/conditional-form-3/) -  [ **Conditional logic demo 4** ](https://products.wpmet.com/metform/pro-demos/conditional-form-4/)
    270270
    271271- **Calculation:** Do you want to perform calculations among Form Fields to display automatically calculated values? Our premium calculation Field will help you to perform your calculations and display the results within seconds.
    272272    - Store Entries: Save and Calculate submitted form data
    273273    - Calculate the form views
    274274[ **Calculation video** ](https://www.youtube.com/watch?v=20nsox2cZYc) - [ **Calculation demo 1** ](https://products.wpmet.com/metform/pro-demos/calculation-form-1/) -  [ **Calculation demo 2** ](https://products.wpmet.com/metform/pro-demos/calculation-form-2/)
    275275
    276276- **REST API Support:** If you want to get data in different third-party apps that users give input to fill out your form, use our most premium features Rest API Support. You can get form submission data and submission notification to Third Party API URL or Webhook by integrating our Rest API very easily.
    277277    - Enable/Disable Rest API
    278278    - Give Rest API URL/Webhook
    279279    - Select “Get” from the drop-down for requesting data from a specified URL
    280280    - Select “Post” from the drop-down for sending data from a specified URL
    281281- **WooCommerce checkout:** It shows you the add to cart product and checkout form on a single page. Also, you can complete orders and payments without leaving the page with this new feature of MetForm.
    282282- **Auto Populate Field:** This allows you to make additional settings for your form field. For example, you want to add a switch to your service signup form and want to show it enabled whenever someone fills up the form. You can successfully add that to your service signup form by using the Auto Populate field feature of MetForm.
    283283
    284284
    285285- **Zapier Integration:** MetForm helps you integrate Zapier with your forms. Zapier integration in your forms allows you to connect with thousands of popular apps without any coding.
    286286Connect with Gmail, Slack, Mailchimp, and many more. It helps to post Trello cards in WordPress. Also, Zapier integration which is a social connector allows you to connect with thousands of apps and social media.
    287287
    288288    - Clickable Enable/Disable Toggle
    289289    - Enter desired Zapier Webhook
    290290
    291291- **Payment Method:** Get payments from your form. With our WordPress Payment Method features, you can choose your payment gateway like Paypal and Stripe. These payment methods for WordPress make the payment system super easy for beginners.
    292292    - Redirect to successful URL If passed
    293293    - Redirect to Failure/Cancel URL If failed
    294294    - Integrate Paypal with Yes/No toggle
    295295
    296296- **Webhook**: [ **Webhook video** ](https://www.youtube.com/watch?v=2NpbK_dybWg)
    297297
    298298
    299299**Migrations are coming soon in these forms. Contact Form 7, Caldera Forms, Ninja Forms, Gravity Forms, fluent forms, wp forms, Forminator & Formidable Form Builder, Everest Forms**
    300300
    301301== Changelog ==
     302
     303Version 3.3.1 // 2023-05-03
     304Fixed: Form editor popup conflict with Elementor version update.
     305Improved: Security, nonce and authorization checking.
    302306
    303307Version 3.3.0 // 2023-04-10
    304308Added: Compatibility with Google Place autocomplete plugin with MetForm.
    305309Fixed: Multi step form issue for any type of changes in Elementor.
    306310Fixed: Recaptcha V3 form submit issue.
    307311Fixed: File upload fatal error.
    308312Fixed: Zapier integration email field issue.
    309313Fixed: HubSpot list fetching and token saving issue.
    310314Fixed: Filtering entries in dashboard.
    311315Fixed: Simple repeater data in email.
    312316Improved: Simple repeater field name with static name.
    313317
    314318Version 3.2.4 // 2023-03-12
    315319Fixed: Something went wrong message when upload file field is empty.
    316320
    317321Version 3.2.3 // 2023-03-06
    318322Fixed: Select field was not working in Safari browser.
    319323Fixed: Conditional calculation issues.
    320324Fixed: Conditional display for form fields.
    321325Fixed: Summary widget password issue.
    322326Fixed: Range input default value issue.
    323327Fixed: CSV URL was not working.
    324328Fixed: Escaping issue in signature field.
    325329Fixed: Form submission for not logged in users condition.
    326330Fixed: Reset after submission in when multiple form.
    327331
    328332Version 3.2.2 // 2023-02-21
    329333Added: New notice if permalink saved as plain to change permalink to postname.
    330334Improved: Entry ID auto increement by one and will be serialized.
    331335Improved: Security in google recaptcha and simple recaptcha field.
    332336Improved: Demo templates.
    333337Improved: GDPR consent message from on to accepted.
    334338Fixed: Simple repeater issue.
    335339Fixed: Redirection after submission was not working.
    336340Fixed: All fields gone blank when recaptch was wrong.
    337341Fixed: The compatibility issue with ElementsKit sticky option.
    338342Fixed: Security permission issue for REST API endpoint.
    339343Fixed: field validation message color for some fields.
    340344Fixed: Layout compatibility issue in IOS devices.
    341345Fixed: Hubspot integration form feilds mapping settings.
    342346Fixed: Big commented entries breaking the design.
    343347
    344348Version 3.2.1 // 2023-01-10
    345349Fixed: Compatibility with Elementor 3.10.0.
    346350
    347351Version 3.2.0 // 2023-01-08
    348352Imrpoved: Security and sanitization.
    349353
    350354Version 3.1.2 // 2022-12-20
    351355Removed: Sweetalert success message.
    352356
    353357Version 3.1.1 // 2022-12-6
    354358Fixed: MultiStep form does't work properly issue.
    355359
    356360Version 3.1.0 // 2022-11-17
    357361Tweaked: CSS and JS.
    358362Compatibility: Wordpress version 6.1
    359363
    360364Version 3.0.1 // 2022-10-27
    361365Fixed: Fixed php method not found.
    362366
    363367Version 3.0.0 // 2022-10-26
    364368Added: A new popup form creator in the admin dashboard for creating forms.
    365369Added: New form type select field was added to create different types of forms.
    366370Added: Filtering form template using form type select field added.
    367371Tweaked: Save & close button design on the page.
    368372Tweaked: HubSpot error massage.
    369373Fixed: Multiselect default value doesn't work properly for calculation.
    370374Fixed: Multiselect default value doesn't remove after form submission.
    371375Fixed: Save & close button issue on the page.
    372376Fixed: Compatibility issue with elementor flexbox container.
    373377
    374378Version 2.2.1 // 2022-08-03
    375379Added: Meaningful error message for SMTP setup.
    376380Added: New control for select field.
    377381Added: HubSpot integration.
    378382Fixed: Entries file not showing.
    379383Fixed: Conditional field parent section height issue.
    380384Fixed: Select option’s double quotation issue.
    381385Fixed: Widget Label tab conditional logic.
    382386Tweaked: Email field validation.
    383387Tweaked: Switch widget space issue.
    384388Improved: Search engine form indexing issue.
    385389
    386390Version 2.2.0 // 2022-06-21
    387391Added: Stp and stl file support inside file-upload widget.
    388392Added: Default alert method enabled for form submit response.
    389393Added: Input field name validation.
    390394Fixed: File upload bites issue.
    391395Fixed: Multiple file upload issue.
    392396Fixed: Payment method default value issue.
    393397Fixed: Error message not shown after form submit.
    394398Fixed: Type error problem.
    395399Fixed: Summary widget error when upload a file.
    396400Fixed: Repeater field value delete issue.
    397401Fixed: Editor-mode console warning for page.
    398402Fixed: Require massage issue for select widget.
    399403Fixed: Hubspot minor issues.
    400404Tweaked: Update hook and entries.
    401405Tweaked: Improved file data validation.
    402406Tweaked: Improved Auto-populate field.
    403407
    404408Version 2.1.6 // 2022-04-21
    405409Added: Set value from UTM.
    406410Added: Multiple file uploading support.
    407411Added: Select field option import from CSV local/remote.
    408412Added: Option for hiding form sending to user after form submition.   
    409413Fixed: Calculation filed reuse issues.
    410414Fixed: Multistep form wrapper issue with elementor latest version.
    411415
    412416Version 2.1.5 // 2022-04-20
    413417Fixed: Form view count was not working.
    414418
    415419Version 2.1.4 // 2022-04-20
    416420Fixed: Security issue.
    417421Tweaked: CSS and JS improved
    418422
    419423Version 2.1.3 // 2022-03-28
    420424Added: Success message from sweetalert.
    421425Fixed: Calculation widget issue to calculate from default value on load ( specially range slider).
    422426Fixed: Sorting issue in csv.
    423427Fixed: Background color issue in multi-select widget.
    424428Fixed: Time Field issue on IOS device.
    425429Tweaked: Change link of integration.
    426430Tweaked: CSS and JS improved
    427431
    428432Version 2.1.2 // 2022-01-30
    429433Fixed: Image carousel compatibility issue with metform
    430434Tweaked: CSS and JS improved.
    431435
    432436Version 2.1.1 // 2022-01-22
    433437Added: Some minor issues.
    434438Tweaked: CSS and JS improved.
    435439
    436440Version 2.1.0 // 2022-01-06
    437441Added: New button added for ask for rating library
    438442Improved: Added icon for rating
    439443Fixed: Some spelling issue
    440444Fixed: Checkbox Option is getting marked by default
    441445Fixed: Checkbox not saved issue
    442446Tweaked: CSS and JS improved
    443447
    444448Version 2.0.1 // 2021-12-12
    445449Added: File upload widget uppercase extension support
    446450Fixed: Multiple checkbox default select issue
    447451Fixed: Form hidden field issue
    448452Tweaked: CSS and JS improved
    449453
    450454Version 2.0.0 // 2021-11-28
    451455Tweaked: Heavily improved core CSS and JS
    452456Fixed: Text widget diacritic character issue
    453457Fixed: Range Slider widget issue with Conditional logic feature
    454458Fixed: Range Slider error on empty steps field
    455459
    456460Version 1.6.0 // 2021-11-10
    457461Added: Onboarding Integration
    458462Tweaked: CSS and JS improved
    459463Removed: Unnecessary image files
    460464
    461465Version 1.5.6 // 2021-11-07
    462466Fixed: Elementor Default Text Editor Preview and Frontend Encoding Problem.
    463467Tweaked: CSS and JS improved
    464468Compatibility: checked/fixed some compatibility issues
    465469
    466470Version 1.5.5 // 2021-09-29
    467471Added: Multi Select input placeholder control
    468472Added: New control to set current date as minimum date for date widget
    469473Fixed: Time widget placeholder does not work in mobile browsers
    470474Fixed: reCaptcha support for Elementor Popups.
    471475Fixed: Minor Markup Validation for Form Rendering.
    472476Fixed: Metform Entry Filtering with Form Name
    473477
    474478Version 1.5.4
    475479Fixed: Date widget localization issue
    476480Fixed: Compatibility issue with Woodmart-6.1.4
    477481Fixed: Number widget input alignment issue
    478482Removed: Deprecated Elementor PHP Methods from Widgets.
    479483
    480484Version 1.5.3
    481485Fixed: Shortcode was not working.
    482486
    483487Version 1.5.2
    484488Removed: Summary widget’s react library warning
    485489Fixed : Performance issue
    486490Tweaked: Optimize CSS and JS files
    487491
    488492Version 1.5.1
    489493Fixed: Multistep form minor issue
    490494
    491495Version 1.5.0
    492496Improved: responsive message default time 5 seconds
    493497Fixed: Custom script tag issue
    494498Fixed: Form and Response message opening & closing animation
    495499Fixed: Widget style controls conflicts with conditional feature on editor mode.
    496500Fixed: Conditionally hidden field doesn't show in Elementor editor
    497501Fixed: Simple Captcha and reCaptcha values are removed from Summary Widget.
    498502Fixed: multistep scroll and spacing issue
    499503
    500504Version 1.4.10
    501505Fixed: File Upload widget file Size Limit and File Type validation
    502506
    503507Version 1.4.9
    504508Fixed: Form Settings Vertical Scrolling option not showing proper value
    505509
    506510Version 1.4.8
    507511Fix: Ranged Slider console log error
    508512Fix: Form Settings Style Fix
    509513Fix: File Upload Widget size limit validation
    510514Fix: File Upload Widget file type validation
    511515Fix: Elementor `_register_controls` is soft deprecated
    512516Fix: Form picker button alignment style
    513517Removed: Unnecessary duplicate stylesheet removed
    514518Fix: Form Picker "No forms created yet" duplicate message
    515519New: File Uploads Info support for API/Webhook.
    516520
    517521Version 1.4.7
    518522Fix: Fixed Scheme Namespace debug log issue
    519523Fix: Rest api integration form broken
    520524Fix: Required check for character length validation.
    521525
    522526Version 1.4.6
    523527Fix: Date widget js minification
    524528
    525529Version 1.4.5
    526530added: Added pre-defined control for checkbox widget
    527531added: Added pre-defined control for radio widget
    528532Fix: Display position left for checkbox widget
    529533Fix: Display position left for radio widget
    530534fix: Opt-in widget style controls
    531535fix: GDPR widget style controls
    532536fix: File-upload widget input padding, position left control
    533537
    534538Version 1.4.4
    535539Fix: Showing response message on the screen after form submission
    536540Fix: MailChimp multiple audience saving issue
    537541Tweak: Changed Form widget settings on elementor
    538542
    539543Version 1.4.3
    540544New: Hook 'metform/after_form_load' added to triggers after form load.
    541545Fix: Backward & Free Verson support for success message style
    542546Fix: Calculate widget
    543547
    544548Version 1.4.2
    545549Fix: Backend entry fields color conflict
    546550Fix: Multi file upload empty field error
    547551Tweak: Backend entries File section beautify
    548552Fix: Backend File section download button now direct downloads instead of new tab open
    549553Fix: Multiple form ReCAPTCHA validation issue
    550554Fix: Help text multiline error
    551555Fix: Multiselect & Checkbox NaN value issue
    552556Fix: Form submit - HideForm not working issue (null value)
    553557
    554558Version 1.4.1
    555559Fix: Few minor bug fix
    556560Imported: Few UI improvements
    557561
    558562Version 1.4.0
    559563Fix: Select Widget conditional required when hidden issue
    560564Fix: Repeater bug fix
    561565Fix: Creating form bug
    562566Improve: Core libraries update
    563567Fix: Minor other bug fix.
    564568
    565569Version 1.3.17
    566570Fix: 'Something went wrong' problem fix
    567571
    568572Version 1.3.16
    569573Added: Form submission error handling
    570574
    571575Version 1.3.15
    572576Fix: Google Map Error
    573577Fix: Text Input field removing leading 0
    574578Fix: Plugin activation Error
    575579Fix: Tabbing issue fix & jquery-ui-core added
    576580Fix: Jargon removal
    577581Fix: Google ReCaptcha & Select widget validation
    578582Improve: Update notice and rating system
    579583
    580584Version 1.3.14
    581585Improve: Updated core libraries
    582586
    583587Version 1.3.13
    584588Fix: Updated Facebook Community links
    585589
    586590Version 1.3.12
    587591Fix: Default Value for Email input issue
    588592Fix: Checkbox option left side label cursor fix
    589593Fix: Rating widget star blinking issue
    590594Fix: Select widget Option disabling issue
    591595Fix: Summary widget shows Image (base64) values with <img> element
    592596Added: Summary title gets label if available. getInputLabel() API.
    593597Fix: Checkbox option text Typography issue
    594598Added: Input Warning Text color & Typography in common-controls, Checkbox, GDPR Consent, Radio, Recaptcha, Simple Captcha
    595599Removed: Word Length Validation on Telephone Widget & Email Widget
    596600Fix: Text area line break properly shows on E-Mail & Entry
    597601Fix: Metform New form Selector button position sticky
    598602Fix: "Hubspot" spelling in multiple places
    599603Tweak: Overall code improvements
    600604Fix: File upload issue
    601605Fix: Calculation field with woocommerce cart add conflict issue
    602606Tweak: Multiple file add backend entry formattings
    603607New: Styling Controls for Like Dislike Widget.
    604608Fix: Active value not working in Like Dislike Widget
    605609Fix: Line break support for Textarea Widget in Form Entry View.
    606610
    607611Version 1.2.11
    608612Fix : Minor bug fix
    609613
    610614Version 1.3.10
    611615Fix : Minor bug fix
    612616
    613617Version 1.3.9
    614618Fix : Rating notification bug fix
    615619
    616620Version 1.3.8
    617621Fix : Multiselect and checkbox multiple condition issues
    618622Tweak: Added a control for enabling  scroll to top feature for multistep form
    619623Improve: added some css improvement on mobile widget
    620624
    621625Version 1.3.7
    622626Fix : Typography issue of input label of the gdpr consent field
    623627
    624628Version 1.3.6
    625629Fix: Banner issues
    626630
    627631Version 1.3.5
    628632Fix: Rating notice issues
    629633Added: CSS optimization.
    630634
    631635Version 1.3.4
    632636Fix: Stripe issue
    633637Added: Custom JS event for developer
    634638Tweak: Improved rating system.
    635639
    636640Version 1.3.3
    637641Fix: WordPress latest version api issues fixed
    638642Fix: 'file upload' widget disappear issues fixed
    639643Fix: 'rating' widget star rating issues fixed
    640644Fix: 'range' widget default value issues fixed
    641645Fix: 'simple-repeater' widget is now working perfectly on multistep
    642646Fix: subtraction issues fixed on 'calculation' widget
    643647Fix: multistep rtl issues fixed
    644648Tweak: Improved js file size
    645649
    646650Version 1.3.2
    647651Fix: ISS server plugin.php error
    648652
    649653Version 1.3.2
    650654Fix: number validation fixed in the back-end
    651655Fix: recaptcha error message fixed after form submitting
    652656Fix: 24hrs fixed on time widget
    653657Fix: shortcode Null Coalescing Operator error fixed for old php support
    654658
    655659Version 1.3.1
    656660New: added 24H control on Date widget
    657661New: added scroll to top when changing the step on multistep
    658662Fix: prev and next step issues fixed
    659663Fix: improved css and js
    660664
    661665Version 1.3.0
    662666New: Localization Option for Date Field
    663667New: added calculation numberFormat() function
    664668Fix: HTML Entites for File Upload
    665669Fix: active campaign error fixed
    666670Fix: improved calculation
    667671fix: Multistep pressing enter to change the step fix
    668672fix: stripe payment issue fixed
    669673
    670674Version 1.3.0-beta6
    671675Fix: mobile datepicker issues fixed
    672676Fix: next and prev issues fixed on multistep
    673677Fix: multistep tab title issue fixed
    674678
    675679Version 1.3.0-beta5
    676680Added: Spinner animation for Submit Button when submitting
    677681Added: Disable state for Submit Button to prevent multiple form submission
    678682Fix: admin settings page fixed
    679683Fix: Submit Button causes JS error after empty form submited
    680684Fix: Integration Settings causes JS error after updated
    681685
    682686Version 1.3.0-beta4
    683687New: Responsive Width control for Submit Button
    684688Fix: form settings issues
    685689Fix: HTML entities support for Input Label, Placeholder and Help Text
    686690
    687691Version 1.3.0-beta3
    688692New: Option('Stop Vertical Scrolling') added for enabling or disabling vertical scrolling when form submit
    689693New: Form submitting failed notification added
    690694Tweak: Improved demo proviews
    691695Fix: Improved design on form settings
    692696Fix: Multistep broken issues
    693697Fix: Form inline style issues
    694698Fix: 'Select' widget placeholder added
    695699Fix: Fixed 'date' and 'time' disappearing issues on multistep
    696700Fix: Form redirection issue has been fixed
    697701Fix: 'Hide Form After Submission' issue has been fixed
    698702
    699703Version 1.3.0-beta2
    700704Added New pot file for translation
    701705remove: 'Response message' widget has been removed
    702706New: Added Response message at the top of the form by default
    703707
    704708Version 1.3.0-beta1
    705709New: All form widgets are supported by ReactJS
    706710Huge optimization
    707711""Metform 1.3.0-beta1 is a major update. We have reconstructed the widgets with react and huge optimization for future proof. If you faced any issue please contact our support team from here https://wpmet.com/support-ticket""
    708712
    709713Version v1.2.3
    710714New: .pot file added
    711715New: forms can be now exported & imported using elementor's json files.
    712716Fix: Block multiple form submission
    713717Tweak: JS improvement
    714718Tweak: CSS Improvement
    715719
    716720Version v1.2.2
    717721New: Setting dashboard design
    718722New: Added new default template preview
    719723Tweak: added admin pro notice
    720724Fix: Date and time widget issues fixed on iPhone
    721725Fix: iframe error fixed
    722726Fix: Fontawesome icon missing issues
    723727Tweak: JS improvement
    724728Tweak: CSS Improvement
    725729
    726730Version 1.2.1
    727731New: GDPR consent input field
    728732Tweak: Email template included uploaded file
    729733Tweak: Email template design improvement
    730734Tweak: Validation options fixed
    731735Fix: Date store issue
    732736
    733737Version 1.2.0
    734738add: Global settings page
    735739fix: Simple captcha
    736740add: google recaptcha v3
    737741simple captcha and google recaptcha in different widget
    738742fix: shortcode form submission issue
    739743html support in checkbox and opt in text
    740744add: form summary widget
    741745
    742746Version 1.1.9
    743747Added Simple captcha
    744748Added conversion and views in entries tabs
    745749Fixed Recaptcha version 2 issue
    746750Improve validation
    747751Re-arranged controls
    748752
    749753
    750754
    751755Version 1.1.8
    752756Fix: Updated input default color
    753757Fix: CSS bug fixed
    754758Fix: JS bug fixed
    755759Fix: Added default value of some widget controls
    756760Fix: Organized the widget controls
    757761Fix: Improved table UI
    758762
    759763
    760764
    761765Version: 1.1.5
    7627663rd party plugin compatibility
    763767Rest API Data submit improvement
    764768
    765769Version: 1.1.4
    766770Now users can add 3rd party API to get form data
    767771Now date input supports time selection too
    768772Can disable specific date, range date in date picker.
    769773Mail template design improvement
    770774Added utf8 support in email template
    771775Now user can redesign the upload button
    772776Select widget support default select from option
    773777Added some do_action hooks to extend it’s functionality
    774778
    775779Version: 1.1.3
    776780Added Option to change checkbox and radio color
    777781Added help text with style condition
    778782
    779783Version: 1.1.2
    780784Fixed recaptcha  issue
    781785
    782786
    7837871.1
    784788Added telephone widget
    785789Added widget area to edit save use from same page.
    786790
    787791
    788792
    789793
    790794
    791795== Upgrade Notice ==
    792796Metform 1.3.0-beta1 is a major update. We have reconstructed the widgets with react and huge optimization for future proof. If you faced any issue please contact our support team from here https://wpmet.com/support-ticket
    793797
    794798== Installation ==
    795799
    796800
    797801
    7988021. Upload the plugin files to the `/wp-content/plugins/plugin-name` directory, or install the plugin through the WordPress plugins screen directly.
    7998032. Activate the plugin through the 'Plugins' screen in WordPress
    8008043. All Settings will be found in Admin sidebar -> MetForm
    801805
    802806eg.  This plugin requires an elementor builder.
    803807
    804808== Frequently Asked Questions ==
    805809
    806810
    807811=Where found the documentation?=
    808812
    809813Check our [Documentation section here](https://help.wpmet.com/docs-cat/metform/)  to understand the alpha and omega of MetForm.
    810814
    811815But you can see this video https://www.youtube.com/watch?v=rvawKRgLC14
Note: See TracChangeset for help on using the changeset viewer.