intl-tel-input 25.10.6 → 25.10.7

This diff represents the content of publicly available package versions that have been released to one of the supported registries. The information contained in this diff is provided for informational purposes only and reflects changes between package versions as they appear in their respective public registries.
package/README.md CHANGED
@@ -77,16 +77,16 @@ _Note: We have now dropped support for all versions of Internet Explorer because
77
77
  ## Getting Started (Using a CDN)
78
78
  1. Add the CSS
79
79
  ```html
80
- <link rel="stylesheet" href="https://cdn.jsdelivr.net/npm/intl-tel-input@25.10.6/build/css/intlTelInput.css">
80
+ <link rel="stylesheet" href="https://cdn.jsdelivr.net/npm/intl-tel-input@25.10.7/build/css/intlTelInput.css">
81
81
  ```
82
82
 
83
83
  2. Add the plugin script and initialise it on your input element
84
84
  ```html
85
- <script src="https://cdn.jsdelivr.net/npm/intl-tel-input@25.10.6/build/js/intlTelInput.min.js"></script>
85
+ <script src="https://cdn.jsdelivr.net/npm/intl-tel-input@25.10.7/build/js/intlTelInput.min.js"></script>
86
86
  <script>
87
87
  const input = document.querySelector("#phone");
88
88
  window.intlTelInput(input, {
89
- loadUtils: () => import("https://cdn.jsdelivr.net/npm/intl-tel-input@25.10.6/build/js/utils.js"),
89
+ loadUtils: () => import("https://cdn.jsdelivr.net/npm/intl-tel-input@25.10.7/build/js/utils.js"),
90
90
  });
91
91
  </script>
92
92
  ```
@@ -327,7 +327,7 @@ The `loadUtils` option takes a function which returns a Promise which resolves t
327
327
  ```js
328
328
  // (A) import utils module from a CDN
329
329
  intlTelInput(htmlInputElement, {
330
- loadUtils: () => import("https://cdn.jsdelivr.net/npm/intl-tel-input@25.10.6/build/js/utils.js"),
330
+ loadUtils: () => import("https://cdn.jsdelivr.net/npm/intl-tel-input@25.10.7/build/js/utils.js"),
331
331
  });
332
332
 
333
333
  // (B) import utils module from your own hosted version of utils.js
@@ -611,7 +611,7 @@ The `loadUtils` option takes a function which returns a Promise which resolves t
611
611
  ```js
612
612
  // (A) import utils module from a CDN
613
613
  intlTelInput(htmlInputElement, {
614
- loadUtils: () => import("https://cdn.jsdelivr.net/npm/intl-tel-input@25.10.6/build/js/utils.js"),
614
+ loadUtils: () => import("https://cdn.jsdelivr.net/npm/intl-tel-input@25.10.7/build/js/utils.js"),
615
615
  });
616
616
 
617
617
  // (B) import utils module from your own hosted version of utils.js
package/angular/README.md CHANGED
@@ -29,7 +29,7 @@ import "intl-tel-input/styles";
29
29
 
30
30
  See the [Validation demo](https://github.com/jackocnr/intl-tel-input/blob/master/angular/demo/validation/validation.component.ts) for a more fleshed-out example of how to handle validation.
31
31
 
32
- A note on the utils script (~260KB): if you're lazy loading the IntlTelInput chunk (and so less worried about filesize) then you can just import IntlTelInput from `"intl-tel-input/angularWithUtils"`, to include the utils script. Alternatively, if you use the main `"intl-tel-input/angular"` import, then you should couple this with the `loadUtils` initialisation option - you will need to host the [utils.js](https://github.com/jackocnr/intl-tel-input/blob/master/build/js/utils.js) file, and then set the `loadUtils` option to that URL, or alternatively just point it to a CDN hosted version e.g. `"https://cdn.jsdelivr.net/npm/intl-tel-input@25.10.6/build/js/utils.js"`.
32
+ A note on the utils script (~260KB): if you're lazy loading the IntlTelInput chunk (and so less worried about filesize) then you can just import IntlTelInput from `"intl-tel-input/angularWithUtils"`, to include the utils script. Alternatively, if you use the main `"intl-tel-input/angular"` import, then you should couple this with the `loadUtils` initialisation option - you will need to host the [utils.js](https://github.com/jackocnr/intl-tel-input/blob/master/build/js/utils.js) file, and then set the `loadUtils` option to that URL, or alternatively just point it to a CDN hosted version e.g. `"https://cdn.jsdelivr.net/npm/intl-tel-input@25.10.7/build/js/utils.js"`.
33
33
 
34
34
  ## Props
35
35
  Here's a list of all of the current props you can pass to the IntlTelInput Angular component.
@@ -2310,6 +2310,36 @@ var Iti = class _Iti {
2310
2310
  };
2311
2311
  this.telInput.addEventListener("keydown", this._handleKeydownEvent);
2312
2312
  }
2313
+ if (strictMode) {
2314
+ this._handlePasteEvent = (e) => {
2315
+ e.preventDefault();
2316
+ const input = this.telInput;
2317
+ const selStart = input.selectionStart;
2318
+ const selEnd = input.selectionEnd;
2319
+ const pasted = e.clipboardData.getData("text");
2320
+ const initialCharSelected = selStart === 0 && selEnd > 0;
2321
+ const allowLeadingPlus = !input.value.startsWith("+") || initialCharSelected;
2322
+ const allowedChars = pasted.replace(/[^0-9+]/g, "");
2323
+ const hasLeadingPlus = allowedChars.startsWith("+");
2324
+ const numerics = allowedChars.replace(/\+/g, "");
2325
+ const sanitised = hasLeadingPlus && allowLeadingPlus ? `+${numerics}` : numerics;
2326
+ let newVal = input.value.slice(0, selStart) + sanitised + input.value.slice(selEnd);
2327
+ const coreNumber = intlTelInput.utils.getCoreNumber(newVal, this.selectedCountryData.iso2);
2328
+ if (this.maxCoreNumberLength && coreNumber.length > this.maxCoreNumberLength) {
2329
+ if (input.selectionEnd === input.value.length) {
2330
+ const trimLength = coreNumber.length - this.maxCoreNumberLength;
2331
+ newVal = newVal.slice(0, newVal.length - trimLength);
2332
+ } else {
2333
+ return;
2334
+ }
2335
+ }
2336
+ input.value = newVal;
2337
+ const caretPos = selStart + sanitised.length;
2338
+ input.setSelectionRange(caretPos, caretPos);
2339
+ input.dispatchEvent(new InputEvent("input", { bubbles: true }));
2340
+ };
2341
+ this.telInput.addEventListener("paste", this._handlePasteEvent);
2342
+ }
2313
2343
  }
2314
2344
  //* Adhere to the input's maxlength attr.
2315
2345
  _cap(number) {
@@ -2964,6 +2994,9 @@ var Iti = class _Iti {
2964
2994
  if (this._handleKeydownEvent) {
2965
2995
  this.telInput.removeEventListener("keydown", this._handleKeydownEvent);
2966
2996
  }
2997
+ if (this._handlePasteEvent) {
2998
+ this.telInput.removeEventListener("paste", this._handlePasteEvent);
2999
+ }
2967
3000
  this.telInput.removeAttribute("data-intl-tel-input-id");
2968
3001
  if (separateDialCode) {
2969
3002
  if (this.isRTL) {
@@ -3130,7 +3163,7 @@ var intlTelInput = Object.assign((input, options) => {
3130
3163
  attachUtils,
3131
3164
  startedLoadingUtilsScript: false,
3132
3165
  startedLoadingAutoCountry: false,
3133
- version: "25.10.6"
3166
+ version: "25.10.7"
3134
3167
  });
3135
3168
  var intl_tel_input_default = intlTelInput;
3136
3169
 
@@ -2310,6 +2310,36 @@ var Iti = class _Iti {
2310
2310
  };
2311
2311
  this.telInput.addEventListener("keydown", this._handleKeydownEvent);
2312
2312
  }
2313
+ if (strictMode) {
2314
+ this._handlePasteEvent = (e) => {
2315
+ e.preventDefault();
2316
+ const input = this.telInput;
2317
+ const selStart = input.selectionStart;
2318
+ const selEnd = input.selectionEnd;
2319
+ const pasted = e.clipboardData.getData("text");
2320
+ const initialCharSelected = selStart === 0 && selEnd > 0;
2321
+ const allowLeadingPlus = !input.value.startsWith("+") || initialCharSelected;
2322
+ const allowedChars = pasted.replace(/[^0-9+]/g, "");
2323
+ const hasLeadingPlus = allowedChars.startsWith("+");
2324
+ const numerics = allowedChars.replace(/\+/g, "");
2325
+ const sanitised = hasLeadingPlus && allowLeadingPlus ? `+${numerics}` : numerics;
2326
+ let newVal = input.value.slice(0, selStart) + sanitised + input.value.slice(selEnd);
2327
+ const coreNumber = intlTelInput.utils.getCoreNumber(newVal, this.selectedCountryData.iso2);
2328
+ if (this.maxCoreNumberLength && coreNumber.length > this.maxCoreNumberLength) {
2329
+ if (input.selectionEnd === input.value.length) {
2330
+ const trimLength = coreNumber.length - this.maxCoreNumberLength;
2331
+ newVal = newVal.slice(0, newVal.length - trimLength);
2332
+ } else {
2333
+ return;
2334
+ }
2335
+ }
2336
+ input.value = newVal;
2337
+ const caretPos = selStart + sanitised.length;
2338
+ input.setSelectionRange(caretPos, caretPos);
2339
+ input.dispatchEvent(new InputEvent("input", { bubbles: true }));
2340
+ };
2341
+ this.telInput.addEventListener("paste", this._handlePasteEvent);
2342
+ }
2313
2343
  }
2314
2344
  //* Adhere to the input's maxlength attr.
2315
2345
  _cap(number) {
@@ -2964,6 +2994,9 @@ var Iti = class _Iti {
2964
2994
  if (this._handleKeydownEvent) {
2965
2995
  this.telInput.removeEventListener("keydown", this._handleKeydownEvent);
2966
2996
  }
2997
+ if (this._handlePasteEvent) {
2998
+ this.telInput.removeEventListener("paste", this._handlePasteEvent);
2999
+ }
2967
3000
  this.telInput.removeAttribute("data-intl-tel-input-id");
2968
3001
  if (separateDialCode) {
2969
3002
  if (this.isRTL) {
@@ -3130,7 +3163,7 @@ var intlTelInput = Object.assign((input, options) => {
3130
3163
  attachUtils,
3131
3164
  startedLoadingUtilsScript: false,
3132
3165
  startedLoadingAutoCountry: false,
3133
- version: "25.10.6"
3166
+ version: "25.10.7"
3134
3167
  });
3135
3168
  var intl_tel_input_default = intlTelInput;
3136
3169
 
@@ -122,6 +122,7 @@ export declare class Iti {
122
122
  private _handleCountryContainerKeydown;
123
123
  private _handleInputEvent;
124
124
  private _handleKeydownEvent;
125
+ private _handlePasteEvent;
125
126
  private _handleWindowScroll;
126
127
  private _handleMouseoverCountryList;
127
128
  private _handleClickCountryList;
package/build/js/data.js CHANGED
@@ -1,5 +1,5 @@
1
1
  /*
2
- * International Telephone Input v25.10.6
2
+ * International Telephone Input v25.10.7
3
3
  * https://github.com/jackocnr/intl-tel-input.git
4
4
  * Licensed under the MIT license
5
5
  */
@@ -1,5 +1,5 @@
1
1
  /*
2
- * International Telephone Input v25.10.6
2
+ * International Telephone Input v25.10.7
3
3
  * https://github.com/jackocnr/intl-tel-input.git
4
4
  * Licensed under the MIT license
5
5
  */
@@ -416,6 +416,7 @@ declare module "intl-tel-input" {
416
416
  private _handleCountryContainerKeydown;
417
417
  private _handleInputEvent;
418
418
  private _handleKeydownEvent;
419
+ private _handlePasteEvent;
419
420
  private _handleWindowScroll;
420
421
  private _handleMouseoverCountryList;
421
422
  private _handleClickCountryList;
@@ -1,5 +1,5 @@
1
1
  /*
2
- * International Telephone Input v25.10.6
2
+ * International Telephone Input v25.10.7
3
3
  * https://github.com/jackocnr/intl-tel-input.git
4
4
  * Licensed under the MIT license
5
5
  */
@@ -2432,6 +2432,36 @@ var factoryOutput = (() => {
2432
2432
  };
2433
2433
  this.telInput.addEventListener("keydown", this._handleKeydownEvent);
2434
2434
  }
2435
+ if (strictMode) {
2436
+ this._handlePasteEvent = (e) => {
2437
+ e.preventDefault();
2438
+ const input = this.telInput;
2439
+ const selStart = input.selectionStart;
2440
+ const selEnd = input.selectionEnd;
2441
+ const pasted = e.clipboardData.getData("text");
2442
+ const initialCharSelected = selStart === 0 && selEnd > 0;
2443
+ const allowLeadingPlus = !input.value.startsWith("+") || initialCharSelected;
2444
+ const allowedChars = pasted.replace(/[^0-9+]/g, "");
2445
+ const hasLeadingPlus = allowedChars.startsWith("+");
2446
+ const numerics = allowedChars.replace(/\+/g, "");
2447
+ const sanitised = hasLeadingPlus && allowLeadingPlus ? `+${numerics}` : numerics;
2448
+ let newVal = input.value.slice(0, selStart) + sanitised + input.value.slice(selEnd);
2449
+ const coreNumber = intlTelInput.utils.getCoreNumber(newVal, this.selectedCountryData.iso2);
2450
+ if (this.maxCoreNumberLength && coreNumber.length > this.maxCoreNumberLength) {
2451
+ if (input.selectionEnd === input.value.length) {
2452
+ const trimLength = coreNumber.length - this.maxCoreNumberLength;
2453
+ newVal = newVal.slice(0, newVal.length - trimLength);
2454
+ } else {
2455
+ return;
2456
+ }
2457
+ }
2458
+ input.value = newVal;
2459
+ const caretPos = selStart + sanitised.length;
2460
+ input.setSelectionRange(caretPos, caretPos);
2461
+ input.dispatchEvent(new InputEvent("input", { bubbles: true }));
2462
+ };
2463
+ this.telInput.addEventListener("paste", this._handlePasteEvent);
2464
+ }
2435
2465
  }
2436
2466
  //* Adhere to the input's maxlength attr.
2437
2467
  _cap(number) {
@@ -3120,6 +3150,9 @@ var factoryOutput = (() => {
3120
3150
  if (this._handleKeydownEvent) {
3121
3151
  this.telInput.removeEventListener("keydown", this._handleKeydownEvent);
3122
3152
  }
3153
+ if (this._handlePasteEvent) {
3154
+ this.telInput.removeEventListener("paste", this._handlePasteEvent);
3155
+ }
3123
3156
  this.telInput.removeAttribute("data-intl-tel-input-id");
3124
3157
  if (separateDialCode) {
3125
3158
  if (this.isRTL) {
@@ -3298,7 +3331,7 @@ var factoryOutput = (() => {
3298
3331
  attachUtils,
3299
3332
  startedLoadingUtilsScript: false,
3300
3333
  startedLoadingAutoCountry: false,
3301
- version: "25.10.6"
3334
+ version: "25.10.7"
3302
3335
  }
3303
3336
  );
3304
3337
  var intl_tel_input_default = intlTelInput;
@@ -1,5 +1,5 @@
1
1
  /*
2
- * International Telephone Input v25.10.6
2
+ * International Telephone Input v25.10.7
3
3
  * https://github.com/jackocnr/intl-tel-input.git
4
4
  * Licensed under the MIT license
5
5
  */
@@ -13,18 +13,18 @@
13
13
  }
14
14
  }(() => {
15
15
 
16
- var factoryOutput=(()=>{var w=Object.defineProperty;var P=Object.getOwnPropertyDescriptor;var x=Object.getOwnPropertyNames;var H=Object.prototype.hasOwnProperty;var R=(a,t)=>{for(var e in t)w(a,e,{get:t[e],enumerable:!0})},B=(a,t,e,i)=>{if(t&&typeof t=="object"||typeof t=="function")for(let n of x(t))!H.call(a,n)&&n!==e&&w(a,n,{get:()=>t[n],enumerable:!(i=P(t,n))||i.enumerable});return a};var O=a=>B(w({},"__esModule",{value:!0}),a);var Y={};R(Y,{Iti:()=>I,default:()=>q});var F=[["af","93"],["ax","358",1],["al","355"],["dz","213"],["as","1",5,["684"]],["ad","376"],["ao","244"],["ai","1",6,["264"]],["ag","1",7,["268"]],["ar","54"],["am","374"],["aw","297"],["ac","247"],["au","61",0,null,"0"],["at","43"],["az","994"],["bs","1",8,["242"]],["bh","973"],["bd","880"],["bb","1",9,["246"]],["by","375"],["be","32"],["bz","501"],["bj","229"],["bm","1",10,["441"]],["bt","975"],["bo","591"],["ba","387"],["bw","267"],["br","55"],["io","246"],["vg","1",11,["284"]],["bn","673"],["bg","359"],["bf","226"],["bi","257"],["kh","855"],["cm","237"],["ca","1",1,["204","226","236","249","250","263","289","306","343","354","365","367","368","382","387","403","416","418","428","431","437","438","450","584","468","474","506","514","519","548","579","581","584","587","604","613","639","647","672","683","705","709","742","753","778","780","782","807","819","825","867","873","879","902","905"]],["cv","238"],["bq","599",1,["3","4","7"]],["ky","1",12,["345"]],["cf","236"],["td","235"],["cl","56"],["cn","86"],["cx","61",2,["89164"],"0"],["cc","61",1,["89162"],"0"],["co","57"],["km","269"],["cg","242"],["cd","243"],["ck","682"],["cr","506"],["ci","225"],["hr","385"],["cu","53"],["cw","599",0],["cy","357"],["cz","420"],["dk","45"],["dj","253"],["dm","1",13,["767"]],["do","1",2,["809","829","849"]],["ec","593"],["eg","20"],["sv","503"],["gq","240"],["er","291"],["ee","372"],["sz","268"],["et","251"],["fk","500"],["fo","298"],["fj","679"],["fi","358",0],["fr","33"],["gf","594"],["pf","689"],["ga","241"],["gm","220"],["ge","995"],["de","49"],["gh","233"],["gi","350"],["gr","30"],["gl","299"],["gd","1",14,["473"]],["gp","590",0],["gu","1",15,["671"]],["gt","502"],["gg","44",1,["1481","7781","7839","7911"],"0"],["gn","224"],["gw","245"],["gy","592"],["ht","509"],["hn","504"],["hk","852"],["hu","36"],["is","354"],["in","91"],["id","62"],["ir","98"],["iq","964"],["ie","353"],["im","44",2,["1624","74576","7524","7924","7624"],"0"],["il","972"],["it","39",0],["jm","1",4,["876","658"]],["jp","81"],["je","44",3,["1534","7509","7700","7797","7829","7937"],"0"],["jo","962"],["kz","7",1,["33","7"],"8"],["ke","254"],["ki","686"],["xk","383"],["kw","965"],["kg","996"],["la","856"],["lv","371"],["lb","961"],["ls","266"],["lr","231"],["ly","218"],["li","423"],["lt","370"],["lu","352"],["mo","853"],["mg","261"],["mw","265"],["my","60"],["mv","960"],["ml","223"],["mt","356"],["mh","692"],["mq","596"],["mr","222"],["mu","230"],["yt","262",1,["269","639"],"0"],["mx","52"],["fm","691"],["md","373"],["mc","377"],["mn","976"],["me","382"],["ms","1",16,["664"]],["ma","212",0,null,"0"],["mz","258"],["mm","95"],["na","264"],["nr","674"],["np","977"],["nl","31"],["nc","687"],["nz","64"],["ni","505"],["ne","227"],["ng","234"],["nu","683"],["nf","672"],["kp","850"],["mk","389"],["mp","1",17,["670"]],["no","47",0],["om","968"],["pk","92"],["pw","680"],["ps","970"],["pa","507"],["pg","675"],["py","595"],["pe","51"],["ph","63"],["pl","48"],["pt","351"],["pr","1",3,["787","939"]],["qa","974"],["re","262",0,null,"0"],["ro","40"],["ru","7",0,null,"8"],["rw","250"],["ws","685"],["sm","378"],["st","239"],["sa","966"],["sn","221"],["rs","381"],["sc","248"],["sl","232"],["sg","65"],["sx","1",21,["721"]],["sk","421"],["si","386"],["sb","677"],["so","252"],["za","27"],["kr","82"],["ss","211"],["es","34"],["lk","94"],["bl","590",1],["sh","290"],["kn","1",18,["869"]],["lc","1",19,["758"]],["mf","590",2],["pm","508"],["vc","1",20,["784"]],["sd","249"],["sr","597"],["sj","47",1,["79"]],["se","46"],["ch","41"],["sy","963"],["tw","886"],["tj","992"],["tz","255"],["th","66"],["tl","670"],["tg","228"],["tk","690"],["to","676"],["tt","1",22,["868"]],["tn","216"],["tr","90"],["tm","993"],["tc","1",23,["649"]],["tv","688"],["vi","1",24,["340"]],["ug","256"],["ua","380"],["ae","971"],["gb","44",0,null,"0"],["us","1",0],["uy","598"],["uz","998"],["vu","678"],["va","39",1,["06698"]],["ve","58"],["vn","84"],["wf","681"],["eh","212",1,["5288","5289"],"0"],["ye","967"],["zm","260"],["zw","263"]],N=[];for(let a of F)N.push({name:"",iso2:a[0],dialCode:a[1],priority:a[2]||0,areaCodes:a[3]||null,nodeById:{},nationalPrefix:a[4]||null});var v=N;var U={ad:"Andorra",ae:"United Arab Emirates",af:"Afghanistan",ag:"Antigua & Barbuda",ai:"Anguilla",al:"Albania",am:"Armenia",ao:"Angola",ar:"Argentina",as:"American Samoa",at:"Austria",au:"Australia",aw:"Aruba",ax:"\xC5land Islands",az:"Azerbaijan",ba:"Bosnia & Herzegovina",bb:"Barbados",bd:"Bangladesh",be:"Belgium",bf:"Burkina Faso",bg:"Bulgaria",bh:"Bahrain",bi:"Burundi",bj:"Benin",bl:"St. Barth\xE9lemy",bm:"Bermuda",bn:"Brunei",bo:"Bolivia",bq:"Caribbean Netherlands",br:"Brazil",bs:"Bahamas",bt:"Bhutan",bw:"Botswana",by:"Belarus",bz:"Belize",ca:"Canada",cc:"Cocos (Keeling) Islands",cd:"Congo - Kinshasa",cf:"Central African Republic",cg:"Congo - Brazzaville",ch:"Switzerland",ci:"C\xF4te d\u2019Ivoire",ck:"Cook Islands",cl:"Chile",cm:"Cameroon",cn:"China",co:"Colombia",cr:"Costa Rica",cu:"Cuba",cv:"Cape Verde",cw:"Cura\xE7ao",cx:"Christmas Island",cy:"Cyprus",cz:"Czechia",de:"Germany",dj:"Djibouti",dk:"Denmark",dm:"Dominica",do:"Dominican Republic",dz:"Algeria",ec:"Ecuador",ee:"Estonia",eg:"Egypt",eh:"Western Sahara",er:"Eritrea",es:"Spain",et:"Ethiopia",fi:"Finland",fj:"Fiji",fk:"Falkland Islands",fm:"Micronesia",fo:"Faroe Islands",fr:"France",ga:"Gabon",gb:"United Kingdom",gd:"Grenada",ge:"Georgia",gf:"French Guiana",gg:"Guernsey",gh:"Ghana",gi:"Gibraltar",gl:"Greenland",gm:"Gambia",gn:"Guinea",gp:"Guadeloupe",gq:"Equatorial Guinea",gr:"Greece",gt:"Guatemala",gu:"Guam",gw:"Guinea-Bissau",gy:"Guyana",hk:"Hong Kong SAR China",hn:"Honduras",hr:"Croatia",ht:"Haiti",hu:"Hungary",id:"Indonesia",ie:"Ireland",il:"Israel",im:"Isle of Man",in:"India",io:"British Indian Ocean Territory",iq:"Iraq",ir:"Iran",is:"Iceland",it:"Italy",je:"Jersey",jm:"Jamaica",jo:"Jordan",jp:"Japan",ke:"Kenya",kg:"Kyrgyzstan",kh:"Cambodia",ki:"Kiribati",km:"Comoros",kn:"St. Kitts & Nevis",kp:"North Korea",kr:"South Korea",kw:"Kuwait",ky:"Cayman Islands",kz:"Kazakhstan",la:"Laos",lb:"Lebanon",lc:"St. Lucia",li:"Liechtenstein",lk:"Sri Lanka",lr:"Liberia",ls:"Lesotho",lt:"Lithuania",lu:"Luxembourg",lv:"Latvia",ly:"Libya",ma:"Morocco",mc:"Monaco",md:"Moldova",me:"Montenegro",mf:"St. Martin",mg:"Madagascar",mh:"Marshall Islands",mk:"North Macedonia",ml:"Mali",mm:"Myanmar (Burma)",mn:"Mongolia",mo:"Macao SAR China",mp:"Northern Mariana Islands",mq:"Martinique",mr:"Mauritania",ms:"Montserrat",mt:"Malta",mu:"Mauritius",mv:"Maldives",mw:"Malawi",mx:"Mexico",my:"Malaysia",mz:"Mozambique",na:"Namibia",nc:"New Caledonia",ne:"Niger",nf:"Norfolk Island",ng:"Nigeria",ni:"Nicaragua",nl:"Netherlands",no:"Norway",np:"Nepal",nr:"Nauru",nu:"Niue",nz:"New Zealand",om:"Oman",pa:"Panama",pe:"Peru",pf:"French Polynesia",pg:"Papua New Guinea",ph:"Philippines",pk:"Pakistan",pl:"Poland",pm:"St. Pierre & Miquelon",pr:"Puerto Rico",ps:"Palestinian Territories",pt:"Portugal",pw:"Palau",py:"Paraguay",qa:"Qatar",re:"R\xE9union",ro:"Romania",rs:"Serbia",ru:"Russia",rw:"Rwanda",sa:"Saudi Arabia",sb:"Solomon Islands",sc:"Seychelles",sd:"Sudan",se:"Sweden",sg:"Singapore",sh:"St. Helena",si:"Slovenia",sj:"Svalbard & Jan Mayen",sk:"Slovakia",sl:"Sierra Leone",sm:"San Marino",sn:"Senegal",so:"Somalia",sr:"Suriname",ss:"South Sudan",st:"S\xE3o Tom\xE9 & Pr\xEDncipe",sv:"El Salvador",sx:"Sint Maarten",sy:"Syria",sz:"Eswatini",tc:"Turks & Caicos Islands",td:"Chad",tg:"Togo",th:"Thailand",tj:"Tajikistan",tk:"Tokelau",tl:"Timor-Leste",tm:"Turkmenistan",tn:"Tunisia",to:"Tonga",tr:"Turkey",tt:"Trinidad & Tobago",tv:"Tuvalu",tw:"Taiwan",tz:"Tanzania",ua:"Ukraine",ug:"Uganda",us:"United States",uy:"Uruguay",uz:"Uzbekistan",va:"Vatican City",vc:"St. Vincent & Grenadines",ve:"Venezuela",vg:"British Virgin Islands",vi:"U.S. Virgin Islands",vn:"Vietnam",vu:"Vanuatu",wf:"Wallis & Futuna",ws:"Samoa",ye:"Yemen",yt:"Mayotte",za:"South Africa",zm:"Zambia",zw:"Zimbabwe"},E=U;var z={selectedCountryAriaLabel:"Change country, selected ${countryName} (${dialCode})",noCountrySelected:"Select country",countryListAriaLabel:"List of countries",searchPlaceholder:"Search",clearSearchAriaLabel:"Clear search",zeroSearchResults:"No results found",oneSearchResult:"1 result found",multipleSearchResults:"${count} results found",ac:"Ascension Island",xk:"Kosovo"},D=z;var j={...E,...D},L=j;for(let a of v)a.name=L[a.iso2];var $=0,T=a=>typeof window<"u"&&typeof window.matchMedia=="function"&&window.matchMedia(a).matches,V=()=>{if(typeof navigator<"u"&&typeof window<"u"){let a=/Android.+Mobile|webOS|iPhone|iPod|BlackBerry|IEMobile|Opera Mini/i.test(navigator.userAgent),t=T("(max-width: 500px)"),e=T("(max-height: 600px)"),i=T("(pointer: coarse)");return a||t||i&&e}return!1},M={allowPhonewords:!1,allowDropdown:!0,autoPlaceholder:"polite",containerClass:"",countryOrder:null,countrySearch:!0,customPlaceholder:null,dropdownContainer:null,excludeCountries:[],fixDropdownWidth:!0,formatAsYouType:!0,formatOnDisplay:!0,geoIpLookup:null,hiddenInput:null,i18n:{},initialCountry:"",loadUtils:null,nationalMode:!0,onlyCountries:[],placeholderNumberType:"MOBILE",showFlags:!0,separateDialCode:!1,strictMode:!1,useFullscreenPopup:V(),validationNumberTypes:["MOBILE"]},K=["800","822","833","844","855","866","877","880","881","882","883","884","885","886","887","888","889"],_=a=>a.replace(/\D/g,""),S=(a="")=>a.normalize("NFD").replace(/[\u0300-\u036f]/g,"").toLowerCase(),A=a=>{let t=_(a);if(t.charAt(0)==="1"){let e=t.substring(1,4);return K.includes(e)}return!1},W=(a,t,e,i)=>{if(e===0&&!i)return 0;let n=0;for(let s=0;s<t.length;s++){if(/[+0-9]/.test(t[s])&&n++,n===a&&!i)return s+1;if(i&&n===a+1)return s}return t.length},m=(a,t,e)=>{let i=document.createElement(a);return t&&Object.entries(t).forEach(([n,s])=>i.setAttribute(n,s)),e&&e.appendChild(i),i},b=(a,...t)=>{let{instances:e}=l;Object.values(e).forEach(i=>i[a](...t))},I=class a{static _buildClassNames(t){return Object.keys(t).filter(e=>!!t[e]).join(" ")}constructor(t,e={}){this.id=$++,this.a=t,this.c=null,this.options=Object.assign({},M,e),this.e=!!t.getAttribute("placeholder")}_init(){this.options.useFullscreenPopup&&(this.options.fixDropdownWidth=!1),this.options.onlyCountries.length===1&&(this.options.initialCountry=this.options.onlyCountries[0]),this.options.separateDialCode&&(this.options.nationalMode=!1),this.options.allowDropdown&&!this.options.showFlags&&!this.options.separateDialCode&&(this.options.nationalMode=!1),this.options.useFullscreenPopup&&!this.options.dropdownContainer&&(this.options.dropdownContainer=document.body),this.x=typeof navigator<"u"?/Android/i.test(navigator.userAgent):!1,this.v=!!this.a.closest("[dir=rtl]"),this.a.dir="ltr";let t=this.options.allowDropdown||this.options.separateDialCode;this.w=this.v?!t:t,this.options.separateDialCode&&(this.v?this.n1=this.a.style.paddingRight:this.n2=this.a.style.paddingLeft),this.options.i18n={...L,...this.options.i18n};let e=new Promise((n,s)=>{this.h=n,this.i=s}),i=new Promise((n,s)=>{this.i0=n,this.i1=s});this.promise=Promise.all([e,i]),this.s={},this._b(),this._f(),this._h(),this._i(),this._i3()}_b(){this._d(),this._d2(),this._d0(),this._sortCountries(),this.z0=new Map(this.countries.map(t=>[t.iso2,t])),this._cacheSearchTokens()}_cacheSearchTokens(){for(let t of this.countries)t.normalisedName=S(t.name),t.initials=t.name.split(/[^a-zA-ZÀ-ÿа-яА-Я]/).map(e=>e[0]).join("").toLowerCase(),t.dialCodePlus=`+${t.dialCode}`}_sortCountries(){this.options.countryOrder&&(this.options.countryOrder=this.options.countryOrder.map(t=>t.toLowerCase())),this.countries.sort((t,e)=>{let{countryOrder:i}=this.options;if(i){let n=i.indexOf(t.iso2),s=i.indexOf(e.iso2),o=n>-1,r=s>-1;if(o||r)return o&&r?n-s:o?-1:1}return t.name.localeCompare(e.name)})}_c(t,e,i){if(!t||!e)return;e.length>this.y&&(this.y=e.length),this.q.hasOwnProperty(e)||(this.q[e]=[]);let n=this.q[e];if(n.includes(t))return;let s=i!==void 0?i:n.length;n[s]=t}_d(){let{onlyCountries:t,excludeCountries:e}=this.options;if(t.length){let i=t.map(n=>n.toLowerCase());this.countries=v.filter(n=>i.includes(n.iso2))}else if(e.length){let i=e.map(n=>n.toLowerCase());this.countries=v.filter(n=>!i.includes(n.iso2))}else this.countries=v}_d0(){for(let t of this.countries){let e=t.iso2.toLowerCase();this.options.i18n.hasOwnProperty(e)&&(t.name=this.options.i18n[e])}}_d2(){this.dialCodes=new Set,this.y=0,this.q={};for(let t of this.countries)this.dialCodes.has(t.dialCode)||this.dialCodes.add(t.dialCode),this._c(t.iso2,t.dialCode,t.priority);(this.options.onlyCountries.length||this.options.excludeCountries.length)&&this.dialCodes.forEach(t=>{this.q[t]=this.q[t].filter(Boolean)});for(let t of this.countries)if(t.areaCodes){let e=this.q[t.dialCode][0];for(let i of t.areaCodes){for(let n=1;n<i.length;n++){let s=i.substring(0,n),o=t.dialCode+s;this._c(e,o),this._c(t.iso2,o)}this._c(t.iso2,t.dialCode+i)}}}_f(){this.a.classList.add("iti__tel-input"),!this.a.hasAttribute("autocomplete")&&!(this.a.form&&this.a.form.hasAttribute("autocomplete"))&&this.a.setAttribute("autocomplete","off");let{allowDropdown:t,separateDialCode:e,showFlags:i,containerClass:n,hiddenInput:s,dropdownContainer:o,fixDropdownWidth:r,useFullscreenPopup:d,countrySearch:c,i18n:p}=this.options,u=a._buildClassNames({iti:!0,"iti--allow-dropdown":t,"iti--show-flags":i,"iti--inline-dropdown":!d,[n]:!!n}),h=m("div",{class:u});if(this.a.parentNode?.insertBefore(h,this.a),t||i||e){this.k=m("div",{class:"iti__country-container iti__v-hide"},h),this.w?this.k.style.left="0px":this.k.style.right="0px",t?(this.selectedCountry=m("button",{type:"button",class:"iti__selected-country","aria-expanded":"false","aria-label":this.options.i18n.noCountrySelected,"aria-haspopup":"dialog","aria-controls":`iti-${this.id}__dropdown-content`},this.k),this.a.disabled&&this.selectedCountry.setAttribute("disabled","true")):this.selectedCountry=m("div",{class:"iti__selected-country"},this.k);let y=m("div",{class:"iti__selected-country-primary"},this.selectedCountry);if(this.l=m("div",{class:"iti__flag"},y),t&&(this.u=m("div",{class:"iti__arrow","aria-hidden":"true"},y)),e&&(this.t=m("div",{class:"iti__selected-dial-code",dir:"ltr"},this.selectedCountry)),t){let g=r?"":"iti--flexible-dropdown-width";if(this.m0=m("div",{id:`iti-${this.id}__dropdown-content`,class:`iti__dropdown-content iti__hide ${g}`,role:"dialog","aria-modal":"true"}),c){let C=m("div",{class:"iti__search-input-wrapper"},this.m0);this.m2=m("span",{class:"iti__search-icon","aria-hidden":"true"},C),this.m2.innerHTML=`
16
+ var factoryOutput=(()=>{var E=Object.defineProperty;var B=Object.getOwnPropertyDescriptor;var O=Object.getOwnPropertyNames;var F=Object.prototype.hasOwnProperty;var U=(a,t)=>{for(var e in t)E(a,e,{get:t[e],enumerable:!0})},z=(a,t,e,i)=>{if(t&&typeof t=="object"||typeof t=="function")for(let n of O(t))!F.call(a,n)&&n!==e&&E(a,n,{get:()=>t[n],enumerable:!(i=B(t,n))||i.enumerable});return a};var j=a=>z(E({},"__esModule",{value:!0}),a);var X={};U(X,{Iti:()=>w,default:()=>Q});var $=[["af","93"],["ax","358",1],["al","355"],["dz","213"],["as","1",5,["684"]],["ad","376"],["ao","244"],["ai","1",6,["264"]],["ag","1",7,["268"]],["ar","54"],["am","374"],["aw","297"],["ac","247"],["au","61",0,null,"0"],["at","43"],["az","994"],["bs","1",8,["242"]],["bh","973"],["bd","880"],["bb","1",9,["246"]],["by","375"],["be","32"],["bz","501"],["bj","229"],["bm","1",10,["441"]],["bt","975"],["bo","591"],["ba","387"],["bw","267"],["br","55"],["io","246"],["vg","1",11,["284"]],["bn","673"],["bg","359"],["bf","226"],["bi","257"],["kh","855"],["cm","237"],["ca","1",1,["204","226","236","249","250","263","289","306","343","354","365","367","368","382","387","403","416","418","428","431","437","438","450","584","468","474","506","514","519","548","579","581","584","587","604","613","639","647","672","683","705","709","742","753","778","780","782","807","819","825","867","873","879","902","905"]],["cv","238"],["bq","599",1,["3","4","7"]],["ky","1",12,["345"]],["cf","236"],["td","235"],["cl","56"],["cn","86"],["cx","61",2,["89164"],"0"],["cc","61",1,["89162"],"0"],["co","57"],["km","269"],["cg","242"],["cd","243"],["ck","682"],["cr","506"],["ci","225"],["hr","385"],["cu","53"],["cw","599",0],["cy","357"],["cz","420"],["dk","45"],["dj","253"],["dm","1",13,["767"]],["do","1",2,["809","829","849"]],["ec","593"],["eg","20"],["sv","503"],["gq","240"],["er","291"],["ee","372"],["sz","268"],["et","251"],["fk","500"],["fo","298"],["fj","679"],["fi","358",0],["fr","33"],["gf","594"],["pf","689"],["ga","241"],["gm","220"],["ge","995"],["de","49"],["gh","233"],["gi","350"],["gr","30"],["gl","299"],["gd","1",14,["473"]],["gp","590",0],["gu","1",15,["671"]],["gt","502"],["gg","44",1,["1481","7781","7839","7911"],"0"],["gn","224"],["gw","245"],["gy","592"],["ht","509"],["hn","504"],["hk","852"],["hu","36"],["is","354"],["in","91"],["id","62"],["ir","98"],["iq","964"],["ie","353"],["im","44",2,["1624","74576","7524","7924","7624"],"0"],["il","972"],["it","39",0],["jm","1",4,["876","658"]],["jp","81"],["je","44",3,["1534","7509","7700","7797","7829","7937"],"0"],["jo","962"],["kz","7",1,["33","7"],"8"],["ke","254"],["ki","686"],["xk","383"],["kw","965"],["kg","996"],["la","856"],["lv","371"],["lb","961"],["ls","266"],["lr","231"],["ly","218"],["li","423"],["lt","370"],["lu","352"],["mo","853"],["mg","261"],["mw","265"],["my","60"],["mv","960"],["ml","223"],["mt","356"],["mh","692"],["mq","596"],["mr","222"],["mu","230"],["yt","262",1,["269","639"],"0"],["mx","52"],["fm","691"],["md","373"],["mc","377"],["mn","976"],["me","382"],["ms","1",16,["664"]],["ma","212",0,null,"0"],["mz","258"],["mm","95"],["na","264"],["nr","674"],["np","977"],["nl","31"],["nc","687"],["nz","64"],["ni","505"],["ne","227"],["ng","234"],["nu","683"],["nf","672"],["kp","850"],["mk","389"],["mp","1",17,["670"]],["no","47",0],["om","968"],["pk","92"],["pw","680"],["ps","970"],["pa","507"],["pg","675"],["py","595"],["pe","51"],["ph","63"],["pl","48"],["pt","351"],["pr","1",3,["787","939"]],["qa","974"],["re","262",0,null,"0"],["ro","40"],["ru","7",0,null,"8"],["rw","250"],["ws","685"],["sm","378"],["st","239"],["sa","966"],["sn","221"],["rs","381"],["sc","248"],["sl","232"],["sg","65"],["sx","1",21,["721"]],["sk","421"],["si","386"],["sb","677"],["so","252"],["za","27"],["kr","82"],["ss","211"],["es","34"],["lk","94"],["bl","590",1],["sh","290"],["kn","1",18,["869"]],["lc","1",19,["758"]],["mf","590",2],["pm","508"],["vc","1",20,["784"]],["sd","249"],["sr","597"],["sj","47",1,["79"]],["se","46"],["ch","41"],["sy","963"],["tw","886"],["tj","992"],["tz","255"],["th","66"],["tl","670"],["tg","228"],["tk","690"],["to","676"],["tt","1",22,["868"]],["tn","216"],["tr","90"],["tm","993"],["tc","1",23,["649"]],["tv","688"],["vi","1",24,["340"]],["ug","256"],["ua","380"],["ae","971"],["gb","44",0,null,"0"],["us","1",0],["uy","598"],["uz","998"],["vu","678"],["va","39",1,["06698"]],["ve","58"],["vn","84"],["wf","681"],["eh","212",1,["5288","5289"],"0"],["ye","967"],["zm","260"],["zw","263"]],A=[];for(let a of $)A.push({name:"",iso2:a[0],dialCode:a[1],priority:a[2]||0,areaCodes:a[3]||null,nodeById:{},nationalPrefix:a[4]||null});var b=A;var V={ad:"Andorra",ae:"United Arab Emirates",af:"Afghanistan",ag:"Antigua & Barbuda",ai:"Anguilla",al:"Albania",am:"Armenia",ao:"Angola",ar:"Argentina",as:"American Samoa",at:"Austria",au:"Australia",aw:"Aruba",ax:"\xC5land Islands",az:"Azerbaijan",ba:"Bosnia & Herzegovina",bb:"Barbados",bd:"Bangladesh",be:"Belgium",bf:"Burkina Faso",bg:"Bulgaria",bh:"Bahrain",bi:"Burundi",bj:"Benin",bl:"St. Barth\xE9lemy",bm:"Bermuda",bn:"Brunei",bo:"Bolivia",bq:"Caribbean Netherlands",br:"Brazil",bs:"Bahamas",bt:"Bhutan",bw:"Botswana",by:"Belarus",bz:"Belize",ca:"Canada",cc:"Cocos (Keeling) Islands",cd:"Congo - Kinshasa",cf:"Central African Republic",cg:"Congo - Brazzaville",ch:"Switzerland",ci:"C\xF4te d\u2019Ivoire",ck:"Cook Islands",cl:"Chile",cm:"Cameroon",cn:"China",co:"Colombia",cr:"Costa Rica",cu:"Cuba",cv:"Cape Verde",cw:"Cura\xE7ao",cx:"Christmas Island",cy:"Cyprus",cz:"Czechia",de:"Germany",dj:"Djibouti",dk:"Denmark",dm:"Dominica",do:"Dominican Republic",dz:"Algeria",ec:"Ecuador",ee:"Estonia",eg:"Egypt",eh:"Western Sahara",er:"Eritrea",es:"Spain",et:"Ethiopia",fi:"Finland",fj:"Fiji",fk:"Falkland Islands",fm:"Micronesia",fo:"Faroe Islands",fr:"France",ga:"Gabon",gb:"United Kingdom",gd:"Grenada",ge:"Georgia",gf:"French Guiana",gg:"Guernsey",gh:"Ghana",gi:"Gibraltar",gl:"Greenland",gm:"Gambia",gn:"Guinea",gp:"Guadeloupe",gq:"Equatorial Guinea",gr:"Greece",gt:"Guatemala",gu:"Guam",gw:"Guinea-Bissau",gy:"Guyana",hk:"Hong Kong SAR China",hn:"Honduras",hr:"Croatia",ht:"Haiti",hu:"Hungary",id:"Indonesia",ie:"Ireland",il:"Israel",im:"Isle of Man",in:"India",io:"British Indian Ocean Territory",iq:"Iraq",ir:"Iran",is:"Iceland",it:"Italy",je:"Jersey",jm:"Jamaica",jo:"Jordan",jp:"Japan",ke:"Kenya",kg:"Kyrgyzstan",kh:"Cambodia",ki:"Kiribati",km:"Comoros",kn:"St. Kitts & Nevis",kp:"North Korea",kr:"South Korea",kw:"Kuwait",ky:"Cayman Islands",kz:"Kazakhstan",la:"Laos",lb:"Lebanon",lc:"St. Lucia",li:"Liechtenstein",lk:"Sri Lanka",lr:"Liberia",ls:"Lesotho",lt:"Lithuania",lu:"Luxembourg",lv:"Latvia",ly:"Libya",ma:"Morocco",mc:"Monaco",md:"Moldova",me:"Montenegro",mf:"St. Martin",mg:"Madagascar",mh:"Marshall Islands",mk:"North Macedonia",ml:"Mali",mm:"Myanmar (Burma)",mn:"Mongolia",mo:"Macao SAR China",mp:"Northern Mariana Islands",mq:"Martinique",mr:"Mauritania",ms:"Montserrat",mt:"Malta",mu:"Mauritius",mv:"Maldives",mw:"Malawi",mx:"Mexico",my:"Malaysia",mz:"Mozambique",na:"Namibia",nc:"New Caledonia",ne:"Niger",nf:"Norfolk Island",ng:"Nigeria",ni:"Nicaragua",nl:"Netherlands",no:"Norway",np:"Nepal",nr:"Nauru",nu:"Niue",nz:"New Zealand",om:"Oman",pa:"Panama",pe:"Peru",pf:"French Polynesia",pg:"Papua New Guinea",ph:"Philippines",pk:"Pakistan",pl:"Poland",pm:"St. Pierre & Miquelon",pr:"Puerto Rico",ps:"Palestinian Territories",pt:"Portugal",pw:"Palau",py:"Paraguay",qa:"Qatar",re:"R\xE9union",ro:"Romania",rs:"Serbia",ru:"Russia",rw:"Rwanda",sa:"Saudi Arabia",sb:"Solomon Islands",sc:"Seychelles",sd:"Sudan",se:"Sweden",sg:"Singapore",sh:"St. Helena",si:"Slovenia",sj:"Svalbard & Jan Mayen",sk:"Slovakia",sl:"Sierra Leone",sm:"San Marino",sn:"Senegal",so:"Somalia",sr:"Suriname",ss:"South Sudan",st:"S\xE3o Tom\xE9 & Pr\xEDncipe",sv:"El Salvador",sx:"Sint Maarten",sy:"Syria",sz:"Eswatini",tc:"Turks & Caicos Islands",td:"Chad",tg:"Togo",th:"Thailand",tj:"Tajikistan",tk:"Tokelau",tl:"Timor-Leste",tm:"Turkmenistan",tn:"Tunisia",to:"Tonga",tr:"Turkey",tt:"Trinidad & Tobago",tv:"Tuvalu",tw:"Taiwan",tz:"Tanzania",ua:"Ukraine",ug:"Uganda",us:"United States",uy:"Uruguay",uz:"Uzbekistan",va:"Vatican City",vc:"St. Vincent & Grenadines",ve:"Venezuela",vg:"British Virgin Islands",vi:"U.S. Virgin Islands",vn:"Vietnam",vu:"Vanuatu",wf:"Wallis & Futuna",ws:"Samoa",ye:"Yemen",yt:"Mayotte",za:"South Africa",zm:"Zambia",zw:"Zimbabwe"},M=V;var K={selectedCountryAriaLabel:"Change country, selected ${countryName} (${dialCode})",noCountrySelected:"Select country",countryListAriaLabel:"List of countries",searchPlaceholder:"Search",clearSearchAriaLabel:"Clear search",zeroSearchResults:"No results found",oneSearchResult:"1 result found",multipleSearchResults:"${count} results found",ac:"Ascension Island",xk:"Kosovo"},P=K;var W={...M,...P},T=W;for(let a of b)a.name=T[a.iso2];var G=0,N=a=>typeof window<"u"&&typeof window.matchMedia=="function"&&window.matchMedia(a).matches,q=()=>{if(typeof navigator<"u"&&typeof window<"u"){let a=/Android.+Mobile|webOS|iPhone|iPod|BlackBerry|IEMobile|Opera Mini/i.test(navigator.userAgent),t=N("(max-width: 500px)"),e=N("(max-height: 600px)"),i=N("(pointer: coarse)");return a||t||i&&e}return!1},H={allowPhonewords:!1,allowDropdown:!0,autoPlaceholder:"polite",containerClass:"",countryOrder:null,countrySearch:!0,customPlaceholder:null,dropdownContainer:null,excludeCountries:[],fixDropdownWidth:!0,formatAsYouType:!0,formatOnDisplay:!0,geoIpLookup:null,hiddenInput:null,i18n:{},initialCountry:"",loadUtils:null,nationalMode:!0,onlyCountries:[],placeholderNumberType:"MOBILE",showFlags:!0,separateDialCode:!1,strictMode:!1,useFullscreenPopup:q(),validationNumberTypes:["MOBILE"]},Y=["800","822","833","844","855","866","877","880","881","882","883","884","885","886","887","888","889"],I=a=>a.replace(/\D/g,""),k=(a="")=>a.normalize("NFD").replace(/[\u0300-\u036f]/g,"").toLowerCase(),x=a=>{let t=I(a);if(t.charAt(0)==="1"){let e=t.substring(1,4);return Y.includes(e)}return!1},J=(a,t,e,i)=>{if(e===0&&!i)return 0;let n=0;for(let s=0;s<t.length;s++){if(/[+0-9]/.test(t[s])&&n++,n===a&&!i)return s+1;if(i&&n===a+1)return s}return t.length},m=(a,t,e)=>{let i=document.createElement(a);return t&&Object.entries(t).forEach(([n,s])=>i.setAttribute(n,s)),e&&e.appendChild(i),i},_=(a,...t)=>{let{instances:e}=u;Object.values(e).forEach(i=>i[a](...t))},w=class a{static _buildClassNames(t){return Object.keys(t).filter(e=>!!t[e]).join(" ")}constructor(t,e={}){this.id=G++,this.a=t,this.c=null,this.options=Object.assign({},H,e),this.e=!!t.getAttribute("placeholder")}_init(){this.options.useFullscreenPopup&&(this.options.fixDropdownWidth=!1),this.options.onlyCountries.length===1&&(this.options.initialCountry=this.options.onlyCountries[0]),this.options.separateDialCode&&(this.options.nationalMode=!1),this.options.allowDropdown&&!this.options.showFlags&&!this.options.separateDialCode&&(this.options.nationalMode=!1),this.options.useFullscreenPopup&&!this.options.dropdownContainer&&(this.options.dropdownContainer=document.body),this.x=typeof navigator<"u"?/Android/i.test(navigator.userAgent):!1,this.v=!!this.a.closest("[dir=rtl]"),this.a.dir="ltr";let t=this.options.allowDropdown||this.options.separateDialCode;this.w=this.v?!t:t,this.options.separateDialCode&&(this.v?this.n1=this.a.style.paddingRight:this.n2=this.a.style.paddingLeft),this.options.i18n={...T,...this.options.i18n};let e=new Promise((n,s)=>{this.h=n,this.i=s}),i=new Promise((n,s)=>{this.i0=n,this.i1=s});this.promise=Promise.all([e,i]),this.s={},this._b(),this._f(),this._h(),this._i(),this._i3()}_b(){this._d(),this._d2(),this._d0(),this._sortCountries(),this.z0=new Map(this.countries.map(t=>[t.iso2,t])),this._cacheSearchTokens()}_cacheSearchTokens(){for(let t of this.countries)t.normalisedName=k(t.name),t.initials=t.name.split(/[^a-zA-ZÀ-ÿа-яА-Я]/).map(e=>e[0]).join("").toLowerCase(),t.dialCodePlus=`+${t.dialCode}`}_sortCountries(){this.options.countryOrder&&(this.options.countryOrder=this.options.countryOrder.map(t=>t.toLowerCase())),this.countries.sort((t,e)=>{let{countryOrder:i}=this.options;if(i){let n=i.indexOf(t.iso2),s=i.indexOf(e.iso2),r=n>-1,o=s>-1;if(r||o)return r&&o?n-s:r?-1:1}return t.name.localeCompare(e.name)})}_c(t,e,i){if(!t||!e)return;e.length>this.y&&(this.y=e.length),this.q.hasOwnProperty(e)||(this.q[e]=[]);let n=this.q[e];if(n.includes(t))return;let s=i!==void 0?i:n.length;n[s]=t}_d(){let{onlyCountries:t,excludeCountries:e}=this.options;if(t.length){let i=t.map(n=>n.toLowerCase());this.countries=b.filter(n=>i.includes(n.iso2))}else if(e.length){let i=e.map(n=>n.toLowerCase());this.countries=b.filter(n=>!i.includes(n.iso2))}else this.countries=b}_d0(){for(let t of this.countries){let e=t.iso2.toLowerCase();this.options.i18n.hasOwnProperty(e)&&(t.name=this.options.i18n[e])}}_d2(){this.dialCodes=new Set,this.y=0,this.q={};for(let t of this.countries)this.dialCodes.has(t.dialCode)||this.dialCodes.add(t.dialCode),this._c(t.iso2,t.dialCode,t.priority);(this.options.onlyCountries.length||this.options.excludeCountries.length)&&this.dialCodes.forEach(t=>{this.q[t]=this.q[t].filter(Boolean)});for(let t of this.countries)if(t.areaCodes){let e=this.q[t.dialCode][0];for(let i of t.areaCodes){for(let n=1;n<i.length;n++){let s=i.substring(0,n),r=t.dialCode+s;this._c(e,r),this._c(t.iso2,r)}this._c(t.iso2,t.dialCode+i)}}}_f(){this.a.classList.add("iti__tel-input"),!this.a.hasAttribute("autocomplete")&&!(this.a.form&&this.a.form.hasAttribute("autocomplete"))&&this.a.setAttribute("autocomplete","off");let{allowDropdown:t,separateDialCode:e,showFlags:i,containerClass:n,hiddenInput:s,dropdownContainer:r,fixDropdownWidth:o,useFullscreenPopup:d,countrySearch:h,i18n:p}=this.options,l=a._buildClassNames({iti:!0,"iti--allow-dropdown":t,"iti--show-flags":i,"iti--inline-dropdown":!d,[n]:!!n}),c=m("div",{class:l});if(this.a.parentNode?.insertBefore(c,this.a),t||i||e){this.k=m("div",{class:"iti__country-container iti__v-hide"},c),this.w?this.k.style.left="0px":this.k.style.right="0px",t?(this.selectedCountry=m("button",{type:"button",class:"iti__selected-country","aria-expanded":"false","aria-label":this.options.i18n.noCountrySelected,"aria-haspopup":"dialog","aria-controls":`iti-${this.id}__dropdown-content`},this.k),this.a.disabled&&this.selectedCountry.setAttribute("disabled","true")):this.selectedCountry=m("div",{class:"iti__selected-country"},this.k);let y=m("div",{class:"iti__selected-country-primary"},this.selectedCountry);if(this.l=m("div",{class:"iti__flag"},y),t&&(this.u=m("div",{class:"iti__arrow","aria-hidden":"true"},y)),e&&(this.t=m("div",{class:"iti__selected-dial-code",dir:"ltr"},this.selectedCountry)),t){let C=o?"":"iti--flexible-dropdown-width";if(this.m0=m("div",{id:`iti-${this.id}__dropdown-content`,class:`iti__dropdown-content iti__hide ${C}`,role:"dialog","aria-modal":"true"}),h){let g=m("div",{class:"iti__search-input-wrapper"},this.m0);this.m2=m("span",{class:"iti__search-icon","aria-hidden":"true"},g),this.m2.innerHTML=`
17
17
  <svg class="iti__search-icon-svg" width="14" height="14" viewBox="0 0 24 24" focusable="false" aria-hidden="true">
18
18
  <circle cx="11" cy="11" r="7" />
19
19
  <line x1="21" y1="21" x2="16.65" y2="16.65" />
20
- </svg>`,this.m1=m("input",{id:`iti-${this.id}__search-input`,type:"search",class:"iti__search-input",placeholder:p.searchPlaceholder,role:"combobox","aria-expanded":"true","aria-label":p.searchPlaceholder,"aria-controls":`iti-${this.id}__country-listbox`,"aria-autocomplete":"list",autocomplete:"off"},C),this.m3=m("button",{type:"button",class:"iti__search-clear iti__hide","aria-label":p.clearSearchAriaLabel,tabindex:"-1"},C);let f=`iti-${this.id}-clear-mask`;this.m3.innerHTML=`
20
+ </svg>`,this.m1=m("input",{id:`iti-${this.id}__search-input`,type:"search",class:"iti__search-input",placeholder:p.searchPlaceholder,role:"combobox","aria-expanded":"true","aria-label":p.searchPlaceholder,"aria-controls":`iti-${this.id}__country-listbox`,"aria-autocomplete":"list",autocomplete:"off"},g),this.m3=m("button",{type:"button",class:"iti__search-clear iti__hide","aria-label":p.clearSearchAriaLabel,tabindex:"-1"},g);let f=`iti-${this.id}-clear-mask`;this.m3.innerHTML=`
21
21
  <svg class="iti__search-clear-svg" width="12" height="12" viewBox="0 0 16 16" aria-hidden="true" focusable="false">
22
22
  <mask id="${f}" maskUnits="userSpaceOnUse">
23
23
  <rect width="16" height="16" fill="white" />
24
24
  <path d="M5.2 5.2 L10.8 10.8 M10.8 5.2 L5.2 10.8" stroke="black" stroke-linecap="round" class="iti__search-clear-x" />
25
25
  </mask>
26
26
  <circle cx="8" cy="8" r="8" class="iti__search-clear-bg" mask="url(#${f})" />
27
- </svg>`,this.m5=m("span",{class:"iti__a11y-text"},this.m0),this.m4=m("div",{class:"iti__no-results iti__hide","aria-hidden":"true"},this.m0),this.m4.textContent=p.zeroSearchResults}if(this.countryList=m("ul",{class:"iti__country-list",id:`iti-${this.id}__country-listbox`,role:"listbox","aria-label":p.countryListAriaLabel},this.m0),this._g(),c&&this._p4(),o){let C=a._buildClassNames({iti:!0,"iti--container":!0,"iti--fullscreen-popup":d,"iti--inline-dropdown":!d,[n]:!!n});this.dropdown=m("div",{class:C}),this.dropdown.appendChild(this.m0)}else this.k.appendChild(this.m0)}}if(h.appendChild(this.a),this.k&&(this._z3(),this.k.classList.remove("iti__v-hide")),s){let y=this.a.getAttribute("name")||"",g=s(y);if(g.phone){let C=this.a.form?.querySelector(`input[name="${g.phone}"]`);C?this.hiddenInput=C:(this.hiddenInput=m("input",{type:"hidden",name:g.phone}),h.appendChild(this.hiddenInput))}if(g.country){let C=this.a.form?.querySelector(`input[name="${g.country}"]`);C?this.m9=C:(this.m9=m("input",{type:"hidden",name:g.country}),h.appendChild(this.m9))}}}_g(){for(let t=0;t<this.countries.length;t++){let e=this.countries[t],i=t===0?"iti__highlight":"",n=m("li",{id:`iti-${this.id}__item-${e.iso2}`,class:`iti__country ${i}`,tabindex:"-1",role:"option","data-dial-code":e.dialCode,"data-country-code":e.iso2,"aria-selected":"false"},this.countryList);e.nodeById[this.id]=n;let s="";this.options.showFlags&&(s+=`<div class='iti__flag iti__${e.iso2}'></div>`),s+=`<span class='iti__country-name'>${e.name}</span>`,s+=`<span class='iti__dial-code' dir='ltr'>+${e.dialCode}</span>`,n.insertAdjacentHTML("beforeend",s)}}_h(t=!1){let e=this.a.getAttribute("value"),i=this.a.value,s=e&&e.charAt(0)==="+"&&(!i||i.charAt(0)!=="+")?e:i,o=this._5(s),r=A(s),{initialCountry:d,geoIpLookup:c}=this.options,p=d==="auto"&&c;if(o&&!r)this._v(s);else if(!p||t){let u=d?d.toLowerCase():"";u&&this._y(u,!0)?this._z(u):o&&r?this._z("us"):this._z()}s&&this._u(s)}_i(){this._j(),this.options.allowDropdown&&this._i2(),(this.hiddenInput||this.m9)&&this.a.form&&this._i0()}_i0(){this._a14=()=>{this.hiddenInput&&(this.hiddenInput.value=this.getNumber()),this.m9&&(this.m9.value=this.getSelectedCountryData().iso2||"")},this.a.form?.addEventListener("submit",this._a14)}_i2(){this._a9=e=>{this.m0.classList.contains("iti__hide")?this.a.focus():e.preventDefault()};let t=this.a.closest("label");t&&t.addEventListener("click",this._a9),this._a10=()=>{this.m0.classList.contains("iti__hide")&&!this.a.disabled&&!this.a.readOnly&&this._openDropdown()},this.selectedCountry.addEventListener("click",this._a10),this._a11=e=>{this.m0.classList.contains("iti__hide")&&["ArrowUp","ArrowDown"," ","Enter"].includes(e.key)&&(e.preventDefault(),e.stopPropagation(),this._openDropdown()),e.key==="Tab"&&this._2()},this.k.addEventListener("keydown",this._a11)}_i3(){let{loadUtils:t,initialCountry:e,geoIpLookup:i}=this.options;t&&!l.utils?(this._a8=()=>{window.removeEventListener("load",this._a8),l.attachUtils(t)?.catch(()=>{})},l.documentReady()?this._a8():window.addEventListener("load",this._a8)):this.i0(),e==="auto"&&i&&!this.s.iso2?this._i4():this.h()}_i4(){l.autoCountry?this.handleAutoCountry():l.startedLoadingAutoCountry||(l.startedLoadingAutoCountry=!0,typeof this.options.geoIpLookup=="function"&&this.options.geoIpLookup((t="")=>{let e=t.toLowerCase();e&&this._y(e,!0)?(l.autoCountry=e,setTimeout(()=>b("handleAutoCountry"))):(this._h(!0),b("rejectAutoCountryPromise"))},()=>{this._h(!0),b("rejectAutoCountryPromise")}))}_n0(){this._openDropdown(),this.m1.value="+",this._p3("")}_j(){let{strictMode:t,formatAsYouType:e,separateDialCode:i,allowDropdown:n,countrySearch:s}=this.options,o=!1;/\p{L}/u.test(this.a.value)&&(o=!0),this._a12=r=>{if(this.x&&r?.data==="+"&&i&&n&&s){let u=this.a.selectionStart||0,h=this.a.value.substring(0,u-1),y=this.a.value.substring(u);this.a.value=h+y,this._n0();return}this._v(this.a.value)&&this._8();let d=r?.data&&/[^+0-9]/.test(r.data),c=r?.inputType==="insertFromPaste"&&this.a.value;d||c&&!t?o=!0:/[^+0-9]/.test(this.a.value)||(o=!1);let p=r?.detail&&r.detail.isSetNumber;if(e&&!o&&!p){let u=this.a.selectionStart||0,y=this.a.value.substring(0,u).replace(/[^+0-9]/g,"").length,g=r?.inputType==="deleteContentForward",C=this._9(),f=W(y,C,u,g);this.a.value=C,this.a.setSelectionRange(f,f)}},this.a.addEventListener("input",this._a12),(t||i)&&(this._a5=r=>{if(r.key&&r.key.length===1&&!r.altKey&&!r.ctrlKey&&!r.metaKey){if(i&&n&&s&&r.key==="+"){r.preventDefault(),this._n0();return}if(t){let d=this.a.value,p=!(d.charAt(0)==="+")&&this.a.selectionStart===0&&r.key==="+",u=/^[0-9]$/.test(r.key),h=i?u:p||u,y=d.slice(0,this.a.selectionStart)+r.key+d.slice(this.a.selectionEnd),g=this._6(y),C=l.utils.getCoreNumber(g,this.s.iso2),f=this.n0&&C.length>this.n0,k=this._v0(g)!==null;(!h||f&&!k&&!p)&&r.preventDefault()}}},this.a.addEventListener("keydown",this._a5))}_j2(t){let e=parseInt(this.a.getAttribute("maxlength")||"",10);return e&&t.length>e?t.substring(0,e):t}_trigger(t,e={}){let i=new CustomEvent(t,{bubbles:!0,cancelable:!0,detail:e});this.a.dispatchEvent(i)}_openDropdown(){let{fixDropdownWidth:t,countrySearch:e}=this.options;if(t&&(this.m0.style.width=`${this.a.offsetWidth}px`),this.m0.classList.remove("iti__hide"),this.selectedCountry.setAttribute("aria-expanded","true"),this._o(),e){let i=this.countryList.firstElementChild;i&&(this._x(i,!1),this.countryList.scrollTop=0),this.m1.focus()}this._p(),this.u.classList.add("iti__arrow--up"),this._trigger("open:countrydropdown")}_o(){if(this.options.dropdownContainer&&this.options.dropdownContainer.appendChild(this.dropdown),!this.options.useFullscreenPopup){let t=this.a.getBoundingClientRect(),e=this.a.offsetHeight;this.options.dropdownContainer&&(this.dropdown.style.top=`${t.top+e}px`,this.dropdown.style.left=`${t.left}px`,this._a4=()=>this._2(),window.addEventListener("scroll",this._a4))}}_p(){this._a0=i=>{let n=i.target?.closest(".iti__country");n&&this._x(n,!1)},this.countryList.addEventListener("mouseover",this._a0),this._a1=i=>{let n=i.target?.closest(".iti__country");n&&this._1(n)},this.countryList.addEventListener("click",this._a1),this._a2=i=>{!!i.target.closest(`#iti-${this.id}__dropdown-content`)||this._2()},setTimeout(()=>{document.documentElement.addEventListener("click",this._a2)},0);let t="",e=null;if(this._a3=i=>{["ArrowUp","ArrowDown","Enter","Escape"].includes(i.key)&&(i.preventDefault(),i.stopPropagation(),i.key==="ArrowUp"||i.key==="ArrowDown"?this._q(i.key):i.key==="Enter"?this._r():i.key==="Escape"&&this._2()),!this.options.countrySearch&&/^[a-zA-ZÀ-ÿа-яА-Я ]$/.test(i.key)&&(i.stopPropagation(),e&&clearTimeout(e),t+=i.key.toLowerCase(),this._p0(t),e=setTimeout(()=>{t=""},1e3))},document.addEventListener("keydown",this._a3),this.options.countrySearch){let i=()=>{let s=this.m1.value.trim();this._p3(s),this.m1.value?this.m3.classList.remove("iti__hide"):this.m3.classList.add("iti__hide")},n=null;this._a7=()=>{n&&clearTimeout(n),n=setTimeout(()=>{i(),n=null},100)},this.m1.addEventListener("input",this._a7),this._a6=()=>{this.m1.value="",this.m1.focus(),i()},this.m3.addEventListener("click",this._a6)}}_p0(t){for(let e of this.countries)if(e.name.substring(0,t.length).toLowerCase()===t){let n=e.nodeById[this.id];this._x(n,!1),this._3(n);break}}_p3(t){let e=!0;this.countryList.innerHTML="";let i=S(t),n;if(t==="")n=this.countries;else{let s=[],o=[],r=[],d=[],c=[],p=[];for(let u of this.countries)u.iso2===i?s.push(u):u.normalisedName.startsWith(i)?o.push(u):u.normalisedName.includes(i)?r.push(u):i===u.dialCode||i===u.dialCodePlus?d.push(u):u.dialCodePlus.includes(i)?c.push(u):u.initials.includes(i)&&p.push(u);n=[...s.sort((u,h)=>u.priority-h.priority),...o.sort((u,h)=>u.priority-h.priority),...r.sort((u,h)=>u.priority-h.priority),...d.sort((u,h)=>u.priority-h.priority),...c.sort((u,h)=>u.priority-h.priority),...p.sort((u,h)=>u.priority-h.priority)]}for(let s of n){let o=s.nodeById[this.id];o&&(this.countryList.appendChild(o),e&&(this._x(o,!1),e=!1))}e?(this._x(null,!1),this.m4&&this.m4.classList.remove("iti__hide")):this.m4&&this.m4.classList.add("iti__hide"),this.countryList.scrollTop=0,this._p4()}_p4(){let{i18n:t}=this.options,e=this.countryList.childElementCount,i;e===0?i=t.zeroSearchResults:t.searchResultsText?i=t.searchResultsText(e):e===1?i=t.oneSearchResult:i=t.multipleSearchResults.replace("${count}",e.toString()),this.m5.textContent=i}_q(t){let e=t==="ArrowUp"?this.c?.previousElementSibling:this.c?.nextElementSibling;!e&&this.countryList.childElementCount>1&&(e=t==="ArrowUp"?this.countryList.lastElementChild:this.countryList.firstElementChild),e&&(this._3(e),this._x(e,!1))}_r(){this.c&&this._1(this.c)}_u(t){let e=t;if(this.options.formatOnDisplay&&l.utils&&this.s){let i=this.options.nationalMode||e.charAt(0)!=="+"&&!this.options.separateDialCode,{NATIONAL:n,INTERNATIONAL:s}=l.utils.numberFormat,o=i?n:s;e=l.utils.formatNumber(e,this.s.iso2,o)}e=this._7(e),this.a.value=e}_v(t){let e=this._v0(t);return e!==null?this._z(e):!1}_u0(t){let{dialCode:e,nationalPrefix:i}=this.s;if(t.charAt(0)==="+"||!e)return t;let o=i&&t.charAt(0)===i&&!this.options.separateDialCode?t.substring(1):t;return`+${e}${o}`}_v0(t){let e=t.indexOf("+"),i=e?t.substring(e):t,n=this.s.iso2,s=this.s.dialCode;i=this._u0(i);let o=this._5(i,!0),r=_(i);if(o){let d=_(o),c=this.q[d];if(c.length===1)return c[0]===n?null:c[0];if(!n&&this.j&&c.includes(this.j))return this.j;if(s==="1"&&A(r))return null;let u=this.s.areaCodes&&r.length>d.length;if(!(n&&c.includes(n)&&!u))return c[0]}else{if(i.charAt(0)==="+"&&r.length)return"";if((!i||i==="+")&&!n)return this.j}return null}_x(t,e){let i=this.c;if(i&&(i.classList.remove("iti__highlight"),i.setAttribute("aria-selected","false")),this.c=t,this.c&&(this.c.classList.add("iti__highlight"),this.c.setAttribute("aria-selected","true"),this.options.countrySearch)){let n=this.c.getAttribute("id")||"";this.m1.setAttribute("aria-activedescendant",n)}e&&this.c.focus()}_y(t,e){let i=this.z0.get(t);if(i)return i;if(e)return null;throw new Error(`No country data for '${t}'`)}_z(t){let{separateDialCode:e,showFlags:i,i18n:n}=this.options,s=this.s.iso2||"";if(this.s=t?this._y(t,!1)||{}:{},this.s.iso2&&(this.j=this.s.iso2),this.selectedCountry){let o=t&&i?`iti__flag iti__${t}`:"iti__flag iti__globe",r,d;if(t){let{name:c,dialCode:p}=this.s;d=c,r=n.selectedCountryAriaLabel.replace("${countryName}",c).replace("${dialCode}",`+${p}`)}else d=n.noCountrySelected,r=n.noCountrySelected;this.l.className=o,this.selectedCountry.setAttribute("title",d),this.selectedCountry.setAttribute("aria-label",r)}if(e){let o=this.s.dialCode?`+${this.s.dialCode}`:"";this.t.innerHTML=o,this._z3()}return this._0(),this._z4(),s!==t}_z3(){if(this.selectedCountry){let t=this.options.separateDialCode?78:42,i=(this.selectedCountry.offsetWidth||this._z2()||t)+6;this.w?this.a.style.paddingLeft=`${i}px`:this.a.style.paddingRight=`${i}px`}}_z4(){let{strictMode:t,placeholderNumberType:e,validationNumberTypes:i}=this.options,{iso2:n}=this.s;if(t&&l.utils)if(n){let s=l.utils.numberType[e],o=l.utils.getExampleNumber(n,!1,s,!0),r=o;for(;l.utils.isPossibleNumber(o,n,i);)r=o,o+="0";let d=l.utils.getCoreNumber(r,n);this.n0=d.length,n==="by"&&(this.n0=d.length+1)}else this.n0=null}_z2(){if(this.a.parentNode){let t;try{t=window.top.document.body}catch{t=document.body}let e=this.a.parentNode.cloneNode(!1);e.style.visibility="hidden",t.appendChild(e);let i=this.k.cloneNode();e.appendChild(i);let n=this.selectedCountry.cloneNode(!0);i.appendChild(n);let s=n.offsetWidth;return t.removeChild(e),s}return 0}_0(){let{autoPlaceholder:t,placeholderNumberType:e,nationalMode:i,customPlaceholder:n}=this.options,s=t==="aggressive"||!this.e&&t==="polite";if(l.utils&&s){let o=l.utils.numberType[e],r=this.s.iso2?l.utils.getExampleNumber(this.s.iso2,i,o):"";r=this._7(r),typeof n=="function"&&(r=n(r,this.s)),this.a.setAttribute("placeholder",r)}}_1(t){let e=this._z(t.getAttribute("data-country-code"));this._2(),this._4(t.getAttribute("data-dial-code")),this.options.formatOnDisplay&&this._u(this.a.value),this.a.focus(),e&&this._8()}_2(){this.m0.classList.add("iti__hide"),this.selectedCountry.setAttribute("aria-expanded","false"),this.c&&this.c.setAttribute("aria-selected","false"),this.options.countrySearch&&this.m1.removeAttribute("aria-activedescendant"),this.u.classList.remove("iti__arrow--up"),this.options.countrySearch&&(this.m1.removeEventListener("input",this._a7),this.m3.removeEventListener("click",this._a6)),document.documentElement.removeEventListener("click",this._a2),this.countryList.removeEventListener("mouseover",this._a0),this.countryList.removeEventListener("click",this._a1),this.options.dropdownContainer&&(this.options.useFullscreenPopup||window.removeEventListener("scroll",this._a4),this.dropdown.parentNode&&this.dropdown.parentNode.removeChild(this.dropdown)),this._a8&&window.removeEventListener("load",this._a8),this._trigger("close:countrydropdown")}_3(t){let e=this.countryList,i=document.documentElement.scrollTop,n=e.offsetHeight,s=e.getBoundingClientRect().top+i,o=s+n,r=t.offsetHeight,d=t.getBoundingClientRect().top+i,c=d+r,p=d-s+e.scrollTop;if(d<s)e.scrollTop=p;else if(c>o){let u=n-r;e.scrollTop=p-u}}_4(t){let e=this.a.value,i=`+${t}`,n;if(e.charAt(0)==="+"){let s=this._5(e);s?n=e.replace(s,i):n=i,this.a.value=n}}_5(t,e){let i="";if(t.charAt(0)==="+"){let n="";for(let s=0;s<t.length;s++){let o=t.charAt(s);if(!isNaN(parseInt(o,10))){if(n+=o,e)this.q[n]&&(i=t.substring(0,s+1));else if(this.dialCodes.has(n)){i=t.substring(0,s+1);break}if(n.length===this.y)break}}}return i}_6(t){let e=t||this.a.value.trim(),{dialCode:i}=this.s,n,s=_(e);return this.options.separateDialCode&&e.charAt(0)!=="+"&&i&&s?n=`+${i}`:n="",n+e}_7(t){let e=t;if(this.options.separateDialCode){let i=this._5(e);if(i){i=`+${this.s.dialCode}`;let n=e[i.length]===" "||e[i.length]==="-"?i.length+1:i.length;e=e.substring(n)}}return this._j2(e)}_8(){this._trigger("countrychange")}_9(){let t=this._6(),e=l.utils?l.utils.formatNumberAsYouType(t,this.s.iso2):t,{dialCode:i}=this.s;return this.options.separateDialCode&&this.a.value.charAt(0)!=="+"&&e.includes(`+${i}`)?(e.split(`+${i}`)[1]||"").trim():e}handleAutoCountry(){this.options.initialCountry==="auto"&&l.autoCountry&&(this.j=l.autoCountry,this.s.iso2||this.l.classList.contains("iti__globe")||this.setCountry(this.j),this.h())}handleUtils(){l.utils&&(this.a.value&&this._u(this.a.value),this.s.iso2&&(this._0(),this._z4())),this.i0()}destroy(){this.a.iti=void 0;let{allowDropdown:t,separateDialCode:e}=this.options;if(t){this._2(),this.selectedCountry.removeEventListener("click",this._a10),this.k.removeEventListener("keydown",this._a11);let s=this.a.closest("label");s&&s.removeEventListener("click",this._a9)}let{form:i}=this.a;this._a14&&i&&i.removeEventListener("submit",this._a14),this.a.removeEventListener("input",this._a12),this._a5&&this.a.removeEventListener("keydown",this._a5),this.a.removeAttribute("data-intl-tel-input-id"),e&&(this.v?this.a.style.paddingRight=this.n1:this.a.style.paddingLeft=this.n2);let n=this.a.parentNode;n?.parentNode?.insertBefore(this.a,n),n?.parentNode?.removeChild(n),delete l.instances[this.id]}getExtension(){return l.utils?l.utils.getExtension(this._6(),this.s.iso2):""}getNumber(t){if(l.utils){let{iso2:e}=this.s;return l.utils.formatNumber(this._6(),e,t)}return""}getNumberType(){return l.utils?l.utils.getNumberType(this._6(),this.s.iso2):-99}getSelectedCountryData(){return this.s}getValidationError(){if(l.utils){let{iso2:t}=this.s;return l.utils.getValidationError(this._6(),t)}return-99}isValidNumber(){return this._9b(!1)}isValidNumberPrecise(){return this._9b(!0)}_9a(t){return l.utils?l.utils.isPossibleNumber(t,this.s.iso2,this.options.validationNumberTypes):null}_9b(t){if(!this.s.iso2)return!1;let e=o=>t?this._9c(o):this._9a(o),i=this._6(),n=i.search(/\p{L}/u);if(n>-1&&!this.options.allowPhonewords){let o=i.substring(0,n),r=e(o),d=e(i);return r&&d}return e(i)}_9c(t){return l.utils?l.utils.isValidNumber(t,this.s.iso2,this.options.validationNumberTypes):null}setCountry(t){let e=t?.toLowerCase(),i=this.s.iso2;(t&&e!==i||!t&&i)&&(this._z(e),this._4(this.s.dialCode),this.options.formatOnDisplay&&this._u(this.a.value),this._8())}setNumber(t){let e=this._v(t);this._u(t),e&&this._8(),this._trigger("input",{isSetNumber:!0})}setPlaceholderNumberType(t){this.options.placeholderNumberType=t,this._0()}setDisabled(t){this.a.disabled=t,t?this.selectedCountry.setAttribute("disabled","true"):this.selectedCountry.removeAttribute("disabled")}},G=a=>{if(!l.utils&&!l.startedLoadingUtilsScript){let t;if(typeof a=="function")try{t=Promise.resolve(a())}catch(e){return Promise.reject(e)}else return Promise.reject(new TypeError(`The argument passed to attachUtils must be a function that returns a promise for the utilities module, not ${typeof a}`));return l.startedLoadingUtilsScript=!0,t.then(e=>{let i=e?.default;if(!i||typeof i!="object")throw new TypeError("The loader function passed to attachUtils did not resolve to a module object with utils as its default export.");return l.utils=i,b("handleUtils"),!0}).catch(e=>{throw b("rejectUtilsScriptPromise",e),e})}return null},l=Object.assign((a,t)=>{let e=new I(a,t);return e._init(),a.setAttribute("data-intl-tel-input-id",e.id.toString()),l.instances[e.id]=e,a.iti=e,e},{defaults:M,documentReady:()=>document.readyState==="complete",getCountryData:()=>v,getInstance:a=>{let t=a.getAttribute("data-intl-tel-input-id");return t?l.instances[t]:null},instances:{},attachUtils:G,startedLoadingUtilsScript:!1,startedLoadingAutoCountry:!1,version:"25.10.6"}),q=l;return O(Y);})();
27
+ </svg>`,this.m5=m("span",{class:"iti__a11y-text"},this.m0),this.m4=m("div",{class:"iti__no-results iti__hide","aria-hidden":"true"},this.m0),this.m4.textContent=p.zeroSearchResults}if(this.countryList=m("ul",{class:"iti__country-list",id:`iti-${this.id}__country-listbox`,role:"listbox","aria-label":p.countryListAriaLabel},this.m0),this._g(),h&&this._p4(),r){let g=a._buildClassNames({iti:!0,"iti--container":!0,"iti--fullscreen-popup":d,"iti--inline-dropdown":!d,[n]:!!n});this.dropdown=m("div",{class:g}),this.dropdown.appendChild(this.m0)}else this.k.appendChild(this.m0)}}if(c.appendChild(this.a),this.k&&(this._z3(),this.k.classList.remove("iti__v-hide")),s){let y=this.a.getAttribute("name")||"",C=s(y);if(C.phone){let g=this.a.form?.querySelector(`input[name="${C.phone}"]`);g?this.hiddenInput=g:(this.hiddenInput=m("input",{type:"hidden",name:C.phone}),c.appendChild(this.hiddenInput))}if(C.country){let g=this.a.form?.querySelector(`input[name="${C.country}"]`);g?this.m9=g:(this.m9=m("input",{type:"hidden",name:C.country}),c.appendChild(this.m9))}}}_g(){for(let t=0;t<this.countries.length;t++){let e=this.countries[t],i=t===0?"iti__highlight":"",n=m("li",{id:`iti-${this.id}__item-${e.iso2}`,class:`iti__country ${i}`,tabindex:"-1",role:"option","data-dial-code":e.dialCode,"data-country-code":e.iso2,"aria-selected":"false"},this.countryList);e.nodeById[this.id]=n;let s="";this.options.showFlags&&(s+=`<div class='iti__flag iti__${e.iso2}'></div>`),s+=`<span class='iti__country-name'>${e.name}</span>`,s+=`<span class='iti__dial-code' dir='ltr'>+${e.dialCode}</span>`,n.insertAdjacentHTML("beforeend",s)}}_h(t=!1){let e=this.a.getAttribute("value"),i=this.a.value,s=e&&e.charAt(0)==="+"&&(!i||i.charAt(0)!=="+")?e:i,r=this._5(s),o=x(s),{initialCountry:d,geoIpLookup:h}=this.options,p=d==="auto"&&h;if(r&&!o)this._v(s);else if(!p||t){let l=d?d.toLowerCase():"";l&&this._y(l,!0)?this._z(l):r&&o?this._z("us"):this._z()}s&&this._u(s)}_i(){this._j(),this.options.allowDropdown&&this._i2(),(this.hiddenInput||this.m9)&&this.a.form&&this._i0()}_i0(){this._a14=()=>{this.hiddenInput&&(this.hiddenInput.value=this.getNumber()),this.m9&&(this.m9.value=this.getSelectedCountryData().iso2||"")},this.a.form?.addEventListener("submit",this._a14)}_i2(){this._a9=e=>{this.m0.classList.contains("iti__hide")?this.a.focus():e.preventDefault()};let t=this.a.closest("label");t&&t.addEventListener("click",this._a9),this._a10=()=>{this.m0.classList.contains("iti__hide")&&!this.a.disabled&&!this.a.readOnly&&this._openDropdown()},this.selectedCountry.addEventListener("click",this._a10),this._a11=e=>{this.m0.classList.contains("iti__hide")&&["ArrowUp","ArrowDown"," ","Enter"].includes(e.key)&&(e.preventDefault(),e.stopPropagation(),this._openDropdown()),e.key==="Tab"&&this._2()},this.k.addEventListener("keydown",this._a11)}_i3(){let{loadUtils:t,initialCountry:e,geoIpLookup:i}=this.options;t&&!u.utils?(this._a8=()=>{window.removeEventListener("load",this._a8),u.attachUtils(t)?.catch(()=>{})},u.documentReady()?this._a8():window.addEventListener("load",this._a8)):this.i0(),e==="auto"&&i&&!this.s.iso2?this._i4():this.h()}_i4(){u.autoCountry?this.handleAutoCountry():u.startedLoadingAutoCountry||(u.startedLoadingAutoCountry=!0,typeof this.options.geoIpLookup=="function"&&this.options.geoIpLookup((t="")=>{let e=t.toLowerCase();e&&this._y(e,!0)?(u.autoCountry=e,setTimeout(()=>_("handleAutoCountry"))):(this._h(!0),_("rejectAutoCountryPromise"))},()=>{this._h(!0),_("rejectAutoCountryPromise")}))}_n0(){this._openDropdown(),this.m1.value="+",this._p3("")}_j(){let{strictMode:t,formatAsYouType:e,separateDialCode:i,allowDropdown:n,countrySearch:s}=this.options,r=!1;/\p{L}/u.test(this.a.value)&&(r=!0),this._a12=o=>{if(this.x&&o?.data==="+"&&i&&n&&s){let l=this.a.selectionStart||0,c=this.a.value.substring(0,l-1),y=this.a.value.substring(l);this.a.value=c+y,this._n0();return}this._v(this.a.value)&&this._8();let d=o?.data&&/[^+0-9]/.test(o.data),h=o?.inputType==="insertFromPaste"&&this.a.value;d||h&&!t?r=!0:/[^+0-9]/.test(this.a.value)||(r=!1);let p=o?.detail&&o.detail.isSetNumber;if(e&&!r&&!p){let l=this.a.selectionStart||0,y=this.a.value.substring(0,l).replace(/[^+0-9]/g,"").length,C=o?.inputType==="deleteContentForward",g=this._9(),f=J(y,g,l,C);this.a.value=g,this.a.setSelectionRange(f,f)}},this.a.addEventListener("input",this._a12),(t||i)&&(this._a5=o=>{if(o.key&&o.key.length===1&&!o.altKey&&!o.ctrlKey&&!o.metaKey){if(i&&n&&s&&o.key==="+"){o.preventDefault(),this._n0();return}if(t){let d=this.a.value,p=!(d.charAt(0)==="+")&&this.a.selectionStart===0&&o.key==="+",l=/^[0-9]$/.test(o.key),c=i?l:p||l,y=d.slice(0,this.a.selectionStart)+o.key+d.slice(this.a.selectionEnd),C=this._6(y),g=u.utils.getCoreNumber(C,this.s.iso2),f=this.n0&&g.length>this.n0,v=this._v0(C)!==null;(!c||f&&!v&&!p)&&o.preventDefault()}}},this.a.addEventListener("keydown",this._a5)),t&&(this._handlePasteEvent=o=>{o.preventDefault();let d=this.a,h=d.selectionStart,p=d.selectionEnd,l=o.clipboardData.getData("text"),c=h===0&&p>0,y=!d.value.startsWith("+")||c,C=l.replace(/[^0-9+]/g,""),g=C.startsWith("+"),f=C.replace(/\+/g,""),L=g&&y?`+${f}`:f,v=d.value.slice(0,h)+L+d.value.slice(p),D=u.utils.getCoreNumber(v,this.s.iso2);if(this.n0&&D.length>this.n0)if(d.selectionEnd===d.value.length){let R=D.length-this.n0;v=v.slice(0,v.length-R)}else return;d.value=v;let S=h+L.length;d.setSelectionRange(S,S),d.dispatchEvent(new InputEvent("input",{bubbles:!0}))},this.a.addEventListener("paste",this._handlePasteEvent))}_j2(t){let e=parseInt(this.a.getAttribute("maxlength")||"",10);return e&&t.length>e?t.substring(0,e):t}_trigger(t,e={}){let i=new CustomEvent(t,{bubbles:!0,cancelable:!0,detail:e});this.a.dispatchEvent(i)}_openDropdown(){let{fixDropdownWidth:t,countrySearch:e}=this.options;if(t&&(this.m0.style.width=`${this.a.offsetWidth}px`),this.m0.classList.remove("iti__hide"),this.selectedCountry.setAttribute("aria-expanded","true"),this._o(),e){let i=this.countryList.firstElementChild;i&&(this._x(i,!1),this.countryList.scrollTop=0),this.m1.focus()}this._p(),this.u.classList.add("iti__arrow--up"),this._trigger("open:countrydropdown")}_o(){if(this.options.dropdownContainer&&this.options.dropdownContainer.appendChild(this.dropdown),!this.options.useFullscreenPopup){let t=this.a.getBoundingClientRect(),e=this.a.offsetHeight;this.options.dropdownContainer&&(this.dropdown.style.top=`${t.top+e}px`,this.dropdown.style.left=`${t.left}px`,this._a4=()=>this._2(),window.addEventListener("scroll",this._a4))}}_p(){this._a0=i=>{let n=i.target?.closest(".iti__country");n&&this._x(n,!1)},this.countryList.addEventListener("mouseover",this._a0),this._a1=i=>{let n=i.target?.closest(".iti__country");n&&this._1(n)},this.countryList.addEventListener("click",this._a1),this._a2=i=>{!!i.target.closest(`#iti-${this.id}__dropdown-content`)||this._2()},setTimeout(()=>{document.documentElement.addEventListener("click",this._a2)},0);let t="",e=null;if(this._a3=i=>{["ArrowUp","ArrowDown","Enter","Escape"].includes(i.key)&&(i.preventDefault(),i.stopPropagation(),i.key==="ArrowUp"||i.key==="ArrowDown"?this._q(i.key):i.key==="Enter"?this._r():i.key==="Escape"&&this._2()),!this.options.countrySearch&&/^[a-zA-ZÀ-ÿа-яА-Я ]$/.test(i.key)&&(i.stopPropagation(),e&&clearTimeout(e),t+=i.key.toLowerCase(),this._p0(t),e=setTimeout(()=>{t=""},1e3))},document.addEventListener("keydown",this._a3),this.options.countrySearch){let i=()=>{let s=this.m1.value.trim();this._p3(s),this.m1.value?this.m3.classList.remove("iti__hide"):this.m3.classList.add("iti__hide")},n=null;this._a7=()=>{n&&clearTimeout(n),n=setTimeout(()=>{i(),n=null},100)},this.m1.addEventListener("input",this._a7),this._a6=()=>{this.m1.value="",this.m1.focus(),i()},this.m3.addEventListener("click",this._a6)}}_p0(t){for(let e of this.countries)if(e.name.substring(0,t.length).toLowerCase()===t){let n=e.nodeById[this.id];this._x(n,!1),this._3(n);break}}_p3(t){let e=!0;this.countryList.innerHTML="";let i=k(t),n;if(t==="")n=this.countries;else{let s=[],r=[],o=[],d=[],h=[],p=[];for(let l of this.countries)l.iso2===i?s.push(l):l.normalisedName.startsWith(i)?r.push(l):l.normalisedName.includes(i)?o.push(l):i===l.dialCode||i===l.dialCodePlus?d.push(l):l.dialCodePlus.includes(i)?h.push(l):l.initials.includes(i)&&p.push(l);n=[...s.sort((l,c)=>l.priority-c.priority),...r.sort((l,c)=>l.priority-c.priority),...o.sort((l,c)=>l.priority-c.priority),...d.sort((l,c)=>l.priority-c.priority),...h.sort((l,c)=>l.priority-c.priority),...p.sort((l,c)=>l.priority-c.priority)]}for(let s of n){let r=s.nodeById[this.id];r&&(this.countryList.appendChild(r),e&&(this._x(r,!1),e=!1))}e?(this._x(null,!1),this.m4&&this.m4.classList.remove("iti__hide")):this.m4&&this.m4.classList.add("iti__hide"),this.countryList.scrollTop=0,this._p4()}_p4(){let{i18n:t}=this.options,e=this.countryList.childElementCount,i;e===0?i=t.zeroSearchResults:t.searchResultsText?i=t.searchResultsText(e):e===1?i=t.oneSearchResult:i=t.multipleSearchResults.replace("${count}",e.toString()),this.m5.textContent=i}_q(t){let e=t==="ArrowUp"?this.c?.previousElementSibling:this.c?.nextElementSibling;!e&&this.countryList.childElementCount>1&&(e=t==="ArrowUp"?this.countryList.lastElementChild:this.countryList.firstElementChild),e&&(this._3(e),this._x(e,!1))}_r(){this.c&&this._1(this.c)}_u(t){let e=t;if(this.options.formatOnDisplay&&u.utils&&this.s){let i=this.options.nationalMode||e.charAt(0)!=="+"&&!this.options.separateDialCode,{NATIONAL:n,INTERNATIONAL:s}=u.utils.numberFormat,r=i?n:s;e=u.utils.formatNumber(e,this.s.iso2,r)}e=this._7(e),this.a.value=e}_v(t){let e=this._v0(t);return e!==null?this._z(e):!1}_u0(t){let{dialCode:e,nationalPrefix:i}=this.s;if(t.charAt(0)==="+"||!e)return t;let r=i&&t.charAt(0)===i&&!this.options.separateDialCode?t.substring(1):t;return`+${e}${r}`}_v0(t){let e=t.indexOf("+"),i=e?t.substring(e):t,n=this.s.iso2,s=this.s.dialCode;i=this._u0(i);let r=this._5(i,!0),o=I(i);if(r){let d=I(r),h=this.q[d];if(h.length===1)return h[0]===n?null:h[0];if(!n&&this.j&&h.includes(this.j))return this.j;if(s==="1"&&x(o))return null;let l=this.s.areaCodes&&o.length>d.length;if(!(n&&h.includes(n)&&!l))return h[0]}else{if(i.charAt(0)==="+"&&o.length)return"";if((!i||i==="+")&&!n)return this.j}return null}_x(t,e){let i=this.c;if(i&&(i.classList.remove("iti__highlight"),i.setAttribute("aria-selected","false")),this.c=t,this.c&&(this.c.classList.add("iti__highlight"),this.c.setAttribute("aria-selected","true"),this.options.countrySearch)){let n=this.c.getAttribute("id")||"";this.m1.setAttribute("aria-activedescendant",n)}e&&this.c.focus()}_y(t,e){let i=this.z0.get(t);if(i)return i;if(e)return null;throw new Error(`No country data for '${t}'`)}_z(t){let{separateDialCode:e,showFlags:i,i18n:n}=this.options,s=this.s.iso2||"";if(this.s=t?this._y(t,!1)||{}:{},this.s.iso2&&(this.j=this.s.iso2),this.selectedCountry){let r=t&&i?`iti__flag iti__${t}`:"iti__flag iti__globe",o,d;if(t){let{name:h,dialCode:p}=this.s;d=h,o=n.selectedCountryAriaLabel.replace("${countryName}",h).replace("${dialCode}",`+${p}`)}else d=n.noCountrySelected,o=n.noCountrySelected;this.l.className=r,this.selectedCountry.setAttribute("title",d),this.selectedCountry.setAttribute("aria-label",o)}if(e){let r=this.s.dialCode?`+${this.s.dialCode}`:"";this.t.innerHTML=r,this._z3()}return this._0(),this._z4(),s!==t}_z3(){if(this.selectedCountry){let t=this.options.separateDialCode?78:42,i=(this.selectedCountry.offsetWidth||this._z2()||t)+6;this.w?this.a.style.paddingLeft=`${i}px`:this.a.style.paddingRight=`${i}px`}}_z4(){let{strictMode:t,placeholderNumberType:e,validationNumberTypes:i}=this.options,{iso2:n}=this.s;if(t&&u.utils)if(n){let s=u.utils.numberType[e],r=u.utils.getExampleNumber(n,!1,s,!0),o=r;for(;u.utils.isPossibleNumber(r,n,i);)o=r,r+="0";let d=u.utils.getCoreNumber(o,n);this.n0=d.length,n==="by"&&(this.n0=d.length+1)}else this.n0=null}_z2(){if(this.a.parentNode){let t;try{t=window.top.document.body}catch{t=document.body}let e=this.a.parentNode.cloneNode(!1);e.style.visibility="hidden",t.appendChild(e);let i=this.k.cloneNode();e.appendChild(i);let n=this.selectedCountry.cloneNode(!0);i.appendChild(n);let s=n.offsetWidth;return t.removeChild(e),s}return 0}_0(){let{autoPlaceholder:t,placeholderNumberType:e,nationalMode:i,customPlaceholder:n}=this.options,s=t==="aggressive"||!this.e&&t==="polite";if(u.utils&&s){let r=u.utils.numberType[e],o=this.s.iso2?u.utils.getExampleNumber(this.s.iso2,i,r):"";o=this._7(o),typeof n=="function"&&(o=n(o,this.s)),this.a.setAttribute("placeholder",o)}}_1(t){let e=this._z(t.getAttribute("data-country-code"));this._2(),this._4(t.getAttribute("data-dial-code")),this.options.formatOnDisplay&&this._u(this.a.value),this.a.focus(),e&&this._8()}_2(){this.m0.classList.add("iti__hide"),this.selectedCountry.setAttribute("aria-expanded","false"),this.c&&this.c.setAttribute("aria-selected","false"),this.options.countrySearch&&this.m1.removeAttribute("aria-activedescendant"),this.u.classList.remove("iti__arrow--up"),this.options.countrySearch&&(this.m1.removeEventListener("input",this._a7),this.m3.removeEventListener("click",this._a6)),document.documentElement.removeEventListener("click",this._a2),this.countryList.removeEventListener("mouseover",this._a0),this.countryList.removeEventListener("click",this._a1),this.options.dropdownContainer&&(this.options.useFullscreenPopup||window.removeEventListener("scroll",this._a4),this.dropdown.parentNode&&this.dropdown.parentNode.removeChild(this.dropdown)),this._a8&&window.removeEventListener("load",this._a8),this._trigger("close:countrydropdown")}_3(t){let e=this.countryList,i=document.documentElement.scrollTop,n=e.offsetHeight,s=e.getBoundingClientRect().top+i,r=s+n,o=t.offsetHeight,d=t.getBoundingClientRect().top+i,h=d+o,p=d-s+e.scrollTop;if(d<s)e.scrollTop=p;else if(h>r){let l=n-o;e.scrollTop=p-l}}_4(t){let e=this.a.value,i=`+${t}`,n;if(e.charAt(0)==="+"){let s=this._5(e);s?n=e.replace(s,i):n=i,this.a.value=n}}_5(t,e){let i="";if(t.charAt(0)==="+"){let n="";for(let s=0;s<t.length;s++){let r=t.charAt(s);if(!isNaN(parseInt(r,10))){if(n+=r,e)this.q[n]&&(i=t.substring(0,s+1));else if(this.dialCodes.has(n)){i=t.substring(0,s+1);break}if(n.length===this.y)break}}}return i}_6(t){let e=t||this.a.value.trim(),{dialCode:i}=this.s,n,s=I(e);return this.options.separateDialCode&&e.charAt(0)!=="+"&&i&&s?n=`+${i}`:n="",n+e}_7(t){let e=t;if(this.options.separateDialCode){let i=this._5(e);if(i){i=`+${this.s.dialCode}`;let n=e[i.length]===" "||e[i.length]==="-"?i.length+1:i.length;e=e.substring(n)}}return this._j2(e)}_8(){this._trigger("countrychange")}_9(){let t=this._6(),e=u.utils?u.utils.formatNumberAsYouType(t,this.s.iso2):t,{dialCode:i}=this.s;return this.options.separateDialCode&&this.a.value.charAt(0)!=="+"&&e.includes(`+${i}`)?(e.split(`+${i}`)[1]||"").trim():e}handleAutoCountry(){this.options.initialCountry==="auto"&&u.autoCountry&&(this.j=u.autoCountry,this.s.iso2||this.l.classList.contains("iti__globe")||this.setCountry(this.j),this.h())}handleUtils(){u.utils&&(this.a.value&&this._u(this.a.value),this.s.iso2&&(this._0(),this._z4())),this.i0()}destroy(){this.a.iti=void 0;let{allowDropdown:t,separateDialCode:e}=this.options;if(t){this._2(),this.selectedCountry.removeEventListener("click",this._a10),this.k.removeEventListener("keydown",this._a11);let s=this.a.closest("label");s&&s.removeEventListener("click",this._a9)}let{form:i}=this.a;this._a14&&i&&i.removeEventListener("submit",this._a14),this.a.removeEventListener("input",this._a12),this._a5&&this.a.removeEventListener("keydown",this._a5),this._handlePasteEvent&&this.a.removeEventListener("paste",this._handlePasteEvent),this.a.removeAttribute("data-intl-tel-input-id"),e&&(this.v?this.a.style.paddingRight=this.n1:this.a.style.paddingLeft=this.n2);let n=this.a.parentNode;n?.parentNode?.insertBefore(this.a,n),n?.parentNode?.removeChild(n),delete u.instances[this.id]}getExtension(){return u.utils?u.utils.getExtension(this._6(),this.s.iso2):""}getNumber(t){if(u.utils){let{iso2:e}=this.s;return u.utils.formatNumber(this._6(),e,t)}return""}getNumberType(){return u.utils?u.utils.getNumberType(this._6(),this.s.iso2):-99}getSelectedCountryData(){return this.s}getValidationError(){if(u.utils){let{iso2:t}=this.s;return u.utils.getValidationError(this._6(),t)}return-99}isValidNumber(){return this._9b(!1)}isValidNumberPrecise(){return this._9b(!0)}_9a(t){return u.utils?u.utils.isPossibleNumber(t,this.s.iso2,this.options.validationNumberTypes):null}_9b(t){if(!this.s.iso2)return!1;let e=r=>t?this._9c(r):this._9a(r),i=this._6(),n=i.search(/\p{L}/u);if(n>-1&&!this.options.allowPhonewords){let r=i.substring(0,n),o=e(r),d=e(i);return o&&d}return e(i)}_9c(t){return u.utils?u.utils.isValidNumber(t,this.s.iso2,this.options.validationNumberTypes):null}setCountry(t){let e=t?.toLowerCase(),i=this.s.iso2;(t&&e!==i||!t&&i)&&(this._z(e),this._4(this.s.dialCode),this.options.formatOnDisplay&&this._u(this.a.value),this._8())}setNumber(t){let e=this._v(t);this._u(t),e&&this._8(),this._trigger("input",{isSetNumber:!0})}setPlaceholderNumberType(t){this.options.placeholderNumberType=t,this._0()}setDisabled(t){this.a.disabled=t,t?this.selectedCountry.setAttribute("disabled","true"):this.selectedCountry.removeAttribute("disabled")}},Z=a=>{if(!u.utils&&!u.startedLoadingUtilsScript){let t;if(typeof a=="function")try{t=Promise.resolve(a())}catch(e){return Promise.reject(e)}else return Promise.reject(new TypeError(`The argument passed to attachUtils must be a function that returns a promise for the utilities module, not ${typeof a}`));return u.startedLoadingUtilsScript=!0,t.then(e=>{let i=e?.default;if(!i||typeof i!="object")throw new TypeError("The loader function passed to attachUtils did not resolve to a module object with utils as its default export.");return u.utils=i,_("handleUtils"),!0}).catch(e=>{throw _("rejectUtilsScriptPromise",e),e})}return null},u=Object.assign((a,t)=>{let e=new w(a,t);return e._init(),a.setAttribute("data-intl-tel-input-id",e.id.toString()),u.instances[e.id]=e,a.iti=e,e},{defaults:H,documentReady:()=>document.readyState==="complete",getCountryData:()=>b,getInstance:a=>{let t=a.getAttribute("data-intl-tel-input-id");return t?u.instances[t]:null},instances:{},attachUtils:Z,startedLoadingUtilsScript:!1,startedLoadingAutoCountry:!1,version:"25.10.7"}),Q=u;return j(X);})();
28
28
 
29
29
  // UMD
30
30
  return factoryOutput.default;
@@ -1,5 +1,5 @@
1
1
  /*
2
- * International Telephone Input v25.10.6
2
+ * International Telephone Input v25.10.7
3
3
  * https://github.com/jackocnr/intl-tel-input.git
4
4
  * Licensed under the MIT license
5
5
  */
@@ -2431,6 +2431,36 @@ var factoryOutput = (() => {
2431
2431
  };
2432
2432
  this.telInput.addEventListener("keydown", this._handleKeydownEvent);
2433
2433
  }
2434
+ if (strictMode) {
2435
+ this._handlePasteEvent = (e) => {
2436
+ e.preventDefault();
2437
+ const input = this.telInput;
2438
+ const selStart = input.selectionStart;
2439
+ const selEnd = input.selectionEnd;
2440
+ const pasted = e.clipboardData.getData("text");
2441
+ const initialCharSelected = selStart === 0 && selEnd > 0;
2442
+ const allowLeadingPlus = !input.value.startsWith("+") || initialCharSelected;
2443
+ const allowedChars = pasted.replace(/[^0-9+]/g, "");
2444
+ const hasLeadingPlus = allowedChars.startsWith("+");
2445
+ const numerics = allowedChars.replace(/\+/g, "");
2446
+ const sanitised = hasLeadingPlus && allowLeadingPlus ? `+${numerics}` : numerics;
2447
+ let newVal = input.value.slice(0, selStart) + sanitised + input.value.slice(selEnd);
2448
+ const coreNumber = intlTelInput.utils.getCoreNumber(newVal, this.selectedCountryData.iso2);
2449
+ if (this.maxCoreNumberLength && coreNumber.length > this.maxCoreNumberLength) {
2450
+ if (input.selectionEnd === input.value.length) {
2451
+ const trimLength = coreNumber.length - this.maxCoreNumberLength;
2452
+ newVal = newVal.slice(0, newVal.length - trimLength);
2453
+ } else {
2454
+ return;
2455
+ }
2456
+ }
2457
+ input.value = newVal;
2458
+ const caretPos = selStart + sanitised.length;
2459
+ input.setSelectionRange(caretPos, caretPos);
2460
+ input.dispatchEvent(new InputEvent("input", { bubbles: true }));
2461
+ };
2462
+ this.telInput.addEventListener("paste", this._handlePasteEvent);
2463
+ }
2434
2464
  }
2435
2465
  //* Adhere to the input's maxlength attr.
2436
2466
  _cap(number) {
@@ -3119,6 +3149,9 @@ var factoryOutput = (() => {
3119
3149
  if (this._handleKeydownEvent) {
3120
3150
  this.telInput.removeEventListener("keydown", this._handleKeydownEvent);
3121
3151
  }
3152
+ if (this._handlePasteEvent) {
3153
+ this.telInput.removeEventListener("paste", this._handlePasteEvent);
3154
+ }
3122
3155
  this.telInput.removeAttribute("data-intl-tel-input-id");
3123
3156
  if (separateDialCode) {
3124
3157
  if (this.isRTL) {
@@ -3297,7 +3330,7 @@ var factoryOutput = (() => {
3297
3330
  attachUtils,
3298
3331
  startedLoadingUtilsScript: false,
3299
3332
  startedLoadingAutoCountry: false,
3300
- version: "25.10.6"
3333
+ version: "25.10.7"
3301
3334
  }
3302
3335
  );
3303
3336
  var intl_tel_input_default = intlTelInput;