diff --git a/AWS-APP/Dashboard/dashboard.html b/AWS-APP/Dashboard/dashboard.html new file mode 100644 index 0000000..6cd6a19 --- /dev/null +++ b/AWS-APP/Dashboard/dashboard.html @@ -0,0 +1,65 @@ + + + + + + Dashboard - My Weekly Budget App + + + + + + + +
+
+

My Weekly Budget App

+ + + +
+ +
+
+

Budget Overview

+

+ Total Budget: R0 +

+

+ Spent So Far: R0 +

+

+ Remaining: R0 +

+
+ +
+

Add an Expense

+ + + +
+
+
+ + + + diff --git a/AWS-APP/Dashboard/scripts.js b/AWS-APP/Dashboard/scripts.js new file mode 100644 index 0000000..200c124 --- /dev/null +++ b/AWS-APP/Dashboard/scripts.js @@ -0,0 +1,193 @@ + +let amountSpent =0; +let totalBudget = 0; + +async function fetchData() { + const requestBody = { + username: sessionStorage.getItem('username') + }; + + try { + const response = await fetch('https://94u93wm33m.execute-api.af-south-1.amazonaws.com/test/budget-app-get', { + method: 'POST', + headers: { + 'Content-Type': 'application/json' + }, + body: JSON.stringify(requestBody) + }); + + if (!response.ok) { + throw new Error('Network response was not ok'); + } + + const data = await response.json(); + console.log(data); + displayIds(data.Items, data.Count); + } catch (error) { + console.error('There has been a problem with your fetch operation:', error); + } +} + +async function postData(name, amount) { + const now = new Date(); + const year = now.getFullYear(); + const month = String(now.getMonth() + 1).padStart(2, '0'); + const day = String(now.getDate()).padStart(2, '0'); + + const formattedDate = `${year}${month}${day}`; + console.log(formattedDate,name, amount); + const requestBody = { + "username": sessionStorage.getItem('username'), + "name": name, + "amount": amount.toString(), + "created_at": formattedDate + }; + + try { + const response = await fetch('https://94u93wm33m.execute-api.af-south-1.amazonaws.com/test/budgets-app-resource', { + method: 'POST', + headers: { + 'Content-Type': 'application/json' + }, + body: JSON.stringify(requestBody) + }); + + if (!response.ok) { + throw new Error('Network response was not ok'); + } + + const data = await response.json(); + console.log(data); + + } catch (error) { + console.error('There has been a problem with your fetch operation:', error); + } +} + + +function displayIds(items, count) { + const responseArea = document.getElementById('budget-items'); + responseArea.innerHTML = ''; // Clear previous results + + if (count === 0) { + document.getElementById('budget-items').style.display = 'none'; + } else { + document.getElementById('budget-items').style.display = 'block'; + + // Reset amountSpent to 0 before calculating the total from fetched items + amountSpent = 0; + + items.forEach(item => { + // Create a new div element + const div = document.createElement('div'); + + // Set the content of the div + div.innerHTML = `Title: ${item.name.S}
Amount: ${item.amount.N}`; + + // Add the item's amount to the total amountSpent + amountSpent += parseFloat(item.amount.N); + + // Apply styles to the div + div.style.padding = '20px'; + div.style.borderRadius = '5px'; + div.style.marginTop = '10px'; + div.style.marginBottom = '10px'; + div.style.backgroundColor = '#ccc'; + + // Append the div to the responseArea + responseArea.appendChild(div); + }); + + // Update the displayed spent amount + document.getElementById('spent-amount').textContent = amountSpent.toFixed(2); + const remaining = totalBudget - amountSpent; + const remainingElement = document.getElementById('remaining-amount'); + remainingElement.textContent = remaining.toFixed(2); + + document.getElementById('spent-amount').textContent = amountSpent.toFixed(2); + + if (amountSpent / totalBudget >= 0.75) { + remainingElement.classList.add('red'); + remainingElement.classList.remove('orange'); + } else if (amountSpent / totalBudget >= 0.50) { + remainingElement.classList.add('orange'); + remainingElement.classList.remove('red'); + } else { + remainingElement.classList.remove('red', 'orange'); + } + } +} + +function capitalizeFirstLetter(string) { + if (!string) return string; // Return the original string if it's empty + return string.charAt(0).toUpperCase() + string.slice(1); +} + +document.addEventListener('DOMContentLoaded', function() { + + + if (!sessionStorage.getItem('username')) { + window.location.href = '../Login/index.html'; + } + + + + document.getElementById('username').textContent = sessionStorage.getItem('username') || 'User'; + + document.getElementById('set-budget-btn').addEventListener('click', function() { + const budget = prompt("What's your budget for this week?"); + totalBudget = parseFloat(budget); + if (isNaN(totalBudget)) {alert('Please enter a valid number'); return;} + document.getElementById('total-budget').textContent = totalBudget.toFixed(2); + if (totalBudget) { + document.getElementById('set-budget-btn').style.display = 'none'; + fetchData(); + updateBudgetDisplay();} + + }); + + document.getElementById('add-expense-btn').addEventListener('click', function() { + const name = capitalizeFirstLetter(document.getElementById('expense-name').value); + const amount = parseFloat(document.getElementById('expense-amount').value); + if (totalBudget===0) {alert('Please set a budget first'); return;} + else if (name && amount ) { + amountSpent += amount; + const div = document.createElement('div'); + + // Set the content of the div + div.innerHTML = `Title: ${name}
Amount: ${amount}`; + + // Add the item's amount to the total amountSpent + // amountSpent += parseFloat(item.amount); + + // Apply styles to the div + div.style.padding = '20px'; + div.style.borderRadius = '5px'; + div.style.marginTop = '10px'; + div.style.marginBottom = '10px'; + div.style.backgroundColor = '#ccc'; + + document.getElementById('budget-items').appendChild(div); + postData(name, amount); + updateBudgetDisplay(); + } + }); + + function updateBudgetDisplay() { + const remaining = totalBudget - amountSpent; + const remainingElement = document.getElementById('remaining-amount'); + remainingElement.textContent = remaining.toFixed(2); + + document.getElementById('spent-amount').textContent = amountSpent.toFixed(2); + + if (amountSpent / totalBudget >= 0.75) { + remainingElement.classList.add('red'); + remainingElement.classList.remove('orange'); + } else if (amountSpent / totalBudget >= 0.50) { + remainingElement.classList.add('orange'); + remainingElement.classList.remove('red'); + } else { + remainingElement.classList.remove('red', 'orange'); + } + } +}); diff --git a/AWS-APP/Dashboard/styles.css b/AWS-APP/Dashboard/styles.css new file mode 100644 index 0000000..2dfc886 --- /dev/null +++ b/AWS-APP/Dashboard/styles.css @@ -0,0 +1,130 @@ + + +body { + font-family: Arial, sans-serif; + display: flex; + justify-content: center; + align-items: center; + flex-direction: column; + height: 100%; + width: 100%; + overflow: hidden; +} + +#expense-name, #expense-amount { + width: 95%; + margin-bottom: 1rem; + padding: 10px; + border: 1px solid #ccc; + border-radius: 5px; +} + +.horizontal_display{ + display: flex; + justify-content: center; + align-items: center; +} + +#username{ + color: #5c94de; + +} + +#logout-btn { + width: 5rem; + margin: 0 1rem; +} + +.navbar a { + text-decoration: none; + color: #000; + padding: 0.5rem 1rem; +} + +.navbar a:hover { + text-decoration: underline; + text-decoration-color: #5c94de; +} + +.dashboard-header { + padding-top: 50px; +} +.formbtn { + width: 100%; + margin: 20px 0px 5px 0; + padding: 10px; + border: none; + background-color: #5c85d6; + color: white; + cursor: pointer; + border-radius: 5px; +} + + +button:hover { + background-color: #4d70b8; +} + +.budget-display, .expense-tracker { + margin: 1rem; + margin-top: 3rem; + + padding: 1rem; + background: #e3f2fd; + border: 1px solid #90caf9; + border-radius: 5px; +} + +.dashboard-header{ + margin-right: 10rem; + width: 25rem; +} + +.dashboard-header h2{ + text-align: center; +} + + +.navigation-header{ + width: 95%; + display: flex; + justify-content: space-between; + align-items: center; +} + +#budget-items{ + margin-top: 1.5rem; + display: none; + background-color: #f6f7f8; + padding: 1rem; + padding-top: 0; + border-radius: 20px 0 0 20px; + overflow-y: auto; + height: 18rem; +} +s +#budget-items::-webkit-scrollbar { + width: 12px; /* width of the entire scrollbar */ +} + +#budget-items::-webkit-scrollbar-track { + background: #ccc; + border-radius: 20px; +} + +#budget-items::-webkit-scrollbar-thumb { + background-color: #5c94de; + border-radius: 20px; +} + +#budget-amount, #amount-spent, #remaining-budget { + font-weight: bold; +} + +.orange { + color: orange; +} + +.red { + color: red; +} \ No newline at end of file diff --git a/AWS-APP/Login/index.html b/AWS-APP/Login/index.html new file mode 100644 index 0000000..ff4790c --- /dev/null +++ b/AWS-APP/Login/index.html @@ -0,0 +1,32 @@ + + + + + + + Login + + + +
+
+

Login

+ + + +

+ Don't have an account? + +

+
+
+ + + + diff --git a/AWS-APP/Login/login.js b/AWS-APP/Login/login.js new file mode 100644 index 0000000..092a0f7 --- /dev/null +++ b/AWS-APP/Login/login.js @@ -0,0 +1,42 @@ +// AWS.config.region = 'af-south-1'; + +const userPool = new AmazonCognitoIdentity.CognitoUserPool({ + UserPoolId: 'af-south-1_lURIH3IFw', + ClientId: '23hinerifjsno4tbq6bbrcencc', // Generated in the Cognito User Pool settings +}); + + +function loginUser(name, password) { + const authenticationDetails = new AmazonCognitoIdentity.AuthenticationDetails({ + Username: name, + Password: password, + }); + + const cognitoUser = new AmazonCognitoIdentity.CognitoUser({ + Username: name, + Pool: userPool, + }); + + cognitoUser.authenticateUser(authenticationDetails, { + onSuccess: function(result) { + console.log('User login successful:', result); + sessionStorage.setItem('username', name); + window.location.href = '../Dashboard/dashboard.html'; + + }, + onFailure: function(err) { + console.error('User login failed:', err); + alert(err.message || JSON.stringify(err)); + }, + }); +} + + +document.getElementById('login-form').addEventListener('submit', function(event){ + event.preventDefault(); + // Here you would validate the user's credentials + // For demonstration, we'll just redirect + const name = document.getElementById('login-username').value; + const password = document.getElementById('login-password').value; + loginUser(name, password); +}); \ No newline at end of file diff --git a/AWS-APP/Register/register.js b/AWS-APP/Register/register.js new file mode 100644 index 0000000..658507a --- /dev/null +++ b/AWS-APP/Register/register.js @@ -0,0 +1,47 @@ + + +const userPool = new AmazonCognitoIdentity.CognitoUserPool({ + UserPoolId: 'af-south-1_lURIH3IFw', + ClientId: '23hinerifjsno4tbq6bbrcencc', // Generated in the Cognito User Pool settings +}); + + + + +function registerUser(name,email,phone_number, password) { + const attributeList = [ + new AmazonCognitoIdentity.CognitoUserAttribute({ + Name: 'email', + Value: email, + }), + new AmazonCognitoIdentity.CognitoUserAttribute({ + Name: 'phone_number', + Value: phone_number, + }), + ]; + + userPool.signUp(name, password, attributeList, null, (err, result) => { + if (err) { + console.error(err); + alert(err.message) + return; + } + console.log('User registration successful:', result); + sessionStorage.setItem('username', name); + alert('User registration successful'); + window.location.href = '../Verification/verify.html'; + }); +} + + +document.getElementById('signup-form').addEventListener('submit', function(event){ + event.preventDefault(); + const email = document.getElementById('signup-email').value; + const password = document.getElementById('signup-password').value; + const name = document.getElementById('signup-name').value; + const phone_number = document.getElementById('signup-phone-number').value; + registerUser(name,email, phone_number, password); + // window.location.href = 'login.html'; +}); + + diff --git a/AWS-APP/Register/signup.html b/AWS-APP/Register/signup.html new file mode 100644 index 0000000..7d1b2df --- /dev/null +++ b/AWS-APP/Register/signup.html @@ -0,0 +1,31 @@ + + + + + + +Signup + + + +
+
+

Sign Up

+
+ + + + +
+ + +

+ Already have an account? + +

+
+
+ + + + diff --git a/AWS-APP/Verification/verify.html b/AWS-APP/Verification/verify.html new file mode 100644 index 0000000..ab68bb4 --- /dev/null +++ b/AWS-APP/Verification/verify.html @@ -0,0 +1,21 @@ + + + + + + Verify OTP + + + +
+
+

OTP Verification

+ + + +
+
+ + + + diff --git a/AWS-APP/Verification/verify.js b/AWS-APP/Verification/verify.js new file mode 100644 index 0000000..0079e3a --- /dev/null +++ b/AWS-APP/Verification/verify.js @@ -0,0 +1,45 @@ + +const userPool = new AmazonCognitoIdentity.CognitoUserPool({ + UserPoolId: 'af-south-1_lURIH3IFw', + ClientId: '23hinerifjsno4tbq6bbrcencc', // Generated in the Cognito User Pool settings +}); + +document.addEventListener('DOMContentLoaded', function() { + if (!sessionStorage.getItem('username')) { + window.location.href = '../Login/index.html'; + } +}) + +document.getElementById('otp-form').addEventListener('submit', function(event){ + event.preventDefault(); + const otpCode = document.getElementById('otp-code').value; + verifyUser(otpCode); +}); + + + +function verifyUser(otpCode) { + // Assuming you have the user's username stored or passed from the previous page + // const username = sessionStorage.getItem('username'); + console.log("OTP Code:", otpCode); + const username = sessionStorage.getItem('username'); + console.log("Username from session storage:", username); + + if (!username) { + console.error("Username not found in session storage"); + return; + } + const user = new AmazonCognitoIdentity.CognitoUser({ + Username: username, + Pool: userPool, + }); + + user.confirmRegistration(otpCode, true, function(err, result) { + if (err) { + console.error(err); + return; + } + alert(result); + window.location.href = '../Login/index.html'; + }); +} diff --git a/AWS-APP/styles.css b/AWS-APP/styles.css new file mode 100644 index 0000000..03048b3 --- /dev/null +++ b/AWS-APP/styles.css @@ -0,0 +1,90 @@ +body { + font-family: Arial, sans-serif; + display: flex; + justify-content: center; + align-items: center; + flex-direction: column; + height: 100%; + width: 100%; + overflow: hidden; +} + +.otp-form{ + display: flex; + flex-direction: column; + justify-content: center; + align-items: center; +} + + + +.horizontal_display{ + display: flex; + justify-content: center; + align-items: center; +} + +.signup-atag{ + color: #5c94de; + text-decoration: none; + +} + +.login-container, .signup-container, .opt-container { + width: 50rem; + padding: 2rem; + margin-top: 8rem; + /* margin-bottom: 0rem; */ + background-color: #f6f7f8; + border: 1px solid #ccc; + border-radius: 0.5rem; + display: flex; + justify-content: center; + align-items: center; +} + +input[type=email],#login-email, input[type=password], input[type=text], input[type=number] { + width: 100%; + padding: 10px; + margin: 10px 0; + border: 1px solid #ccc; + border-radius: 5px; +} + + +.formbtn { + width: 100%; + margin: 20px 0px 5px 0; + padding: 10px; + border: none; + background-color: #5c85d6; + color: white; + cursor: pointer; + border-radius: 5px; +} +input[type=email],#login-username, input[type=password], input[type=text], input[type=number] { + width: 100%; + padding: 10px; + margin: 10px 0; + border: 1px solid #ccc; + border-radius: 5px; +} + +button:hover { + background-color: #4d70b8; +} + +#login-form, #signup-form { + display: flex; + flex-direction: column; + width: 100%; + padding: 0 10rem; + justify-content: center; + align-items: center; +} + +form h2 { + text-align: center; +} + + diff --git a/AWS-APP/utils/amazon-cognito-identity.min.js b/AWS-APP/utils/amazon-cognito-identity.min.js new file mode 100644 index 0000000..0f52709 --- /dev/null +++ b/AWS-APP/utils/amazon-cognito-identity.min.js @@ -0,0 +1,121 @@ +/*! + * Copyright 2016 Amazon.com, + * Inc. or its affiliates. All Rights Reserved. + * + * Licensed under the Amazon Software License (the "License"). + * You may not use this file except in compliance with the + * License. A copy of the License is located at + * + * http://aws.amazon.com/asl/ + * + * or in the "license" file accompanying this file. This file is + * distributed on an "AS IS" BASIS, WITHOUT WARRANTIES OR + * CONDITIONS OF ANY KIND, express or implied. See the License + * for the specific language governing permissions and + * limitations under the License. + */ +!function(e,t){"object"==typeof exports&&"object"==typeof module?module.exports=t():"function"==typeof define&&define.amd?define([],t):"object"==typeof exports?exports.AmazonCognitoIdentity=t():e.AmazonCognitoIdentity=t()}(this,function(){return function(e){function t(r){if(n[r])return n[r].exports;var i=n[r]={exports:{},id:r,loaded:!1};return e[r].call(i.exports,i,i.exports,t),i.loaded=!0,i.exports}var n={};return t.m=e,t.c=n,t.p="",t(0)}([function(e,t,n){"use strict";function r(e){return e&&e.__esModule?e:{default:e}}t.__esModule=!0;var i=n(19);Object.defineProperty(t,"AuthenticationDetails",{enumerable:!0,get:function(){return r(i).default}});var o=n(3);Object.defineProperty(t,"AuthenticationHelper",{enumerable:!0,get:function(){return r(o).default}});var s=n(5);Object.defineProperty(t,"CognitoAccessToken",{enumerable:!0,get:function(){return r(s).default}});var a=n(6);Object.defineProperty(t,"CognitoIdToken",{enumerable:!0,get:function(){return r(a).default}});var u=n(8);Object.defineProperty(t,"CognitoRefreshToken",{enumerable:!0,get:function(){return r(u).default}});var c=n(9);Object.defineProperty(t,"CognitoUser",{enumerable:!0,get:function(){return r(c).default}});var h=n(10);Object.defineProperty(t,"CognitoUserAttribute",{enumerable:!0,get:function(){return r(h).default}});var f=n(21);Object.defineProperty(t,"CognitoUserPool",{enumerable:!0,get:function(){return r(f).default}});var l=n(11);Object.defineProperty(t,"CognitoUserSession",{enumerable:!0,get:function(){return r(l).default}});var p=n(22);Object.defineProperty(t,"CookieStorage",{enumerable:!0,get:function(){return r(p).default}});var d=n(12);Object.defineProperty(t,"DateHelper",{enumerable:!0,get:function(){return r(d).default}})},function(e,t,n){(function(e){/*! + * The buffer module from node.js, for the browser. + * + * @author Feross Aboukhadijeh + * @license MIT + */ +"use strict";function r(){try{var e=new Uint8Array(1);return e.__proto__={__proto__:Uint8Array.prototype,foo:function(){return 42}},42===e.foo()&&"function"==typeof e.subarray&&0===e.subarray(1,1).byteLength}catch(e){return!1}}function i(){return s.TYPED_ARRAY_SUPPORT?2147483647:1073741823}function o(e,t){if(i()=i())throw new RangeError("Attempt to allocate Buffer larger than maximum size: 0x"+i().toString(16)+" bytes");return 0|e}function v(e){return+e!=e&&(e=0),s.alloc(+e)}function y(e,t){if(s.isBuffer(e))return e.length;if("undefined"!=typeof ArrayBuffer&&"function"==typeof ArrayBuffer.isView&&(ArrayBuffer.isView(e)||e instanceof ArrayBuffer))return e.byteLength;"string"!=typeof e&&(e=""+e);var n=e.length;if(0===n)return 0;for(var r=!1;;)switch(t){case"ascii":case"latin1":case"binary":return n;case"utf8":case"utf-8":case void 0:return H(e).length;case"ucs2":case"ucs-2":case"utf16le":case"utf-16le":return 2*n;case"hex":return n>>>1;case"base64":return G(e).length;default:if(r)return H(e).length;t=(""+t).toLowerCase(),r=!0}}function m(e,t,n){var r=!1;if((void 0===t||t<0)&&(t=0),t>this.length)return"";if((void 0===n||n>this.length)&&(n=this.length),n<=0)return"";if(n>>>=0,t>>>=0,n<=t)return"";for(e||(e="utf8");;)switch(e){case"hex":return F(this,t,n);case"utf8":case"utf-8":return P(this,t,n);case"ascii":return b(this,t,n);case"latin1":case"binary":return k(this,t,n);case"base64":return R(this,t,n);case"ucs2":case"ucs-2":case"utf16le":case"utf-16le":return B(this,t,n);default:if(r)throw new TypeError("Unknown encoding: "+e);e=(e+"").toLowerCase(),r=!0}}function S(e,t,n){var r=e[t];e[t]=e[n],e[n]=r}function w(e,t,n,r,i){if(0===e.length)return-1;if("string"==typeof n?(r=n,n=0):n>2147483647?n=2147483647:n<-2147483648&&(n=-2147483648),n=+n,isNaN(n)&&(n=i?0:e.length-1),n<0&&(n=e.length+n),n>=e.length){if(i)return-1;n=e.length-1}else if(n<0){if(!i)return-1;n=0}if("string"==typeof t&&(t=s.from(t,r)),s.isBuffer(t))return 0===t.length?-1:A(e,t,n,r,i);if("number"==typeof t)return t&=255,s.TYPED_ARRAY_SUPPORT&&"function"==typeof Uint8Array.prototype.indexOf?i?Uint8Array.prototype.indexOf.call(e,t,n):Uint8Array.prototype.lastIndexOf.call(e,t,n):A(e,[t],n,r,i);throw new TypeError("val must be string, number or Buffer")}function A(e,t,n,r,i){function o(e,t){return 1===s?e[t]:e.readUInt16BE(t*s)}var s=1,a=e.length,u=t.length;if(void 0!==r&&(r=String(r).toLowerCase(),"ucs2"===r||"ucs-2"===r||"utf16le"===r||"utf-16le"===r)){if(e.length<2||t.length<2)return-1;s=2,a/=2,u/=2,n/=2}var c;if(i){var h=-1;for(c=n;ca&&(n=a-u),c=n;c>=0;c--){for(var f=!0,l=0;li&&(r=i)):r=i;var o=t.length;if(o%2!==0)throw new TypeError("Invalid hex string");r>o/2&&(r=o/2);for(var s=0;s239?4:o>223?3:o>191?2:1;if(i+a<=n){var u,c,h,f;switch(a){case 1:o<128&&(s=o);break;case 2:u=e[i+1],128===(192&u)&&(f=(31&o)<<6|63&u,f>127&&(s=f));break;case 3:u=e[i+1],c=e[i+2],128===(192&u)&&128===(192&c)&&(f=(15&o)<<12|(63&u)<<6|63&c,f>2047&&(f<55296||f>57343)&&(s=f));break;case 4:u=e[i+1],c=e[i+2],h=e[i+3],128===(192&u)&&128===(192&c)&&128===(192&h)&&(f=(15&o)<<18|(63&u)<<12|(63&c)<<6|63&h,f>65535&&f<1114112&&(s=f))}}null===s?(s=65533,a=1):s>65535&&(s-=65536,r.push(s>>>10&1023|55296),s=56320|1023&s),r.push(s),i+=a}return _(r)}function _(e){var t=e.length;if(t<=ee)return String.fromCharCode.apply(String,e);for(var n="",r=0;rr)&&(n=r);for(var i="",o=t;on)throw new RangeError("Trying to access beyond buffer length")}function x(e,t,n,r,i,o){if(!s.isBuffer(e))throw new TypeError('"buffer" argument must be a Buffer instance');if(t>i||te.length)throw new RangeError("Index out of range")}function O(e,t,n,r){t<0&&(t=65535+t+1);for(var i=0,o=Math.min(e.length-n,2);i>>8*(r?i:1-i)}function N(e,t,n,r){t<0&&(t=4294967295+t+1);for(var i=0,o=Math.min(e.length-n,4);i>>8*(r?i:3-i)&255}function V(e,t,n,r,i,o){if(n+r>e.length)throw new RangeError("Index out of range");if(n<0)throw new RangeError("Index out of range")}function K(e,t,n,r,i){return i||V(e,t,n,4,3.4028234663852886e38,-3.4028234663852886e38),Q.write(e,t,n,r,23,4),n+4}function q(e,t,n,r,i){return i||V(e,t,n,8,1.7976931348623157e308,-1.7976931348623157e308),Q.write(e,t,n,r,52,8),n+8}function L(e){if(e=Y(e).replace(te,""),e.length<2)return"";for(;e.length%4!==0;)e+="=";return e}function Y(e){return e.trim?e.trim():e.replace(/^\s+|\s+$/g,"")}function j(e){return e<16?"0"+e.toString(16):e.toString(16)}function H(e,t){t=t||1/0;for(var n,r=e.length,i=null,o=[],s=0;s55295&&n<57344){if(!i){if(n>56319){(t-=3)>-1&&o.push(239,191,189);continue}if(s+1===r){(t-=3)>-1&&o.push(239,191,189);continue}i=n;continue}if(n<56320){(t-=3)>-1&&o.push(239,191,189),i=n;continue}n=(i-55296<<10|n-56320)+65536}else i&&(t-=3)>-1&&o.push(239,191,189);if(i=null,n<128){if((t-=1)<0)break;o.push(n)}else if(n<2048){if((t-=2)<0)break;o.push(n>>6|192,63&n|128)}else if(n<65536){if((t-=3)<0)break;o.push(n>>12|224,n>>6&63|128,63&n|128)}else{if(!(n<1114112))throw new Error("Invalid code point");if((t-=4)<0)break;o.push(n>>18|240,n>>12&63|128,n>>6&63|128,63&n|128)}}return o}function J(e){for(var t=[],n=0;n>8,i=n%256,o.push(i),o.push(r);return o}function G(e){return X.toByteArray(L(e))}function z(e,t,n,r){for(var i=0;i=t.length||i>=e.length);++i)t[i+n]=e[i];return i}function Z(e){return e!==e}var X=n(15),Q=n(16),$=n(17);t.Buffer=s,t.SlowBuffer=v,t.INSPECT_MAX_BYTES=50,s.TYPED_ARRAY_SUPPORT=void 0!==e.TYPED_ARRAY_SUPPORT?e.TYPED_ARRAY_SUPPORT:r(),t.kMaxLength=i(),s.poolSize=8192,s._augment=function(e){return e.__proto__=s.prototype,e},s.from=function(e,t,n){return a(null,e,t,n)},s.TYPED_ARRAY_SUPPORT&&(s.prototype.__proto__=Uint8Array.prototype,s.__proto__=Uint8Array,"undefined"!=typeof Symbol&&Symbol.species&&s[Symbol.species]===s&&Object.defineProperty(s,Symbol.species,{value:null,configurable:!0})),s.alloc=function(e,t,n){return c(null,e,t,n)},s.allocUnsafe=function(e){return h(null,e)},s.allocUnsafeSlow=function(e){return h(null,e)},s.isBuffer=function(e){return!(null==e||!e._isBuffer)},s.compare=function(e,t){if(!s.isBuffer(e)||!s.isBuffer(t))throw new TypeError("Arguments must be Buffers");if(e===t)return 0;for(var n=e.length,r=t.length,i=0,o=Math.min(n,r);i0&&(e=this.toString("hex",0,n).match(/.{2}/g).join(" "),this.length>n&&(e+=" ... ")),""},s.prototype.compare=function(e,t,n,r,i){if(!s.isBuffer(e))throw new TypeError("Argument must be a Buffer");if(void 0===t&&(t=0),void 0===n&&(n=e?e.length:0),void 0===r&&(r=0),void 0===i&&(i=this.length),t<0||n>e.length||r<0||i>this.length)throw new RangeError("out of range index");if(r>=i&&t>=n)return 0;if(r>=i)return-1;if(t>=n)return 1;if(t>>>=0,n>>>=0,r>>>=0,i>>>=0,this===e)return 0;for(var o=i-r,a=n-t,u=Math.min(o,a),c=this.slice(r,i),h=e.slice(t,n),f=0;fi)&&(n=i),e.length>0&&(n<0||t<0)||t>this.length)throw new RangeError("Attempt to write outside buffer bounds");r||(r="utf8");for(var o=!1;;)switch(r){case"hex":return C(this,e,t,n);case"utf8":case"utf-8":return U(this,e,t,n);case"ascii":return E(this,e,t,n);case"latin1":case"binary":return T(this,e,t,n);case"base64":return D(this,e,t,n);case"ucs2":case"ucs-2":case"utf16le":case"utf-16le":return I(this,e,t,n);default:if(o)throw new TypeError("Unknown encoding: "+r);r=(""+r).toLowerCase(),o=!0}},s.prototype.toJSON=function(){return{type:"Buffer",data:Array.prototype.slice.call(this._arr||this,0)}};var ee=4096;s.prototype.slice=function(e,t){var n=this.length;e=~~e,t=void 0===t?n:~~t,e<0?(e+=n,e<0&&(e=0)):e>n&&(e=n),t<0?(t+=n,t<0&&(t=0)):t>n&&(t=n),t0&&(i*=256);)r+=this[e+--t]*i;return r},s.prototype.readUInt8=function(e,t){return t||M(e,1,this.length),this[e]},s.prototype.readUInt16LE=function(e,t){return t||M(e,2,this.length),this[e]|this[e+1]<<8},s.prototype.readUInt16BE=function(e,t){return t||M(e,2,this.length),this[e]<<8|this[e+1]},s.prototype.readUInt32LE=function(e,t){return t||M(e,4,this.length),(this[e]|this[e+1]<<8|this[e+2]<<16)+16777216*this[e+3]},s.prototype.readUInt32BE=function(e,t){return t||M(e,4,this.length),16777216*this[e]+(this[e+1]<<16|this[e+2]<<8|this[e+3])},s.prototype.readIntLE=function(e,t,n){e|=0,t|=0,n||M(e,t,this.length);for(var r=this[e],i=1,o=0;++o=i&&(r-=Math.pow(2,8*t)),r},s.prototype.readIntBE=function(e,t,n){e|=0,t|=0,n||M(e,t,this.length);for(var r=t,i=1,o=this[e+--r];r>0&&(i*=256);)o+=this[e+--r]*i;return i*=128,o>=i&&(o-=Math.pow(2,8*t)),o},s.prototype.readInt8=function(e,t){return t||M(e,1,this.length),128&this[e]?(255-this[e]+1)*-1:this[e]},s.prototype.readInt16LE=function(e,t){t||M(e,2,this.length);var n=this[e]|this[e+1]<<8;return 32768&n?4294901760|n:n},s.prototype.readInt16BE=function(e,t){t||M(e,2,this.length);var n=this[e+1]|this[e]<<8;return 32768&n?4294901760|n:n},s.prototype.readInt32LE=function(e,t){return t||M(e,4,this.length),this[e]|this[e+1]<<8|this[e+2]<<16|this[e+3]<<24},s.prototype.readInt32BE=function(e,t){return t||M(e,4,this.length),this[e]<<24|this[e+1]<<16|this[e+2]<<8|this[e+3]},s.prototype.readFloatLE=function(e,t){return t||M(e,4,this.length),Q.read(this,e,!0,23,4)},s.prototype.readFloatBE=function(e,t){return t||M(e,4,this.length),Q.read(this,e,!1,23,4)},s.prototype.readDoubleLE=function(e,t){return t||M(e,8,this.length),Q.read(this,e,!0,52,8)},s.prototype.readDoubleBE=function(e,t){return t||M(e,8,this.length),Q.read(this,e,!1,52,8)},s.prototype.writeUIntLE=function(e,t,n,r){if(e=+e,t|=0,n|=0,!r){var i=Math.pow(2,8*n)-1;x(this,e,t,n,i,0)}var o=1,s=0;for(this[t]=255&e;++s=0&&(s*=256);)this[t+o]=e/s&255;return t+n},s.prototype.writeUInt8=function(e,t,n){return e=+e,t|=0,n||x(this,e,t,1,255,0),s.TYPED_ARRAY_SUPPORT||(e=Math.floor(e)),this[t]=255&e,t+1},s.prototype.writeUInt16LE=function(e,t,n){return e=+e,t|=0,n||x(this,e,t,2,65535,0),s.TYPED_ARRAY_SUPPORT?(this[t]=255&e,this[t+1]=e>>>8):O(this,e,t,!0),t+2},s.prototype.writeUInt16BE=function(e,t,n){return e=+e,t|=0,n||x(this,e,t,2,65535,0),s.TYPED_ARRAY_SUPPORT?(this[t]=e>>>8,this[t+1]=255&e):O(this,e,t,!1),t+2},s.prototype.writeUInt32LE=function(e,t,n){return e=+e,t|=0,n||x(this,e,t,4,4294967295,0),s.TYPED_ARRAY_SUPPORT?(this[t+3]=e>>>24,this[t+2]=e>>>16,this[t+1]=e>>>8,this[t]=255&e):N(this,e,t,!0),t+4},s.prototype.writeUInt32BE=function(e,t,n){return e=+e,t|=0,n||x(this,e,t,4,4294967295,0),s.TYPED_ARRAY_SUPPORT?(this[t]=e>>>24,this[t+1]=e>>>16,this[t+2]=e>>>8,this[t+3]=255&e):N(this,e,t,!1),t+4},s.prototype.writeIntLE=function(e,t,n,r){if(e=+e,t|=0,!r){var i=Math.pow(2,8*n-1);x(this,e,t,n,i-1,-i)}var o=0,s=1,a=0;for(this[t]=255&e;++o>0)-a&255;return t+n},s.prototype.writeIntBE=function(e,t,n,r){if(e=+e,t|=0,!r){var i=Math.pow(2,8*n-1);x(this,e,t,n,i-1,-i)}var o=n-1,s=1,a=0;for(this[t+o]=255&e;--o>=0&&(s*=256);)e<0&&0===a&&0!==this[t+o+1]&&(a=1),this[t+o]=(e/s>>0)-a&255;return t+n},s.prototype.writeInt8=function(e,t,n){return e=+e,t|=0,n||x(this,e,t,1,127,-128),s.TYPED_ARRAY_SUPPORT||(e=Math.floor(e)),e<0&&(e=255+e+1),this[t]=255&e,t+1},s.prototype.writeInt16LE=function(e,t,n){return e=+e,t|=0,n||x(this,e,t,2,32767,-32768),s.TYPED_ARRAY_SUPPORT?(this[t]=255&e,this[t+1]=e>>>8):O(this,e,t,!0),t+2},s.prototype.writeInt16BE=function(e,t,n){return e=+e,t|=0,n||x(this,e,t,2,32767,-32768),s.TYPED_ARRAY_SUPPORT?(this[t]=e>>>8,this[t+1]=255&e):O(this,e,t,!1),t+2},s.prototype.writeInt32LE=function(e,t,n){return e=+e,t|=0,n||x(this,e,t,4,2147483647,-2147483648),s.TYPED_ARRAY_SUPPORT?(this[t]=255&e,this[t+1]=e>>>8,this[t+2]=e>>>16,this[t+3]=e>>>24):N(this,e,t,!0),t+4},s.prototype.writeInt32BE=function(e,t,n){return e=+e,t|=0,n||x(this,e,t,4,2147483647,-2147483648),e<0&&(e=4294967295+e+1),s.TYPED_ARRAY_SUPPORT?(this[t]=e>>>24,this[t+1]=e>>>16,this[t+2]=e>>>8,this[t+3]=255&e):N(this,e,t,!1),t+4},s.prototype.writeFloatLE=function(e,t,n){return K(this,e,t,!0,n)},s.prototype.writeFloatBE=function(e,t,n){return K(this,e,t,!1,n)},s.prototype.writeDoubleLE=function(e,t,n){return q(this,e,t,!0,n)},s.prototype.writeDoubleBE=function(e,t,n){return q(this,e,t,!1,n)},s.prototype.copy=function(e,t,n,r){if(n||(n=0),r||0===r||(r=this.length),t>=e.length&&(t=e.length),t||(t=0),r>0&&r=this.length)throw new RangeError("sourceStart out of bounds");if(r<0)throw new RangeError("sourceEnd out of bounds");r>this.length&&(r=this.length),e.length-t=0;--i)e[i+t]=this[i+n];else if(o<1e3||!s.TYPED_ARRAY_SUPPORT)for(i=0;i>>=0,n=void 0===n?this.length:n>>>0,e||(e=0);var o;if("number"==typeof e)for(o=t;o=0;){var s=t*this[e++]+n[r]+i;i=Math.floor(s/67108864),n[r++]=67108863&s}return i}function o(e,t,n,r,i,o){for(var s=32767&t,a=t>>15;--o>=0;){var u=32767&this[e],c=this[e++]>>15,h=a*u+c*s;u=s*u+((32767&h)<<15)+n[r]+(1073741823&i),i=(u>>>30)+(h>>>15)+a*c+(i>>>30),n[r++]=1073741823&u}return i}function s(e,t,n,r,i,o){for(var s=16383&t,a=t>>14;--o>=0;){var u=16383&this[e],c=this[e++]>>14,h=a*u+c*s;u=s*u+((16383&h)<<14)+n[r]+i,i=(u>>28)+(h>>14)+a*c,n[r++]=268435455&u}return i}function a(e){return Z.charAt(e)}function u(e,t){var n=X[e.charCodeAt(t)];return null==n?-1:n}function c(e){for(var t=this.t-1;t>=0;--t)e[t]=this[t];e.t=this.t,e.s=this.s}function h(e){this.t=1,this.s=e<0?-1:0,e>0?this[0]=e:e<-1?this[0]=e+this.DV:this.t=0}function f(e){var t=r();return t.fromInt(e),t}function l(e,t){var r;if(16==t)r=4;else if(8==t)r=3;else if(2==t)r=1;else if(32==t)r=5;else{if(4!=t)throw new Error("Only radix 2, 4, 8, 16, 32 are supported");r=2}this.t=0,this.s=0;for(var i=e.length,o=!1,s=0;--i>=0;){var a=u(e,i);a<0?"-"==e.charAt(i)&&(o=!0):(o=!1,0==s?this[this.t++]=a:s+r>this.DB?(this[this.t-1]|=(a&(1<>this.DB-s):this[this.t-1]|=a<=this.DB&&(s-=this.DB))}this.clamp(),o&&n.ZERO.subTo(this,this)}function p(){for(var e=this.s&this.DM;this.t>0&&this[this.t-1]==e;)--this.t}function d(e){if(this.s<0)return"-"+this.negate().toString();var t;if(16==e)t=4;else if(8==e)t=3;else if(2==e)t=1;else if(32==e)t=5;else{if(4!=e)throw new Error("Only radix 2, 4, 8, 16, 32 are supported");t=2}var n,r=(1<0)for(u>u)>0&&(i=!0,o=a(n));s>=0;)u>(u+=this.DB-t)):(n=this[s]>>(u-=t)&r,u<=0&&(u+=this.DB,--s)),n>0&&(i=!0),i&&(o+=a(n));return i?o:"0"}function g(){var e=r();return n.ZERO.subTo(this,e),e}function v(){return this.s<0?this.negate():this}function y(e){var t=this.s-e.s;if(0!=t)return t;var n=this.t;if(t=n-e.t,0!=t)return this.s<0?-t:t;for(;--n>=0;)if(0!=(t=this[n]-e[n]))return t;return 0}function m(e){var t,n=1;return 0!=(t=e>>>16)&&(e=t,n+=16),0!=(t=e>>8)&&(e=t,n+=8),0!=(t=e>>4)&&(e=t,n+=4),0!=(t=e>>2)&&(e=t,n+=2),0!=(t=e>>1)&&(e=t,n+=1),n}function S(){return this.t<=0?0:this.DB*(this.t-1)+m(this[this.t-1]^this.s&this.DM)}function w(e,t){var n;for(n=this.t-1;n>=0;--n)t[n+e]=this[n];for(n=e-1;n>=0;--n)t[n]=0;t.t=this.t+e,t.s=this.s}function A(e,t){for(var n=e;n=0;--n)t[n+s+1]=this[n]>>i|a,a=(this[n]&o)<=0;--n)t[n]=0;t[s]=a,t.t=this.t+s+1,t.s=this.s,t.clamp()}function U(e,t){t.s=this.s;var n=Math.floor(e/this.DB);if(n>=this.t)return void(t.t=0);var r=e%this.DB,i=this.DB-r,o=(1<>r;for(var s=n+1;s>r;r>0&&(t[this.t-n-1]|=(this.s&o)<>=this.DB;if(e.t>=this.DB;r+=this.s}else{for(r+=this.s;n>=this.DB;r-=e.s}t.s=r<0?-1:0,r<-1?t[n++]=this.DV+r:r>0&&(t[n++]=r),t.t=n,t.clamp()}function T(e,t){var r=this.abs(),i=e.abs(),o=r.t;for(t.t=o+i.t;--o>=0;)t[o]=0;for(o=0;o=0;)e[n]=0;for(n=0;n=t.DV&&(e[n+t.t]-=t.DV,e[n+t.t+1]=1)}e.t>0&&(e[e.t-1]+=t.am(n,t[n],e,2*n,0,1)),e.s=0,e.clamp()}function I(e,t,i){var o=e.abs();if(!(o.t<=0)){var s=this.abs();if(s.t0?(o.lShiftTo(h,a),s.lShiftTo(h,i)):(o.copyTo(a),s.copyTo(i));var f=a.t,l=a[f-1];if(0!=l){var p=l*(1<1?a[f-2]>>this.F2:0),d=this.FV/p,g=(1<=0&&(i[i.t++]=1,i.subTo(w,i)),n.ONE.dlShiftTo(f,w),w.subTo(a,a);a.t=0;){var A=i[--y]==l?this.DM:Math.floor(i[y]*d+(i[y-1]+v)*g);if((i[y]+=a.am(0,A,i,S,0,f))0&&i.rShiftTo(h,i),u<0&&n.ZERO.subTo(i,i)}}}function R(e){var t=r();return this.abs().divRemTo(e,null,t),this.s<0&&t.compareTo(n.ZERO)>0&&e.subTo(t,t),t}function P(){if(this.t<1)return 0;var e=this[0];if(0==(1&e))return 0;var t=3&e;return t=t*(2-(15&e)*t)&15,t=t*(2-(255&e)*t)&255,t=t*(2-((65535&e)*t&65535))&65535,t=t*(2-e*t%this.DV)%this.DV,t>0?this.DV-t:-t}function _(e){return 0==this.compareTo(e)}function b(e,t){for(var n=0,r=0,i=Math.min(e.t,this.t);n>=this.DB;if(e.t>=this.DB;r+=this.s}else{for(r+=this.s;n>=this.DB;r+=e.s}t.s=r<0?-1:0,r>0?t[n++]=r:r<-1&&(t[n++]=this.DV+r),t.t=n,t.clamp()}function k(e){var t=r();return this.addTo(e,t),t}function F(e){var t=r();return this.subTo(e,t),t}function B(e){var t=r();return this.multiplyTo(e,t),t}function M(e){var t=r();return this.divRemTo(e,t,null),t}function x(e){this.m=e,this.mp=e.invDigit(),this.mpl=32767&this.mp,this.mph=this.mp>>15,this.um=(1<0&&this.m.subTo(t,t),t}function N(e){var t=r();return e.copyTo(t),this.reduce(t),t}function V(e){for(;e.t<=this.mt2;)e[e.t++]=0;for(var t=0;t>15)*this.mpl&this.um)<<15)&e.DM;for(n=t+this.m.t,e[n]+=this.m.am(0,r,e,t,0,this.m.t);e[n]>=e.DV;)e[n]-=e.DV,e[++n]++}e.clamp(),e.drShiftTo(this.m.t,e),e.compareTo(this.m)>=0&&e.subTo(this.m,e)}function K(e,t){e.squareTo(t),this.reduce(t)}function q(e,t,n){e.multiplyTo(t,n),this.reduce(n)}function L(e,t,n){var i,o=e.bitLength(),s=f(1),a=new x(t);if(o<=0)return s;i=o<18?1:o<48?3:o<144?4:o<768?5:6;var u=new Array,c=3,h=i-1,l=(1<1){var p=r();for(a.sqrTo(u[1],p);c<=l;)u[c]=r(),a.mulTo(p,u[c-2],u[c]),c+=2}var d,g,v=e.t-1,y=!0,S=r();for(o=m(e[v])-1;v>=0;){for(o>=h?d=e[v]>>o-h&l:(d=(e[v]&(1<0&&(d|=e[v-1]>>this.DB+o-h)),c=i;0==(1&d);)d>>=1,--c;if((o-=c)<0&&(o+=this.DB,--v),y)u[d].copyTo(s),y=!1;else{for(;c>1;)a.sqrTo(s,S),a.sqrTo(S,s),c-=2;c>0?a.sqrTo(s,S):(g=s,s=S,S=g),a.mulTo(S,u[d],s)}for(;v>=0&&0==(e[v]&1<0&&void 0!==arguments[0]?arguments[0]:{},r=n.AccessToken;return i(this,t),o(this,e.call(this,r||""))}return s(t,e),t}(u.default);t.default=c},function(e,t,n){"use strict";function r(e){return e&&e.__esModule?e:{default:e}}function i(e,t){if(!(e instanceof t))throw new TypeError("Cannot call a class as a function")}function o(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}function s(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.__esModule=!0;var a=n(7),u=r(a),c=function(e){function t(){var n=arguments.length>0&&void 0!==arguments[0]?arguments[0]:{},r=n.IdToken;return i(this,t),o(this,e.call(this,r||""))}return s(t,e),t}(u.default);t.default=c},function(e,t,n){"use strict";function r(e,t){if(!(e instanceof t))throw new TypeError("Cannot call a class as a function")}t.__esModule=!0;var i=n(1),o=function(){function e(t){r(this,e),this.jwtToken=t||"",this.payload=this.decodePayload()}return e.prototype.getJwtToken=function(){return this.jwtToken},e.prototype.getExpiration=function(){return this.payload.exp},e.prototype.getIssuedAt=function(){return this.payload.iat},e.prototype.decodePayload=function(){var e=this.jwtToken.split(".")[1];try{return JSON.parse(i.Buffer.from(e,"base64").toString("utf8"))}catch(e){return{}}},e}();t.default=o},function(e,t){"use strict";function n(e,t){if(!(e instanceof t))throw new TypeError("Cannot call a class as a function")}t.__esModule=!0;/*! + * Copyright 2016 Amazon.com, + * Inc. or its affiliates. All Rights Reserved. + * + * Licensed under the Amazon Software License (the "License"). + * You may not use this file except in compliance with the + * License. A copy of the License is located at + * + * http://aws.amazon.com/asl/ + * + * or in the "license" file accompanying this file. This file is + * distributed on an "AS IS" BASIS, WITHOUT WARRANTIES OR + * CONDITIONS OF ANY KIND, express or implied. See the License + * for the specific language governing permissions and + * limitations under the License. + */ +var r=function(){function e(){var t=arguments.length>0&&void 0!==arguments[0]?arguments[0]:{},r=t.RefreshToken;n(this,e),this.token=r||""}return e.prototype.getToken=function(){return this.token},e}();t.default=r},function(e,t,n){"use strict";function r(e){return e&&e.__esModule?e:{default:e}}function i(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}function o(e,t){if(!(e instanceof t))throw new TypeError("Cannot call a class as a function")}t.__esModule=!0;var s=n(1),a=n(14),u=i(a),c=n(4),h=r(c),f=n(3),l=r(f),p=n(5),d=r(p),g=n(6),v=r(g),y=n(8),m=r(y),S=n(11),w=r(S),A=n(12),C=r(A),U=n(10),E=r(U),T=n(13),D=r(T),I=u.createHmac,R=function(){function e(t){if(o(this,e),null==t||null==t.Username||null==t.Pool)throw new Error("Username and pool information are required.");this.username=t.Username||"",this.pool=t.Pool,this.Session=null,this.client=t.Pool.client,this.signInUserSession=null,this.authenticationFlowType="USER_SRP_AUTH",this.storage=t.Storage||(new D.default).getStorage()}return e.prototype.setSignInUserSession=function(e){this.clearCachedTokens(),this.signInUserSession=e,this.cacheTokens()},e.prototype.getSignInUserSession=function(){return this.signInUserSession},e.prototype.getUsername=function(){return this.username},e.prototype.getAuthenticationFlowType=function(){return this.authenticationFlowType},e.prototype.setAuthenticationFlowType=function(e){this.authenticationFlowType=e},e.prototype.initiateAuth=function(e,t){var n=this,r=e.getAuthParameters();r.USERNAME=this.username;var i={AuthFlow:"CUSTOM_AUTH",ClientId:this.pool.getClientId(),AuthParameters:r,ClientMetadata:e.getValidationData()};this.getUserContextData()&&(i.UserContextData=this.getUserContextData()),this.client.request("InitiateAuth",i,function(e,r){if(e)return t.onFailure(e);var i=r.ChallengeName,o=r.ChallengeParameters;return"CUSTOM_CHALLENGE"===i?(n.Session=r.Session,t.customChallenge(o)):(n.signInUserSession=n.getCognitoUserSession(r.AuthenticationResult),n.cacheTokens(),t.onSuccess(n.signInUserSession))})},e.prototype.authenticateUser=function(e,t){return"USER_PASSWORD_AUTH"===this.authenticationFlowType?this.authenticateUserPlainUsernamePassword(e,t):"USER_SRP_AUTH"===this.authenticationFlowType?this.authenticateUserDefaultAuth(e,t):t.onFailure(new Error("Authentication flow type is invalid."))},e.prototype.authenticateUserDefaultAuth=function(e,t){var n=this,r=new l.default(this.pool.getUserPoolId().split("_")[1]),i=new C.default,o=void 0,a=void 0,u={};null!=this.deviceKey&&(u.DEVICE_KEY=this.deviceKey),u.USERNAME=this.username,r.getLargeAValue(function(c,f){c&&t.onFailure(c),u.SRP_A=f.toString(16),"CUSTOM_AUTH"===n.authenticationFlowType&&(u.CHALLENGE_NAME="SRP_A");var l={AuthFlow:n.authenticationFlowType,ClientId:n.pool.getClientId(),AuthParameters:u,ClientMetadata:e.getValidationData()};n.getUserContextData(n.username)&&(l.UserContextData=n.getUserContextData(n.username)),n.client.request("InitiateAuth",l,function(u,c){if(u)return t.onFailure(u);var f=c.ChallengeParameters;n.username=f.USER_ID_FOR_SRP,o=new h.default(f.SRP_B,16),a=new h.default(f.SALT,16),n.getCachedDeviceKeyAndPassword(),r.getPasswordAuthenticationKey(n.username,e.getPassword(),o,a,function(e,o){e&&t.onFailure(e);var a=i.getNowString(),u=I("sha256",o).update(s.Buffer.concat([s.Buffer.from(n.pool.getUserPoolId().split("_")[1],"utf8"),s.Buffer.from(n.username,"utf8"),s.Buffer.from(f.SECRET_BLOCK,"base64"),s.Buffer.from(a,"utf8")])).digest("base64"),h={};h.USERNAME=n.username,h.PASSWORD_CLAIM_SECRET_BLOCK=f.SECRET_BLOCK,h.TIMESTAMP=a,h.PASSWORD_CLAIM_SIGNATURE=u,null!=n.deviceKey&&(h.DEVICE_KEY=n.deviceKey);var l=function e(t,r){return n.client.request("RespondToAuthChallenge",t,function(i,o){return i&&"ResourceNotFoundException"===i.code&&i.message.toLowerCase().indexOf("device")!==-1?(h.DEVICE_KEY=null,n.deviceKey=null,n.randomPassword=null,n.deviceGroupKey=null,n.clearCachedDeviceKeyAndPassword(),e(t,r)):r(i,o)})},p={ChallengeName:"PASSWORD_VERIFIER",ClientId:n.pool.getClientId(),ChallengeResponses:h,Session:c.Session};n.getUserContextData()&&(p.UserContextData=n.getUserContextData()),l(p,function(e,i){if(e)return t.onFailure(e);var o=i.ChallengeName;if("NEW_PASSWORD_REQUIRED"===o){n.Session=i.Session;var s=null,a=null,u=[],c=r.getNewPasswordRequiredChallengeUserAttributePrefix();if(i.ChallengeParameters&&(s=JSON.parse(i.ChallengeParameters.userAttributes),a=JSON.parse(i.ChallengeParameters.requiredAttributes)),a)for(var h=0;h0&&void 0!==arguments[0]?arguments[0]:{},r=t.Name,i=t.Value;n(this,e),this.Name=r||"",this.Value=i||""}return e.prototype.getValue=function(){return this.Value},e.prototype.setValue=function(e){return this.Value=e,this},e.prototype.getName=function(){return this.Name},e.prototype.setName=function(e){return this.Name=e,this},e.prototype.toString=function(){return JSON.stringify(this)},e.prototype.toJSON=function(){return{Name:this.Name,Value:this.Value}},e}();t.default=r},function(e,t){"use strict";function n(e,t){if(!(e instanceof t))throw new TypeError("Cannot call a class as a function")}t.__esModule=!0;/*! + * Copyright 2016 Amazon.com, + * Inc. or its affiliates. All Rights Reserved. + * + * Licensed under the Amazon Software License (the "License"). + * You may not use this file except in compliance with the + * License. A copy of the License is located at + * + * http://aws.amazon.com/asl/ + * + * or in the "license" file accompanying this file. This file is + * distributed on an "AS IS" BASIS, WITHOUT WARRANTIES OR + * CONDITIONS OF ANY KIND, express or implied. See the License + * for the specific language governing permissions and + * limitations under the License. + */ +var r=function(){function e(){var t=arguments.length>0&&void 0!==arguments[0]?arguments[0]:{},r=t.IdToken,i=t.RefreshToken,o=t.AccessToken,s=t.ClockDrift;if(n(this,e),null==o||null==r)throw new Error("Id token and Access Token must be present.");this.idToken=r,this.refreshToken=i,this.accessToken=o,this.clockDrift=void 0===s?this.calculateClockDrift():s}return e.prototype.getIdToken=function(){return this.idToken},e.prototype.getRefreshToken=function(){return this.refreshToken},e.prototype.getAccessToken=function(){return this.accessToken},e.prototype.getClockDrift=function(){return this.clockDrift},e.prototype.calculateClockDrift=function(){var e=Math.floor(new Date/1e3),t=Math.min(this.accessToken.getIssuedAt(),this.idToken.getIssuedAt());return e-t},e.prototype.isValid=function(){var e=Math.floor(new Date/1e3),t=e-this.clockDrift;return tp?t=e(t):t.length0)throw new Error("Invalid string. Length must be a multiple of 4");var n=e.indexOf("=");n===-1&&(n=t);var r=n===t?0:4-n%4;return[n,r]}function r(e){var t=n(e),r=t[0],i=t[1];return 3*(r+i)/4-i}function i(e,t,n){return 3*(t+n)/4-n}function o(e){for(var t,r=n(e),o=r[0],s=r[1],a=new f(i(e,o,s)),u=0,c=s>0?o-4:o,l=0;l>16&255,a[u++]=t>>8&255,a[u++]=255&t;return 2===s&&(t=h[e.charCodeAt(l)]<<2|h[e.charCodeAt(l+1)]>>4,a[u++]=255&t),1===s&&(t=h[e.charCodeAt(l)]<<10|h[e.charCodeAt(l+1)]<<4|h[e.charCodeAt(l+2)]>>2,a[u++]=t>>8&255,a[u++]=255&t),a}function s(e){return c[e>>18&63]+c[e>>12&63]+c[e>>6&63]+c[63&e]}function a(e,t,n){for(var r,i=[],o=t;ou?u:s+o));return 1===r?(t=e[n-1],i.push(c[t>>2]+c[t<<4&63]+"==")):2===r&&(t=(e[n-2]<<8)+e[n-1],i.push(c[t>>10]+c[t>>4&63]+c[t<<2&63]+"=")),i.join("")}t.byteLength=r,t.toByteArray=o,t.fromByteArray=u;for(var c=[],h=[],f="undefined"!=typeof Uint8Array?Uint8Array:Array,l="ABCDEFGHIJKLMNOPQRSTUVWXYZabcdefghijklmnopqrstuvwxyz0123456789+/",p=0,d=l.length;p>1,h=-7,f=n?i-1:0,l=n?-1:1,p=e[t+f];for(f+=l,o=p&(1<<-h)-1,p>>=-h,h+=a;h>0;o=256*o+e[t+f],f+=l,h-=8);for(s=o&(1<<-h)-1,o>>=-h,h+=r;h>0;s=256*s+e[t+f],f+=l,h-=8);if(0===o)o=1-c;else{if(o===u)return s?NaN:(p?-1:1)*(1/0);s+=Math.pow(2,r),o-=c}return(p?-1:1)*s*Math.pow(2,o-r)},t.write=function(e,t,n,r,i,o){var s,a,u,c=8*o-i-1,h=(1<>1,l=23===i?Math.pow(2,-24)-Math.pow(2,-77):0,p=r?0:o-1,d=r?1:-1,g=t<0||0===t&&1/t<0?1:0;for(t=Math.abs(t),isNaN(t)||t===1/0?(a=isNaN(t)?1:0,s=h):(s=Math.floor(Math.log(t)/Math.LN2),t*(u=Math.pow(2,-s))<1&&(s--,u*=2),t+=s+f>=1?l/u:l*Math.pow(2,1-f),t*u>=2&&(s++,u/=2),s+f>=h?(a=0,s=h):s+f>=1?(a=(t*u-1)*Math.pow(2,i),s+=f):(a=t*Math.pow(2,f-1)*Math.pow(2,i),s=0));i>=8;e[n+p]=255&a,p+=d,a/=256,i-=8);for(s=s<0;e[n+p]=255&s,p+=d,s/=256,c-=8);e[n+p-d]|=128*g}},function(e,t){var n={}.toString;e.exports=Array.isArray||function(e){return"[object Array]"==n.call(e)}},function(e,t,n){var r,i;!function(o){var s=!1;if(r=o,i="function"==typeof r?r.call(t,n,t,e):r,!(void 0!==i&&(e.exports=i)),s=!0,e.exports=o(),s=!0,!s){var a=window.Cookies,u=window.Cookies=o();u.noConflict=function(){return window.Cookies=a,u}}}(function(){function e(){for(var e=0,t={};e1){if(o=e({path:"/"},r.defaults,o),"number"==typeof o.expires){var a=new Date;a.setMilliseconds(a.getMilliseconds()+864e5*o.expires),o.expires=a}o.expires=o.expires?o.expires.toUTCString():"";try{s=JSON.stringify(i),/^[\{\[]/.test(s)&&(i=s)}catch(e){}i=n.write?n.write(i,t):encodeURIComponent(String(i)).replace(/%(23|24|26|2B|3A|3C|3E|3D|2F|3F|40|5B|5D|5E|60|7B|7D|7C)/g,decodeURIComponent),t=encodeURIComponent(String(t)),t=t.replace(/%(23|24|26|2B|5E|60|7C)/g,decodeURIComponent),t=t.replace(/[\(\)]/g,escape);var u="";for(var c in o)o[c]&&(u+="; "+c,o[c]!==!0&&(u+="="+o[c]));return document.cookie=t+"="+i+u}t||(s={});for(var h=document.cookie?document.cookie.split("; "):[],f=/(%[0-9A-Z]{2})+/g,l=0;l>5]|=128<>>9<<4)+14]=t;for(var n=1732584193,r=-271733879,i=-1732584194,h=271733878,f=0;f>16)+(t>>16)+(n>>16);return r<<16|65535&n}function h(e,t){return e<>>32-t}var f=n(2);e.exports=function(e){return f.hash(e,r,16)}},function(e,t){!function(){var t,n,r=this;t=function(e){for(var t,t,n=new Array(e),r=0;r>>((3&r)<<3)&255;return n},r.crypto&&crypto.getRandomValues&&(n=function(e){var t=new Uint8Array(e);return crypto.getRandomValues(t),t}),e.exports=n||t}()},function(e,t,n){function r(e,t){e[t>>5]|=128<<24-t%32,e[(t+64>>9<<4)+15]=t;for(var n=Array(80),r=1732584193,u=-271733879,c=-1732584194,h=271733878,f=-1009589776,l=0;l>16)+(t>>16)+(n>>16);return r<<16|65535&n}function a(e,t){return e<>>32-t}var u=n(2);e.exports=function(e){return u.hash(e,r,20,!0)}},function(e,t,n){var r=n(2),i=function(e,t){var n=(65535&e)+(65535&t),r=(e>>16)+(t>>16)+(n>>16);return r<<16|65535&n},o=function(e,t){return e>>>t|e<<32-t},s=function(e,t){return e>>>t},a=function(e,t,n){return e&t^~e&n},u=function(e,t,n){return e&t^e&n^t&n},c=function(e){return o(e,2)^o(e,13)^o(e,22)},h=function(e){return o(e,6)^o(e,11)^o(e,25)},f=function(e){return o(e,7)^o(e,18)^s(e,3)},l=function(e){return o(e,17)^o(e,19)^s(e,10)},p=function(e,t){var n,r,o,s,p,d,g,v,y,m,S,w,A=new Array(1116352408,1899447441,3049323471,3921009573,961987163,1508970993,2453635748,2870763221,3624381080,310598401,607225278,1426881987,1925078388,2162078206,2614888103,3248222580,3835390401,4022224774,264347078,604807628,770255983,1249150122,1555081692,1996064986,2554220882,2821834349,2952996808,3210313671,3336571891,3584528711,113926993,338241895,666307205,773529912,1294757372,1396182291,1695183700,1986661051,2177026350,2456956037,2730485921,2820302411,3259730800,3345764771,3516065817,3600352804,4094571909,275423344,430227734,506948616,659060556,883997877,958139571,1322822218,1537002063,1747873779,1955562222,2024104815,2227730452,2361852424,2428436474,2756734187,3204031479,3329325298),C=new Array(1779033703,3144134277,1013904242,2773480762,1359893119,2600822924,528734635,1541459225),U=new Array(64);e[t>>5]|=128<<24-t%32,e[(t+64>>9<<4)+15]=t;for(var y=0;y + + + + + Dashboard - My Weekly Budget App + + + + + + + diff --git a/README.md b/README.md index 7f03c8b..6da45a8 100644 Binary files a/README.md and b/README.md differ diff --git a/backend b/backend deleted file mode 160000 index e87bdd5..0000000 --- a/backend +++ /dev/null @@ -1 +0,0 @@ -Subproject commit e87bdd5f72d0a8bd5fa6e653a4cb4a439785a968 diff --git a/node_modules/.package-lock.json b/node_modules/.package-lock.json index 8fe3a9f..ce1d6b6 100644 --- a/node_modules/.package-lock.json +++ b/node_modules/.package-lock.json @@ -1,3028 +1,776 @@ { - - "name": "dev", - - "version": "0.1.0", - + "name": "backend", + "version": "0.0.0", "lockfileVersion": 3, - "requires": true, - "packages": { - - - "node_modules/accepts": { - - - - "version": "1.3.8", - - - - "resolved": "https://registry.npmjs.org/accepts/-/accepts-1.3.8.tgz", - - - - "integrity": "sha512-PYAthTa2m2VKxuvSD3DPC/Gy+U+sOA1LAuT8mkmRuvw+NACSaeXEQ+NHcVF7rONl6qcaxV3Uuemwawk+7+SJLw==", - - - - "dependencies": { - - - - - "mime-types": "~2.1.34", - - - - - "negotiator": "0.6.3" - - - - }, - - - - "engines": { - - - - - "node": ">= 0.6" - - - - } - - - }, - - - "node_modules/array-flatten": { - - - - "version": "1.1.1", - - - - "resolved": "https://registry.npmjs.org/array-flatten/-/array-flatten-1.1.1.tgz", - - - - "integrity": "sha512-PCVAQswWemu6UdxsDFFX/+gVeYqKAod3D3UVm91jHwynguOwAvYPhx8nNlM++NqRcK6CxxpUafjmhIdKiHibqg==" - - - }, - - - "node_modules/body-parser": { - - - - "version": "1.20.2", - - - - "resolved": "https://registry.npmjs.org/body-parser/-/body-parser-1.20.2.tgz", - - - - "integrity": "sha512-ml9pReCu3M61kGlqoTm2umSXTlRTuGTx0bfYj+uIUKKYycG5NtSbeetV3faSU6R7ajOPw0g/J1PvK4qNy7s5bA==", - - - - "dependencies": { - - - - - "bytes": "3.1.2", - - - - - "content-type": "~1.0.5", - - - - - "debug": "2.6.9", - - - - - "depd": "2.0.0", - - - - - "destroy": "1.2.0", - - - - - "http-errors": "2.0.0", - - - - - "iconv-lite": "0.4.24", - - - - - "on-finished": "2.4.1", - - - - - "qs": "6.11.0", - - - - - "raw-body": "2.5.2", - - - - - "type-is": "~1.6.18", - - - - - "unpipe": "1.0.0" - - - - }, - - - - "engines": { - - - - - "node": ">= 0.8", - - - - - "npm": "1.2.8000 || >= 1.4.16" - - - - } - - - }, - - - "node_modules/bytes": { - - - - "version": "3.1.2", - - - - "resolved": "https://registry.npmjs.org/bytes/-/bytes-3.1.2.tgz", - - - - "integrity": "sha512-/Nf7TyzTx6S3yRJObOAV7956r8cr2+Oj8AC5dt8wSP3BQAoeX58NoHyCU8P8zGkNXStjTSi6fzO6F0pBdcYbEg==", - - - - "engines": { - - - - - "node": ">= 0.8" - - - - } - - - }, - - - "node_modules/call-bind": { - - - - "version": "1.0.5", - - - - "resolved": "https://registry.npmjs.org/call-bind/-/call-bind-1.0.5.tgz", - - - - "integrity": "sha512-C3nQxfFZxFRVoJoGKKI8y3MOEo129NQ+FgQ08iye+Mk4zNZZGdjfs06bVTr+DBSlA66Q2VEcMki/cUCP4SercQ==", - - - - "dependencies": { - - - - - "function-bind": "^1.1.2", - - - - - "get-intrinsic": "^1.2.1", - - - - - "set-function-length": "^1.1.1" - - - - }, - - - - "funding": { - - - - - "url": "https://github.com/sponsors/ljharb" - - - - } - - - }, - - - "node_modules/connect-history-api-fallback": { - - - - "version": "2.0.0", - - - - "resolved": "https://registry.npmjs.org/connect-history-api-fallback/-/connect-history-api-fallback-2.0.0.tgz", - - - - "integrity": "sha512-U73+6lQFmfiNPrYbXqr6kZ1i1wiRqXnp2nhMsINseWXO8lDau0LGEffJ8kQi4EjLZympVgRdvqjAgiZ1tgzDDA==", - - - - "engines": { - - - - - "node": ">=0.8" - - - - } - - - }, - - - "node_modules/content-disposition": { - - - - "version": "0.5.4", - - - - "resolved": "https://registry.npmjs.org/content-disposition/-/content-disposition-0.5.4.tgz", - - - - "integrity": "sha512-FveZTNuGw04cxlAiWbzi6zTAL/lhehaWbTtgluJh4/E95DqMwTmha3KZN1aAWA8cFIhHzMZUvLevkw5Rqk+tSQ==", - - - - "dependencies": { - - - - - "safe-buffer": "5.2.1" - - - - }, - - - - "engines": { - - - - - "node": ">= 0.6" - - - - } - - - }, - - - "node_modules/content-type": { - - - - "version": "1.0.5", - - - - "resolved": "https://registry.npmjs.org/content-type/-/content-type-1.0.5.tgz", - - - - "integrity": "sha512-nTjqfcBFEipKdXCv4YDQWCfmcLZKm81ldF0pAopTvyrFGVbcR6P/VAAd5G7N+0tTr8QqiU0tFadD6FK4NtJwOA==", - - - - "engines": { - - - - - "node": ">= 0.6" - - - - } - - - }, - - - "node_modules/cookie": { - - - - "version": "0.5.0", - - - - "resolved": "https://registry.npmjs.org/cookie/-/cookie-0.5.0.tgz", - - - - "integrity": "sha512-YZ3GUyn/o8gfKJlnlX7g7xq4gyO6OSuhGPKaaGssGB2qgDUS0gPgtTvoyZLTt9Ab6dC4hfc9dV5arkvc/OCmrw==", - - - - "engines": { - - - - - "node": ">= 0.6" - - - - } - - - }, - - - "node_modules/cookie-signature": { - - - - "version": "1.0.6", - - - - "resolved": "https://registry.npmjs.org/cookie-signature/-/cookie-signature-1.0.6.tgz", - - - - "integrity": "sha512-QADzlaHc8icV8I7vbaJXJwod9HWYp8uCqf1xa4OfNu1T7JVxQIrUgOWtHdNDtPiywmFbiS12VjotIXLrKM3orQ==" - - - }, - - - "node_modules/core-js": { - - - - "version": "3.35.0", - - - - "resolved": "https://registry.npmjs.org/core-js/-/core-js-3.35.0.tgz", - - - - "integrity": "sha512-ntakECeqg81KqMueeGJ79Q5ZgQNR+6eaE8sxGCx62zMbAIj65q+uYvatToew3m6eAGdU4gNZwpZ34NMe4GYswg==", - - - - "hasInstallScript": true, - - - - "funding": { - - - - - "type": "opencollective", - - - - - "url": "https://opencollective.com/core-js" - - - - } - - - }, - - - "node_modules/cors": { - - - - "version": "2.8.5", - - - - "resolved": "https://registry.npmjs.org/cors/-/cors-2.8.5.tgz", - - - - "integrity": "sha512-KIHbLJqu73RGr/hnbrO9uBeixNGuvSQjul/jdFvS/KFSIH1hWVd1ng7zOHx+YrEfInLG7q4n6GHQ9cDtxv/P6g==", - - - - "dependencies": { - - - - - "object-assign": "^4", - - - - - "vary": "^1" - - - - }, - - - - "engines": { - - - - - "node": ">= 0.10" - - - - } - - - }, - - - "node_modules/debug": { - - - - "version": "2.6.9", - - - - "resolved": "https://registry.npmjs.org/debug/-/debug-2.6.9.tgz", - - - - "integrity": "sha512-bC7ElrdJaJnPbAP+1EotYvqZsb3ecl5wi6Bfi6BJTUcNowp6cvspg0jXznRTKDjm/E7AdgFBVeAPVMNcKGsHMA==", - - - - "dependencies": { - - - - - "ms": "2.0.0" - - - - } - - - }, - - - "node_modules/define-data-property": { - - - - "version": "1.1.1", - - - - "resolved": "https://registry.npmjs.org/define-data-property/-/define-data-property-1.1.1.tgz", - - - - "integrity": "sha512-E7uGkTzkk1d0ByLeSc6ZsFS79Axg+m1P/VsgYsxHgiuc3tFSj+MjMIwe90FC4lOAZzNBdY7kkO2P2wKdsQ1vgQ==", - - - - "dependencies": { - - - - - "get-intrinsic": "^1.2.1", - - - - - "gopd": "^1.0.1", - - - - - "has-property-descriptors": "^1.0.0" - - - - }, - - - - "engines": { - - - - - "node": ">= 0.4" - - - - } - - - }, - - - "node_modules/depd": { - - - - "version": "2.0.0", - - - - "resolved": "https://registry.npmjs.org/depd/-/depd-2.0.0.tgz", - - - - "integrity": "sha512-g7nH6P6dyDioJogAAGprGpCtVImJhpPk/roCzdb3fIh61/s/nPsfR6onyMwkCAR/OlC3yBC0lESvUoQEAssIrw==", - - - - "engines": { - - - - - "node": ">= 0.8" - - - - } - - - }, - - - "node_modules/destroy": { - - - - "version": "1.2.0", - - - - "resolved": "https://registry.npmjs.org/destroy/-/destroy-1.2.0.tgz", - - - - "integrity": "sha512-2sJGJTaXIIaR1w4iJSNoN0hnMY7Gpc/n8D4qSCJw8QqFWXf7cuAgnEHxBpweaVcPevC2l3KpjYCx3NypQQgaJg==", - - - - "engines": { - - - - - "node": ">= 0.8", - - - - - "npm": "1.2.8000 || >= 1.4.16" - - - - } - - - }, - - - "node_modules/ee-first": { - - - - "version": "1.1.1", - - - - "resolved": "https://registry.npmjs.org/ee-first/-/ee-first-1.1.1.tgz", - - - - "integrity": "sha512-WMwm9LhRUo+WUaRN+vRuETqG89IgZphVSNkdFgeb6sS/E4OrDIN7t48CAewSHXc6C8lefD8KKfr5vY61brQlow==" - - - }, - - - "node_modules/encodeurl": { - - - - "version": "1.0.2", - - - - "resolved": "https://registry.npmjs.org/encodeurl/-/encodeurl-1.0.2.tgz", - - - - "integrity": "sha512-TPJXq8JqFaVYm2CWmPvnP2Iyo4ZSM7/QKcSmuMLDObfpH5fi7RUGmd/rTDf+rut/saiDiQEeVTNgAmJEdAOx0w==", - - - - "engines": { - - - - - "node": ">= 0.8" - - - - } - - - }, - - - "node_modules/escape-html": { - - - - "version": "1.0.3", - - - - "resolved": "https://registry.npmjs.org/escape-html/-/escape-html-1.0.3.tgz", - - - - "integrity": "sha512-NiSupZ4OeuGwr68lGIeym/ksIZMJodUGOSCZ/FSnTxcrekbvqrgdUxlJOMpijaKZVjAJrWrGs/6Jy8OMuyj9ow==" - - - }, - - - "node_modules/etag": { - - - - "version": "1.8.1", - - - - "resolved": "https://registry.npmjs.org/etag/-/etag-1.8.1.tgz", - - - - "integrity": "sha512-aIL5Fx7mawVa300al2BnEE4iNvo1qETxLrPI/o05L7z6go7fCw1J6EQmbK4FmJ2AS7kgVF/KEZWufBfdClMcPg==", - - - - "engines": { - - - - - "node": ">= 0.6" - - - - } - - - }, - - - "node_modules/express": { - - - - "version": "4.18.2", - - - - "resolved": "https://registry.npmjs.org/express/-/express-4.18.2.tgz", - - - - "integrity": "sha512-5/PsL6iGPdfQ/lKM1UuielYgv3BUoJfz1aUwU9vHZ+J7gyvwdQXFEBIEIaxeGf0GIcreATNyBExtalisDbuMqQ==", - - - - "dependencies": { - - - - - "accepts": "~1.3.8", - - - - - "array-flatten": "1.1.1", - - - - - "body-parser": "1.20.1", - - - - - "content-disposition": "0.5.4", - - - - - "content-type": "~1.0.4", - - - - - "cookie": "0.5.0", - - - - - "cookie-signature": "1.0.6", - - - - - "debug": "2.6.9", - - - - - "depd": "2.0.0", - - - - - "encodeurl": "~1.0.2", - - - - - "escape-html": "~1.0.3", - - - - - "etag": "~1.8.1", - - - - - "finalhandler": "1.2.0", - - - - - "fresh": "0.5.2", - - - - - "http-errors": "2.0.0", - - - - - "merge-descriptors": "1.0.1", - - - - - "methods": "~1.1.2", - - - - - "on-finished": "2.4.1", - - - - - "parseurl": "~1.3.3", - - - - - "path-to-regexp": "0.1.7", - - - - - "proxy-addr": "~2.0.7", - - - - - "qs": "6.11.0", - - - - - "range-parser": "~1.2.1", - - - - - "safe-buffer": "5.2.1", - - - - - "send": "0.18.0", - - - - - "serve-static": "1.15.0", - - - - - "setprototypeof": "1.2.0", - - - - - "statuses": "2.0.1", - - - - - "type-is": "~1.6.18", - - - - - "utils-merge": "1.0.1", - - - - - "vary": "~1.1.2" - - - - }, - - - - "engines": { - - - - - "node": ">= 0.10.0" - - - - } - - - }, - - - "node_modules/express/node_modules/body-parser": { - - - - "version": "1.20.1", - - - - "resolved": "https://registry.npmjs.org/body-parser/-/body-parser-1.20.1.tgz", - - - - "integrity": "sha512-jWi7abTbYwajOytWCQc37VulmWiRae5RyTpaCyDcS5/lMdtwSz5lOpDE67srw/HYe35f1z3fDQw+3txg7gNtWw==", - - - - "dependencies": { - - - - - "bytes": "3.1.2", - - - - - "content-type": "~1.0.4", - - - - - "debug": "2.6.9", - - - - - "depd": "2.0.0", - - - - - "destroy": "1.2.0", - - - - - "http-errors": "2.0.0", - - - - - "iconv-lite": "0.4.24", - - - - - "on-finished": "2.4.1", - - - - - "qs": "6.11.0", - - - - - "raw-body": "2.5.1", - - - - - "type-is": "~1.6.18", - - - - - "unpipe": "1.0.0" - - - - }, - - - - "engines": { - - - - - "node": ">= 0.8", - - - - - "npm": "1.2.8000 || >= 1.4.16" - - - - } - - - }, - - - "node_modules/express/node_modules/raw-body": { - - - - "version": "2.5.1", - - - - "resolved": "https://registry.npmjs.org/raw-body/-/raw-body-2.5.1.tgz", - - - - "integrity": "sha512-qqJBtEyVgS0ZmPGdCFPWJ3FreoqvG4MVQln/kCgF7Olq95IbOp0/BWyMwbdtn4VTvkM8Y7khCQ2Xgk/tcrCXig==", - - - - "dependencies": { - - - - - "bytes": "3.1.2", - - - - - "http-errors": "2.0.0", - - - - - "iconv-lite": "0.4.24", - - - - - "unpipe": "1.0.0" - - - - }, - - - - "engines": { - - - - - "node": ">= 0.8" - - - - } - - - }, - - - "node_modules/finalhandler": { - - - - "version": "1.2.0", - - - - "resolved": "https://registry.npmjs.org/finalhandler/-/finalhandler-1.2.0.tgz", - - - - "integrity": "sha512-5uXcUVftlQMFnWC9qu/svkWv3GTd2PfUhK/3PLkYNAe7FbqJMt3515HaxE6eRL74GdsriiwujiawdaB1BpEISg==", - - - - "dependencies": { - - - - - "debug": "2.6.9", - - - - - "encodeurl": "~1.0.2", - - - - - "escape-html": "~1.0.3", - - - - - "on-finished": "2.4.1", - - - - - "parseurl": "~1.3.3", - - - - - "statuses": "2.0.1", - - - - - "unpipe": "~1.0.0" - - - - }, - - - - "engines": { - - - - - "node": ">= 0.8" - - - - } - - - }, - - - "node_modules/forwarded": { - - - - "version": "0.2.0", - - - - "resolved": "https://registry.npmjs.org/forwarded/-/forwarded-0.2.0.tgz", - - - - "integrity": "sha512-buRG0fpBtRHSTCOASe6hD258tEubFoRLb4ZNA6NxMVHNw2gOcwHo9wyablzMzOA5z9xA9L1KNjk/Nt6MT9aYow==", - - - - "engines": { - - - - - "node": ">= 0.6" - - - - } - - - }, - - - "node_modules/fresh": { - - - - "version": "0.5.2", - - - - "resolved": "https://registry.npmjs.org/fresh/-/fresh-0.5.2.tgz", - - - - "integrity": "sha512-zJ2mQYM18rEFOudeV4GShTGIQ7RbzA7ozbU9I/XBpm7kqgMywgmylMwXHxZJmkVoYkna9d2pVXVXPdYTP9ej8Q==", - - - - "engines": { - - - - - "node": ">= 0.6" - - - - } - - - }, - - - "node_modules/function-bind": { - - - - "version": "1.1.2", - - - - "resolved": "https://registry.npmjs.org/function-bind/-/function-bind-1.1.2.tgz", - - - - "integrity": "sha512-7XHNxH7qX9xG5mIwxkhumTox/MIRNcOgDrxWsMt2pAr23WHp6MrRlN7FBSFpCpr+oVO0F744iUgR82nJMfG2SA==", - - - - "funding": { - - - - - "url": "https://github.com/sponsors/ljharb" - - - - } - - - }, - - - "node_modules/get-intrinsic": { - - - - "version": "1.2.2", - - - - "resolved": "https://registry.npmjs.org/get-intrinsic/-/get-intrinsic-1.2.2.tgz", - - - - "integrity": "sha512-0gSo4ml/0j98Y3lngkFEot/zhiCeWsbYIlZ+uZOVgzLyLaUw7wxUL+nCTP0XJvJg1AXulJRI3UJi8GsbDuxdGA==", - - - - "dependencies": { - - - - - "function-bind": "^1.1.2", - - - - - "has-proto": "^1.0.1", - - - - - "has-symbols": "^1.0.3", - - - - - "hasown": "^2.0.0" - - - - }, - - - - "funding": { - - - - - "url": "https://github.com/sponsors/ljharb" - - - - } - - - }, - - - "node_modules/gopd": { - - - - "version": "1.0.1", - - - - "resolved": "https://registry.npmjs.org/gopd/-/gopd-1.0.1.tgz", - - - - "integrity": "sha512-d65bNlIadxvpb/A2abVdlqKqV563juRnZ1Wtk6s1sIR8uNsXR70xqIzVqxVf1eTqDunwT2MkczEeaezCKTZhwA==", - - - - "dependencies": { - - - - - "get-intrinsic": "^1.1.3" - - - - }, - - - - "funding": { - - - - - "url": "https://github.com/sponsors/ljharb" - - - - } - - - }, - - - "node_modules/has-property-descriptors": { - - - - "version": "1.0.1", - - - - "resolved": "https://registry.npmjs.org/has-property-descriptors/-/has-property-descriptors-1.0.1.tgz", - - - - "integrity": "sha512-VsX8eaIewvas0xnvinAe9bw4WfIeODpGYikiWYLH+dma0Jw6KHYqWiWfhQlgOVK8D6PvjubK5Uc4P0iIhIcNVg==", - - - - "dependencies": { - - - - - "get-intrinsic": "^1.2.2" - - - - }, - - - - "funding": { - - - - - "url": "https://github.com/sponsors/ljharb" - - - - } - - - }, - - - "node_modules/has-proto": { - - - - "version": "1.0.1", - - - - "resolved": "https://registry.npmjs.org/has-proto/-/has-proto-1.0.1.tgz", - - - - "integrity": "sha512-7qE+iP+O+bgF9clE5+UoBFzE65mlBiVj3tKCrlNQ0Ogwm0BjpT/gK4SlLYDMybDh5I3TCTKnPPa0oMG7JDYrhg==", - - - - "engines": { - - - - - "node": ">= 0.4" - - - - }, - - - - "funding": { - - - - - "url": "https://github.com/sponsors/ljharb" - - - - } - - - }, - - - "node_modules/has-symbols": { - - - - "version": "1.0.3", - - - - "resolved": "https://registry.npmjs.org/has-symbols/-/has-symbols-1.0.3.tgz", - - - - "integrity": "sha512-l3LCuF6MgDNwTDKkdYGEihYjt5pRPbEg46rtlmnSPlUbgmB8LOIrKJbYYFBSbnPaJexMKtiPO8hmeRjRz2Td+A==", - - - - "engines": { - - - - - "node": ">= 0.4" - - - - }, - - - - "funding": { - - - - - "url": "https://github.com/sponsors/ljharb" - - - - } - - - }, - - - "node_modules/hasown": { - - - - "version": "2.0.0", - - - - "resolved": "https://registry.npmjs.org/hasown/-/hasown-2.0.0.tgz", - - - - "integrity": "sha512-vUptKVTpIJhcczKBbgnS+RtcuYMB8+oNzPK2/Hp3hanz8JmpATdmmgLgSaadVREkDm+e2giHwY3ZRkyjSIDDFA==", - - - - "dependencies": { - - - - - "function-bind": "^1.1.2" - - - - }, - - - - "engines": { - - - - - "node": ">= 0.4" - - - - } - - - }, - - - "node_modules/http-errors": { - - - - "version": "2.0.0", - - - - "resolved": "https://registry.npmjs.org/http-errors/-/http-errors-2.0.0.tgz", - - - - "integrity": "sha512-FtwrG/euBzaEjYeRqOgly7G0qviiXoJWnvEH2Z1plBdXgbyjv34pHTSb9zoeHMyDy33+DWy5Wt9Wo+TURtOYSQ==", - - - - "dependencies": { - - - - - "depd": "2.0.0", - - - - - "inherits": "2.0.4", - - - - - "setprototypeof": "1.2.0", - - - - - "statuses": "2.0.1", - - - - - "toidentifier": "1.0.1" - - - - }, - - - - "engines": { - - - - - "node": ">= 0.8" - - - - } - - - }, - - - "node_modules/iconv-lite": { - - - - "version": "0.4.24", - - - - "resolved": "https://registry.npmjs.org/iconv-lite/-/iconv-lite-0.4.24.tgz", - - - - "integrity": "sha512-v3MXnZAcvnywkTUEZomIActle7RXXeedOR31wwl7VlyoXO4Qi9arvSenNQWne1TcRwhCL1HwLI21bEqdpj8/rA==", - - - - "dependencies": { - - - - - "safer-buffer": ">= 2.1.2 < 3" - - - - }, - - - - "engines": { - - - - - "node": ">=0.10.0" - - - - } - - - }, - - - "node_modules/inherits": { - - - - "version": "2.0.4", - - - - "resolved": "https://registry.npmjs.org/inherits/-/inherits-2.0.4.tgz", - - - - "integrity": "sha512-k/vGaX4/Yla3WzyMCvTQOXYeIHvqOKtnqBduzTHpzpQZzAskKMhZ2K+EnBiSM9zGSoIFeMpXKxa4dYeZIQqewQ==" - - - }, - - - "node_modules/ipaddr.js": { - - - - "version": "1.9.1", - - - - "resolved": "https://registry.npmjs.org/ipaddr.js/-/ipaddr.js-1.9.1.tgz", - - - - "integrity": "sha512-0KI/607xoxSToH7GjN1FfSbLoU0+btTicjsQSWQlh/hZykN8KpmMf7uYwPW3R+akZ6R/w18ZlXSHBYXiYUPO3g==", - - - - "engines": { - - - - - "node": ">= 0.10" - - - - } - - - }, - - - "node_modules/media-typer": { - - - - "version": "0.3.0", - - - - "resolved": "https://registry.npmjs.org/media-typer/-/media-typer-0.3.0.tgz", - - - - "integrity": "sha512-dq+qelQ9akHpcOl/gUVRTxVIOkAJ1wR3QAvb4RsVjS8oVoFjDGTc679wJYmUmknUF5HwMLOgb5O+a3KxfWapPQ==", - - - - "engines": { - - - - - "node": ">= 0.6" - - - - } - - - }, - - - "node_modules/merge-descriptors": { - - - - "version": "1.0.1", - - - - "resolved": "https://registry.npmjs.org/merge-descriptors/-/merge-descriptors-1.0.1.tgz", - - - - "integrity": "sha512-cCi6g3/Zr1iqQi6ySbseM1Xvooa98N0w31jzUYrXPX2xqObmFGHJ0tQ5u74H3mVh7wLouTseZyYIq39g8cNp1w==" - - - }, - - - "node_modules/methods": { - - - - "version": "1.1.2", - - - - "resolved": "https://registry.npmjs.org/methods/-/methods-1.1.2.tgz", - - - - "integrity": "sha512-iclAHeNqNm68zFtnZ0e+1L2yUIdvzNoauKU4WBA3VvH/vPFieF7qfRlwUZU+DA9P9bPXIS90ulxoUoCH23sV2w==", - - - - "engines": { - - - - - "node": ">= 0.6" - - - - } - - - }, - - - "node_modules/mime": { - - - - "version": "1.6.0", - - - - "resolved": "https://registry.npmjs.org/mime/-/mime-1.6.0.tgz", - - - - "integrity": "sha512-x0Vn8spI+wuJ1O6S7gnbaQg8Pxh4NNHb7KSINmEWKiPE4RKOplvijn+NkmYmmRgP68mc70j2EbeTFRsrswaQeg==", - - - - "bin": { - - - - - "mime": "cli.js" - - - - }, - - - - "engines": { - - - - - "node": ">=4" - - - - } - - - }, - - - "node_modules/mime-db": { - - - - "version": "1.52.0", - - - - "resolved": "https://registry.npmjs.org/mime-db/-/mime-db-1.52.0.tgz", - - - - "integrity": "sha512-sPU4uV7dYlvtWJxwwxHD0PuihVNiE7TyAbQ5SWxDCB9mUYvOgroQOwYQQOKPJ8CIbE+1ETVlOoK1UC2nU3gYvg==", - - - - "engines": { - - - - - "node": ">= 0.6" - - - - } - - - }, - - - "node_modules/mime-types": { - - - - "version": "2.1.35", - - - - "resolved": "https://registry.npmjs.org/mime-types/-/mime-types-2.1.35.tgz", - - - - "integrity": "sha512-ZDY+bPm5zTTF+YpCrAU9nK0UgICYPT0QtT1NZWFv4s++TNkcgVaT0g6+4R2uI4MjQjzysHB1zxuWL50hzaeXiw==", - - - - "dependencies": { - - - - - "mime-db": "1.52.0" - - - - }, - - - - "engines": { - - - - - "node": ">= 0.6" - - - - } - - - }, - - - "node_modules/ms": { - - - - "version": "2.0.0", - - - - "resolved": "https://registry.npmjs.org/ms/-/ms-2.0.0.tgz", - - - - "integrity": "sha512-Tpp60P6IUJDTuOq/5Z8cdskzJujfwqfOTkrwIwj7IRISpnkJnT6SyJ4PCPnGMoFjC9ddhal5KVIYtAt97ix05A==" - - - }, - - - "node_modules/negotiator": { - - - - "version": "0.6.3", - - - - "resolved": "https://registry.npmjs.org/negotiator/-/negotiator-0.6.3.tgz", - - - - "integrity": "sha512-+EUsqGPLsM+j/zdChZjsnX51g4XrHFOIXwfnCVPGlQk/k5giakcKsuxCObBRu6DSm9opw/O6slWbJdghQM4bBg==", - - - - "engines": { - - - - - "node": ">= 0.6" - - - - } - - - }, - - - "node_modules/node": { - - - - "version": "20.10.0", - - - - "resolved": "https://registry.npmjs.org/node/-/node-20.10.0.tgz", - - - - "integrity": "sha512-mIXfsYLNrafDq9es40WduIcwcGJLHVIa+itiKGcydM3qKx1HxymPWCKrG12PwG4oxsv4Jdke3uq2o4UiRgLYdQ==", - - - - "hasInstallScript": true, - - - - "dependencies": { - - - - - "node-bin-setup": "^1.0.0" - - - - }, - - - - "bin": { - - - - - "node": "bin/node" - - - - }, - - - - "engines": { - - - - - "npm": ">=5.0.0" - - - - } - - - }, - - - "node_modules/node-bin-setup": { - - - - "version": "1.1.3", - - - - "resolved": "https://registry.npmjs.org/node-bin-setup/-/node-bin-setup-1.1.3.tgz", - - - - "integrity": "sha512-opgw9iSCAzT2+6wJOETCpeRYAQxSopqQ2z+N6BXwIMsQQ7Zj5M8MaafQY8JMlolRR6R1UXg2WmhKp0p9lSOivg==" - - - }, - - - "node_modules/object-assign": { - - - - "version": "4.1.1", - - - - "resolved": "https://registry.npmjs.org/object-assign/-/object-assign-4.1.1.tgz", - - - - "integrity": "sha512-rJgTQnkUnH1sFw8yT6VSU3zD3sWmu6sZhIseY8VX+GRu3P6F7Fu+JNDoXfklElbLJSnc3FUQHVe4cU5hj+BcUg==", - - - - "engines": { - - - - - "node": ">=0.10.0" - - - - } - - - }, - - - "node_modules/object-inspect": { - - - - "version": "1.13.1", - - - - "resolved": "https://registry.npmjs.org/object-inspect/-/object-inspect-1.13.1.tgz", - - - - "integrity": "sha512-5qoj1RUiKOMsCCNLV1CBiPYE10sziTsnmNxkAI/rZhiD63CF7IqdFGC/XzjWjpSgLf0LxXX3bDFIh0E18f6UhQ==", - - - - "funding": { - - - - - "url": "https://github.com/sponsors/ljharb" - - - - } - - - }, - - - "node_modules/on-finished": { - - - - "version": "2.4.1", - - - - "resolved": "https://registry.npmjs.org/on-finished/-/on-finished-2.4.1.tgz", - - - - "integrity": "sha512-oVlzkg3ENAhCk2zdv7IJwd/QUD4z2RxRwpkcGY8psCVcCYZNq4wYnVWALHM+brtuJjePWiYF/ClmuDr8Ch5+kg==", - - - - "dependencies": { - - - - - "ee-first": "1.1.1" - - - - }, - - - - "engines": { - - - - - "node": ">= 0.8" - - - - } - - - }, - - - "node_modules/parseurl": { - - - - "version": "1.3.3", - - - - "resolved": "https://registry.npmjs.org/parseurl/-/parseurl-1.3.3.tgz", - - - - "integrity": "sha512-CiyeOxFT/JZyN5m0z9PfXw4SCBJ6Sygz1Dpl0wqjlhDEGGBP1GnsUVEL0p63hoG1fcj3fHynXi9NYO4nWOL+qQ==", - - - - "engines": { - - - - - "node": ">= 0.8" - - - - } - - - }, - - - "node_modules/path-to-regexp": { - - - - "version": "0.1.7", - - - - "resolved": "https://registry.npmjs.org/path-to-regexp/-/path-to-regexp-0.1.7.tgz", - - - - "integrity": "sha512-5DFkuoqlv1uYQKxy8omFBeJPQcdoE07Kv2sferDCrAq1ohOU+MSDswDIbnx3YAM60qIOnYa53wBhXW0EbMonrQ==" - - - }, - - - "node_modules/proxy-addr": { - - - - "version": "2.0.7", - - - - "resolved": "https://registry.npmjs.org/proxy-addr/-/proxy-addr-2.0.7.tgz", - - - - "integrity": "sha512-llQsMLSUDUPT44jdrU/O37qlnifitDP+ZwrmmZcoSKyLKvtZxpyV0n2/bD/N4tBAAZ/gJEdZU7KMraoK1+XYAg==", - - - - "dependencies": { - - - - - "forwarded": "0.2.0", - - - - - "ipaddr.js": "1.9.1" - - - - }, - - - - "engines": { - - - - - "node": ">= 0.10" - - - - } - - - }, - - - "node_modules/qs": { - - - - "version": "6.11.0", - - - - "resolved": "https://registry.npmjs.org/qs/-/qs-6.11.0.tgz", - - - - "integrity": "sha512-MvjoMCJwEarSbUYk5O+nmoSzSutSsTwF85zcHPQ9OrlFoZOYIjaqBAJIqIXjptyD5vThxGq52Xu/MaJzRkIk4Q==", - - - - "dependencies": { - - - - - "side-channel": "^1.0.4" - - - - }, - - - - "engines": { - - - - - "node": ">=0.6" - - - - }, - - - - "funding": { - - - - - "url": "https://github.com/sponsors/ljharb" - - - - } - - - }, - - - "node_modules/range-parser": { - - - - "version": "1.2.1", - - - - "resolved": "https://registry.npmjs.org/range-parser/-/range-parser-1.2.1.tgz", - - - - "integrity": "sha512-Hrgsx+orqoygnmhFbKaHE6c296J+HTAQXoxEF6gNupROmmGJRoyzfG3ccAveqCBrwr/2yxQ5BVd/GTl5agOwSg==", - - - - "engines": { - - - - - "node": ">= 0.6" - - - - } - - - }, - - - "node_modules/raw-body": { - - - - "version": "2.5.2", - - - - "resolved": "https://registry.npmjs.org/raw-body/-/raw-body-2.5.2.tgz", - - - - "integrity": "sha512-8zGqypfENjCIqGhgXToC8aB2r7YrBX+AQAfIPs/Mlk+BtPTztOvTS01NRW/3Eh60J+a48lt8qsCzirQ6loCVfA==", - - - - "dependencies": { - - - - - "bytes": "3.1.2", - - - - - "http-errors": "2.0.0", - - - - - "iconv-lite": "0.4.24", - - - - - "unpipe": "1.0.0" - - - - }, - - - - "engines": { - - - - - "node": ">= 0.8" - - - - } - - - }, - - - "node_modules/safe-buffer": { - - - - "version": "5.2.1", - - - - "resolved": "https://registry.npmjs.org/safe-buffer/-/safe-buffer-5.2.1.tgz", - - - - "integrity": "sha512-rp3So07KcdmmKbGvgaNxQSJr7bGVSVk5S9Eq1F+ppbRo70+YeaDxkw5Dd8NPN+GD6bjnYm2VuPuCXmpuYvmCXQ==", - - - - "funding": [ - - - - - { - - - - - - "type": "github", - - - - - - "url": "https://github.com/sponsors/feross" - - - - - }, - - - - - { - - - - - - "type": "patreon", - - - - - - "url": "https://www.patreon.com/feross" - - - - - }, - - - - - { - - - - - - "type": "consulting", - - - - - - "url": "https://feross.org/support" - - - - - } - - - - ] - - - }, - - - "node_modules/safer-buffer": { - - - - "version": "2.1.2", - - - - "resolved": "https://registry.npmjs.org/safer-buffer/-/safer-buffer-2.1.2.tgz", - - - - "integrity": "sha512-YZo3K82SD7Riyi0E1EQPojLz7kpepnSQI9IyPbHHg1XXXevb5dJI7tpyN2ADxGcQbHG7vcyRHk0cbwqcQriUtg==" - - - }, - - - "node_modules/send": { - - - - "version": "0.18.0", - - - - "resolved": "https://registry.npmjs.org/send/-/send-0.18.0.tgz", - - - - "integrity": "sha512-qqWzuOjSFOuqPjFe4NOsMLafToQQwBSOEpS+FwEt3A2V3vKubTquT3vmLTQpFgMXp8AlFWFuP1qKaJZOtPpVXg==", - - - - "dependencies": { - - - - - "debug": "2.6.9", - - - - - "depd": "2.0.0", - - - - - "destroy": "1.2.0", - - - - - "encodeurl": "~1.0.2", - - - - - "escape-html": "~1.0.3", - - - - - "etag": "~1.8.1", - - - - - "fresh": "0.5.2", - - - - - "http-errors": "2.0.0", - - - - - "mime": "1.6.0", - - - - - "ms": "2.1.3", - - - - - "on-finished": "2.4.1", - - - - - "range-parser": "~1.2.1", - - - - - "statuses": "2.0.1" - - - - }, - - - - "engines": { - - - - - "node": ">= 0.8.0" - - - - } - - - }, - - - "node_modules/send/node_modules/ms": { - - - - "version": "2.1.3", - - - - "resolved": "https://registry.npmjs.org/ms/-/ms-2.1.3.tgz", - - - - "integrity": "sha512-6FlzubTLZG3J2a/NVCAleEhjzq5oxgHyaCU9yYXvcLsvoVaHJq/s5xXI6/XXP6tz7R9xAOtHnSO/tXtF3WRTlA==" - - - }, - - - "node_modules/serve-static": { - - - - "version": "1.15.0", - - - - "resolved": "https://registry.npmjs.org/serve-static/-/serve-static-1.15.0.tgz", - - - - "integrity": "sha512-XGuRDNjXUijsUL0vl6nSD7cwURuzEgglbOaFuZM9g3kwDXOWVTck0jLzjPzGD+TazWbboZYu52/9/XPdUgne9g==", - - - - "dependencies": { - - - - - "encodeurl": "~1.0.2", - - - - - "escape-html": "~1.0.3", - - - - - "parseurl": "~1.3.3", - - - - - "send": "0.18.0" - - - - }, - - - - "engines": { - - - - - "node": ">= 0.8.0" - - - - } - - - }, - - - "node_modules/set-function-length": { - - - - "version": "1.1.1", - - - - "resolved": "https://registry.npmjs.org/set-function-length/-/set-function-length-1.1.1.tgz", - - - - "integrity": "sha512-VoaqjbBJKiWtg4yRcKBQ7g7wnGnLV3M8oLvVWwOk2PdYY6PEFegR1vezXR0tw6fZGF9csVakIRjrJiy2veSBFQ==", - - - - "dependencies": { - - - - - "define-data-property": "^1.1.1", - - - - - "get-intrinsic": "^1.2.1", - - - - - "gopd": "^1.0.1", - - - - - "has-property-descriptors": "^1.0.0" - - - - }, - - - - "engines": { - - - - - "node": ">= 0.4" - - - - } - - - }, - - - "node_modules/setprototypeof": { - - - - "version": "1.2.0", - - - - "resolved": "https://registry.npmjs.org/setprototypeof/-/setprototypeof-1.2.0.tgz", - - - - "integrity": "sha512-E5LDX7Wrp85Kil5bhZv46j8jOeboKq5JMmYM3gVGdGH8xFpPWXUMsNrlODCrkoxMEeNi/XZIwuRvY4XNwYMJpw==" - - - }, - - - "node_modules/side-channel": { - - - - "version": "1.0.4", - - - - "resolved": "https://registry.npmjs.org/side-channel/-/side-channel-1.0.4.tgz", - - - - "integrity": "sha512-q5XPytqFEIKHkGdiMIrY10mvLRvnQh42/+GoBlFW3b2LXLE2xxJpZFdm94we0BaoV3RwJyGqg5wS7epxTv0Zvw==", - - - - "dependencies": { - - - - - "call-bind": "^1.0.0", - - - - - "get-intrinsic": "^1.0.2", - - - - - "object-inspect": "^1.9.0" - - - - }, - - - - "funding": { - - - - - "url": "https://github.com/sponsors/ljharb" - - - - } - - - }, - - - "node_modules/statuses": { - - - - "version": "2.0.1", - - - - "resolved": "https://registry.npmjs.org/statuses/-/statuses-2.0.1.tgz", - - - - "integrity": "sha512-RwNA9Z/7PrK06rYLIzFMlaF+l73iwpzsqRIFgbMLbTcLD6cOao82TaWefPXQvB2fOC4AjuYSEndS7N/mTCbkdQ==", - - - - "engines": { - - - - - "node": ">= 0.8" - - - - } - - - }, - - - "node_modules/toidentifier": { - - - - "version": "1.0.1", - - - - "resolved": "https://registry.npmjs.org/toidentifier/-/toidentifier-1.0.1.tgz", - - - - "integrity": "sha512-o5sSPKEkg/DIQNmH43V0/uerLrpzVedkUh8tGNvaeXpfpuwjKenlSox/2O/BTlZUtEe+JG7s5YhEz608PlAHRA==", - - - - "engines": { - - - - - "node": ">=0.6" - - - - } - - - }, - - - "node_modules/type-is": { - - - - "version": "1.6.18", - - - - "resolved": "https://registry.npmjs.org/type-is/-/type-is-1.6.18.tgz", - - - - "integrity": "sha512-TkRKr9sUTxEH8MdfuCSP7VizJyzRNMjj2J2do2Jr3Kym598JVdEksuzPQCnlFPW4ky9Q+iA+ma9BGm06XQBy8g==", - - - - "dependencies": { - - - - - "media-typer": "0.3.0", - - - - - "mime-types": "~2.1.24" - - - - }, - - - - "engines": { - - - - - "node": ">= 0.6" - - - - } - - - }, - - - "node_modules/unpipe": { - - - - "version": "1.0.0", - - - - "resolved": "https://registry.npmjs.org/unpipe/-/unpipe-1.0.0.tgz", - - - - "integrity": "sha512-pjy2bYhSsufwWlKwPc+l3cN7+wuJlK6uz0YdJEOlQDbl6jo/YlPi4mb8agUkVC8BF7V8NuzeyPNqRksA3hztKQ==", - - - - "engines": { - - - - - "node": ">= 0.8" - - - - } - - - }, - - - "node_modules/utils-merge": { - - - - "version": "1.0.1", - - - - "resolved": "https://registry.npmjs.org/utils-merge/-/utils-merge-1.0.1.tgz", - - - - "integrity": "sha512-pMZTvIkT1d+TFGvDOqodOclx0QWkkgi6Tdoa8gC8ffGAAqz9pzPTZWAybbsHHoED/ztMtkv/VoYTYyShUn81hA==", - - - - "engines": { - - - - - "node": ">= 0.4.0" - - - - } - - - }, - - - "node_modules/vary": { - - - - "version": "1.1.2", - - - - "resolved": "https://registry.npmjs.org/vary/-/vary-1.1.2.tgz", - - - - "integrity": "sha512-BNGbWLfd0eUPabhkXUVm0j8uuvREyTh5ovRa/dyow/BqAbZJyC+5fU+IzQOzmAKzYqYRAISoRhdQr3eIZ/PXqg==", - - - - "engines": { - - - - - "node": ">= 0.8" - - - - } - - - } - + "node_modules/accepts": { + "version": "1.3.8", + "resolved": "https://registry.npmjs.org/accepts/-/accepts-1.3.8.tgz", + "integrity": "sha512-PYAthTa2m2VKxuvSD3DPC/Gy+U+sOA1LAuT8mkmRuvw+NACSaeXEQ+NHcVF7rONl6qcaxV3Uuemwawk+7+SJLw==", + "dependencies": { + "mime-types": "~2.1.34", + "negotiator": "0.6.3" + }, + "engines": { + "node": ">= 0.6" + } + }, + "node_modules/array-flatten": { + "version": "1.1.1", + "resolved": "https://registry.npmjs.org/array-flatten/-/array-flatten-1.1.1.tgz", + "integrity": "sha512-PCVAQswWemu6UdxsDFFX/+gVeYqKAod3D3UVm91jHwynguOwAvYPhx8nNlM++NqRcK6CxxpUafjmhIdKiHibqg==" + }, + "node_modules/body-parser": { + "version": "1.20.2", + "resolved": "https://registry.npmjs.org/body-parser/-/body-parser-1.20.2.tgz", + "integrity": "sha512-ml9pReCu3M61kGlqoTm2umSXTlRTuGTx0bfYj+uIUKKYycG5NtSbeetV3faSU6R7ajOPw0g/J1PvK4qNy7s5bA==", + "dependencies": { + "bytes": "3.1.2", + "content-type": "~1.0.5", + "debug": "2.6.9", + "depd": "2.0.0", + "destroy": "1.2.0", + "http-errors": "2.0.0", + "iconv-lite": "0.4.24", + "on-finished": "2.4.1", + "qs": "6.11.0", + "raw-body": "2.5.2", + "type-is": "~1.6.18", + "unpipe": "1.0.0" + }, + "engines": { + "node": ">= 0.8", + "npm": "1.2.8000 || >= 1.4.16" + } + }, + "node_modules/body-parser/node_modules/depd": { + "version": "2.0.0", + "resolved": "https://registry.npmjs.org/depd/-/depd-2.0.0.tgz", + "integrity": "sha512-g7nH6P6dyDioJogAAGprGpCtVImJhpPk/roCzdb3fIh61/s/nPsfR6onyMwkCAR/OlC3yBC0lESvUoQEAssIrw==", + "engines": { + "node": ">= 0.8" + } + }, + "node_modules/body-parser/node_modules/destroy": { + "version": "1.2.0", + "resolved": "https://registry.npmjs.org/destroy/-/destroy-1.2.0.tgz", + "integrity": "sha512-2sJGJTaXIIaR1w4iJSNoN0hnMY7Gpc/n8D4qSCJw8QqFWXf7cuAgnEHxBpweaVcPevC2l3KpjYCx3NypQQgaJg==", + "engines": { + "node": ">= 0.8", + "npm": "1.2.8000 || >= 1.4.16" + } + }, + "node_modules/body-parser/node_modules/http-errors": { + "version": "2.0.0", + "resolved": "https://registry.npmjs.org/http-errors/-/http-errors-2.0.0.tgz", + "integrity": "sha512-FtwrG/euBzaEjYeRqOgly7G0qviiXoJWnvEH2Z1plBdXgbyjv34pHTSb9zoeHMyDy33+DWy5Wt9Wo+TURtOYSQ==", + "dependencies": { + "depd": "2.0.0", + "inherits": "2.0.4", + "setprototypeof": "1.2.0", + "statuses": "2.0.1", + "toidentifier": "1.0.1" + }, + "engines": { + "node": ">= 0.8" + } + }, + "node_modules/body-parser/node_modules/inherits": { + "version": "2.0.4", + "resolved": "https://registry.npmjs.org/inherits/-/inherits-2.0.4.tgz", + "integrity": "sha512-k/vGaX4/Yla3WzyMCvTQOXYeIHvqOKtnqBduzTHpzpQZzAskKMhZ2K+EnBiSM9zGSoIFeMpXKxa4dYeZIQqewQ==" + }, + "node_modules/body-parser/node_modules/on-finished": { + "version": "2.4.1", + "resolved": "https://registry.npmjs.org/on-finished/-/on-finished-2.4.1.tgz", + "integrity": "sha512-oVlzkg3ENAhCk2zdv7IJwd/QUD4z2RxRwpkcGY8psCVcCYZNq4wYnVWALHM+brtuJjePWiYF/ClmuDr8Ch5+kg==", + "dependencies": { + "ee-first": "1.1.1" + }, + "engines": { + "node": ">= 0.8" + } + }, + "node_modules/body-parser/node_modules/qs": { + "version": "6.11.0", + "resolved": "https://registry.npmjs.org/qs/-/qs-6.11.0.tgz", + "integrity": "sha512-MvjoMCJwEarSbUYk5O+nmoSzSutSsTwF85zcHPQ9OrlFoZOYIjaqBAJIqIXjptyD5vThxGq52Xu/MaJzRkIk4Q==", + "dependencies": { + "side-channel": "^1.0.4" + }, + "engines": { + "node": ">=0.6" + }, + "funding": { + "url": "https://github.com/sponsors/ljharb" + } + }, + "node_modules/body-parser/node_modules/setprototypeof": { + "version": "1.2.0", + "resolved": "https://registry.npmjs.org/setprototypeof/-/setprototypeof-1.2.0.tgz", + "integrity": "sha512-E5LDX7Wrp85Kil5bhZv46j8jOeboKq5JMmYM3gVGdGH8xFpPWXUMsNrlODCrkoxMEeNi/XZIwuRvY4XNwYMJpw==" + }, + "node_modules/body-parser/node_modules/statuses": { + "version": "2.0.1", + "resolved": "https://registry.npmjs.org/statuses/-/statuses-2.0.1.tgz", + "integrity": "sha512-RwNA9Z/7PrK06rYLIzFMlaF+l73iwpzsqRIFgbMLbTcLD6cOao82TaWefPXQvB2fOC4AjuYSEndS7N/mTCbkdQ==", + "engines": { + "node": ">= 0.8" + } + }, + "node_modules/bytes": { + "version": "3.1.2", + "resolved": "https://registry.npmjs.org/bytes/-/bytes-3.1.2.tgz", + "integrity": "sha512-/Nf7TyzTx6S3yRJObOAV7956r8cr2+Oj8AC5dt8wSP3BQAoeX58NoHyCU8P8zGkNXStjTSi6fzO6F0pBdcYbEg==", + "engines": { + "node": ">= 0.8" + } + }, + "node_modules/call-bind": { + "version": "1.0.2", + "resolved": "https://registry.npmjs.org/call-bind/-/call-bind-1.0.2.tgz", + "integrity": "sha512-7O+FbCihrB5WGbFYesctwmTKae6rOiIzmz1icreWJ+0aA7LJfuqhEso2T9ncpcFtzMQtzXf2QGGueWJGTYsqrA==", + "dependencies": { + "function-bind": "^1.1.1", + "get-intrinsic": "^1.0.2" + }, + "funding": { + "url": "https://github.com/sponsors/ljharb" + } + }, + "node_modules/connect-history-api-fallback": { + "version": "2.0.0", + "resolved": "https://registry.npmjs.org/connect-history-api-fallback/-/connect-history-api-fallback-2.0.0.tgz", + "integrity": "sha512-U73+6lQFmfiNPrYbXqr6kZ1i1wiRqXnp2nhMsINseWXO8lDau0LGEffJ8kQi4EjLZympVgRdvqjAgiZ1tgzDDA==", + "engines": { + "node": ">=0.8" + } + }, + "node_modules/content-disposition": { + "version": "0.5.2", + "resolved": "https://registry.npmjs.org/content-disposition/-/content-disposition-0.5.2.tgz", + "integrity": "sha512-kRGRZw3bLlFISDBgwTSA1TMBFN6J6GWDeubmDE3AF+3+yXL8hTWv8r5rkLbqYXY4RjPk/EzHnClI3zQf1cFmHA==", + "engines": { + "node": ">= 0.6" + } + }, + "node_modules/content-type": { + "version": "1.0.5", + "resolved": "https://registry.npmjs.org/content-type/-/content-type-1.0.5.tgz", + "integrity": "sha512-nTjqfcBFEipKdXCv4YDQWCfmcLZKm81ldF0pAopTvyrFGVbcR6P/VAAd5G7N+0tTr8QqiU0tFadD6FK4NtJwOA==", + "engines": { + "node": ">= 0.6" + } + }, + "node_modules/cookie-signature": { + "version": "1.0.6", + "resolved": "https://registry.npmjs.org/cookie-signature/-/cookie-signature-1.0.6.tgz", + "integrity": "sha512-QADzlaHc8icV8I7vbaJXJwod9HWYp8uCqf1xa4OfNu1T7JVxQIrUgOWtHdNDtPiywmFbiS12VjotIXLrKM3orQ==" + }, + "node_modules/cors": { + "version": "2.8.5", + "resolved": "https://registry.npmjs.org/cors/-/cors-2.8.5.tgz", + "integrity": "sha512-KIHbLJqu73RGr/hnbrO9uBeixNGuvSQjul/jdFvS/KFSIH1hWVd1ng7zOHx+YrEfInLG7q4n6GHQ9cDtxv/P6g==", + "dependencies": { + "object-assign": "^4", + "vary": "^1" + }, + "engines": { + "node": ">= 0.10" + } + }, + "node_modules/debug": { + "version": "2.6.9", + "resolved": "https://registry.npmjs.org/debug/-/debug-2.6.9.tgz", + "integrity": "sha512-bC7ElrdJaJnPbAP+1EotYvqZsb3ecl5wi6Bfi6BJTUcNowp6cvspg0jXznRTKDjm/E7AdgFBVeAPVMNcKGsHMA==", + "dependencies": { + "ms": "2.0.0" + } + }, + "node_modules/depd": { + "version": "1.1.2", + "resolved": "https://registry.npmjs.org/depd/-/depd-1.1.2.tgz", + "integrity": "sha512-7emPTl6Dpo6JRXOXjLRxck+FlLRX5847cLKEn00PLAgc3g2hTZZgr+e4c2v6QpSmLeFP3n5yUo7ft6avBK/5jQ==", + "engines": { + "node": ">= 0.6" + } + }, + "node_modules/destroy": { + "version": "1.0.4", + "resolved": "https://registry.npmjs.org/destroy/-/destroy-1.0.4.tgz", + "integrity": "sha512-3NdhDuEXnfun/z7x9GOElY49LoqVHoGScmOKwmxhsS8N5Y+Z8KyPPDnaSzqWgYt/ji4mqwfTS34Htrk0zPIXVg==" + }, + "node_modules/ee-first": { + "version": "1.1.1", + "resolved": "https://registry.npmjs.org/ee-first/-/ee-first-1.1.1.tgz", + "integrity": "sha512-WMwm9LhRUo+WUaRN+vRuETqG89IgZphVSNkdFgeb6sS/E4OrDIN7t48CAewSHXc6C8lefD8KKfr5vY61brQlow==" + }, + "node_modules/encodeurl": { + "version": "1.0.2", + "resolved": "https://registry.npmjs.org/encodeurl/-/encodeurl-1.0.2.tgz", + "integrity": "sha512-TPJXq8JqFaVYm2CWmPvnP2Iyo4ZSM7/QKcSmuMLDObfpH5fi7RUGmd/rTDf+rut/saiDiQEeVTNgAmJEdAOx0w==", + "engines": { + "node": ">= 0.8" + } + }, + "node_modules/escape-html": { + "version": "1.0.3", + "resolved": "https://registry.npmjs.org/escape-html/-/escape-html-1.0.3.tgz", + "integrity": "sha512-NiSupZ4OeuGwr68lGIeym/ksIZMJodUGOSCZ/FSnTxcrekbvqrgdUxlJOMpijaKZVjAJrWrGs/6Jy8OMuyj9ow==" + }, + "node_modules/etag": { + "version": "1.8.1", + "resolved": "https://registry.npmjs.org/etag/-/etag-1.8.1.tgz", + "integrity": "sha512-aIL5Fx7mawVa300al2BnEE4iNvo1qETxLrPI/o05L7z6go7fCw1J6EQmbK4FmJ2AS7kgVF/KEZWufBfdClMcPg==", + "engines": { + "node": ">= 0.6" + } + }, + "node_modules/express": { + "version": "4.16.4", + "resolved": "https://registry.npmjs.org/express/-/express-4.16.4.tgz", + "integrity": "sha512-j12Uuyb4FMrd/qQAm6uCHAkPtO8FDTRJZBDd5D2KOL2eLaz1yUNdUB/NOIyq0iU4q4cFarsUCrnFDPBcnksuOg==", + "dependencies": { + "accepts": "~1.3.5", + "array-flatten": "1.1.1", + "body-parser": "1.18.3", + "content-disposition": "0.5.2", + "content-type": "~1.0.4", + "cookie": "0.3.1", + "cookie-signature": "1.0.6", + "debug": "2.6.9", + "depd": "~1.1.2", + "encodeurl": "~1.0.2", + "escape-html": "~1.0.3", + "etag": "~1.8.1", + "finalhandler": "1.1.1", + "fresh": "0.5.2", + "merge-descriptors": "1.0.1", + "methods": "~1.1.2", + "on-finished": "~2.3.0", + "parseurl": "~1.3.2", + "path-to-regexp": "0.1.7", + "proxy-addr": "~2.0.4", + "qs": "6.5.2", + "range-parser": "~1.2.0", + "safe-buffer": "5.1.2", + "send": "0.16.2", + "serve-static": "1.13.2", + "setprototypeof": "1.1.0", + "statuses": "~1.4.0", + "type-is": "~1.6.16", + "utils-merge": "1.0.1", + "vary": "~1.1.2" + }, + "engines": { + "node": ">= 0.10.0" + } + }, + "node_modules/express/node_modules/body-parser": { + "version": "1.18.3", + "resolved": "https://registry.npmjs.org/body-parser/-/body-parser-1.18.3.tgz", + "integrity": "sha512-YQyoqQG3sO8iCmf8+hyVpgHHOv0/hCEFiS4zTGUwTA1HjAFX66wRcNQrVCeJq9pgESMRvUAOvSil5MJlmccuKQ==", + "dependencies": { + "bytes": "3.0.0", + "content-type": "~1.0.4", + "debug": "2.6.9", + "depd": "~1.1.2", + "http-errors": "~1.6.3", + "iconv-lite": "0.4.23", + "on-finished": "~2.3.0", + "qs": "6.5.2", + "raw-body": "2.3.3", + "type-is": "~1.6.16" + }, + "engines": { + "node": ">= 0.8" + } + }, + "node_modules/express/node_modules/bytes": { + "version": "3.0.0", + "resolved": "https://registry.npmjs.org/bytes/-/bytes-3.0.0.tgz", + "integrity": "sha512-pMhOfFDPiv9t5jjIXkHosWmkSyQbvsgEVNkz0ERHbuLh2T/7j4Mqqpz523Fe8MVY89KC6Sh/QfS2sM+SjgFDcw==", + "engines": { + "node": ">= 0.8" + } + }, + "node_modules/express/node_modules/cookie": { + "version": "0.3.1", + "resolved": "https://registry.npmjs.org/cookie/-/cookie-0.3.1.tgz", + "integrity": "sha512-+IJOX0OqlHCszo2mBUq+SrEbCj6w7Kpffqx60zYbPTFaO4+yYgRjHwcZNpWvaTylDHaV7PPmBHzSecZiMhtPgw==", + "engines": { + "node": ">= 0.6" + } + }, + "node_modules/express/node_modules/iconv-lite": { + "version": "0.4.23", + "resolved": "https://registry.npmjs.org/iconv-lite/-/iconv-lite-0.4.23.tgz", + "integrity": "sha512-neyTUVFtahjf0mB3dZT77u+8O0QB89jFdnBkd5P1JgYPbPaia3gXXOVL2fq8VyU2gMMD7SaN7QukTB/pmXYvDA==", + "dependencies": { + "safer-buffer": ">= 2.1.2 < 3" + }, + "engines": { + "node": ">=0.10.0" + } + }, + "node_modules/express/node_modules/raw-body": { + "version": "2.3.3", + "resolved": "https://registry.npmjs.org/raw-body/-/raw-body-2.3.3.tgz", + "integrity": "sha512-9esiElv1BrZoI3rCDuOuKCBRbuApGGaDPQfjSflGxdy4oyzqghxu6klEkkVIvBje+FF0BX9coEv8KqW6X/7njw==", + "dependencies": { + "bytes": "3.0.0", + "http-errors": "1.6.3", + "iconv-lite": "0.4.23", + "unpipe": "1.0.0" + }, + "engines": { + "node": ">= 0.8" + } + }, + "node_modules/finalhandler": { + "version": "1.1.1", + "resolved": "https://registry.npmjs.org/finalhandler/-/finalhandler-1.1.1.tgz", + "integrity": "sha512-Y1GUDo39ez4aHAw7MysnUD5JzYX+WaIj8I57kO3aEPT1fFRL4sr7mjei97FgnwhAyyzRYmQZaTHb2+9uZ1dPtg==", + "dependencies": { + "debug": "2.6.9", + "encodeurl": "~1.0.2", + "escape-html": "~1.0.3", + "on-finished": "~2.3.0", + "parseurl": "~1.3.2", + "statuses": "~1.4.0", + "unpipe": "~1.0.0" + }, + "engines": { + "node": ">= 0.8" + } + }, + "node_modules/forwarded": { + "version": "0.2.0", + "resolved": "https://registry.npmjs.org/forwarded/-/forwarded-0.2.0.tgz", + "integrity": "sha512-buRG0fpBtRHSTCOASe6hD258tEubFoRLb4ZNA6NxMVHNw2gOcwHo9wyablzMzOA5z9xA9L1KNjk/Nt6MT9aYow==", + "engines": { + "node": ">= 0.6" + } + }, + "node_modules/fresh": { + "version": "0.5.2", + "resolved": "https://registry.npmjs.org/fresh/-/fresh-0.5.2.tgz", + "integrity": "sha512-zJ2mQYM18rEFOudeV4GShTGIQ7RbzA7ozbU9I/XBpm7kqgMywgmylMwXHxZJmkVoYkna9d2pVXVXPdYTP9ej8Q==", + "engines": { + "node": ">= 0.6" + } + }, + "node_modules/function-bind": { + "version": "1.1.1", + "resolved": "https://registry.npmjs.org/function-bind/-/function-bind-1.1.1.tgz", + "integrity": "sha512-yIovAzMX49sF8Yl58fSCWJ5svSLuaibPxXQJFLmBObTuCr0Mf1KiPopGM9NiFjiYBCbfaa2Fh6breQ6ANVTI0A==" + }, + "node_modules/get-intrinsic": { + "version": "1.2.1", + "resolved": "https://registry.npmjs.org/get-intrinsic/-/get-intrinsic-1.2.1.tgz", + "integrity": "sha512-2DcsyfABl+gVHEfCOaTrWgyt+tb6MSEGmKq+kI5HwLbIYgjgmMcV8KQ41uaKz1xxUcn9tJtgFbQUEVcEbd0FYw==", + "dependencies": { + "function-bind": "^1.1.1", + "has": "^1.0.3", + "has-proto": "^1.0.1", + "has-symbols": "^1.0.3" + }, + "funding": { + "url": "https://github.com/sponsors/ljharb" + } + }, + "node_modules/has": { + "version": "1.0.3", + "resolved": "https://registry.npmjs.org/has/-/has-1.0.3.tgz", + "integrity": "sha512-f2dvO0VU6Oej7RkWJGrehjbzMAjFp5/VKPp5tTpWIV4JHHZK1/BxbFRtf/siA2SWTe09caDmVtYYzWEIbBS4zw==", + "dependencies": { + "function-bind": "^1.1.1" + }, + "engines": { + "node": ">= 0.4.0" + } + }, + "node_modules/has-proto": { + "version": "1.0.1", + "resolved": "https://registry.npmjs.org/has-proto/-/has-proto-1.0.1.tgz", + "integrity": "sha512-7qE+iP+O+bgF9clE5+UoBFzE65mlBiVj3tKCrlNQ0Ogwm0BjpT/gK4SlLYDMybDh5I3TCTKnPPa0oMG7JDYrhg==", + "engines": { + "node": ">= 0.4" + }, + "funding": { + "url": "https://github.com/sponsors/ljharb" + } + }, + "node_modules/has-symbols": { + "version": "1.0.3", + "resolved": "https://registry.npmjs.org/has-symbols/-/has-symbols-1.0.3.tgz", + "integrity": "sha512-l3LCuF6MgDNwTDKkdYGEihYjt5pRPbEg46rtlmnSPlUbgmB8LOIrKJbYYFBSbnPaJexMKtiPO8hmeRjRz2Td+A==", + "engines": { + "node": ">= 0.4" + }, + "funding": { + "url": "https://github.com/sponsors/ljharb" + } + }, + "node_modules/http-errors": { + "version": "1.6.3", + "resolved": "https://registry.npmjs.org/http-errors/-/http-errors-1.6.3.tgz", + "integrity": "sha512-lks+lVC8dgGyh97jxvxeYTWQFvh4uw4yC12gVl63Cg30sjPX4wuGcdkICVXDAESr6OJGjqGA8Iz5mkeN6zlD7A==", + "dependencies": { + "depd": "~1.1.2", + "inherits": "2.0.3", + "setprototypeof": "1.1.0", + "statuses": ">= 1.4.0 < 2" + }, + "engines": { + "node": ">= 0.6" + } + }, + "node_modules/iconv-lite": { + "version": "0.4.24", + "resolved": "https://registry.npmjs.org/iconv-lite/-/iconv-lite-0.4.24.tgz", + "integrity": "sha512-v3MXnZAcvnywkTUEZomIActle7RXXeedOR31wwl7VlyoXO4Qi9arvSenNQWne1TcRwhCL1HwLI21bEqdpj8/rA==", + "dependencies": { + "safer-buffer": ">= 2.1.2 < 3" + }, + "engines": { + "node": ">=0.10.0" + } + }, + "node_modules/inherits": { + "version": "2.0.3", + "resolved": "https://registry.npmjs.org/inherits/-/inherits-2.0.3.tgz", + "integrity": "sha512-x00IRNXNy63jwGkJmzPigoySHbaqpNuzKbBOmzK+g2OdZpQ9w+sxCN+VSB3ja7IAge2OP2qpfxTjeNcyjmW1uw==" + }, + "node_modules/ipaddr.js": { + "version": "1.9.1", + "resolved": "https://registry.npmjs.org/ipaddr.js/-/ipaddr.js-1.9.1.tgz", + "integrity": "sha512-0KI/607xoxSToH7GjN1FfSbLoU0+btTicjsQSWQlh/hZykN8KpmMf7uYwPW3R+akZ6R/w18ZlXSHBYXiYUPO3g==", + "engines": { + "node": ">= 0.10" + } + }, + "node_modules/media-typer": { + "version": "0.3.0", + "resolved": "https://registry.npmjs.org/media-typer/-/media-typer-0.3.0.tgz", + "integrity": "sha512-dq+qelQ9akHpcOl/gUVRTxVIOkAJ1wR3QAvb4RsVjS8oVoFjDGTc679wJYmUmknUF5HwMLOgb5O+a3KxfWapPQ==", + "engines": { + "node": ">= 0.6" + } + }, + "node_modules/merge-descriptors": { + "version": "1.0.1", + "resolved": "https://registry.npmjs.org/merge-descriptors/-/merge-descriptors-1.0.1.tgz", + "integrity": "sha512-cCi6g3/Zr1iqQi6ySbseM1Xvooa98N0w31jzUYrXPX2xqObmFGHJ0tQ5u74H3mVh7wLouTseZyYIq39g8cNp1w==" + }, + "node_modules/methods": { + "version": "1.1.2", + "resolved": "https://registry.npmjs.org/methods/-/methods-1.1.2.tgz", + "integrity": "sha512-iclAHeNqNm68zFtnZ0e+1L2yUIdvzNoauKU4WBA3VvH/vPFieF7qfRlwUZU+DA9P9bPXIS90ulxoUoCH23sV2w==", + "engines": { + "node": ">= 0.6" + } + }, + "node_modules/mime": { + "version": "1.4.1", + "resolved": "https://registry.npmjs.org/mime/-/mime-1.4.1.tgz", + "integrity": "sha512-KI1+qOZu5DcW6wayYHSzR/tXKCDC5Om4s1z2QJjDULzLcmf3DvzS7oluY4HCTrc+9FiKmWUgeNLg7W3uIQvxtQ==", + "bin": { + "mime": "cli.js" + } + }, + "node_modules/mime-db": { + "version": "1.52.0", + "resolved": "https://registry.npmjs.org/mime-db/-/mime-db-1.52.0.tgz", + "integrity": "sha512-sPU4uV7dYlvtWJxwwxHD0PuihVNiE7TyAbQ5SWxDCB9mUYvOgroQOwYQQOKPJ8CIbE+1ETVlOoK1UC2nU3gYvg==", + "engines": { + "node": ">= 0.6" + } + }, + "node_modules/mime-types": { + "version": "2.1.35", + "resolved": "https://registry.npmjs.org/mime-types/-/mime-types-2.1.35.tgz", + "integrity": "sha512-ZDY+bPm5zTTF+YpCrAU9nK0UgICYPT0QtT1NZWFv4s++TNkcgVaT0g6+4R2uI4MjQjzysHB1zxuWL50hzaeXiw==", + "dependencies": { + "mime-db": "1.52.0" + }, + "engines": { + "node": ">= 0.6" + } + }, + "node_modules/ms": { + "version": "2.0.0", + "resolved": "https://registry.npmjs.org/ms/-/ms-2.0.0.tgz", + "integrity": "sha512-Tpp60P6IUJDTuOq/5Z8cdskzJujfwqfOTkrwIwj7IRISpnkJnT6SyJ4PCPnGMoFjC9ddhal5KVIYtAt97ix05A==" + }, + "node_modules/negotiator": { + "version": "0.6.3", + "resolved": "https://registry.npmjs.org/negotiator/-/negotiator-0.6.3.tgz", + "integrity": "sha512-+EUsqGPLsM+j/zdChZjsnX51g4XrHFOIXwfnCVPGlQk/k5giakcKsuxCObBRu6DSm9opw/O6slWbJdghQM4bBg==", + "engines": { + "node": ">= 0.6" + } + }, + "node_modules/node": { + "version": "20.5.0", + "resolved": "https://registry.npmjs.org/node/-/node-20.5.0.tgz", + "integrity": "sha512-+mVyKGaCscnINaMNIa+plgDoN9XXb5ksw7FQB78pUmodmftxomwlaU6z6ze1aCbHVB69BGqo84KkyD6NJC9Ifg==", + "hasInstallScript": true, + "dependencies": { + "node-bin-setup": "^1.0.0" + }, + "bin": { + "node": "bin/node" + }, + "engines": { + "npm": ">=5.0.0" + } + }, + "node_modules/node-bin-setup": { + "version": "1.1.3", + "resolved": "https://registry.npmjs.org/node-bin-setup/-/node-bin-setup-1.1.3.tgz", + "integrity": "sha512-opgw9iSCAzT2+6wJOETCpeRYAQxSopqQ2z+N6BXwIMsQQ7Zj5M8MaafQY8JMlolRR6R1UXg2WmhKp0p9lSOivg==" + }, + "node_modules/object-assign": { + "version": "4.1.1", + "resolved": "https://registry.npmjs.org/object-assign/-/object-assign-4.1.1.tgz", + "integrity": "sha512-rJgTQnkUnH1sFw8yT6VSU3zD3sWmu6sZhIseY8VX+GRu3P6F7Fu+JNDoXfklElbLJSnc3FUQHVe4cU5hj+BcUg==", + "engines": { + "node": ">=0.10.0" + } + }, + "node_modules/object-inspect": { + "version": "1.12.3", + "resolved": "https://registry.npmjs.org/object-inspect/-/object-inspect-1.12.3.tgz", + "integrity": "sha512-geUvdk7c+eizMNUDkRpW1wJwgfOiOeHbxBR/hLXK1aT6zmVSO0jsQcs7fj6MGw89jC/cjGfLcNOrtMYtGqm81g==", + "funding": { + "url": "https://github.com/sponsors/ljharb" + } + }, + "node_modules/on-finished": { + "version": "2.3.0", + "resolved": "https://registry.npmjs.org/on-finished/-/on-finished-2.3.0.tgz", + "integrity": "sha512-ikqdkGAAyf/X/gPhXGvfgAytDZtDbr+bkNUJ0N9h5MI/dmdgCs3l6hoHrcUv41sRKew3jIwrp4qQDXiK99Utww==", + "dependencies": { + "ee-first": "1.1.1" + }, + "engines": { + "node": ">= 0.8" + } + }, + "node_modules/parseurl": { + "version": "1.3.3", + "resolved": "https://registry.npmjs.org/parseurl/-/parseurl-1.3.3.tgz", + "integrity": "sha512-CiyeOxFT/JZyN5m0z9PfXw4SCBJ6Sygz1Dpl0wqjlhDEGGBP1GnsUVEL0p63hoG1fcj3fHynXi9NYO4nWOL+qQ==", + "engines": { + "node": ">= 0.8" + } + }, + "node_modules/path-to-regexp": { + "version": "0.1.7", + "resolved": "https://registry.npmjs.org/path-to-regexp/-/path-to-regexp-0.1.7.tgz", + "integrity": "sha512-5DFkuoqlv1uYQKxy8omFBeJPQcdoE07Kv2sferDCrAq1ohOU+MSDswDIbnx3YAM60qIOnYa53wBhXW0EbMonrQ==" + }, + "node_modules/proxy-addr": { + "version": "2.0.7", + "resolved": "https://registry.npmjs.org/proxy-addr/-/proxy-addr-2.0.7.tgz", + "integrity": "sha512-llQsMLSUDUPT44jdrU/O37qlnifitDP+ZwrmmZcoSKyLKvtZxpyV0n2/bD/N4tBAAZ/gJEdZU7KMraoK1+XYAg==", + "dependencies": { + "forwarded": "0.2.0", + "ipaddr.js": "1.9.1" + }, + "engines": { + "node": ">= 0.10" + } + }, + "node_modules/qs": { + "version": "6.5.2", + "resolved": "https://registry.npmjs.org/qs/-/qs-6.5.2.tgz", + "integrity": "sha512-N5ZAX4/LxJmF+7wN74pUD6qAh9/wnvdQcjq9TZjevvXzSUo7bfmw91saqMjzGS2xq91/odN2dW/WOl7qQHNDGA==", + "engines": { + "node": ">=0.6" + } + }, + "node_modules/range-parser": { + "version": "1.2.1", + "resolved": "https://registry.npmjs.org/range-parser/-/range-parser-1.2.1.tgz", + "integrity": "sha512-Hrgsx+orqoygnmhFbKaHE6c296J+HTAQXoxEF6gNupROmmGJRoyzfG3ccAveqCBrwr/2yxQ5BVd/GTl5agOwSg==", + "engines": { + "node": ">= 0.6" + } + }, + "node_modules/raw-body": { + "version": "2.5.2", + "resolved": "https://registry.npmjs.org/raw-body/-/raw-body-2.5.2.tgz", + "integrity": "sha512-8zGqypfENjCIqGhgXToC8aB2r7YrBX+AQAfIPs/Mlk+BtPTztOvTS01NRW/3Eh60J+a48lt8qsCzirQ6loCVfA==", + "dependencies": { + "bytes": "3.1.2", + "http-errors": "2.0.0", + "iconv-lite": "0.4.24", + "unpipe": "1.0.0" + }, + "engines": { + "node": ">= 0.8" + } + }, + "node_modules/raw-body/node_modules/depd": { + "version": "2.0.0", + "resolved": "https://registry.npmjs.org/depd/-/depd-2.0.0.tgz", + "integrity": "sha512-g7nH6P6dyDioJogAAGprGpCtVImJhpPk/roCzdb3fIh61/s/nPsfR6onyMwkCAR/OlC3yBC0lESvUoQEAssIrw==", + "engines": { + "node": ">= 0.8" + } + }, + "node_modules/raw-body/node_modules/http-errors": { + "version": "2.0.0", + "resolved": "https://registry.npmjs.org/http-errors/-/http-errors-2.0.0.tgz", + "integrity": "sha512-FtwrG/euBzaEjYeRqOgly7G0qviiXoJWnvEH2Z1plBdXgbyjv34pHTSb9zoeHMyDy33+DWy5Wt9Wo+TURtOYSQ==", + "dependencies": { + "depd": "2.0.0", + "inherits": "2.0.4", + "setprototypeof": "1.2.0", + "statuses": "2.0.1", + "toidentifier": "1.0.1" + }, + "engines": { + "node": ">= 0.8" + } + }, + "node_modules/raw-body/node_modules/inherits": { + "version": "2.0.4", + "resolved": "https://registry.npmjs.org/inherits/-/inherits-2.0.4.tgz", + "integrity": "sha512-k/vGaX4/Yla3WzyMCvTQOXYeIHvqOKtnqBduzTHpzpQZzAskKMhZ2K+EnBiSM9zGSoIFeMpXKxa4dYeZIQqewQ==" + }, + "node_modules/raw-body/node_modules/setprototypeof": { + "version": "1.2.0", + "resolved": "https://registry.npmjs.org/setprototypeof/-/setprototypeof-1.2.0.tgz", + "integrity": "sha512-E5LDX7Wrp85Kil5bhZv46j8jOeboKq5JMmYM3gVGdGH8xFpPWXUMsNrlODCrkoxMEeNi/XZIwuRvY4XNwYMJpw==" + }, + "node_modules/raw-body/node_modules/statuses": { + "version": "2.0.1", + "resolved": "https://registry.npmjs.org/statuses/-/statuses-2.0.1.tgz", + "integrity": "sha512-RwNA9Z/7PrK06rYLIzFMlaF+l73iwpzsqRIFgbMLbTcLD6cOao82TaWefPXQvB2fOC4AjuYSEndS7N/mTCbkdQ==", + "engines": { + "node": ">= 0.8" + } + }, + "node_modules/safe-buffer": { + "version": "5.1.2", + "resolved": "https://registry.npmjs.org/safe-buffer/-/safe-buffer-5.1.2.tgz", + "integrity": "sha512-Gd2UZBJDkXlY7GbJxfsE8/nvKkUEU1G38c1siN6QP6a9PT9MmHB8GnpscSmMJSoF8LOIrt8ud/wPtojys4G6+g==" + }, + "node_modules/safer-buffer": { + "version": "2.1.2", + "resolved": "https://registry.npmjs.org/safer-buffer/-/safer-buffer-2.1.2.tgz", + "integrity": "sha512-YZo3K82SD7Riyi0E1EQPojLz7kpepnSQI9IyPbHHg1XXXevb5dJI7tpyN2ADxGcQbHG7vcyRHk0cbwqcQriUtg==" + }, + "node_modules/send": { + "version": "0.16.2", + "resolved": "https://registry.npmjs.org/send/-/send-0.16.2.tgz", + "integrity": "sha512-E64YFPUssFHEFBvpbbjr44NCLtI1AohxQ8ZSiJjQLskAdKuriYEP6VyGEsRDH8ScozGpkaX1BGvhanqCwkcEZw==", + "dependencies": { + "debug": "2.6.9", + "depd": "~1.1.2", + "destroy": "~1.0.4", + "encodeurl": "~1.0.2", + "escape-html": "~1.0.3", + "etag": "~1.8.1", + "fresh": "0.5.2", + "http-errors": "~1.6.2", + "mime": "1.4.1", + "ms": "2.0.0", + "on-finished": "~2.3.0", + "range-parser": "~1.2.0", + "statuses": "~1.4.0" + }, + "engines": { + "node": ">= 0.8.0" + } + }, + "node_modules/serve-static": { + "version": "1.13.2", + "resolved": "https://registry.npmjs.org/serve-static/-/serve-static-1.13.2.tgz", + "integrity": "sha512-p/tdJrO4U387R9oMjb1oj7qSMaMfmOyd4j9hOFoxZe2baQszgHcSWjuya/CiT5kgZZKRudHNOA0pYXOl8rQ5nw==", + "dependencies": { + "encodeurl": "~1.0.2", + "escape-html": "~1.0.3", + "parseurl": "~1.3.2", + "send": "0.16.2" + }, + "engines": { + "node": ">= 0.8.0" + } + }, + "node_modules/setprototypeof": { + "version": "1.1.0", + "resolved": "https://registry.npmjs.org/setprototypeof/-/setprototypeof-1.1.0.tgz", + "integrity": "sha512-BvE/TwpZX4FXExxOxZyRGQQv651MSwmWKZGqvmPcRIjDqWub67kTKuIMx43cZZrS/cBBzwBcNDWoFxt2XEFIpQ==" + }, + "node_modules/side-channel": { + "version": "1.0.4", + "resolved": "https://registry.npmjs.org/side-channel/-/side-channel-1.0.4.tgz", + "integrity": "sha512-q5XPytqFEIKHkGdiMIrY10mvLRvnQh42/+GoBlFW3b2LXLE2xxJpZFdm94we0BaoV3RwJyGqg5wS7epxTv0Zvw==", + "dependencies": { + "call-bind": "^1.0.0", + "get-intrinsic": "^1.0.2", + "object-inspect": "^1.9.0" + }, + "funding": { + "url": "https://github.com/sponsors/ljharb" + } + }, + "node_modules/statuses": { + "version": "1.4.0", + "resolved": "https://registry.npmjs.org/statuses/-/statuses-1.4.0.tgz", + "integrity": "sha512-zhSCtt8v2NDrRlPQpCNtw/heZLtfUDqxBM1udqikb/Hbk52LK4nQSwr10u77iopCW5LsyHpuXS0GnEc48mLeew==", + "engines": { + "node": ">= 0.6" + } + }, + "node_modules/toidentifier": { + "version": "1.0.1", + "resolved": "https://registry.npmjs.org/toidentifier/-/toidentifier-1.0.1.tgz", + "integrity": "sha512-o5sSPKEkg/DIQNmH43V0/uerLrpzVedkUh8tGNvaeXpfpuwjKenlSox/2O/BTlZUtEe+JG7s5YhEz608PlAHRA==", + "engines": { + "node": ">=0.6" + } + }, + "node_modules/type-is": { + "version": "1.6.18", + "resolved": "https://registry.npmjs.org/type-is/-/type-is-1.6.18.tgz", + "integrity": "sha512-TkRKr9sUTxEH8MdfuCSP7VizJyzRNMjj2J2do2Jr3Kym598JVdEksuzPQCnlFPW4ky9Q+iA+ma9BGm06XQBy8g==", + "dependencies": { + "media-typer": "0.3.0", + "mime-types": "~2.1.24" + }, + "engines": { + "node": ">= 0.6" + } + }, + "node_modules/unpipe": { + "version": "1.0.0", + "resolved": "https://registry.npmjs.org/unpipe/-/unpipe-1.0.0.tgz", + "integrity": "sha512-pjy2bYhSsufwWlKwPc+l3cN7+wuJlK6uz0YdJEOlQDbl6jo/YlPi4mb8agUkVC8BF7V8NuzeyPNqRksA3hztKQ==", + "engines": { + "node": ">= 0.8" + } + }, + "node_modules/utils-merge": { + "version": "1.0.1", + "resolved": "https://registry.npmjs.org/utils-merge/-/utils-merge-1.0.1.tgz", + "integrity": "sha512-pMZTvIkT1d+TFGvDOqodOclx0QWkkgi6Tdoa8gC8ffGAAqz9pzPTZWAybbsHHoED/ztMtkv/VoYTYyShUn81hA==", + "engines": { + "node": ">= 0.4.0" + } + }, + "node_modules/vary": { + "version": "1.1.2", + "resolved": "https://registry.npmjs.org/vary/-/vary-1.1.2.tgz", + "integrity": "sha512-BNGbWLfd0eUPabhkXUVm0j8uuvREyTh5ovRa/dyow/BqAbZJyC+5fU+IzQOzmAKzYqYRAISoRhdQr3eIZ/PXqg==", + "engines": { + "node": ">= 0.8" + } + } } } diff --git a/node_modules/body-parser/node_modules/depd/History.md b/node_modules/body-parser/node_modules/depd/History.md new file mode 100644 index 0000000..cd9ebaa --- /dev/null +++ b/node_modules/body-parser/node_modules/depd/History.md @@ -0,0 +1,103 @@ +2.0.0 / 2018-10-26 +================== + + * Drop support for Node.js 0.6 + * Replace internal `eval` usage with `Function` constructor + * Use instance methods on `process` to check for listeners + +1.1.2 / 2018-01-11 +================== + + * perf: remove argument reassignment + * Support Node.js 0.6 to 9.x + +1.1.1 / 2017-07-27 +================== + + * Remove unnecessary `Buffer` loading + * Support Node.js 0.6 to 8.x + +1.1.0 / 2015-09-14 +================== + + * Enable strict mode in more places + * Support io.js 3.x + * Support io.js 2.x + * Support web browser loading + - Requires bundler like Browserify or webpack + +1.0.1 / 2015-04-07 +================== + + * Fix `TypeError`s when under `'use strict'` code + * Fix useless type name on auto-generated messages + * Support io.js 1.x + * Support Node.js 0.12 + +1.0.0 / 2014-09-17 +================== + + * No changes + +0.4.5 / 2014-09-09 +================== + + * Improve call speed to functions using the function wrapper + * Support Node.js 0.6 + +0.4.4 / 2014-07-27 +================== + + * Work-around v8 generating empty stack traces + +0.4.3 / 2014-07-26 +================== + + * Fix exception when global `Error.stackTraceLimit` is too low + +0.4.2 / 2014-07-19 +================== + + * Correct call site for wrapped functions and properties + +0.4.1 / 2014-07-19 +================== + + * Improve automatic message generation for function properties + +0.4.0 / 2014-07-19 +================== + + * Add `TRACE_DEPRECATION` environment variable + * Remove non-standard grey color from color output + * Support `--no-deprecation` argument + * Support `--trace-deprecation` argument + * Support `deprecate.property(fn, prop, message)` + +0.3.0 / 2014-06-16 +================== + + * Add `NO_DEPRECATION` environment variable + +0.2.0 / 2014-06-15 +================== + + * Add `deprecate.property(obj, prop, message)` + * Remove `supports-color` dependency for node.js 0.8 + +0.1.0 / 2014-06-15 +================== + + * Add `deprecate.function(fn, message)` + * Add `process.on('deprecation', fn)` emitter + * Automatically generate message when omitted from `deprecate()` + +0.0.1 / 2014-06-15 +================== + + * Fix warning for dynamic calls at singe call site + +0.0.0 / 2014-06-15 +================== + + * Initial implementation diff --git a/node_modules/body-parser/node_modules/depd/LICENSE b/node_modules/body-parser/node_modules/depd/LICENSE new file mode 100644 index 0000000..248de7a --- /dev/null +++ b/node_modules/body-parser/node_modules/depd/LICENSE @@ -0,0 +1,22 @@ +(The MIT License) + +Copyright (c) 2014-2018 Douglas Christopher Wilson + +Permission is hereby granted, free of charge, to any person obtaining +a copy of this software and associated documentation files (the +'Software'), to deal in the Software without restriction, including +without limitation the rights to use, copy, modify, merge, publish, +distribute, sublicense, and/or sell copies of the Software, and to +permit persons to whom the Software is furnished to do so, subject to +the following conditions: + +The above copyright notice and this permission notice shall be +included in all copies or substantial portions of the Software. + +THE SOFTWARE IS PROVIDED 'AS IS', WITHOUT WARRANTY OF ANY KIND, +EXPRESS OR IMPLIED, INCLUDING BUT NOT LIMITED TO THE WARRANTIES OF +MERCHANTABILITY, FITNESS FOR A PARTICULAR PURPOSE AND NONINFRINGEMENT. +IN NO EVENT SHALL THE AUTHORS OR COPYRIGHT HOLDERS BE LIABLE FOR ANY +CLAIM, DAMAGES OR OTHER LIABILITY, WHETHER IN AN ACTION OF CONTRACT, +TORT OR OTHERWISE, ARISING FROM, OUT OF OR IN CONNECTION WITH THE +SOFTWARE OR THE USE OR OTHER DEALINGS IN THE SOFTWARE. diff --git a/node_modules/body-parser/node_modules/depd/Readme.md b/node_modules/body-parser/node_modules/depd/Readme.md new file mode 100644 index 0000000..043d1ca --- /dev/null +++ b/node_modules/body-parser/node_modules/depd/Readme.md @@ -0,0 +1,280 @@ +# depd + +[![NPM Version][npm-version-image]][npm-url] +[![NPM Downloads][npm-downloads-image]][npm-url] +[![Node.js Version][node-image]][node-url] +[![Linux Build][travis-image]][travis-url] +[![Windows Build][appveyor-image]][appveyor-url] +[![Coverage Status][coveralls-image]][coveralls-url] + +Deprecate all the things + +> With great modules comes great responsibility; mark things deprecated! + +## Install + +This module is installed directly using `npm`: + +```sh +$ npm install depd +``` + +This module can also be bundled with systems like +[Browserify](http://browserify.org/) or [webpack](https://webpack.github.io/), +though by default this module will alter it's API to no longer display or +track deprecations. + +## API + + + +```js +var deprecate = require('depd')('my-module') +``` + +This library allows you to display deprecation messages to your users. +This library goes above and beyond with deprecation warnings by +introspection of the call stack (but only the bits that it is interested +in). + +Instead of just warning on the first invocation of a deprecated +function and never again, this module will warn on the first invocation +of a deprecated function per unique call site, making it ideal to alert +users of all deprecated uses across the code base, rather than just +whatever happens to execute first. + +The deprecation warnings from this module also include the file and line +information for the call into the module that the deprecated function was +in. + +**NOTE** this library has a similar interface to the `debug` module, and +this module uses the calling file to get the boundary for the call stacks, +so you should always create a new `deprecate` object in each file and not +within some central file. + +### depd(namespace) + +Create a new deprecate function that uses the given namespace name in the +messages and will display the call site prior to the stack entering the +file this function was called from. It is highly suggested you use the +name of your module as the namespace. + +### deprecate(message) + +Call this function from deprecated code to display a deprecation message. +This message will appear once per unique caller site. Caller site is the +first call site in the stack in a different file from the caller of this +function. + +If the message is omitted, a message is generated for you based on the site +of the `deprecate()` call and will display the name of the function called, +similar to the name displayed in a stack trace. + +### deprecate.function(fn, message) + +Call this function to wrap a given function in a deprecation message on any +call to the function. An optional message can be supplied to provide a custom +message. + +### deprecate.property(obj, prop, message) + +Call this function to wrap a given property on object in a deprecation message +on any accessing or setting of the property. An optional message can be supplied +to provide a custom message. + +The method must be called on the object where the property belongs (not +inherited from the prototype). + +If the property is a data descriptor, it will be converted to an accessor +descriptor in order to display the deprecation message. + +### process.on('deprecation', fn) + +This module will allow easy capturing of deprecation errors by emitting the +errors as the type "deprecation" on the global `process`. If there are no +listeners for this type, the errors are written to STDERR as normal, but if +there are any listeners, nothing will be written to STDERR and instead only +emitted. From there, you can write the errors in a different format or to a +logging source. + +The error represents the deprecation and is emitted only once with the same +rules as writing to STDERR. The error has the following properties: + + - `message` - This is the message given by the library + - `name` - This is always `'DeprecationError'` + - `namespace` - This is the namespace the deprecation came from + - `stack` - This is the stack of the call to the deprecated thing + +Example `error.stack` output: + +``` +DeprecationError: my-cool-module deprecated oldfunction + at Object. ([eval]-wrapper:6:22) + at Module._compile (module.js:456:26) + at evalScript (node.js:532:25) + at startup (node.js:80:7) + at node.js:902:3 +``` + +### process.env.NO_DEPRECATION + +As a user of modules that are deprecated, the environment variable `NO_DEPRECATION` +is provided as a quick solution to silencing deprecation warnings from being +output. The format of this is similar to that of `DEBUG`: + +```sh +$ NO_DEPRECATION=my-module,othermod node app.js +``` + +This will suppress deprecations from being output for "my-module" and "othermod". +The value is a list of comma-separated namespaces. To suppress every warning +across all namespaces, use the value `*` for a namespace. + +Providing the argument `--no-deprecation` to the `node` executable will suppress +all deprecations (only available in Node.js 0.8 or higher). + +**NOTE** This will not suppress the deperecations given to any "deprecation" +event listeners, just the output to STDERR. + +### process.env.TRACE_DEPRECATION + +As a user of modules that are deprecated, the environment variable `TRACE_DEPRECATION` +is provided as a solution to getting more detailed location information in deprecation +warnings by including the entire stack trace. The format of this is the same as +`NO_DEPRECATION`: + +```sh +$ TRACE_DEPRECATION=my-module,othermod node app.js +``` + +This will include stack traces for deprecations being output for "my-module" and +"othermod". The value is a list of comma-separated namespaces. To trace every +warning across all namespaces, use the value `*` for a namespace. + +Providing the argument `--trace-deprecation` to the `node` executable will trace +all deprecations (only available in Node.js 0.8 or higher). + +**NOTE** This will not trace the deperecations silenced by `NO_DEPRECATION`. + +## Display + +![message](files/message.png) + +When a user calls a function in your library that you mark deprecated, they +will see the following written to STDERR (in the given colors, similar colors +and layout to the `debug` module): + +``` +bright cyan bright yellow +| | reset cyan +| | | | +▼ ▼ ▼ ▼ +my-cool-module deprecated oldfunction [eval]-wrapper:6:22 +▲ ▲ ▲ ▲ +| | | | +namespace | | location of mycoolmod.oldfunction() call + | deprecation message + the word "deprecated" +``` + +If the user redirects their STDERR to a file or somewhere that does not support +colors, they see (similar layout to the `debug` module): + +``` +Sun, 15 Jun 2014 05:21:37 GMT my-cool-module deprecated oldfunction at [eval]-wrapper:6:22 +▲ ▲ ▲ ▲ ▲ +| | | | | +timestamp of message namespace | | location of mycoolmod.oldfunction() call + | deprecation message + the word "deprecated" +``` + +## Examples + +### Deprecating all calls to a function + +This will display a deprecated message about "oldfunction" being deprecated +from "my-module" on STDERR. + +```js +var deprecate = require('depd')('my-cool-module') + +// message automatically derived from function name +// Object.oldfunction +exports.oldfunction = deprecate.function(function oldfunction () { + // all calls to function are deprecated +}) + +// specific message +exports.oldfunction = deprecate.function(function () { + // all calls to function are deprecated +}, 'oldfunction') +``` + +### Conditionally deprecating a function call + +This will display a deprecated message about "weirdfunction" being deprecated +from "my-module" on STDERR when called with less than 2 arguments. + +```js +var deprecate = require('depd')('my-cool-module') + +exports.weirdfunction = function () { + if (arguments.length < 2) { + // calls with 0 or 1 args are deprecated + deprecate('weirdfunction args < 2') + } +} +``` + +When calling `deprecate` as a function, the warning is counted per call site +within your own module, so you can display different deprecations depending +on different situations and the users will still get all the warnings: + +```js +var deprecate = require('depd')('my-cool-module') + +exports.weirdfunction = function () { + if (arguments.length < 2) { + // calls with 0 or 1 args are deprecated + deprecate('weirdfunction args < 2') + } else if (typeof arguments[0] !== 'string') { + // calls with non-string first argument are deprecated + deprecate('weirdfunction non-string first arg') + } +} +``` + +### Deprecating property access + +This will display a deprecated message about "oldprop" being deprecated +from "my-module" on STDERR when accessed. A deprecation will be displayed +when setting the value and when getting the value. + +```js +var deprecate = require('depd')('my-cool-module') + +exports.oldprop = 'something' + +// message automatically derives from property name +deprecate.property(exports, 'oldprop') + +// explicit message +deprecate.property(exports, 'oldprop', 'oldprop >= 0.10') +``` + +## License + +[MIT](LICENSE) + +[appveyor-image]: https://badgen.net/appveyor/ci/dougwilson/nodejs-depd/master?label=windows +[appveyor-url]: https://ci.appveyor.com/project/dougwilson/nodejs-depd +[coveralls-image]: https://badgen.net/coveralls/c/github/dougwilson/nodejs-depd/master +[coveralls-url]: https://coveralls.io/r/dougwilson/nodejs-depd?branch=master +[node-image]: https://badgen.net/npm/node/depd +[node-url]: https://nodejs.org/en/download/ +[npm-downloads-image]: https://badgen.net/npm/dm/depd +[npm-url]: https://npmjs.org/package/depd +[npm-version-image]: https://badgen.net/npm/v/depd +[travis-image]: https://badgen.net/travis/dougwilson/nodejs-depd/master?label=linux +[travis-url]: https://travis-ci.org/dougwilson/nodejs-depd diff --git a/node_modules/body-parser/node_modules/depd/index.js b/node_modules/body-parser/node_modules/depd/index.js new file mode 100644 index 0000000..1bf2fcf --- /dev/null +++ b/node_modules/body-parser/node_modules/depd/index.js @@ -0,0 +1,538 @@ +/*! + * depd + * Copyright(c) 2014-2018 Douglas Christopher Wilson + * MIT Licensed + */ + +/** + * Module dependencies. + */ + +var relative = require('path').relative + +/** + * Module exports. + */ + +module.exports = depd + +/** + * Get the path to base files on. + */ + +var basePath = process.cwd() + +/** + * Determine if namespace is contained in the string. + */ + +function containsNamespace (str, namespace) { + var vals = str.split(/[ ,]+/) + var ns = String(namespace).toLowerCase() + + for (var i = 0; i < vals.length; i++) { + var val = vals[i] + + // namespace contained + if (val && (val === '*' || val.toLowerCase() === ns)) { + return true + } + } + + return false +} + +/** + * Convert a data descriptor to accessor descriptor. + */ + +function convertDataDescriptorToAccessor (obj, prop, message) { + var descriptor = Object.getOwnPropertyDescriptor(obj, prop) + var value = descriptor.value + + descriptor.get = function getter () { return value } + + if (descriptor.writable) { + descriptor.set = function setter (val) { return (value = val) } + } + + delete descriptor.value + delete descriptor.writable + + Object.defineProperty(obj, prop, descriptor) + + return descriptor +} + +/** + * Create arguments string to keep arity. + */ + +function createArgumentsString (arity) { + var str = '' + + for (var i = 0; i < arity; i++) { + str += ', arg' + i + } + + return str.substr(2) +} + +/** + * Create stack string from stack. + */ + +function createStackString (stack) { + var str = this.name + ': ' + this.namespace + + if (this.message) { + str += ' deprecated ' + this.message + } + + for (var i = 0; i < stack.length; i++) { + str += '\n at ' + stack[i].toString() + } + + return str +} + +/** + * Create deprecate for namespace in caller. + */ + +function depd (namespace) { + if (!namespace) { + throw new TypeError('argument namespace is required') + } + + var stack = getStack() + var site = callSiteLocation(stack[1]) + var file = site[0] + + function deprecate (message) { + // call to self as log + log.call(deprecate, message) + } + + deprecate._file = file + deprecate._ignored = isignored(namespace) + deprecate._namespace = namespace + deprecate._traced = istraced(namespace) + deprecate._warned = Object.create(null) + + deprecate.function = wrapfunction + deprecate.property = wrapproperty + + return deprecate +} + +/** + * Determine if event emitter has listeners of a given type. + * + * The way to do this check is done three different ways in Node.js >= 0.8 + * so this consolidates them into a minimal set using instance methods. + * + * @param {EventEmitter} emitter + * @param {string} type + * @returns {boolean} + * @private + */ + +function eehaslisteners (emitter, type) { + var count = typeof emitter.listenerCount !== 'function' + ? emitter.listeners(type).length + : emitter.listenerCount(type) + + return count > 0 +} + +/** + * Determine if namespace is ignored. + */ + +function isignored (namespace) { + if (process.noDeprecation) { + // --no-deprecation support + return true + } + + var str = process.env.NO_DEPRECATION || '' + + // namespace ignored + return containsNamespace(str, namespace) +} + +/** + * Determine if namespace is traced. + */ + +function istraced (namespace) { + if (process.traceDeprecation) { + // --trace-deprecation support + return true + } + + var str = process.env.TRACE_DEPRECATION || '' + + // namespace traced + return containsNamespace(str, namespace) +} + +/** + * Display deprecation message. + */ + +function log (message, site) { + var haslisteners = eehaslisteners(process, 'deprecation') + + // abort early if no destination + if (!haslisteners && this._ignored) { + return + } + + var caller + var callFile + var callSite + var depSite + var i = 0 + var seen = false + var stack = getStack() + var file = this._file + + if (site) { + // provided site + depSite = site + callSite = callSiteLocation(stack[1]) + callSite.name = depSite.name + file = callSite[0] + } else { + // get call site + i = 2 + depSite = callSiteLocation(stack[i]) + callSite = depSite + } + + // get caller of deprecated thing in relation to file + for (; i < stack.length; i++) { + caller = callSiteLocation(stack[i]) + callFile = caller[0] + + if (callFile === file) { + seen = true + } else if (callFile === this._file) { + file = this._file + } else if (seen) { + break + } + } + + var key = caller + ? depSite.join(':') + '__' + caller.join(':') + : undefined + + if (key !== undefined && key in this._warned) { + // already warned + return + } + + this._warned[key] = true + + // generate automatic message from call site + var msg = message + if (!msg) { + msg = callSite === depSite || !callSite.name + ? defaultMessage(depSite) + : defaultMessage(callSite) + } + + // emit deprecation if listeners exist + if (haslisteners) { + var err = DeprecationError(this._namespace, msg, stack.slice(i)) + process.emit('deprecation', err) + return + } + + // format and write message + var format = process.stderr.isTTY + ? formatColor + : formatPlain + var output = format.call(this, msg, caller, stack.slice(i)) + process.stderr.write(output + '\n', 'utf8') +} + +/** + * Get call site location as array. + */ + +function callSiteLocation (callSite) { + var file = callSite.getFileName() || '' + var line = callSite.getLineNumber() + var colm = callSite.getColumnNumber() + + if (callSite.isEval()) { + file = callSite.getEvalOrigin() + ', ' + file + } + + var site = [file, line, colm] + + site.callSite = callSite + site.name = callSite.getFunctionName() + + return site +} + +/** + * Generate a default message from the site. + */ + +function defaultMessage (site) { + var callSite = site.callSite + var funcName = site.name + + // make useful anonymous name + if (!funcName) { + funcName = '' + } + + var context = callSite.getThis() + var typeName = context && callSite.getTypeName() + + // ignore useless type name + if (typeName === 'Object') { + typeName = undefined + } + + // make useful type name + if (typeName === 'Function') { + typeName = context.name || typeName + } + + return typeName && callSite.getMethodName() + ? typeName + '.' + funcName + : funcName +} + +/** + * Format deprecation message without color. + */ + +function formatPlain (msg, caller, stack) { + var timestamp = new Date().toUTCString() + + var formatted = timestamp + + ' ' + this._namespace + + ' deprecated ' + msg + + // add stack trace + if (this._traced) { + for (var i = 0; i < stack.length; i++) { + formatted += '\n at ' + stack[i].toString() + } + + return formatted + } + + if (caller) { + formatted += ' at ' + formatLocation(caller) + } + + return formatted +} + +/** + * Format deprecation message with color. + */ + +function formatColor (msg, caller, stack) { + var formatted = '\x1b[36;1m' + this._namespace + '\x1b[22;39m' + // bold cyan + ' \x1b[33;1mdeprecated\x1b[22;39m' + // bold yellow + ' \x1b[0m' + msg + '\x1b[39m' // reset + + // add stack trace + if (this._traced) { + for (var i = 0; i < stack.length; i++) { + formatted += '\n \x1b[36mat ' + stack[i].toString() + '\x1b[39m' // cyan + } + + return formatted + } + + if (caller) { + formatted += ' \x1b[36m' + formatLocation(caller) + '\x1b[39m' // cyan + } + + return formatted +} + +/** + * Format call site location. + */ + +function formatLocation (callSite) { + return relative(basePath, callSite[0]) + + ':' + callSite[1] + + ':' + callSite[2] +} + +/** + * Get the stack as array of call sites. + */ + +function getStack () { + var limit = Error.stackTraceLimit + var obj = {} + var prep = Error.prepareStackTrace + + Error.prepareStackTrace = prepareObjectStackTrace + Error.stackTraceLimit = Math.max(10, limit) + + // capture the stack + Error.captureStackTrace(obj) + + // slice this function off the top + var stack = obj.stack.slice(1) + + Error.prepareStackTrace = prep + Error.stackTraceLimit = limit + + return stack +} + +/** + * Capture call site stack from v8. + */ + +function prepareObjectStackTrace (obj, stack) { + return stack +} + +/** + * Return a wrapped function in a deprecation message. + */ + +function wrapfunction (fn, message) { + if (typeof fn !== 'function') { + throw new TypeError('argument fn must be a function') + } + + var args = createArgumentsString(fn.length) + var stack = getStack() + var site = callSiteLocation(stack[1]) + + site.name = fn.name + + // eslint-disable-next-line no-new-func + var deprecatedfn = new Function('fn', 'log', 'deprecate', 'message', 'site', + '"use strict"\n' + + 'return function (' + args + ') {' + + 'log.call(deprecate, message, site)\n' + + 'return fn.apply(this, arguments)\n' + + '}')(fn, log, this, message, site) + + return deprecatedfn +} + +/** + * Wrap property in a deprecation message. + */ + +function wrapproperty (obj, prop, message) { + if (!obj || (typeof obj !== 'object' && typeof obj !== 'function')) { + throw new TypeError('argument obj must be object') + } + + var descriptor = Object.getOwnPropertyDescriptor(obj, prop) + + if (!descriptor) { + throw new TypeError('must call property on owner object') + } + + if (!descriptor.configurable) { + throw new TypeError('property must be configurable') + } + + var deprecate = this + var stack = getStack() + var site = callSiteLocation(stack[1]) + + // set site name + site.name = prop + + // convert data descriptor + if ('value' in descriptor) { + descriptor = convertDataDescriptorToAccessor(obj, prop, message) + } + + var get = descriptor.get + var set = descriptor.set + + // wrap getter + if (typeof get === 'function') { + descriptor.get = function getter () { + log.call(deprecate, message, site) + return get.apply(this, arguments) + } + } + + // wrap setter + if (typeof set === 'function') { + descriptor.set = function setter () { + log.call(deprecate, message, site) + return set.apply(this, arguments) + } + } + + Object.defineProperty(obj, prop, descriptor) +} + +/** + * Create DeprecationError for deprecation + */ + +function DeprecationError (namespace, message, stack) { + var error = new Error() + var stackString + + Object.defineProperty(error, 'constructor', { + value: DeprecationError + }) + + Object.defineProperty(error, 'message', { + configurable: true, + enumerable: false, + value: message, + writable: true + }) + + Object.defineProperty(error, 'name', { + enumerable: false, + configurable: true, + value: 'DeprecationError', + writable: true + }) + + Object.defineProperty(error, 'namespace', { + configurable: true, + enumerable: false, + value: namespace, + writable: true + }) + + Object.defineProperty(error, 'stack', { + configurable: true, + enumerable: false, + get: function () { + if (stackString !== undefined) { + return stackString + } + + // prepare stack trace + return (stackString = createStackString.call(this, stack)) + }, + set: function setter (val) { + stackString = val + } + }) + + return error +} diff --git a/node_modules/body-parser/node_modules/depd/lib/browser/index.js b/node_modules/body-parser/node_modules/depd/lib/browser/index.js new file mode 100644 index 0000000..6be45cc --- /dev/null +++ b/node_modules/body-parser/node_modules/depd/lib/browser/index.js @@ -0,0 +1,77 @@ +/*! + * depd + * Copyright(c) 2015 Douglas Christopher Wilson + * MIT Licensed + */ + +'use strict' + +/** + * Module exports. + * @public + */ + +module.exports = depd + +/** + * Create deprecate for namespace in caller. + */ + +function depd (namespace) { + if (!namespace) { + throw new TypeError('argument namespace is required') + } + + function deprecate (message) { + // no-op in browser + } + + deprecate._file = undefined + deprecate._ignored = true + deprecate._namespace = namespace + deprecate._traced = false + deprecate._warned = Object.create(null) + + deprecate.function = wrapfunction + deprecate.property = wrapproperty + + return deprecate +} + +/** + * Return a wrapped function in a deprecation message. + * + * This is a no-op version of the wrapper, which does nothing but call + * validation. + */ + +function wrapfunction (fn, message) { + if (typeof fn !== 'function') { + throw new TypeError('argument fn must be a function') + } + + return fn +} + +/** + * Wrap property in a deprecation message. + * + * This is a no-op version of the wrapper, which does nothing but call + * validation. + */ + +function wrapproperty (obj, prop, message) { + if (!obj || (typeof obj !== 'object' && typeof obj !== 'function')) { + throw new TypeError('argument obj must be object') + } + + var descriptor = Object.getOwnPropertyDescriptor(obj, prop) + + if (!descriptor) { + throw new TypeError('must call property on owner object') + } + + if (!descriptor.configurable) { + throw new TypeError('property must be configurable') + } +} diff --git a/node_modules/body-parser/node_modules/depd/package.json b/node_modules/body-parser/node_modules/depd/package.json new file mode 100644 index 0000000..3857e19 --- /dev/null +++ b/node_modules/body-parser/node_modules/depd/package.json @@ -0,0 +1,45 @@ +{ + "name": "depd", + "description": "Deprecate all the things", + "version": "2.0.0", + "author": "Douglas Christopher Wilson ", + "license": "MIT", + "keywords": [ + "deprecate", + "deprecated" + ], + "repository": "dougwilson/nodejs-depd", + "browser": "lib/browser/index.js", + "devDependencies": { + "benchmark": "2.1.4", + "beautify-benchmark": "0.2.4", + "eslint": "5.7.0", + "eslint-config-standard": "12.0.0", + "eslint-plugin-import": "2.14.0", + "eslint-plugin-markdown": "1.0.0-beta.7", + "eslint-plugin-node": "7.0.1", + "eslint-plugin-promise": "4.0.1", + "eslint-plugin-standard": "4.0.0", + "istanbul": "0.4.5", + "mocha": "5.2.0", + "safe-buffer": "5.1.2", + "uid-safe": "2.1.5" + }, + "files": [ + "lib/", + "History.md", + "LICENSE", + "index.js", + "Readme.md" + ], + "engines": { + "node": ">= 0.8" + }, + "scripts": { + "bench": "node benchmark/index.js", + "lint": "eslint --plugin markdown --ext js,md .", + "test": "mocha --reporter spec --bail test/", + "test-ci": "istanbul cover --print=none node_modules/mocha/bin/_mocha -- --reporter spec test/ && istanbul report lcovonly text-summary", + "test-cov": "istanbul cover --print=none node_modules/mocha/bin/_mocha -- --reporter dot test/ && istanbul report lcov text-summary" + } +} diff --git a/node_modules/body-parser/node_modules/destroy/LICENSE b/node_modules/body-parser/node_modules/destroy/LICENSE new file mode 100644 index 0000000..0e2c35f --- /dev/null +++ b/node_modules/body-parser/node_modules/destroy/LICENSE @@ -0,0 +1,23 @@ + +The MIT License (MIT) + +Copyright (c) 2014 Jonathan Ong me@jongleberry.com +Copyright (c) 2015-2022 Douglas Christopher Wilson doug@somethingdoug.com + +Permission is hereby granted, free of charge, to any person obtaining a copy +of this software and associated documentation files (the "Software"), to deal +in the Software without restriction, including without limitation the rights +to use, copy, modify, merge, publish, distribute, sublicense, and/or sell +copies of the Software, and to permit persons to whom the Software is +furnished to do so, subject to the following conditions: + +The above copyright notice and this permission notice shall be included in +all copies or substantial portions of the Software. + +THE SOFTWARE IS PROVIDED "AS IS", WITHOUT WARRANTY OF ANY KIND, EXPRESS OR +IMPLIED, INCLUDING BUT NOT LIMITED TO THE WARRANTIES OF MERCHANTABILITY, +FITNESS FOR A PARTICULAR PURPOSE AND NONINFRINGEMENT. IN NO EVENT SHALL THE +AUTHORS OR COPYRIGHT HOLDERS BE LIABLE FOR ANY CLAIM, DAMAGES OR OTHER +LIABILITY, WHETHER IN AN ACTION OF CONTRACT, TORT OR OTHERWISE, ARISING FROM, +OUT OF OR IN CONNECTION WITH THE SOFTWARE OR THE USE OR OTHER DEALINGS IN +THE SOFTWARE. diff --git a/node_modules/body-parser/node_modules/destroy/README.md b/node_modules/body-parser/node_modules/destroy/README.md new file mode 100644 index 0000000..e7701ae --- /dev/null +++ b/node_modules/body-parser/node_modules/destroy/README.md @@ -0,0 +1,63 @@ +# destroy + +[![NPM version][npm-image]][npm-url] +[![Build Status][github-actions-ci-image]][github-actions-ci-url] +[![Test coverage][coveralls-image]][coveralls-url] +[![License][license-image]][license-url] +[![Downloads][downloads-image]][downloads-url] + +Destroy a stream. + +This module is meant to ensure a stream gets destroyed, handling different APIs +and Node.js bugs. + +## API + +```js +var destroy = require('destroy') +``` + +### destroy(stream [, suppress]) + +Destroy the given stream, and optionally suppress any future `error` events. + +In most cases, this is identical to a simple `stream.destroy()` call. The rules +are as follows for a given stream: + + 1. If the `stream` is an instance of `ReadStream`, then call `stream.destroy()` + and add a listener to the `open` event to call `stream.close()` if it is + fired. This is for a Node.js bug that will leak a file descriptor if + `.destroy()` is called before `open`. + 2. If the `stream` is an instance of a zlib stream, then call `stream.destroy()` + and close the underlying zlib handle if open, otherwise call `stream.close()`. + This is for consistency across Node.js versions and a Node.js bug that will + leak a native zlib handle. + 3. If the `stream` is not an instance of `Stream`, then nothing happens. + 4. If the `stream` has a `.destroy()` method, then call it. + +The function returns the `stream` passed in as the argument. + +## Example + +```js +var destroy = require('destroy') + +var fs = require('fs') +var stream = fs.createReadStream('package.json') + +// ... and later +destroy(stream) +``` + +[npm-image]: https://img.shields.io/npm/v/destroy.svg?style=flat-square +[npm-url]: https://npmjs.org/package/destroy +[github-tag]: http://img.shields.io/github/tag/stream-utils/destroy.svg?style=flat-square +[github-url]: https://github.com/stream-utils/destroy/tags +[coveralls-image]: https://img.shields.io/coveralls/stream-utils/destroy.svg?style=flat-square +[coveralls-url]: https://coveralls.io/r/stream-utils/destroy?branch=master +[license-image]: http://img.shields.io/npm/l/destroy.svg?style=flat-square +[license-url]: LICENSE.md +[downloads-image]: http://img.shields.io/npm/dm/destroy.svg?style=flat-square +[downloads-url]: https://npmjs.org/package/destroy +[github-actions-ci-image]: https://img.shields.io/github/workflow/status/stream-utils/destroy/ci/master?label=ci&style=flat-square +[github-actions-ci-url]: https://github.com/stream-utils/destroy/actions/workflows/ci.yml diff --git a/node_modules/body-parser/node_modules/destroy/index.js b/node_modules/body-parser/node_modules/destroy/index.js new file mode 100644 index 0000000..7fd5c09 --- /dev/null +++ b/node_modules/body-parser/node_modules/destroy/index.js @@ -0,0 +1,209 @@ +/*! + * destroy + * Copyright(c) 2014 Jonathan Ong + * Copyright(c) 2015-2022 Douglas Christopher Wilson + * MIT Licensed + */ + +'use strict' + +/** + * Module dependencies. + * @private + */ + +var EventEmitter = require('events').EventEmitter +var ReadStream = require('fs').ReadStream +var Stream = require('stream') +var Zlib = require('zlib') + +/** + * Module exports. + * @public + */ + +module.exports = destroy + +/** + * Destroy the given stream, and optionally suppress any future `error` events. + * + * @param {object} stream + * @param {boolean} suppress + * @public + */ + +function destroy (stream, suppress) { + if (isFsReadStream(stream)) { + destroyReadStream(stream) + } else if (isZlibStream(stream)) { + destroyZlibStream(stream) + } else if (hasDestroy(stream)) { + stream.destroy() + } + + if (isEventEmitter(stream) && suppress) { + stream.removeAllListeners('error') + stream.addListener('error', noop) + } + + return stream +} + +/** + * Destroy a ReadStream. + * + * @param {object} stream + * @private + */ + +function destroyReadStream (stream) { + stream.destroy() + + if (typeof stream.close === 'function') { + // node.js core bug work-around + stream.on('open', onOpenClose) + } +} + +/** + * Close a Zlib stream. + * + * Zlib streams below Node.js 4.5.5 have a buggy implementation + * of .close() when zlib encountered an error. + * + * @param {object} stream + * @private + */ + +function closeZlibStream (stream) { + if (stream._hadError === true) { + var prop = stream._binding === null + ? '_binding' + : '_handle' + + stream[prop] = { + close: function () { this[prop] = null } + } + } + + stream.close() +} + +/** + * Destroy a Zlib stream. + * + * Zlib streams don't have a destroy function in Node.js 6. On top of that + * simply calling destroy on a zlib stream in Node.js 8+ will result in a + * memory leak. So until that is fixed, we need to call both close AND destroy. + * + * PR to fix memory leak: https://github.com/nodejs/node/pull/23734 + * + * In Node.js 6+8, it's important that destroy is called before close as the + * stream would otherwise emit the error 'zlib binding closed'. + * + * @param {object} stream + * @private + */ + +function destroyZlibStream (stream) { + if (typeof stream.destroy === 'function') { + // node.js core bug work-around + // istanbul ignore if: node.js 0.8 + if (stream._binding) { + // node.js < 0.10.0 + stream.destroy() + if (stream._processing) { + stream._needDrain = true + stream.once('drain', onDrainClearBinding) + } else { + stream._binding.clear() + } + } else if (stream._destroy && stream._destroy !== Stream.Transform.prototype._destroy) { + // node.js >= 12, ^11.1.0, ^10.15.1 + stream.destroy() + } else if (stream._destroy && typeof stream.close === 'function') { + // node.js 7, 8 + stream.destroyed = true + stream.close() + } else { + // fallback + // istanbul ignore next + stream.destroy() + } + } else if (typeof stream.close === 'function') { + // node.js < 8 fallback + closeZlibStream(stream) + } +} + +/** + * Determine if stream has destroy. + * @private + */ + +function hasDestroy (stream) { + return stream instanceof Stream && + typeof stream.destroy === 'function' +} + +/** + * Determine if val is EventEmitter. + * @private + */ + +function isEventEmitter (val) { + return val instanceof EventEmitter +} + +/** + * Determine if stream is fs.ReadStream stream. + * @private + */ + +function isFsReadStream (stream) { + return stream instanceof ReadStream +} + +/** + * Determine if stream is Zlib stream. + * @private + */ + +function isZlibStream (stream) { + return stream instanceof Zlib.Gzip || + stream instanceof Zlib.Gunzip || + stream instanceof Zlib.Deflate || + stream instanceof Zlib.DeflateRaw || + stream instanceof Zlib.Inflate || + stream instanceof Zlib.InflateRaw || + stream instanceof Zlib.Unzip +} + +/** + * No-op function. + * @private + */ + +function noop () {} + +/** + * On drain handler to clear binding. + * @private + */ + +// istanbul ignore next: node.js 0.8 +function onDrainClearBinding () { + this._binding.clear() +} + +/** + * On open handler to close stream. + * @private + */ + +function onOpenClose () { + if (typeof this.fd === 'number') { + // actually close down the fd + this.close() + } +} diff --git a/node_modules/body-parser/node_modules/destroy/package.json b/node_modules/body-parser/node_modules/destroy/package.json new file mode 100644 index 0000000..c85e438 --- /dev/null +++ b/node_modules/body-parser/node_modules/destroy/package.json @@ -0,0 +1,48 @@ +{ + "name": "destroy", + "description": "destroy a stream if possible", + "version": "1.2.0", + "author": { + "name": "Jonathan Ong", + "email": "me@jongleberry.com", + "url": "http://jongleberry.com", + "twitter": "https://twitter.com/jongleberry" + }, + "contributors": [ + "Douglas Christopher Wilson " + ], + "license": "MIT", + "repository": "stream-utils/destroy", + "devDependencies": { + "eslint": "7.32.0", + "eslint-config-standard": "14.1.1", + "eslint-plugin-import": "2.25.4", + "eslint-plugin-node": "11.1.0", + "eslint-plugin-promise": "5.2.0", + "eslint-plugin-standard": "4.1.0", + "mocha": "9.2.2", + "nyc": "15.1.0" + }, + "engines": { + "node": ">= 0.8", + "npm": "1.2.8000 || >= 1.4.16" + }, + "scripts": { + "lint": "eslint .", + "test": "mocha --reporter spec", + "test-ci": "nyc --reporter=lcovonly --reporter=text npm test", + "test-cov": "nyc --reporter=html --reporter=text npm test" + }, + "files": [ + "index.js", + "LICENSE" + ], + "keywords": [ + "stream", + "streams", + "destroy", + "cleanup", + "leak", + "fd" + ] +} diff --git a/node_modules/body-parser/node_modules/http-errors/HISTORY.md b/node_modules/body-parser/node_modules/http-errors/HISTORY.md new file mode 100644 index 0000000..7228684 --- /dev/null +++ b/node_modules/body-parser/node_modules/http-errors/HISTORY.md @@ -0,0 +1,180 @@ +2.0.0 / 2021-12-17 +================== + + * Drop support for Node.js 0.6 + * Remove `I'mateapot` export; use `ImATeapot` instead + * Remove support for status being non-first argument + * Rename `UnorderedCollection` constructor to `TooEarly` + * deps: depd@2.0.0 + - Replace internal `eval` usage with `Function` constructor + - Use instance methods on `process` to check for listeners + * deps: statuses@2.0.1 + - Fix messaging casing of `418 I'm a Teapot` + - Remove code 306 + - Rename `425 Unordered Collection` to standard `425 Too Early` + +2021-11-14 / 1.8.1 +================== + + * deps: toidentifier@1.0.1 + +2020-06-29 / 1.8.0 +================== + + * Add `isHttpError` export to determine if value is an HTTP error + * deps: setprototypeof@1.2.0 + +2019-06-24 / 1.7.3 +================== + + * deps: inherits@2.0.4 + +2019-02-18 / 1.7.2 +================== + + * deps: setprototypeof@1.1.1 + +2018-09-08 / 1.7.1 +================== + + * Fix error creating objects in some environments + +2018-07-30 / 1.7.0 +================== + + * Set constructor name when possible + * Use `toidentifier` module to make class names + * deps: statuses@'>= 1.5.0 < 2' + +2018-03-29 / 1.6.3 +================== + + * deps: depd@~1.1.2 + - perf: remove argument reassignment + * deps: setprototypeof@1.1.0 + * deps: statuses@'>= 1.4.0 < 2' + +2017-08-04 / 1.6.2 +================== + + * deps: depd@1.1.1 + - Remove unnecessary `Buffer` loading + +2017-02-20 / 1.6.1 +================== + + * deps: setprototypeof@1.0.3 + - Fix shim for old browsers + +2017-02-14 / 1.6.0 +================== + + * Accept custom 4xx and 5xx status codes in factory + * Add deprecation message to `"I'mateapot"` export + * Deprecate passing status code as anything except first argument in factory + * Deprecate using non-error status codes + * Make `message` property enumerable for `HttpError`s + +2016-11-16 / 1.5.1 +================== + + * deps: inherits@2.0.3 + - Fix issue loading in browser + * deps: setprototypeof@1.0.2 + * deps: statuses@'>= 1.3.1 < 2' + +2016-05-18 / 1.5.0 +================== + + * Support new code `421 Misdirected Request` + * Use `setprototypeof` module to replace `__proto__` setting + * deps: statuses@'>= 1.3.0 < 2' + - Add `421 Misdirected Request` + - perf: enable strict mode + * perf: enable strict mode + +2016-01-28 / 1.4.0 +================== + + * Add `HttpError` export, for `err instanceof createError.HttpError` + * deps: inherits@2.0.1 + * deps: statuses@'>= 1.2.1 < 2' + - Fix message for status 451 + - Remove incorrect nginx status code + +2015-02-02 / 1.3.1 +================== + + * Fix regression where status can be overwritten in `createError` `props` + +2015-02-01 / 1.3.0 +================== + + * Construct errors using defined constructors from `createError` + * Fix error names that are not identifiers + - `createError["I'mateapot"]` is now `createError.ImATeapot` + * Set a meaningful `name` property on constructed errors + +2014-12-09 / 1.2.8 +================== + + * Fix stack trace from exported function + * Remove `arguments.callee` usage + +2014-10-14 / 1.2.7 +================== + + * Remove duplicate line + +2014-10-02 / 1.2.6 +================== + + * Fix `expose` to be `true` for `ClientError` constructor + +2014-09-28 / 1.2.5 +================== + + * deps: statuses@1 + +2014-09-21 / 1.2.4 +================== + + * Fix dependency version to work with old `npm`s + +2014-09-21 / 1.2.3 +================== + + * deps: statuses@~1.1.0 + +2014-09-21 / 1.2.2 +================== + + * Fix publish error + +2014-09-21 / 1.2.1 +================== + + * Support Node.js 0.6 + * Use `inherits` instead of `util` + +2014-09-09 / 1.2.0 +================== + + * Fix the way inheriting functions + * Support `expose` being provided in properties argument + +2014-09-08 / 1.1.0 +================== + + * Default status to 500 + * Support provided `error` to extend + +2014-09-08 / 1.0.1 +================== + + * Fix accepting string message + +2014-09-08 / 1.0.0 +================== + + * Initial release diff --git a/node_modules/body-parser/node_modules/http-errors/LICENSE b/node_modules/body-parser/node_modules/http-errors/LICENSE new file mode 100644 index 0000000..82af4df --- /dev/null +++ b/node_modules/body-parser/node_modules/http-errors/LICENSE @@ -0,0 +1,23 @@ + +The MIT License (MIT) + +Copyright (c) 2014 Jonathan Ong me@jongleberry.com +Copyright (c) 2016 Douglas Christopher Wilson doug@somethingdoug.com + +Permission is hereby granted, free of charge, to any person obtaining a copy +of this software and associated documentation files (the "Software"), to deal +in the Software without restriction, including without limitation the rights +to use, copy, modify, merge, publish, distribute, sublicense, and/or sell +copies of the Software, and to permit persons to whom the Software is +furnished to do so, subject to the following conditions: + +The above copyright notice and this permission notice shall be included in +all copies or substantial portions of the Software. + +THE SOFTWARE IS PROVIDED "AS IS", WITHOUT WARRANTY OF ANY KIND, EXPRESS OR +IMPLIED, INCLUDING BUT NOT LIMITED TO THE WARRANTIES OF MERCHANTABILITY, +FITNESS FOR A PARTICULAR PURPOSE AND NONINFRINGEMENT. IN NO EVENT SHALL THE +AUTHORS OR COPYRIGHT HOLDERS BE LIABLE FOR ANY CLAIM, DAMAGES OR OTHER +LIABILITY, WHETHER IN AN ACTION OF CONTRACT, TORT OR OTHERWISE, ARISING FROM, +OUT OF OR IN CONNECTION WITH THE SOFTWARE OR THE USE OR OTHER DEALINGS IN +THE SOFTWARE. diff --git a/node_modules/body-parser/node_modules/http-errors/README.md b/node_modules/body-parser/node_modules/http-errors/README.md new file mode 100644 index 0000000..a8b7330 --- /dev/null +++ b/node_modules/body-parser/node_modules/http-errors/README.md @@ -0,0 +1,169 @@ +# http-errors + +[![NPM Version][npm-version-image]][npm-url] +[![NPM Downloads][npm-downloads-image]][node-url] +[![Node.js Version][node-image]][node-url] +[![Build Status][ci-image]][ci-url] +[![Test Coverage][coveralls-image]][coveralls-url] + +Create HTTP errors for Express, Koa, Connect, etc. with ease. + +## Install + +This is a [Node.js](https://nodejs.org/en/) module available through the +[npm registry](https://www.npmjs.com/). Installation is done using the +[`npm install` command](https://docs.npmjs.com/getting-started/installing-npm-packages-locally): + +```console +$ npm install http-errors +``` + +## Example + +```js +var createError = require('http-errors') +var express = require('express') +var app = express() + +app.use(function (req, res, next) { + if (!req.user) return next(createError(401, 'Please login to view this page.')) + next() +}) +``` + +## API + +This is the current API, currently extracted from Koa and subject to change. + +### Error Properties + +- `expose` - can be used to signal if `message` should be sent to the client, + defaulting to `false` when `status` >= 500 +- `headers` - can be an object of header names to values to be sent to the + client, defaulting to `undefined`. When defined, the key names should all + be lower-cased +- `message` - the traditional error message, which should be kept short and all + single line +- `status` - the status code of the error, mirroring `statusCode` for general + compatibility +- `statusCode` - the status code of the error, defaulting to `500` + +### createError([status], [message], [properties]) + +Create a new error object with the given message `msg`. +The error object inherits from `createError.HttpError`. + +```js +var err = createError(404, 'This video does not exist!') +``` + +- `status: 500` - the status code as a number +- `message` - the message of the error, defaulting to node's text for that status code. +- `properties` - custom properties to attach to the object + +### createError([status], [error], [properties]) + +Extend the given `error` object with `createError.HttpError` +properties. This will not alter the inheritance of the given +`error` object, and the modified `error` object is the +return value. + + + +```js +fs.readFile('foo.txt', function (err, buf) { + if (err) { + if (err.code === 'ENOENT') { + var httpError = createError(404, err, { expose: false }) + } else { + var httpError = createError(500, err) + } + } +}) +``` + +- `status` - the status code as a number +- `error` - the error object to extend +- `properties` - custom properties to attach to the object + +### createError.isHttpError(val) + +Determine if the provided `val` is an `HttpError`. This will return `true` +if the error inherits from the `HttpError` constructor of this module or +matches the "duck type" for an error this module creates. All outputs from +the `createError` factory will return `true` for this function, including +if an non-`HttpError` was passed into the factory. + +### new createError\[code || name\](\[msg]\)) + +Create a new error object with the given message `msg`. +The error object inherits from `createError.HttpError`. + +```js +var err = new createError.NotFound() +``` + +- `code` - the status code as a number +- `name` - the name of the error as a "bumpy case", i.e. `NotFound` or `InternalServerError`. + +#### List of all constructors + +|Status Code|Constructor Name | +|-----------|-----------------------------| +|400 |BadRequest | +|401 |Unauthorized | +|402 |PaymentRequired | +|403 |Forbidden | +|404 |NotFound | +|405 |MethodNotAllowed | +|406 |NotAcceptable | +|407 |ProxyAuthenticationRequired | +|408 |RequestTimeout | +|409 |Conflict | +|410 |Gone | +|411 |LengthRequired | +|412 |PreconditionFailed | +|413 |PayloadTooLarge | +|414 |URITooLong | +|415 |UnsupportedMediaType | +|416 |RangeNotSatisfiable | +|417 |ExpectationFailed | +|418 |ImATeapot | +|421 |MisdirectedRequest | +|422 |UnprocessableEntity | +|423 |Locked | +|424 |FailedDependency | +|425 |TooEarly | +|426 |UpgradeRequired | +|428 |PreconditionRequired | +|429 |TooManyRequests | +|431 |RequestHeaderFieldsTooLarge | +|451 |UnavailableForLegalReasons | +|500 |InternalServerError | +|501 |NotImplemented | +|502 |BadGateway | +|503 |ServiceUnavailable | +|504 |GatewayTimeout | +|505 |HTTPVersionNotSupported | +|506 |VariantAlsoNegotiates | +|507 |InsufficientStorage | +|508 |LoopDetected | +|509 |BandwidthLimitExceeded | +|510 |NotExtended | +|511 |NetworkAuthenticationRequired| + +## License + +[MIT](LICENSE) + +[ci-image]: https://badgen.net/github/checks/jshttp/http-errors/master?label=ci +[ci-url]: https://github.com/jshttp/http-errors/actions?query=workflow%3Aci +[coveralls-image]: https://badgen.net/coveralls/c/github/jshttp/http-errors/master +[coveralls-url]: https://coveralls.io/r/jshttp/http-errors?branch=master +[node-image]: https://badgen.net/npm/node/http-errors +[node-url]: https://nodejs.org/en/download +[npm-downloads-image]: https://badgen.net/npm/dm/http-errors +[npm-url]: https://npmjs.org/package/http-errors +[npm-version-image]: https://badgen.net/npm/v/http-errors +[travis-image]: https://badgen.net/travis/jshttp/http-errors/master +[travis-url]: https://travis-ci.org/jshttp/http-errors diff --git a/node_modules/body-parser/node_modules/http-errors/index.js b/node_modules/body-parser/node_modules/http-errors/index.js new file mode 100644 index 0000000..c425f1e --- /dev/null +++ b/node_modules/body-parser/node_modules/http-errors/index.js @@ -0,0 +1,289 @@ +/*! + * http-errors + * Copyright(c) 2014 Jonathan Ong + * Copyright(c) 2016 Douglas Christopher Wilson + * MIT Licensed + */ + +'use strict' + +/** + * Module dependencies. + * @private + */ + +var deprecate = require('depd')('http-errors') +var setPrototypeOf = require('setprototypeof') +var statuses = require('statuses') +var inherits = require('inherits') +var toIdentifier = require('toidentifier') + +/** + * Module exports. + * @public + */ + +module.exports = createError +module.exports.HttpError = createHttpErrorConstructor() +module.exports.isHttpError = createIsHttpErrorFunction(module.exports.HttpError) + +// Populate exports for all constructors +populateConstructorExports(module.exports, statuses.codes, module.exports.HttpError) + +/** + * Get the code class of a status code. + * @private + */ + +function codeClass (status) { + return Number(String(status).charAt(0) + '00') +} + +/** + * Create a new HTTP Error. + * + * @returns {Error} + * @public + */ + +function createError () { + // so much arity going on ~_~ + var err + var msg + var status = 500 + var props = {} + for (var i = 0; i < arguments.length; i++) { + var arg = arguments[i] + var type = typeof arg + if (type === 'object' && arg instanceof Error) { + err = arg + status = err.status || err.statusCode || status + } else if (type === 'number' && i === 0) { + status = arg + } else if (type === 'string') { + msg = arg + } else if (type === 'object') { + props = arg + } else { + throw new TypeError('argument #' + (i + 1) + ' unsupported type ' + type) + } + } + + if (typeof status === 'number' && (status < 400 || status >= 600)) { + deprecate('non-error status code; use only 4xx or 5xx status codes') + } + + if (typeof status !== 'number' || + (!statuses.message[status] && (status < 400 || status >= 600))) { + status = 500 + } + + // constructor + var HttpError = createError[status] || createError[codeClass(status)] + + if (!err) { + // create error + err = HttpError + ? new HttpError(msg) + : new Error(msg || statuses.message[status]) + Error.captureStackTrace(err, createError) + } + + if (!HttpError || !(err instanceof HttpError) || err.status !== status) { + // add properties to generic error + err.expose = status < 500 + err.status = err.statusCode = status + } + + for (var key in props) { + if (key !== 'status' && key !== 'statusCode') { + err[key] = props[key] + } + } + + return err +} + +/** + * Create HTTP error abstract base class. + * @private + */ + +function createHttpErrorConstructor () { + function HttpError () { + throw new TypeError('cannot construct abstract class') + } + + inherits(HttpError, Error) + + return HttpError +} + +/** + * Create a constructor for a client error. + * @private + */ + +function createClientErrorConstructor (HttpError, name, code) { + var className = toClassName(name) + + function ClientError (message) { + // create the error object + var msg = message != null ? message : statuses.message[code] + var err = new Error(msg) + + // capture a stack trace to the construction point + Error.captureStackTrace(err, ClientError) + + // adjust the [[Prototype]] + setPrototypeOf(err, ClientError.prototype) + + // redefine the error message + Object.defineProperty(err, 'message', { + enumerable: true, + configurable: true, + value: msg, + writable: true + }) + + // redefine the error name + Object.defineProperty(err, 'name', { + enumerable: false, + configurable: true, + value: className, + writable: true + }) + + return err + } + + inherits(ClientError, HttpError) + nameFunc(ClientError, className) + + ClientError.prototype.status = code + ClientError.prototype.statusCode = code + ClientError.prototype.expose = true + + return ClientError +} + +/** + * Create function to test is a value is a HttpError. + * @private + */ + +function createIsHttpErrorFunction (HttpError) { + return function isHttpError (val) { + if (!val || typeof val !== 'object') { + return false + } + + if (val instanceof HttpError) { + return true + } + + return val instanceof Error && + typeof val.expose === 'boolean' && + typeof val.statusCode === 'number' && val.status === val.statusCode + } +} + +/** + * Create a constructor for a server error. + * @private + */ + +function createServerErrorConstructor (HttpError, name, code) { + var className = toClassName(name) + + function ServerError (message) { + // create the error object + var msg = message != null ? message : statuses.message[code] + var err = new Error(msg) + + // capture a stack trace to the construction point + Error.captureStackTrace(err, ServerError) + + // adjust the [[Prototype]] + setPrototypeOf(err, ServerError.prototype) + + // redefine the error message + Object.defineProperty(err, 'message', { + enumerable: true, + configurable: true, + value: msg, + writable: true + }) + + // redefine the error name + Object.defineProperty(err, 'name', { + enumerable: false, + configurable: true, + value: className, + writable: true + }) + + return err + } + + inherits(ServerError, HttpError) + nameFunc(ServerError, className) + + ServerError.prototype.status = code + ServerError.prototype.statusCode = code + ServerError.prototype.expose = false + + return ServerError +} + +/** + * Set the name of a function, if possible. + * @private + */ + +function nameFunc (func, name) { + var desc = Object.getOwnPropertyDescriptor(func, 'name') + + if (desc && desc.configurable) { + desc.value = name + Object.defineProperty(func, 'name', desc) + } +} + +/** + * Populate the exports object with constructors for every error class. + * @private + */ + +function populateConstructorExports (exports, codes, HttpError) { + codes.forEach(function forEachCode (code) { + var CodeError + var name = toIdentifier(statuses.message[code]) + + switch (codeClass(code)) { + case 400: + CodeError = createClientErrorConstructor(HttpError, name, code) + break + case 500: + CodeError = createServerErrorConstructor(HttpError, name, code) + break + } + + if (CodeError) { + // export the constructor + exports[code] = CodeError + exports[name] = CodeError + } + }) +} + +/** + * Get a class name from a name identifier. + * @private + */ + +function toClassName (name) { + return name.substr(-5) !== 'Error' + ? name + 'Error' + : name +} diff --git a/node_modules/body-parser/node_modules/http-errors/package.json b/node_modules/body-parser/node_modules/http-errors/package.json new file mode 100644 index 0000000..4cb6d7e --- /dev/null +++ b/node_modules/body-parser/node_modules/http-errors/package.json @@ -0,0 +1,50 @@ +{ + "name": "http-errors", + "description": "Create HTTP error objects", + "version": "2.0.0", + "author": "Jonathan Ong (http://jongleberry.com)", + "contributors": [ + "Alan Plum ", + "Douglas Christopher Wilson " + ], + "license": "MIT", + "repository": "jshttp/http-errors", + "dependencies": { + "depd": "2.0.0", + "inherits": "2.0.4", + "setprototypeof": "1.2.0", + "statuses": "2.0.1", + "toidentifier": "1.0.1" + }, + "devDependencies": { + "eslint": "7.32.0", + "eslint-config-standard": "14.1.1", + "eslint-plugin-import": "2.25.3", + "eslint-plugin-markdown": "2.2.1", + "eslint-plugin-node": "11.1.0", + "eslint-plugin-promise": "5.2.0", + "eslint-plugin-standard": "4.1.0", + "mocha": "9.1.3", + "nyc": "15.1.0" + }, + "engines": { + "node": ">= 0.8" + }, + "scripts": { + "lint": "eslint . && node ./scripts/lint-readme-list.js", + "test": "mocha --reporter spec --bail", + "test-ci": "nyc --reporter=lcov --reporter=text npm test", + "test-cov": "nyc --reporter=html --reporter=text npm test", + "version": "node scripts/version-history.js && git add HISTORY.md" + }, + "keywords": [ + "http", + "error" + ], + "files": [ + "index.js", + "HISTORY.md", + "LICENSE", + "README.md" + ] +} diff --git a/node_modules/body-parser/node_modules/inherits/LICENSE b/node_modules/body-parser/node_modules/inherits/LICENSE new file mode 100644 index 0000000..dea3013 --- /dev/null +++ b/node_modules/body-parser/node_modules/inherits/LICENSE @@ -0,0 +1,16 @@ +The ISC License + +Copyright (c) Isaac Z. Schlueter + +Permission to use, copy, modify, and/or distribute this software for any +purpose with or without fee is hereby granted, provided that the above +copyright notice and this permission notice appear in all copies. + +THE SOFTWARE IS PROVIDED "AS IS" AND THE AUTHOR DISCLAIMS ALL WARRANTIES WITH +REGARD TO THIS SOFTWARE INCLUDING ALL IMPLIED WARRANTIES OF MERCHANTABILITY AND +FITNESS. IN NO EVENT SHALL THE AUTHOR BE LIABLE FOR ANY SPECIAL, DIRECT, +INDIRECT, OR CONSEQUENTIAL DAMAGES OR ANY DAMAGES WHATSOEVER RESULTING FROM +LOSS OF USE, DATA OR PROFITS, WHETHER IN AN ACTION OF CONTRACT, NEGLIGENCE OR +OTHER TORTIOUS ACTION, ARISING OUT OF OR IN CONNECTION WITH THE USE OR +PERFORMANCE OF THIS SOFTWARE. + diff --git a/node_modules/body-parser/node_modules/inherits/README.md b/node_modules/body-parser/node_modules/inherits/README.md new file mode 100644 index 0000000..b1c5665 --- /dev/null +++ b/node_modules/body-parser/node_modules/inherits/README.md @@ -0,0 +1,42 @@ +Browser-friendly inheritance fully compatible with standard node.js +[inherits](http://nodejs.org/api/util.html#util_util_inherits_constructor_superconstructor). + +This package exports standard `inherits` from node.js `util` module in +node environment, but also provides alternative browser-friendly +implementation through [browser +field](https://gist.github.com/shtylman/4339901). Alternative +implementation is a literal copy of standard one located in standalone +module to avoid requiring of `util`. It also has a shim for old +browsers with no `Object.create` support. + +While keeping you sure you are using standard `inherits` +implementation in node.js environment, it allows bundlers such as +[browserify](https://github.com/substack/node-browserify) to not +include full `util` package to your client code if all you need is +just `inherits` function. It worth, because browser shim for `util` +package is large and `inherits` is often the single function you need +from it. + +It's recommended to use this package instead of +`require('util').inherits` for any code that has chances to be used +not only in node.js but in browser too. + +## usage + +```js +var inherits = require('inherits'); +// then use exactly as the standard one +``` + +## note on version ~1.0 + +Version ~1.0 had completely different motivation and is not compatible +neither with 2.0 nor with standard node.js `inherits`. + +If you are using version ~1.0 and planning to switch to ~2.0, be +careful: + +* new version uses `super_` instead of `super` for referencing + superclass +* new version overwrites current prototype while old one preserves any + existing fields on it diff --git a/node_modules/body-parser/node_modules/inherits/inherits.js b/node_modules/body-parser/node_modules/inherits/inherits.js new file mode 100644 index 0000000..f71f2d9 --- /dev/null +++ b/node_modules/body-parser/node_modules/inherits/inherits.js @@ -0,0 +1,9 @@ +try { + var util = require('util'); + /* istanbul ignore next */ + if (typeof util.inherits !== 'function') throw ''; + module.exports = util.inherits; +} catch (e) { + /* istanbul ignore next */ + module.exports = require('./inherits_browser.js'); +} diff --git a/node_modules/body-parser/node_modules/inherits/inherits_browser.js b/node_modules/body-parser/node_modules/inherits/inherits_browser.js new file mode 100644 index 0000000..86bbb3d --- /dev/null +++ b/node_modules/body-parser/node_modules/inherits/inherits_browser.js @@ -0,0 +1,27 @@ +if (typeof Object.create === 'function') { + // implementation from standard node.js 'util' module + module.exports = function inherits(ctor, superCtor) { + if (superCtor) { + ctor.super_ = superCtor + ctor.prototype = Object.create(superCtor.prototype, { + constructor: { + value: ctor, + enumerable: false, + writable: true, + configurable: true + } + }) + } + }; +} else { + // old school shim for old browsers + module.exports = function inherits(ctor, superCtor) { + if (superCtor) { + ctor.super_ = superCtor + var TempCtor = function () {} + TempCtor.prototype = superCtor.prototype + ctor.prototype = new TempCtor() + ctor.prototype.constructor = ctor + } + } +} diff --git a/node_modules/body-parser/node_modules/inherits/package.json b/node_modules/body-parser/node_modules/inherits/package.json new file mode 100644 index 0000000..37b4366 --- /dev/null +++ b/node_modules/body-parser/node_modules/inherits/package.json @@ -0,0 +1,29 @@ +{ + "name": "inherits", + "description": "Browser-friendly inheritance fully compatible with standard node.js inherits()", + "version": "2.0.4", + "keywords": [ + "inheritance", + "class", + "klass", + "oop", + "object-oriented", + "inherits", + "browser", + "browserify" + ], + "main": "./inherits.js", + "browser": "./inherits_browser.js", + "repository": "git://github.com/isaacs/inherits", + "license": "ISC", + "scripts": { + "test": "tap" + }, + "devDependencies": { + "tap": "^14.2.4" + }, + "files": [ + "inherits.js", + "inherits_browser.js" + ] +} diff --git a/node_modules/body-parser/node_modules/on-finished/HISTORY.md b/node_modules/body-parser/node_modules/on-finished/HISTORY.md new file mode 100644 index 0000000..1917595 --- /dev/null +++ b/node_modules/body-parser/node_modules/on-finished/HISTORY.md @@ -0,0 +1,98 @@ +2.4.1 / 2022-02-22 +================== + + * Fix error on early async hooks implementations + +2.4.0 / 2022-02-21 +================== + + * Prevent loss of async hooks context + +2.3.0 / 2015-05-26 +================== + + * Add defined behavior for HTTP `CONNECT` requests + * Add defined behavior for HTTP `Upgrade` requests + * deps: ee-first@1.1.1 + +2.2.1 / 2015-04-22 +================== + + * Fix `isFinished(req)` when data buffered + +2.2.0 / 2014-12-22 +================== + + * Add message object to callback arguments + +2.1.1 / 2014-10-22 +================== + + * Fix handling of pipelined requests + +2.1.0 / 2014-08-16 +================== + + * Check if `socket` is detached + * Return `undefined` for `isFinished` if state unknown + +2.0.0 / 2014-08-16 +================== + + * Add `isFinished` function + * Move to `jshttp` organization + * Remove support for plain socket argument + * Rename to `on-finished` + * Support both `req` and `res` as arguments + * deps: ee-first@1.0.5 + +1.2.2 / 2014-06-10 +================== + + * Reduce listeners added to emitters + - avoids "event emitter leak" warnings when used multiple times on same request + +1.2.1 / 2014-06-08 +================== + + * Fix returned value when already finished + +1.2.0 / 2014-06-05 +================== + + * Call callback when called on already-finished socket + +1.1.4 / 2014-05-27 +================== + + * Support node.js 0.8 + +1.1.3 / 2014-04-30 +================== + + * Make sure errors passed as instanceof `Error` + +1.1.2 / 2014-04-18 +================== + + * Default the `socket` to passed-in object + +1.1.1 / 2014-01-16 +================== + + * Rename module to `finished` + +1.1.0 / 2013-12-25 +================== + + * Call callback when called on already-errored socket + +1.0.1 / 2013-12-20 +================== + + * Actually pass the error to the callback + +1.0.0 / 2013-12-20 +================== + + * Initial release diff --git a/node_modules/body-parser/node_modules/on-finished/LICENSE b/node_modules/body-parser/node_modules/on-finished/LICENSE new file mode 100644 index 0000000..5931fd2 --- /dev/null +++ b/node_modules/body-parser/node_modules/on-finished/LICENSE @@ -0,0 +1,23 @@ +(The MIT License) + +Copyright (c) 2013 Jonathan Ong +Copyright (c) 2014 Douglas Christopher Wilson + +Permission is hereby granted, free of charge, to any person obtaining +a copy of this software and associated documentation files (the +'Software'), to deal in the Software without restriction, including +without limitation the rights to use, copy, modify, merge, publish, +distribute, sublicense, and/or sell copies of the Software, and to +permit persons to whom the Software is furnished to do so, subject to +the following conditions: + +The above copyright notice and this permission notice shall be +included in all copies or substantial portions of the Software. + +THE SOFTWARE IS PROVIDED 'AS IS', WITHOUT WARRANTY OF ANY KIND, +EXPRESS OR IMPLIED, INCLUDING BUT NOT LIMITED TO THE WARRANTIES OF +MERCHANTABILITY, FITNESS FOR A PARTICULAR PURPOSE AND NONINFRINGEMENT. +IN NO EVENT SHALL THE AUTHORS OR COPYRIGHT HOLDERS BE LIABLE FOR ANY +CLAIM, DAMAGES OR OTHER LIABILITY, WHETHER IN AN ACTION OF CONTRACT, +TORT OR OTHERWISE, ARISING FROM, OUT OF OR IN CONNECTION WITH THE +SOFTWARE OR THE USE OR OTHER DEALINGS IN THE SOFTWARE. diff --git a/node_modules/body-parser/node_modules/on-finished/README.md b/node_modules/body-parser/node_modules/on-finished/README.md new file mode 100644 index 0000000..8973cde --- /dev/null +++ b/node_modules/body-parser/node_modules/on-finished/README.md @@ -0,0 +1,162 @@ +# on-finished + +[![NPM Version][npm-version-image]][npm-url] +[![NPM Downloads][npm-downloads-image]][npm-url] +[![Node.js Version][node-image]][node-url] +[![Build Status][ci-image]][ci-url] +[![Coverage Status][coveralls-image]][coveralls-url] + +Execute a callback when a HTTP request closes, finishes, or errors. + +## Install + +This is a [Node.js](https://nodejs.org/en/) module available through the +[npm registry](https://www.npmjs.com/). Installation is done using the +[`npm install` command](https://docs.npmjs.com/getting-started/installing-npm-packages-locally): + +```sh +$ npm install on-finished +``` + +## API + +```js +var onFinished = require('on-finished') +``` + +### onFinished(res, listener) + +Attach a listener to listen for the response to finish. The listener will +be invoked only once when the response finished. If the response finished +to an error, the first argument will contain the error. If the response +has already finished, the listener will be invoked. + +Listening to the end of a response would be used to close things associated +with the response, like open files. + +Listener is invoked as `listener(err, res)`. + + + +```js +onFinished(res, function (err, res) { + // clean up open fds, etc. + // err contains the error if request error'd +}) +``` + +### onFinished(req, listener) + +Attach a listener to listen for the request to finish. The listener will +be invoked only once when the request finished. If the request finished +to an error, the first argument will contain the error. If the request +has already finished, the listener will be invoked. + +Listening to the end of a request would be used to know when to continue +after reading the data. + +Listener is invoked as `listener(err, req)`. + + + +```js +var data = '' + +req.setEncoding('utf8') +req.on('data', function (str) { + data += str +}) + +onFinished(req, function (err, req) { + // data is read unless there is err +}) +``` + +### onFinished.isFinished(res) + +Determine if `res` is already finished. This would be useful to check and +not even start certain operations if the response has already finished. + +### onFinished.isFinished(req) + +Determine if `req` is already finished. This would be useful to check and +not even start certain operations if the request has already finished. + +## Special Node.js requests + +### HTTP CONNECT method + +The meaning of the `CONNECT` method from RFC 7231, section 4.3.6: + +> The CONNECT method requests that the recipient establish a tunnel to +> the destination origin server identified by the request-target and, +> if successful, thereafter restrict its behavior to blind forwarding +> of packets, in both directions, until the tunnel is closed. Tunnels +> are commonly used to create an end-to-end virtual connection, through +> one or more proxies, which can then be secured using TLS (Transport +> Layer Security, [RFC5246]). + +In Node.js, these request objects come from the `'connect'` event on +the HTTP server. + +When this module is used on a HTTP `CONNECT` request, the request is +considered "finished" immediately, **due to limitations in the Node.js +interface**. This means if the `CONNECT` request contains a request entity, +the request will be considered "finished" even before it has been read. + +There is no such thing as a response object to a `CONNECT` request in +Node.js, so there is no support for one. + +### HTTP Upgrade request + +The meaning of the `Upgrade` header from RFC 7230, section 6.1: + +> The "Upgrade" header field is intended to provide a simple mechanism +> for transitioning from HTTP/1.1 to some other protocol on the same +> connection. + +In Node.js, these request objects come from the `'upgrade'` event on +the HTTP server. + +When this module is used on a HTTP request with an `Upgrade` header, the +request is considered "finished" immediately, **due to limitations in the +Node.js interface**. This means if the `Upgrade` request contains a request +entity, the request will be considered "finished" even before it has been +read. + +There is no such thing as a response object to a `Upgrade` request in +Node.js, so there is no support for one. + +## Example + +The following code ensures that file descriptors are always closed +once the response finishes. + +```js +var destroy = require('destroy') +var fs = require('fs') +var http = require('http') +var onFinished = require('on-finished') + +http.createServer(function onRequest (req, res) { + var stream = fs.createReadStream('package.json') + stream.pipe(res) + onFinished(res, function () { + destroy(stream) + }) +}) +``` + +## License + +[MIT](LICENSE) + +[ci-image]: https://badgen.net/github/checks/jshttp/on-finished/master?label=ci +[ci-url]: https://github.com/jshttp/on-finished/actions/workflows/ci.yml +[coveralls-image]: https://badgen.net/coveralls/c/github/jshttp/on-finished/master +[coveralls-url]: https://coveralls.io/r/jshttp/on-finished?branch=master +[node-image]: https://badgen.net/npm/node/on-finished +[node-url]: https://nodejs.org/en/download +[npm-downloads-image]: https://badgen.net/npm/dm/on-finished +[npm-url]: https://npmjs.org/package/on-finished +[npm-version-image]: https://badgen.net/npm/v/on-finished diff --git a/node_modules/body-parser/node_modules/on-finished/index.js b/node_modules/body-parser/node_modules/on-finished/index.js new file mode 100644 index 0000000..e68df7b --- /dev/null +++ b/node_modules/body-parser/node_modules/on-finished/index.js @@ -0,0 +1,234 @@ +/*! + * on-finished + * Copyright(c) 2013 Jonathan Ong + * Copyright(c) 2014 Douglas Christopher Wilson + * MIT Licensed + */ + +'use strict' + +/** + * Module exports. + * @public + */ + +module.exports = onFinished +module.exports.isFinished = isFinished + +/** + * Module dependencies. + * @private + */ + +var asyncHooks = tryRequireAsyncHooks() +var first = require('ee-first') + +/** + * Variables. + * @private + */ + +/* istanbul ignore next */ +var defer = typeof setImmediate === 'function' + ? setImmediate + : function (fn) { process.nextTick(fn.bind.apply(fn, arguments)) } + +/** + * Invoke callback when the response has finished, useful for + * cleaning up resources afterwards. + * + * @param {object} msg + * @param {function} listener + * @return {object} + * @public + */ + +function onFinished (msg, listener) { + if (isFinished(msg) !== false) { + defer(listener, null, msg) + return msg + } + + // attach the listener to the message + attachListener(msg, wrap(listener)) + + return msg +} + +/** + * Determine if message is already finished. + * + * @param {object} msg + * @return {boolean} + * @public + */ + +function isFinished (msg) { + var socket = msg.socket + + if (typeof msg.finished === 'boolean') { + // OutgoingMessage + return Boolean(msg.finished || (socket && !socket.writable)) + } + + if (typeof msg.complete === 'boolean') { + // IncomingMessage + return Boolean(msg.upgrade || !socket || !socket.readable || (msg.complete && !msg.readable)) + } + + // don't know + return undefined +} + +/** + * Attach a finished listener to the message. + * + * @param {object} msg + * @param {function} callback + * @private + */ + +function attachFinishedListener (msg, callback) { + var eeMsg + var eeSocket + var finished = false + + function onFinish (error) { + eeMsg.cancel() + eeSocket.cancel() + + finished = true + callback(error) + } + + // finished on first message event + eeMsg = eeSocket = first([[msg, 'end', 'finish']], onFinish) + + function onSocket (socket) { + // remove listener + msg.removeListener('socket', onSocket) + + if (finished) return + if (eeMsg !== eeSocket) return + + // finished on first socket event + eeSocket = first([[socket, 'error', 'close']], onFinish) + } + + if (msg.socket) { + // socket already assigned + onSocket(msg.socket) + return + } + + // wait for socket to be assigned + msg.on('socket', onSocket) + + if (msg.socket === undefined) { + // istanbul ignore next: node.js 0.8 patch + patchAssignSocket(msg, onSocket) + } +} + +/** + * Attach the listener to the message. + * + * @param {object} msg + * @return {function} + * @private + */ + +function attachListener (msg, listener) { + var attached = msg.__onFinished + + // create a private single listener with queue + if (!attached || !attached.queue) { + attached = msg.__onFinished = createListener(msg) + attachFinishedListener(msg, attached) + } + + attached.queue.push(listener) +} + +/** + * Create listener on message. + * + * @param {object} msg + * @return {function} + * @private + */ + +function createListener (msg) { + function listener (err) { + if (msg.__onFinished === listener) msg.__onFinished = null + if (!listener.queue) return + + var queue = listener.queue + listener.queue = null + + for (var i = 0; i < queue.length; i++) { + queue[i](err, msg) + } + } + + listener.queue = [] + + return listener +} + +/** + * Patch ServerResponse.prototype.assignSocket for node.js 0.8. + * + * @param {ServerResponse} res + * @param {function} callback + * @private + */ + +// istanbul ignore next: node.js 0.8 patch +function patchAssignSocket (res, callback) { + var assignSocket = res.assignSocket + + if (typeof assignSocket !== 'function') return + + // res.on('socket', callback) is broken in 0.8 + res.assignSocket = function _assignSocket (socket) { + assignSocket.call(this, socket) + callback(socket) + } +} + +/** + * Try to require async_hooks + * @private + */ + +function tryRequireAsyncHooks () { + try { + return require('async_hooks') + } catch (e) { + return {} + } +} + +/** + * Wrap function with async resource, if possible. + * AsyncResource.bind static method backported. + * @private + */ + +function wrap (fn) { + var res + + // create anonymous resource + if (asyncHooks.AsyncResource) { + res = new asyncHooks.AsyncResource(fn.name || 'bound-anonymous-fn') + } + + // incompatible node.js + if (!res || !res.runInAsyncScope) { + return fn + } + + // return bound function + return res.runInAsyncScope.bind(res, fn, null) +} diff --git a/node_modules/body-parser/node_modules/on-finished/package.json b/node_modules/body-parser/node_modules/on-finished/package.json new file mode 100644 index 0000000..644cd81 --- /dev/null +++ b/node_modules/body-parser/node_modules/on-finished/package.json @@ -0,0 +1,39 @@ +{ + "name": "on-finished", + "description": "Execute a callback when a request closes, finishes, or errors", + "version": "2.4.1", + "contributors": [ + "Douglas Christopher Wilson ", + "Jonathan Ong (http://jongleberry.com)" + ], + "license": "MIT", + "repository": "jshttp/on-finished", + "dependencies": { + "ee-first": "1.1.1" + }, + "devDependencies": { + "eslint": "7.32.0", + "eslint-config-standard": "14.1.1", + "eslint-plugin-import": "2.25.4", + "eslint-plugin-markdown": "2.2.1", + "eslint-plugin-node": "11.1.0", + "eslint-plugin-promise": "5.2.0", + "eslint-plugin-standard": "4.1.0", + "mocha": "9.2.1", + "nyc": "15.1.0" + }, + "engines": { + "node": ">= 0.8" + }, + "files": [ + "HISTORY.md", + "LICENSE", + "index.js" + ], + "scripts": { + "lint": "eslint .", + "test": "mocha --reporter spec --bail --check-leaks test/", + "test-ci": "nyc --reporter=lcovonly --reporter=text npm test", + "test-cov": "nyc --reporter=html --reporter=text npm test" + } +} diff --git a/node_modules/body-parser/node_modules/qs/.editorconfig b/node_modules/body-parser/node_modules/qs/.editorconfig new file mode 100644 index 0000000..2f08444 --- /dev/null +++ b/node_modules/body-parser/node_modules/qs/.editorconfig @@ -0,0 +1,43 @@ +root = true + +[*] +indent_style = space +indent_size = 4 +end_of_line = lf +charset = utf-8 +trim_trailing_whitespace = true +insert_final_newline = true +max_line_length = 160 +quote_type = single + +[test/*] +max_line_length = off + +[LICENSE.md] +indent_size = off + +[*.md] +max_line_length = off + +[*.json] +max_line_length = off + +[Makefile] +max_line_length = off + +[CHANGELOG.md] +indent_style = space +indent_size = 2 + +[LICENSE] +indent_size = 2 +max_line_length = off + +[coverage/**/*] +indent_size = off +indent_style = off +indent = off +max_line_length = off + +[.nycrc] +indent_style = tab diff --git a/node_modules/body-parser/node_modules/qs/.eslintrc b/node_modules/body-parser/node_modules/qs/.eslintrc new file mode 100644 index 0000000..35220cd --- /dev/null +++ b/node_modules/body-parser/node_modules/qs/.eslintrc @@ -0,0 +1,38 @@ +{ + "root": true, + + "extends": "@ljharb", + + "ignorePatterns": [ + "dist/", + ], + + "rules": { + "complexity": 0, + "consistent-return": 1, + "func-name-matching": 0, + "id-length": [2, { "min": 1, "max": 25, "properties": "never" }], + "indent": [2, 4], + "max-lines-per-function": [2, { "max": 150 }], + "max-params": [2, 16], + "max-statements": [2, 53], + "multiline-comment-style": 0, + "no-continue": 1, + "no-magic-numbers": 0, + "no-restricted-syntax": [2, "BreakStatement", "DebuggerStatement", "ForInStatement", "LabeledStatement", "WithStatement"], + }, + + "overrides": [ + { + "files": "test/**", + "rules": { + "function-paren-newline": 0, + "max-lines-per-function": 0, + "max-statements": 0, + "no-buffer-constructor": 0, + "no-extend-native": 0, + "no-throw-literal": 0, + }, + }, + ], +} diff --git a/node_modules/qs/.github/FUNDING.yml b/node_modules/body-parser/node_modules/qs/.github/FUNDING.yml similarity index 100% rename from node_modules/qs/.github/FUNDING.yml rename to node_modules/body-parser/node_modules/qs/.github/FUNDING.yml diff --git a/node_modules/qs/.nycrc b/node_modules/body-parser/node_modules/qs/.nycrc similarity index 100% rename from node_modules/qs/.nycrc rename to node_modules/body-parser/node_modules/qs/.nycrc diff --git a/node_modules/body-parser/node_modules/qs/CHANGELOG.md b/node_modules/body-parser/node_modules/qs/CHANGELOG.md new file mode 100644 index 0000000..37b1d3f --- /dev/null +++ b/node_modules/body-parser/node_modules/qs/CHANGELOG.md @@ -0,0 +1,546 @@ +## **6.11.0 +- [New] [Fix] `stringify`: revert 0e903c0; add `commaRoundTrip` option (#442) +- [readme] fix version badge + +## **6.10.5** +- [Fix] `stringify`: with `arrayFormat: comma`, properly include an explicit `[]` on a single-item array (#434) + +## **6.10.4** +- [Fix] `stringify`: with `arrayFormat: comma`, include an explicit `[]` on a single-item array (#441) +- [meta] use `npmignore` to autogenerate an npmignore file +- [Dev Deps] update `eslint`, `@ljharb/eslint-config`, `aud`, `has-symbol`, `object-inspect`, `tape` + +## **6.10.3** +- [Fix] `parse`: ignore `__proto__` keys (#428) +- [Robustness] `stringify`: avoid relying on a global `undefined` (#427) +- [actions] reuse common workflows +- [Dev Deps] update `eslint`, `@ljharb/eslint-config`, `object-inspect`, `tape` + +## **6.10.2** +- [Fix] `stringify`: actually fix cyclic references (#426) +- [Fix] `stringify`: avoid encoding arrayformat comma when `encodeValuesOnly = true` (#424) +- [readme] remove travis badge; add github actions/codecov badges; update URLs +- [Docs] add note and links for coercing primitive values (#408) +- [actions] update codecov uploader +- [actions] update workflows +- [Tests] clean up stringify tests slightly +- [Dev Deps] update `eslint`, `@ljharb/eslint-config`, `aud`, `object-inspect`, `safe-publish-latest`, `tape` + +## **6.10.1** +- [Fix] `stringify`: avoid exception on repeated object values (#402) + +## **6.10.0** +- [New] `stringify`: throw on cycles, instead of an infinite loop (#395, #394, #393) +- [New] `parse`: add `allowSparse` option for collapsing arrays with missing indices (#312) +- [meta] fix README.md (#399) +- [meta] only run `npm run dist` in publish, not install +- [Dev Deps] update `eslint`, `@ljharb/eslint-config`, `aud`, `has-symbols`, `tape` +- [Tests] fix tests on node v0.6 +- [Tests] use `ljharb/actions/node/install` instead of `ljharb/actions/node/run` +- [Tests] Revert "[meta] ignore eclint transitive audit warning" + +## **6.9.7** +- [Fix] `parse`: ignore `__proto__` keys (#428) +- [Fix] `stringify`: avoid encoding arrayformat comma when `encodeValuesOnly = true` (#424) +- [Robustness] `stringify`: avoid relying on a global `undefined` (#427) +- [readme] remove travis badge; add github actions/codecov badges; update URLs +- [Docs] add note and links for coercing primitive values (#408) +- [Tests] clean up stringify tests slightly +- [meta] fix README.md (#399) +- Revert "[meta] ignore eclint transitive audit warning" +- [actions] backport actions from main +- [Dev Deps] backport updates from main + +## **6.9.6** +- [Fix] restore `dist` dir; mistakenly removed in d4f6c32 + +## **6.9.5** +- [Fix] `stringify`: do not encode parens for RFC1738 +- [Fix] `stringify`: fix arrayFormat comma with empty array/objects (#350) +- [Refactor] `format`: remove `util.assign` call +- [meta] add "Allow Edits" workflow; update rebase workflow +- [actions] switch Automatic Rebase workflow to `pull_request_target` event +- [Tests] `stringify`: add tests for #378 +- [Tests] migrate tests to Github Actions +- [Tests] run `nyc` on all tests; use `tape` runner +- [Dev Deps] update `eslint`, `@ljharb/eslint-config`, `browserify`, `mkdirp`, `object-inspect`, `tape`; add `aud` + +## **6.9.4** +- [Fix] `stringify`: when `arrayFormat` is `comma`, respect `serializeDate` (#364) +- [Refactor] `stringify`: reduce branching (part of #350) +- [Refactor] move `maybeMap` to `utils` +- [Dev Deps] update `browserify`, `tape` + +## **6.9.3** +- [Fix] proper comma parsing of URL-encoded commas (#361) +- [Fix] parses comma delimited array while having percent-encoded comma treated as normal text (#336) + +## **6.9.2** +- [Fix] `parse`: Fix parsing array from object with `comma` true (#359) +- [Fix] `parse`: throw a TypeError instead of an Error for bad charset (#349) +- [meta] ignore eclint transitive audit warning +- [meta] fix indentation in package.json +- [meta] add tidelift marketing copy +- [Dev Deps] update `eslint`, `@ljharb/eslint-config`, `object-inspect`, `has-symbols`, `tape`, `mkdirp`, `iconv-lite` +- [actions] add automatic rebasing / merge commit blocking + +## **6.9.1** +- [Fix] `parse`: with comma true, handle field that holds an array of arrays (#335) +- [Fix] `parse`: with comma true, do not split non-string values (#334) +- [meta] add `funding` field +- [Dev Deps] update `eslint`, `@ljharb/eslint-config` +- [Tests] use shared travis-ci config + +## **6.9.0** +- [New] `parse`/`stringify`: Pass extra key/value argument to `decoder` (#333) +- [Dev Deps] update `eslint`, `@ljharb/eslint-config`, `evalmd` +- [Tests] `parse`: add passing `arrayFormat` tests +- [Tests] add `posttest` using `npx aud` to run `npm audit` without a lockfile +- [Tests] up to `node` `v12.10`, `v11.15`, `v10.16`, `v8.16` +- [Tests] `Buffer.from` in node v5.0-v5.9 and v4.0-v4.4 requires a TypedArray + +## **6.8.3** +- [Fix] `parse`: ignore `__proto__` keys (#428) +- [Robustness] `stringify`: avoid relying on a global `undefined` (#427) +- [Fix] `stringify`: avoid encoding arrayformat comma when `encodeValuesOnly = true` (#424) +- [readme] remove travis badge; add github actions/codecov badges; update URLs +- [Tests] clean up stringify tests slightly +- [Docs] add note and links for coercing primitive values (#408) +- [meta] fix README.md (#399) +- [actions] backport actions from main +- [Dev Deps] backport updates from main +- [Refactor] `stringify`: reduce branching +- [meta] do not publish workflow files + +## **6.8.2** +- [Fix] proper comma parsing of URL-encoded commas (#361) +- [Fix] parses comma delimited array while having percent-encoded comma treated as normal text (#336) + +## **6.8.1** +- [Fix] `parse`: Fix parsing array from object with `comma` true (#359) +- [Fix] `parse`: throw a TypeError instead of an Error for bad charset (#349) +- [Fix] `parse`: with comma true, handle field that holds an array of arrays (#335) +- [fix] `parse`: with comma true, do not split non-string values (#334) +- [meta] add tidelift marketing copy +- [meta] add `funding` field +- [Dev Deps] update `eslint`, `@ljharb/eslint-config`, `tape`, `safe-publish-latest`, `evalmd`, `has-symbols`, `iconv-lite`, `mkdirp`, `object-inspect` +- [Tests] `parse`: add passing `arrayFormat` tests +- [Tests] use shared travis-ci configs +- [Tests] `Buffer.from` in node v5.0-v5.9 and v4.0-v4.4 requires a TypedArray +- [actions] add automatic rebasing / merge commit blocking + +## **6.8.0** +- [New] add `depth=false` to preserve the original key; [Fix] `depth=0` should preserve the original key (#326) +- [New] [Fix] stringify symbols and bigints +- [Fix] ensure node 0.12 can stringify Symbols +- [Fix] fix for an impossible situation: when the formatter is called with a non-string value +- [Refactor] `formats`: tiny bit of cleanup. +- [Dev Deps] update `eslint`, `@ljharb/eslint-config`, `browserify`, `safe-publish-latest`, `iconv-lite`, `tape` +- [Tests] add tests for `depth=0` and `depth=false` behavior, both current and intuitive/intended (#326) +- [Tests] use `eclint` instead of `editorconfig-tools` +- [docs] readme: add security note +- [meta] add github sponsorship +- [meta] add FUNDING.yml +- [meta] Clean up license text so it’s properly detected as BSD-3-Clause + +## **6.7.3** +- [Fix] `parse`: ignore `__proto__` keys (#428) +- [Fix] `stringify`: avoid encoding arrayformat comma when `encodeValuesOnly = true` (#424) +- [Robustness] `stringify`: avoid relying on a global `undefined` (#427) +- [readme] remove travis badge; add github actions/codecov badges; update URLs +- [Docs] add note and links for coercing primitive values (#408) +- [meta] fix README.md (#399) +- [meta] do not publish workflow files +- [actions] backport actions from main +- [Dev Deps] backport updates from main +- [Tests] use `nyc` for coverage +- [Tests] clean up stringify tests slightly + +## **6.7.2** +- [Fix] proper comma parsing of URL-encoded commas (#361) +- [Fix] parses comma delimited array while having percent-encoded comma treated as normal text (#336) + +## **6.7.1** +- [Fix] `parse`: Fix parsing array from object with `comma` true (#359) +- [Fix] `parse`: with comma true, handle field that holds an array of arrays (#335) +- [fix] `parse`: with comma true, do not split non-string values (#334) +- [Fix] `parse`: throw a TypeError instead of an Error for bad charset (#349) +- [Fix] fix for an impossible situation: when the formatter is called with a non-string value +- [Refactor] `formats`: tiny bit of cleanup. +- readme: add security note +- [meta] add tidelift marketing copy +- [meta] add `funding` field +- [meta] add FUNDING.yml +- [meta] Clean up license text so it’s properly detected as BSD-3-Clause +- [Dev Deps] update `eslint`, `@ljharb/eslint-config`, `tape`, `safe-publish-latest`, `evalmd`, `iconv-lite`, `mkdirp`, `object-inspect`, `browserify` +- [Tests] `parse`: add passing `arrayFormat` tests +- [Tests] use shared travis-ci configs +- [Tests] `Buffer.from` in node v5.0-v5.9 and v4.0-v4.4 requires a TypedArray +- [Tests] add tests for `depth=0` and `depth=false` behavior, both current and intuitive/intended +- [Tests] use `eclint` instead of `editorconfig-tools` +- [actions] add automatic rebasing / merge commit blocking + +## **6.7.0** +- [New] `stringify`/`parse`: add `comma` as an `arrayFormat` option (#276, #219) +- [Fix] correctly parse nested arrays (#212) +- [Fix] `utils.merge`: avoid a crash with a null target and a truthy non-array source, also with an array source +- [Robustness] `stringify`: cache `Object.prototype.hasOwnProperty` +- [Refactor] `utils`: `isBuffer`: small tweak; add tests +- [Refactor] use cached `Array.isArray` +- [Refactor] `parse`/`stringify`: make a function to normalize the options +- [Refactor] `utils`: reduce observable [[Get]]s +- [Refactor] `stringify`/`utils`: cache `Array.isArray` +- [Tests] always use `String(x)` over `x.toString()` +- [Tests] fix Buffer tests to work in node < 4.5 and node < 5.10 +- [Tests] temporarily allow coverage to fail + +## **6.6.1** +- [Fix] `parse`: ignore `__proto__` keys (#428) +- [Fix] fix for an impossible situation: when the formatter is called with a non-string value +- [Fix] `utils.merge`: avoid a crash with a null target and an array source +- [Fix] `utils.merge`: avoid a crash with a null target and a truthy non-array source +- [Fix] correctly parse nested arrays +- [Robustness] `stringify`: avoid relying on a global `undefined` (#427) +- [Robustness] `stringify`: cache `Object.prototype.hasOwnProperty` +- [Refactor] `formats`: tiny bit of cleanup. +- [Refactor] `utils`: `isBuffer`: small tweak; add tests +- [Refactor]: `stringify`/`utils`: cache `Array.isArray` +- [Refactor] `utils`: reduce observable [[Get]]s +- [Refactor] use cached `Array.isArray` +- [Refactor] `parse`/`stringify`: make a function to normalize the options +- [readme] remove travis badge; add github actions/codecov badges; update URLs +- [Docs] Clarify the need for "arrayLimit" option +- [meta] fix README.md (#399) +- [meta] do not publish workflow files +- [meta] Clean up license text so it’s properly detected as BSD-3-Clause +- [meta] add FUNDING.yml +- [meta] Fixes typo in CHANGELOG.md +- [actions] backport actions from main +- [Tests] fix Buffer tests to work in node < 4.5 and node < 5.10 +- [Tests] always use `String(x)` over `x.toString()` +- [Dev Deps] backport from main + +## **6.6.0** +- [New] Add support for iso-8859-1, utf8 "sentinel" and numeric entities (#268) +- [New] move two-value combine to a `utils` function (#189) +- [Fix] `stringify`: fix a crash with `strictNullHandling` and a custom `filter`/`serializeDate` (#279) +- [Fix] when `parseArrays` is false, properly handle keys ending in `[]` (#260) +- [Fix] `stringify`: do not crash in an obscure combo of `interpretNumericEntities`, a bad custom `decoder`, & `iso-8859-1` +- [Fix] `utils`: `merge`: fix crash when `source` is a truthy primitive & no options are provided +- [refactor] `stringify`: Avoid arr = arr.concat(...), push to the existing instance (#269) +- [Refactor] `parse`: only need to reassign the var once +- [Refactor] `parse`/`stringify`: clean up `charset` options checking; fix defaults +- [Refactor] add missing defaults +- [Refactor] `parse`: one less `concat` call +- [Refactor] `utils`: `compactQueue`: make it explicitly side-effecting +- [Dev Deps] update `browserify`, `eslint`, `@ljharb/eslint-config`, `iconv-lite`, `safe-publish-latest`, `tape` +- [Tests] up to `node` `v10.10`, `v9.11`, `v8.12`, `v6.14`, `v4.9`; pin included builds to LTS + +## **6.5.3** +- [Fix] `parse`: ignore `__proto__` keys (#428) +- [Fix]` `utils.merge`: avoid a crash with a null target and a truthy non-array source +- [Fix] correctly parse nested arrays +- [Fix] `stringify`: fix a crash with `strictNullHandling` and a custom `filter`/`serializeDate` (#279) +- [Fix] `utils`: `merge`: fix crash when `source` is a truthy primitive & no options are provided +- [Fix] when `parseArrays` is false, properly handle keys ending in `[]` +- [Fix] fix for an impossible situation: when the formatter is called with a non-string value +- [Fix] `utils.merge`: avoid a crash with a null target and an array source +- [Refactor] `utils`: reduce observable [[Get]]s +- [Refactor] use cached `Array.isArray` +- [Refactor] `stringify`: Avoid arr = arr.concat(...), push to the existing instance (#269) +- [Refactor] `parse`: only need to reassign the var once +- [Robustness] `stringify`: avoid relying on a global `undefined` (#427) +- [readme] remove travis badge; add github actions/codecov badges; update URLs +- [Docs] Clean up license text so it’s properly detected as BSD-3-Clause +- [Docs] Clarify the need for "arrayLimit" option +- [meta] fix README.md (#399) +- [meta] add FUNDING.yml +- [actions] backport actions from main +- [Tests] always use `String(x)` over `x.toString()` +- [Tests] remove nonexistent tape option +- [Dev Deps] backport from main + +## **6.5.2** +- [Fix] use `safer-buffer` instead of `Buffer` constructor +- [Refactor] utils: `module.exports` one thing, instead of mutating `exports` (#230) +- [Dev Deps] update `browserify`, `eslint`, `iconv-lite`, `safer-buffer`, `tape`, `browserify` + +## **6.5.1** +- [Fix] Fix parsing & compacting very deep objects (#224) +- [Refactor] name utils functions +- [Dev Deps] update `eslint`, `@ljharb/eslint-config`, `tape` +- [Tests] up to `node` `v8.4`; use `nvm install-latest-npm` so newer npm doesn’t break older node +- [Tests] Use precise dist for Node.js 0.6 runtime (#225) +- [Tests] make 0.6 required, now that it’s passing +- [Tests] on `node` `v8.2`; fix npm on node 0.6 + +## **6.5.0** +- [New] add `utils.assign` +- [New] pass default encoder/decoder to custom encoder/decoder functions (#206) +- [New] `parse`/`stringify`: add `ignoreQueryPrefix`/`addQueryPrefix` options, respectively (#213) +- [Fix] Handle stringifying empty objects with addQueryPrefix (#217) +- [Fix] do not mutate `options` argument (#207) +- [Refactor] `parse`: cache index to reuse in else statement (#182) +- [Docs] add various badges to readme (#208) +- [Dev Deps] update `eslint`, `browserify`, `iconv-lite`, `tape` +- [Tests] up to `node` `v8.1`, `v7.10`, `v6.11`; npm v4.6 breaks on node < v1; npm v5+ breaks on node < v4 +- [Tests] add `editorconfig-tools` + +## **6.4.1** +- [Fix] `parse`: ignore `__proto__` keys (#428) +- [Fix] fix for an impossible situation: when the formatter is called with a non-string value +- [Fix] use `safer-buffer` instead of `Buffer` constructor +- [Fix] `utils.merge`: avoid a crash with a null target and an array source +- [Fix]` `utils.merge`: avoid a crash with a null target and a truthy non-array source +- [Fix] `stringify`: fix a crash with `strictNullHandling` and a custom `filter`/`serializeDate` (#279) +- [Fix] `utils`: `merge`: fix crash when `source` is a truthy primitive & no options are provided +- [Fix] when `parseArrays` is false, properly handle keys ending in `[]` +- [Robustness] `stringify`: avoid relying on a global `undefined` (#427) +- [Refactor] use cached `Array.isArray` +- [Refactor] `stringify`: Avoid arr = arr.concat(...), push to the existing instance (#269) +- [readme] remove travis badge; add github actions/codecov badges; update URLs +- [Docs] Clarify the need for "arrayLimit" option +- [meta] fix README.md (#399) +- [meta] Clean up license text so it’s properly detected as BSD-3-Clause +- [meta] add FUNDING.yml +- [actions] backport actions from main +- [Tests] remove nonexistent tape option +- [Dev Deps] backport from main + +## **6.4.0** +- [New] `qs.stringify`: add `encodeValuesOnly` option +- [Fix] follow `allowPrototypes` option during merge (#201, #201) +- [Fix] support keys starting with brackets (#202, #200) +- [Fix] chmod a-x +- [Dev Deps] update `eslint` +- [Tests] up to `node` `v7.7`, `v6.10`,` v4.8`; disable osx builds since they block linux builds +- [eslint] reduce warnings + +## **6.3.3** +- [Fix] `parse`: ignore `__proto__` keys (#428) +- [Fix] fix for an impossible situation: when the formatter is called with a non-string value +- [Fix] `utils.merge`: avoid a crash with a null target and an array source +- [Fix]` `utils.merge`: avoid a crash with a null target and a truthy non-array source +- [Fix] `stringify`: fix a crash with `strictNullHandling` and a custom `filter`/`serializeDate` (#279) +- [Fix] `utils`: `merge`: fix crash when `source` is a truthy primitive & no options are provided +- [Fix] when `parseArrays` is false, properly handle keys ending in `[]` +- [Robustness] `stringify`: avoid relying on a global `undefined` (#427) +- [Refactor] use cached `Array.isArray` +- [Refactor] `stringify`: Avoid arr = arr.concat(...), push to the existing instance (#269) +- [Docs] Clarify the need for "arrayLimit" option +- [meta] fix README.md (#399) +- [meta] Clean up license text so it’s properly detected as BSD-3-Clause +- [meta] add FUNDING.yml +- [actions] backport actions from main +- [Tests] use `safer-buffer` instead of `Buffer` constructor +- [Tests] remove nonexistent tape option +- [Dev Deps] backport from main + +## **6.3.2** +- [Fix] follow `allowPrototypes` option during merge (#201, #200) +- [Dev Deps] update `eslint` +- [Fix] chmod a-x +- [Fix] support keys starting with brackets (#202, #200) +- [Tests] up to `node` `v7.7`, `v6.10`,` v4.8`; disable osx builds since they block linux builds + +## **6.3.1** +- [Fix] ensure that `allowPrototypes: false` does not ever shadow Object.prototype properties (thanks, @snyk!) +- [Dev Deps] update `eslint`, `@ljharb/eslint-config`, `browserify`, `iconv-lite`, `qs-iconv`, `tape` +- [Tests] on all node minors; improve test matrix +- [Docs] document stringify option `allowDots` (#195) +- [Docs] add empty object and array values example (#195) +- [Docs] Fix minor inconsistency/typo (#192) +- [Docs] document stringify option `sort` (#191) +- [Refactor] `stringify`: throw faster with an invalid encoder +- [Refactor] remove unnecessary escapes (#184) +- Remove contributing.md, since `qs` is no longer part of `hapi` (#183) + +## **6.3.0** +- [New] Add support for RFC 1738 (#174, #173) +- [New] `stringify`: Add `serializeDate` option to customize Date serialization (#159) +- [Fix] ensure `utils.merge` handles merging two arrays +- [Refactor] only constructors should be capitalized +- [Refactor] capitalized var names are for constructors only +- [Refactor] avoid using a sparse array +- [Robustness] `formats`: cache `String#replace` +- [Dev Deps] update `browserify`, `eslint`, `@ljharb/eslint-config`; add `safe-publish-latest` +- [Tests] up to `node` `v6.8`, `v4.6`; improve test matrix +- [Tests] flesh out arrayLimit/arrayFormat tests (#107) +- [Tests] skip Object.create tests when null objects are not available +- [Tests] Turn on eslint for test files (#175) + +## **6.2.4** +- [Fix] `parse`: ignore `__proto__` keys (#428) +- [Fix] `utils.merge`: avoid a crash with a null target and an array source +- [Fix] `utils.merge`: avoid a crash with a null target and a truthy non-array source +- [Fix] `utils`: `merge`: fix crash when `source` is a truthy primitive & no options are provided +- [Fix] when `parseArrays` is false, properly handle keys ending in `[]` +- [Robustness] `stringify`: avoid relying on a global `undefined` (#427) +- [Refactor] use cached `Array.isArray` +- [Docs] Clarify the need for "arrayLimit" option +- [meta] fix README.md (#399) +- [meta] Clean up license text so it’s properly detected as BSD-3-Clause +- [meta] add FUNDING.yml +- [actions] backport actions from main +- [Tests] use `safer-buffer` instead of `Buffer` constructor +- [Tests] remove nonexistent tape option +- [Dev Deps] backport from main + +## **6.2.3** +- [Fix] follow `allowPrototypes` option during merge (#201, #200) +- [Fix] chmod a-x +- [Fix] support keys starting with brackets (#202, #200) +- [Tests] up to `node` `v7.7`, `v6.10`,` v4.8`; disable osx builds since they block linux builds + +## **6.2.2** +- [Fix] ensure that `allowPrototypes: false` does not ever shadow Object.prototype properties + +## **6.2.1** +- [Fix] ensure `key[]=x&key[]&key[]=y` results in 3, not 2, values +- [Refactor] Be explicit and use `Object.prototype.hasOwnProperty.call` +- [Tests] remove `parallelshell` since it does not reliably report failures +- [Tests] up to `node` `v6.3`, `v5.12` +- [Dev Deps] update `tape`, `eslint`, `@ljharb/eslint-config`, `qs-iconv` + +## [**6.2.0**](https://github.com/ljharb/qs/issues?milestone=36&state=closed) +- [New] pass Buffers to the encoder/decoder directly (#161) +- [New] add "encoder" and "decoder" options, for custom param encoding/decoding (#160) +- [Fix] fix compacting of nested sparse arrays (#150) + +## **6.1.2 +- [Fix] follow `allowPrototypes` option during merge (#201, #200) +- [Fix] chmod a-x +- [Fix] support keys starting with brackets (#202, #200) +- [Tests] up to `node` `v7.7`, `v6.10`,` v4.8`; disable osx builds since they block linux builds + +## **6.1.1** +- [Fix] ensure that `allowPrototypes: false` does not ever shadow Object.prototype properties + +## [**6.1.0**](https://github.com/ljharb/qs/issues?milestone=35&state=closed) +- [New] allowDots option for `stringify` (#151) +- [Fix] "sort" option should work at a depth of 3 or more (#151) +- [Fix] Restore `dist` directory; will be removed in v7 (#148) + +## **6.0.4** +- [Fix] follow `allowPrototypes` option during merge (#201, #200) +- [Fix] chmod a-x +- [Fix] support keys starting with brackets (#202, #200) +- [Tests] up to `node` `v7.7`, `v6.10`,` v4.8`; disable osx builds since they block linux builds + +## **6.0.3** +- [Fix] ensure that `allowPrototypes: false` does not ever shadow Object.prototype properties +- [Fix] Restore `dist` directory; will be removed in v7 (#148) + +## [**6.0.2**](https://github.com/ljharb/qs/issues?milestone=33&state=closed) +- Revert ES6 requirement and restore support for node down to v0.8. + +## [**6.0.1**](https://github.com/ljharb/qs/issues?milestone=32&state=closed) +- [**#127**](https://github.com/ljharb/qs/pull/127) Fix engines definition in package.json + +## [**6.0.0**](https://github.com/ljharb/qs/issues?milestone=31&state=closed) +- [**#124**](https://github.com/ljharb/qs/issues/124) Use ES6 and drop support for node < v4 + +## **5.2.1** +- [Fix] ensure `key[]=x&key[]&key[]=y` results in 3, not 2, values + +## [**5.2.0**](https://github.com/ljharb/qs/issues?milestone=30&state=closed) +- [**#64**](https://github.com/ljharb/qs/issues/64) Add option to sort object keys in the query string + +## [**5.1.0**](https://github.com/ljharb/qs/issues?milestone=29&state=closed) +- [**#117**](https://github.com/ljharb/qs/issues/117) make URI encoding stringified results optional +- [**#106**](https://github.com/ljharb/qs/issues/106) Add flag `skipNulls` to optionally skip null values in stringify + +## [**5.0.0**](https://github.com/ljharb/qs/issues?milestone=28&state=closed) +- [**#114**](https://github.com/ljharb/qs/issues/114) default allowDots to false +- [**#100**](https://github.com/ljharb/qs/issues/100) include dist to npm + +## [**4.0.0**](https://github.com/ljharb/qs/issues?milestone=26&state=closed) +- [**#98**](https://github.com/ljharb/qs/issues/98) make returning plain objects and allowing prototype overwriting properties optional + +## [**3.1.0**](https://github.com/ljharb/qs/issues?milestone=24&state=closed) +- [**#89**](https://github.com/ljharb/qs/issues/89) Add option to disable "Transform dot notation to bracket notation" + +## [**3.0.0**](https://github.com/ljharb/qs/issues?milestone=23&state=closed) +- [**#80**](https://github.com/ljharb/qs/issues/80) qs.parse silently drops properties +- [**#77**](https://github.com/ljharb/qs/issues/77) Perf boost +- [**#60**](https://github.com/ljharb/qs/issues/60) Add explicit option to disable array parsing +- [**#74**](https://github.com/ljharb/qs/issues/74) Bad parse when turning array into object +- [**#81**](https://github.com/ljharb/qs/issues/81) Add a `filter` option +- [**#68**](https://github.com/ljharb/qs/issues/68) Fixed issue with recursion and passing strings into objects. +- [**#66**](https://github.com/ljharb/qs/issues/66) Add mixed array and object dot notation support Closes: #47 +- [**#76**](https://github.com/ljharb/qs/issues/76) RFC 3986 +- [**#85**](https://github.com/ljharb/qs/issues/85) No equal sign +- [**#84**](https://github.com/ljharb/qs/issues/84) update license attribute + +## [**2.4.1**](https://github.com/ljharb/qs/issues?milestone=20&state=closed) +- [**#73**](https://github.com/ljharb/qs/issues/73) Property 'hasOwnProperty' of object # is not a function + +## [**2.4.0**](https://github.com/ljharb/qs/issues?milestone=19&state=closed) +- [**#70**](https://github.com/ljharb/qs/issues/70) Add arrayFormat option + +## [**2.3.3**](https://github.com/ljharb/qs/issues?milestone=18&state=closed) +- [**#59**](https://github.com/ljharb/qs/issues/59) make sure array indexes are >= 0, closes #57 +- [**#58**](https://github.com/ljharb/qs/issues/58) make qs usable for browser loader + +## [**2.3.2**](https://github.com/ljharb/qs/issues?milestone=17&state=closed) +- [**#55**](https://github.com/ljharb/qs/issues/55) allow merging a string into an object + +## [**2.3.1**](https://github.com/ljharb/qs/issues?milestone=16&state=closed) +- [**#52**](https://github.com/ljharb/qs/issues/52) Return "undefined" and "false" instead of throwing "TypeError". + +## [**2.3.0**](https://github.com/ljharb/qs/issues?milestone=15&state=closed) +- [**#50**](https://github.com/ljharb/qs/issues/50) add option to omit array indices, closes #46 + +## [**2.2.5**](https://github.com/ljharb/qs/issues?milestone=14&state=closed) +- [**#39**](https://github.com/ljharb/qs/issues/39) Is there an alternative to Buffer.isBuffer? +- [**#49**](https://github.com/ljharb/qs/issues/49) refactor utils.merge, fixes #45 +- [**#41**](https://github.com/ljharb/qs/issues/41) avoid browserifying Buffer, for #39 + +## [**2.2.4**](https://github.com/ljharb/qs/issues?milestone=13&state=closed) +- [**#38**](https://github.com/ljharb/qs/issues/38) how to handle object keys beginning with a number + +## [**2.2.3**](https://github.com/ljharb/qs/issues?milestone=12&state=closed) +- [**#37**](https://github.com/ljharb/qs/issues/37) parser discards first empty value in array +- [**#36**](https://github.com/ljharb/qs/issues/36) Update to lab 4.x + +## [**2.2.2**](https://github.com/ljharb/qs/issues?milestone=11&state=closed) +- [**#33**](https://github.com/ljharb/qs/issues/33) Error when plain object in a value +- [**#34**](https://github.com/ljharb/qs/issues/34) use Object.prototype.hasOwnProperty.call instead of obj.hasOwnProperty +- [**#24**](https://github.com/ljharb/qs/issues/24) Changelog? Semver? + +## [**2.2.1**](https://github.com/ljharb/qs/issues?milestone=10&state=closed) +- [**#32**](https://github.com/ljharb/qs/issues/32) account for circular references properly, closes #31 +- [**#31**](https://github.com/ljharb/qs/issues/31) qs.parse stackoverflow on circular objects + +## [**2.2.0**](https://github.com/ljharb/qs/issues?milestone=9&state=closed) +- [**#26**](https://github.com/ljharb/qs/issues/26) Don't use Buffer global if it's not present +- [**#30**](https://github.com/ljharb/qs/issues/30) Bug when merging non-object values into arrays +- [**#29**](https://github.com/ljharb/qs/issues/29) Don't call Utils.clone at the top of Utils.merge +- [**#23**](https://github.com/ljharb/qs/issues/23) Ability to not limit parameters? + +## [**2.1.0**](https://github.com/ljharb/qs/issues?milestone=8&state=closed) +- [**#22**](https://github.com/ljharb/qs/issues/22) Enable using a RegExp as delimiter + +## [**2.0.0**](https://github.com/ljharb/qs/issues?milestone=7&state=closed) +- [**#18**](https://github.com/ljharb/qs/issues/18) Why is there arrayLimit? +- [**#20**](https://github.com/ljharb/qs/issues/20) Configurable parametersLimit +- [**#21**](https://github.com/ljharb/qs/issues/21) make all limits optional, for #18, for #20 + +## [**1.2.2**](https://github.com/ljharb/qs/issues?milestone=6&state=closed) +- [**#19**](https://github.com/ljharb/qs/issues/19) Don't overwrite null values + +## [**1.2.1**](https://github.com/ljharb/qs/issues?milestone=5&state=closed) +- [**#16**](https://github.com/ljharb/qs/issues/16) ignore non-string delimiters +- [**#15**](https://github.com/ljharb/qs/issues/15) Close code block + +## [**1.2.0**](https://github.com/ljharb/qs/issues?milestone=4&state=closed) +- [**#12**](https://github.com/ljharb/qs/issues/12) Add optional delim argument +- [**#13**](https://github.com/ljharb/qs/issues/13) fix #11: flattened keys in array are now correctly parsed + +## [**1.1.0**](https://github.com/ljharb/qs/issues?milestone=3&state=closed) +- [**#7**](https://github.com/ljharb/qs/issues/7) Empty values of a POST array disappear after being submitted +- [**#9**](https://github.com/ljharb/qs/issues/9) Should not omit equals signs (=) when value is null +- [**#6**](https://github.com/ljharb/qs/issues/6) Minor grammar fix in README + +## [**1.0.2**](https://github.com/ljharb/qs/issues?milestone=2&state=closed) +- [**#5**](https://github.com/ljharb/qs/issues/5) array holes incorrectly copied into object on large index diff --git a/node_modules/qs/LICENSE.md b/node_modules/body-parser/node_modules/qs/LICENSE.md similarity index 100% rename from node_modules/qs/LICENSE.md rename to node_modules/body-parser/node_modules/qs/LICENSE.md diff --git a/node_modules/body-parser/node_modules/qs/README.md b/node_modules/body-parser/node_modules/qs/README.md new file mode 100644 index 0000000..11be853 --- /dev/null +++ b/node_modules/body-parser/node_modules/qs/README.md @@ -0,0 +1,625 @@ +# qs [![Version Badge][npm-version-svg]][package-url] + +[![github actions][actions-image]][actions-url] +[![coverage][codecov-image]][codecov-url] +[![dependency status][deps-svg]][deps-url] +[![dev dependency status][dev-deps-svg]][dev-deps-url] +[![License][license-image]][license-url] +[![Downloads][downloads-image]][downloads-url] + +[![npm badge][npm-badge-png]][package-url] + +A querystring parsing and stringifying library with some added security. + +Lead Maintainer: [Jordan Harband](https://github.com/ljharb) + +The **qs** module was originally created and maintained by [TJ Holowaychuk](https://github.com/visionmedia/node-querystring). + +## Usage + +```javascript +var qs = require('qs'); +var assert = require('assert'); + +var obj = qs.parse('a=c'); +assert.deepEqual(obj, { a: 'c' }); + +var str = qs.stringify(obj); +assert.equal(str, 'a=c'); +``` + +### Parsing Objects + +[](#preventEval) +```javascript +qs.parse(string, [options]); +``` + +**qs** allows you to create nested objects within your query strings, by surrounding the name of sub-keys with square brackets `[]`. +For example, the string `'foo[bar]=baz'` converts to: + +```javascript +assert.deepEqual(qs.parse('foo[bar]=baz'), { + foo: { + bar: 'baz' + } +}); +``` + +When using the `plainObjects` option the parsed value is returned as a null object, created via `Object.create(null)` and as such you should be aware that prototype methods will not exist on it and a user may set those names to whatever value they like: + +```javascript +var nullObject = qs.parse('a[hasOwnProperty]=b', { plainObjects: true }); +assert.deepEqual(nullObject, { a: { hasOwnProperty: 'b' } }); +``` + +By default parameters that would overwrite properties on the object prototype are ignored, if you wish to keep the data from those fields either use `plainObjects` as mentioned above, or set `allowPrototypes` to `true` which will allow user input to overwrite those properties. *WARNING* It is generally a bad idea to enable this option as it can cause problems when attempting to use the properties that have been overwritten. Always be careful with this option. + +```javascript +var protoObject = qs.parse('a[hasOwnProperty]=b', { allowPrototypes: true }); +assert.deepEqual(protoObject, { a: { hasOwnProperty: 'b' } }); +``` + +URI encoded strings work too: + +```javascript +assert.deepEqual(qs.parse('a%5Bb%5D=c'), { + a: { b: 'c' } +}); +``` + +You can also nest your objects, like `'foo[bar][baz]=foobarbaz'`: + +```javascript +assert.deepEqual(qs.parse('foo[bar][baz]=foobarbaz'), { + foo: { + bar: { + baz: 'foobarbaz' + } + } +}); +``` + +By default, when nesting objects **qs** will only parse up to 5 children deep. This means if you attempt to parse a string like +`'a[b][c][d][e][f][g][h][i]=j'` your resulting object will be: + +```javascript +var expected = { + a: { + b: { + c: { + d: { + e: { + f: { + '[g][h][i]': 'j' + } + } + } + } + } + } +}; +var string = 'a[b][c][d][e][f][g][h][i]=j'; +assert.deepEqual(qs.parse(string), expected); +``` + +This depth can be overridden by passing a `depth` option to `qs.parse(string, [options])`: + +```javascript +var deep = qs.parse('a[b][c][d][e][f][g][h][i]=j', { depth: 1 }); +assert.deepEqual(deep, { a: { b: { '[c][d][e][f][g][h][i]': 'j' } } }); +``` + +The depth limit helps mitigate abuse when **qs** is used to parse user input, and it is recommended to keep it a reasonably small number. + +For similar reasons, by default **qs** will only parse up to 1000 parameters. This can be overridden by passing a `parameterLimit` option: + +```javascript +var limited = qs.parse('a=b&c=d', { parameterLimit: 1 }); +assert.deepEqual(limited, { a: 'b' }); +``` + +To bypass the leading question mark, use `ignoreQueryPrefix`: + +```javascript +var prefixed = qs.parse('?a=b&c=d', { ignoreQueryPrefix: true }); +assert.deepEqual(prefixed, { a: 'b', c: 'd' }); +``` + +An optional delimiter can also be passed: + +```javascript +var delimited = qs.parse('a=b;c=d', { delimiter: ';' }); +assert.deepEqual(delimited, { a: 'b', c: 'd' }); +``` + +Delimiters can be a regular expression too: + +```javascript +var regexed = qs.parse('a=b;c=d,e=f', { delimiter: /[;,]/ }); +assert.deepEqual(regexed, { a: 'b', c: 'd', e: 'f' }); +``` + +Option `allowDots` can be used to enable dot notation: + +```javascript +var withDots = qs.parse('a.b=c', { allowDots: true }); +assert.deepEqual(withDots, { a: { b: 'c' } }); +``` + +If you have to deal with legacy browsers or services, there's +also support for decoding percent-encoded octets as iso-8859-1: + +```javascript +var oldCharset = qs.parse('a=%A7', { charset: 'iso-8859-1' }); +assert.deepEqual(oldCharset, { a: '§' }); +``` + +Some services add an initial `utf8=✓` value to forms so that old +Internet Explorer versions are more likely to submit the form as +utf-8. Additionally, the server can check the value against wrong +encodings of the checkmark character and detect that a query string +or `application/x-www-form-urlencoded` body was *not* sent as +utf-8, eg. if the form had an `accept-charset` parameter or the +containing page had a different character set. + +**qs** supports this mechanism via the `charsetSentinel` option. +If specified, the `utf8` parameter will be omitted from the +returned object. It will be used to switch to `iso-8859-1`/`utf-8` +mode depending on how the checkmark is encoded. + +**Important**: When you specify both the `charset` option and the +`charsetSentinel` option, the `charset` will be overridden when +the request contains a `utf8` parameter from which the actual +charset can be deduced. In that sense the `charset` will behave +as the default charset rather than the authoritative charset. + +```javascript +var detectedAsUtf8 = qs.parse('utf8=%E2%9C%93&a=%C3%B8', { + charset: 'iso-8859-1', + charsetSentinel: true +}); +assert.deepEqual(detectedAsUtf8, { a: 'ø' }); + +// Browsers encode the checkmark as ✓ when submitting as iso-8859-1: +var detectedAsIso8859_1 = qs.parse('utf8=%26%2310003%3B&a=%F8', { + charset: 'utf-8', + charsetSentinel: true +}); +assert.deepEqual(detectedAsIso8859_1, { a: 'ø' }); +``` + +If you want to decode the `&#...;` syntax to the actual character, +you can specify the `interpretNumericEntities` option as well: + +```javascript +var detectedAsIso8859_1 = qs.parse('a=%26%239786%3B', { + charset: 'iso-8859-1', + interpretNumericEntities: true +}); +assert.deepEqual(detectedAsIso8859_1, { a: '☺' }); +``` + +It also works when the charset has been detected in `charsetSentinel` +mode. + +### Parsing Arrays + +**qs** can also parse arrays using a similar `[]` notation: + +```javascript +var withArray = qs.parse('a[]=b&a[]=c'); +assert.deepEqual(withArray, { a: ['b', 'c'] }); +``` + +You may specify an index as well: + +```javascript +var withIndexes = qs.parse('a[1]=c&a[0]=b'); +assert.deepEqual(withIndexes, { a: ['b', 'c'] }); +``` + +Note that the only difference between an index in an array and a key in an object is that the value between the brackets must be a number +to create an array. When creating arrays with specific indices, **qs** will compact a sparse array to only the existing values preserving +their order: + +```javascript +var noSparse = qs.parse('a[1]=b&a[15]=c'); +assert.deepEqual(noSparse, { a: ['b', 'c'] }); +``` + +You may also use `allowSparse` option to parse sparse arrays: + +```javascript +var sparseArray = qs.parse('a[1]=2&a[3]=5', { allowSparse: true }); +assert.deepEqual(sparseArray, { a: [, '2', , '5'] }); +``` + +Note that an empty string is also a value, and will be preserved: + +```javascript +var withEmptyString = qs.parse('a[]=&a[]=b'); +assert.deepEqual(withEmptyString, { a: ['', 'b'] }); + +var withIndexedEmptyString = qs.parse('a[0]=b&a[1]=&a[2]=c'); +assert.deepEqual(withIndexedEmptyString, { a: ['b', '', 'c'] }); +``` + +**qs** will also limit specifying indices in an array to a maximum index of `20`. Any array members with an index of greater than `20` will +instead be converted to an object with the index as the key. This is needed to handle cases when someone sent, for example, `a[999999999]` and it will take significant time to iterate over this huge array. + +```javascript +var withMaxIndex = qs.parse('a[100]=b'); +assert.deepEqual(withMaxIndex, { a: { '100': 'b' } }); +``` + +This limit can be overridden by passing an `arrayLimit` option: + +```javascript +var withArrayLimit = qs.parse('a[1]=b', { arrayLimit: 0 }); +assert.deepEqual(withArrayLimit, { a: { '1': 'b' } }); +``` + +To disable array parsing entirely, set `parseArrays` to `false`. + +```javascript +var noParsingArrays = qs.parse('a[]=b', { parseArrays: false }); +assert.deepEqual(noParsingArrays, { a: { '0': 'b' } }); +``` + +If you mix notations, **qs** will merge the two items into an object: + +```javascript +var mixedNotation = qs.parse('a[0]=b&a[b]=c'); +assert.deepEqual(mixedNotation, { a: { '0': 'b', b: 'c' } }); +``` + +You can also create arrays of objects: + +```javascript +var arraysOfObjects = qs.parse('a[][b]=c'); +assert.deepEqual(arraysOfObjects, { a: [{ b: 'c' }] }); +``` + +Some people use comma to join array, **qs** can parse it: +```javascript +var arraysOfObjects = qs.parse('a=b,c', { comma: true }) +assert.deepEqual(arraysOfObjects, { a: ['b', 'c'] }) +``` +(_this cannot convert nested objects, such as `a={b:1},{c:d}`_) + +### Parsing primitive/scalar values (numbers, booleans, null, etc) + +By default, all values are parsed as strings. This behavior will not change and is explained in [issue #91](https://github.com/ljharb/qs/issues/91). + +```javascript +var primitiveValues = qs.parse('a=15&b=true&c=null'); +assert.deepEqual(primitiveValues, { a: '15', b: 'true', c: 'null' }); +``` + +If you wish to auto-convert values which look like numbers, booleans, and other values into their primitive counterparts, you can use the [query-types Express JS middleware](https://github.com/xpepermint/query-types) which will auto-convert all request query parameters. + +### Stringifying + +[](#preventEval) +```javascript +qs.stringify(object, [options]); +``` + +When stringifying, **qs** by default URI encodes output. Objects are stringified as you would expect: + +```javascript +assert.equal(qs.stringify({ a: 'b' }), 'a=b'); +assert.equal(qs.stringify({ a: { b: 'c' } }), 'a%5Bb%5D=c'); +``` + +This encoding can be disabled by setting the `encode` option to `false`: + +```javascript +var unencoded = qs.stringify({ a: { b: 'c' } }, { encode: false }); +assert.equal(unencoded, 'a[b]=c'); +``` + +Encoding can be disabled for keys by setting the `encodeValuesOnly` option to `true`: +```javascript +var encodedValues = qs.stringify( + { a: 'b', c: ['d', 'e=f'], f: [['g'], ['h']] }, + { encodeValuesOnly: true } +); +assert.equal(encodedValues,'a=b&c[0]=d&c[1]=e%3Df&f[0][0]=g&f[1][0]=h'); +``` + +This encoding can also be replaced by a custom encoding method set as `encoder` option: + +```javascript +var encoded = qs.stringify({ a: { b: 'c' } }, { encoder: function (str) { + // Passed in values `a`, `b`, `c` + return // Return encoded string +}}) +``` + +_(Note: the `encoder` option does not apply if `encode` is `false`)_ + +Analogue to the `encoder` there is a `decoder` option for `parse` to override decoding of properties and values: + +```javascript +var decoded = qs.parse('x=z', { decoder: function (str) { + // Passed in values `x`, `z` + return // Return decoded string +}}) +``` + +You can encode keys and values using different logic by using the type argument provided to the encoder: + +```javascript +var encoded = qs.stringify({ a: { b: 'c' } }, { encoder: function (str, defaultEncoder, charset, type) { + if (type === 'key') { + return // Encoded key + } else if (type === 'value') { + return // Encoded value + } +}}) +``` + +The type argument is also provided to the decoder: + +```javascript +var decoded = qs.parse('x=z', { decoder: function (str, defaultDecoder, charset, type) { + if (type === 'key') { + return // Decoded key + } else if (type === 'value') { + return // Decoded value + } +}}) +``` + +Examples beyond this point will be shown as though the output is not URI encoded for clarity. Please note that the return values in these cases *will* be URI encoded during real usage. + +When arrays are stringified, by default they are given explicit indices: + +```javascript +qs.stringify({ a: ['b', 'c', 'd'] }); +// 'a[0]=b&a[1]=c&a[2]=d' +``` + +You may override this by setting the `indices` option to `false`: + +```javascript +qs.stringify({ a: ['b', 'c', 'd'] }, { indices: false }); +// 'a=b&a=c&a=d' +``` + +You may use the `arrayFormat` option to specify the format of the output array: + +```javascript +qs.stringify({ a: ['b', 'c'] }, { arrayFormat: 'indices' }) +// 'a[0]=b&a[1]=c' +qs.stringify({ a: ['b', 'c'] }, { arrayFormat: 'brackets' }) +// 'a[]=b&a[]=c' +qs.stringify({ a: ['b', 'c'] }, { arrayFormat: 'repeat' }) +// 'a=b&a=c' +qs.stringify({ a: ['b', 'c'] }, { arrayFormat: 'comma' }) +// 'a=b,c' +``` + +Note: when using `arrayFormat` set to `'comma'`, you can also pass the `commaRoundTrip` option set to `true` or `false`, to append `[]` on single-item arrays, so that they can round trip through a parse. + +When objects are stringified, by default they use bracket notation: + +```javascript +qs.stringify({ a: { b: { c: 'd', e: 'f' } } }); +// 'a[b][c]=d&a[b][e]=f' +``` + +You may override this to use dot notation by setting the `allowDots` option to `true`: + +```javascript +qs.stringify({ a: { b: { c: 'd', e: 'f' } } }, { allowDots: true }); +// 'a.b.c=d&a.b.e=f' +``` + +Empty strings and null values will omit the value, but the equals sign (=) remains in place: + +```javascript +assert.equal(qs.stringify({ a: '' }), 'a='); +``` + +Key with no values (such as an empty object or array) will return nothing: + +```javascript +assert.equal(qs.stringify({ a: [] }), ''); +assert.equal(qs.stringify({ a: {} }), ''); +assert.equal(qs.stringify({ a: [{}] }), ''); +assert.equal(qs.stringify({ a: { b: []} }), ''); +assert.equal(qs.stringify({ a: { b: {}} }), ''); +``` + +Properties that are set to `undefined` will be omitted entirely: + +```javascript +assert.equal(qs.stringify({ a: null, b: undefined }), 'a='); +``` + +The query string may optionally be prepended with a question mark: + +```javascript +assert.equal(qs.stringify({ a: 'b', c: 'd' }, { addQueryPrefix: true }), '?a=b&c=d'); +``` + +The delimiter may be overridden with stringify as well: + +```javascript +assert.equal(qs.stringify({ a: 'b', c: 'd' }, { delimiter: ';' }), 'a=b;c=d'); +``` + +If you only want to override the serialization of `Date` objects, you can provide a `serializeDate` option: + +```javascript +var date = new Date(7); +assert.equal(qs.stringify({ a: date }), 'a=1970-01-01T00:00:00.007Z'.replace(/:/g, '%3A')); +assert.equal( + qs.stringify({ a: date }, { serializeDate: function (d) { return d.getTime(); } }), + 'a=7' +); +``` + +You may use the `sort` option to affect the order of parameter keys: + +```javascript +function alphabeticalSort(a, b) { + return a.localeCompare(b); +} +assert.equal(qs.stringify({ a: 'c', z: 'y', b : 'f' }, { sort: alphabeticalSort }), 'a=c&b=f&z=y'); +``` + +Finally, you can use the `filter` option to restrict which keys will be included in the stringified output. +If you pass a function, it will be called for each key to obtain the replacement value. Otherwise, if you +pass an array, it will be used to select properties and array indices for stringification: + +```javascript +function filterFunc(prefix, value) { + if (prefix == 'b') { + // Return an `undefined` value to omit a property. + return; + } + if (prefix == 'e[f]') { + return value.getTime(); + } + if (prefix == 'e[g][0]') { + return value * 2; + } + return value; +} +qs.stringify({ a: 'b', c: 'd', e: { f: new Date(123), g: [2] } }, { filter: filterFunc }); +// 'a=b&c=d&e[f]=123&e[g][0]=4' +qs.stringify({ a: 'b', c: 'd', e: 'f' }, { filter: ['a', 'e'] }); +// 'a=b&e=f' +qs.stringify({ a: ['b', 'c', 'd'], e: 'f' }, { filter: ['a', 0, 2] }); +// 'a[0]=b&a[2]=d' +``` + +### Handling of `null` values + +By default, `null` values are treated like empty strings: + +```javascript +var withNull = qs.stringify({ a: null, b: '' }); +assert.equal(withNull, 'a=&b='); +``` + +Parsing does not distinguish between parameters with and without equal signs. Both are converted to empty strings. + +```javascript +var equalsInsensitive = qs.parse('a&b='); +assert.deepEqual(equalsInsensitive, { a: '', b: '' }); +``` + +To distinguish between `null` values and empty strings use the `strictNullHandling` flag. In the result string the `null` +values have no `=` sign: + +```javascript +var strictNull = qs.stringify({ a: null, b: '' }, { strictNullHandling: true }); +assert.equal(strictNull, 'a&b='); +``` + +To parse values without `=` back to `null` use the `strictNullHandling` flag: + +```javascript +var parsedStrictNull = qs.parse('a&b=', { strictNullHandling: true }); +assert.deepEqual(parsedStrictNull, { a: null, b: '' }); +``` + +To completely skip rendering keys with `null` values, use the `skipNulls` flag: + +```javascript +var nullsSkipped = qs.stringify({ a: 'b', c: null}, { skipNulls: true }); +assert.equal(nullsSkipped, 'a=b'); +``` + +If you're communicating with legacy systems, you can switch to `iso-8859-1` +using the `charset` option: + +```javascript +var iso = qs.stringify({ æ: 'æ' }, { charset: 'iso-8859-1' }); +assert.equal(iso, '%E6=%E6'); +``` + +Characters that don't exist in `iso-8859-1` will be converted to numeric +entities, similar to what browsers do: + +```javascript +var numeric = qs.stringify({ a: '☺' }, { charset: 'iso-8859-1' }); +assert.equal(numeric, 'a=%26%239786%3B'); +``` + +You can use the `charsetSentinel` option to announce the character by +including an `utf8=✓` parameter with the proper encoding if the checkmark, +similar to what Ruby on Rails and others do when submitting forms. + +```javascript +var sentinel = qs.stringify({ a: '☺' }, { charsetSentinel: true }); +assert.equal(sentinel, 'utf8=%E2%9C%93&a=%E2%98%BA'); + +var isoSentinel = qs.stringify({ a: 'æ' }, { charsetSentinel: true, charset: 'iso-8859-1' }); +assert.equal(isoSentinel, 'utf8=%26%2310003%3B&a=%E6'); +``` + +### Dealing with special character sets + +By default the encoding and decoding of characters is done in `utf-8`, +and `iso-8859-1` support is also built in via the `charset` parameter. + +If you wish to encode querystrings to a different character set (i.e. +[Shift JIS](https://en.wikipedia.org/wiki/Shift_JIS)) you can use the +[`qs-iconv`](https://github.com/martinheidegger/qs-iconv) library: + +```javascript +var encoder = require('qs-iconv/encoder')('shift_jis'); +var shiftJISEncoded = qs.stringify({ a: 'こんにちは!' }, { encoder: encoder }); +assert.equal(shiftJISEncoded, 'a=%82%B1%82%F1%82%C9%82%BF%82%CD%81I'); +``` + +This also works for decoding of query strings: + +```javascript +var decoder = require('qs-iconv/decoder')('shift_jis'); +var obj = qs.parse('a=%82%B1%82%F1%82%C9%82%BF%82%CD%81I', { decoder: decoder }); +assert.deepEqual(obj, { a: 'こんにちは!' }); +``` + +### RFC 3986 and RFC 1738 space encoding + +RFC3986 used as default option and encodes ' ' to *%20* which is backward compatible. +In the same time, output can be stringified as per RFC1738 with ' ' equal to '+'. + +``` +assert.equal(qs.stringify({ a: 'b c' }), 'a=b%20c'); +assert.equal(qs.stringify({ a: 'b c' }, { format : 'RFC3986' }), 'a=b%20c'); +assert.equal(qs.stringify({ a: 'b c' }, { format : 'RFC1738' }), 'a=b+c'); +``` + +## Security + +Please email [@ljharb](https://github.com/ljharb) or see https://tidelift.com/security if you have a potential security vulnerability to report. + +## qs for enterprise + +Available as part of the Tidelift Subscription + +The maintainers of qs and thousands of other packages are working with Tidelift to deliver commercial support and maintenance for the open source dependencies you use to build your applications. Save time, reduce risk, and improve code health, while paying the maintainers of the exact dependencies you use. [Learn more.](https://tidelift.com/subscription/pkg/npm-qs?utm_source=npm-qs&utm_medium=referral&utm_campaign=enterprise&utm_term=repo) + +[package-url]: https://npmjs.org/package/qs +[npm-version-svg]: https://versionbadg.es/ljharb/qs.svg +[deps-svg]: https://david-dm.org/ljharb/qs.svg +[deps-url]: https://david-dm.org/ljharb/qs +[dev-deps-svg]: https://david-dm.org/ljharb/qs/dev-status.svg +[dev-deps-url]: https://david-dm.org/ljharb/qs#info=devDependencies +[npm-badge-png]: https://nodei.co/npm/qs.png?downloads=true&stars=true +[license-image]: https://img.shields.io/npm/l/qs.svg +[license-url]: LICENSE +[downloads-image]: https://img.shields.io/npm/dm/qs.svg +[downloads-url]: https://npm-stat.com/charts.html?package=qs +[codecov-image]: https://codecov.io/gh/ljharb/qs/branch/main/graphs/badge.svg +[codecov-url]: https://app.codecov.io/gh/ljharb/qs/ +[actions-image]: https://img.shields.io/endpoint?url=https://github-actions-badge-u3jn4tfpocch.runkit.sh/ljharb/qs +[actions-url]: https://github.com/ljharb/qs/actions diff --git a/node_modules/body-parser/node_modules/qs/dist/qs.js b/node_modules/body-parser/node_modules/qs/dist/qs.js new file mode 100644 index 0000000..1c620a4 --- /dev/null +++ b/node_modules/body-parser/node_modules/qs/dist/qs.js @@ -0,0 +1,2054 @@ +(function(f){if(typeof exports==="object"&&typeof module!=="undefined"){module.exports=f()}else if(typeof define==="function"&&define.amd){define([],f)}else{var g;if(typeof window!=="undefined"){g=window}else if(typeof global!=="undefined"){g=global}else if(typeof self!=="undefined"){g=self}else{g=this}g.Qs = f()}})(function(){var define,module,exports;return (function(){function r(e,n,t){function o(i,f){if(!n[i]){if(!e[i]){var c="function"==typeof require&&require;if(!f&&c)return c(i,!0);if(u)return u(i,!0);var a=new Error("Cannot find module '"+i+"'");throw a.code="MODULE_NOT_FOUND",a}var p=n[i]={exports:{}};e[i][0].call(p.exports,function(r){var n=e[i][1][r];return o(n||r)},p,p.exports,r,e,n,t)}return n[i].exports}for(var u="function"==typeof require&&require,i=0;i -1) { + return val.split(','); + } + + return val; +}; + +// This is what browsers will submit when the ✓ character occurs in an +// application/x-www-form-urlencoded body and the encoding of the page containing +// the form is iso-8859-1, or when the submitted form has an accept-charset +// attribute of iso-8859-1. Presumably also with other charsets that do not contain +// the ✓ character, such as us-ascii. +var isoSentinel = 'utf8=%26%2310003%3B'; // encodeURIComponent('✓') + +// These are the percent-encoded utf-8 octets representing a checkmark, indicating that the request actually is utf-8 encoded. +var charsetSentinel = 'utf8=%E2%9C%93'; // encodeURIComponent('✓') + +var parseValues = function parseQueryStringValues(str, options) { + var obj = {}; + var cleanStr = options.ignoreQueryPrefix ? str.replace(/^\?/, '') : str; + var limit = options.parameterLimit === Infinity ? undefined : options.parameterLimit; + var parts = cleanStr.split(options.delimiter, limit); + var skipIndex = -1; // Keep track of where the utf8 sentinel was found + var i; + + var charset = options.charset; + if (options.charsetSentinel) { + for (i = 0; i < parts.length; ++i) { + if (parts[i].indexOf('utf8=') === 0) { + if (parts[i] === charsetSentinel) { + charset = 'utf-8'; + } else if (parts[i] === isoSentinel) { + charset = 'iso-8859-1'; + } + skipIndex = i; + i = parts.length; // The eslint settings do not allow break; + } + } + } + + for (i = 0; i < parts.length; ++i) { + if (i === skipIndex) { + continue; + } + var part = parts[i]; + + var bracketEqualsPos = part.indexOf(']='); + var pos = bracketEqualsPos === -1 ? part.indexOf('=') : bracketEqualsPos + 1; + + var key, val; + if (pos === -1) { + key = options.decoder(part, defaults.decoder, charset, 'key'); + val = options.strictNullHandling ? null : ''; + } else { + key = options.decoder(part.slice(0, pos), defaults.decoder, charset, 'key'); + val = utils.maybeMap( + parseArrayValue(part.slice(pos + 1), options), + function (encodedVal) { + return options.decoder(encodedVal, defaults.decoder, charset, 'value'); + } + ); + } + + if (val && options.interpretNumericEntities && charset === 'iso-8859-1') { + val = interpretNumericEntities(val); + } + + if (part.indexOf('[]=') > -1) { + val = isArray(val) ? [val] : val; + } + + if (has.call(obj, key)) { + obj[key] = utils.combine(obj[key], val); + } else { + obj[key] = val; + } + } + + return obj; +}; + +var parseObject = function (chain, val, options, valuesParsed) { + var leaf = valuesParsed ? val : parseArrayValue(val, options); + + for (var i = chain.length - 1; i >= 0; --i) { + var obj; + var root = chain[i]; + + if (root === '[]' && options.parseArrays) { + obj = [].concat(leaf); + } else { + obj = options.plainObjects ? Object.create(null) : {}; + var cleanRoot = root.charAt(0) === '[' && root.charAt(root.length - 1) === ']' ? root.slice(1, -1) : root; + var index = parseInt(cleanRoot, 10); + if (!options.parseArrays && cleanRoot === '') { + obj = { 0: leaf }; + } else if ( + !isNaN(index) + && root !== cleanRoot + && String(index) === cleanRoot + && index >= 0 + && (options.parseArrays && index <= options.arrayLimit) + ) { + obj = []; + obj[index] = leaf; + } else if (cleanRoot !== '__proto__') { + obj[cleanRoot] = leaf; + } + } + + leaf = obj; + } + + return leaf; +}; + +var parseKeys = function parseQueryStringKeys(givenKey, val, options, valuesParsed) { + if (!givenKey) { + return; + } + + // Transform dot notation to bracket notation + var key = options.allowDots ? givenKey.replace(/\.([^.[]+)/g, '[$1]') : givenKey; + + // The regex chunks + + var brackets = /(\[[^[\]]*])/; + var child = /(\[[^[\]]*])/g; + + // Get the parent + + var segment = options.depth > 0 && brackets.exec(key); + var parent = segment ? key.slice(0, segment.index) : key; + + // Stash the parent if it exists + + var keys = []; + if (parent) { + // If we aren't using plain objects, optionally prefix keys that would overwrite object prototype properties + if (!options.plainObjects && has.call(Object.prototype, parent)) { + if (!options.allowPrototypes) { + return; + } + } + + keys.push(parent); + } + + // Loop through children appending to the array until we hit depth + + var i = 0; + while (options.depth > 0 && (segment = child.exec(key)) !== null && i < options.depth) { + i += 1; + if (!options.plainObjects && has.call(Object.prototype, segment[1].slice(1, -1))) { + if (!options.allowPrototypes) { + return; + } + } + keys.push(segment[1]); + } + + // If there's a remainder, just add whatever is left + + if (segment) { + keys.push('[' + key.slice(segment.index) + ']'); + } + + return parseObject(keys, val, options, valuesParsed); +}; + +var normalizeParseOptions = function normalizeParseOptions(opts) { + if (!opts) { + return defaults; + } + + if (opts.decoder !== null && opts.decoder !== undefined && typeof opts.decoder !== 'function') { + throw new TypeError('Decoder has to be a function.'); + } + + if (typeof opts.charset !== 'undefined' && opts.charset !== 'utf-8' && opts.charset !== 'iso-8859-1') { + throw new TypeError('The charset option must be either utf-8, iso-8859-1, or undefined'); + } + var charset = typeof opts.charset === 'undefined' ? defaults.charset : opts.charset; + + return { + allowDots: typeof opts.allowDots === 'undefined' ? defaults.allowDots : !!opts.allowDots, + allowPrototypes: typeof opts.allowPrototypes === 'boolean' ? opts.allowPrototypes : defaults.allowPrototypes, + allowSparse: typeof opts.allowSparse === 'boolean' ? opts.allowSparse : defaults.allowSparse, + arrayLimit: typeof opts.arrayLimit === 'number' ? opts.arrayLimit : defaults.arrayLimit, + charset: charset, + charsetSentinel: typeof opts.charsetSentinel === 'boolean' ? opts.charsetSentinel : defaults.charsetSentinel, + comma: typeof opts.comma === 'boolean' ? opts.comma : defaults.comma, + decoder: typeof opts.decoder === 'function' ? opts.decoder : defaults.decoder, + delimiter: typeof opts.delimiter === 'string' || utils.isRegExp(opts.delimiter) ? opts.delimiter : defaults.delimiter, + // eslint-disable-next-line no-implicit-coercion, no-extra-parens + depth: (typeof opts.depth === 'number' || opts.depth === false) ? +opts.depth : defaults.depth, + ignoreQueryPrefix: opts.ignoreQueryPrefix === true, + interpretNumericEntities: typeof opts.interpretNumericEntities === 'boolean' ? opts.interpretNumericEntities : defaults.interpretNumericEntities, + parameterLimit: typeof opts.parameterLimit === 'number' ? opts.parameterLimit : defaults.parameterLimit, + parseArrays: opts.parseArrays !== false, + plainObjects: typeof opts.plainObjects === 'boolean' ? opts.plainObjects : defaults.plainObjects, + strictNullHandling: typeof opts.strictNullHandling === 'boolean' ? opts.strictNullHandling : defaults.strictNullHandling + }; +}; + +module.exports = function (str, opts) { + var options = normalizeParseOptions(opts); + + if (str === '' || str === null || typeof str === 'undefined') { + return options.plainObjects ? Object.create(null) : {}; + } + + var tempObj = typeof str === 'string' ? parseValues(str, options) : str; + var obj = options.plainObjects ? Object.create(null) : {}; + + // Iterate over the keys and setup the new object + + var keys = Object.keys(tempObj); + for (var i = 0; i < keys.length; ++i) { + var key = keys[i]; + var newObj = parseKeys(key, tempObj[key], options, typeof str === 'string'); + obj = utils.merge(obj, newObj, options); + } + + if (options.allowSparse === true) { + return obj; + } + + return utils.compact(obj); +}; + +},{"./utils":5}],4:[function(require,module,exports){ +'use strict'; + +var getSideChannel = require('side-channel'); +var utils = require('./utils'); +var formats = require('./formats'); +var has = Object.prototype.hasOwnProperty; + +var arrayPrefixGenerators = { + brackets: function brackets(prefix) { + return prefix + '[]'; + }, + comma: 'comma', + indices: function indices(prefix, key) { + return prefix + '[' + key + ']'; + }, + repeat: function repeat(prefix) { + return prefix; + } +}; + +var isArray = Array.isArray; +var split = String.prototype.split; +var push = Array.prototype.push; +var pushToArray = function (arr, valueOrArray) { + push.apply(arr, isArray(valueOrArray) ? valueOrArray : [valueOrArray]); +}; + +var toISO = Date.prototype.toISOString; + +var defaultFormat = formats['default']; +var defaults = { + addQueryPrefix: false, + allowDots: false, + charset: 'utf-8', + charsetSentinel: false, + delimiter: '&', + encode: true, + encoder: utils.encode, + encodeValuesOnly: false, + format: defaultFormat, + formatter: formats.formatters[defaultFormat], + // deprecated + indices: false, + serializeDate: function serializeDate(date) { + return toISO.call(date); + }, + skipNulls: false, + strictNullHandling: false +}; + +var isNonNullishPrimitive = function isNonNullishPrimitive(v) { + return typeof v === 'string' + || typeof v === 'number' + || typeof v === 'boolean' + || typeof v === 'symbol' + || typeof v === 'bigint'; +}; + +var sentinel = {}; + +var stringify = function stringify( + object, + prefix, + generateArrayPrefix, + commaRoundTrip, + strictNullHandling, + skipNulls, + encoder, + filter, + sort, + allowDots, + serializeDate, + format, + formatter, + encodeValuesOnly, + charset, + sideChannel +) { + var obj = object; + + var tmpSc = sideChannel; + var step = 0; + var findFlag = false; + while ((tmpSc = tmpSc.get(sentinel)) !== void undefined && !findFlag) { + // Where object last appeared in the ref tree + var pos = tmpSc.get(object); + step += 1; + if (typeof pos !== 'undefined') { + if (pos === step) { + throw new RangeError('Cyclic object value'); + } else { + findFlag = true; // Break while + } + } + if (typeof tmpSc.get(sentinel) === 'undefined') { + step = 0; + } + } + + if (typeof filter === 'function') { + obj = filter(prefix, obj); + } else if (obj instanceof Date) { + obj = serializeDate(obj); + } else if (generateArrayPrefix === 'comma' && isArray(obj)) { + obj = utils.maybeMap(obj, function (value) { + if (value instanceof Date) { + return serializeDate(value); + } + return value; + }); + } + + if (obj === null) { + if (strictNullHandling) { + return encoder && !encodeValuesOnly ? encoder(prefix, defaults.encoder, charset, 'key', format) : prefix; + } + + obj = ''; + } + + if (isNonNullishPrimitive(obj) || utils.isBuffer(obj)) { + if (encoder) { + var keyValue = encodeValuesOnly ? prefix : encoder(prefix, defaults.encoder, charset, 'key', format); + if (generateArrayPrefix === 'comma' && encodeValuesOnly) { + var valuesArray = split.call(String(obj), ','); + var valuesJoined = ''; + for (var i = 0; i < valuesArray.length; ++i) { + valuesJoined += (i === 0 ? '' : ',') + formatter(encoder(valuesArray[i], defaults.encoder, charset, 'value', format)); + } + return [formatter(keyValue) + (commaRoundTrip && isArray(obj) && valuesArray.length === 1 ? '[]' : '') + '=' + valuesJoined]; + } + return [formatter(keyValue) + '=' + formatter(encoder(obj, defaults.encoder, charset, 'value', format))]; + } + return [formatter(prefix) + '=' + formatter(String(obj))]; + } + + var values = []; + + if (typeof obj === 'undefined') { + return values; + } + + var objKeys; + if (generateArrayPrefix === 'comma' && isArray(obj)) { + // we need to join elements in + objKeys = [{ value: obj.length > 0 ? obj.join(',') || null : void undefined }]; + } else if (isArray(filter)) { + objKeys = filter; + } else { + var keys = Object.keys(obj); + objKeys = sort ? keys.sort(sort) : keys; + } + + var adjustedPrefix = commaRoundTrip && isArray(obj) && obj.length === 1 ? prefix + '[]' : prefix; + + for (var j = 0; j < objKeys.length; ++j) { + var key = objKeys[j]; + var value = typeof key === 'object' && typeof key.value !== 'undefined' ? key.value : obj[key]; + + if (skipNulls && value === null) { + continue; + } + + var keyPrefix = isArray(obj) + ? typeof generateArrayPrefix === 'function' ? generateArrayPrefix(adjustedPrefix, key) : adjustedPrefix + : adjustedPrefix + (allowDots ? '.' + key : '[' + key + ']'); + + sideChannel.set(object, step); + var valueSideChannel = getSideChannel(); + valueSideChannel.set(sentinel, sideChannel); + pushToArray(values, stringify( + value, + keyPrefix, + generateArrayPrefix, + commaRoundTrip, + strictNullHandling, + skipNulls, + encoder, + filter, + sort, + allowDots, + serializeDate, + format, + formatter, + encodeValuesOnly, + charset, + valueSideChannel + )); + } + + return values; +}; + +var normalizeStringifyOptions = function normalizeStringifyOptions(opts) { + if (!opts) { + return defaults; + } + + if (opts.encoder !== null && typeof opts.encoder !== 'undefined' && typeof opts.encoder !== 'function') { + throw new TypeError('Encoder has to be a function.'); + } + + var charset = opts.charset || defaults.charset; + if (typeof opts.charset !== 'undefined' && opts.charset !== 'utf-8' && opts.charset !== 'iso-8859-1') { + throw new TypeError('The charset option must be either utf-8, iso-8859-1, or undefined'); + } + + var format = formats['default']; + if (typeof opts.format !== 'undefined') { + if (!has.call(formats.formatters, opts.format)) { + throw new TypeError('Unknown format option provided.'); + } + format = opts.format; + } + var formatter = formats.formatters[format]; + + var filter = defaults.filter; + if (typeof opts.filter === 'function' || isArray(opts.filter)) { + filter = opts.filter; + } + + return { + addQueryPrefix: typeof opts.addQueryPrefix === 'boolean' ? opts.addQueryPrefix : defaults.addQueryPrefix, + allowDots: typeof opts.allowDots === 'undefined' ? defaults.allowDots : !!opts.allowDots, + charset: charset, + charsetSentinel: typeof opts.charsetSentinel === 'boolean' ? opts.charsetSentinel : defaults.charsetSentinel, + delimiter: typeof opts.delimiter === 'undefined' ? defaults.delimiter : opts.delimiter, + encode: typeof opts.encode === 'boolean' ? opts.encode : defaults.encode, + encoder: typeof opts.encoder === 'function' ? opts.encoder : defaults.encoder, + encodeValuesOnly: typeof opts.encodeValuesOnly === 'boolean' ? opts.encodeValuesOnly : defaults.encodeValuesOnly, + filter: filter, + format: format, + formatter: formatter, + serializeDate: typeof opts.serializeDate === 'function' ? opts.serializeDate : defaults.serializeDate, + skipNulls: typeof opts.skipNulls === 'boolean' ? opts.skipNulls : defaults.skipNulls, + sort: typeof opts.sort === 'function' ? opts.sort : null, + strictNullHandling: typeof opts.strictNullHandling === 'boolean' ? opts.strictNullHandling : defaults.strictNullHandling + }; +}; + +module.exports = function (object, opts) { + var obj = object; + var options = normalizeStringifyOptions(opts); + + var objKeys; + var filter; + + if (typeof options.filter === 'function') { + filter = options.filter; + obj = filter('', obj); + } else if (isArray(options.filter)) { + filter = options.filter; + objKeys = filter; + } + + var keys = []; + + if (typeof obj !== 'object' || obj === null) { + return ''; + } + + var arrayFormat; + if (opts && opts.arrayFormat in arrayPrefixGenerators) { + arrayFormat = opts.arrayFormat; + } else if (opts && 'indices' in opts) { + arrayFormat = opts.indices ? 'indices' : 'repeat'; + } else { + arrayFormat = 'indices'; + } + + var generateArrayPrefix = arrayPrefixGenerators[arrayFormat]; + if (opts && 'commaRoundTrip' in opts && typeof opts.commaRoundTrip !== 'boolean') { + throw new TypeError('`commaRoundTrip` must be a boolean, or absent'); + } + var commaRoundTrip = generateArrayPrefix === 'comma' && opts && opts.commaRoundTrip; + + if (!objKeys) { + objKeys = Object.keys(obj); + } + + if (options.sort) { + objKeys.sort(options.sort); + } + + var sideChannel = getSideChannel(); + for (var i = 0; i < objKeys.length; ++i) { + var key = objKeys[i]; + + if (options.skipNulls && obj[key] === null) { + continue; + } + pushToArray(keys, stringify( + obj[key], + key, + generateArrayPrefix, + commaRoundTrip, + options.strictNullHandling, + options.skipNulls, + options.encode ? options.encoder : null, + options.filter, + options.sort, + options.allowDots, + options.serializeDate, + options.format, + options.formatter, + options.encodeValuesOnly, + options.charset, + sideChannel + )); + } + + var joined = keys.join(options.delimiter); + var prefix = options.addQueryPrefix === true ? '?' : ''; + + if (options.charsetSentinel) { + if (options.charset === 'iso-8859-1') { + // encodeURIComponent('✓'), the "numeric entity" representation of a checkmark + prefix += 'utf8=%26%2310003%3B&'; + } else { + // encodeURIComponent('✓') + prefix += 'utf8=%E2%9C%93&'; + } + } + + return joined.length > 0 ? prefix + joined : ''; +}; + +},{"./formats":1,"./utils":5,"side-channel":16}],5:[function(require,module,exports){ +'use strict'; + +var formats = require('./formats'); + +var has = Object.prototype.hasOwnProperty; +var isArray = Array.isArray; + +var hexTable = (function () { + var array = []; + for (var i = 0; i < 256; ++i) { + array.push('%' + ((i < 16 ? '0' : '') + i.toString(16)).toUpperCase()); + } + + return array; +}()); + +var compactQueue = function compactQueue(queue) { + while (queue.length > 1) { + var item = queue.pop(); + var obj = item.obj[item.prop]; + + if (isArray(obj)) { + var compacted = []; + + for (var j = 0; j < obj.length; ++j) { + if (typeof obj[j] !== 'undefined') { + compacted.push(obj[j]); + } + } + + item.obj[item.prop] = compacted; + } + } +}; + +var arrayToObject = function arrayToObject(source, options) { + var obj = options && options.plainObjects ? Object.create(null) : {}; + for (var i = 0; i < source.length; ++i) { + if (typeof source[i] !== 'undefined') { + obj[i] = source[i]; + } + } + + return obj; +}; + +var merge = function merge(target, source, options) { + /* eslint no-param-reassign: 0 */ + if (!source) { + return target; + } + + if (typeof source !== 'object') { + if (isArray(target)) { + target.push(source); + } else if (target && typeof target === 'object') { + if ((options && (options.plainObjects || options.allowPrototypes)) || !has.call(Object.prototype, source)) { + target[source] = true; + } + } else { + return [target, source]; + } + + return target; + } + + if (!target || typeof target !== 'object') { + return [target].concat(source); + } + + var mergeTarget = target; + if (isArray(target) && !isArray(source)) { + mergeTarget = arrayToObject(target, options); + } + + if (isArray(target) && isArray(source)) { + source.forEach(function (item, i) { + if (has.call(target, i)) { + var targetItem = target[i]; + if (targetItem && typeof targetItem === 'object' && item && typeof item === 'object') { + target[i] = merge(targetItem, item, options); + } else { + target.push(item); + } + } else { + target[i] = item; + } + }); + return target; + } + + return Object.keys(source).reduce(function (acc, key) { + var value = source[key]; + + if (has.call(acc, key)) { + acc[key] = merge(acc[key], value, options); + } else { + acc[key] = value; + } + return acc; + }, mergeTarget); +}; + +var assign = function assignSingleSource(target, source) { + return Object.keys(source).reduce(function (acc, key) { + acc[key] = source[key]; + return acc; + }, target); +}; + +var decode = function (str, decoder, charset) { + var strWithoutPlus = str.replace(/\+/g, ' '); + if (charset === 'iso-8859-1') { + // unescape never throws, no try...catch needed: + return strWithoutPlus.replace(/%[0-9a-f]{2}/gi, unescape); + } + // utf-8 + try { + return decodeURIComponent(strWithoutPlus); + } catch (e) { + return strWithoutPlus; + } +}; + +var encode = function encode(str, defaultEncoder, charset, kind, format) { + // This code was originally written by Brian White (mscdex) for the io.js core querystring library. + // It has been adapted here for stricter adherence to RFC 3986 + if (str.length === 0) { + return str; + } + + var string = str; + if (typeof str === 'symbol') { + string = Symbol.prototype.toString.call(str); + } else if (typeof str !== 'string') { + string = String(str); + } + + if (charset === 'iso-8859-1') { + return escape(string).replace(/%u[0-9a-f]{4}/gi, function ($0) { + return '%26%23' + parseInt($0.slice(2), 16) + '%3B'; + }); + } + + var out = ''; + for (var i = 0; i < string.length; ++i) { + var c = string.charCodeAt(i); + + if ( + c === 0x2D // - + || c === 0x2E // . + || c === 0x5F // _ + || c === 0x7E // ~ + || (c >= 0x30 && c <= 0x39) // 0-9 + || (c >= 0x41 && c <= 0x5A) // a-z + || (c >= 0x61 && c <= 0x7A) // A-Z + || (format === formats.RFC1738 && (c === 0x28 || c === 0x29)) // ( ) + ) { + out += string.charAt(i); + continue; + } + + if (c < 0x80) { + out = out + hexTable[c]; + continue; + } + + if (c < 0x800) { + out = out + (hexTable[0xC0 | (c >> 6)] + hexTable[0x80 | (c & 0x3F)]); + continue; + } + + if (c < 0xD800 || c >= 0xE000) { + out = out + (hexTable[0xE0 | (c >> 12)] + hexTable[0x80 | ((c >> 6) & 0x3F)] + hexTable[0x80 | (c & 0x3F)]); + continue; + } + + i += 1; + c = 0x10000 + (((c & 0x3FF) << 10) | (string.charCodeAt(i) & 0x3FF)); + /* eslint operator-linebreak: [2, "before"] */ + out += hexTable[0xF0 | (c >> 18)] + + hexTable[0x80 | ((c >> 12) & 0x3F)] + + hexTable[0x80 | ((c >> 6) & 0x3F)] + + hexTable[0x80 | (c & 0x3F)]; + } + + return out; +}; + +var compact = function compact(value) { + var queue = [{ obj: { o: value }, prop: 'o' }]; + var refs = []; + + for (var i = 0; i < queue.length; ++i) { + var item = queue[i]; + var obj = item.obj[item.prop]; + + var keys = Object.keys(obj); + for (var j = 0; j < keys.length; ++j) { + var key = keys[j]; + var val = obj[key]; + if (typeof val === 'object' && val !== null && refs.indexOf(val) === -1) { + queue.push({ obj: obj, prop: key }); + refs.push(val); + } + } + } + + compactQueue(queue); + + return value; +}; + +var isRegExp = function isRegExp(obj) { + return Object.prototype.toString.call(obj) === '[object RegExp]'; +}; + +var isBuffer = function isBuffer(obj) { + if (!obj || typeof obj !== 'object') { + return false; + } + + return !!(obj.constructor && obj.constructor.isBuffer && obj.constructor.isBuffer(obj)); +}; + +var combine = function combine(a, b) { + return [].concat(a, b); +}; + +var maybeMap = function maybeMap(val, fn) { + if (isArray(val)) { + var mapped = []; + for (var i = 0; i < val.length; i += 1) { + mapped.push(fn(val[i])); + } + return mapped; + } + return fn(val); +}; + +module.exports = { + arrayToObject: arrayToObject, + assign: assign, + combine: combine, + compact: compact, + decode: decode, + encode: encode, + isBuffer: isBuffer, + isRegExp: isRegExp, + maybeMap: maybeMap, + merge: merge +}; + +},{"./formats":1}],6:[function(require,module,exports){ + +},{}],7:[function(require,module,exports){ +'use strict'; + +var GetIntrinsic = require('get-intrinsic'); + +var callBind = require('./'); + +var $indexOf = callBind(GetIntrinsic('String.prototype.indexOf')); + +module.exports = function callBoundIntrinsic(name, allowMissing) { + var intrinsic = GetIntrinsic(name, !!allowMissing); + if (typeof intrinsic === 'function' && $indexOf(name, '.prototype.') > -1) { + return callBind(intrinsic); + } + return intrinsic; +}; + +},{"./":8,"get-intrinsic":11}],8:[function(require,module,exports){ +'use strict'; + +var bind = require('function-bind'); +var GetIntrinsic = require('get-intrinsic'); + +var $apply = GetIntrinsic('%Function.prototype.apply%'); +var $call = GetIntrinsic('%Function.prototype.call%'); +var $reflectApply = GetIntrinsic('%Reflect.apply%', true) || bind.call($call, $apply); + +var $gOPD = GetIntrinsic('%Object.getOwnPropertyDescriptor%', true); +var $defineProperty = GetIntrinsic('%Object.defineProperty%', true); +var $max = GetIntrinsic('%Math.max%'); + +if ($defineProperty) { + try { + $defineProperty({}, 'a', { value: 1 }); + } catch (e) { + // IE 8 has a broken defineProperty + $defineProperty = null; + } +} + +module.exports = function callBind(originalFunction) { + var func = $reflectApply(bind, $call, arguments); + if ($gOPD && $defineProperty) { + var desc = $gOPD(func, 'length'); + if (desc.configurable) { + // original length, plus the receiver, minus any additional arguments (after the receiver) + $defineProperty( + func, + 'length', + { value: 1 + $max(0, originalFunction.length - (arguments.length - 1)) } + ); + } + } + return func; +}; + +var applyBind = function applyBind() { + return $reflectApply(bind, $apply, arguments); +}; + +if ($defineProperty) { + $defineProperty(module.exports, 'apply', { value: applyBind }); +} else { + module.exports.apply = applyBind; +} + +},{"function-bind":10,"get-intrinsic":11}],9:[function(require,module,exports){ +'use strict'; + +/* eslint no-invalid-this: 1 */ + +var ERROR_MESSAGE = 'Function.prototype.bind called on incompatible '; +var slice = Array.prototype.slice; +var toStr = Object.prototype.toString; +var funcType = '[object Function]'; + +module.exports = function bind(that) { + var target = this; + if (typeof target !== 'function' || toStr.call(target) !== funcType) { + throw new TypeError(ERROR_MESSAGE + target); + } + var args = slice.call(arguments, 1); + + var bound; + var binder = function () { + if (this instanceof bound) { + var result = target.apply( + this, + args.concat(slice.call(arguments)) + ); + if (Object(result) === result) { + return result; + } + return this; + } else { + return target.apply( + that, + args.concat(slice.call(arguments)) + ); + } + }; + + var boundLength = Math.max(0, target.length - args.length); + var boundArgs = []; + for (var i = 0; i < boundLength; i++) { + boundArgs.push('$' + i); + } + + bound = Function('binder', 'return function (' + boundArgs.join(',') + '){ return binder.apply(this,arguments); }')(binder); + + if (target.prototype) { + var Empty = function Empty() {}; + Empty.prototype = target.prototype; + bound.prototype = new Empty(); + Empty.prototype = null; + } + + return bound; +}; + +},{}],10:[function(require,module,exports){ +'use strict'; + +var implementation = require('./implementation'); + +module.exports = Function.prototype.bind || implementation; + +},{"./implementation":9}],11:[function(require,module,exports){ +'use strict'; + +var undefined; + +var $SyntaxError = SyntaxError; +var $Function = Function; +var $TypeError = TypeError; + +// eslint-disable-next-line consistent-return +var getEvalledConstructor = function (expressionSyntax) { + try { + return $Function('"use strict"; return (' + expressionSyntax + ').constructor;')(); + } catch (e) {} +}; + +var $gOPD = Object.getOwnPropertyDescriptor; +if ($gOPD) { + try { + $gOPD({}, ''); + } catch (e) { + $gOPD = null; // this is IE 8, which has a broken gOPD + } +} + +var throwTypeError = function () { + throw new $TypeError(); +}; +var ThrowTypeError = $gOPD + ? (function () { + try { + // eslint-disable-next-line no-unused-expressions, no-caller, no-restricted-properties + arguments.callee; // IE 8 does not throw here + return throwTypeError; + } catch (calleeThrows) { + try { + // IE 8 throws on Object.getOwnPropertyDescriptor(arguments, '') + return $gOPD(arguments, 'callee').get; + } catch (gOPDthrows) { + return throwTypeError; + } + } + }()) + : throwTypeError; + +var hasSymbols = require('has-symbols')(); + +var getProto = Object.getPrototypeOf || function (x) { return x.__proto__; }; // eslint-disable-line no-proto + +var needsEval = {}; + +var TypedArray = typeof Uint8Array === 'undefined' ? undefined : getProto(Uint8Array); + +var INTRINSICS = { + '%AggregateError%': typeof AggregateError === 'undefined' ? undefined : AggregateError, + '%Array%': Array, + '%ArrayBuffer%': typeof ArrayBuffer === 'undefined' ? undefined : ArrayBuffer, + '%ArrayIteratorPrototype%': hasSymbols ? getProto([][Symbol.iterator]()) : undefined, + '%AsyncFromSyncIteratorPrototype%': undefined, + '%AsyncFunction%': needsEval, + '%AsyncGenerator%': needsEval, + '%AsyncGeneratorFunction%': needsEval, + '%AsyncIteratorPrototype%': needsEval, + '%Atomics%': typeof Atomics === 'undefined' ? undefined : Atomics, + '%BigInt%': typeof BigInt === 'undefined' ? undefined : BigInt, + '%Boolean%': Boolean, + '%DataView%': typeof DataView === 'undefined' ? undefined : DataView, + '%Date%': Date, + '%decodeURI%': decodeURI, + '%decodeURIComponent%': decodeURIComponent, + '%encodeURI%': encodeURI, + '%encodeURIComponent%': encodeURIComponent, + '%Error%': Error, + '%eval%': eval, // eslint-disable-line no-eval + '%EvalError%': EvalError, + '%Float32Array%': typeof Float32Array === 'undefined' ? undefined : Float32Array, + '%Float64Array%': typeof Float64Array === 'undefined' ? undefined : Float64Array, + '%FinalizationRegistry%': typeof FinalizationRegistry === 'undefined' ? undefined : FinalizationRegistry, + '%Function%': $Function, + '%GeneratorFunction%': needsEval, + '%Int8Array%': typeof Int8Array === 'undefined' ? undefined : Int8Array, + '%Int16Array%': typeof Int16Array === 'undefined' ? undefined : Int16Array, + '%Int32Array%': typeof Int32Array === 'undefined' ? undefined : Int32Array, + '%isFinite%': isFinite, + '%isNaN%': isNaN, + '%IteratorPrototype%': hasSymbols ? getProto(getProto([][Symbol.iterator]())) : undefined, + '%JSON%': typeof JSON === 'object' ? JSON : undefined, + '%Map%': typeof Map === 'undefined' ? undefined : Map, + '%MapIteratorPrototype%': typeof Map === 'undefined' || !hasSymbols ? undefined : getProto(new Map()[Symbol.iterator]()), + '%Math%': Math, + '%Number%': Number, + '%Object%': Object, + '%parseFloat%': parseFloat, + '%parseInt%': parseInt, + '%Promise%': typeof Promise === 'undefined' ? undefined : Promise, + '%Proxy%': typeof Proxy === 'undefined' ? undefined : Proxy, + '%RangeError%': RangeError, + '%ReferenceError%': ReferenceError, + '%Reflect%': typeof Reflect === 'undefined' ? undefined : Reflect, + '%RegExp%': RegExp, + '%Set%': typeof Set === 'undefined' ? undefined : Set, + '%SetIteratorPrototype%': typeof Set === 'undefined' || !hasSymbols ? undefined : getProto(new Set()[Symbol.iterator]()), + '%SharedArrayBuffer%': typeof SharedArrayBuffer === 'undefined' ? undefined : SharedArrayBuffer, + '%String%': String, + '%StringIteratorPrototype%': hasSymbols ? getProto(''[Symbol.iterator]()) : undefined, + '%Symbol%': hasSymbols ? Symbol : undefined, + '%SyntaxError%': $SyntaxError, + '%ThrowTypeError%': ThrowTypeError, + '%TypedArray%': TypedArray, + '%TypeError%': $TypeError, + '%Uint8Array%': typeof Uint8Array === 'undefined' ? undefined : Uint8Array, + '%Uint8ClampedArray%': typeof Uint8ClampedArray === 'undefined' ? undefined : Uint8ClampedArray, + '%Uint16Array%': typeof Uint16Array === 'undefined' ? undefined : Uint16Array, + '%Uint32Array%': typeof Uint32Array === 'undefined' ? undefined : Uint32Array, + '%URIError%': URIError, + '%WeakMap%': typeof WeakMap === 'undefined' ? undefined : WeakMap, + '%WeakRef%': typeof WeakRef === 'undefined' ? undefined : WeakRef, + '%WeakSet%': typeof WeakSet === 'undefined' ? undefined : WeakSet +}; + +var doEval = function doEval(name) { + var value; + if (name === '%AsyncFunction%') { + value = getEvalledConstructor('async function () {}'); + } else if (name === '%GeneratorFunction%') { + value = getEvalledConstructor('function* () {}'); + } else if (name === '%AsyncGeneratorFunction%') { + value = getEvalledConstructor('async function* () {}'); + } else if (name === '%AsyncGenerator%') { + var fn = doEval('%AsyncGeneratorFunction%'); + if (fn) { + value = fn.prototype; + } + } else if (name === '%AsyncIteratorPrototype%') { + var gen = doEval('%AsyncGenerator%'); + if (gen) { + value = getProto(gen.prototype); + } + } + + INTRINSICS[name] = value; + + return value; +}; + +var LEGACY_ALIASES = { + '%ArrayBufferPrototype%': ['ArrayBuffer', 'prototype'], + '%ArrayPrototype%': ['Array', 'prototype'], + '%ArrayProto_entries%': ['Array', 'prototype', 'entries'], + '%ArrayProto_forEach%': ['Array', 'prototype', 'forEach'], + '%ArrayProto_keys%': ['Array', 'prototype', 'keys'], + '%ArrayProto_values%': ['Array', 'prototype', 'values'], + '%AsyncFunctionPrototype%': ['AsyncFunction', 'prototype'], + '%AsyncGenerator%': ['AsyncGeneratorFunction', 'prototype'], + '%AsyncGeneratorPrototype%': ['AsyncGeneratorFunction', 'prototype', 'prototype'], + '%BooleanPrototype%': ['Boolean', 'prototype'], + '%DataViewPrototype%': ['DataView', 'prototype'], + '%DatePrototype%': ['Date', 'prototype'], + '%ErrorPrototype%': ['Error', 'prototype'], + '%EvalErrorPrototype%': ['EvalError', 'prototype'], + '%Float32ArrayPrototype%': ['Float32Array', 'prototype'], + '%Float64ArrayPrototype%': ['Float64Array', 'prototype'], + '%FunctionPrototype%': ['Function', 'prototype'], + '%Generator%': ['GeneratorFunction', 'prototype'], + '%GeneratorPrototype%': ['GeneratorFunction', 'prototype', 'prototype'], + '%Int8ArrayPrototype%': ['Int8Array', 'prototype'], + '%Int16ArrayPrototype%': ['Int16Array', 'prototype'], + '%Int32ArrayPrototype%': ['Int32Array', 'prototype'], + '%JSONParse%': ['JSON', 'parse'], + '%JSONStringify%': ['JSON', 'stringify'], + '%MapPrototype%': ['Map', 'prototype'], + '%NumberPrototype%': ['Number', 'prototype'], + '%ObjectPrototype%': ['Object', 'prototype'], + '%ObjProto_toString%': ['Object', 'prototype', 'toString'], + '%ObjProto_valueOf%': ['Object', 'prototype', 'valueOf'], + '%PromisePrototype%': ['Promise', 'prototype'], + '%PromiseProto_then%': ['Promise', 'prototype', 'then'], + '%Promise_all%': ['Promise', 'all'], + '%Promise_reject%': ['Promise', 'reject'], + '%Promise_resolve%': ['Promise', 'resolve'], + '%RangeErrorPrototype%': ['RangeError', 'prototype'], + '%ReferenceErrorPrototype%': ['ReferenceError', 'prototype'], + '%RegExpPrototype%': ['RegExp', 'prototype'], + '%SetPrototype%': ['Set', 'prototype'], + '%SharedArrayBufferPrototype%': ['SharedArrayBuffer', 'prototype'], + '%StringPrototype%': ['String', 'prototype'], + '%SymbolPrototype%': ['Symbol', 'prototype'], + '%SyntaxErrorPrototype%': ['SyntaxError', 'prototype'], + '%TypedArrayPrototype%': ['TypedArray', 'prototype'], + '%TypeErrorPrototype%': ['TypeError', 'prototype'], + '%Uint8ArrayPrototype%': ['Uint8Array', 'prototype'], + '%Uint8ClampedArrayPrototype%': ['Uint8ClampedArray', 'prototype'], + '%Uint16ArrayPrototype%': ['Uint16Array', 'prototype'], + '%Uint32ArrayPrototype%': ['Uint32Array', 'prototype'], + '%URIErrorPrototype%': ['URIError', 'prototype'], + '%WeakMapPrototype%': ['WeakMap', 'prototype'], + '%WeakSetPrototype%': ['WeakSet', 'prototype'] +}; + +var bind = require('function-bind'); +var hasOwn = require('has'); +var $concat = bind.call(Function.call, Array.prototype.concat); +var $spliceApply = bind.call(Function.apply, Array.prototype.splice); +var $replace = bind.call(Function.call, String.prototype.replace); +var $strSlice = bind.call(Function.call, String.prototype.slice); + +/* adapted from https://github.com/lodash/lodash/blob/4.17.15/dist/lodash.js#L6735-L6744 */ +var rePropName = /[^%.[\]]+|\[(?:(-?\d+(?:\.\d+)?)|(["'])((?:(?!\2)[^\\]|\\.)*?)\2)\]|(?=(?:\.|\[\])(?:\.|\[\]|%$))/g; +var reEscapeChar = /\\(\\)?/g; /** Used to match backslashes in property paths. */ +var stringToPath = function stringToPath(string) { + var first = $strSlice(string, 0, 1); + var last = $strSlice(string, -1); + if (first === '%' && last !== '%') { + throw new $SyntaxError('invalid intrinsic syntax, expected closing `%`'); + } else if (last === '%' && first !== '%') { + throw new $SyntaxError('invalid intrinsic syntax, expected opening `%`'); + } + var result = []; + $replace(string, rePropName, function (match, number, quote, subString) { + result[result.length] = quote ? $replace(subString, reEscapeChar, '$1') : number || match; + }); + return result; +}; +/* end adaptation */ + +var getBaseIntrinsic = function getBaseIntrinsic(name, allowMissing) { + var intrinsicName = name; + var alias; + if (hasOwn(LEGACY_ALIASES, intrinsicName)) { + alias = LEGACY_ALIASES[intrinsicName]; + intrinsicName = '%' + alias[0] + '%'; + } + + if (hasOwn(INTRINSICS, intrinsicName)) { + var value = INTRINSICS[intrinsicName]; + if (value === needsEval) { + value = doEval(intrinsicName); + } + if (typeof value === 'undefined' && !allowMissing) { + throw new $TypeError('intrinsic ' + name + ' exists, but is not available. Please file an issue!'); + } + + return { + alias: alias, + name: intrinsicName, + value: value + }; + } + + throw new $SyntaxError('intrinsic ' + name + ' does not exist!'); +}; + +module.exports = function GetIntrinsic(name, allowMissing) { + if (typeof name !== 'string' || name.length === 0) { + throw new $TypeError('intrinsic name must be a non-empty string'); + } + if (arguments.length > 1 && typeof allowMissing !== 'boolean') { + throw new $TypeError('"allowMissing" argument must be a boolean'); + } + + var parts = stringToPath(name); + var intrinsicBaseName = parts.length > 0 ? parts[0] : ''; + + var intrinsic = getBaseIntrinsic('%' + intrinsicBaseName + '%', allowMissing); + var intrinsicRealName = intrinsic.name; + var value = intrinsic.value; + var skipFurtherCaching = false; + + var alias = intrinsic.alias; + if (alias) { + intrinsicBaseName = alias[0]; + $spliceApply(parts, $concat([0, 1], alias)); + } + + for (var i = 1, isOwn = true; i < parts.length; i += 1) { + var part = parts[i]; + var first = $strSlice(part, 0, 1); + var last = $strSlice(part, -1); + if ( + ( + (first === '"' || first === "'" || first === '`') + || (last === '"' || last === "'" || last === '`') + ) + && first !== last + ) { + throw new $SyntaxError('property names with quotes must have matching quotes'); + } + if (part === 'constructor' || !isOwn) { + skipFurtherCaching = true; + } + + intrinsicBaseName += '.' + part; + intrinsicRealName = '%' + intrinsicBaseName + '%'; + + if (hasOwn(INTRINSICS, intrinsicRealName)) { + value = INTRINSICS[intrinsicRealName]; + } else if (value != null) { + if (!(part in value)) { + if (!allowMissing) { + throw new $TypeError('base intrinsic for ' + name + ' exists, but the property is not available.'); + } + return void undefined; + } + if ($gOPD && (i + 1) >= parts.length) { + var desc = $gOPD(value, part); + isOwn = !!desc; + + // By convention, when a data property is converted to an accessor + // property to emulate a data property that does not suffer from + // the override mistake, that accessor's getter is marked with + // an `originalValue` property. Here, when we detect this, we + // uphold the illusion by pretending to see that original data + // property, i.e., returning the value rather than the getter + // itself. + if (isOwn && 'get' in desc && !('originalValue' in desc.get)) { + value = desc.get; + } else { + value = value[part]; + } + } else { + isOwn = hasOwn(value, part); + value = value[part]; + } + + if (isOwn && !skipFurtherCaching) { + INTRINSICS[intrinsicRealName] = value; + } + } + } + return value; +}; + +},{"function-bind":10,"has":14,"has-symbols":12}],12:[function(require,module,exports){ +'use strict'; + +var origSymbol = typeof Symbol !== 'undefined' && Symbol; +var hasSymbolSham = require('./shams'); + +module.exports = function hasNativeSymbols() { + if (typeof origSymbol !== 'function') { return false; } + if (typeof Symbol !== 'function') { return false; } + if (typeof origSymbol('foo') !== 'symbol') { return false; } + if (typeof Symbol('bar') !== 'symbol') { return false; } + + return hasSymbolSham(); +}; + +},{"./shams":13}],13:[function(require,module,exports){ +'use strict'; + +/* eslint complexity: [2, 18], max-statements: [2, 33] */ +module.exports = function hasSymbols() { + if (typeof Symbol !== 'function' || typeof Object.getOwnPropertySymbols !== 'function') { return false; } + if (typeof Symbol.iterator === 'symbol') { return true; } + + var obj = {}; + var sym = Symbol('test'); + var symObj = Object(sym); + if (typeof sym === 'string') { return false; } + + if (Object.prototype.toString.call(sym) !== '[object Symbol]') { return false; } + if (Object.prototype.toString.call(symObj) !== '[object Symbol]') { return false; } + + // temp disabled per https://github.com/ljharb/object.assign/issues/17 + // if (sym instanceof Symbol) { return false; } + // temp disabled per https://github.com/WebReflection/get-own-property-symbols/issues/4 + // if (!(symObj instanceof Symbol)) { return false; } + + // if (typeof Symbol.prototype.toString !== 'function') { return false; } + // if (String(sym) !== Symbol.prototype.toString.call(sym)) { return false; } + + var symVal = 42; + obj[sym] = symVal; + for (sym in obj) { return false; } // eslint-disable-line no-restricted-syntax, no-unreachable-loop + if (typeof Object.keys === 'function' && Object.keys(obj).length !== 0) { return false; } + + if (typeof Object.getOwnPropertyNames === 'function' && Object.getOwnPropertyNames(obj).length !== 0) { return false; } + + var syms = Object.getOwnPropertySymbols(obj); + if (syms.length !== 1 || syms[0] !== sym) { return false; } + + if (!Object.prototype.propertyIsEnumerable.call(obj, sym)) { return false; } + + if (typeof Object.getOwnPropertyDescriptor === 'function') { + var descriptor = Object.getOwnPropertyDescriptor(obj, sym); + if (descriptor.value !== symVal || descriptor.enumerable !== true) { return false; } + } + + return true; +}; + +},{}],14:[function(require,module,exports){ +'use strict'; + +var bind = require('function-bind'); + +module.exports = bind.call(Function.call, Object.prototype.hasOwnProperty); + +},{"function-bind":10}],15:[function(require,module,exports){ +var hasMap = typeof Map === 'function' && Map.prototype; +var mapSizeDescriptor = Object.getOwnPropertyDescriptor && hasMap ? Object.getOwnPropertyDescriptor(Map.prototype, 'size') : null; +var mapSize = hasMap && mapSizeDescriptor && typeof mapSizeDescriptor.get === 'function' ? mapSizeDescriptor.get : null; +var mapForEach = hasMap && Map.prototype.forEach; +var hasSet = typeof Set === 'function' && Set.prototype; +var setSizeDescriptor = Object.getOwnPropertyDescriptor && hasSet ? Object.getOwnPropertyDescriptor(Set.prototype, 'size') : null; +var setSize = hasSet && setSizeDescriptor && typeof setSizeDescriptor.get === 'function' ? setSizeDescriptor.get : null; +var setForEach = hasSet && Set.prototype.forEach; +var hasWeakMap = typeof WeakMap === 'function' && WeakMap.prototype; +var weakMapHas = hasWeakMap ? WeakMap.prototype.has : null; +var hasWeakSet = typeof WeakSet === 'function' && WeakSet.prototype; +var weakSetHas = hasWeakSet ? WeakSet.prototype.has : null; +var hasWeakRef = typeof WeakRef === 'function' && WeakRef.prototype; +var weakRefDeref = hasWeakRef ? WeakRef.prototype.deref : null; +var booleanValueOf = Boolean.prototype.valueOf; +var objectToString = Object.prototype.toString; +var functionToString = Function.prototype.toString; +var $match = String.prototype.match; +var $slice = String.prototype.slice; +var $replace = String.prototype.replace; +var $toUpperCase = String.prototype.toUpperCase; +var $toLowerCase = String.prototype.toLowerCase; +var $test = RegExp.prototype.test; +var $concat = Array.prototype.concat; +var $join = Array.prototype.join; +var $arrSlice = Array.prototype.slice; +var $floor = Math.floor; +var bigIntValueOf = typeof BigInt === 'function' ? BigInt.prototype.valueOf : null; +var gOPS = Object.getOwnPropertySymbols; +var symToString = typeof Symbol === 'function' && typeof Symbol.iterator === 'symbol' ? Symbol.prototype.toString : null; +var hasShammedSymbols = typeof Symbol === 'function' && typeof Symbol.iterator === 'object'; +// ie, `has-tostringtag/shams +var toStringTag = typeof Symbol === 'function' && Symbol.toStringTag && (typeof Symbol.toStringTag === hasShammedSymbols ? 'object' : 'symbol') + ? Symbol.toStringTag + : null; +var isEnumerable = Object.prototype.propertyIsEnumerable; + +var gPO = (typeof Reflect === 'function' ? Reflect.getPrototypeOf : Object.getPrototypeOf) || ( + [].__proto__ === Array.prototype // eslint-disable-line no-proto + ? function (O) { + return O.__proto__; // eslint-disable-line no-proto + } + : null +); + +function addNumericSeparator(num, str) { + if ( + num === Infinity + || num === -Infinity + || num !== num + || (num && num > -1000 && num < 1000) + || $test.call(/e/, str) + ) { + return str; + } + var sepRegex = /[0-9](?=(?:[0-9]{3})+(?![0-9]))/g; + if (typeof num === 'number') { + var int = num < 0 ? -$floor(-num) : $floor(num); // trunc(num) + if (int !== num) { + var intStr = String(int); + var dec = $slice.call(str, intStr.length + 1); + return $replace.call(intStr, sepRegex, '$&_') + '.' + $replace.call($replace.call(dec, /([0-9]{3})/g, '$&_'), /_$/, ''); + } + } + return $replace.call(str, sepRegex, '$&_'); +} + +var utilInspect = require('./util.inspect'); +var inspectCustom = utilInspect.custom; +var inspectSymbol = isSymbol(inspectCustom) ? inspectCustom : null; + +module.exports = function inspect_(obj, options, depth, seen) { + var opts = options || {}; + + if (has(opts, 'quoteStyle') && (opts.quoteStyle !== 'single' && opts.quoteStyle !== 'double')) { + throw new TypeError('option "quoteStyle" must be "single" or "double"'); + } + if ( + has(opts, 'maxStringLength') && (typeof opts.maxStringLength === 'number' + ? opts.maxStringLength < 0 && opts.maxStringLength !== Infinity + : opts.maxStringLength !== null + ) + ) { + throw new TypeError('option "maxStringLength", if provided, must be a positive integer, Infinity, or `null`'); + } + var customInspect = has(opts, 'customInspect') ? opts.customInspect : true; + if (typeof customInspect !== 'boolean' && customInspect !== 'symbol') { + throw new TypeError('option "customInspect", if provided, must be `true`, `false`, or `\'symbol\'`'); + } + + if ( + has(opts, 'indent') + && opts.indent !== null + && opts.indent !== '\t' + && !(parseInt(opts.indent, 10) === opts.indent && opts.indent > 0) + ) { + throw new TypeError('option "indent" must be "\\t", an integer > 0, or `null`'); + } + if (has(opts, 'numericSeparator') && typeof opts.numericSeparator !== 'boolean') { + throw new TypeError('option "numericSeparator", if provided, must be `true` or `false`'); + } + var numericSeparator = opts.numericSeparator; + + if (typeof obj === 'undefined') { + return 'undefined'; + } + if (obj === null) { + return 'null'; + } + if (typeof obj === 'boolean') { + return obj ? 'true' : 'false'; + } + + if (typeof obj === 'string') { + return inspectString(obj, opts); + } + if (typeof obj === 'number') { + if (obj === 0) { + return Infinity / obj > 0 ? '0' : '-0'; + } + var str = String(obj); + return numericSeparator ? addNumericSeparator(obj, str) : str; + } + if (typeof obj === 'bigint') { + var bigIntStr = String(obj) + 'n'; + return numericSeparator ? addNumericSeparator(obj, bigIntStr) : bigIntStr; + } + + var maxDepth = typeof opts.depth === 'undefined' ? 5 : opts.depth; + if (typeof depth === 'undefined') { depth = 0; } + if (depth >= maxDepth && maxDepth > 0 && typeof obj === 'object') { + return isArray(obj) ? '[Array]' : '[Object]'; + } + + var indent = getIndent(opts, depth); + + if (typeof seen === 'undefined') { + seen = []; + } else if (indexOf(seen, obj) >= 0) { + return '[Circular]'; + } + + function inspect(value, from, noIndent) { + if (from) { + seen = $arrSlice.call(seen); + seen.push(from); + } + if (noIndent) { + var newOpts = { + depth: opts.depth + }; + if (has(opts, 'quoteStyle')) { + newOpts.quoteStyle = opts.quoteStyle; + } + return inspect_(value, newOpts, depth + 1, seen); + } + return inspect_(value, opts, depth + 1, seen); + } + + if (typeof obj === 'function' && !isRegExp(obj)) { // in older engines, regexes are callable + var name = nameOf(obj); + var keys = arrObjKeys(obj, inspect); + return '[Function' + (name ? ': ' + name : ' (anonymous)') + ']' + (keys.length > 0 ? ' { ' + $join.call(keys, ', ') + ' }' : ''); + } + if (isSymbol(obj)) { + var symString = hasShammedSymbols ? $replace.call(String(obj), /^(Symbol\(.*\))_[^)]*$/, '$1') : symToString.call(obj); + return typeof obj === 'object' && !hasShammedSymbols ? markBoxed(symString) : symString; + } + if (isElement(obj)) { + var s = '<' + $toLowerCase.call(String(obj.nodeName)); + var attrs = obj.attributes || []; + for (var i = 0; i < attrs.length; i++) { + s += ' ' + attrs[i].name + '=' + wrapQuotes(quote(attrs[i].value), 'double', opts); + } + s += '>'; + if (obj.childNodes && obj.childNodes.length) { s += '...'; } + s += ''; + return s; + } + if (isArray(obj)) { + if (obj.length === 0) { return '[]'; } + var xs = arrObjKeys(obj, inspect); + if (indent && !singleLineValues(xs)) { + return '[' + indentedJoin(xs, indent) + ']'; + } + return '[ ' + $join.call(xs, ', ') + ' ]'; + } + if (isError(obj)) { + var parts = arrObjKeys(obj, inspect); + if (!('cause' in Error.prototype) && 'cause' in obj && !isEnumerable.call(obj, 'cause')) { + return '{ [' + String(obj) + '] ' + $join.call($concat.call('[cause]: ' + inspect(obj.cause), parts), ', ') + ' }'; + } + if (parts.length === 0) { return '[' + String(obj) + ']'; } + return '{ [' + String(obj) + '] ' + $join.call(parts, ', ') + ' }'; + } + if (typeof obj === 'object' && customInspect) { + if (inspectSymbol && typeof obj[inspectSymbol] === 'function' && utilInspect) { + return utilInspect(obj, { depth: maxDepth - depth }); + } else if (customInspect !== 'symbol' && typeof obj.inspect === 'function') { + return obj.inspect(); + } + } + if (isMap(obj)) { + var mapParts = []; + mapForEach.call(obj, function (value, key) { + mapParts.push(inspect(key, obj, true) + ' => ' + inspect(value, obj)); + }); + return collectionOf('Map', mapSize.call(obj), mapParts, indent); + } + if (isSet(obj)) { + var setParts = []; + setForEach.call(obj, function (value) { + setParts.push(inspect(value, obj)); + }); + return collectionOf('Set', setSize.call(obj), setParts, indent); + } + if (isWeakMap(obj)) { + return weakCollectionOf('WeakMap'); + } + if (isWeakSet(obj)) { + return weakCollectionOf('WeakSet'); + } + if (isWeakRef(obj)) { + return weakCollectionOf('WeakRef'); + } + if (isNumber(obj)) { + return markBoxed(inspect(Number(obj))); + } + if (isBigInt(obj)) { + return markBoxed(inspect(bigIntValueOf.call(obj))); + } + if (isBoolean(obj)) { + return markBoxed(booleanValueOf.call(obj)); + } + if (isString(obj)) { + return markBoxed(inspect(String(obj))); + } + if (!isDate(obj) && !isRegExp(obj)) { + var ys = arrObjKeys(obj, inspect); + var isPlainObject = gPO ? gPO(obj) === Object.prototype : obj instanceof Object || obj.constructor === Object; + var protoTag = obj instanceof Object ? '' : 'null prototype'; + var stringTag = !isPlainObject && toStringTag && Object(obj) === obj && toStringTag in obj ? $slice.call(toStr(obj), 8, -1) : protoTag ? 'Object' : ''; + var constructorTag = isPlainObject || typeof obj.constructor !== 'function' ? '' : obj.constructor.name ? obj.constructor.name + ' ' : ''; + var tag = constructorTag + (stringTag || protoTag ? '[' + $join.call($concat.call([], stringTag || [], protoTag || []), ': ') + '] ' : ''); + if (ys.length === 0) { return tag + '{}'; } + if (indent) { + return tag + '{' + indentedJoin(ys, indent) + '}'; + } + return tag + '{ ' + $join.call(ys, ', ') + ' }'; + } + return String(obj); +}; + +function wrapQuotes(s, defaultStyle, opts) { + var quoteChar = (opts.quoteStyle || defaultStyle) === 'double' ? '"' : "'"; + return quoteChar + s + quoteChar; +} + +function quote(s) { + return $replace.call(String(s), /"/g, '"'); +} + +function isArray(obj) { return toStr(obj) === '[object Array]' && (!toStringTag || !(typeof obj === 'object' && toStringTag in obj)); } +function isDate(obj) { return toStr(obj) === '[object Date]' && (!toStringTag || !(typeof obj === 'object' && toStringTag in obj)); } +function isRegExp(obj) { return toStr(obj) === '[object RegExp]' && (!toStringTag || !(typeof obj === 'object' && toStringTag in obj)); } +function isError(obj) { return toStr(obj) === '[object Error]' && (!toStringTag || !(typeof obj === 'object' && toStringTag in obj)); } +function isString(obj) { return toStr(obj) === '[object String]' && (!toStringTag || !(typeof obj === 'object' && toStringTag in obj)); } +function isNumber(obj) { return toStr(obj) === '[object Number]' && (!toStringTag || !(typeof obj === 'object' && toStringTag in obj)); } +function isBoolean(obj) { return toStr(obj) === '[object Boolean]' && (!toStringTag || !(typeof obj === 'object' && toStringTag in obj)); } + +// Symbol and BigInt do have Symbol.toStringTag by spec, so that can't be used to eliminate false positives +function isSymbol(obj) { + if (hasShammedSymbols) { + return obj && typeof obj === 'object' && obj instanceof Symbol; + } + if (typeof obj === 'symbol') { + return true; + } + if (!obj || typeof obj !== 'object' || !symToString) { + return false; + } + try { + symToString.call(obj); + return true; + } catch (e) {} + return false; +} + +function isBigInt(obj) { + if (!obj || typeof obj !== 'object' || !bigIntValueOf) { + return false; + } + try { + bigIntValueOf.call(obj); + return true; + } catch (e) {} + return false; +} + +var hasOwn = Object.prototype.hasOwnProperty || function (key) { return key in this; }; +function has(obj, key) { + return hasOwn.call(obj, key); +} + +function toStr(obj) { + return objectToString.call(obj); +} + +function nameOf(f) { + if (f.name) { return f.name; } + var m = $match.call(functionToString.call(f), /^function\s*([\w$]+)/); + if (m) { return m[1]; } + return null; +} + +function indexOf(xs, x) { + if (xs.indexOf) { return xs.indexOf(x); } + for (var i = 0, l = xs.length; i < l; i++) { + if (xs[i] === x) { return i; } + } + return -1; +} + +function isMap(x) { + if (!mapSize || !x || typeof x !== 'object') { + return false; + } + try { + mapSize.call(x); + try { + setSize.call(x); + } catch (s) { + return true; + } + return x instanceof Map; // core-js workaround, pre-v2.5.0 + } catch (e) {} + return false; +} + +function isWeakMap(x) { + if (!weakMapHas || !x || typeof x !== 'object') { + return false; + } + try { + weakMapHas.call(x, weakMapHas); + try { + weakSetHas.call(x, weakSetHas); + } catch (s) { + return true; + } + return x instanceof WeakMap; // core-js workaround, pre-v2.5.0 + } catch (e) {} + return false; +} + +function isWeakRef(x) { + if (!weakRefDeref || !x || typeof x !== 'object') { + return false; + } + try { + weakRefDeref.call(x); + return true; + } catch (e) {} + return false; +} + +function isSet(x) { + if (!setSize || !x || typeof x !== 'object') { + return false; + } + try { + setSize.call(x); + try { + mapSize.call(x); + } catch (m) { + return true; + } + return x instanceof Set; // core-js workaround, pre-v2.5.0 + } catch (e) {} + return false; +} + +function isWeakSet(x) { + if (!weakSetHas || !x || typeof x !== 'object') { + return false; + } + try { + weakSetHas.call(x, weakSetHas); + try { + weakMapHas.call(x, weakMapHas); + } catch (s) { + return true; + } + return x instanceof WeakSet; // core-js workaround, pre-v2.5.0 + } catch (e) {} + return false; +} + +function isElement(x) { + if (!x || typeof x !== 'object') { return false; } + if (typeof HTMLElement !== 'undefined' && x instanceof HTMLElement) { + return true; + } + return typeof x.nodeName === 'string' && typeof x.getAttribute === 'function'; +} + +function inspectString(str, opts) { + if (str.length > opts.maxStringLength) { + var remaining = str.length - opts.maxStringLength; + var trailer = '... ' + remaining + ' more character' + (remaining > 1 ? 's' : ''); + return inspectString($slice.call(str, 0, opts.maxStringLength), opts) + trailer; + } + // eslint-disable-next-line no-control-regex + var s = $replace.call($replace.call(str, /(['\\])/g, '\\$1'), /[\x00-\x1f]/g, lowbyte); + return wrapQuotes(s, 'single', opts); +} + +function lowbyte(c) { + var n = c.charCodeAt(0); + var x = { + 8: 'b', + 9: 't', + 10: 'n', + 12: 'f', + 13: 'r' + }[n]; + if (x) { return '\\' + x; } + return '\\x' + (n < 0x10 ? '0' : '') + $toUpperCase.call(n.toString(16)); +} + +function markBoxed(str) { + return 'Object(' + str + ')'; +} + +function weakCollectionOf(type) { + return type + ' { ? }'; +} + +function collectionOf(type, size, entries, indent) { + var joinedEntries = indent ? indentedJoin(entries, indent) : $join.call(entries, ', '); + return type + ' (' + size + ') {' + joinedEntries + '}'; +} + +function singleLineValues(xs) { + for (var i = 0; i < xs.length; i++) { + if (indexOf(xs[i], '\n') >= 0) { + return false; + } + } + return true; +} + +function getIndent(opts, depth) { + var baseIndent; + if (opts.indent === '\t') { + baseIndent = '\t'; + } else if (typeof opts.indent === 'number' && opts.indent > 0) { + baseIndent = $join.call(Array(opts.indent + 1), ' '); + } else { + return null; + } + return { + base: baseIndent, + prev: $join.call(Array(depth + 1), baseIndent) + }; +} + +function indentedJoin(xs, indent) { + if (xs.length === 0) { return ''; } + var lineJoiner = '\n' + indent.prev + indent.base; + return lineJoiner + $join.call(xs, ',' + lineJoiner) + '\n' + indent.prev; +} + +function arrObjKeys(obj, inspect) { + var isArr = isArray(obj); + var xs = []; + if (isArr) { + xs.length = obj.length; + for (var i = 0; i < obj.length; i++) { + xs[i] = has(obj, i) ? inspect(obj[i], obj) : ''; + } + } + var syms = typeof gOPS === 'function' ? gOPS(obj) : []; + var symMap; + if (hasShammedSymbols) { + symMap = {}; + for (var k = 0; k < syms.length; k++) { + symMap['$' + syms[k]] = syms[k]; + } + } + + for (var key in obj) { // eslint-disable-line no-restricted-syntax + if (!has(obj, key)) { continue; } // eslint-disable-line no-restricted-syntax, no-continue + if (isArr && String(Number(key)) === key && key < obj.length) { continue; } // eslint-disable-line no-restricted-syntax, no-continue + if (hasShammedSymbols && symMap['$' + key] instanceof Symbol) { + // this is to prevent shammed Symbols, which are stored as strings, from being included in the string key section + continue; // eslint-disable-line no-restricted-syntax, no-continue + } else if ($test.call(/[^\w$]/, key)) { + xs.push(inspect(key, obj) + ': ' + inspect(obj[key], obj)); + } else { + xs.push(key + ': ' + inspect(obj[key], obj)); + } + } + if (typeof gOPS === 'function') { + for (var j = 0; j < syms.length; j++) { + if (isEnumerable.call(obj, syms[j])) { + xs.push('[' + inspect(syms[j]) + ']: ' + inspect(obj[syms[j]], obj)); + } + } + } + return xs; +} + +},{"./util.inspect":6}],16:[function(require,module,exports){ +'use strict'; + +var GetIntrinsic = require('get-intrinsic'); +var callBound = require('call-bind/callBound'); +var inspect = require('object-inspect'); + +var $TypeError = GetIntrinsic('%TypeError%'); +var $WeakMap = GetIntrinsic('%WeakMap%', true); +var $Map = GetIntrinsic('%Map%', true); + +var $weakMapGet = callBound('WeakMap.prototype.get', true); +var $weakMapSet = callBound('WeakMap.prototype.set', true); +var $weakMapHas = callBound('WeakMap.prototype.has', true); +var $mapGet = callBound('Map.prototype.get', true); +var $mapSet = callBound('Map.prototype.set', true); +var $mapHas = callBound('Map.prototype.has', true); + +/* + * This function traverses the list returning the node corresponding to the + * given key. + * + * That node is also moved to the head of the list, so that if it's accessed + * again we don't need to traverse the whole list. By doing so, all the recently + * used nodes can be accessed relatively quickly. + */ +var listGetNode = function (list, key) { // eslint-disable-line consistent-return + for (var prev = list, curr; (curr = prev.next) !== null; prev = curr) { + if (curr.key === key) { + prev.next = curr.next; + curr.next = list.next; + list.next = curr; // eslint-disable-line no-param-reassign + return curr; + } + } +}; + +var listGet = function (objects, key) { + var node = listGetNode(objects, key); + return node && node.value; +}; +var listSet = function (objects, key, value) { + var node = listGetNode(objects, key); + if (node) { + node.value = value; + } else { + // Prepend the new node to the beginning of the list + objects.next = { // eslint-disable-line no-param-reassign + key: key, + next: objects.next, + value: value + }; + } +}; +var listHas = function (objects, key) { + return !!listGetNode(objects, key); +}; + +module.exports = function getSideChannel() { + var $wm; + var $m; + var $o; + var channel = { + assert: function (key) { + if (!channel.has(key)) { + throw new $TypeError('Side channel does not contain ' + inspect(key)); + } + }, + get: function (key) { // eslint-disable-line consistent-return + if ($WeakMap && key && (typeof key === 'object' || typeof key === 'function')) { + if ($wm) { + return $weakMapGet($wm, key); + } + } else if ($Map) { + if ($m) { + return $mapGet($m, key); + } + } else { + if ($o) { // eslint-disable-line no-lonely-if + return listGet($o, key); + } + } + }, + has: function (key) { + if ($WeakMap && key && (typeof key === 'object' || typeof key === 'function')) { + if ($wm) { + return $weakMapHas($wm, key); + } + } else if ($Map) { + if ($m) { + return $mapHas($m, key); + } + } else { + if ($o) { // eslint-disable-line no-lonely-if + return listHas($o, key); + } + } + return false; + }, + set: function (key, value) { + if ($WeakMap && key && (typeof key === 'object' || typeof key === 'function')) { + if (!$wm) { + $wm = new $WeakMap(); + } + $weakMapSet($wm, key, value); + } else if ($Map) { + if (!$m) { + $m = new $Map(); + } + $mapSet($m, key, value); + } else { + if (!$o) { + /* + * Initialize the linked list as an empty node, so that we don't have + * to special-case handling of the first node: we can always refer to + * it as (previous node).next, instead of something like (list).head + */ + $o = { key: {}, next: null }; + } + listSet($o, key, value); + } + } + }; + return channel; +}; + +},{"call-bind/callBound":7,"get-intrinsic":11,"object-inspect":15}]},{},[2])(2) +}); diff --git a/node_modules/body-parser/node_modules/qs/lib/formats.js b/node_modules/body-parser/node_modules/qs/lib/formats.js new file mode 100644 index 0000000..f36cf20 --- /dev/null +++ b/node_modules/body-parser/node_modules/qs/lib/formats.js @@ -0,0 +1,23 @@ +'use strict'; + +var replace = String.prototype.replace; +var percentTwenties = /%20/g; + +var Format = { + RFC1738: 'RFC1738', + RFC3986: 'RFC3986' +}; + +module.exports = { + 'default': Format.RFC3986, + formatters: { + RFC1738: function (value) { + return replace.call(value, percentTwenties, '+'); + }, + RFC3986: function (value) { + return String(value); + } + }, + RFC1738: Format.RFC1738, + RFC3986: Format.RFC3986 +}; diff --git a/node_modules/body-parser/node_modules/qs/lib/index.js b/node_modules/body-parser/node_modules/qs/lib/index.js new file mode 100644 index 0000000..0d6a97d --- /dev/null +++ b/node_modules/body-parser/node_modules/qs/lib/index.js @@ -0,0 +1,11 @@ +'use strict'; + +var stringify = require('./stringify'); +var parse = require('./parse'); +var formats = require('./formats'); + +module.exports = { + formats: formats, + parse: parse, + stringify: stringify +}; diff --git a/node_modules/body-parser/node_modules/qs/lib/parse.js b/node_modules/body-parser/node_modules/qs/lib/parse.js new file mode 100644 index 0000000..a4ac4fa --- /dev/null +++ b/node_modules/body-parser/node_modules/qs/lib/parse.js @@ -0,0 +1,263 @@ +'use strict'; + +var utils = require('./utils'); + +var has = Object.prototype.hasOwnProperty; +var isArray = Array.isArray; + +var defaults = { + allowDots: false, + allowPrototypes: false, + allowSparse: false, + arrayLimit: 20, + charset: 'utf-8', + charsetSentinel: false, + comma: false, + decoder: utils.decode, + delimiter: '&', + depth: 5, + ignoreQueryPrefix: false, + interpretNumericEntities: false, + parameterLimit: 1000, + parseArrays: true, + plainObjects: false, + strictNullHandling: false +}; + +var interpretNumericEntities = function (str) { + return str.replace(/&#(\d+);/g, function ($0, numberStr) { + return String.fromCharCode(parseInt(numberStr, 10)); + }); +}; + +var parseArrayValue = function (val, options) { + if (val && typeof val === 'string' && options.comma && val.indexOf(',') > -1) { + return val.split(','); + } + + return val; +}; + +// This is what browsers will submit when the ✓ character occurs in an +// application/x-www-form-urlencoded body and the encoding of the page containing +// the form is iso-8859-1, or when the submitted form has an accept-charset +// attribute of iso-8859-1. Presumably also with other charsets that do not contain +// the ✓ character, such as us-ascii. +var isoSentinel = 'utf8=%26%2310003%3B'; // encodeURIComponent('✓') + +// These are the percent-encoded utf-8 octets representing a checkmark, indicating that the request actually is utf-8 encoded. +var charsetSentinel = 'utf8=%E2%9C%93'; // encodeURIComponent('✓') + +var parseValues = function parseQueryStringValues(str, options) { + var obj = {}; + var cleanStr = options.ignoreQueryPrefix ? str.replace(/^\?/, '') : str; + var limit = options.parameterLimit === Infinity ? undefined : options.parameterLimit; + var parts = cleanStr.split(options.delimiter, limit); + var skipIndex = -1; // Keep track of where the utf8 sentinel was found + var i; + + var charset = options.charset; + if (options.charsetSentinel) { + for (i = 0; i < parts.length; ++i) { + if (parts[i].indexOf('utf8=') === 0) { + if (parts[i] === charsetSentinel) { + charset = 'utf-8'; + } else if (parts[i] === isoSentinel) { + charset = 'iso-8859-1'; + } + skipIndex = i; + i = parts.length; // The eslint settings do not allow break; + } + } + } + + for (i = 0; i < parts.length; ++i) { + if (i === skipIndex) { + continue; + } + var part = parts[i]; + + var bracketEqualsPos = part.indexOf(']='); + var pos = bracketEqualsPos === -1 ? part.indexOf('=') : bracketEqualsPos + 1; + + var key, val; + if (pos === -1) { + key = options.decoder(part, defaults.decoder, charset, 'key'); + val = options.strictNullHandling ? null : ''; + } else { + key = options.decoder(part.slice(0, pos), defaults.decoder, charset, 'key'); + val = utils.maybeMap( + parseArrayValue(part.slice(pos + 1), options), + function (encodedVal) { + return options.decoder(encodedVal, defaults.decoder, charset, 'value'); + } + ); + } + + if (val && options.interpretNumericEntities && charset === 'iso-8859-1') { + val = interpretNumericEntities(val); + } + + if (part.indexOf('[]=') > -1) { + val = isArray(val) ? [val] : val; + } + + if (has.call(obj, key)) { + obj[key] = utils.combine(obj[key], val); + } else { + obj[key] = val; + } + } + + return obj; +}; + +var parseObject = function (chain, val, options, valuesParsed) { + var leaf = valuesParsed ? val : parseArrayValue(val, options); + + for (var i = chain.length - 1; i >= 0; --i) { + var obj; + var root = chain[i]; + + if (root === '[]' && options.parseArrays) { + obj = [].concat(leaf); + } else { + obj = options.plainObjects ? Object.create(null) : {}; + var cleanRoot = root.charAt(0) === '[' && root.charAt(root.length - 1) === ']' ? root.slice(1, -1) : root; + var index = parseInt(cleanRoot, 10); + if (!options.parseArrays && cleanRoot === '') { + obj = { 0: leaf }; + } else if ( + !isNaN(index) + && root !== cleanRoot + && String(index) === cleanRoot + && index >= 0 + && (options.parseArrays && index <= options.arrayLimit) + ) { + obj = []; + obj[index] = leaf; + } else if (cleanRoot !== '__proto__') { + obj[cleanRoot] = leaf; + } + } + + leaf = obj; + } + + return leaf; +}; + +var parseKeys = function parseQueryStringKeys(givenKey, val, options, valuesParsed) { + if (!givenKey) { + return; + } + + // Transform dot notation to bracket notation + var key = options.allowDots ? givenKey.replace(/\.([^.[]+)/g, '[$1]') : givenKey; + + // The regex chunks + + var brackets = /(\[[^[\]]*])/; + var child = /(\[[^[\]]*])/g; + + // Get the parent + + var segment = options.depth > 0 && brackets.exec(key); + var parent = segment ? key.slice(0, segment.index) : key; + + // Stash the parent if it exists + + var keys = []; + if (parent) { + // If we aren't using plain objects, optionally prefix keys that would overwrite object prototype properties + if (!options.plainObjects && has.call(Object.prototype, parent)) { + if (!options.allowPrototypes) { + return; + } + } + + keys.push(parent); + } + + // Loop through children appending to the array until we hit depth + + var i = 0; + while (options.depth > 0 && (segment = child.exec(key)) !== null && i < options.depth) { + i += 1; + if (!options.plainObjects && has.call(Object.prototype, segment[1].slice(1, -1))) { + if (!options.allowPrototypes) { + return; + } + } + keys.push(segment[1]); + } + + // If there's a remainder, just add whatever is left + + if (segment) { + keys.push('[' + key.slice(segment.index) + ']'); + } + + return parseObject(keys, val, options, valuesParsed); +}; + +var normalizeParseOptions = function normalizeParseOptions(opts) { + if (!opts) { + return defaults; + } + + if (opts.decoder !== null && opts.decoder !== undefined && typeof opts.decoder !== 'function') { + throw new TypeError('Decoder has to be a function.'); + } + + if (typeof opts.charset !== 'undefined' && opts.charset !== 'utf-8' && opts.charset !== 'iso-8859-1') { + throw new TypeError('The charset option must be either utf-8, iso-8859-1, or undefined'); + } + var charset = typeof opts.charset === 'undefined' ? defaults.charset : opts.charset; + + return { + allowDots: typeof opts.allowDots === 'undefined' ? defaults.allowDots : !!opts.allowDots, + allowPrototypes: typeof opts.allowPrototypes === 'boolean' ? opts.allowPrototypes : defaults.allowPrototypes, + allowSparse: typeof opts.allowSparse === 'boolean' ? opts.allowSparse : defaults.allowSparse, + arrayLimit: typeof opts.arrayLimit === 'number' ? opts.arrayLimit : defaults.arrayLimit, + charset: charset, + charsetSentinel: typeof opts.charsetSentinel === 'boolean' ? opts.charsetSentinel : defaults.charsetSentinel, + comma: typeof opts.comma === 'boolean' ? opts.comma : defaults.comma, + decoder: typeof opts.decoder === 'function' ? opts.decoder : defaults.decoder, + delimiter: typeof opts.delimiter === 'string' || utils.isRegExp(opts.delimiter) ? opts.delimiter : defaults.delimiter, + // eslint-disable-next-line no-implicit-coercion, no-extra-parens + depth: (typeof opts.depth === 'number' || opts.depth === false) ? +opts.depth : defaults.depth, + ignoreQueryPrefix: opts.ignoreQueryPrefix === true, + interpretNumericEntities: typeof opts.interpretNumericEntities === 'boolean' ? opts.interpretNumericEntities : defaults.interpretNumericEntities, + parameterLimit: typeof opts.parameterLimit === 'number' ? opts.parameterLimit : defaults.parameterLimit, + parseArrays: opts.parseArrays !== false, + plainObjects: typeof opts.plainObjects === 'boolean' ? opts.plainObjects : defaults.plainObjects, + strictNullHandling: typeof opts.strictNullHandling === 'boolean' ? opts.strictNullHandling : defaults.strictNullHandling + }; +}; + +module.exports = function (str, opts) { + var options = normalizeParseOptions(opts); + + if (str === '' || str === null || typeof str === 'undefined') { + return options.plainObjects ? Object.create(null) : {}; + } + + var tempObj = typeof str === 'string' ? parseValues(str, options) : str; + var obj = options.plainObjects ? Object.create(null) : {}; + + // Iterate over the keys and setup the new object + + var keys = Object.keys(tempObj); + for (var i = 0; i < keys.length; ++i) { + var key = keys[i]; + var newObj = parseKeys(key, tempObj[key], options, typeof str === 'string'); + obj = utils.merge(obj, newObj, options); + } + + if (options.allowSparse === true) { + return obj; + } + + return utils.compact(obj); +}; diff --git a/node_modules/body-parser/node_modules/qs/lib/stringify.js b/node_modules/body-parser/node_modules/qs/lib/stringify.js new file mode 100644 index 0000000..48ec030 --- /dev/null +++ b/node_modules/body-parser/node_modules/qs/lib/stringify.js @@ -0,0 +1,326 @@ +'use strict'; + +var getSideChannel = require('side-channel'); +var utils = require('./utils'); +var formats = require('./formats'); +var has = Object.prototype.hasOwnProperty; + +var arrayPrefixGenerators = { + brackets: function brackets(prefix) { + return prefix + '[]'; + }, + comma: 'comma', + indices: function indices(prefix, key) { + return prefix + '[' + key + ']'; + }, + repeat: function repeat(prefix) { + return prefix; + } +}; + +var isArray = Array.isArray; +var split = String.prototype.split; +var push = Array.prototype.push; +var pushToArray = function (arr, valueOrArray) { + push.apply(arr, isArray(valueOrArray) ? valueOrArray : [valueOrArray]); +}; + +var toISO = Date.prototype.toISOString; + +var defaultFormat = formats['default']; +var defaults = { + addQueryPrefix: false, + allowDots: false, + charset: 'utf-8', + charsetSentinel: false, + delimiter: '&', + encode: true, + encoder: utils.encode, + encodeValuesOnly: false, + format: defaultFormat, + formatter: formats.formatters[defaultFormat], + // deprecated + indices: false, + serializeDate: function serializeDate(date) { + return toISO.call(date); + }, + skipNulls: false, + strictNullHandling: false +}; + +var isNonNullishPrimitive = function isNonNullishPrimitive(v) { + return typeof v === 'string' + || typeof v === 'number' + || typeof v === 'boolean' + || typeof v === 'symbol' + || typeof v === 'bigint'; +}; + +var sentinel = {}; + +var stringify = function stringify( + object, + prefix, + generateArrayPrefix, + commaRoundTrip, + strictNullHandling, + skipNulls, + encoder, + filter, + sort, + allowDots, + serializeDate, + format, + formatter, + encodeValuesOnly, + charset, + sideChannel +) { + var obj = object; + + var tmpSc = sideChannel; + var step = 0; + var findFlag = false; + while ((tmpSc = tmpSc.get(sentinel)) !== void undefined && !findFlag) { + // Where object last appeared in the ref tree + var pos = tmpSc.get(object); + step += 1; + if (typeof pos !== 'undefined') { + if (pos === step) { + throw new RangeError('Cyclic object value'); + } else { + findFlag = true; // Break while + } + } + if (typeof tmpSc.get(sentinel) === 'undefined') { + step = 0; + } + } + + if (typeof filter === 'function') { + obj = filter(prefix, obj); + } else if (obj instanceof Date) { + obj = serializeDate(obj); + } else if (generateArrayPrefix === 'comma' && isArray(obj)) { + obj = utils.maybeMap(obj, function (value) { + if (value instanceof Date) { + return serializeDate(value); + } + return value; + }); + } + + if (obj === null) { + if (strictNullHandling) { + return encoder && !encodeValuesOnly ? encoder(prefix, defaults.encoder, charset, 'key', format) : prefix; + } + + obj = ''; + } + + if (isNonNullishPrimitive(obj) || utils.isBuffer(obj)) { + if (encoder) { + var keyValue = encodeValuesOnly ? prefix : encoder(prefix, defaults.encoder, charset, 'key', format); + if (generateArrayPrefix === 'comma' && encodeValuesOnly) { + var valuesArray = split.call(String(obj), ','); + var valuesJoined = ''; + for (var i = 0; i < valuesArray.length; ++i) { + valuesJoined += (i === 0 ? '' : ',') + formatter(encoder(valuesArray[i], defaults.encoder, charset, 'value', format)); + } + return [formatter(keyValue) + (commaRoundTrip && isArray(obj) && valuesArray.length === 1 ? '[]' : '') + '=' + valuesJoined]; + } + return [formatter(keyValue) + '=' + formatter(encoder(obj, defaults.encoder, charset, 'value', format))]; + } + return [formatter(prefix) + '=' + formatter(String(obj))]; + } + + var values = []; + + if (typeof obj === 'undefined') { + return values; + } + + var objKeys; + if (generateArrayPrefix === 'comma' && isArray(obj)) { + // we need to join elements in + objKeys = [{ value: obj.length > 0 ? obj.join(',') || null : void undefined }]; + } else if (isArray(filter)) { + objKeys = filter; + } else { + var keys = Object.keys(obj); + objKeys = sort ? keys.sort(sort) : keys; + } + + var adjustedPrefix = commaRoundTrip && isArray(obj) && obj.length === 1 ? prefix + '[]' : prefix; + + for (var j = 0; j < objKeys.length; ++j) { + var key = objKeys[j]; + var value = typeof key === 'object' && typeof key.value !== 'undefined' ? key.value : obj[key]; + + if (skipNulls && value === null) { + continue; + } + + var keyPrefix = isArray(obj) + ? typeof generateArrayPrefix === 'function' ? generateArrayPrefix(adjustedPrefix, key) : adjustedPrefix + : adjustedPrefix + (allowDots ? '.' + key : '[' + key + ']'); + + sideChannel.set(object, step); + var valueSideChannel = getSideChannel(); + valueSideChannel.set(sentinel, sideChannel); + pushToArray(values, stringify( + value, + keyPrefix, + generateArrayPrefix, + commaRoundTrip, + strictNullHandling, + skipNulls, + encoder, + filter, + sort, + allowDots, + serializeDate, + format, + formatter, + encodeValuesOnly, + charset, + valueSideChannel + )); + } + + return values; +}; + +var normalizeStringifyOptions = function normalizeStringifyOptions(opts) { + if (!opts) { + return defaults; + } + + if (opts.encoder !== null && typeof opts.encoder !== 'undefined' && typeof opts.encoder !== 'function') { + throw new TypeError('Encoder has to be a function.'); + } + + var charset = opts.charset || defaults.charset; + if (typeof opts.charset !== 'undefined' && opts.charset !== 'utf-8' && opts.charset !== 'iso-8859-1') { + throw new TypeError('The charset option must be either utf-8, iso-8859-1, or undefined'); + } + + var format = formats['default']; + if (typeof opts.format !== 'undefined') { + if (!has.call(formats.formatters, opts.format)) { + throw new TypeError('Unknown format option provided.'); + } + format = opts.format; + } + var formatter = formats.formatters[format]; + + var filter = defaults.filter; + if (typeof opts.filter === 'function' || isArray(opts.filter)) { + filter = opts.filter; + } + + return { + addQueryPrefix: typeof opts.addQueryPrefix === 'boolean' ? opts.addQueryPrefix : defaults.addQueryPrefix, + allowDots: typeof opts.allowDots === 'undefined' ? defaults.allowDots : !!opts.allowDots, + charset: charset, + charsetSentinel: typeof opts.charsetSentinel === 'boolean' ? opts.charsetSentinel : defaults.charsetSentinel, + delimiter: typeof opts.delimiter === 'undefined' ? defaults.delimiter : opts.delimiter, + encode: typeof opts.encode === 'boolean' ? opts.encode : defaults.encode, + encoder: typeof opts.encoder === 'function' ? opts.encoder : defaults.encoder, + encodeValuesOnly: typeof opts.encodeValuesOnly === 'boolean' ? opts.encodeValuesOnly : defaults.encodeValuesOnly, + filter: filter, + format: format, + formatter: formatter, + serializeDate: typeof opts.serializeDate === 'function' ? opts.serializeDate : defaults.serializeDate, + skipNulls: typeof opts.skipNulls === 'boolean' ? opts.skipNulls : defaults.skipNulls, + sort: typeof opts.sort === 'function' ? opts.sort : null, + strictNullHandling: typeof opts.strictNullHandling === 'boolean' ? opts.strictNullHandling : defaults.strictNullHandling + }; +}; + +module.exports = function (object, opts) { + var obj = object; + var options = normalizeStringifyOptions(opts); + + var objKeys; + var filter; + + if (typeof options.filter === 'function') { + filter = options.filter; + obj = filter('', obj); + } else if (isArray(options.filter)) { + filter = options.filter; + objKeys = filter; + } + + var keys = []; + + if (typeof obj !== 'object' || obj === null) { + return ''; + } + + var arrayFormat; + if (opts && opts.arrayFormat in arrayPrefixGenerators) { + arrayFormat = opts.arrayFormat; + } else if (opts && 'indices' in opts) { + arrayFormat = opts.indices ? 'indices' : 'repeat'; + } else { + arrayFormat = 'indices'; + } + + var generateArrayPrefix = arrayPrefixGenerators[arrayFormat]; + if (opts && 'commaRoundTrip' in opts && typeof opts.commaRoundTrip !== 'boolean') { + throw new TypeError('`commaRoundTrip` must be a boolean, or absent'); + } + var commaRoundTrip = generateArrayPrefix === 'comma' && opts && opts.commaRoundTrip; + + if (!objKeys) { + objKeys = Object.keys(obj); + } + + if (options.sort) { + objKeys.sort(options.sort); + } + + var sideChannel = getSideChannel(); + for (var i = 0; i < objKeys.length; ++i) { + var key = objKeys[i]; + + if (options.skipNulls && obj[key] === null) { + continue; + } + pushToArray(keys, stringify( + obj[key], + key, + generateArrayPrefix, + commaRoundTrip, + options.strictNullHandling, + options.skipNulls, + options.encode ? options.encoder : null, + options.filter, + options.sort, + options.allowDots, + options.serializeDate, + options.format, + options.formatter, + options.encodeValuesOnly, + options.charset, + sideChannel + )); + } + + var joined = keys.join(options.delimiter); + var prefix = options.addQueryPrefix === true ? '?' : ''; + + if (options.charsetSentinel) { + if (options.charset === 'iso-8859-1') { + // encodeURIComponent('✓'), the "numeric entity" representation of a checkmark + prefix += 'utf8=%26%2310003%3B&'; + } else { + // encodeURIComponent('✓') + prefix += 'utf8=%E2%9C%93&'; + } + } + + return joined.length > 0 ? prefix + joined : ''; +}; diff --git a/node_modules/body-parser/node_modules/qs/lib/utils.js b/node_modules/body-parser/node_modules/qs/lib/utils.js new file mode 100644 index 0000000..1e54538 --- /dev/null +++ b/node_modules/body-parser/node_modules/qs/lib/utils.js @@ -0,0 +1,252 @@ +'use strict'; + +var formats = require('./formats'); + +var has = Object.prototype.hasOwnProperty; +var isArray = Array.isArray; + +var hexTable = (function () { + var array = []; + for (var i = 0; i < 256; ++i) { + array.push('%' + ((i < 16 ? '0' : '') + i.toString(16)).toUpperCase()); + } + + return array; +}()); + +var compactQueue = function compactQueue(queue) { + while (queue.length > 1) { + var item = queue.pop(); + var obj = item.obj[item.prop]; + + if (isArray(obj)) { + var compacted = []; + + for (var j = 0; j < obj.length; ++j) { + if (typeof obj[j] !== 'undefined') { + compacted.push(obj[j]); + } + } + + item.obj[item.prop] = compacted; + } + } +}; + +var arrayToObject = function arrayToObject(source, options) { + var obj = options && options.plainObjects ? Object.create(null) : {}; + for (var i = 0; i < source.length; ++i) { + if (typeof source[i] !== 'undefined') { + obj[i] = source[i]; + } + } + + return obj; +}; + +var merge = function merge(target, source, options) { + /* eslint no-param-reassign: 0 */ + if (!source) { + return target; + } + + if (typeof source !== 'object') { + if (isArray(target)) { + target.push(source); + } else if (target && typeof target === 'object') { + if ((options && (options.plainObjects || options.allowPrototypes)) || !has.call(Object.prototype, source)) { + target[source] = true; + } + } else { + return [target, source]; + } + + return target; + } + + if (!target || typeof target !== 'object') { + return [target].concat(source); + } + + var mergeTarget = target; + if (isArray(target) && !isArray(source)) { + mergeTarget = arrayToObject(target, options); + } + + if (isArray(target) && isArray(source)) { + source.forEach(function (item, i) { + if (has.call(target, i)) { + var targetItem = target[i]; + if (targetItem && typeof targetItem === 'object' && item && typeof item === 'object') { + target[i] = merge(targetItem, item, options); + } else { + target.push(item); + } + } else { + target[i] = item; + } + }); + return target; + } + + return Object.keys(source).reduce(function (acc, key) { + var value = source[key]; + + if (has.call(acc, key)) { + acc[key] = merge(acc[key], value, options); + } else { + acc[key] = value; + } + return acc; + }, mergeTarget); +}; + +var assign = function assignSingleSource(target, source) { + return Object.keys(source).reduce(function (acc, key) { + acc[key] = source[key]; + return acc; + }, target); +}; + +var decode = function (str, decoder, charset) { + var strWithoutPlus = str.replace(/\+/g, ' '); + if (charset === 'iso-8859-1') { + // unescape never throws, no try...catch needed: + return strWithoutPlus.replace(/%[0-9a-f]{2}/gi, unescape); + } + // utf-8 + try { + return decodeURIComponent(strWithoutPlus); + } catch (e) { + return strWithoutPlus; + } +}; + +var encode = function encode(str, defaultEncoder, charset, kind, format) { + // This code was originally written by Brian White (mscdex) for the io.js core querystring library. + // It has been adapted here for stricter adherence to RFC 3986 + if (str.length === 0) { + return str; + } + + var string = str; + if (typeof str === 'symbol') { + string = Symbol.prototype.toString.call(str); + } else if (typeof str !== 'string') { + string = String(str); + } + + if (charset === 'iso-8859-1') { + return escape(string).replace(/%u[0-9a-f]{4}/gi, function ($0) { + return '%26%23' + parseInt($0.slice(2), 16) + '%3B'; + }); + } + + var out = ''; + for (var i = 0; i < string.length; ++i) { + var c = string.charCodeAt(i); + + if ( + c === 0x2D // - + || c === 0x2E // . + || c === 0x5F // _ + || c === 0x7E // ~ + || (c >= 0x30 && c <= 0x39) // 0-9 + || (c >= 0x41 && c <= 0x5A) // a-z + || (c >= 0x61 && c <= 0x7A) // A-Z + || (format === formats.RFC1738 && (c === 0x28 || c === 0x29)) // ( ) + ) { + out += string.charAt(i); + continue; + } + + if (c < 0x80) { + out = out + hexTable[c]; + continue; + } + + if (c < 0x800) { + out = out + (hexTable[0xC0 | (c >> 6)] + hexTable[0x80 | (c & 0x3F)]); + continue; + } + + if (c < 0xD800 || c >= 0xE000) { + out = out + (hexTable[0xE0 | (c >> 12)] + hexTable[0x80 | ((c >> 6) & 0x3F)] + hexTable[0x80 | (c & 0x3F)]); + continue; + } + + i += 1; + c = 0x10000 + (((c & 0x3FF) << 10) | (string.charCodeAt(i) & 0x3FF)); + /* eslint operator-linebreak: [2, "before"] */ + out += hexTable[0xF0 | (c >> 18)] + + hexTable[0x80 | ((c >> 12) & 0x3F)] + + hexTable[0x80 | ((c >> 6) & 0x3F)] + + hexTable[0x80 | (c & 0x3F)]; + } + + return out; +}; + +var compact = function compact(value) { + var queue = [{ obj: { o: value }, prop: 'o' }]; + var refs = []; + + for (var i = 0; i < queue.length; ++i) { + var item = queue[i]; + var obj = item.obj[item.prop]; + + var keys = Object.keys(obj); + for (var j = 0; j < keys.length; ++j) { + var key = keys[j]; + var val = obj[key]; + if (typeof val === 'object' && val !== null && refs.indexOf(val) === -1) { + queue.push({ obj: obj, prop: key }); + refs.push(val); + } + } + } + + compactQueue(queue); + + return value; +}; + +var isRegExp = function isRegExp(obj) { + return Object.prototype.toString.call(obj) === '[object RegExp]'; +}; + +var isBuffer = function isBuffer(obj) { + if (!obj || typeof obj !== 'object') { + return false; + } + + return !!(obj.constructor && obj.constructor.isBuffer && obj.constructor.isBuffer(obj)); +}; + +var combine = function combine(a, b) { + return [].concat(a, b); +}; + +var maybeMap = function maybeMap(val, fn) { + if (isArray(val)) { + var mapped = []; + for (var i = 0; i < val.length; i += 1) { + mapped.push(fn(val[i])); + } + return mapped; + } + return fn(val); +}; + +module.exports = { + arrayToObject: arrayToObject, + assign: assign, + combine: combine, + compact: compact, + decode: decode, + encode: encode, + isBuffer: isBuffer, + isRegExp: isRegExp, + maybeMap: maybeMap, + merge: merge +}; diff --git a/node_modules/body-parser/node_modules/qs/package.json b/node_modules/body-parser/node_modules/qs/package.json new file mode 100644 index 0000000..2ff42f3 --- /dev/null +++ b/node_modules/body-parser/node_modules/qs/package.json @@ -0,0 +1,77 @@ +{ + "name": "qs", + "description": "A querystring parser that supports nesting and arrays, with a depth limit", + "homepage": "https://github.com/ljharb/qs", + "version": "6.11.0", + "repository": { + "type": "git", + "url": "https://github.com/ljharb/qs.git" + }, + "funding": { + "url": "https://github.com/sponsors/ljharb" + }, + "main": "lib/index.js", + "contributors": [ + { + "name": "Jordan Harband", + "email": "ljharb@gmail.com", + "url": "http://ljharb.codes" + } + ], + "keywords": [ + "querystring", + "qs", + "query", + "url", + "parse", + "stringify" + ], + "engines": { + "node": ">=0.6" + }, + "dependencies": { + "side-channel": "^1.0.4" + }, + "devDependencies": { + "@ljharb/eslint-config": "^21.0.0", + "aud": "^2.0.0", + "browserify": "^16.5.2", + "eclint": "^2.8.1", + "eslint": "=8.8.0", + "evalmd": "^0.0.19", + "for-each": "^0.3.3", + "has-symbols": "^1.0.3", + "iconv-lite": "^0.5.1", + "in-publish": "^2.0.1", + "mkdirp": "^0.5.5", + "npmignore": "^0.3.0", + "nyc": "^10.3.2", + "object-inspect": "^1.12.2", + "qs-iconv": "^1.0.4", + "safe-publish-latest": "^2.0.0", + "safer-buffer": "^2.1.2", + "tape": "^5.5.3" + }, + "scripts": { + "prepack": "npmignore --auto --commentLines=autogenerated", + "prepublishOnly": "safe-publish-latest && npm run dist", + "prepublish": "not-in-publish || npm run prepublishOnly", + "pretest": "npm run --silent readme && npm run --silent lint", + "test": "npm run tests-only", + "tests-only": "nyc tape 'test/**/*.js'", + "posttest": "aud --production", + "readme": "evalmd README.md", + "postlint": "eclint check $(git ls-files | xargs find 2> /dev/null | grep -vE 'node_modules|\\.git' | grep -v dist/)", + "lint": "eslint --ext=js,mjs .", + "dist": "mkdirp dist && browserify --standalone Qs lib/index.js > dist/qs.js" + }, + "license": "BSD-3-Clause", + "publishConfig": { + "ignore": [ + "!dist/*", + "bower.json", + "component.json", + ".github/workflows" + ] + } +} diff --git a/node_modules/body-parser/node_modules/qs/test/parse.js b/node_modules/body-parser/node_modules/qs/test/parse.js new file mode 100644 index 0000000..7d7b4dd --- /dev/null +++ b/node_modules/body-parser/node_modules/qs/test/parse.js @@ -0,0 +1,855 @@ +'use strict'; + +var test = require('tape'); +var qs = require('../'); +var utils = require('../lib/utils'); +var iconv = require('iconv-lite'); +var SaferBuffer = require('safer-buffer').Buffer; + +test('parse()', function (t) { + t.test('parses a simple string', function (st) { + st.deepEqual(qs.parse('0=foo'), { 0: 'foo' }); + st.deepEqual(qs.parse('foo=c++'), { foo: 'c ' }); + st.deepEqual(qs.parse('a[>=]=23'), { a: { '>=': '23' } }); + st.deepEqual(qs.parse('a[<=>]==23'), { a: { '<=>': '=23' } }); + st.deepEqual(qs.parse('a[==]=23'), { a: { '==': '23' } }); + st.deepEqual(qs.parse('foo', { strictNullHandling: true }), { foo: null }); + st.deepEqual(qs.parse('foo'), { foo: '' }); + st.deepEqual(qs.parse('foo='), { foo: '' }); + st.deepEqual(qs.parse('foo=bar'), { foo: 'bar' }); + st.deepEqual(qs.parse(' foo = bar = baz '), { ' foo ': ' bar = baz ' }); + st.deepEqual(qs.parse('foo=bar=baz'), { foo: 'bar=baz' }); + st.deepEqual(qs.parse('foo=bar&bar=baz'), { foo: 'bar', bar: 'baz' }); + st.deepEqual(qs.parse('foo2=bar2&baz2='), { foo2: 'bar2', baz2: '' }); + st.deepEqual(qs.parse('foo=bar&baz', { strictNullHandling: true }), { foo: 'bar', baz: null }); + st.deepEqual(qs.parse('foo=bar&baz'), { foo: 'bar', baz: '' }); + st.deepEqual(qs.parse('cht=p3&chd=t:60,40&chs=250x100&chl=Hello|World'), { + cht: 'p3', + chd: 't:60,40', + chs: '250x100', + chl: 'Hello|World' + }); + st.end(); + }); + + t.test('arrayFormat: brackets allows only explicit arrays', function (st) { + st.deepEqual(qs.parse('a[]=b&a[]=c', { arrayFormat: 'brackets' }), { a: ['b', 'c'] }); + st.deepEqual(qs.parse('a[0]=b&a[1]=c', { arrayFormat: 'brackets' }), { a: ['b', 'c'] }); + st.deepEqual(qs.parse('a=b,c', { arrayFormat: 'brackets' }), { a: 'b,c' }); + st.deepEqual(qs.parse('a=b&a=c', { arrayFormat: 'brackets' }), { a: ['b', 'c'] }); + st.end(); + }); + + t.test('arrayFormat: indices allows only indexed arrays', function (st) { + st.deepEqual(qs.parse('a[]=b&a[]=c', { arrayFormat: 'indices' }), { a: ['b', 'c'] }); + st.deepEqual(qs.parse('a[0]=b&a[1]=c', { arrayFormat: 'indices' }), { a: ['b', 'c'] }); + st.deepEqual(qs.parse('a=b,c', { arrayFormat: 'indices' }), { a: 'b,c' }); + st.deepEqual(qs.parse('a=b&a=c', { arrayFormat: 'indices' }), { a: ['b', 'c'] }); + st.end(); + }); + + t.test('arrayFormat: comma allows only comma-separated arrays', function (st) { + st.deepEqual(qs.parse('a[]=b&a[]=c', { arrayFormat: 'comma' }), { a: ['b', 'c'] }); + st.deepEqual(qs.parse('a[0]=b&a[1]=c', { arrayFormat: 'comma' }), { a: ['b', 'c'] }); + st.deepEqual(qs.parse('a=b,c', { arrayFormat: 'comma' }), { a: 'b,c' }); + st.deepEqual(qs.parse('a=b&a=c', { arrayFormat: 'comma' }), { a: ['b', 'c'] }); + st.end(); + }); + + t.test('arrayFormat: repeat allows only repeated values', function (st) { + st.deepEqual(qs.parse('a[]=b&a[]=c', { arrayFormat: 'repeat' }), { a: ['b', 'c'] }); + st.deepEqual(qs.parse('a[0]=b&a[1]=c', { arrayFormat: 'repeat' }), { a: ['b', 'c'] }); + st.deepEqual(qs.parse('a=b,c', { arrayFormat: 'repeat' }), { a: 'b,c' }); + st.deepEqual(qs.parse('a=b&a=c', { arrayFormat: 'repeat' }), { a: ['b', 'c'] }); + st.end(); + }); + + t.test('allows enabling dot notation', function (st) { + st.deepEqual(qs.parse('a.b=c'), { 'a.b': 'c' }); + st.deepEqual(qs.parse('a.b=c', { allowDots: true }), { a: { b: 'c' } }); + st.end(); + }); + + t.deepEqual(qs.parse('a[b]=c'), { a: { b: 'c' } }, 'parses a single nested string'); + t.deepEqual(qs.parse('a[b][c]=d'), { a: { b: { c: 'd' } } }, 'parses a double nested string'); + t.deepEqual( + qs.parse('a[b][c][d][e][f][g][h]=i'), + { a: { b: { c: { d: { e: { f: { '[g][h]': 'i' } } } } } } }, + 'defaults to a depth of 5' + ); + + t.test('only parses one level when depth = 1', function (st) { + st.deepEqual(qs.parse('a[b][c]=d', { depth: 1 }), { a: { b: { '[c]': 'd' } } }); + st.deepEqual(qs.parse('a[b][c][d]=e', { depth: 1 }), { a: { b: { '[c][d]': 'e' } } }); + st.end(); + }); + + t.test('uses original key when depth = 0', function (st) { + st.deepEqual(qs.parse('a[0]=b&a[1]=c', { depth: 0 }), { 'a[0]': 'b', 'a[1]': 'c' }); + st.deepEqual(qs.parse('a[0][0]=b&a[0][1]=c&a[1]=d&e=2', { depth: 0 }), { 'a[0][0]': 'b', 'a[0][1]': 'c', 'a[1]': 'd', e: '2' }); + st.end(); + }); + + t.test('uses original key when depth = false', function (st) { + st.deepEqual(qs.parse('a[0]=b&a[1]=c', { depth: false }), { 'a[0]': 'b', 'a[1]': 'c' }); + st.deepEqual(qs.parse('a[0][0]=b&a[0][1]=c&a[1]=d&e=2', { depth: false }), { 'a[0][0]': 'b', 'a[0][1]': 'c', 'a[1]': 'd', e: '2' }); + st.end(); + }); + + t.deepEqual(qs.parse('a=b&a=c'), { a: ['b', 'c'] }, 'parses a simple array'); + + t.test('parses an explicit array', function (st) { + st.deepEqual(qs.parse('a[]=b'), { a: ['b'] }); + st.deepEqual(qs.parse('a[]=b&a[]=c'), { a: ['b', 'c'] }); + st.deepEqual(qs.parse('a[]=b&a[]=c&a[]=d'), { a: ['b', 'c', 'd'] }); + st.end(); + }); + + t.test('parses a mix of simple and explicit arrays', function (st) { + st.deepEqual(qs.parse('a=b&a[]=c'), { a: ['b', 'c'] }); + st.deepEqual(qs.parse('a[]=b&a=c'), { a: ['b', 'c'] }); + st.deepEqual(qs.parse('a[0]=b&a=c'), { a: ['b', 'c'] }); + st.deepEqual(qs.parse('a=b&a[0]=c'), { a: ['b', 'c'] }); + + st.deepEqual(qs.parse('a[1]=b&a=c', { arrayLimit: 20 }), { a: ['b', 'c'] }); + st.deepEqual(qs.parse('a[]=b&a=c', { arrayLimit: 0 }), { a: ['b', 'c'] }); + st.deepEqual(qs.parse('a[]=b&a=c'), { a: ['b', 'c'] }); + + st.deepEqual(qs.parse('a=b&a[1]=c', { arrayLimit: 20 }), { a: ['b', 'c'] }); + st.deepEqual(qs.parse('a=b&a[]=c', { arrayLimit: 0 }), { a: ['b', 'c'] }); + st.deepEqual(qs.parse('a=b&a[]=c'), { a: ['b', 'c'] }); + + st.end(); + }); + + t.test('parses a nested array', function (st) { + st.deepEqual(qs.parse('a[b][]=c&a[b][]=d'), { a: { b: ['c', 'd'] } }); + st.deepEqual(qs.parse('a[>=]=25'), { a: { '>=': '25' } }); + st.end(); + }); + + t.test('allows to specify array indices', function (st) { + st.deepEqual(qs.parse('a[1]=c&a[0]=b&a[2]=d'), { a: ['b', 'c', 'd'] }); + st.deepEqual(qs.parse('a[1]=c&a[0]=b'), { a: ['b', 'c'] }); + st.deepEqual(qs.parse('a[1]=c', { arrayLimit: 20 }), { a: ['c'] }); + st.deepEqual(qs.parse('a[1]=c', { arrayLimit: 0 }), { a: { 1: 'c' } }); + st.deepEqual(qs.parse('a[1]=c'), { a: ['c'] }); + st.end(); + }); + + t.test('limits specific array indices to arrayLimit', function (st) { + st.deepEqual(qs.parse('a[20]=a', { arrayLimit: 20 }), { a: ['a'] }); + st.deepEqual(qs.parse('a[21]=a', { arrayLimit: 20 }), { a: { 21: 'a' } }); + + st.deepEqual(qs.parse('a[20]=a'), { a: ['a'] }); + st.deepEqual(qs.parse('a[21]=a'), { a: { 21: 'a' } }); + st.end(); + }); + + t.deepEqual(qs.parse('a[12b]=c'), { a: { '12b': 'c' } }, 'supports keys that begin with a number'); + + t.test('supports encoded = signs', function (st) { + st.deepEqual(qs.parse('he%3Dllo=th%3Dere'), { 'he=llo': 'th=ere' }); + st.end(); + }); + + t.test('is ok with url encoded strings', function (st) { + st.deepEqual(qs.parse('a[b%20c]=d'), { a: { 'b c': 'd' } }); + st.deepEqual(qs.parse('a[b]=c%20d'), { a: { b: 'c d' } }); + st.end(); + }); + + t.test('allows brackets in the value', function (st) { + st.deepEqual(qs.parse('pets=["tobi"]'), { pets: '["tobi"]' }); + st.deepEqual(qs.parse('operators=[">=", "<="]'), { operators: '[">=", "<="]' }); + st.end(); + }); + + t.test('allows empty values', function (st) { + st.deepEqual(qs.parse(''), {}); + st.deepEqual(qs.parse(null), {}); + st.deepEqual(qs.parse(undefined), {}); + st.end(); + }); + + t.test('transforms arrays to objects', function (st) { + st.deepEqual(qs.parse('foo[0]=bar&foo[bad]=baz'), { foo: { 0: 'bar', bad: 'baz' } }); + st.deepEqual(qs.parse('foo[bad]=baz&foo[0]=bar'), { foo: { bad: 'baz', 0: 'bar' } }); + st.deepEqual(qs.parse('foo[bad]=baz&foo[]=bar'), { foo: { bad: 'baz', 0: 'bar' } }); + st.deepEqual(qs.parse('foo[]=bar&foo[bad]=baz'), { foo: { 0: 'bar', bad: 'baz' } }); + st.deepEqual(qs.parse('foo[bad]=baz&foo[]=bar&foo[]=foo'), { foo: { bad: 'baz', 0: 'bar', 1: 'foo' } }); + st.deepEqual(qs.parse('foo[0][a]=a&foo[0][b]=b&foo[1][a]=aa&foo[1][b]=bb'), { foo: [{ a: 'a', b: 'b' }, { a: 'aa', b: 'bb' }] }); + + st.deepEqual(qs.parse('a[]=b&a[t]=u&a[hasOwnProperty]=c', { allowPrototypes: false }), { a: { 0: 'b', t: 'u' } }); + st.deepEqual(qs.parse('a[]=b&a[t]=u&a[hasOwnProperty]=c', { allowPrototypes: true }), { a: { 0: 'b', t: 'u', hasOwnProperty: 'c' } }); + st.deepEqual(qs.parse('a[]=b&a[hasOwnProperty]=c&a[x]=y', { allowPrototypes: false }), { a: { 0: 'b', x: 'y' } }); + st.deepEqual(qs.parse('a[]=b&a[hasOwnProperty]=c&a[x]=y', { allowPrototypes: true }), { a: { 0: 'b', hasOwnProperty: 'c', x: 'y' } }); + st.end(); + }); + + t.test('transforms arrays to objects (dot notation)', function (st) { + st.deepEqual(qs.parse('foo[0].baz=bar&fool.bad=baz', { allowDots: true }), { foo: [{ baz: 'bar' }], fool: { bad: 'baz' } }); + st.deepEqual(qs.parse('foo[0].baz=bar&fool.bad.boo=baz', { allowDots: true }), { foo: [{ baz: 'bar' }], fool: { bad: { boo: 'baz' } } }); + st.deepEqual(qs.parse('foo[0][0].baz=bar&fool.bad=baz', { allowDots: true }), { foo: [[{ baz: 'bar' }]], fool: { bad: 'baz' } }); + st.deepEqual(qs.parse('foo[0].baz[0]=15&foo[0].bar=2', { allowDots: true }), { foo: [{ baz: ['15'], bar: '2' }] }); + st.deepEqual(qs.parse('foo[0].baz[0]=15&foo[0].baz[1]=16&foo[0].bar=2', { allowDots: true }), { foo: [{ baz: ['15', '16'], bar: '2' }] }); + st.deepEqual(qs.parse('foo.bad=baz&foo[0]=bar', { allowDots: true }), { foo: { bad: 'baz', 0: 'bar' } }); + st.deepEqual(qs.parse('foo.bad=baz&foo[]=bar', { allowDots: true }), { foo: { bad: 'baz', 0: 'bar' } }); + st.deepEqual(qs.parse('foo[]=bar&foo.bad=baz', { allowDots: true }), { foo: { 0: 'bar', bad: 'baz' } }); + st.deepEqual(qs.parse('foo.bad=baz&foo[]=bar&foo[]=foo', { allowDots: true }), { foo: { bad: 'baz', 0: 'bar', 1: 'foo' } }); + st.deepEqual(qs.parse('foo[0].a=a&foo[0].b=b&foo[1].a=aa&foo[1].b=bb', { allowDots: true }), { foo: [{ a: 'a', b: 'b' }, { a: 'aa', b: 'bb' }] }); + st.end(); + }); + + t.test('correctly prunes undefined values when converting an array to an object', function (st) { + st.deepEqual(qs.parse('a[2]=b&a[99999999]=c'), { a: { 2: 'b', 99999999: 'c' } }); + st.end(); + }); + + t.test('supports malformed uri characters', function (st) { + st.deepEqual(qs.parse('{%:%}', { strictNullHandling: true }), { '{%:%}': null }); + st.deepEqual(qs.parse('{%:%}='), { '{%:%}': '' }); + st.deepEqual(qs.parse('foo=%:%}'), { foo: '%:%}' }); + st.end(); + }); + + t.test('doesn\'t produce empty keys', function (st) { + st.deepEqual(qs.parse('_r=1&'), { _r: '1' }); + st.end(); + }); + + t.test('cannot access Object prototype', function (st) { + qs.parse('constructor[prototype][bad]=bad'); + qs.parse('bad[constructor][prototype][bad]=bad'); + st.equal(typeof Object.prototype.bad, 'undefined'); + st.end(); + }); + + t.test('parses arrays of objects', function (st) { + st.deepEqual(qs.parse('a[][b]=c'), { a: [{ b: 'c' }] }); + st.deepEqual(qs.parse('a[0][b]=c'), { a: [{ b: 'c' }] }); + st.end(); + }); + + t.test('allows for empty strings in arrays', function (st) { + st.deepEqual(qs.parse('a[]=b&a[]=&a[]=c'), { a: ['b', '', 'c'] }); + + st.deepEqual( + qs.parse('a[0]=b&a[1]&a[2]=c&a[19]=', { strictNullHandling: true, arrayLimit: 20 }), + { a: ['b', null, 'c', ''] }, + 'with arrayLimit 20 + array indices: null then empty string works' + ); + st.deepEqual( + qs.parse('a[]=b&a[]&a[]=c&a[]=', { strictNullHandling: true, arrayLimit: 0 }), + { a: ['b', null, 'c', ''] }, + 'with arrayLimit 0 + array brackets: null then empty string works' + ); + + st.deepEqual( + qs.parse('a[0]=b&a[1]=&a[2]=c&a[19]', { strictNullHandling: true, arrayLimit: 20 }), + { a: ['b', '', 'c', null] }, + 'with arrayLimit 20 + array indices: empty string then null works' + ); + st.deepEqual( + qs.parse('a[]=b&a[]=&a[]=c&a[]', { strictNullHandling: true, arrayLimit: 0 }), + { a: ['b', '', 'c', null] }, + 'with arrayLimit 0 + array brackets: empty string then null works' + ); + + st.deepEqual( + qs.parse('a[]=&a[]=b&a[]=c'), + { a: ['', 'b', 'c'] }, + 'array brackets: empty strings work' + ); + st.end(); + }); + + t.test('compacts sparse arrays', function (st) { + st.deepEqual(qs.parse('a[10]=1&a[2]=2', { arrayLimit: 20 }), { a: ['2', '1'] }); + st.deepEqual(qs.parse('a[1][b][2][c]=1', { arrayLimit: 20 }), { a: [{ b: [{ c: '1' }] }] }); + st.deepEqual(qs.parse('a[1][2][3][c]=1', { arrayLimit: 20 }), { a: [[[{ c: '1' }]]] }); + st.deepEqual(qs.parse('a[1][2][3][c][1]=1', { arrayLimit: 20 }), { a: [[[{ c: ['1'] }]]] }); + st.end(); + }); + + t.test('parses sparse arrays', function (st) { + /* eslint no-sparse-arrays: 0 */ + st.deepEqual(qs.parse('a[4]=1&a[1]=2', { allowSparse: true }), { a: [, '2', , , '1'] }); + st.deepEqual(qs.parse('a[1][b][2][c]=1', { allowSparse: true }), { a: [, { b: [, , { c: '1' }] }] }); + st.deepEqual(qs.parse('a[1][2][3][c]=1', { allowSparse: true }), { a: [, [, , [, , , { c: '1' }]]] }); + st.deepEqual(qs.parse('a[1][2][3][c][1]=1', { allowSparse: true }), { a: [, [, , [, , , { c: [, '1'] }]]] }); + st.end(); + }); + + t.test('parses semi-parsed strings', function (st) { + st.deepEqual(qs.parse({ 'a[b]': 'c' }), { a: { b: 'c' } }); + st.deepEqual(qs.parse({ 'a[b]': 'c', 'a[d]': 'e' }), { a: { b: 'c', d: 'e' } }); + st.end(); + }); + + t.test('parses buffers correctly', function (st) { + var b = SaferBuffer.from('test'); + st.deepEqual(qs.parse({ a: b }), { a: b }); + st.end(); + }); + + t.test('parses jquery-param strings', function (st) { + // readable = 'filter[0][]=int1&filter[0][]==&filter[0][]=77&filter[]=and&filter[2][]=int2&filter[2][]==&filter[2][]=8' + var encoded = 'filter%5B0%5D%5B%5D=int1&filter%5B0%5D%5B%5D=%3D&filter%5B0%5D%5B%5D=77&filter%5B%5D=and&filter%5B2%5D%5B%5D=int2&filter%5B2%5D%5B%5D=%3D&filter%5B2%5D%5B%5D=8'; + var expected = { filter: [['int1', '=', '77'], 'and', ['int2', '=', '8']] }; + st.deepEqual(qs.parse(encoded), expected); + st.end(); + }); + + t.test('continues parsing when no parent is found', function (st) { + st.deepEqual(qs.parse('[]=&a=b'), { 0: '', a: 'b' }); + st.deepEqual(qs.parse('[]&a=b', { strictNullHandling: true }), { 0: null, a: 'b' }); + st.deepEqual(qs.parse('[foo]=bar'), { foo: 'bar' }); + st.end(); + }); + + t.test('does not error when parsing a very long array', function (st) { + var str = 'a[]=a'; + while (Buffer.byteLength(str) < 128 * 1024) { + str = str + '&' + str; + } + + st.doesNotThrow(function () { + qs.parse(str); + }); + + st.end(); + }); + + t.test('should not throw when a native prototype has an enumerable property', function (st) { + Object.prototype.crash = ''; + Array.prototype.crash = ''; + st.doesNotThrow(qs.parse.bind(null, 'a=b')); + st.deepEqual(qs.parse('a=b'), { a: 'b' }); + st.doesNotThrow(qs.parse.bind(null, 'a[][b]=c')); + st.deepEqual(qs.parse('a[][b]=c'), { a: [{ b: 'c' }] }); + delete Object.prototype.crash; + delete Array.prototype.crash; + st.end(); + }); + + t.test('parses a string with an alternative string delimiter', function (st) { + st.deepEqual(qs.parse('a=b;c=d', { delimiter: ';' }), { a: 'b', c: 'd' }); + st.end(); + }); + + t.test('parses a string with an alternative RegExp delimiter', function (st) { + st.deepEqual(qs.parse('a=b; c=d', { delimiter: /[;,] */ }), { a: 'b', c: 'd' }); + st.end(); + }); + + t.test('does not use non-splittable objects as delimiters', function (st) { + st.deepEqual(qs.parse('a=b&c=d', { delimiter: true }), { a: 'b', c: 'd' }); + st.end(); + }); + + t.test('allows overriding parameter limit', function (st) { + st.deepEqual(qs.parse('a=b&c=d', { parameterLimit: 1 }), { a: 'b' }); + st.end(); + }); + + t.test('allows setting the parameter limit to Infinity', function (st) { + st.deepEqual(qs.parse('a=b&c=d', { parameterLimit: Infinity }), { a: 'b', c: 'd' }); + st.end(); + }); + + t.test('allows overriding array limit', function (st) { + st.deepEqual(qs.parse('a[0]=b', { arrayLimit: -1 }), { a: { 0: 'b' } }); + st.deepEqual(qs.parse('a[-1]=b', { arrayLimit: -1 }), { a: { '-1': 'b' } }); + st.deepEqual(qs.parse('a[0]=b&a[1]=c', { arrayLimit: 0 }), { a: { 0: 'b', 1: 'c' } }); + st.end(); + }); + + t.test('allows disabling array parsing', function (st) { + var indices = qs.parse('a[0]=b&a[1]=c', { parseArrays: false }); + st.deepEqual(indices, { a: { 0: 'b', 1: 'c' } }); + st.equal(Array.isArray(indices.a), false, 'parseArrays:false, indices case is not an array'); + + var emptyBrackets = qs.parse('a[]=b', { parseArrays: false }); + st.deepEqual(emptyBrackets, { a: { 0: 'b' } }); + st.equal(Array.isArray(emptyBrackets.a), false, 'parseArrays:false, empty brackets case is not an array'); + + st.end(); + }); + + t.test('allows for query string prefix', function (st) { + st.deepEqual(qs.parse('?foo=bar', { ignoreQueryPrefix: true }), { foo: 'bar' }); + st.deepEqual(qs.parse('foo=bar', { ignoreQueryPrefix: true }), { foo: 'bar' }); + st.deepEqual(qs.parse('?foo=bar', { ignoreQueryPrefix: false }), { '?foo': 'bar' }); + + st.end(); + }); + + t.test('parses an object', function (st) { + var input = { + 'user[name]': { 'pop[bob]': 3 }, + 'user[email]': null + }; + + var expected = { + user: { + name: { 'pop[bob]': 3 }, + email: null + } + }; + + var result = qs.parse(input); + + st.deepEqual(result, expected); + st.end(); + }); + + t.test('parses string with comma as array divider', function (st) { + st.deepEqual(qs.parse('foo=bar,tee', { comma: true }), { foo: ['bar', 'tee'] }); + st.deepEqual(qs.parse('foo[bar]=coffee,tee', { comma: true }), { foo: { bar: ['coffee', 'tee'] } }); + st.deepEqual(qs.parse('foo=', { comma: true }), { foo: '' }); + st.deepEqual(qs.parse('foo', { comma: true }), { foo: '' }); + st.deepEqual(qs.parse('foo', { comma: true, strictNullHandling: true }), { foo: null }); + + // test cases inversed from from stringify tests + st.deepEqual(qs.parse('a[0]=c'), { a: ['c'] }); + st.deepEqual(qs.parse('a[]=c'), { a: ['c'] }); + st.deepEqual(qs.parse('a[]=c', { comma: true }), { a: ['c'] }); + + st.deepEqual(qs.parse('a[0]=c&a[1]=d'), { a: ['c', 'd'] }); + st.deepEqual(qs.parse('a[]=c&a[]=d'), { a: ['c', 'd'] }); + st.deepEqual(qs.parse('a=c,d', { comma: true }), { a: ['c', 'd'] }); + + st.end(); + }); + + t.test('parses values with comma as array divider', function (st) { + st.deepEqual(qs.parse({ foo: 'bar,tee' }, { comma: false }), { foo: 'bar,tee' }); + st.deepEqual(qs.parse({ foo: 'bar,tee' }, { comma: true }), { foo: ['bar', 'tee'] }); + st.end(); + }); + + t.test('use number decoder, parses string that has one number with comma option enabled', function (st) { + var decoder = function (str, defaultDecoder, charset, type) { + if (!isNaN(Number(str))) { + return parseFloat(str); + } + return defaultDecoder(str, defaultDecoder, charset, type); + }; + + st.deepEqual(qs.parse('foo=1', { comma: true, decoder: decoder }), { foo: 1 }); + st.deepEqual(qs.parse('foo=0', { comma: true, decoder: decoder }), { foo: 0 }); + + st.end(); + }); + + t.test('parses brackets holds array of arrays when having two parts of strings with comma as array divider', function (st) { + st.deepEqual(qs.parse('foo[]=1,2,3&foo[]=4,5,6', { comma: true }), { foo: [['1', '2', '3'], ['4', '5', '6']] }); + st.deepEqual(qs.parse('foo[]=1,2,3&foo[]=', { comma: true }), { foo: [['1', '2', '3'], ''] }); + st.deepEqual(qs.parse('foo[]=1,2,3&foo[]=,', { comma: true }), { foo: [['1', '2', '3'], ['', '']] }); + st.deepEqual(qs.parse('foo[]=1,2,3&foo[]=a', { comma: true }), { foo: [['1', '2', '3'], 'a'] }); + + st.end(); + }); + + t.test('parses comma delimited array while having percent-encoded comma treated as normal text', function (st) { + st.deepEqual(qs.parse('foo=a%2Cb', { comma: true }), { foo: 'a,b' }); + st.deepEqual(qs.parse('foo=a%2C%20b,d', { comma: true }), { foo: ['a, b', 'd'] }); + st.deepEqual(qs.parse('foo=a%2C%20b,c%2C%20d', { comma: true }), { foo: ['a, b', 'c, d'] }); + + st.end(); + }); + + t.test('parses an object in dot notation', function (st) { + var input = { + 'user.name': { 'pop[bob]': 3 }, + 'user.email.': null + }; + + var expected = { + user: { + name: { 'pop[bob]': 3 }, + email: null + } + }; + + var result = qs.parse(input, { allowDots: true }); + + st.deepEqual(result, expected); + st.end(); + }); + + t.test('parses an object and not child values', function (st) { + var input = { + 'user[name]': { 'pop[bob]': { test: 3 } }, + 'user[email]': null + }; + + var expected = { + user: { + name: { 'pop[bob]': { test: 3 } }, + email: null + } + }; + + var result = qs.parse(input); + + st.deepEqual(result, expected); + st.end(); + }); + + t.test('does not blow up when Buffer global is missing', function (st) { + var tempBuffer = global.Buffer; + delete global.Buffer; + var result = qs.parse('a=b&c=d'); + global.Buffer = tempBuffer; + st.deepEqual(result, { a: 'b', c: 'd' }); + st.end(); + }); + + t.test('does not crash when parsing circular references', function (st) { + var a = {}; + a.b = a; + + var parsed; + + st.doesNotThrow(function () { + parsed = qs.parse({ 'foo[bar]': 'baz', 'foo[baz]': a }); + }); + + st.equal('foo' in parsed, true, 'parsed has "foo" property'); + st.equal('bar' in parsed.foo, true); + st.equal('baz' in parsed.foo, true); + st.equal(parsed.foo.bar, 'baz'); + st.deepEqual(parsed.foo.baz, a); + st.end(); + }); + + t.test('does not crash when parsing deep objects', function (st) { + var parsed; + var str = 'foo'; + + for (var i = 0; i < 5000; i++) { + str += '[p]'; + } + + str += '=bar'; + + st.doesNotThrow(function () { + parsed = qs.parse(str, { depth: 5000 }); + }); + + st.equal('foo' in parsed, true, 'parsed has "foo" property'); + + var depth = 0; + var ref = parsed.foo; + while ((ref = ref.p)) { + depth += 1; + } + + st.equal(depth, 5000, 'parsed is 5000 properties deep'); + + st.end(); + }); + + t.test('parses null objects correctly', { skip: !Object.create }, function (st) { + var a = Object.create(null); + a.b = 'c'; + + st.deepEqual(qs.parse(a), { b: 'c' }); + var result = qs.parse({ a: a }); + st.equal('a' in result, true, 'result has "a" property'); + st.deepEqual(result.a, a); + st.end(); + }); + + t.test('parses dates correctly', function (st) { + var now = new Date(); + st.deepEqual(qs.parse({ a: now }), { a: now }); + st.end(); + }); + + t.test('parses regular expressions correctly', function (st) { + var re = /^test$/; + st.deepEqual(qs.parse({ a: re }), { a: re }); + st.end(); + }); + + t.test('does not allow overwriting prototype properties', function (st) { + st.deepEqual(qs.parse('a[hasOwnProperty]=b', { allowPrototypes: false }), {}); + st.deepEqual(qs.parse('hasOwnProperty=b', { allowPrototypes: false }), {}); + + st.deepEqual( + qs.parse('toString', { allowPrototypes: false }), + {}, + 'bare "toString" results in {}' + ); + + st.end(); + }); + + t.test('can allow overwriting prototype properties', function (st) { + st.deepEqual(qs.parse('a[hasOwnProperty]=b', { allowPrototypes: true }), { a: { hasOwnProperty: 'b' } }); + st.deepEqual(qs.parse('hasOwnProperty=b', { allowPrototypes: true }), { hasOwnProperty: 'b' }); + + st.deepEqual( + qs.parse('toString', { allowPrototypes: true }), + { toString: '' }, + 'bare "toString" results in { toString: "" }' + ); + + st.end(); + }); + + t.test('params starting with a closing bracket', function (st) { + st.deepEqual(qs.parse(']=toString'), { ']': 'toString' }); + st.deepEqual(qs.parse(']]=toString'), { ']]': 'toString' }); + st.deepEqual(qs.parse(']hello]=toString'), { ']hello]': 'toString' }); + st.end(); + }); + + t.test('params starting with a starting bracket', function (st) { + st.deepEqual(qs.parse('[=toString'), { '[': 'toString' }); + st.deepEqual(qs.parse('[[=toString'), { '[[': 'toString' }); + st.deepEqual(qs.parse('[hello[=toString'), { '[hello[': 'toString' }); + st.end(); + }); + + t.test('add keys to objects', function (st) { + st.deepEqual( + qs.parse('a[b]=c&a=d'), + { a: { b: 'c', d: true } }, + 'can add keys to objects' + ); + + st.deepEqual( + qs.parse('a[b]=c&a=toString'), + { a: { b: 'c' } }, + 'can not overwrite prototype' + ); + + st.deepEqual( + qs.parse('a[b]=c&a=toString', { allowPrototypes: true }), + { a: { b: 'c', toString: true } }, + 'can overwrite prototype with allowPrototypes true' + ); + + st.deepEqual( + qs.parse('a[b]=c&a=toString', { plainObjects: true }), + { __proto__: null, a: { __proto__: null, b: 'c', toString: true } }, + 'can overwrite prototype with plainObjects true' + ); + + st.end(); + }); + + t.test('dunder proto is ignored', function (st) { + var payload = 'categories[__proto__]=login&categories[__proto__]&categories[length]=42'; + var result = qs.parse(payload, { allowPrototypes: true }); + + st.deepEqual( + result, + { + categories: { + length: '42' + } + }, + 'silent [[Prototype]] payload' + ); + + var plainResult = qs.parse(payload, { allowPrototypes: true, plainObjects: true }); + + st.deepEqual( + plainResult, + { + __proto__: null, + categories: { + __proto__: null, + length: '42' + } + }, + 'silent [[Prototype]] payload: plain objects' + ); + + var query = qs.parse('categories[__proto__]=cats&categories[__proto__]=dogs&categories[some][json]=toInject', { allowPrototypes: true }); + + st.notOk(Array.isArray(query.categories), 'is not an array'); + st.notOk(query.categories instanceof Array, 'is not instanceof an array'); + st.deepEqual(query.categories, { some: { json: 'toInject' } }); + st.equal(JSON.stringify(query.categories), '{"some":{"json":"toInject"}}', 'stringifies as a non-array'); + + st.deepEqual( + qs.parse('foo[__proto__][hidden]=value&foo[bar]=stuffs', { allowPrototypes: true }), + { + foo: { + bar: 'stuffs' + } + }, + 'hidden values' + ); + + st.deepEqual( + qs.parse('foo[__proto__][hidden]=value&foo[bar]=stuffs', { allowPrototypes: true, plainObjects: true }), + { + __proto__: null, + foo: { + __proto__: null, + bar: 'stuffs' + } + }, + 'hidden values: plain objects' + ); + + st.end(); + }); + + t.test('can return null objects', { skip: !Object.create }, function (st) { + var expected = Object.create(null); + expected.a = Object.create(null); + expected.a.b = 'c'; + expected.a.hasOwnProperty = 'd'; + st.deepEqual(qs.parse('a[b]=c&a[hasOwnProperty]=d', { plainObjects: true }), expected); + st.deepEqual(qs.parse(null, { plainObjects: true }), Object.create(null)); + var expectedArray = Object.create(null); + expectedArray.a = Object.create(null); + expectedArray.a[0] = 'b'; + expectedArray.a.c = 'd'; + st.deepEqual(qs.parse('a[]=b&a[c]=d', { plainObjects: true }), expectedArray); + st.end(); + }); + + t.test('can parse with custom encoding', function (st) { + st.deepEqual(qs.parse('%8c%a7=%91%e5%8d%e3%95%7b', { + decoder: function (str) { + var reg = /%([0-9A-F]{2})/ig; + var result = []; + var parts = reg.exec(str); + while (parts) { + result.push(parseInt(parts[1], 16)); + parts = reg.exec(str); + } + return String(iconv.decode(SaferBuffer.from(result), 'shift_jis')); + } + }), { 県: '大阪府' }); + st.end(); + }); + + t.test('receives the default decoder as a second argument', function (st) { + st.plan(1); + qs.parse('a', { + decoder: function (str, defaultDecoder) { + st.equal(defaultDecoder, utils.decode); + } + }); + st.end(); + }); + + t.test('throws error with wrong decoder', function (st) { + st['throws'](function () { + qs.parse({}, { decoder: 'string' }); + }, new TypeError('Decoder has to be a function.')); + st.end(); + }); + + t.test('does not mutate the options argument', function (st) { + var options = {}; + qs.parse('a[b]=true', options); + st.deepEqual(options, {}); + st.end(); + }); + + t.test('throws if an invalid charset is specified', function (st) { + st['throws'](function () { + qs.parse('a=b', { charset: 'foobar' }); + }, new TypeError('The charset option must be either utf-8, iso-8859-1, or undefined')); + st.end(); + }); + + t.test('parses an iso-8859-1 string if asked to', function (st) { + st.deepEqual(qs.parse('%A2=%BD', { charset: 'iso-8859-1' }), { '¢': '½' }); + st.end(); + }); + + var urlEncodedCheckmarkInUtf8 = '%E2%9C%93'; + var urlEncodedOSlashInUtf8 = '%C3%B8'; + var urlEncodedNumCheckmark = '%26%2310003%3B'; + var urlEncodedNumSmiley = '%26%239786%3B'; + + t.test('prefers an utf-8 charset specified by the utf8 sentinel to a default charset of iso-8859-1', function (st) { + st.deepEqual(qs.parse('utf8=' + urlEncodedCheckmarkInUtf8 + '&' + urlEncodedOSlashInUtf8 + '=' + urlEncodedOSlashInUtf8, { charsetSentinel: true, charset: 'iso-8859-1' }), { ø: 'ø' }); + st.end(); + }); + + t.test('prefers an iso-8859-1 charset specified by the utf8 sentinel to a default charset of utf-8', function (st) { + st.deepEqual(qs.parse('utf8=' + urlEncodedNumCheckmark + '&' + urlEncodedOSlashInUtf8 + '=' + urlEncodedOSlashInUtf8, { charsetSentinel: true, charset: 'utf-8' }), { 'ø': 'ø' }); + st.end(); + }); + + t.test('does not require the utf8 sentinel to be defined before the parameters whose decoding it affects', function (st) { + st.deepEqual(qs.parse('a=' + urlEncodedOSlashInUtf8 + '&utf8=' + urlEncodedNumCheckmark, { charsetSentinel: true, charset: 'utf-8' }), { a: 'ø' }); + st.end(); + }); + + t.test('should ignore an utf8 sentinel with an unknown value', function (st) { + st.deepEqual(qs.parse('utf8=foo&' + urlEncodedOSlashInUtf8 + '=' + urlEncodedOSlashInUtf8, { charsetSentinel: true, charset: 'utf-8' }), { ø: 'ø' }); + st.end(); + }); + + t.test('uses the utf8 sentinel to switch to utf-8 when no default charset is given', function (st) { + st.deepEqual(qs.parse('utf8=' + urlEncodedCheckmarkInUtf8 + '&' + urlEncodedOSlashInUtf8 + '=' + urlEncodedOSlashInUtf8, { charsetSentinel: true }), { ø: 'ø' }); + st.end(); + }); + + t.test('uses the utf8 sentinel to switch to iso-8859-1 when no default charset is given', function (st) { + st.deepEqual(qs.parse('utf8=' + urlEncodedNumCheckmark + '&' + urlEncodedOSlashInUtf8 + '=' + urlEncodedOSlashInUtf8, { charsetSentinel: true }), { 'ø': 'ø' }); + st.end(); + }); + + t.test('interprets numeric entities in iso-8859-1 when `interpretNumericEntities`', function (st) { + st.deepEqual(qs.parse('foo=' + urlEncodedNumSmiley, { charset: 'iso-8859-1', interpretNumericEntities: true }), { foo: '☺' }); + st.end(); + }); + + t.test('handles a custom decoder returning `null`, in the `iso-8859-1` charset, when `interpretNumericEntities`', function (st) { + st.deepEqual(qs.parse('foo=&bar=' + urlEncodedNumSmiley, { + charset: 'iso-8859-1', + decoder: function (str, defaultDecoder, charset) { + return str ? defaultDecoder(str, defaultDecoder, charset) : null; + }, + interpretNumericEntities: true + }), { foo: null, bar: '☺' }); + st.end(); + }); + + t.test('does not interpret numeric entities in iso-8859-1 when `interpretNumericEntities` is absent', function (st) { + st.deepEqual(qs.parse('foo=' + urlEncodedNumSmiley, { charset: 'iso-8859-1' }), { foo: '☺' }); + st.end(); + }); + + t.test('does not interpret numeric entities when the charset is utf-8, even when `interpretNumericEntities`', function (st) { + st.deepEqual(qs.parse('foo=' + urlEncodedNumSmiley, { charset: 'utf-8', interpretNumericEntities: true }), { foo: '☺' }); + st.end(); + }); + + t.test('does not interpret %uXXXX syntax in iso-8859-1 mode', function (st) { + st.deepEqual(qs.parse('%u263A=%u263A', { charset: 'iso-8859-1' }), { '%u263A': '%u263A' }); + st.end(); + }); + + t.test('allows for decoding keys and values differently', function (st) { + var decoder = function (str, defaultDecoder, charset, type) { + if (type === 'key') { + return defaultDecoder(str, defaultDecoder, charset, type).toLowerCase(); + } + if (type === 'value') { + return defaultDecoder(str, defaultDecoder, charset, type).toUpperCase(); + } + throw 'this should never happen! type: ' + type; + }; + + st.deepEqual(qs.parse('KeY=vAlUe', { decoder: decoder }), { key: 'VALUE' }); + st.end(); + }); + + t.end(); +}); diff --git a/node_modules/body-parser/node_modules/qs/test/stringify.js b/node_modules/body-parser/node_modules/qs/test/stringify.js new file mode 100644 index 0000000..f0cdfef --- /dev/null +++ b/node_modules/body-parser/node_modules/qs/test/stringify.js @@ -0,0 +1,909 @@ +'use strict'; + +var test = require('tape'); +var qs = require('../'); +var utils = require('../lib/utils'); +var iconv = require('iconv-lite'); +var SaferBuffer = require('safer-buffer').Buffer; +var hasSymbols = require('has-symbols'); +var hasBigInt = typeof BigInt === 'function'; + +test('stringify()', function (t) { + t.test('stringifies a querystring object', function (st) { + st.equal(qs.stringify({ a: 'b' }), 'a=b'); + st.equal(qs.stringify({ a: 1 }), 'a=1'); + st.equal(qs.stringify({ a: 1, b: 2 }), 'a=1&b=2'); + st.equal(qs.stringify({ a: 'A_Z' }), 'a=A_Z'); + st.equal(qs.stringify({ a: '€' }), 'a=%E2%82%AC'); + st.equal(qs.stringify({ a: '' }), 'a=%EE%80%80'); + st.equal(qs.stringify({ a: 'א' }), 'a=%D7%90'); + st.equal(qs.stringify({ a: '𐐷' }), 'a=%F0%90%90%B7'); + st.end(); + }); + + t.test('stringifies falsy values', function (st) { + st.equal(qs.stringify(undefined), ''); + st.equal(qs.stringify(null), ''); + st.equal(qs.stringify(null, { strictNullHandling: true }), ''); + st.equal(qs.stringify(false), ''); + st.equal(qs.stringify(0), ''); + st.end(); + }); + + t.test('stringifies symbols', { skip: !hasSymbols() }, function (st) { + st.equal(qs.stringify(Symbol.iterator), ''); + st.equal(qs.stringify([Symbol.iterator]), '0=Symbol%28Symbol.iterator%29'); + st.equal(qs.stringify({ a: Symbol.iterator }), 'a=Symbol%28Symbol.iterator%29'); + st.equal( + qs.stringify({ a: [Symbol.iterator] }, { encodeValuesOnly: true, arrayFormat: 'brackets' }), + 'a[]=Symbol%28Symbol.iterator%29' + ); + st.end(); + }); + + t.test('stringifies bigints', { skip: !hasBigInt }, function (st) { + var three = BigInt(3); + var encodeWithN = function (value, defaultEncoder, charset) { + var result = defaultEncoder(value, defaultEncoder, charset); + return typeof value === 'bigint' ? result + 'n' : result; + }; + st.equal(qs.stringify(three), ''); + st.equal(qs.stringify([three]), '0=3'); + st.equal(qs.stringify([three], { encoder: encodeWithN }), '0=3n'); + st.equal(qs.stringify({ a: three }), 'a=3'); + st.equal(qs.stringify({ a: three }, { encoder: encodeWithN }), 'a=3n'); + st.equal( + qs.stringify({ a: [three] }, { encodeValuesOnly: true, arrayFormat: 'brackets' }), + 'a[]=3' + ); + st.equal( + qs.stringify({ a: [three] }, { encodeValuesOnly: true, encoder: encodeWithN, arrayFormat: 'brackets' }), + 'a[]=3n' + ); + st.end(); + }); + + t.test('adds query prefix', function (st) { + st.equal(qs.stringify({ a: 'b' }, { addQueryPrefix: true }), '?a=b'); + st.end(); + }); + + t.test('with query prefix, outputs blank string given an empty object', function (st) { + st.equal(qs.stringify({}, { addQueryPrefix: true }), ''); + st.end(); + }); + + t.test('stringifies nested falsy values', function (st) { + st.equal(qs.stringify({ a: { b: { c: null } } }), 'a%5Bb%5D%5Bc%5D='); + st.equal(qs.stringify({ a: { b: { c: null } } }, { strictNullHandling: true }), 'a%5Bb%5D%5Bc%5D'); + st.equal(qs.stringify({ a: { b: { c: false } } }), 'a%5Bb%5D%5Bc%5D=false'); + st.end(); + }); + + t.test('stringifies a nested object', function (st) { + st.equal(qs.stringify({ a: { b: 'c' } }), 'a%5Bb%5D=c'); + st.equal(qs.stringify({ a: { b: { c: { d: 'e' } } } }), 'a%5Bb%5D%5Bc%5D%5Bd%5D=e'); + st.end(); + }); + + t.test('stringifies a nested object with dots notation', function (st) { + st.equal(qs.stringify({ a: { b: 'c' } }, { allowDots: true }), 'a.b=c'); + st.equal(qs.stringify({ a: { b: { c: { d: 'e' } } } }, { allowDots: true }), 'a.b.c.d=e'); + st.end(); + }); + + t.test('stringifies an array value', function (st) { + st.equal( + qs.stringify({ a: ['b', 'c', 'd'] }, { arrayFormat: 'indices' }), + 'a%5B0%5D=b&a%5B1%5D=c&a%5B2%5D=d', + 'indices => indices' + ); + st.equal( + qs.stringify({ a: ['b', 'c', 'd'] }, { arrayFormat: 'brackets' }), + 'a%5B%5D=b&a%5B%5D=c&a%5B%5D=d', + 'brackets => brackets' + ); + st.equal( + qs.stringify({ a: ['b', 'c', 'd'] }, { arrayFormat: 'comma' }), + 'a=b%2Cc%2Cd', + 'comma => comma' + ); + st.equal( + qs.stringify({ a: ['b', 'c', 'd'] }), + 'a%5B0%5D=b&a%5B1%5D=c&a%5B2%5D=d', + 'default => indices' + ); + st.end(); + }); + + t.test('omits nulls when asked', function (st) { + st.equal(qs.stringify({ a: 'b', c: null }, { skipNulls: true }), 'a=b'); + st.end(); + }); + + t.test('omits nested nulls when asked', function (st) { + st.equal(qs.stringify({ a: { b: 'c', d: null } }, { skipNulls: true }), 'a%5Bb%5D=c'); + st.end(); + }); + + t.test('omits array indices when asked', function (st) { + st.equal(qs.stringify({ a: ['b', 'c', 'd'] }, { indices: false }), 'a=b&a=c&a=d'); + st.end(); + }); + + t.test('stringifies an array value with one item vs multiple items', function (st) { + st.test('non-array item', function (s2t) { + s2t.equal(qs.stringify({ a: 'c' }, { encodeValuesOnly: true, arrayFormat: 'indices' }), 'a=c'); + s2t.equal(qs.stringify({ a: 'c' }, { encodeValuesOnly: true, arrayFormat: 'brackets' }), 'a=c'); + s2t.equal(qs.stringify({ a: 'c' }, { encodeValuesOnly: true, arrayFormat: 'comma' }), 'a=c'); + s2t.equal(qs.stringify({ a: 'c' }, { encodeValuesOnly: true }), 'a=c'); + + s2t.end(); + }); + + st.test('array with a single item', function (s2t) { + s2t.equal(qs.stringify({ a: ['c'] }, { encodeValuesOnly: true, arrayFormat: 'indices' }), 'a[0]=c'); + s2t.equal(qs.stringify({ a: ['c'] }, { encodeValuesOnly: true, arrayFormat: 'brackets' }), 'a[]=c'); + s2t.equal(qs.stringify({ a: ['c'] }, { encodeValuesOnly: true, arrayFormat: 'comma' }), 'a=c'); + s2t.equal(qs.stringify({ a: ['c'] }, { encodeValuesOnly: true, arrayFormat: 'comma', commaRoundTrip: true }), 'a[]=c'); // so it parses back as an array + s2t.equal(qs.stringify({ a: ['c'] }, { encodeValuesOnly: true }), 'a[0]=c'); + + s2t.end(); + }); + + st.test('array with multiple items', function (s2t) { + s2t.equal(qs.stringify({ a: ['c', 'd'] }, { encodeValuesOnly: true, arrayFormat: 'indices' }), 'a[0]=c&a[1]=d'); + s2t.equal(qs.stringify({ a: ['c', 'd'] }, { encodeValuesOnly: true, arrayFormat: 'brackets' }), 'a[]=c&a[]=d'); + s2t.equal(qs.stringify({ a: ['c', 'd'] }, { encodeValuesOnly: true, arrayFormat: 'comma' }), 'a=c,d'); + s2t.equal(qs.stringify({ a: ['c', 'd'] }, { encodeValuesOnly: true }), 'a[0]=c&a[1]=d'); + + s2t.end(); + }); + + st.end(); + }); + + t.test('stringifies a nested array value', function (st) { + st.equal(qs.stringify({ a: { b: ['c', 'd'] } }, { encodeValuesOnly: true, arrayFormat: 'indices' }), 'a[b][0]=c&a[b][1]=d'); + st.equal(qs.stringify({ a: { b: ['c', 'd'] } }, { encodeValuesOnly: true, arrayFormat: 'brackets' }), 'a[b][]=c&a[b][]=d'); + st.equal(qs.stringify({ a: { b: ['c', 'd'] } }, { encodeValuesOnly: true, arrayFormat: 'comma' }), 'a[b]=c,d'); + st.equal(qs.stringify({ a: { b: ['c', 'd'] } }, { encodeValuesOnly: true }), 'a[b][0]=c&a[b][1]=d'); + st.end(); + }); + + t.test('stringifies a nested array value with dots notation', function (st) { + st.equal( + qs.stringify( + { a: { b: ['c', 'd'] } }, + { allowDots: true, encodeValuesOnly: true, arrayFormat: 'indices' } + ), + 'a.b[0]=c&a.b[1]=d', + 'indices: stringifies with dots + indices' + ); + st.equal( + qs.stringify( + { a: { b: ['c', 'd'] } }, + { allowDots: true, encodeValuesOnly: true, arrayFormat: 'brackets' } + ), + 'a.b[]=c&a.b[]=d', + 'brackets: stringifies with dots + brackets' + ); + st.equal( + qs.stringify( + { a: { b: ['c', 'd'] } }, + { allowDots: true, encodeValuesOnly: true, arrayFormat: 'comma' } + ), + 'a.b=c,d', + 'comma: stringifies with dots + comma' + ); + st.equal( + qs.stringify( + { a: { b: ['c', 'd'] } }, + { allowDots: true, encodeValuesOnly: true } + ), + 'a.b[0]=c&a.b[1]=d', + 'default: stringifies with dots + indices' + ); + st.end(); + }); + + t.test('stringifies an object inside an array', function (st) { + st.equal( + qs.stringify({ a: [{ b: 'c' }] }, { arrayFormat: 'indices' }), + 'a%5B0%5D%5Bb%5D=c', // a[0][b]=c + 'indices => brackets' + ); + st.equal( + qs.stringify({ a: [{ b: 'c' }] }, { arrayFormat: 'brackets' }), + 'a%5B%5D%5Bb%5D=c', // a[][b]=c + 'brackets => brackets' + ); + st.equal( + qs.stringify({ a: [{ b: 'c' }] }), + 'a%5B0%5D%5Bb%5D=c', + 'default => indices' + ); + + st.equal( + qs.stringify({ a: [{ b: { c: [1] } }] }, { arrayFormat: 'indices' }), + 'a%5B0%5D%5Bb%5D%5Bc%5D%5B0%5D=1', + 'indices => indices' + ); + + st.equal( + qs.stringify({ a: [{ b: { c: [1] } }] }, { arrayFormat: 'brackets' }), + 'a%5B%5D%5Bb%5D%5Bc%5D%5B%5D=1', + 'brackets => brackets' + ); + + st.equal( + qs.stringify({ a: [{ b: { c: [1] } }] }), + 'a%5B0%5D%5Bb%5D%5Bc%5D%5B0%5D=1', + 'default => indices' + ); + + st.end(); + }); + + t.test('stringifies an array with mixed objects and primitives', function (st) { + st.equal( + qs.stringify({ a: [{ b: 1 }, 2, 3] }, { encodeValuesOnly: true, arrayFormat: 'indices' }), + 'a[0][b]=1&a[1]=2&a[2]=3', + 'indices => indices' + ); + st.equal( + qs.stringify({ a: [{ b: 1 }, 2, 3] }, { encodeValuesOnly: true, arrayFormat: 'brackets' }), + 'a[][b]=1&a[]=2&a[]=3', + 'brackets => brackets' + ); + st.equal( + qs.stringify({ a: [{ b: 1 }, 2, 3] }, { encodeValuesOnly: true, arrayFormat: 'comma' }), + '???', + 'brackets => brackets', + { skip: 'TODO: figure out what this should do' } + ); + st.equal( + qs.stringify({ a: [{ b: 1 }, 2, 3] }, { encodeValuesOnly: true }), + 'a[0][b]=1&a[1]=2&a[2]=3', + 'default => indices' + ); + + st.end(); + }); + + t.test('stringifies an object inside an array with dots notation', function (st) { + st.equal( + qs.stringify( + { a: [{ b: 'c' }] }, + { allowDots: true, encode: false, arrayFormat: 'indices' } + ), + 'a[0].b=c', + 'indices => indices' + ); + st.equal( + qs.stringify( + { a: [{ b: 'c' }] }, + { allowDots: true, encode: false, arrayFormat: 'brackets' } + ), + 'a[].b=c', + 'brackets => brackets' + ); + st.equal( + qs.stringify( + { a: [{ b: 'c' }] }, + { allowDots: true, encode: false } + ), + 'a[0].b=c', + 'default => indices' + ); + + st.equal( + qs.stringify( + { a: [{ b: { c: [1] } }] }, + { allowDots: true, encode: false, arrayFormat: 'indices' } + ), + 'a[0].b.c[0]=1', + 'indices => indices' + ); + st.equal( + qs.stringify( + { a: [{ b: { c: [1] } }] }, + { allowDots: true, encode: false, arrayFormat: 'brackets' } + ), + 'a[].b.c[]=1', + 'brackets => brackets' + ); + st.equal( + qs.stringify( + { a: [{ b: { c: [1] } }] }, + { allowDots: true, encode: false } + ), + 'a[0].b.c[0]=1', + 'default => indices' + ); + + st.end(); + }); + + t.test('does not omit object keys when indices = false', function (st) { + st.equal(qs.stringify({ a: [{ b: 'c' }] }, { indices: false }), 'a%5Bb%5D=c'); + st.end(); + }); + + t.test('uses indices notation for arrays when indices=true', function (st) { + st.equal(qs.stringify({ a: ['b', 'c'] }, { indices: true }), 'a%5B0%5D=b&a%5B1%5D=c'); + st.end(); + }); + + t.test('uses indices notation for arrays when no arrayFormat is specified', function (st) { + st.equal(qs.stringify({ a: ['b', 'c'] }), 'a%5B0%5D=b&a%5B1%5D=c'); + st.end(); + }); + + t.test('uses indices notation for arrays when no arrayFormat=indices', function (st) { + st.equal(qs.stringify({ a: ['b', 'c'] }, { arrayFormat: 'indices' }), 'a%5B0%5D=b&a%5B1%5D=c'); + st.end(); + }); + + t.test('uses repeat notation for arrays when no arrayFormat=repeat', function (st) { + st.equal(qs.stringify({ a: ['b', 'c'] }, { arrayFormat: 'repeat' }), 'a=b&a=c'); + st.end(); + }); + + t.test('uses brackets notation for arrays when no arrayFormat=brackets', function (st) { + st.equal(qs.stringify({ a: ['b', 'c'] }, { arrayFormat: 'brackets' }), 'a%5B%5D=b&a%5B%5D=c'); + st.end(); + }); + + t.test('stringifies a complicated object', function (st) { + st.equal(qs.stringify({ a: { b: 'c', d: 'e' } }), 'a%5Bb%5D=c&a%5Bd%5D=e'); + st.end(); + }); + + t.test('stringifies an empty value', function (st) { + st.equal(qs.stringify({ a: '' }), 'a='); + st.equal(qs.stringify({ a: null }, { strictNullHandling: true }), 'a'); + + st.equal(qs.stringify({ a: '', b: '' }), 'a=&b='); + st.equal(qs.stringify({ a: null, b: '' }, { strictNullHandling: true }), 'a&b='); + + st.equal(qs.stringify({ a: { b: '' } }), 'a%5Bb%5D='); + st.equal(qs.stringify({ a: { b: null } }, { strictNullHandling: true }), 'a%5Bb%5D'); + st.equal(qs.stringify({ a: { b: null } }, { strictNullHandling: false }), 'a%5Bb%5D='); + + st.end(); + }); + + t.test('stringifies an empty array in different arrayFormat', function (st) { + st.equal(qs.stringify({ a: [], b: [null], c: 'c' }, { encode: false }), 'b[0]=&c=c'); + // arrayFormat default + st.equal(qs.stringify({ a: [], b: [null], c: 'c' }, { encode: false, arrayFormat: 'indices' }), 'b[0]=&c=c'); + st.equal(qs.stringify({ a: [], b: [null], c: 'c' }, { encode: false, arrayFormat: 'brackets' }), 'b[]=&c=c'); + st.equal(qs.stringify({ a: [], b: [null], c: 'c' }, { encode: false, arrayFormat: 'repeat' }), 'b=&c=c'); + st.equal(qs.stringify({ a: [], b: [null], c: 'c' }, { encode: false, arrayFormat: 'comma' }), 'b=&c=c'); + st.equal(qs.stringify({ a: [], b: [null], c: 'c' }, { encode: false, arrayFormat: 'comma', commaRoundTrip: true }), 'b[]=&c=c'); + // with strictNullHandling + st.equal(qs.stringify({ a: [], b: [null], c: 'c' }, { encode: false, arrayFormat: 'indices', strictNullHandling: true }), 'b[0]&c=c'); + st.equal(qs.stringify({ a: [], b: [null], c: 'c' }, { encode: false, arrayFormat: 'brackets', strictNullHandling: true }), 'b[]&c=c'); + st.equal(qs.stringify({ a: [], b: [null], c: 'c' }, { encode: false, arrayFormat: 'repeat', strictNullHandling: true }), 'b&c=c'); + st.equal(qs.stringify({ a: [], b: [null], c: 'c' }, { encode: false, arrayFormat: 'comma', strictNullHandling: true }), 'b&c=c'); + st.equal(qs.stringify({ a: [], b: [null], c: 'c' }, { encode: false, arrayFormat: 'comma', strictNullHandling: true, commaRoundTrip: true }), 'b[]&c=c'); + // with skipNulls + st.equal(qs.stringify({ a: [], b: [null], c: 'c' }, { encode: false, arrayFormat: 'indices', skipNulls: true }), 'c=c'); + st.equal(qs.stringify({ a: [], b: [null], c: 'c' }, { encode: false, arrayFormat: 'brackets', skipNulls: true }), 'c=c'); + st.equal(qs.stringify({ a: [], b: [null], c: 'c' }, { encode: false, arrayFormat: 'repeat', skipNulls: true }), 'c=c'); + st.equal(qs.stringify({ a: [], b: [null], c: 'c' }, { encode: false, arrayFormat: 'comma', skipNulls: true }), 'c=c'); + + st.end(); + }); + + t.test('stringifies a null object', { skip: !Object.create }, function (st) { + var obj = Object.create(null); + obj.a = 'b'; + st.equal(qs.stringify(obj), 'a=b'); + st.end(); + }); + + t.test('returns an empty string for invalid input', function (st) { + st.equal(qs.stringify(undefined), ''); + st.equal(qs.stringify(false), ''); + st.equal(qs.stringify(null), ''); + st.equal(qs.stringify(''), ''); + st.end(); + }); + + t.test('stringifies an object with a null object as a child', { skip: !Object.create }, function (st) { + var obj = { a: Object.create(null) }; + + obj.a.b = 'c'; + st.equal(qs.stringify(obj), 'a%5Bb%5D=c'); + st.end(); + }); + + t.test('drops keys with a value of undefined', function (st) { + st.equal(qs.stringify({ a: undefined }), ''); + + st.equal(qs.stringify({ a: { b: undefined, c: null } }, { strictNullHandling: true }), 'a%5Bc%5D'); + st.equal(qs.stringify({ a: { b: undefined, c: null } }, { strictNullHandling: false }), 'a%5Bc%5D='); + st.equal(qs.stringify({ a: { b: undefined, c: '' } }), 'a%5Bc%5D='); + st.end(); + }); + + t.test('url encodes values', function (st) { + st.equal(qs.stringify({ a: 'b c' }), 'a=b%20c'); + st.end(); + }); + + t.test('stringifies a date', function (st) { + var now = new Date(); + var str = 'a=' + encodeURIComponent(now.toISOString()); + st.equal(qs.stringify({ a: now }), str); + st.end(); + }); + + t.test('stringifies the weird object from qs', function (st) { + st.equal(qs.stringify({ 'my weird field': '~q1!2"\'w$5&7/z8)?' }), 'my%20weird%20field=~q1%212%22%27w%245%267%2Fz8%29%3F'); + st.end(); + }); + + t.test('skips properties that are part of the object prototype', function (st) { + Object.prototype.crash = 'test'; + st.equal(qs.stringify({ a: 'b' }), 'a=b'); + st.equal(qs.stringify({ a: { b: 'c' } }), 'a%5Bb%5D=c'); + delete Object.prototype.crash; + st.end(); + }); + + t.test('stringifies boolean values', function (st) { + st.equal(qs.stringify({ a: true }), 'a=true'); + st.equal(qs.stringify({ a: { b: true } }), 'a%5Bb%5D=true'); + st.equal(qs.stringify({ b: false }), 'b=false'); + st.equal(qs.stringify({ b: { c: false } }), 'b%5Bc%5D=false'); + st.end(); + }); + + t.test('stringifies buffer values', function (st) { + st.equal(qs.stringify({ a: SaferBuffer.from('test') }), 'a=test'); + st.equal(qs.stringify({ a: { b: SaferBuffer.from('test') } }), 'a%5Bb%5D=test'); + st.end(); + }); + + t.test('stringifies an object using an alternative delimiter', function (st) { + st.equal(qs.stringify({ a: 'b', c: 'd' }, { delimiter: ';' }), 'a=b;c=d'); + st.end(); + }); + + t.test('does not blow up when Buffer global is missing', function (st) { + var tempBuffer = global.Buffer; + delete global.Buffer; + var result = qs.stringify({ a: 'b', c: 'd' }); + global.Buffer = tempBuffer; + st.equal(result, 'a=b&c=d'); + st.end(); + }); + + t.test('does not crash when parsing circular references', function (st) { + var a = {}; + a.b = a; + + st['throws']( + function () { qs.stringify({ 'foo[bar]': 'baz', 'foo[baz]': a }); }, + /RangeError: Cyclic object value/, + 'cyclic values throw' + ); + + var circular = { + a: 'value' + }; + circular.a = circular; + st['throws']( + function () { qs.stringify(circular); }, + /RangeError: Cyclic object value/, + 'cyclic values throw' + ); + + var arr = ['a']; + st.doesNotThrow( + function () { qs.stringify({ x: arr, y: arr }); }, + 'non-cyclic values do not throw' + ); + + st.end(); + }); + + t.test('non-circular duplicated references can still work', function (st) { + var hourOfDay = { + 'function': 'hour_of_day' + }; + + var p1 = { + 'function': 'gte', + arguments: [hourOfDay, 0] + }; + var p2 = { + 'function': 'lte', + arguments: [hourOfDay, 23] + }; + + st.equal( + qs.stringify({ filters: { $and: [p1, p2] } }, { encodeValuesOnly: true }), + 'filters[$and][0][function]=gte&filters[$and][0][arguments][0][function]=hour_of_day&filters[$and][0][arguments][1]=0&filters[$and][1][function]=lte&filters[$and][1][arguments][0][function]=hour_of_day&filters[$and][1][arguments][1]=23' + ); + + st.end(); + }); + + t.test('selects properties when filter=array', function (st) { + st.equal(qs.stringify({ a: 'b' }, { filter: ['a'] }), 'a=b'); + st.equal(qs.stringify({ a: 1 }, { filter: [] }), ''); + + st.equal( + qs.stringify( + { a: { b: [1, 2, 3, 4], c: 'd' }, c: 'f' }, + { filter: ['a', 'b', 0, 2], arrayFormat: 'indices' } + ), + 'a%5Bb%5D%5B0%5D=1&a%5Bb%5D%5B2%5D=3', + 'indices => indices' + ); + st.equal( + qs.stringify( + { a: { b: [1, 2, 3, 4], c: 'd' }, c: 'f' }, + { filter: ['a', 'b', 0, 2], arrayFormat: 'brackets' } + ), + 'a%5Bb%5D%5B%5D=1&a%5Bb%5D%5B%5D=3', + 'brackets => brackets' + ); + st.equal( + qs.stringify( + { a: { b: [1, 2, 3, 4], c: 'd' }, c: 'f' }, + { filter: ['a', 'b', 0, 2] } + ), + 'a%5Bb%5D%5B0%5D=1&a%5Bb%5D%5B2%5D=3', + 'default => indices' + ); + + st.end(); + }); + + t.test('supports custom representations when filter=function', function (st) { + var calls = 0; + var obj = { a: 'b', c: 'd', e: { f: new Date(1257894000000) } }; + var filterFunc = function (prefix, value) { + calls += 1; + if (calls === 1) { + st.equal(prefix, '', 'prefix is empty'); + st.equal(value, obj); + } else if (prefix === 'c') { + return void 0; + } else if (value instanceof Date) { + st.equal(prefix, 'e[f]'); + return value.getTime(); + } + return value; + }; + + st.equal(qs.stringify(obj, { filter: filterFunc }), 'a=b&e%5Bf%5D=1257894000000'); + st.equal(calls, 5); + st.end(); + }); + + t.test('can disable uri encoding', function (st) { + st.equal(qs.stringify({ a: 'b' }, { encode: false }), 'a=b'); + st.equal(qs.stringify({ a: { b: 'c' } }, { encode: false }), 'a[b]=c'); + st.equal(qs.stringify({ a: 'b', c: null }, { strictNullHandling: true, encode: false }), 'a=b&c'); + st.end(); + }); + + t.test('can sort the keys', function (st) { + var sort = function (a, b) { + return a.localeCompare(b); + }; + st.equal(qs.stringify({ a: 'c', z: 'y', b: 'f' }, { sort: sort }), 'a=c&b=f&z=y'); + st.equal(qs.stringify({ a: 'c', z: { j: 'a', i: 'b' }, b: 'f' }, { sort: sort }), 'a=c&b=f&z%5Bi%5D=b&z%5Bj%5D=a'); + st.end(); + }); + + t.test('can sort the keys at depth 3 or more too', function (st) { + var sort = function (a, b) { + return a.localeCompare(b); + }; + st.equal( + qs.stringify( + { a: 'a', z: { zj: { zjb: 'zjb', zja: 'zja' }, zi: { zib: 'zib', zia: 'zia' } }, b: 'b' }, + { sort: sort, encode: false } + ), + 'a=a&b=b&z[zi][zia]=zia&z[zi][zib]=zib&z[zj][zja]=zja&z[zj][zjb]=zjb' + ); + st.equal( + qs.stringify( + { a: 'a', z: { zj: { zjb: 'zjb', zja: 'zja' }, zi: { zib: 'zib', zia: 'zia' } }, b: 'b' }, + { sort: null, encode: false } + ), + 'a=a&z[zj][zjb]=zjb&z[zj][zja]=zja&z[zi][zib]=zib&z[zi][zia]=zia&b=b' + ); + st.end(); + }); + + t.test('can stringify with custom encoding', function (st) { + st.equal(qs.stringify({ 県: '大阪府', '': '' }, { + encoder: function (str) { + if (str.length === 0) { + return ''; + } + var buf = iconv.encode(str, 'shiftjis'); + var result = []; + for (var i = 0; i < buf.length; ++i) { + result.push(buf.readUInt8(i).toString(16)); + } + return '%' + result.join('%'); + } + }), '%8c%a7=%91%e5%8d%e3%95%7b&='); + st.end(); + }); + + t.test('receives the default encoder as a second argument', function (st) { + st.plan(2); + qs.stringify({ a: 1 }, { + encoder: function (str, defaultEncoder) { + st.equal(defaultEncoder, utils.encode); + } + }); + st.end(); + }); + + t.test('throws error with wrong encoder', function (st) { + st['throws'](function () { + qs.stringify({}, { encoder: 'string' }); + }, new TypeError('Encoder has to be a function.')); + st.end(); + }); + + t.test('can use custom encoder for a buffer object', { skip: typeof Buffer === 'undefined' }, function (st) { + st.equal(qs.stringify({ a: SaferBuffer.from([1]) }, { + encoder: function (buffer) { + if (typeof buffer === 'string') { + return buffer; + } + return String.fromCharCode(buffer.readUInt8(0) + 97); + } + }), 'a=b'); + + st.equal(qs.stringify({ a: SaferBuffer.from('a b') }, { + encoder: function (buffer) { + return buffer; + } + }), 'a=a b'); + st.end(); + }); + + t.test('serializeDate option', function (st) { + var date = new Date(); + st.equal( + qs.stringify({ a: date }), + 'a=' + date.toISOString().replace(/:/g, '%3A'), + 'default is toISOString' + ); + + var mutatedDate = new Date(); + mutatedDate.toISOString = function () { + throw new SyntaxError(); + }; + st['throws'](function () { + mutatedDate.toISOString(); + }, SyntaxError); + st.equal( + qs.stringify({ a: mutatedDate }), + 'a=' + Date.prototype.toISOString.call(mutatedDate).replace(/:/g, '%3A'), + 'toISOString works even when method is not locally present' + ); + + var specificDate = new Date(6); + st.equal( + qs.stringify( + { a: specificDate }, + { serializeDate: function (d) { return d.getTime() * 7; } } + ), + 'a=42', + 'custom serializeDate function called' + ); + + st.equal( + qs.stringify( + { a: [date] }, + { + serializeDate: function (d) { return d.getTime(); }, + arrayFormat: 'comma' + } + ), + 'a=' + date.getTime(), + 'works with arrayFormat comma' + ); + st.equal( + qs.stringify( + { a: [date] }, + { + serializeDate: function (d) { return d.getTime(); }, + arrayFormat: 'comma', + commaRoundTrip: true + } + ), + 'a%5B%5D=' + date.getTime(), + 'works with arrayFormat comma' + ); + + st.end(); + }); + + t.test('RFC 1738 serialization', function (st) { + st.equal(qs.stringify({ a: 'b c' }, { format: qs.formats.RFC1738 }), 'a=b+c'); + st.equal(qs.stringify({ 'a b': 'c d' }, { format: qs.formats.RFC1738 }), 'a+b=c+d'); + st.equal(qs.stringify({ 'a b': SaferBuffer.from('a b') }, { format: qs.formats.RFC1738 }), 'a+b=a+b'); + + st.equal(qs.stringify({ 'foo(ref)': 'bar' }, { format: qs.formats.RFC1738 }), 'foo(ref)=bar'); + + st.end(); + }); + + t.test('RFC 3986 spaces serialization', function (st) { + st.equal(qs.stringify({ a: 'b c' }, { format: qs.formats.RFC3986 }), 'a=b%20c'); + st.equal(qs.stringify({ 'a b': 'c d' }, { format: qs.formats.RFC3986 }), 'a%20b=c%20d'); + st.equal(qs.stringify({ 'a b': SaferBuffer.from('a b') }, { format: qs.formats.RFC3986 }), 'a%20b=a%20b'); + + st.end(); + }); + + t.test('Backward compatibility to RFC 3986', function (st) { + st.equal(qs.stringify({ a: 'b c' }), 'a=b%20c'); + st.equal(qs.stringify({ 'a b': SaferBuffer.from('a b') }), 'a%20b=a%20b'); + + st.end(); + }); + + t.test('Edge cases and unknown formats', function (st) { + ['UFO1234', false, 1234, null, {}, []].forEach(function (format) { + st['throws']( + function () { + qs.stringify({ a: 'b c' }, { format: format }); + }, + new TypeError('Unknown format option provided.') + ); + }); + st.end(); + }); + + t.test('encodeValuesOnly', function (st) { + st.equal( + qs.stringify( + { a: 'b', c: ['d', 'e=f'], f: [['g'], ['h']] }, + { encodeValuesOnly: true } + ), + 'a=b&c[0]=d&c[1]=e%3Df&f[0][0]=g&f[1][0]=h' + ); + st.equal( + qs.stringify( + { a: 'b', c: ['d', 'e'], f: [['g'], ['h']] } + ), + 'a=b&c%5B0%5D=d&c%5B1%5D=e&f%5B0%5D%5B0%5D=g&f%5B1%5D%5B0%5D=h' + ); + st.end(); + }); + + t.test('encodeValuesOnly - strictNullHandling', function (st) { + st.equal( + qs.stringify( + { a: { b: null } }, + { encodeValuesOnly: true, strictNullHandling: true } + ), + 'a[b]' + ); + st.end(); + }); + + t.test('throws if an invalid charset is specified', function (st) { + st['throws'](function () { + qs.stringify({ a: 'b' }, { charset: 'foobar' }); + }, new TypeError('The charset option must be either utf-8, iso-8859-1, or undefined')); + st.end(); + }); + + t.test('respects a charset of iso-8859-1', function (st) { + st.equal(qs.stringify({ æ: 'æ' }, { charset: 'iso-8859-1' }), '%E6=%E6'); + st.end(); + }); + + t.test('encodes unrepresentable chars as numeric entities in iso-8859-1 mode', function (st) { + st.equal(qs.stringify({ a: '☺' }, { charset: 'iso-8859-1' }), 'a=%26%239786%3B'); + st.end(); + }); + + t.test('respects an explicit charset of utf-8 (the default)', function (st) { + st.equal(qs.stringify({ a: 'æ' }, { charset: 'utf-8' }), 'a=%C3%A6'); + st.end(); + }); + + t.test('adds the right sentinel when instructed to and the charset is utf-8', function (st) { + st.equal(qs.stringify({ a: 'æ' }, { charsetSentinel: true, charset: 'utf-8' }), 'utf8=%E2%9C%93&a=%C3%A6'); + st.end(); + }); + + t.test('adds the right sentinel when instructed to and the charset is iso-8859-1', function (st) { + st.equal(qs.stringify({ a: 'æ' }, { charsetSentinel: true, charset: 'iso-8859-1' }), 'utf8=%26%2310003%3B&a=%E6'); + st.end(); + }); + + t.test('does not mutate the options argument', function (st) { + var options = {}; + qs.stringify({}, options); + st.deepEqual(options, {}); + st.end(); + }); + + t.test('strictNullHandling works with custom filter', function (st) { + var filter = function (prefix, value) { + return value; + }; + + var options = { strictNullHandling: true, filter: filter }; + st.equal(qs.stringify({ key: null }, options), 'key'); + st.end(); + }); + + t.test('strictNullHandling works with null serializeDate', function (st) { + var serializeDate = function () { + return null; + }; + var options = { strictNullHandling: true, serializeDate: serializeDate }; + var date = new Date(); + st.equal(qs.stringify({ key: date }, options), 'key'); + st.end(); + }); + + t.test('allows for encoding keys and values differently', function (st) { + var encoder = function (str, defaultEncoder, charset, type) { + if (type === 'key') { + return defaultEncoder(str, defaultEncoder, charset, type).toLowerCase(); + } + if (type === 'value') { + return defaultEncoder(str, defaultEncoder, charset, type).toUpperCase(); + } + throw 'this should never happen! type: ' + type; + }; + + st.deepEqual(qs.stringify({ KeY: 'vAlUe' }, { encoder: encoder }), 'key=VALUE'); + st.end(); + }); + + t.test('objects inside arrays', function (st) { + var obj = { a: { b: { c: 'd', e: 'f' } } }; + var withArray = { a: { b: [{ c: 'd', e: 'f' }] } }; + + st.equal(qs.stringify(obj, { encode: false }), 'a[b][c]=d&a[b][e]=f', 'no array, no arrayFormat'); + st.equal(qs.stringify(obj, { encode: false, arrayFormat: 'bracket' }), 'a[b][c]=d&a[b][e]=f', 'no array, bracket'); + st.equal(qs.stringify(obj, { encode: false, arrayFormat: 'indices' }), 'a[b][c]=d&a[b][e]=f', 'no array, indices'); + st.equal(qs.stringify(obj, { encode: false, arrayFormat: 'comma' }), 'a[b][c]=d&a[b][e]=f', 'no array, comma'); + + st.equal(qs.stringify(withArray, { encode: false }), 'a[b][0][c]=d&a[b][0][e]=f', 'array, no arrayFormat'); + st.equal(qs.stringify(withArray, { encode: false, arrayFormat: 'bracket' }), 'a[b][0][c]=d&a[b][0][e]=f', 'array, bracket'); + st.equal(qs.stringify(withArray, { encode: false, arrayFormat: 'indices' }), 'a[b][0][c]=d&a[b][0][e]=f', 'array, indices'); + st.equal( + qs.stringify(withArray, { encode: false, arrayFormat: 'comma' }), + '???', + 'array, comma', + { skip: 'TODO: figure out what this should do' } + ); + + st.end(); + }); + + t.test('stringifies sparse arrays', function (st) { + /* eslint no-sparse-arrays: 0 */ + st.equal(qs.stringify({ a: [, '2', , , '1'] }, { encodeValuesOnly: true }), 'a[1]=2&a[4]=1'); + st.equal(qs.stringify({ a: [, { b: [, , { c: '1' }] }] }, { encodeValuesOnly: true }), 'a[1][b][2][c]=1'); + st.equal(qs.stringify({ a: [, [, , [, , , { c: '1' }]]] }, { encodeValuesOnly: true }), 'a[1][2][3][c]=1'); + st.equal(qs.stringify({ a: [, [, , [, , , { c: [, '1'] }]]] }, { encodeValuesOnly: true }), 'a[1][2][3][c][1]=1'); + + st.end(); + }); + + t.end(); +}); diff --git a/node_modules/body-parser/node_modules/qs/test/utils.js b/node_modules/body-parser/node_modules/qs/test/utils.js new file mode 100644 index 0000000..aa84dfd --- /dev/null +++ b/node_modules/body-parser/node_modules/qs/test/utils.js @@ -0,0 +1,136 @@ +'use strict'; + +var test = require('tape'); +var inspect = require('object-inspect'); +var SaferBuffer = require('safer-buffer').Buffer; +var forEach = require('for-each'); +var utils = require('../lib/utils'); + +test('merge()', function (t) { + t.deepEqual(utils.merge(null, true), [null, true], 'merges true into null'); + + t.deepEqual(utils.merge(null, [42]), [null, 42], 'merges null into an array'); + + t.deepEqual(utils.merge({ a: 'b' }, { a: 'c' }), { a: ['b', 'c'] }, 'merges two objects with the same key'); + + var oneMerged = utils.merge({ foo: 'bar' }, { foo: { first: '123' } }); + t.deepEqual(oneMerged, { foo: ['bar', { first: '123' }] }, 'merges a standalone and an object into an array'); + + var twoMerged = utils.merge({ foo: ['bar', { first: '123' }] }, { foo: { second: '456' } }); + t.deepEqual(twoMerged, { foo: { 0: 'bar', 1: { first: '123' }, second: '456' } }, 'merges a standalone and two objects into an array'); + + var sandwiched = utils.merge({ foo: ['bar', { first: '123', second: '456' }] }, { foo: 'baz' }); + t.deepEqual(sandwiched, { foo: ['bar', { first: '123', second: '456' }, 'baz'] }, 'merges an object sandwiched by two standalones into an array'); + + var nestedArrays = utils.merge({ foo: ['baz'] }, { foo: ['bar', 'xyzzy'] }); + t.deepEqual(nestedArrays, { foo: ['baz', 'bar', 'xyzzy'] }); + + var noOptionsNonObjectSource = utils.merge({ foo: 'baz' }, 'bar'); + t.deepEqual(noOptionsNonObjectSource, { foo: 'baz', bar: true }); + + t.test( + 'avoids invoking array setters unnecessarily', + { skip: typeof Object.defineProperty !== 'function' }, + function (st) { + var setCount = 0; + var getCount = 0; + var observed = []; + Object.defineProperty(observed, 0, { + get: function () { + getCount += 1; + return { bar: 'baz' }; + }, + set: function () { setCount += 1; } + }); + utils.merge(observed, [null]); + st.equal(setCount, 0); + st.equal(getCount, 1); + observed[0] = observed[0]; // eslint-disable-line no-self-assign + st.equal(setCount, 1); + st.equal(getCount, 2); + st.end(); + } + ); + + t.end(); +}); + +test('assign()', function (t) { + var target = { a: 1, b: 2 }; + var source = { b: 3, c: 4 }; + var result = utils.assign(target, source); + + t.equal(result, target, 'returns the target'); + t.deepEqual(target, { a: 1, b: 3, c: 4 }, 'target and source are merged'); + t.deepEqual(source, { b: 3, c: 4 }, 'source is untouched'); + + t.end(); +}); + +test('combine()', function (t) { + t.test('both arrays', function (st) { + var a = [1]; + var b = [2]; + var combined = utils.combine(a, b); + + st.deepEqual(a, [1], 'a is not mutated'); + st.deepEqual(b, [2], 'b is not mutated'); + st.notEqual(a, combined, 'a !== combined'); + st.notEqual(b, combined, 'b !== combined'); + st.deepEqual(combined, [1, 2], 'combined is a + b'); + + st.end(); + }); + + t.test('one array, one non-array', function (st) { + var aN = 1; + var a = [aN]; + var bN = 2; + var b = [bN]; + + var combinedAnB = utils.combine(aN, b); + st.deepEqual(b, [bN], 'b is not mutated'); + st.notEqual(aN, combinedAnB, 'aN + b !== aN'); + st.notEqual(a, combinedAnB, 'aN + b !== a'); + st.notEqual(bN, combinedAnB, 'aN + b !== bN'); + st.notEqual(b, combinedAnB, 'aN + b !== b'); + st.deepEqual([1, 2], combinedAnB, 'first argument is array-wrapped when not an array'); + + var combinedABn = utils.combine(a, bN); + st.deepEqual(a, [aN], 'a is not mutated'); + st.notEqual(aN, combinedABn, 'a + bN !== aN'); + st.notEqual(a, combinedABn, 'a + bN !== a'); + st.notEqual(bN, combinedABn, 'a + bN !== bN'); + st.notEqual(b, combinedABn, 'a + bN !== b'); + st.deepEqual([1, 2], combinedABn, 'second argument is array-wrapped when not an array'); + + st.end(); + }); + + t.test('neither is an array', function (st) { + var combined = utils.combine(1, 2); + st.notEqual(1, combined, '1 + 2 !== 1'); + st.notEqual(2, combined, '1 + 2 !== 2'); + st.deepEqual([1, 2], combined, 'both arguments are array-wrapped when not an array'); + + st.end(); + }); + + t.end(); +}); + +test('isBuffer()', function (t) { + forEach([null, undefined, true, false, '', 'abc', 42, 0, NaN, {}, [], function () {}, /a/g], function (x) { + t.equal(utils.isBuffer(x), false, inspect(x) + ' is not a buffer'); + }); + + var fakeBuffer = { constructor: Buffer }; + t.equal(utils.isBuffer(fakeBuffer), false, 'fake buffer is not a buffer'); + + var saferBuffer = SaferBuffer.from('abc'); + t.equal(utils.isBuffer(saferBuffer), true, 'SaferBuffer instance is a buffer'); + + var buffer = Buffer.from && Buffer.alloc ? Buffer.from('abc') : new Buffer('abc'); + t.equal(utils.isBuffer(buffer), true, 'real Buffer instance is a buffer'); + t.end(); +}); diff --git a/node_modules/body-parser/node_modules/setprototypeof/LICENSE b/node_modules/body-parser/node_modules/setprototypeof/LICENSE new file mode 100644 index 0000000..61afa2f --- /dev/null +++ b/node_modules/body-parser/node_modules/setprototypeof/LICENSE @@ -0,0 +1,13 @@ +Copyright (c) 2015, Wes Todd + +Permission to use, copy, modify, and/or distribute this software for any +purpose with or without fee is hereby granted, provided that the above +copyright notice and this permission notice appear in all copies. + +THE SOFTWARE IS PROVIDED "AS IS" AND THE AUTHOR DISCLAIMS ALL WARRANTIES +WITH REGARD TO THIS SOFTWARE INCLUDING ALL IMPLIED WARRANTIES OF +MERCHANTABILITY AND FITNESS. IN NO EVENT SHALL THE AUTHOR BE LIABLE FOR ANY +SPECIAL, DIRECT, INDIRECT, OR CONSEQUENTIAL DAMAGES OR ANY DAMAGES +WHATSOEVER RESULTING FROM LOSS OF USE, DATA OR PROFITS, WHETHER IN AN ACTION +OF CONTRACT, NEGLIGENCE OR OTHER TORTIOUS ACTION, ARISING OUT OF OR IN +CONNECTION WITH THE USE OR PERFORMANCE OF THIS SOFTWARE. diff --git a/node_modules/body-parser/node_modules/setprototypeof/README.md b/node_modules/body-parser/node_modules/setprototypeof/README.md new file mode 100644 index 0000000..791eeff --- /dev/null +++ b/node_modules/body-parser/node_modules/setprototypeof/README.md @@ -0,0 +1,31 @@ +# Polyfill for `Object.setPrototypeOf` + +[![NPM Version](https://img.shields.io/npm/v/setprototypeof.svg)](https://npmjs.org/package/setprototypeof) +[![NPM Downloads](https://img.shields.io/npm/dm/setprototypeof.svg)](https://npmjs.org/package/setprototypeof) +[![js-standard-style](https://img.shields.io/badge/code%20style-standard-brightgreen.svg)](https://github.com/standard/standard) + +A simple cross platform implementation to set the prototype of an instianted object. Supports all modern browsers and at least back to IE8. + +## Usage: + +``` +$ npm install --save setprototypeof +``` + +```javascript +var setPrototypeOf = require('setprototypeof') + +var obj = {} +setPrototypeOf(obj, { + foo: function () { + return 'bar' + } +}) +obj.foo() // bar +``` + +TypeScript is also supported: + +```typescript +import setPrototypeOf from 'setprototypeof' +``` diff --git a/node_modules/body-parser/node_modules/setprototypeof/index.d.ts b/node_modules/body-parser/node_modules/setprototypeof/index.d.ts new file mode 100644 index 0000000..f108ecd --- /dev/null +++ b/node_modules/body-parser/node_modules/setprototypeof/index.d.ts @@ -0,0 +1,2 @@ +declare function setPrototypeOf(o: any, proto: object | null): any; +export = setPrototypeOf; diff --git a/node_modules/body-parser/node_modules/setprototypeof/index.js b/node_modules/body-parser/node_modules/setprototypeof/index.js new file mode 100644 index 0000000..c527055 --- /dev/null +++ b/node_modules/body-parser/node_modules/setprototypeof/index.js @@ -0,0 +1,17 @@ +'use strict' +/* eslint no-proto: 0 */ +module.exports = Object.setPrototypeOf || ({ __proto__: [] } instanceof Array ? setProtoOf : mixinProperties) + +function setProtoOf (obj, proto) { + obj.__proto__ = proto + return obj +} + +function mixinProperties (obj, proto) { + for (var prop in proto) { + if (!Object.prototype.hasOwnProperty.call(obj, prop)) { + obj[prop] = proto[prop] + } + } + return obj +} diff --git a/node_modules/body-parser/node_modules/setprototypeof/package.json b/node_modules/body-parser/node_modules/setprototypeof/package.json new file mode 100644 index 0000000..f20915b --- /dev/null +++ b/node_modules/body-parser/node_modules/setprototypeof/package.json @@ -0,0 +1,38 @@ +{ + "name": "setprototypeof", + "version": "1.2.0", + "description": "A small polyfill for Object.setprototypeof", + "main": "index.js", + "typings": "index.d.ts", + "scripts": { + "test": "standard && mocha", + "testallversions": "npm run node010 && npm run node4 && npm run node6 && npm run node9 && npm run node11", + "testversion": "docker run -it --rm -v $(PWD):/usr/src/app -w /usr/src/app node:${NODE_VER} npm install mocha@${MOCHA_VER:-latest} && npm t", + "node010": "NODE_VER=0.10 MOCHA_VER=3 npm run testversion", + "node4": "NODE_VER=4 npm run testversion", + "node6": "NODE_VER=6 npm run testversion", + "node9": "NODE_VER=9 npm run testversion", + "node11": "NODE_VER=11 npm run testversion", + "prepublishOnly": "npm t", + "postpublish": "git push origin && git push origin --tags" + }, + "repository": { + "type": "git", + "url": "https://github.com/wesleytodd/setprototypeof.git" + }, + "keywords": [ + "polyfill", + "object", + "setprototypeof" + ], + "author": "Wes Todd", + "license": "ISC", + "bugs": { + "url": "https://github.com/wesleytodd/setprototypeof/issues" + }, + "homepage": "https://github.com/wesleytodd/setprototypeof", + "devDependencies": { + "mocha": "^6.1.4", + "standard": "^13.0.2" + } +} diff --git a/node_modules/setprototypeof/test/index.js b/node_modules/body-parser/node_modules/setprototypeof/test/index.js similarity index 100% rename from node_modules/setprototypeof/test/index.js rename to node_modules/body-parser/node_modules/setprototypeof/test/index.js diff --git a/node_modules/body-parser/node_modules/statuses/HISTORY.md b/node_modules/body-parser/node_modules/statuses/HISTORY.md new file mode 100644 index 0000000..fa4556e --- /dev/null +++ b/node_modules/body-parser/node_modules/statuses/HISTORY.md @@ -0,0 +1,82 @@ +2.0.1 / 2021-01-03 +================== + + * Fix returning values from `Object.prototype` + +2.0.0 / 2020-04-19 +================== + + * Drop support for Node.js 0.6 + * Fix messaging casing of `418 I'm a Teapot` + * Remove code 306 + * Remove `status[code]` exports; use `status.message[code]` + * Remove `status[msg]` exports; use `status.code[msg]` + * Rename `425 Unordered Collection` to standard `425 Too Early` + * Rename `STATUS_CODES` export to `message` + * Return status message for `statuses(code)` when given code + +1.5.0 / 2018-03-27 +================== + + * Add `103 Early Hints` + +1.4.0 / 2017-10-20 +================== + + * Add `STATUS_CODES` export + +1.3.1 / 2016-11-11 +================== + + * Fix return type in JSDoc + +1.3.0 / 2016-05-17 +================== + + * Add `421 Misdirected Request` + * perf: enable strict mode + +1.2.1 / 2015-02-01 +================== + + * Fix message for status 451 + - `451 Unavailable For Legal Reasons` + +1.2.0 / 2014-09-28 +================== + + * Add `208 Already Repored` + * Add `226 IM Used` + * Add `306 (Unused)` + * Add `415 Unable For Legal Reasons` + * Add `508 Loop Detected` + +1.1.1 / 2014-09-24 +================== + + * Add missing 308 to `codes.json` + +1.1.0 / 2014-09-21 +================== + + * Add `codes.json` for universal support + +1.0.4 / 2014-08-20 +================== + + * Package cleanup + +1.0.3 / 2014-06-08 +================== + + * Add 308 to `.redirect` category + +1.0.2 / 2014-03-13 +================== + + * Add `.retry` category + +1.0.1 / 2014-03-12 +================== + + * Initial release diff --git a/node_modules/body-parser/node_modules/statuses/LICENSE b/node_modules/body-parser/node_modules/statuses/LICENSE new file mode 100644 index 0000000..28a3161 --- /dev/null +++ b/node_modules/body-parser/node_modules/statuses/LICENSE @@ -0,0 +1,23 @@ + +The MIT License (MIT) + +Copyright (c) 2014 Jonathan Ong +Copyright (c) 2016 Douglas Christopher Wilson + +Permission is hereby granted, free of charge, to any person obtaining a copy +of this software and associated documentation files (the "Software"), to deal +in the Software without restriction, including without limitation the rights +to use, copy, modify, merge, publish, distribute, sublicense, and/or sell +copies of the Software, and to permit persons to whom the Software is +furnished to do so, subject to the following conditions: + +The above copyright notice and this permission notice shall be included in +all copies or substantial portions of the Software. + +THE SOFTWARE IS PROVIDED "AS IS", WITHOUT WARRANTY OF ANY KIND, EXPRESS OR +IMPLIED, INCLUDING BUT NOT LIMITED TO THE WARRANTIES OF MERCHANTABILITY, +FITNESS FOR A PARTICULAR PURPOSE AND NONINFRINGEMENT. IN NO EVENT SHALL THE +AUTHORS OR COPYRIGHT HOLDERS BE LIABLE FOR ANY CLAIM, DAMAGES OR OTHER +LIABILITY, WHETHER IN AN ACTION OF CONTRACT, TORT OR OTHERWISE, ARISING FROM, +OUT OF OR IN CONNECTION WITH THE SOFTWARE OR THE USE OR OTHER DEALINGS IN +THE SOFTWARE. diff --git a/node_modules/body-parser/node_modules/statuses/README.md b/node_modules/body-parser/node_modules/statuses/README.md new file mode 100644 index 0000000..57967e6 --- /dev/null +++ b/node_modules/body-parser/node_modules/statuses/README.md @@ -0,0 +1,136 @@ +# statuses + +[![NPM Version][npm-version-image]][npm-url] +[![NPM Downloads][npm-downloads-image]][npm-url] +[![Node.js Version][node-version-image]][node-version-url] +[![Build Status][ci-image]][ci-url] +[![Test Coverage][coveralls-image]][coveralls-url] + +HTTP status utility for node. + +This module provides a list of status codes and messages sourced from +a few different projects: + + * The [IANA Status Code Registry](https://www.iana.org/assignments/http-status-codes/http-status-codes.xhtml) + * The [Node.js project](https://nodejs.org/) + * The [NGINX project](https://www.nginx.com/) + * The [Apache HTTP Server project](https://httpd.apache.org/) + +## Installation + +This is a [Node.js](https://nodejs.org/en/) module available through the +[npm registry](https://www.npmjs.com/). Installation is done using the +[`npm install` command](https://docs.npmjs.com/getting-started/installing-npm-packages-locally): + +```sh +$ npm install statuses +``` + +## API + + + +```js +var status = require('statuses') +``` + +### status(code) + +Returns the status message string for a known HTTP status code. The code +may be a number or a string. An error is thrown for an unknown status code. + + + +```js +status(403) // => 'Forbidden' +status('403') // => 'Forbidden' +status(306) // throws +``` + +### status(msg) + +Returns the numeric status code for a known HTTP status message. The message +is case-insensitive. An error is thrown for an unknown status message. + + + +```js +status('forbidden') // => 403 +status('Forbidden') // => 403 +status('foo') // throws +``` + +### status.codes + +Returns an array of all the status codes as `Integer`s. + +### status.code[msg] + +Returns the numeric status code for a known status message (in lower-case), +otherwise `undefined`. + + + +```js +status['not found'] // => 404 +``` + +### status.empty[code] + +Returns `true` if a status code expects an empty body. + + + +```js +status.empty[200] // => undefined +status.empty[204] // => true +status.empty[304] // => true +``` + +### status.message[code] + +Returns the string message for a known numeric status code, otherwise +`undefined`. This object is the same format as the +[Node.js http module `http.STATUS_CODES`](https://nodejs.org/dist/latest/docs/api/http.html#http_http_status_codes). + + + +```js +status.message[404] // => 'Not Found' +``` + +### status.redirect[code] + +Returns `true` if a status code is a valid redirect status. + + + +```js +status.redirect[200] // => undefined +status.redirect[301] // => true +``` + +### status.retry[code] + +Returns `true` if you should retry the rest. + + + +```js +status.retry[501] // => undefined +status.retry[503] // => true +``` + +## License + +[MIT](LICENSE) + +[ci-image]: https://badgen.net/github/checks/jshttp/statuses/master?label=ci +[ci-url]: https://github.com/jshttp/statuses/actions?query=workflow%3Aci +[coveralls-image]: https://badgen.net/coveralls/c/github/jshttp/statuses/master +[coveralls-url]: https://coveralls.io/r/jshttp/statuses?branch=master +[node-version-image]: https://badgen.net/npm/node/statuses +[node-version-url]: https://nodejs.org/en/download +[npm-downloads-image]: https://badgen.net/npm/dm/statuses +[npm-url]: https://npmjs.org/package/statuses +[npm-version-image]: https://badgen.net/npm/v/statuses diff --git a/node_modules/body-parser/node_modules/statuses/codes.json b/node_modules/body-parser/node_modules/statuses/codes.json new file mode 100644 index 0000000..1333ed1 --- /dev/null +++ b/node_modules/body-parser/node_modules/statuses/codes.json @@ -0,0 +1,65 @@ +{ + "100": "Continue", + "101": "Switching Protocols", + "102": "Processing", + "103": "Early Hints", + "200": "OK", + "201": "Created", + "202": "Accepted", + "203": "Non-Authoritative Information", + "204": "No Content", + "205": "Reset Content", + "206": "Partial Content", + "207": "Multi-Status", + "208": "Already Reported", + "226": "IM Used", + "300": "Multiple Choices", + "301": "Moved Permanently", + "302": "Found", + "303": "See Other", + "304": "Not Modified", + "305": "Use Proxy", + "307": "Temporary Redirect", + "308": "Permanent Redirect", + "400": "Bad Request", + "401": "Unauthorized", + "402": "Payment Required", + "403": "Forbidden", + "404": "Not Found", + "405": "Method Not Allowed", + "406": "Not Acceptable", + "407": "Proxy Authentication Required", + "408": "Request Timeout", + "409": "Conflict", + "410": "Gone", + "411": "Length Required", + "412": "Precondition Failed", + "413": "Payload Too Large", + "414": "URI Too Long", + "415": "Unsupported Media Type", + "416": "Range Not Satisfiable", + "417": "Expectation Failed", + "418": "I'm a Teapot", + "421": "Misdirected Request", + "422": "Unprocessable Entity", + "423": "Locked", + "424": "Failed Dependency", + "425": "Too Early", + "426": "Upgrade Required", + "428": "Precondition Required", + "429": "Too Many Requests", + "431": "Request Header Fields Too Large", + "451": "Unavailable For Legal Reasons", + "500": "Internal Server Error", + "501": "Not Implemented", + "502": "Bad Gateway", + "503": "Service Unavailable", + "504": "Gateway Timeout", + "505": "HTTP Version Not Supported", + "506": "Variant Also Negotiates", + "507": "Insufficient Storage", + "508": "Loop Detected", + "509": "Bandwidth Limit Exceeded", + "510": "Not Extended", + "511": "Network Authentication Required" +} diff --git a/node_modules/body-parser/node_modules/statuses/index.js b/node_modules/body-parser/node_modules/statuses/index.js new file mode 100644 index 0000000..ea351c5 --- /dev/null +++ b/node_modules/body-parser/node_modules/statuses/index.js @@ -0,0 +1,146 @@ +/*! + * statuses + * Copyright(c) 2014 Jonathan Ong + * Copyright(c) 2016 Douglas Christopher Wilson + * MIT Licensed + */ + +'use strict' + +/** + * Module dependencies. + * @private + */ + +var codes = require('./codes.json') + +/** + * Module exports. + * @public + */ + +module.exports = status + +// status code to message map +status.message = codes + +// status message (lower-case) to code map +status.code = createMessageToStatusCodeMap(codes) + +// array of status codes +status.codes = createStatusCodeList(codes) + +// status codes for redirects +status.redirect = { + 300: true, + 301: true, + 302: true, + 303: true, + 305: true, + 307: true, + 308: true +} + +// status codes for empty bodies +status.empty = { + 204: true, + 205: true, + 304: true +} + +// status codes for when you should retry the request +status.retry = { + 502: true, + 503: true, + 504: true +} + +/** + * Create a map of message to status code. + * @private + */ + +function createMessageToStatusCodeMap (codes) { + var map = {} + + Object.keys(codes).forEach(function forEachCode (code) { + var message = codes[code] + var status = Number(code) + + // populate map + map[message.toLowerCase()] = status + }) + + return map +} + +/** + * Create a list of all status codes. + * @private + */ + +function createStatusCodeList (codes) { + return Object.keys(codes).map(function mapCode (code) { + return Number(code) + }) +} + +/** + * Get the status code for given message. + * @private + */ + +function getStatusCode (message) { + var msg = message.toLowerCase() + + if (!Object.prototype.hasOwnProperty.call(status.code, msg)) { + throw new Error('invalid status message: "' + message + '"') + } + + return status.code[msg] +} + +/** + * Get the status message for given code. + * @private + */ + +function getStatusMessage (code) { + if (!Object.prototype.hasOwnProperty.call(status.message, code)) { + throw new Error('invalid status code: ' + code) + } + + return status.message[code] +} + +/** + * Get the status code. + * + * Given a number, this will throw if it is not a known status + * code, otherwise the code will be returned. Given a string, + * the string will be parsed for a number and return the code + * if valid, otherwise will lookup the code assuming this is + * the status message. + * + * @param {string|number} code + * @returns {number} + * @public + */ + +function status (code) { + if (typeof code === 'number') { + return getStatusMessage(code) + } + + if (typeof code !== 'string') { + throw new TypeError('code must be a number or string') + } + + // '403' + var n = parseInt(code, 10) + if (!isNaN(n)) { + return getStatusMessage(n) + } + + return getStatusCode(code) +} diff --git a/node_modules/body-parser/node_modules/statuses/package.json b/node_modules/body-parser/node_modules/statuses/package.json new file mode 100644 index 0000000..8c3e719 --- /dev/null +++ b/node_modules/body-parser/node_modules/statuses/package.json @@ -0,0 +1,49 @@ +{ + "name": "statuses", + "description": "HTTP status utility", + "version": "2.0.1", + "contributors": [ + "Douglas Christopher Wilson ", + "Jonathan Ong (http://jongleberry.com)" + ], + "repository": "jshttp/statuses", + "license": "MIT", + "keywords": [ + "http", + "status", + "code" + ], + "files": [ + "HISTORY.md", + "index.js", + "codes.json", + "LICENSE" + ], + "devDependencies": { + "csv-parse": "4.14.2", + "eslint": "7.17.0", + "eslint-config-standard": "14.1.1", + "eslint-plugin-import": "2.22.1", + "eslint-plugin-markdown": "1.0.2", + "eslint-plugin-node": "11.1.0", + "eslint-plugin-promise": "4.2.1", + "eslint-plugin-standard": "4.1.0", + "mocha": "8.2.1", + "nyc": "15.1.0", + "raw-body": "2.4.1", + "stream-to-array": "2.3.0" + }, + "engines": { + "node": ">= 0.8" + }, + "scripts": { + "build": "node scripts/build.js", + "fetch": "node scripts/fetch-apache.js && node scripts/fetch-iana.js && node scripts/fetch-nginx.js && node scripts/fetch-node.js", + "lint": "eslint --plugin markdown --ext js,md .", + "test": "mocha --reporter spec --check-leaks --bail test/", + "test-ci": "nyc --reporter=lcov --reporter=text npm test", + "test-cov": "nyc --reporter=html --reporter=text npm test", + "update": "npm run fetch && npm run build", + "version": "node scripts/version-history.js && git add HISTORY.md" + } +} diff --git a/node_modules/call-bind/.eslintrc b/node_modules/call-bind/.eslintrc index dfa9a6c..e5d3c9a 100644 --- a/node_modules/call-bind/.eslintrc +++ b/node_modules/call-bind/.eslintrc @@ -12,5 +12,6 @@ ], }], "no-magic-numbers": 0, + "operator-linebreak": [2, "before"], }, } diff --git a/node_modules/call-bind/.nycrc b/node_modules/call-bind/.nycrc index bdd626c..1826526 100644 --- a/node_modules/call-bind/.nycrc +++ b/node_modules/call-bind/.nycrc @@ -2,6 +2,10 @@ "all": true, "check-coverage": false, "reporter": ["text-summary", "text", "html", "json"], + "lines": 86, + "statements": 85.93, + "functions": 82.43, + "branches": 76.06, "exclude": [ "coverage", "test" diff --git a/node_modules/call-bind/CHANGELOG.md b/node_modules/call-bind/CHANGELOG.md index 717bcc3..62a3727 100644 --- a/node_modules/call-bind/CHANGELOG.md +++ b/node_modules/call-bind/CHANGELOG.md @@ -5,41 +5,6 @@ All notable changes to this project will be documented in this file. The format is based on [Keep a Changelog](https://keepachangelog.com/en/1.0.0/) and this project adheres to [Semantic Versioning](https://semver.org/spec/v2.0.0.html). -## [v1.0.5](https://github.com/ljharb/call-bind/compare/v1.0.4...v1.0.5) - 2023-10-19 - -### Commits - -- [Fix] throw an error on non-functions as early as possible [`f262408`](https://github.com/ljharb/call-bind/commit/f262408f822c840fbc268080f3ad7c429611066d) -- [Deps] update `set-function-length` [`3fff271`](https://github.com/ljharb/call-bind/commit/3fff27145a1e3a76a5b74f1d7c3c43d0fa3b9871) - -## [v1.0.4](https://github.com/ljharb/call-bind/compare/v1.0.3...v1.0.4) - 2023-10-19 - -## [v1.0.3](https://github.com/ljharb/call-bind/compare/v1.0.2...v1.0.3) - 2023-10-19 - -### Commits - -- [actions] reuse common workflows [`a994df6`](https://github.com/ljharb/call-bind/commit/a994df69f401f4bf735a4ccd77029b85d1549453) -- [meta] use `npmignore` to autogenerate an npmignore file [`eef3ef2`](https://github.com/ljharb/call-bind/commit/eef3ef21e1f002790837fedb8af2679c761fbdf5) -- [readme] flesh out content [`1845ccf`](https://github.com/ljharb/call-bind/commit/1845ccfd9976a607884cfc7157c93192cc16cf22) -- [actions] use `node/install` instead of `node/run`; use `codecov` action [`5b47d53`](https://github.com/ljharb/call-bind/commit/5b47d53d2fd74af5ea0a44f1d51e503cd42f7a90) -- [Refactor] use `set-function-length` [`a0e165c`](https://github.com/ljharb/call-bind/commit/a0e165c5dc61db781cbc919b586b1c2b8da0b150) -- [Dev Deps] update `@ljharb/eslint-config`, `aud`, `tape` [`9c50103`](https://github.com/ljharb/call-bind/commit/9c50103f44137279a817317cf6cc421a658f85b4) -- [meta] simplify "exports" [`019c6d0`](https://github.com/ljharb/call-bind/commit/019c6d06b0e1246ceed8e579f57e44441cbbf6d9) -- [Dev Deps] update `eslint`, `@ljharb/eslint-config`, `aud`, `auto-changelog`, `safe-publish-latest`, `tape` [`23bd718`](https://github.com/ljharb/call-bind/commit/23bd718a288d3b03042062b4ef5153b3cea83f11) -- [actions] update codecov uploader [`62552d7`](https://github.com/ljharb/call-bind/commit/62552d79cc79e05825e99aaba134ae5b37f33da5) -- [Dev Deps] update `eslint`, `@ljharb/eslint-config`, `aud`, `auto-changelog`, `tape` [`ec81665`](https://github.com/ljharb/call-bind/commit/ec81665b300f87eabff597afdc8b8092adfa7afd) -- [Dev Deps] update `eslint`, `@ljharb/eslint-config`, `safe-publish-latest`, `tape` [`35d67fc`](https://github.com/ljharb/call-bind/commit/35d67fcea883e686650f736f61da5ddca2592de8) -- [Dev Deps] update `eslint`, `@ljharb/eslint-config`, `aud`, `tape` [`0266d8d`](https://github.com/ljharb/call-bind/commit/0266d8d2a45086a922db366d0c2932fa463662ff) -- [Dev Deps] update `@ljharb/eslint-config`, `aud`, `tape` [`43a5b28`](https://github.com/ljharb/call-bind/commit/43a5b28a444e710e1bbf92adb8afb5cf7523a223) -- [Deps] update `define-data-property`, `function-bind`, `get-intrinsic` [`780eb36`](https://github.com/ljharb/call-bind/commit/780eb36552514f8cc99c70821ce698697c2726a5) -- [Dev Deps] update `aud`, `tape` [`90d50ad`](https://github.com/ljharb/call-bind/commit/90d50ad03b061e0268b3380b0065fcaec183dc05) -- [meta] use `prepublishOnly` script for npm 7+ [`44c5433`](https://github.com/ljharb/call-bind/commit/44c5433b7980e02b4870007046407cf6fc543329) -- [Deps] update `get-intrinsic` [`86bfbfc`](https://github.com/ljharb/call-bind/commit/86bfbfcf34afdc6eabc93ce3d408548d0e27d958) -- [Deps] update `get-intrinsic` [`5c53354`](https://github.com/ljharb/call-bind/commit/5c5335489be0294c18cd7a8bb6e08226ee019ff5) -- [actions] update checkout action [`4c393a8`](https://github.com/ljharb/call-bind/commit/4c393a8173b3c8e5b30d5b3297b3b94d48bf87f3) -- [Deps] update `get-intrinsic` [`4e70bde`](https://github.com/ljharb/call-bind/commit/4e70bdec0626acb11616d66250fc14565e716e91) -- [Deps] update `get-intrinsic` [`55ae803`](https://github.com/ljharb/call-bind/commit/55ae803a920bd93c369cd798c20de31f91e9fc60) - ## [v1.0.2](https://github.com/ljharb/call-bind/compare/v1.0.1...v1.0.2) - 2021-01-11 ### Commits diff --git a/node_modules/call-bind/README.md b/node_modules/call-bind/README.md index 48e9047..53649eb 100644 --- a/node_modules/call-bind/README.md +++ b/node_modules/call-bind/README.md @@ -1,64 +1,2 @@ -# call-bind [![Version Badge][npm-version-svg]][package-url] - -[![github actions][actions-image]][actions-url] -[![coverage][codecov-image]][codecov-url] -[![dependency status][deps-svg]][deps-url] -[![dev dependency status][dev-deps-svg]][dev-deps-url] -[![License][license-image]][license-url] -[![Downloads][downloads-image]][downloads-url] - -[![npm badge][npm-badge-png]][package-url] - +# call-bind Robustly `.call.bind()` a function. - -## Getting started - -```sh -npm install --save call-bind -``` - -## Usage/Examples - -```js -const assert = require('assert'); -const callBind = require('call-bind'); -const callBound = require('call-bind/callBound'); - -function f(a, b) { - assert.equal(this, 1); - assert.equal(a, 2); - assert.equal(b, 3); - assert.equal(arguments.length, 2); -} - -const fBound = callBind(f); - -const slice = callBound('Array.prototype.slice'); - -delete Function.prototype.call; -delete Function.prototype.bind; - -fBound(1, 2, 3); - -assert.deepEqual(slice([1, 2, 3, 4], 1, -1), [2, 3]); -``` - -## Tests - -Clone the repo, `npm install`, and run `npm test` - -[package-url]: https://npmjs.org/package/call-bind -[npm-version-svg]: https://versionbadg.es/ljharb/call-bind.svg -[deps-svg]: https://david-dm.org/ljharb/call-bind.svg -[deps-url]: https://david-dm.org/ljharb/call-bind -[dev-deps-svg]: https://david-dm.org/ljharb/call-bind/dev-status.svg -[dev-deps-url]: https://david-dm.org/ljharb/call-bind#info=devDependencies -[npm-badge-png]: https://nodei.co/npm/call-bind.png?downloads=true&stars=true -[license-image]: https://img.shields.io/npm/l/call-bind.svg -[license-url]: LICENSE -[downloads-image]: https://img.shields.io/npm/dm/call-bind.svg -[downloads-url]: https://npm-stat.com/charts.html?package=call-bind -[codecov-image]: https://codecov.io/gh/ljharb/call-bind/branch/main/graphs/badge.svg -[codecov-url]: https://app.codecov.io/gh/ljharb/call-bind/ -[actions-image]: https://img.shields.io/endpoint?url=https://github-actions-badge-u3jn4tfpocch.runkit.sh/ljharb/call-bind -[actions-url]: https://github.com/ljharb/call-bind/actions diff --git a/node_modules/call-bind/index.js b/node_modules/call-bind/index.js index 184ee2b..6fa3e4a 100644 --- a/node_modules/call-bind/index.js +++ b/node_modules/call-bind/index.js @@ -2,13 +2,12 @@ var bind = require('function-bind'); var GetIntrinsic = require('get-intrinsic'); -var setFunctionLength = require('set-function-length'); -var $TypeError = GetIntrinsic('%TypeError%'); var $apply = GetIntrinsic('%Function.prototype.apply%'); var $call = GetIntrinsic('%Function.prototype.call%'); var $reflectApply = GetIntrinsic('%Reflect.apply%', true) || bind.call($call, $apply); +var $gOPD = GetIntrinsic('%Object.getOwnPropertyDescriptor%', true); var $defineProperty = GetIntrinsic('%Object.defineProperty%', true); var $max = GetIntrinsic('%Math.max%'); @@ -22,15 +21,19 @@ if ($defineProperty) { } module.exports = function callBind(originalFunction) { - if (typeof originalFunction !== 'function') { - throw new $TypeError('a function is required'); - } var func = $reflectApply(bind, $call, arguments); - return setFunctionLength( - func, - 1 + $max(0, originalFunction.length - (arguments.length - 1)), - true - ); + if ($gOPD && $defineProperty) { + var desc = $gOPD(func, 'length'); + if (desc.configurable) { + // original length, plus the receiver, minus any additional arguments (after the receiver) + $defineProperty( + func, + 'length', + { value: 1 + $max(0, originalFunction.length - (arguments.length - 1)) } + ); + } + } + return func; }; var applyBind = function applyBind() { diff --git a/node_modules/call-bind/package.json b/node_modules/call-bind/package.json index f946e1a..4360556 100644 --- a/node_modules/call-bind/package.json +++ b/node_modules/call-bind/package.json @@ -1,21 +1,28 @@ { "name": "call-bind", - "version": "1.0.5", + "version": "1.0.2", "description": "Robustly `.call.bind()` a function", "main": "index.js", "exports": { - ".": "./index.js", - "./callBound": "./callBound.js", + ".": [ + { + "default": "./index.js" + }, + "./index.js" + ], + "./callBound": [ + { + "default": "./callBound.js" + }, + "./callBound.js" + ], "./package.json": "./package.json" }, "scripts": { - "prepack": "npmignore --auto --commentLines=auto", - "prepublish": "not-in-publish || npm run prepublishOnly", - "prepublishOnly": "safe-publish-latest", + "prepublish": "safe-publish-latest", "lint": "eslint --ext=.js,.mjs .", - "postlint": "evalmd README.md", "pretest": "npm run lint", - "tests-only": "nyc tape 'test/**/*.js'", + "tests-only": "nyc tape 'test/*'", "test": "npm run tests-only", "posttest": "aud --production", "version": "auto-changelog && git add CHANGELOG.md", @@ -50,29 +57,17 @@ }, "homepage": "https://github.com/ljharb/call-bind#readme", "devDependencies": { - "@ljharb/eslint-config": "^21.1.0", - "aud": "^2.0.3", - "auto-changelog": "^2.4.0", - "es-value-fixtures": "^1.4.2", - "eslint": "=8.8.0", - "evalmd": "^0.0.19", - "for-each": "^0.3.3", - "gopd": "^1.0.1", - "has-strict-mode": "^1.0.1", - "in-publish": "^2.0.1", - "npmignore": "^0.3.0", + "@ljharb/eslint-config": "^17.3.0", + "aud": "^1.1.3", + "auto-changelog": "^2.2.1", + "eslint": "^7.17.0", "nyc": "^10.3.2", - "object-inspect": "^1.13.1", - "safe-publish-latest": "^2.0.0", - "tape": "^5.7.1" + "safe-publish-latest": "^1.1.4", + "tape": "^5.1.1" }, "dependencies": { - "function-bind": "^1.1.2", - "get-intrinsic": "^1.2.1", - "set-function-length": "^1.1.1" - }, - "testling": { - "files": "test/index.js" + "function-bind": "^1.1.1", + "get-intrinsic": "^1.0.2" }, "auto-changelog": { "output": "CHANGELOG.md", @@ -81,10 +76,5 @@ "commitLimit": false, "backfillLimit": false, "hideCredit": true - }, - "publishConfig": { - "ignore": [ - ".github/workflows" - ] } } diff --git a/node_modules/call-bind/test/callBound.js b/node_modules/call-bind/test/callBound.js index c32319d..209ce3c 100644 --- a/node_modules/call-bind/test/callBound.js +++ b/node_modules/call-bind/test/callBound.js @@ -40,6 +40,7 @@ test('callBound', function (t) { 'allowMissing arg still throws for unknown intrinsic' ); + /* globals WeakRef: false */ t.test('real but absent intrinsic', { skip: typeof WeakRef !== 'undefined' }, function (st) { st['throws']( function () { callBound('WeakRef'); }, diff --git a/node_modules/call-bind/test/index.js b/node_modules/call-bind/test/index.js index 1fd4668..bf6769c 100644 --- a/node_modules/call-bind/test/index.js +++ b/node_modules/call-bind/test/index.js @@ -2,11 +2,6 @@ var callBind = require('../'); var bind = require('function-bind'); -var gOPD = require('gopd'); -var hasStrictMode = require('has-strict-mode')(); -var forEach = require('for-each'); -var inspect = require('object-inspect'); -var v = require('es-value-fixtures'); var test = require('tape'); @@ -15,24 +10,15 @@ var test = require('tape'); * in io.js v3, it is configurable except on bound functions, hence the .bind() */ var functionsHaveConfigurableLengths = !!( - gOPD - && Object.getOwnPropertyDescriptor + Object.getOwnPropertyDescriptor && Object.getOwnPropertyDescriptor(bind.call(function () {}), 'length').configurable ); test('callBind', function (t) { - forEach(v.nonFunctions, function (nonFunction) { - t['throws']( - function () { callBind(nonFunction); }, - TypeError, - inspect(nonFunction) + ' is not a function' - ); - }); - var sentinel = { sentinel: true }; var func = function (a, b) { // eslint-disable-next-line no-invalid-this - return [!hasStrictMode && this === global ? undefined : this, a, b]; + return [this, a, b]; }; t.equal(func.length, 2, 'original function length is 2'); t.deepEqual(func(), [undefined, undefined, undefined], 'unbound func with too few args'); @@ -42,8 +28,8 @@ test('callBind', function (t) { var bound = callBind(func); t.equal(bound.length, func.length + 1, 'function length is preserved', { skip: !functionsHaveConfigurableLengths }); t.deepEqual(bound(), [undefined, undefined, undefined], 'bound func with too few args'); - t.deepEqual(bound(1, 2), [hasStrictMode ? 1 : Object(1), 2, undefined], 'bound func with right args'); - t.deepEqual(bound(1, 2, 3), [hasStrictMode ? 1 : Object(1), 2, 3], 'bound func with too many args'); + t.deepEqual(bound(1, 2), [1, 2, undefined], 'bound func with right args'); + t.deepEqual(bound(1, 2, 3), [1, 2, 3], 'bound func with too many args'); var boundR = callBind(func, sentinel); t.equal(boundR.length, func.length, 'function length is preserved', { skip: !functionsHaveConfigurableLengths }); diff --git a/node_modules/content-disposition/HISTORY.md b/node_modules/content-disposition/HISTORY.md index 488effa..53849b6 100644 --- a/node_modules/content-disposition/HISTORY.md +++ b/node_modules/content-disposition/HISTORY.md @@ -1,13 +1,3 @@ -0.5.4 / 2021-12-10 -================== - - * deps: safe-buffer@5.2.1 - -0.5.3 / 2018-12-17 -================== - - * Use `safe-buffer` for improved Buffer API - 0.5.2 / 2016-12-08 ================== diff --git a/node_modules/content-disposition/LICENSE b/node_modules/content-disposition/LICENSE index 84441fb..b7dce6c 100644 --- a/node_modules/content-disposition/LICENSE +++ b/node_modules/content-disposition/LICENSE @@ -1,6 +1,6 @@ (The MIT License) -Copyright (c) 2014-2017 Douglas Christopher Wilson +Copyright (c) 2014 Douglas Christopher Wilson Permission is hereby granted, free of charge, to any person obtaining a copy of this software and associated documentation files (the diff --git a/node_modules/content-disposition/README.md b/node_modules/content-disposition/README.md index 3a0bb05..992d19a 100644 --- a/node_modules/content-disposition/README.md +++ b/node_modules/content-disposition/README.md @@ -3,7 +3,7 @@ [![NPM Version][npm-image]][npm-url] [![NPM Downloads][downloads-image]][downloads-url] [![Node.js Version][node-version-image]][node-version-url] -[![Build Status][github-actions-ci-image]][github-actions-ci-url] +[![Build Status][travis-image]][travis-url] [![Test Coverage][coveralls-image]][coveralls-url] Create and parse HTTP `Content-Disposition` header @@ -67,7 +67,7 @@ it). The type is normalized to lower-case. ### contentDisposition.parse(string) ```js -var disposition = contentDisposition.parse('attachment; filename="EURO rates.txt"; filename*=UTF-8\'\'%e2%82%ac%20rates.txt') +var disposition = contentDisposition.parse('attachment; filename="EURO rates.txt"; filename*=UTF-8\'\'%e2%82%ac%20rates.txt'); ``` Parse a `Content-Disposition` header string. This automatically handles extended @@ -88,13 +88,12 @@ are shown for the string `'attachment; filename="EURO rates.txt"; filename*=UTF- ```js var contentDisposition = require('content-disposition') var destroy = require('destroy') -var fs = require('fs') var http = require('http') var onFinished = require('on-finished') var filePath = '/path/to/public/plans.pdf' -http.createServer(function onRequest (req, res) { +http.createServer(function onRequest(req, res) { // set headers res.setHeader('Content-Type', 'application/pdf') res.setHeader('Content-Disposition', contentDisposition(filePath)) @@ -102,7 +101,7 @@ http.createServer(function onRequest (req, res) { // send file var stream = fs.createReadStream(filePath) stream.pipe(res) - onFinished(res, function () { + onFinished(res, function (err) { destroy(stream) }) }) @@ -130,13 +129,13 @@ $ npm test [MIT](LICENSE) -[npm-image]: https://img.shields.io/npm/v/content-disposition.svg +[npm-image]: https://img.shields.io/npm/v/content-disposition.svg?style=flat [npm-url]: https://npmjs.org/package/content-disposition -[node-version-image]: https://img.shields.io/node/v/content-disposition.svg +[node-version-image]: https://img.shields.io/node/v/content-disposition.svg?style=flat [node-version-url]: https://nodejs.org/en/download -[coveralls-image]: https://img.shields.io/coveralls/jshttp/content-disposition.svg +[travis-image]: https://img.shields.io/travis/jshttp/content-disposition.svg?style=flat +[travis-url]: https://travis-ci.org/jshttp/content-disposition +[coveralls-image]: https://img.shields.io/coveralls/jshttp/content-disposition.svg?style=flat [coveralls-url]: https://coveralls.io/r/jshttp/content-disposition?branch=master -[downloads-image]: https://img.shields.io/npm/dm/content-disposition.svg +[downloads-image]: https://img.shields.io/npm/dm/content-disposition.svg?style=flat [downloads-url]: https://npmjs.org/package/content-disposition -[github-actions-ci-image]: https://img.shields.io/github/workflow/status/jshttp/content-disposition/ci/master?label=ci -[github-actions-ci-url]: https://github.com/jshttp/content-disposition?query=workflow%3Aci diff --git a/node_modules/content-disposition/index.js b/node_modules/content-disposition/index.js index ecec899..88a0d0a 100644 --- a/node_modules/content-disposition/index.js +++ b/node_modules/content-disposition/index.js @@ -1,6 +1,6 @@ /*! * content-disposition - * Copyright(c) 2014-2017 Douglas Christopher Wilson + * Copyright(c) 2014 Douglas Christopher Wilson * MIT Licensed */ @@ -8,7 +8,6 @@ /** * Module exports. - * @public */ module.exports = contentDisposition @@ -16,22 +15,18 @@ module.exports.parse = parse /** * Module dependencies. - * @private */ var basename = require('path').basename -var Buffer = require('safe-buffer').Buffer /** * RegExp to match non attr-char, *after* encodeURIComponent (i.e. not including "%") - * @private */ var ENCODE_URL_ATTR_CHAR_REGEXP = /[\x00-\x20"'()*,/:;<=>?@[\\\]{}\x7f]/g // eslint-disable-line no-control-regex /** * RegExp to match percent encoding escape. - * @private */ var HEX_ESCAPE_REGEXP = /%[0-9A-Fa-f]{2}/ @@ -39,7 +34,6 @@ var HEX_ESCAPE_REPLACE_REGEXP = /%([0-9A-Fa-f]{2})/g /** * RegExp to match non-latin1 characters. - * @private */ var NON_LATIN1_REGEXP = /[^\x20-\x7e\xa0-\xff]/g @@ -49,14 +43,12 @@ var NON_LATIN1_REGEXP = /[^\x20-\x7e\xa0-\xff]/g * * quoted-pair = "\" CHAR * CHAR = - * @private */ -var QESC_REGEXP = /\\([\u0000-\u007f])/g // eslint-disable-line no-control-regex +var QESC_REGEXP = /\\([\u0000-\u007f])/g /** * RegExp to match chars that must be quoted-pair in RFC 2616 - * @private */ var QUOTE_REGEXP = /([\\"])/g @@ -83,7 +75,6 @@ var QUOTE_REGEXP = /([\\"])/g * HT = * CTL = * OCTET = - * @private */ var PARAM_REGEXP = /;[\x09\x20]*([!#$%&'*+.0-9A-Z^_`a-z|~-]+)[\x09\x20]*=[\x09\x20]*("(?:[\x20!\x23-\x5b\x5d-\x7e\x80-\xff]|\\[\x20-\x7e])*"|[!#$%&'*+.0-9A-Z^_`a-z|~-]+)[\x09\x20]*/g // eslint-disable-line no-control-regex @@ -109,7 +100,6 @@ var TOKEN_REGEXP = /^[!#$%&'*+.0-9A-Z^_`a-z|~-]+$/ * attr-char = ALPHA / DIGIT * / "!" / "#" / "$" / "&" / "+" / "-" / "." * / "^" / "_" / "`" / "|" / "~" - * @private */ var EXT_VALUE_REGEXP = /^([A-Za-z0-9!#$%&+\-^_`{}~]+)'(?:[A-Za-z]{2,3}(?:-[A-Za-z]{3}){0,3}|[A-Za-z]{4,8}|)'((?:%[0-9A-Fa-f]{2}|[A-Za-z0-9!#$&+.^_`|~-])+)$/ @@ -125,7 +115,6 @@ var EXT_VALUE_REGEXP = /^([A-Za-z0-9!#$%&+\-^_`{}~]+)'(?:[A-Za-z]{2,3}(?:-[A-Za- * disp-ext-parm = token "=" value * | ext-token "=" ext-value * ext-token = - * @private */ var DISPOSITION_TYPE_REGEXP = /^([!#$%&'*+.0-9A-Z^_`a-z|~-]+)[\x09\x20]*(?:$|;)/ // eslint-disable-line no-control-regex @@ -138,7 +127,7 @@ var DISPOSITION_TYPE_REGEXP = /^([!#$%&'*+.0-9A-Z^_`a-z|~-]+)[\x09\x20]*(?:$|;)/ * @param {string} [options.type=attachment] * @param {string|boolean} [options.fallback=true] * @return {string} - * @public + * @api public */ function contentDisposition (filename, options) { @@ -160,7 +149,7 @@ function contentDisposition (filename, options) { * @param {string} [filename] * @param {string|boolean} [fallback=true] * @return {object} - * @private + * @api private */ function createparams (filename, fallback) { @@ -221,7 +210,7 @@ function createparams (filename, fallback) { * @param {string} obj.type * @param {object} [obj.parameters] * @return {string} - * @private + * @api private */ function format (obj) { @@ -255,11 +244,11 @@ function format (obj) { } /** - * Decode a RFC 5987 field value (gracefully). + * Decode a RFC 6987 field value (gracefully). * * @param {string} str * @return {string} - * @private + * @api private */ function decodefield (str) { @@ -281,7 +270,7 @@ function decodefield (str) { value = getlatin1(binary) break case 'utf-8': - value = Buffer.from(binary, 'binary').toString('utf8') + value = new Buffer(binary, 'binary').toString('utf8') break default: throw new TypeError('unsupported charset in extended field') @@ -295,7 +284,7 @@ function decodefield (str) { * * @param {string} val * @return {string} - * @private + * @api private */ function getlatin1 (val) { @@ -308,7 +297,7 @@ function getlatin1 (val) { * * @param {string} string * @return {object} - * @public + * @api private */ function parse (string) { @@ -389,7 +378,7 @@ function parse (string) { * @param {string} str * @param {string} hex * @return {string} - * @private + * @api private */ function pdecode (str, hex) { @@ -401,14 +390,17 @@ function pdecode (str, hex) { * * @param {string} char * @return {string} - * @private + * @api private */ function pencode (char) { - return '%' + String(char) + var hex = String(char) .charCodeAt(0) .toString(16) .toUpperCase() + return hex.length === 1 + ? '%0' + hex + : '%' + hex } /** @@ -416,7 +408,7 @@ function pencode (char) { * * @param {string} val * @return {string} - * @private + * @api private */ function qstring (val) { @@ -430,7 +422,7 @@ function qstring (val) { * * @param {string} val * @return {string} - * @private + * @api private */ function ustring (val) { @@ -445,11 +437,6 @@ function ustring (val) { /** * Class for parsed Content-Disposition header for v8 optimization - * - * @public - * @param {string} type - * @param {object} parameters - * @constructor */ function ContentDisposition (type, parameters) { diff --git a/node_modules/content-disposition/package.json b/node_modules/content-disposition/package.json index 43c70ce..5c521d6 100644 --- a/node_modules/content-disposition/package.json +++ b/node_modules/content-disposition/package.json @@ -1,8 +1,10 @@ { "name": "content-disposition", "description": "Create and parse Content-Disposition header", - "version": "0.5.4", - "author": "Douglas Christopher Wilson ", + "version": "0.5.2", + "contributors": [ + "Douglas Christopher Wilson " + ], "license": "MIT", "keywords": [ "content-disposition", @@ -11,20 +13,13 @@ "res" ], "repository": "jshttp/content-disposition", - "dependencies": { - "safe-buffer": "5.2.1" - }, "devDependencies": { - "deep-equal": "1.0.1", - "eslint": "7.32.0", - "eslint-config-standard": "13.0.1", - "eslint-plugin-import": "2.25.3", - "eslint-plugin-markdown": "2.2.1", - "eslint-plugin-node": "11.1.0", - "eslint-plugin-promise": "5.2.0", - "eslint-plugin-standard": "4.1.0", + "eslint": "3.11.1", + "eslint-config-standard": "6.2.1", + "eslint-plugin-promise": "3.3.0", + "eslint-plugin-standard": "2.0.1", "istanbul": "0.4.5", - "mocha": "9.1.3" + "mocha": "1.21.5" }, "files": [ "LICENSE", @@ -38,7 +33,7 @@ "scripts": { "lint": "eslint .", "test": "mocha --reporter spec --bail --check-leaks test/", - "test-ci": "istanbul cover node_modules/mocha/bin/_mocha --report lcovonly -- --reporter spec --check-leaks test/", - "test-cov": "istanbul cover node_modules/mocha/bin/_mocha -- --reporter dot --check-leaks test/" + "test-cov": "istanbul cover node_modules/mocha/bin/_mocha -- --reporter dot --check-leaks test/", + "test-travis": "istanbul cover node_modules/mocha/bin/_mocha --report lcovonly -- --reporter spec --check-leaks test/" } } diff --git a/node_modules/cookie/HISTORY.md b/node_modules/cookie/HISTORY.md deleted file mode 100644 index ae9b995..0000000 --- a/node_modules/cookie/HISTORY.md +++ /dev/null @@ -1,142 +0,0 @@ -0.5.0 / 2022-04-11 -================== - - * Add `priority` option - * Fix `expires` option to reject invalid dates - * pref: improve default decode speed - * pref: remove slow string split in parse - -0.4.2 / 2022-02-02 -================== - - * pref: read value only when assigning in parse - * pref: remove unnecessary regexp in parse - -0.4.1 / 2020-04-21 -================== - - * Fix `maxAge` option to reject invalid values - -0.4.0 / 2019-05-15 -================== - - * Add `SameSite=None` support - -0.3.1 / 2016-05-26 -================== - - * Fix `sameSite: true` to work with draft-7 clients - - `true` now sends `SameSite=Strict` instead of `SameSite` - -0.3.0 / 2016-05-26 -================== - - * Add `sameSite` option - - Replaces `firstPartyOnly` option, never implemented by browsers - * Improve error message when `encode` is not a function - * Improve error message when `expires` is not a `Date` - -0.2.4 / 2016-05-20 -================== - - * perf: enable strict mode - * perf: use for loop in parse - * perf: use string concatination for serialization - -0.2.3 / 2015-10-25 -================== - - * Fix cookie `Max-Age` to never be a floating point number - -0.2.2 / 2015-09-17 -================== - - * Fix regression when setting empty cookie value - - Ease the new restriction, which is just basic header-level validation - * Fix typo in invalid value errors - -0.2.1 / 2015-09-17 -================== - - * Throw on invalid values provided to `serialize` - - Ensures the resulting string is a valid HTTP header value - -0.2.0 / 2015-08-13 -================== - - * Add `firstPartyOnly` option - * Throw better error for invalid argument to parse - * perf: hoist regular expression - -0.1.5 / 2015-09-17 -================== - - * Fix regression when setting empty cookie value - - Ease the new restriction, which is just basic header-level validation - * Fix typo in invalid value errors - -0.1.4 / 2015-09-17 -================== - - * Throw better error for invalid argument to parse - * Throw on invalid values provided to `serialize` - - Ensures the resulting string is a valid HTTP header value - -0.1.3 / 2015-05-19 -================== - - * Reduce the scope of try-catch deopt - * Remove argument reassignments - -0.1.2 / 2014-04-16 -================== - - * Remove unnecessary files from npm package - -0.1.1 / 2014-02-23 -================== - - * Fix bad parse when cookie value contained a comma - * Fix support for `maxAge` of `0` - -0.1.0 / 2013-05-01 -================== - - * Add `decode` option - * Add `encode` option - -0.0.6 / 2013-04-08 -================== - - * Ignore cookie parts missing `=` - -0.0.5 / 2012-10-29 -================== - - * Return raw cookie value if value unescape errors - -0.0.4 / 2012-06-21 -================== - - * Use encode/decodeURIComponent for cookie encoding/decoding - - Improve server/client interoperability - -0.0.3 / 2012-06-06 -================== - - * Only escape special characters per the cookie RFC - -0.0.2 / 2012-06-01 -================== - - * Fix `maxAge` option to not throw error - -0.0.1 / 2012-05-28 -================== - - * Add more tests - -0.0.0 / 2012-05-28 -================== - - * Initial release diff --git a/node_modules/cookie/README.md b/node_modules/cookie/README.md deleted file mode 100644 index 5449c3a..0000000 --- a/node_modules/cookie/README.md +++ /dev/null @@ -1,302 +0,0 @@ -# cookie - -[![NPM Version][npm-version-image]][npm-url] -[![NPM Downloads][npm-downloads-image]][npm-url] -[![Node.js Version][node-version-image]][node-version-url] -[![Build Status][github-actions-ci-image]][github-actions-ci-url] -[![Test Coverage][coveralls-image]][coveralls-url] - -Basic HTTP cookie parser and serializer for HTTP servers. - -## Installation - -This is a [Node.js](https://nodejs.org/en/) module available through the -[npm registry](https://www.npmjs.com/). Installation is done using the -[`npm install` command](https://docs.npmjs.com/getting-started/installing-npm-packages-locally): - -```sh -$ npm install cookie -``` - -## API - -```js -var cookie = require('cookie'); -``` - -### cookie.parse(str, options) - -Parse an HTTP `Cookie` header string and returning an object of all cookie name-value pairs. -The `str` argument is the string representing a `Cookie` header value and `options` is an -optional object containing additional parsing options. - -```js -var cookies = cookie.parse('foo=bar; equation=E%3Dmc%5E2'); -// { foo: 'bar', equation: 'E=mc^2' } -``` - -#### Options - -`cookie.parse` accepts these properties in the options object. - -##### decode - -Specifies a function that will be used to decode a cookie's value. Since the value of a cookie -has a limited character set (and must be a simple string), this function can be used to decode -a previously-encoded cookie value into a JavaScript string or other object. - -The default function is the global `decodeURIComponent`, which will decode any URL-encoded -sequences into their byte representations. - -**note** if an error is thrown from this function, the original, non-decoded cookie value will -be returned as the cookie's value. - -### cookie.serialize(name, value, options) - -Serialize a cookie name-value pair into a `Set-Cookie` header string. The `name` argument is the -name for the cookie, the `value` argument is the value to set the cookie to, and the `options` -argument is an optional object containing additional serialization options. - -```js -var setCookie = cookie.serialize('foo', 'bar'); -// foo=bar -``` - -#### Options - -`cookie.serialize` accepts these properties in the options object. - -##### domain - -Specifies the value for the [`Domain` `Set-Cookie` attribute][rfc-6265-5.2.3]. By default, no -domain is set, and most clients will consider the cookie to apply to only the current domain. - -##### encode - -Specifies a function that will be used to encode a cookie's value. Since value of a cookie -has a limited character set (and must be a simple string), this function can be used to encode -a value into a string suited for a cookie's value. - -The default function is the global `encodeURIComponent`, which will encode a JavaScript string -into UTF-8 byte sequences and then URL-encode any that fall outside of the cookie range. - -##### expires - -Specifies the `Date` object to be the value for the [`Expires` `Set-Cookie` attribute][rfc-6265-5.2.1]. -By default, no expiration is set, and most clients will consider this a "non-persistent cookie" and -will delete it on a condition like exiting a web browser application. - -**note** the [cookie storage model specification][rfc-6265-5.3] states that if both `expires` and -`maxAge` are set, then `maxAge` takes precedence, but it is possible not all clients by obey this, -so if both are set, they should point to the same date and time. - -##### httpOnly - -Specifies the `boolean` value for the [`HttpOnly` `Set-Cookie` attribute][rfc-6265-5.2.6]. When truthy, -the `HttpOnly` attribute is set, otherwise it is not. By default, the `HttpOnly` attribute is not set. - -**note** be careful when setting this to `true`, as compliant clients will not allow client-side -JavaScript to see the cookie in `document.cookie`. - -##### maxAge - -Specifies the `number` (in seconds) to be the value for the [`Max-Age` `Set-Cookie` attribute][rfc-6265-5.2.2]. -The given number will be converted to an integer by rounding down. By default, no maximum age is set. - -**note** the [cookie storage model specification][rfc-6265-5.3] states that if both `expires` and -`maxAge` are set, then `maxAge` takes precedence, but it is possible not all clients by obey this, -so if both are set, they should point to the same date and time. - -##### path - -Specifies the value for the [`Path` `Set-Cookie` attribute][rfc-6265-5.2.4]. By default, the path -is considered the ["default path"][rfc-6265-5.1.4]. - -##### priority - -Specifies the `string` to be the value for the [`Priority` `Set-Cookie` attribute][rfc-west-cookie-priority-00-4.1]. - - - `'low'` will set the `Priority` attribute to `Low`. - - `'medium'` will set the `Priority` attribute to `Medium`, the default priority when not set. - - `'high'` will set the `Priority` attribute to `High`. - -More information about the different priority levels can be found in -[the specification][rfc-west-cookie-priority-00-4.1]. - -**note** This is an attribute that has not yet been fully standardized, and may change in the future. -This also means many clients may ignore this attribute until they understand it. - -##### sameSite - -Specifies the `boolean` or `string` to be the value for the [`SameSite` `Set-Cookie` attribute][rfc-6265bis-09-5.4.7]. - - - `true` will set the `SameSite` attribute to `Strict` for strict same site enforcement. - - `false` will not set the `SameSite` attribute. - - `'lax'` will set the `SameSite` attribute to `Lax` for lax same site enforcement. - - `'none'` will set the `SameSite` attribute to `None` for an explicit cross-site cookie. - - `'strict'` will set the `SameSite` attribute to `Strict` for strict same site enforcement. - -More information about the different enforcement levels can be found in -[the specification][rfc-6265bis-09-5.4.7]. - -**note** This is an attribute that has not yet been fully standardized, and may change in the future. -This also means many clients may ignore this attribute until they understand it. - -##### secure - -Specifies the `boolean` value for the [`Secure` `Set-Cookie` attribute][rfc-6265-5.2.5]. When truthy, -the `Secure` attribute is set, otherwise it is not. By default, the `Secure` attribute is not set. - -**note** be careful when setting this to `true`, as compliant clients will not send the cookie back to -the server in the future if the browser does not have an HTTPS connection. - -## Example - -The following example uses this module in conjunction with the Node.js core HTTP server -to prompt a user for their name and display it back on future visits. - -```js -var cookie = require('cookie'); -var escapeHtml = require('escape-html'); -var http = require('http'); -var url = require('url'); - -function onRequest(req, res) { - // Parse the query string - var query = url.parse(req.url, true, true).query; - - if (query && query.name) { - // Set a new cookie with the name - res.setHeader('Set-Cookie', cookie.serialize('name', String(query.name), { - httpOnly: true, - maxAge: 60 * 60 * 24 * 7 // 1 week - })); - - // Redirect back after setting cookie - res.statusCode = 302; - res.setHeader('Location', req.headers.referer || '/'); - res.end(); - return; - } - - // Parse the cookies on the request - var cookies = cookie.parse(req.headers.cookie || ''); - - // Get the visitor name set in the cookie - var name = cookies.name; - - res.setHeader('Content-Type', 'text/html; charset=UTF-8'); - - if (name) { - res.write('

Welcome back, ' + escapeHtml(name) + '!

'); - } else { - res.write('

Hello, new visitor!

'); - } - - res.write('
'); - res.write(' '); - res.end('
'); -} - -http.createServer(onRequest).listen(3000); -``` - -## Testing - -```sh -$ npm test -``` - -## Benchmark - -``` -$ npm run bench - -> cookie@0.4.2 bench -> node benchmark/index.js - - node@16.14.0 - v8@9.4.146.24-node.20 - uv@1.43.0 - zlib@1.2.11 - brotli@1.0.9 - ares@1.18.1 - modules@93 - nghttp2@1.45.1 - napi@8 - llhttp@6.0.4 - openssl@1.1.1m+quic - cldr@40.0 - icu@70.1 - tz@2021a3 - unicode@14.0 - ngtcp2@0.1.0-DEV - nghttp3@0.1.0-DEV - -> node benchmark/parse-top.js - - cookie.parse - top sites - - 15 tests completed. - - parse accounts.google.com x 2,421,245 ops/sec ±0.80% (188 runs sampled) - parse apple.com x 2,684,710 ops/sec ±0.59% (189 runs sampled) - parse cloudflare.com x 2,231,418 ops/sec ±0.76% (186 runs sampled) - parse docs.google.com x 2,316,357 ops/sec ±1.28% (187 runs sampled) - parse drive.google.com x 2,363,543 ops/sec ±0.49% (189 runs sampled) - parse en.wikipedia.org x 839,414 ops/sec ±0.53% (189 runs sampled) - parse linkedin.com x 553,797 ops/sec ±0.63% (190 runs sampled) - parse maps.google.com x 1,314,779 ops/sec ±0.72% (189 runs sampled) - parse microsoft.com x 153,783 ops/sec ±0.53% (190 runs sampled) - parse play.google.com x 2,249,574 ops/sec ±0.59% (187 runs sampled) - parse plus.google.com x 2,258,682 ops/sec ±0.60% (188 runs sampled) - parse sites.google.com x 2,247,069 ops/sec ±0.68% (189 runs sampled) - parse support.google.com x 1,456,840 ops/sec ±0.70% (187 runs sampled) - parse www.google.com x 1,046,028 ops/sec ±0.58% (188 runs sampled) - parse youtu.be x 937,428 ops/sec ±1.47% (190 runs sampled) - parse youtube.com x 963,878 ops/sec ±0.59% (190 runs sampled) - -> node benchmark/parse.js - - cookie.parse - generic - - 6 tests completed. - - simple x 2,745,604 ops/sec ±0.77% (185 runs sampled) - decode x 557,287 ops/sec ±0.60% (188 runs sampled) - unquote x 2,498,475 ops/sec ±0.55% (189 runs sampled) - duplicates x 868,591 ops/sec ±0.89% (187 runs sampled) - 10 cookies x 306,745 ops/sec ±0.49% (190 runs sampled) - 100 cookies x 22,414 ops/sec ±2.38% (182 runs sampled) -``` - -## References - -- [RFC 6265: HTTP State Management Mechanism][rfc-6265] -- [Same-site Cookies][rfc-6265bis-09-5.4.7] - -[rfc-west-cookie-priority-00-4.1]: https://tools.ietf.org/html/draft-west-cookie-priority-00#section-4.1 -[rfc-6265bis-09-5.4.7]: https://tools.ietf.org/html/draft-ietf-httpbis-rfc6265bis-09#section-5.4.7 -[rfc-6265]: https://tools.ietf.org/html/rfc6265 -[rfc-6265-5.1.4]: https://tools.ietf.org/html/rfc6265#section-5.1.4 -[rfc-6265-5.2.1]: https://tools.ietf.org/html/rfc6265#section-5.2.1 -[rfc-6265-5.2.2]: https://tools.ietf.org/html/rfc6265#section-5.2.2 -[rfc-6265-5.2.3]: https://tools.ietf.org/html/rfc6265#section-5.2.3 -[rfc-6265-5.2.4]: https://tools.ietf.org/html/rfc6265#section-5.2.4 -[rfc-6265-5.2.5]: https://tools.ietf.org/html/rfc6265#section-5.2.5 -[rfc-6265-5.2.6]: https://tools.ietf.org/html/rfc6265#section-5.2.6 -[rfc-6265-5.3]: https://tools.ietf.org/html/rfc6265#section-5.3 - -## License - -[MIT](LICENSE) - -[coveralls-image]: https://badgen.net/coveralls/c/github/jshttp/cookie/master -[coveralls-url]: https://coveralls.io/r/jshttp/cookie?branch=master -[github-actions-ci-image]: https://img.shields.io/github/workflow/status/jshttp/cookie/ci/master?label=ci -[github-actions-ci-url]: https://github.com/jshttp/cookie/actions/workflows/ci.yml -[node-version-image]: https://badgen.net/npm/node/cookie -[node-version-url]: https://nodejs.org/en/download -[npm-downloads-image]: https://badgen.net/npm/dm/cookie -[npm-url]: https://npmjs.org/package/cookie -[npm-version-image]: https://badgen.net/npm/v/cookie diff --git a/node_modules/cookie/SECURITY.md b/node_modules/cookie/SECURITY.md deleted file mode 100644 index fd4a6c5..0000000 --- a/node_modules/cookie/SECURITY.md +++ /dev/null @@ -1,25 +0,0 @@ -# Security Policies and Procedures - -## Reporting a Bug - -The `cookie` team and community take all security bugs seriously. Thank -you for improving the security of the project. We appreciate your efforts and -responsible disclosure and will make every effort to acknowledge your -contributions. - -Report security bugs by emailing the current owner(s) of `cookie`. This -information can be found in the npm registry using the command -`npm owner ls cookie`. -If unsure or unable to get the information from the above, open an issue -in the [project issue tracker](https://github.com/jshttp/cookie/issues) -asking for the current contact information. - -To ensure the timely response to your report, please ensure that the entirety -of the report is contained within the email body and not solely behind a web -link or an attachment. - -At least one owner will acknowledge your email within 48 hours, and will send a -more detailed response within 48 hours indicating the next steps in handling -your report. After the initial reply to your report, the owners will -endeavor to keep you informed of the progress towards a fix and full -announcement, and may ask for additional information or guidance. diff --git a/node_modules/cookie/index.js b/node_modules/cookie/index.js deleted file mode 100644 index 9c3d07d..0000000 --- a/node_modules/cookie/index.js +++ /dev/null @@ -1,270 +0,0 @@ -/*! - * cookie - * Copyright(c) 2012-2014 Roman Shtylman - * Copyright(c) 2015 Douglas Christopher Wilson - * MIT Licensed - */ - -'use strict'; - -/** - * Module exports. - * @public - */ - -exports.parse = parse; -exports.serialize = serialize; - -/** - * Module variables. - * @private - */ - -var __toString = Object.prototype.toString - -/** - * RegExp to match field-content in RFC 7230 sec 3.2 - * - * field-content = field-vchar [ 1*( SP / HTAB ) field-vchar ] - * field-vchar = VCHAR / obs-text - * obs-text = %x80-FF - */ - -var fieldContentRegExp = /^[\u0009\u0020-\u007e\u0080-\u00ff]+$/; - -/** - * Parse a cookie header. - * - * Parse the given cookie header string into an object - * The object has the various cookies as keys(names) => values - * - * @param {string} str - * @param {object} [options] - * @return {object} - * @public - */ - -function parse(str, options) { - if (typeof str !== 'string') { - throw new TypeError('argument str must be a string'); - } - - var obj = {} - var opt = options || {}; - var dec = opt.decode || decode; - - var index = 0 - while (index < str.length) { - var eqIdx = str.indexOf('=', index) - - // no more cookie pairs - if (eqIdx === -1) { - break - } - - var endIdx = str.indexOf(';', index) - - if (endIdx === -1) { - endIdx = str.length - } else if (endIdx < eqIdx) { - // backtrack on prior semicolon - index = str.lastIndexOf(';', eqIdx - 1) + 1 - continue - } - - var key = str.slice(index, eqIdx).trim() - - // only assign once - if (undefined === obj[key]) { - var val = str.slice(eqIdx + 1, endIdx).trim() - - // quoted values - if (val.charCodeAt(0) === 0x22) { - val = val.slice(1, -1) - } - - obj[key] = tryDecode(val, dec); - } - - index = endIdx + 1 - } - - return obj; -} - -/** - * Serialize data into a cookie header. - * - * Serialize the a name value pair into a cookie string suitable for - * http headers. An optional options object specified cookie parameters. - * - * serialize('foo', 'bar', { httpOnly: true }) - * => "foo=bar; httpOnly" - * - * @param {string} name - * @param {string} val - * @param {object} [options] - * @return {string} - * @public - */ - -function serialize(name, val, options) { - var opt = options || {}; - var enc = opt.encode || encode; - - if (typeof enc !== 'function') { - throw new TypeError('option encode is invalid'); - } - - if (!fieldContentRegExp.test(name)) { - throw new TypeError('argument name is invalid'); - } - - var value = enc(val); - - if (value && !fieldContentRegExp.test(value)) { - throw new TypeError('argument val is invalid'); - } - - var str = name + '=' + value; - - if (null != opt.maxAge) { - var maxAge = opt.maxAge - 0; - - if (isNaN(maxAge) || !isFinite(maxAge)) { - throw new TypeError('option maxAge is invalid') - } - - str += '; Max-Age=' + Math.floor(maxAge); - } - - if (opt.domain) { - if (!fieldContentRegExp.test(opt.domain)) { - throw new TypeError('option domain is invalid'); - } - - str += '; Domain=' + opt.domain; - } - - if (opt.path) { - if (!fieldContentRegExp.test(opt.path)) { - throw new TypeError('option path is invalid'); - } - - str += '; Path=' + opt.path; - } - - if (opt.expires) { - var expires = opt.expires - - if (!isDate(expires) || isNaN(expires.valueOf())) { - throw new TypeError('option expires is invalid'); - } - - str += '; Expires=' + expires.toUTCString() - } - - if (opt.httpOnly) { - str += '; HttpOnly'; - } - - if (opt.secure) { - str += '; Secure'; - } - - if (opt.priority) { - var priority = typeof opt.priority === 'string' - ? opt.priority.toLowerCase() - : opt.priority - - switch (priority) { - case 'low': - str += '; Priority=Low' - break - case 'medium': - str += '; Priority=Medium' - break - case 'high': - str += '; Priority=High' - break - default: - throw new TypeError('option priority is invalid') - } - } - - if (opt.sameSite) { - var sameSite = typeof opt.sameSite === 'string' - ? opt.sameSite.toLowerCase() : opt.sameSite; - - switch (sameSite) { - case true: - str += '; SameSite=Strict'; - break; - case 'lax': - str += '; SameSite=Lax'; - break; - case 'strict': - str += '; SameSite=Strict'; - break; - case 'none': - str += '; SameSite=None'; - break; - default: - throw new TypeError('option sameSite is invalid'); - } - } - - return str; -} - -/** - * URL-decode string value. Optimized to skip native call when no %. - * - * @param {string} str - * @returns {string} - */ - -function decode (str) { - return str.indexOf('%') !== -1 - ? decodeURIComponent(str) - : str -} - -/** - * URL-encode value. - * - * @param {string} str - * @returns {string} - */ - -function encode (val) { - return encodeURIComponent(val) -} - -/** - * Determine if value is a Date. - * - * @param {*} val - * @private - */ - -function isDate (val) { - return __toString.call(val) === '[object Date]' || - val instanceof Date -} - -/** - * Try decoding a string using a decoding function. - * - * @param {string} str - * @param {function} decode - * @private - */ - -function tryDecode(str, decode) { - try { - return decode(str); - } catch (e) { - return str; - } -} diff --git a/node_modules/cookie/package.json b/node_modules/cookie/package.json deleted file mode 100644 index ed5606a..0000000 --- a/node_modules/cookie/package.json +++ /dev/null @@ -1,44 +0,0 @@ -{ - "name": "cookie", - "description": "HTTP server cookie parsing and serialization", - "version": "0.5.0", - "author": "Roman Shtylman ", - "contributors": [ - "Douglas Christopher Wilson " - ], - "license": "MIT", - "keywords": [ - "cookie", - "cookies" - ], - "repository": "jshttp/cookie", - "devDependencies": { - "beautify-benchmark": "0.2.4", - "benchmark": "2.1.4", - "eslint": "7.32.0", - "eslint-plugin-markdown": "2.2.1", - "mocha": "9.2.2", - "nyc": "15.1.0", - "safe-buffer": "5.2.1", - "top-sites": "1.1.97" - }, - "files": [ - "HISTORY.md", - "LICENSE", - "README.md", - "SECURITY.md", - "index.js" - ], - "engines": { - "node": ">= 0.6" - }, - "scripts": { - "bench": "node benchmark/index.js", - "lint": "eslint .", - "test": "mocha --reporter spec --bail --check-leaks test/", - "test-ci": "nyc --reporter=lcov --reporter=text npm test", - "test-cov": "nyc --reporter=html --reporter=text npm test", - "update-bench": "node scripts/update-benchmark.js", - "version": "node scripts/version-history.js && git add HISTORY.md" - } -} diff --git a/node_modules/core-js/LICENSE b/node_modules/core-js/LICENSE deleted file mode 100644 index 445fc9d..0000000 --- a/node_modules/core-js/LICENSE +++ /dev/null @@ -1,19 +0,0 @@ -Copyright (c) 2014-2023 Denis Pushkarev - -Permission is hereby granted, free of charge, to any person obtaining a copy -of this software and associated documentation files (the "Software"), to deal -in the Software without restriction, including without limitation the rights -to use, copy, modify, merge, publish, distribute, sublicense, and/or sell -copies of the Software, and to permit persons to whom the Software is -furnished to do so, subject to the following conditions: - -The above copyright notice and this permission notice shall be included in -all copies or substantial portions of the Software. - -THE SOFTWARE IS PROVIDED "AS IS", WITHOUT WARRANTY OF ANY KIND, EXPRESS OR -IMPLIED, INCLUDING BUT NOT LIMITED TO THE WARRANTIES OF MERCHANTABILITY, -FITNESS FOR A PARTICULAR PURPOSE AND NONINFRINGEMENT. IN NO EVENT SHALL THE -AUTHORS OR COPYRIGHT HOLDERS BE LIABLE FOR ANY CLAIM, DAMAGES OR OTHER -LIABILITY, WHETHER IN AN ACTION OF CONTRACT, TORT OR OTHERWISE, ARISING FROM, -OUT OF OR IN CONNECTION WITH THE SOFTWARE OR THE USE OR OTHER DEALINGS IN -THE SOFTWARE. diff --git a/node_modules/core-js/README.md b/node_modules/core-js/README.md deleted file mode 100644 index 9d57a67..0000000 --- a/node_modules/core-js/README.md +++ /dev/null @@ -1,95 +0,0 @@ -![logo](https://user-images.githubusercontent.com/2213682/146607186-8e13ddef-26a4-4ebf-befd-5aac9d77c090.png) - -
- -[![fundraising](https://opencollective.com/core-js/all/badge.svg?label=fundraising)](https://opencollective.com/core-js) [![PRs welcome](https://img.shields.io/badge/PRs-welcome-brightgreen.svg)](https://github.com/zloirock/core-js/blob/master/CONTRIBUTING.md) [![version](https://img.shields.io/npm/v/core-js.svg)](https://www.npmjs.com/package/core-js) [![core-js downloads](https://img.shields.io/npm/dm/core-js.svg?label=npm%20i%20core-js)](https://npm-stat.com/charts.html?package=core-js&package=core-js-pure&package=core-js-compat&from=2014-11-18) - -
- -**I highly recommend reading this: [So, what's next?](https://github.com/zloirock/core-js/blob/master/docs/2023-02-14-so-whats-next.md)** ---- - -> Modular standard library for JavaScript. Includes polyfills for [ECMAScript up to 2023](https://github.com/zloirock/core-js#ecmascript): [promises](https://github.com/zloirock/core-js#ecmascript-promise), [symbols](https://github.com/zloirock/core-js#ecmascript-symbol), [collections](https://github.com/zloirock/core-js#ecmascript-collections), iterators, [typed arrays](https://github.com/zloirock/core-js#ecmascript-typed-arrays), many other features, [ECMAScript proposals](https://github.com/zloirock/core-js#ecmascript-proposals), [some cross-platform WHATWG / W3C features and proposals](#web-standards) like [`URL`](https://github.com/zloirock/core-js#url-and-urlsearchparams). You can load only required features or use it without global namespace pollution. - -## Raising funds - -`core-js` isn't backed by a company, so the future of this project depends on you. Become a sponsor or a backer if you are interested in `core-js`: [**Open Collective**](https://opencollective.com/core-js), [**Patreon**](https://patreon.com/zloirock), [**Boosty**](https://boosty.to/zloirock), **Bitcoin ( bc1qlea7544qtsmj2rayg0lthvza9fau63ux0fstcz )**, [**Alipay**](https://user-images.githubusercontent.com/2213682/219464783-c17ad329-17ce-4795-82a7-f609493345ed.png). - ---- - - - ---- - - - ---- - -[*Example of usage*](https://tinyurl.com/2mknex43): -```js -import 'core-js/actual'; - -Promise.resolve(42).then(it => console.log(it)); // => 42 - -Array.from(new Set([1, 2, 3]).union(new Set([3, 4, 5]))); // => [1, 2, 3, 4, 5] - -[1, 2].flatMap(it => [it, it]); // => [1, 1, 2, 2] - -(function * (i) { while (true) yield i++; })(1) - .drop(1).take(5) - .filter(it => it % 2) - .map(it => it ** 2) - .toArray(); // => [9, 25] - -structuredClone(new Set([1, 2, 3])); // => new Set([1, 2, 3]) -``` - -*You can load only required features*: -```js -import 'core-js/actual/promise'; -import 'core-js/actual/set'; -import 'core-js/actual/iterator'; -import 'core-js/actual/array/from'; -import 'core-js/actual/array/flat-map'; -import 'core-js/actual/structured-clone'; - -Promise.resolve(42).then(it => console.log(it)); // => 42 - -Array.from(new Set([1, 2, 3]).union(new Set([3, 4, 5]))); // => [1, 2, 3, 4, 5] - -[1, 2].flatMap(it => [it, it]); // => [1, 1, 2, 2] - -(function * (i) { while (true) yield i++; })(1) - .drop(1).take(5) - .filter(it => it % 2) - .map(it => it ** 2) - .toArray(); // => [9, 25] - -structuredClone(new Set([1, 2, 3])); // => new Set([1, 2, 3]) -``` - -*Or use it without global namespace pollution*: -```js -import Promise from 'core-js-pure/actual/promise'; -import Set from 'core-js-pure/actual/set'; -import Iterator from 'core-js-pure/actual/iterator'; -import from from 'core-js-pure/actual/array/from'; -import flatMap from 'core-js-pure/actual/array/flat-map'; -import structuredClone from 'core-js-pure/actual/structured-clone'; - -Promise.resolve(42).then(it => console.log(it)); // => 42 - -from(new Set([1, 2, 3]).union(new Set([3, 4, 5]))); // => [1, 2, 3, 4, 5] - -flatMap([1, 2], it => [it, it]); // => [1, 1, 2, 2] - -Iterator.from(function * (i) { while (true) yield i++; }(1)) - .drop(1).take(5) - .filter(it => it % 2) - .map(it => it ** 2) - .toArray(); // => [9, 25] - -structuredClone(new Set([1, 2, 3])); // => new Set([1, 2, 3]) -``` - -**It's a global version (first 2 examples), for more info see [`core-js` documentation](https://github.com/zloirock/core-js/blob/master/README.md).** diff --git a/node_modules/core-js/actual/README.md b/node_modules/core-js/actual/README.md deleted file mode 100644 index 62c88a0..0000000 --- a/node_modules/core-js/actual/README.md +++ /dev/null @@ -1 +0,0 @@ -This folder contains entry points for all `core-js` features with dependencies. It's the recommended way for usage only required features. diff --git a/node_modules/core-js/actual/aggregate-error.js b/node_modules/core-js/actual/aggregate-error.js deleted file mode 100644 index 78ab986..0000000 --- a/node_modules/core-js/actual/aggregate-error.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../stable/aggregate-error'); - -module.exports = parent; diff --git a/node_modules/core-js/actual/array-buffer/constructor.js b/node_modules/core-js/actual/array-buffer/constructor.js deleted file mode 100644 index f6e214d..0000000 --- a/node_modules/core-js/actual/array-buffer/constructor.js +++ /dev/null @@ -1,7 +0,0 @@ -'use strict'; -var parent = require('../../stable/array-buffer/constructor'); -require('../../modules/esnext.array-buffer.detached'); -require('../../modules/esnext.array-buffer.transfer'); -require('../../modules/esnext.array-buffer.transfer-to-fixed-length'); - -module.exports = parent; diff --git a/node_modules/core-js/actual/array-buffer/detached.js b/node_modules/core-js/actual/array-buffer/detached.js deleted file mode 100644 index 4952c84..0000000 --- a/node_modules/core-js/actual/array-buffer/detached.js +++ /dev/null @@ -1,3 +0,0 @@ -'use strict'; -require('../../stable/array-buffer'); -require('../../modules/esnext.array-buffer.detached'); diff --git a/node_modules/core-js/actual/array-buffer/index.js b/node_modules/core-js/actual/array-buffer/index.js deleted file mode 100644 index 47e89f4..0000000 --- a/node_modules/core-js/actual/array-buffer/index.js +++ /dev/null @@ -1,7 +0,0 @@ -'use strict'; -var parent = require('../../stable/array-buffer'); -require('../../modules/esnext.array-buffer.detached'); -require('../../modules/esnext.array-buffer.transfer'); -require('../../modules/esnext.array-buffer.transfer-to-fixed-length'); - -module.exports = parent; diff --git a/node_modules/core-js/actual/array-buffer/is-view.js b/node_modules/core-js/actual/array-buffer/is-view.js deleted file mode 100644 index e84330c..0000000 --- a/node_modules/core-js/actual/array-buffer/is-view.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../stable/array-buffer/is-view'); - -module.exports = parent; diff --git a/node_modules/core-js/actual/array-buffer/slice.js b/node_modules/core-js/actual/array-buffer/slice.js deleted file mode 100644 index 750d712..0000000 --- a/node_modules/core-js/actual/array-buffer/slice.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../stable/array-buffer/slice'); - -module.exports = parent; diff --git a/node_modules/core-js/actual/array-buffer/transfer-to-fixed-length.js b/node_modules/core-js/actual/array-buffer/transfer-to-fixed-length.js deleted file mode 100644 index a5fa2b4..0000000 --- a/node_modules/core-js/actual/array-buffer/transfer-to-fixed-length.js +++ /dev/null @@ -1,3 +0,0 @@ -'use strict'; -require('../../stable/array-buffer'); -require('../../modules/esnext.array-buffer.transfer-to-fixed-length'); diff --git a/node_modules/core-js/actual/array-buffer/transfer.js b/node_modules/core-js/actual/array-buffer/transfer.js deleted file mode 100644 index 3f3f4a5..0000000 --- a/node_modules/core-js/actual/array-buffer/transfer.js +++ /dev/null @@ -1,3 +0,0 @@ -'use strict'; -require('../../stable/array-buffer'); -require('../../modules/esnext.array-buffer.transfer'); diff --git a/node_modules/core-js/actual/array/at.js b/node_modules/core-js/actual/array/at.js deleted file mode 100644 index 4a39536..0000000 --- a/node_modules/core-js/actual/array/at.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../stable/array/at'); - -module.exports = parent; diff --git a/node_modules/core-js/actual/array/concat.js b/node_modules/core-js/actual/array/concat.js deleted file mode 100644 index 76ba9be..0000000 --- a/node_modules/core-js/actual/array/concat.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../stable/array/concat'); - -module.exports = parent; diff --git a/node_modules/core-js/actual/array/copy-within.js b/node_modules/core-js/actual/array/copy-within.js deleted file mode 100644 index 1719cc8..0000000 --- a/node_modules/core-js/actual/array/copy-within.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../stable/array/copy-within'); - -module.exports = parent; diff --git a/node_modules/core-js/actual/array/entries.js b/node_modules/core-js/actual/array/entries.js deleted file mode 100644 index 014c288..0000000 --- a/node_modules/core-js/actual/array/entries.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../stable/array/entries'); - -module.exports = parent; diff --git a/node_modules/core-js/actual/array/every.js b/node_modules/core-js/actual/array/every.js deleted file mode 100644 index 5c67c69..0000000 --- a/node_modules/core-js/actual/array/every.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../stable/array/every'); - -module.exports = parent; diff --git a/node_modules/core-js/actual/array/fill.js b/node_modules/core-js/actual/array/fill.js deleted file mode 100644 index cd3a527..0000000 --- a/node_modules/core-js/actual/array/fill.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../stable/array/fill'); - -module.exports = parent; diff --git a/node_modules/core-js/actual/array/filter.js b/node_modules/core-js/actual/array/filter.js deleted file mode 100644 index e975a05..0000000 --- a/node_modules/core-js/actual/array/filter.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../stable/array/filter'); - -module.exports = parent; diff --git a/node_modules/core-js/actual/array/find-index.js b/node_modules/core-js/actual/array/find-index.js deleted file mode 100644 index a90bcfd..0000000 --- a/node_modules/core-js/actual/array/find-index.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../stable/array/find-index'); - -module.exports = parent; diff --git a/node_modules/core-js/actual/array/find-last-index.js b/node_modules/core-js/actual/array/find-last-index.js deleted file mode 100644 index 1c29cfc..0000000 --- a/node_modules/core-js/actual/array/find-last-index.js +++ /dev/null @@ -1,5 +0,0 @@ -'use strict'; -require('../../modules/esnext.array.find-last-index'); -var parent = require('../../stable/array/find-last-index'); - -module.exports = parent; diff --git a/node_modules/core-js/actual/array/find-last.js b/node_modules/core-js/actual/array/find-last.js deleted file mode 100644 index c215b31..0000000 --- a/node_modules/core-js/actual/array/find-last.js +++ /dev/null @@ -1,5 +0,0 @@ -'use strict'; -require('../../modules/esnext.array.find-last'); -var parent = require('../../stable/array/find-last'); - -module.exports = parent; diff --git a/node_modules/core-js/actual/array/find.js b/node_modules/core-js/actual/array/find.js deleted file mode 100644 index 2a4b74f..0000000 --- a/node_modules/core-js/actual/array/find.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../stable/array/find'); - -module.exports = parent; diff --git a/node_modules/core-js/actual/array/flat-map.js b/node_modules/core-js/actual/array/flat-map.js deleted file mode 100644 index e27b6d3..0000000 --- a/node_modules/core-js/actual/array/flat-map.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../stable/array/flat-map'); - -module.exports = parent; diff --git a/node_modules/core-js/actual/array/flat.js b/node_modules/core-js/actual/array/flat.js deleted file mode 100644 index 7a7779b..0000000 --- a/node_modules/core-js/actual/array/flat.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../stable/array/flat'); - -module.exports = parent; diff --git a/node_modules/core-js/actual/array/for-each.js b/node_modules/core-js/actual/array/for-each.js deleted file mode 100644 index 8f7370e..0000000 --- a/node_modules/core-js/actual/array/for-each.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../stable/array/for-each'); - -module.exports = parent; diff --git a/node_modules/core-js/actual/array/from-async.js b/node_modules/core-js/actual/array/from-async.js deleted file mode 100644 index 875bc68..0000000 --- a/node_modules/core-js/actual/array/from-async.js +++ /dev/null @@ -1,9 +0,0 @@ -'use strict'; -require('../../modules/es.array.iterator'); -require('../../modules/es.object.to-string'); -require('../../modules/es.promise'); -require('../../modules/es.string.iterator'); -require('../../modules/esnext.array.from-async'); -var path = require('../../internals/path'); - -module.exports = path.Array.fromAsync; diff --git a/node_modules/core-js/actual/array/from.js b/node_modules/core-js/actual/array/from.js deleted file mode 100644 index ee3ee01..0000000 --- a/node_modules/core-js/actual/array/from.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../stable/array/from'); - -module.exports = parent; diff --git a/node_modules/core-js/actual/array/group-by-to-map.js b/node_modules/core-js/actual/array/group-by-to-map.js deleted file mode 100644 index d29af87..0000000 --- a/node_modules/core-js/actual/array/group-by-to-map.js +++ /dev/null @@ -1,7 +0,0 @@ -'use strict'; -require('../../modules/es.map'); -require('../../modules/es.object.to-string'); -require('../../modules/esnext.array.group-by-to-map'); -var entryUnbind = require('../../internals/entry-unbind'); - -module.exports = entryUnbind('Array', 'groupByToMap'); diff --git a/node_modules/core-js/actual/array/group-by.js b/node_modules/core-js/actual/array/group-by.js deleted file mode 100644 index 0044399..0000000 --- a/node_modules/core-js/actual/array/group-by.js +++ /dev/null @@ -1,5 +0,0 @@ -'use strict'; -require('../../modules/esnext.array.group-by'); -var entryUnbind = require('../../internals/entry-unbind'); - -module.exports = entryUnbind('Array', 'groupBy'); diff --git a/node_modules/core-js/actual/array/group-to-map.js b/node_modules/core-js/actual/array/group-to-map.js deleted file mode 100644 index 67d3e71..0000000 --- a/node_modules/core-js/actual/array/group-to-map.js +++ /dev/null @@ -1,7 +0,0 @@ -'use strict'; -require('../../modules/es.map'); -require('../../modules/es.object.to-string'); -require('../../modules/esnext.array.group-to-map'); -var entryUnbind = require('../../internals/entry-unbind'); - -module.exports = entryUnbind('Array', 'groupToMap'); diff --git a/node_modules/core-js/actual/array/group.js b/node_modules/core-js/actual/array/group.js deleted file mode 100644 index 0e3ac69..0000000 --- a/node_modules/core-js/actual/array/group.js +++ /dev/null @@ -1,5 +0,0 @@ -'use strict'; -require('../../modules/esnext.array.group'); -var entryUnbind = require('../../internals/entry-unbind'); - -module.exports = entryUnbind('Array', 'group'); diff --git a/node_modules/core-js/actual/array/includes.js b/node_modules/core-js/actual/array/includes.js deleted file mode 100644 index 2bf0fdb..0000000 --- a/node_modules/core-js/actual/array/includes.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../stable/array/includes'); - -module.exports = parent; diff --git a/node_modules/core-js/actual/array/index-of.js b/node_modules/core-js/actual/array/index-of.js deleted file mode 100644 index efe592b..0000000 --- a/node_modules/core-js/actual/array/index-of.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../stable/array/index-of'); - -module.exports = parent; diff --git a/node_modules/core-js/actual/array/index.js b/node_modules/core-js/actual/array/index.js deleted file mode 100644 index 4ffabf5..0000000 --- a/node_modules/core-js/actual/array/index.js +++ /dev/null @@ -1,18 +0,0 @@ -'use strict'; -var parent = require('../../stable/array'); -require('../../modules/es.promise'); -require('../../modules/es.object.to-string'); -require('../../modules/esnext.array.from-async'); -require('../../modules/esnext.array.group'); -require('../../modules/esnext.array.group-to-map'); -// TODO: Remove from `core-js@4` -require('../../modules/esnext.array.find-last'); -require('../../modules/esnext.array.find-last-index'); -require('../../modules/esnext.array.group-by'); -require('../../modules/esnext.array.group-by-to-map'); -require('../../modules/esnext.array.to-reversed'); -require('../../modules/esnext.array.to-sorted'); -require('../../modules/esnext.array.to-spliced'); -require('../../modules/esnext.array.with'); - -module.exports = parent; diff --git a/node_modules/core-js/actual/array/is-array.js b/node_modules/core-js/actual/array/is-array.js deleted file mode 100644 index 95c9b86..0000000 --- a/node_modules/core-js/actual/array/is-array.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../stable/array/is-array'); - -module.exports = parent; diff --git a/node_modules/core-js/actual/array/iterator.js b/node_modules/core-js/actual/array/iterator.js deleted file mode 100644 index d61e2e0..0000000 --- a/node_modules/core-js/actual/array/iterator.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../stable/array/iterator'); - -module.exports = parent; diff --git a/node_modules/core-js/actual/array/join.js b/node_modules/core-js/actual/array/join.js deleted file mode 100644 index 3bdb90e..0000000 --- a/node_modules/core-js/actual/array/join.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../stable/array/join'); - -module.exports = parent; diff --git a/node_modules/core-js/actual/array/keys.js b/node_modules/core-js/actual/array/keys.js deleted file mode 100644 index 117fffc..0000000 --- a/node_modules/core-js/actual/array/keys.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../stable/array/keys'); - -module.exports = parent; diff --git a/node_modules/core-js/actual/array/last-index-of.js b/node_modules/core-js/actual/array/last-index-of.js deleted file mode 100644 index af35831..0000000 --- a/node_modules/core-js/actual/array/last-index-of.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../stable/array/last-index-of'); - -module.exports = parent; diff --git a/node_modules/core-js/actual/array/map.js b/node_modules/core-js/actual/array/map.js deleted file mode 100644 index 575c07b..0000000 --- a/node_modules/core-js/actual/array/map.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../stable/array/map'); - -module.exports = parent; diff --git a/node_modules/core-js/actual/array/of.js b/node_modules/core-js/actual/array/of.js deleted file mode 100644 index 45b8aef..0000000 --- a/node_modules/core-js/actual/array/of.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../stable/array/of'); - -module.exports = parent; diff --git a/node_modules/core-js/actual/array/push.js b/node_modules/core-js/actual/array/push.js deleted file mode 100644 index d4d5d6f..0000000 --- a/node_modules/core-js/actual/array/push.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../stable/array/push'); - -module.exports = parent; diff --git a/node_modules/core-js/actual/array/reduce-right.js b/node_modules/core-js/actual/array/reduce-right.js deleted file mode 100644 index 355656b..0000000 --- a/node_modules/core-js/actual/array/reduce-right.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../stable/array/reduce-right'); - -module.exports = parent; diff --git a/node_modules/core-js/actual/array/reduce.js b/node_modules/core-js/actual/array/reduce.js deleted file mode 100644 index f4ad08c..0000000 --- a/node_modules/core-js/actual/array/reduce.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../stable/array/reduce'); - -module.exports = parent; diff --git a/node_modules/core-js/actual/array/reverse.js b/node_modules/core-js/actual/array/reverse.js deleted file mode 100644 index 9104318..0000000 --- a/node_modules/core-js/actual/array/reverse.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../stable/array/reverse'); - -module.exports = parent; diff --git a/node_modules/core-js/actual/array/slice.js b/node_modules/core-js/actual/array/slice.js deleted file mode 100644 index e19733b..0000000 --- a/node_modules/core-js/actual/array/slice.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../stable/array/slice'); - -module.exports = parent; diff --git a/node_modules/core-js/actual/array/some.js b/node_modules/core-js/actual/array/some.js deleted file mode 100644 index 451975b..0000000 --- a/node_modules/core-js/actual/array/some.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../stable/array/some'); - -module.exports = parent; diff --git a/node_modules/core-js/actual/array/sort.js b/node_modules/core-js/actual/array/sort.js deleted file mode 100644 index 2425dfa..0000000 --- a/node_modules/core-js/actual/array/sort.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../stable/array/sort'); - -module.exports = parent; diff --git a/node_modules/core-js/actual/array/splice.js b/node_modules/core-js/actual/array/splice.js deleted file mode 100644 index 71dbb51..0000000 --- a/node_modules/core-js/actual/array/splice.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../stable/array/splice'); - -module.exports = parent; diff --git a/node_modules/core-js/actual/array/to-reversed.js b/node_modules/core-js/actual/array/to-reversed.js deleted file mode 100644 index 459dc5d..0000000 --- a/node_modules/core-js/actual/array/to-reversed.js +++ /dev/null @@ -1,6 +0,0 @@ -'use strict'; -var parent = require('../../stable/array/to-reversed'); -// TODO: Remove from `core-js@4` -require('../../modules/esnext.array.to-reversed'); - -module.exports = parent; diff --git a/node_modules/core-js/actual/array/to-sorted.js b/node_modules/core-js/actual/array/to-sorted.js deleted file mode 100644 index 00444f0..0000000 --- a/node_modules/core-js/actual/array/to-sorted.js +++ /dev/null @@ -1,6 +0,0 @@ -'use strict'; -var parent = require('../../stable/array/to-sorted'); -// TODO: Remove from `core-js@4` -require('../../modules/esnext.array.to-sorted'); - -module.exports = parent; diff --git a/node_modules/core-js/actual/array/to-spliced.js b/node_modules/core-js/actual/array/to-spliced.js deleted file mode 100644 index 18fea69..0000000 --- a/node_modules/core-js/actual/array/to-spliced.js +++ /dev/null @@ -1,6 +0,0 @@ -'use strict'; -var parent = require('../../stable/array/to-spliced'); -// TODO: Remove from `core-js@4` -require('../../modules/esnext.array.to-spliced'); - -module.exports = parent; diff --git a/node_modules/core-js/actual/array/unshift.js b/node_modules/core-js/actual/array/unshift.js deleted file mode 100644 index 8401263..0000000 --- a/node_modules/core-js/actual/array/unshift.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../stable/array/unshift'); - -module.exports = parent; diff --git a/node_modules/core-js/actual/array/values.js b/node_modules/core-js/actual/array/values.js deleted file mode 100644 index ae813ae..0000000 --- a/node_modules/core-js/actual/array/values.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../stable/array/values'); - -module.exports = parent; diff --git a/node_modules/core-js/actual/array/virtual/at.js b/node_modules/core-js/actual/array/virtual/at.js deleted file mode 100644 index 578d5ad..0000000 --- a/node_modules/core-js/actual/array/virtual/at.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../../stable/array/virtual/at'); - -module.exports = parent; diff --git a/node_modules/core-js/actual/array/virtual/concat.js b/node_modules/core-js/actual/array/virtual/concat.js deleted file mode 100644 index f4b1589..0000000 --- a/node_modules/core-js/actual/array/virtual/concat.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../../stable/array/virtual/concat'); - -module.exports = parent; diff --git a/node_modules/core-js/actual/array/virtual/copy-within.js b/node_modules/core-js/actual/array/virtual/copy-within.js deleted file mode 100644 index 45039b7..0000000 --- a/node_modules/core-js/actual/array/virtual/copy-within.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../../stable/array/virtual/copy-within'); - -module.exports = parent; diff --git a/node_modules/core-js/actual/array/virtual/entries.js b/node_modules/core-js/actual/array/virtual/entries.js deleted file mode 100644 index 68ac70a..0000000 --- a/node_modules/core-js/actual/array/virtual/entries.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../../stable/array/virtual/entries'); - -module.exports = parent; diff --git a/node_modules/core-js/actual/array/virtual/every.js b/node_modules/core-js/actual/array/virtual/every.js deleted file mode 100644 index b49636f..0000000 --- a/node_modules/core-js/actual/array/virtual/every.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../../stable/array/virtual/every'); - -module.exports = parent; diff --git a/node_modules/core-js/actual/array/virtual/fill.js b/node_modules/core-js/actual/array/virtual/fill.js deleted file mode 100644 index 1ab5b05..0000000 --- a/node_modules/core-js/actual/array/virtual/fill.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../../stable/array/virtual/fill'); - -module.exports = parent; diff --git a/node_modules/core-js/actual/array/virtual/filter.js b/node_modules/core-js/actual/array/virtual/filter.js deleted file mode 100644 index 7b7dfbb..0000000 --- a/node_modules/core-js/actual/array/virtual/filter.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../../stable/array/virtual/filter'); - -module.exports = parent; diff --git a/node_modules/core-js/actual/array/virtual/find-index.js b/node_modules/core-js/actual/array/virtual/find-index.js deleted file mode 100644 index c924f63..0000000 --- a/node_modules/core-js/actual/array/virtual/find-index.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../../stable/array/virtual/find-index'); - -module.exports = parent; diff --git a/node_modules/core-js/actual/array/virtual/find-last-index.js b/node_modules/core-js/actual/array/virtual/find-last-index.js deleted file mode 100644 index 3c0397f..0000000 --- a/node_modules/core-js/actual/array/virtual/find-last-index.js +++ /dev/null @@ -1,5 +0,0 @@ -'use strict'; -require('../../../modules/esnext.array.find-last-index'); -var parent = require('../../../stable/array/virtual/find-last-index'); - -module.exports = parent; diff --git a/node_modules/core-js/actual/array/virtual/find-last.js b/node_modules/core-js/actual/array/virtual/find-last.js deleted file mode 100644 index ab53b1c..0000000 --- a/node_modules/core-js/actual/array/virtual/find-last.js +++ /dev/null @@ -1,5 +0,0 @@ -'use strict'; -require('../../../modules/esnext.array.find-last'); -var parent = require('../../../stable/array/virtual/find-last'); - -module.exports = parent; diff --git a/node_modules/core-js/actual/array/virtual/find.js b/node_modules/core-js/actual/array/virtual/find.js deleted file mode 100644 index 0cf8df6..0000000 --- a/node_modules/core-js/actual/array/virtual/find.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../../stable/array/virtual/find'); - -module.exports = parent; diff --git a/node_modules/core-js/actual/array/virtual/flat-map.js b/node_modules/core-js/actual/array/virtual/flat-map.js deleted file mode 100644 index ae16b20..0000000 --- a/node_modules/core-js/actual/array/virtual/flat-map.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../../stable/array/virtual/flat-map'); - -module.exports = parent; diff --git a/node_modules/core-js/actual/array/virtual/flat.js b/node_modules/core-js/actual/array/virtual/flat.js deleted file mode 100644 index a02b569..0000000 --- a/node_modules/core-js/actual/array/virtual/flat.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../../stable/array/virtual/flat'); - -module.exports = parent; diff --git a/node_modules/core-js/actual/array/virtual/for-each.js b/node_modules/core-js/actual/array/virtual/for-each.js deleted file mode 100644 index a5e179d..0000000 --- a/node_modules/core-js/actual/array/virtual/for-each.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../../stable/array/virtual/for-each'); - -module.exports = parent; diff --git a/node_modules/core-js/actual/array/virtual/group-by-to-map.js b/node_modules/core-js/actual/array/virtual/group-by-to-map.js deleted file mode 100644 index 617aaa3..0000000 --- a/node_modules/core-js/actual/array/virtual/group-by-to-map.js +++ /dev/null @@ -1,7 +0,0 @@ -'use strict'; -require('../../../modules/es.map'); -require('../../../modules/es.object.to-string'); -require('../../../modules/esnext.array.group-by-to-map'); -var getBuiltInPrototypeMethod = require('../../../internals/get-built-in-prototype-method'); - -module.exports = getBuiltInPrototypeMethod('Array', 'groupByToMap'); diff --git a/node_modules/core-js/actual/array/virtual/group-by.js b/node_modules/core-js/actual/array/virtual/group-by.js deleted file mode 100644 index af7eb76..0000000 --- a/node_modules/core-js/actual/array/virtual/group-by.js +++ /dev/null @@ -1,5 +0,0 @@ -'use strict'; -require('../../../modules/esnext.array.group-by'); -var getBuiltInPrototypeMethod = require('../../../internals/get-built-in-prototype-method'); - -module.exports = getBuiltInPrototypeMethod('Array', 'groupBy'); diff --git a/node_modules/core-js/actual/array/virtual/group-to-map.js b/node_modules/core-js/actual/array/virtual/group-to-map.js deleted file mode 100644 index 6cfad20..0000000 --- a/node_modules/core-js/actual/array/virtual/group-to-map.js +++ /dev/null @@ -1,7 +0,0 @@ -'use strict'; -require('../../../modules/es.map'); -require('../../../modules/es.object.to-string'); -require('../../../modules/esnext.array.group-to-map'); -var getBuiltInPrototypeMethod = require('../../../internals/get-built-in-prototype-method'); - -module.exports = getBuiltInPrototypeMethod('Array', 'groupToMap'); diff --git a/node_modules/core-js/actual/array/virtual/group.js b/node_modules/core-js/actual/array/virtual/group.js deleted file mode 100644 index ab3beac..0000000 --- a/node_modules/core-js/actual/array/virtual/group.js +++ /dev/null @@ -1,5 +0,0 @@ -'use strict'; -require('../../../modules/esnext.array.group'); -var getBuiltInPrototypeMethod = require('../../../internals/get-built-in-prototype-method'); - -module.exports = getBuiltInPrototypeMethod('Array', 'group'); diff --git a/node_modules/core-js/actual/array/virtual/includes.js b/node_modules/core-js/actual/array/virtual/includes.js deleted file mode 100644 index dafeb0a..0000000 --- a/node_modules/core-js/actual/array/virtual/includes.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../../stable/array/virtual/includes'); - -module.exports = parent; diff --git a/node_modules/core-js/actual/array/virtual/index-of.js b/node_modules/core-js/actual/array/virtual/index-of.js deleted file mode 100644 index 1cc47c0..0000000 --- a/node_modules/core-js/actual/array/virtual/index-of.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../../stable/array/virtual/index-of'); - -module.exports = parent; diff --git a/node_modules/core-js/actual/array/virtual/index.js b/node_modules/core-js/actual/array/virtual/index.js deleted file mode 100644 index 5c73843..0000000 --- a/node_modules/core-js/actual/array/virtual/index.js +++ /dev/null @@ -1,17 +0,0 @@ -'use strict'; -var parent = require('../../../stable/array/virtual'); -require('../../../modules/es.map'); -require('../../../modules/es.object.to-string'); -require('../../../modules/esnext.array.group'); -require('../../../modules/esnext.array.group-to-map'); -// TODO: Remove from `core-js@4` -require('../../../modules/esnext.array.find-last'); -require('../../../modules/esnext.array.find-last-index'); -require('../../../modules/esnext.array.group-by'); -require('../../../modules/esnext.array.group-by-to-map'); -require('../../../modules/esnext.array.to-reversed'); -require('../../../modules/esnext.array.to-sorted'); -require('../../../modules/esnext.array.to-spliced'); -require('../../../modules/esnext.array.with'); - -module.exports = parent; diff --git a/node_modules/core-js/actual/array/virtual/iterator.js b/node_modules/core-js/actual/array/virtual/iterator.js deleted file mode 100644 index 78515f8..0000000 --- a/node_modules/core-js/actual/array/virtual/iterator.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../../stable/array/virtual/iterator'); - -module.exports = parent; diff --git a/node_modules/core-js/actual/array/virtual/join.js b/node_modules/core-js/actual/array/virtual/join.js deleted file mode 100644 index 58e7a1e..0000000 --- a/node_modules/core-js/actual/array/virtual/join.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../../stable/array/virtual/join'); - -module.exports = parent; diff --git a/node_modules/core-js/actual/array/virtual/keys.js b/node_modules/core-js/actual/array/virtual/keys.js deleted file mode 100644 index d60d648..0000000 --- a/node_modules/core-js/actual/array/virtual/keys.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../../stable/array/virtual/keys'); - -module.exports = parent; diff --git a/node_modules/core-js/actual/array/virtual/last-index-of.js b/node_modules/core-js/actual/array/virtual/last-index-of.js deleted file mode 100644 index b512303..0000000 --- a/node_modules/core-js/actual/array/virtual/last-index-of.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../../stable/array/virtual/last-index-of'); - -module.exports = parent; diff --git a/node_modules/core-js/actual/array/virtual/map.js b/node_modules/core-js/actual/array/virtual/map.js deleted file mode 100644 index 33c53e0..0000000 --- a/node_modules/core-js/actual/array/virtual/map.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../../stable/array/virtual/map'); - -module.exports = parent; diff --git a/node_modules/core-js/actual/array/virtual/push.js b/node_modules/core-js/actual/array/virtual/push.js deleted file mode 100644 index b33a19b..0000000 --- a/node_modules/core-js/actual/array/virtual/push.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../../stable/array/virtual/push'); - -module.exports = parent; diff --git a/node_modules/core-js/actual/array/virtual/reduce-right.js b/node_modules/core-js/actual/array/virtual/reduce-right.js deleted file mode 100644 index 8c87c1a..0000000 --- a/node_modules/core-js/actual/array/virtual/reduce-right.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../../stable/array/virtual/reduce-right'); - -module.exports = parent; diff --git a/node_modules/core-js/actual/array/virtual/reduce.js b/node_modules/core-js/actual/array/virtual/reduce.js deleted file mode 100644 index 8efc567..0000000 --- a/node_modules/core-js/actual/array/virtual/reduce.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../../stable/array/virtual/reduce'); - -module.exports = parent; diff --git a/node_modules/core-js/actual/array/virtual/reverse.js b/node_modules/core-js/actual/array/virtual/reverse.js deleted file mode 100644 index e1c69f3..0000000 --- a/node_modules/core-js/actual/array/virtual/reverse.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../../stable/array/virtual/reverse'); - -module.exports = parent; diff --git a/node_modules/core-js/actual/array/virtual/slice.js b/node_modules/core-js/actual/array/virtual/slice.js deleted file mode 100644 index 992e9ee..0000000 --- a/node_modules/core-js/actual/array/virtual/slice.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../../stable/array/virtual/slice'); - -module.exports = parent; diff --git a/node_modules/core-js/actual/array/virtual/some.js b/node_modules/core-js/actual/array/virtual/some.js deleted file mode 100644 index 1bc1105..0000000 --- a/node_modules/core-js/actual/array/virtual/some.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../../stable/array/virtual/some'); - -module.exports = parent; diff --git a/node_modules/core-js/actual/array/virtual/sort.js b/node_modules/core-js/actual/array/virtual/sort.js deleted file mode 100644 index 92b2017..0000000 --- a/node_modules/core-js/actual/array/virtual/sort.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../../stable/array/virtual/sort'); - -module.exports = parent; diff --git a/node_modules/core-js/actual/array/virtual/splice.js b/node_modules/core-js/actual/array/virtual/splice.js deleted file mode 100644 index a281196..0000000 --- a/node_modules/core-js/actual/array/virtual/splice.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../../stable/array/virtual/splice'); - -module.exports = parent; diff --git a/node_modules/core-js/actual/array/virtual/to-reversed.js b/node_modules/core-js/actual/array/virtual/to-reversed.js deleted file mode 100644 index 025a3c5..0000000 --- a/node_modules/core-js/actual/array/virtual/to-reversed.js +++ /dev/null @@ -1,6 +0,0 @@ -'use strict'; -var parent = require('../../../stable/array/virtual/to-reversed'); -// TODO: Remove from `core-js@4` -require('../../../modules/esnext.array.to-reversed'); - -module.exports = parent; diff --git a/node_modules/core-js/actual/array/virtual/to-sorted.js b/node_modules/core-js/actual/array/virtual/to-sorted.js deleted file mode 100644 index 27c5c96..0000000 --- a/node_modules/core-js/actual/array/virtual/to-sorted.js +++ /dev/null @@ -1,6 +0,0 @@ -'use strict'; -var parent = require('../../../stable/array/virtual/to-sorted'); -// TODO: Remove from `core-js@4` -require('../../../modules/esnext.array.to-sorted'); - -module.exports = parent; diff --git a/node_modules/core-js/actual/array/virtual/to-spliced.js b/node_modules/core-js/actual/array/virtual/to-spliced.js deleted file mode 100644 index a6da4da..0000000 --- a/node_modules/core-js/actual/array/virtual/to-spliced.js +++ /dev/null @@ -1,6 +0,0 @@ -'use strict'; -var parent = require('../../../stable/array/virtual/to-spliced'); -// TODO: Remove from `core-js@4` -require('../../../modules/esnext.array.to-spliced'); - -module.exports = parent; diff --git a/node_modules/core-js/actual/array/virtual/unshift.js b/node_modules/core-js/actual/array/virtual/unshift.js deleted file mode 100644 index 7cf8b80..0000000 --- a/node_modules/core-js/actual/array/virtual/unshift.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../../stable/array/virtual/unshift'); - -module.exports = parent; diff --git a/node_modules/core-js/actual/array/virtual/values.js b/node_modules/core-js/actual/array/virtual/values.js deleted file mode 100644 index d3dac45..0000000 --- a/node_modules/core-js/actual/array/virtual/values.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../../stable/array/virtual/values'); - -module.exports = parent; diff --git a/node_modules/core-js/actual/array/virtual/with.js b/node_modules/core-js/actual/array/virtual/with.js deleted file mode 100644 index ab70a39..0000000 --- a/node_modules/core-js/actual/array/virtual/with.js +++ /dev/null @@ -1,6 +0,0 @@ -'use strict'; -var parent = require('../../../stable/array/virtual/with'); -// TODO: Remove from `core-js@4` -require('../../../modules/esnext.array.with'); - -module.exports = parent; diff --git a/node_modules/core-js/actual/array/with.js b/node_modules/core-js/actual/array/with.js deleted file mode 100644 index 324e998..0000000 --- a/node_modules/core-js/actual/array/with.js +++ /dev/null @@ -1,6 +0,0 @@ -'use strict'; -var parent = require('../../stable/array/with'); -// TODO: Remove from `core-js@4` -require('../../modules/esnext.array.with'); - -module.exports = parent; diff --git a/node_modules/core-js/actual/async-disposable-stack/constructor.js b/node_modules/core-js/actual/async-disposable-stack/constructor.js deleted file mode 100644 index b8b56dd..0000000 --- a/node_modules/core-js/actual/async-disposable-stack/constructor.js +++ /dev/null @@ -1,12 +0,0 @@ -'use strict'; -require('../../modules/es.error.cause'); -require('../../modules/es.error.to-string'); -require('../../modules/es.object.to-string'); -require('../../modules/es.promise'); -require('../../modules/esnext.suppressed-error.constructor'); -require('../../modules/esnext.async-disposable-stack.constructor'); -require('../../modules/esnext.async-iterator.async-dispose'); -require('../../modules/esnext.iterator.dispose'); -var path = require('../../internals/path'); - -module.exports = path.AsyncDisposableStack; diff --git a/node_modules/core-js/actual/async-disposable-stack/index.js b/node_modules/core-js/actual/async-disposable-stack/index.js deleted file mode 100644 index b8b56dd..0000000 --- a/node_modules/core-js/actual/async-disposable-stack/index.js +++ /dev/null @@ -1,12 +0,0 @@ -'use strict'; -require('../../modules/es.error.cause'); -require('../../modules/es.error.to-string'); -require('../../modules/es.object.to-string'); -require('../../modules/es.promise'); -require('../../modules/esnext.suppressed-error.constructor'); -require('../../modules/esnext.async-disposable-stack.constructor'); -require('../../modules/esnext.async-iterator.async-dispose'); -require('../../modules/esnext.iterator.dispose'); -var path = require('../../internals/path'); - -module.exports = path.AsyncDisposableStack; diff --git a/node_modules/core-js/actual/async-iterator/async-dispose.js b/node_modules/core-js/actual/async-iterator/async-dispose.js deleted file mode 100644 index 8513ef3..0000000 --- a/node_modules/core-js/actual/async-iterator/async-dispose.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -require('../../modules/es.object.to-string'); -require('../../modules/es.promise'); -require('../../modules/esnext.async-iterator.async-dispose'); diff --git a/node_modules/core-js/actual/async-iterator/drop.js b/node_modules/core-js/actual/async-iterator/drop.js deleted file mode 100644 index e38788f..0000000 --- a/node_modules/core-js/actual/async-iterator/drop.js +++ /dev/null @@ -1,9 +0,0 @@ -'use strict'; -require('../../modules/es.object.to-string'); -require('../../modules/es.promise'); -require('../../modules/esnext.async-iterator.constructor'); -require('../../modules/esnext.async-iterator.drop'); - -var entryUnbind = require('../../internals/entry-unbind'); - -module.exports = entryUnbind('AsyncIterator', 'drop'); diff --git a/node_modules/core-js/actual/async-iterator/every.js b/node_modules/core-js/actual/async-iterator/every.js deleted file mode 100644 index 57ef76e..0000000 --- a/node_modules/core-js/actual/async-iterator/every.js +++ /dev/null @@ -1,9 +0,0 @@ -'use strict'; -require('../../modules/es.object.to-string'); -require('../../modules/es.promise'); -require('../../modules/esnext.async-iterator.constructor'); -require('../../modules/esnext.async-iterator.every'); - -var entryUnbind = require('../../internals/entry-unbind'); - -module.exports = entryUnbind('AsyncIterator', 'every'); diff --git a/node_modules/core-js/actual/async-iterator/filter.js b/node_modules/core-js/actual/async-iterator/filter.js deleted file mode 100644 index 6ca50b1..0000000 --- a/node_modules/core-js/actual/async-iterator/filter.js +++ /dev/null @@ -1,9 +0,0 @@ -'use strict'; -require('../../modules/es.object.to-string'); -require('../../modules/es.promise'); -require('../../modules/esnext.async-iterator.constructor'); -require('../../modules/esnext.async-iterator.filter'); - -var entryUnbind = require('../../internals/entry-unbind'); - -module.exports = entryUnbind('AsyncIterator', 'filter'); diff --git a/node_modules/core-js/actual/async-iterator/find.js b/node_modules/core-js/actual/async-iterator/find.js deleted file mode 100644 index ed47bae..0000000 --- a/node_modules/core-js/actual/async-iterator/find.js +++ /dev/null @@ -1,9 +0,0 @@ -'use strict'; -require('../../modules/es.object.to-string'); -require('../../modules/es.promise'); -require('../../modules/esnext.async-iterator.constructor'); -require('../../modules/esnext.async-iterator.find'); - -var entryUnbind = require('../../internals/entry-unbind'); - -module.exports = entryUnbind('AsyncIterator', 'find'); diff --git a/node_modules/core-js/actual/async-iterator/flat-map.js b/node_modules/core-js/actual/async-iterator/flat-map.js deleted file mode 100644 index 97c2d18..0000000 --- a/node_modules/core-js/actual/async-iterator/flat-map.js +++ /dev/null @@ -1,9 +0,0 @@ -'use strict'; -require('../../modules/es.object.to-string'); -require('../../modules/es.promise'); -require('../../modules/esnext.async-iterator.constructor'); -require('../../modules/esnext.async-iterator.flat-map'); - -var entryUnbind = require('../../internals/entry-unbind'); - -module.exports = entryUnbind('AsyncIterator', 'flatMap'); diff --git a/node_modules/core-js/actual/async-iterator/for-each.js b/node_modules/core-js/actual/async-iterator/for-each.js deleted file mode 100644 index 9f2be34..0000000 --- a/node_modules/core-js/actual/async-iterator/for-each.js +++ /dev/null @@ -1,9 +0,0 @@ -'use strict'; -require('../../modules/es.object.to-string'); -require('../../modules/es.promise'); -require('../../modules/esnext.async-iterator.constructor'); -require('../../modules/esnext.async-iterator.for-each'); - -var entryUnbind = require('../../internals/entry-unbind'); - -module.exports = entryUnbind('AsyncIterator', 'forEach'); diff --git a/node_modules/core-js/actual/async-iterator/from.js b/node_modules/core-js/actual/async-iterator/from.js deleted file mode 100644 index e8471c1..0000000 --- a/node_modules/core-js/actual/async-iterator/from.js +++ /dev/null @@ -1,23 +0,0 @@ -'use strict'; -require('../../modules/es.array.iterator'); -require('../../modules/es.object.to-string'); -require('../../modules/es.promise'); -require('../../modules/es.string.iterator'); -require('../../modules/esnext.async-iterator.constructor'); -require('../../modules/esnext.async-iterator.drop'); -require('../../modules/esnext.async-iterator.every'); -require('../../modules/esnext.async-iterator.filter'); -require('../../modules/esnext.async-iterator.find'); -require('../../modules/esnext.async-iterator.flat-map'); -require('../../modules/esnext.async-iterator.for-each'); -require('../../modules/esnext.async-iterator.from'); -require('../../modules/esnext.async-iterator.map'); -require('../../modules/esnext.async-iterator.reduce'); -require('../../modules/esnext.async-iterator.some'); -require('../../modules/esnext.async-iterator.take'); -require('../../modules/esnext.async-iterator.to-array'); -require('../../modules/web.dom-collections.iterator'); - -var path = require('../../internals/path'); - -module.exports = path.AsyncIterator.from; diff --git a/node_modules/core-js/actual/async-iterator/index.js b/node_modules/core-js/actual/async-iterator/index.js deleted file mode 100644 index 2c85f87..0000000 --- a/node_modules/core-js/actual/async-iterator/index.js +++ /dev/null @@ -1,24 +0,0 @@ -'use strict'; -require('../../modules/es.array.iterator'); -require('../../modules/es.object.to-string'); -require('../../modules/es.promise'); -require('../../modules/es.string.iterator'); -require('../../modules/esnext.async-iterator.constructor'); -require('../../modules/esnext.async-iterator.async-dispose'); -require('../../modules/esnext.async-iterator.drop'); -require('../../modules/esnext.async-iterator.every'); -require('../../modules/esnext.async-iterator.filter'); -require('../../modules/esnext.async-iterator.find'); -require('../../modules/esnext.async-iterator.flat-map'); -require('../../modules/esnext.async-iterator.for-each'); -require('../../modules/esnext.async-iterator.from'); -require('../../modules/esnext.async-iterator.map'); -require('../../modules/esnext.async-iterator.reduce'); -require('../../modules/esnext.async-iterator.some'); -require('../../modules/esnext.async-iterator.take'); -require('../../modules/esnext.async-iterator.to-array'); -require('../../modules/web.dom-collections.iterator'); - -var path = require('../../internals/path'); - -module.exports = path.AsyncIterator; diff --git a/node_modules/core-js/actual/async-iterator/map.js b/node_modules/core-js/actual/async-iterator/map.js deleted file mode 100644 index 503762d..0000000 --- a/node_modules/core-js/actual/async-iterator/map.js +++ /dev/null @@ -1,9 +0,0 @@ -'use strict'; -require('../../modules/es.object.to-string'); -require('../../modules/es.promise'); -require('../../modules/esnext.async-iterator.constructor'); -require('../../modules/esnext.async-iterator.map'); - -var entryUnbind = require('../../internals/entry-unbind'); - -module.exports = entryUnbind('AsyncIterator', 'map'); diff --git a/node_modules/core-js/actual/async-iterator/reduce.js b/node_modules/core-js/actual/async-iterator/reduce.js deleted file mode 100644 index 07d122c..0000000 --- a/node_modules/core-js/actual/async-iterator/reduce.js +++ /dev/null @@ -1,9 +0,0 @@ -'use strict'; -require('../../modules/es.object.to-string'); -require('../../modules/es.promise'); -require('../../modules/esnext.async-iterator.constructor'); -require('../../modules/esnext.async-iterator.reduce'); - -var entryUnbind = require('../../internals/entry-unbind'); - -module.exports = entryUnbind('AsyncIterator', 'reduce'); diff --git a/node_modules/core-js/actual/async-iterator/some.js b/node_modules/core-js/actual/async-iterator/some.js deleted file mode 100644 index cb0612a..0000000 --- a/node_modules/core-js/actual/async-iterator/some.js +++ /dev/null @@ -1,9 +0,0 @@ -'use strict'; -require('../../modules/es.object.to-string'); -require('../../modules/es.promise'); -require('../../modules/esnext.async-iterator.constructor'); -require('../../modules/esnext.async-iterator.some'); - -var entryUnbind = require('../../internals/entry-unbind'); - -module.exports = entryUnbind('AsyncIterator', 'some'); diff --git a/node_modules/core-js/actual/async-iterator/take.js b/node_modules/core-js/actual/async-iterator/take.js deleted file mode 100644 index 318528a..0000000 --- a/node_modules/core-js/actual/async-iterator/take.js +++ /dev/null @@ -1,9 +0,0 @@ -'use strict'; -require('../../modules/es.object.to-string'); -require('../../modules/es.promise'); -require('../../modules/esnext.async-iterator.constructor'); -require('../../modules/esnext.async-iterator.take'); - -var entryUnbind = require('../../internals/entry-unbind'); - -module.exports = entryUnbind('AsyncIterator', 'take'); diff --git a/node_modules/core-js/actual/async-iterator/to-array.js b/node_modules/core-js/actual/async-iterator/to-array.js deleted file mode 100644 index 90abd70..0000000 --- a/node_modules/core-js/actual/async-iterator/to-array.js +++ /dev/null @@ -1,9 +0,0 @@ -'use strict'; -require('../../modules/es.object.to-string'); -require('../../modules/es.promise'); -require('../../modules/esnext.async-iterator.constructor'); -require('../../modules/esnext.async-iterator.to-array'); - -var entryUnbind = require('../../internals/entry-unbind'); - -module.exports = entryUnbind('AsyncIterator', 'toArray'); diff --git a/node_modules/core-js/actual/atob.js b/node_modules/core-js/actual/atob.js deleted file mode 100644 index ec90d10..0000000 --- a/node_modules/core-js/actual/atob.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../stable/atob'); - -module.exports = parent; diff --git a/node_modules/core-js/actual/btoa.js b/node_modules/core-js/actual/btoa.js deleted file mode 100644 index 681dcee..0000000 --- a/node_modules/core-js/actual/btoa.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../stable/btoa'); - -module.exports = parent; diff --git a/node_modules/core-js/actual/clear-immediate.js b/node_modules/core-js/actual/clear-immediate.js deleted file mode 100644 index c9445e0..0000000 --- a/node_modules/core-js/actual/clear-immediate.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../stable/clear-immediate'); - -module.exports = parent; diff --git a/node_modules/core-js/actual/data-view/get-float16.js b/node_modules/core-js/actual/data-view/get-float16.js deleted file mode 100644 index 3c12bb2..0000000 --- a/node_modules/core-js/actual/data-view/get-float16.js +++ /dev/null @@ -1,2 +0,0 @@ -'use strict'; -require('../../modules/esnext.data-view.get-float16'); diff --git a/node_modules/core-js/actual/data-view/index.js b/node_modules/core-js/actual/data-view/index.js deleted file mode 100644 index 732555e..0000000 --- a/node_modules/core-js/actual/data-view/index.js +++ /dev/null @@ -1,6 +0,0 @@ -'use strict'; -var parent = require('../../stable/data-view'); -require('../../modules/esnext.data-view.get-float16'); -require('../../modules/esnext.data-view.set-float16'); - -module.exports = parent; diff --git a/node_modules/core-js/actual/data-view/set-float16.js b/node_modules/core-js/actual/data-view/set-float16.js deleted file mode 100644 index e238839..0000000 --- a/node_modules/core-js/actual/data-view/set-float16.js +++ /dev/null @@ -1,2 +0,0 @@ -'use strict'; -require('../../modules/esnext.data-view.set-float16'); diff --git a/node_modules/core-js/actual/date/get-year.js b/node_modules/core-js/actual/date/get-year.js deleted file mode 100644 index b4eff1f..0000000 --- a/node_modules/core-js/actual/date/get-year.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../stable/date/get-year'); - -module.exports = parent; diff --git a/node_modules/core-js/actual/date/index.js b/node_modules/core-js/actual/date/index.js deleted file mode 100644 index 270b6e8..0000000 --- a/node_modules/core-js/actual/date/index.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../stable/date'); - -module.exports = parent; diff --git a/node_modules/core-js/actual/date/now.js b/node_modules/core-js/actual/date/now.js deleted file mode 100644 index f0ca2b6..0000000 --- a/node_modules/core-js/actual/date/now.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../stable/date/now'); - -module.exports = parent; diff --git a/node_modules/core-js/actual/date/set-year.js b/node_modules/core-js/actual/date/set-year.js deleted file mode 100644 index d35ee3f..0000000 --- a/node_modules/core-js/actual/date/set-year.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../stable/date/set-year'); - -module.exports = parent; diff --git a/node_modules/core-js/actual/date/to-gmt-string.js b/node_modules/core-js/actual/date/to-gmt-string.js deleted file mode 100644 index cabf92e..0000000 --- a/node_modules/core-js/actual/date/to-gmt-string.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../stable/date/to-gmt-string'); - -module.exports = parent; diff --git a/node_modules/core-js/actual/date/to-iso-string.js b/node_modules/core-js/actual/date/to-iso-string.js deleted file mode 100644 index 027ecdd..0000000 --- a/node_modules/core-js/actual/date/to-iso-string.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../stable/date/to-iso-string'); - -module.exports = parent; diff --git a/node_modules/core-js/actual/date/to-json.js b/node_modules/core-js/actual/date/to-json.js deleted file mode 100644 index 72ce900..0000000 --- a/node_modules/core-js/actual/date/to-json.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../stable/date/to-json'); - -module.exports = parent; diff --git a/node_modules/core-js/actual/date/to-primitive.js b/node_modules/core-js/actual/date/to-primitive.js deleted file mode 100644 index d85a5d2..0000000 --- a/node_modules/core-js/actual/date/to-primitive.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../stable/date/to-primitive'); - -module.exports = parent; diff --git a/node_modules/core-js/actual/date/to-string.js b/node_modules/core-js/actual/date/to-string.js deleted file mode 100644 index e07e11a..0000000 --- a/node_modules/core-js/actual/date/to-string.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../stable/date/to-string'); - -module.exports = parent; diff --git a/node_modules/core-js/actual/disposable-stack/constructor.js b/node_modules/core-js/actual/disposable-stack/constructor.js deleted file mode 100644 index f9b8d38..0000000 --- a/node_modules/core-js/actual/disposable-stack/constructor.js +++ /dev/null @@ -1,10 +0,0 @@ -'use strict'; -require('../../modules/es.error.cause'); -require('../../modules/es.error.to-string'); -require('../../modules/es.object.to-string'); -require('../../modules/esnext.suppressed-error.constructor'); -require('../../modules/esnext.disposable-stack.constructor'); -require('../../modules/esnext.iterator.dispose'); -var path = require('../../internals/path'); - -module.exports = path.DisposableStack; diff --git a/node_modules/core-js/actual/disposable-stack/index.js b/node_modules/core-js/actual/disposable-stack/index.js deleted file mode 100644 index f9b8d38..0000000 --- a/node_modules/core-js/actual/disposable-stack/index.js +++ /dev/null @@ -1,10 +0,0 @@ -'use strict'; -require('../../modules/es.error.cause'); -require('../../modules/es.error.to-string'); -require('../../modules/es.object.to-string'); -require('../../modules/esnext.suppressed-error.constructor'); -require('../../modules/esnext.disposable-stack.constructor'); -require('../../modules/esnext.iterator.dispose'); -var path = require('../../internals/path'); - -module.exports = path.DisposableStack; diff --git a/node_modules/core-js/actual/dom-collections/for-each.js b/node_modules/core-js/actual/dom-collections/for-each.js deleted file mode 100644 index 379a13c..0000000 --- a/node_modules/core-js/actual/dom-collections/for-each.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../stable/dom-collections/for-each'); - -module.exports = parent; diff --git a/node_modules/core-js/actual/dom-collections/index.js b/node_modules/core-js/actual/dom-collections/index.js deleted file mode 100644 index 535ba24..0000000 --- a/node_modules/core-js/actual/dom-collections/index.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../stable/dom-collections'); - -module.exports = parent; diff --git a/node_modules/core-js/actual/dom-collections/iterator.js b/node_modules/core-js/actual/dom-collections/iterator.js deleted file mode 100644 index 659a6f2..0000000 --- a/node_modules/core-js/actual/dom-collections/iterator.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../stable/dom-collections/iterator'); - -module.exports = parent; diff --git a/node_modules/core-js/actual/dom-exception/constructor.js b/node_modules/core-js/actual/dom-exception/constructor.js deleted file mode 100644 index 0efde7c..0000000 --- a/node_modules/core-js/actual/dom-exception/constructor.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../stable/dom-exception/constructor'); - -module.exports = parent; diff --git a/node_modules/core-js/actual/dom-exception/index.js b/node_modules/core-js/actual/dom-exception/index.js deleted file mode 100644 index a5a30fb..0000000 --- a/node_modules/core-js/actual/dom-exception/index.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../stable/dom-exception'); - -module.exports = parent; diff --git a/node_modules/core-js/actual/dom-exception/to-string-tag.js b/node_modules/core-js/actual/dom-exception/to-string-tag.js deleted file mode 100644 index 7230555..0000000 --- a/node_modules/core-js/actual/dom-exception/to-string-tag.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../stable/dom-exception/to-string-tag'); - -module.exports = parent; diff --git a/node_modules/core-js/actual/error/constructor.js b/node_modules/core-js/actual/error/constructor.js deleted file mode 100644 index 6fe4e88..0000000 --- a/node_modules/core-js/actual/error/constructor.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../stable/error/constructor'); - -module.exports = parent; diff --git a/node_modules/core-js/actual/error/index.js b/node_modules/core-js/actual/error/index.js deleted file mode 100644 index 7d3ad1c..0000000 --- a/node_modules/core-js/actual/error/index.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../stable/error'); - -module.exports = parent; diff --git a/node_modules/core-js/actual/error/to-string.js b/node_modules/core-js/actual/error/to-string.js deleted file mode 100644 index 8a8032f..0000000 --- a/node_modules/core-js/actual/error/to-string.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../stable/error/to-string'); - -module.exports = parent; diff --git a/node_modules/core-js/actual/escape.js b/node_modules/core-js/actual/escape.js deleted file mode 100644 index 2d03968..0000000 --- a/node_modules/core-js/actual/escape.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../stable/escape'); - -module.exports = parent; diff --git a/node_modules/core-js/actual/function/bind.js b/node_modules/core-js/actual/function/bind.js deleted file mode 100644 index 510ca61..0000000 --- a/node_modules/core-js/actual/function/bind.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../stable/function/bind'); - -module.exports = parent; diff --git a/node_modules/core-js/actual/function/has-instance.js b/node_modules/core-js/actual/function/has-instance.js deleted file mode 100644 index b2a802d..0000000 --- a/node_modules/core-js/actual/function/has-instance.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../stable/function/has-instance'); - -module.exports = parent; diff --git a/node_modules/core-js/actual/function/index.js b/node_modules/core-js/actual/function/index.js deleted file mode 100644 index d3f8885..0000000 --- a/node_modules/core-js/actual/function/index.js +++ /dev/null @@ -1,5 +0,0 @@ -'use strict'; -var parent = require('../../stable/function'); -require('../../modules/esnext.function.metadata'); - -module.exports = parent; diff --git a/node_modules/core-js/actual/function/metadata.js b/node_modules/core-js/actual/function/metadata.js deleted file mode 100644 index 63c5bba..0000000 --- a/node_modules/core-js/actual/function/metadata.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -require('../../modules/esnext.function.metadata'); - -module.exports = null; diff --git a/node_modules/core-js/actual/function/name.js b/node_modules/core-js/actual/function/name.js deleted file mode 100644 index 8ca1657..0000000 --- a/node_modules/core-js/actual/function/name.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../stable/function/name'); - -module.exports = parent; diff --git a/node_modules/core-js/actual/function/virtual/bind.js b/node_modules/core-js/actual/function/virtual/bind.js deleted file mode 100644 index 03e8ccc..0000000 --- a/node_modules/core-js/actual/function/virtual/bind.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../../stable/function/virtual/bind'); - -module.exports = parent; diff --git a/node_modules/core-js/actual/function/virtual/index.js b/node_modules/core-js/actual/function/virtual/index.js deleted file mode 100644 index b190d98..0000000 --- a/node_modules/core-js/actual/function/virtual/index.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../../stable/function/virtual'); - -module.exports = parent; diff --git a/node_modules/core-js/actual/get-iterator-method.js b/node_modules/core-js/actual/get-iterator-method.js deleted file mode 100644 index bef996b..0000000 --- a/node_modules/core-js/actual/get-iterator-method.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../stable/get-iterator-method'); - -module.exports = parent; diff --git a/node_modules/core-js/actual/get-iterator.js b/node_modules/core-js/actual/get-iterator.js deleted file mode 100644 index 34665e8..0000000 --- a/node_modules/core-js/actual/get-iterator.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../stable/get-iterator'); - -module.exports = parent; diff --git a/node_modules/core-js/actual/global-this.js b/node_modules/core-js/actual/global-this.js deleted file mode 100644 index b7a5fd9..0000000 --- a/node_modules/core-js/actual/global-this.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../stable/global-this'); - -module.exports = parent; diff --git a/node_modules/core-js/actual/index.js b/node_modules/core-js/actual/index.js deleted file mode 100644 index 6c80f2b..0000000 --- a/node_modules/core-js/actual/index.js +++ /dev/null @@ -1,5 +0,0 @@ -'use strict'; -require('../stable'); -require('../stage/3'); - -module.exports = require('../internals/path'); diff --git a/node_modules/core-js/actual/instance/at.js b/node_modules/core-js/actual/instance/at.js deleted file mode 100644 index 3a26078..0000000 --- a/node_modules/core-js/actual/instance/at.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../stable/instance/at'); - -module.exports = parent; diff --git a/node_modules/core-js/actual/instance/bind.js b/node_modules/core-js/actual/instance/bind.js deleted file mode 100644 index dbc4848..0000000 --- a/node_modules/core-js/actual/instance/bind.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../stable/instance/bind'); - -module.exports = parent; diff --git a/node_modules/core-js/actual/instance/code-point-at.js b/node_modules/core-js/actual/instance/code-point-at.js deleted file mode 100644 index b4fc699..0000000 --- a/node_modules/core-js/actual/instance/code-point-at.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../stable/instance/code-point-at'); - -module.exports = parent; diff --git a/node_modules/core-js/actual/instance/concat.js b/node_modules/core-js/actual/instance/concat.js deleted file mode 100644 index c6f4020..0000000 --- a/node_modules/core-js/actual/instance/concat.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../stable/instance/concat'); - -module.exports = parent; diff --git a/node_modules/core-js/actual/instance/copy-within.js b/node_modules/core-js/actual/instance/copy-within.js deleted file mode 100644 index 4029b41..0000000 --- a/node_modules/core-js/actual/instance/copy-within.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../stable/instance/copy-within'); - -module.exports = parent; diff --git a/node_modules/core-js/actual/instance/ends-with.js b/node_modules/core-js/actual/instance/ends-with.js deleted file mode 100644 index ea42c98..0000000 --- a/node_modules/core-js/actual/instance/ends-with.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../stable/instance/ends-with'); - -module.exports = parent; diff --git a/node_modules/core-js/actual/instance/entries.js b/node_modules/core-js/actual/instance/entries.js deleted file mode 100644 index e5fc8bc..0000000 --- a/node_modules/core-js/actual/instance/entries.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../stable/instance/entries'); - -module.exports = parent; diff --git a/node_modules/core-js/actual/instance/every.js b/node_modules/core-js/actual/instance/every.js deleted file mode 100644 index 78de3ed..0000000 --- a/node_modules/core-js/actual/instance/every.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../stable/instance/every'); - -module.exports = parent; diff --git a/node_modules/core-js/actual/instance/fill.js b/node_modules/core-js/actual/instance/fill.js deleted file mode 100644 index 20c30b6..0000000 --- a/node_modules/core-js/actual/instance/fill.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../stable/instance/fill'); - -module.exports = parent; diff --git a/node_modules/core-js/actual/instance/filter.js b/node_modules/core-js/actual/instance/filter.js deleted file mode 100644 index 986aebe..0000000 --- a/node_modules/core-js/actual/instance/filter.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../stable/instance/filter'); - -module.exports = parent; diff --git a/node_modules/core-js/actual/instance/find-index.js b/node_modules/core-js/actual/instance/find-index.js deleted file mode 100644 index a395e93..0000000 --- a/node_modules/core-js/actual/instance/find-index.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../stable/instance/find-index'); - -module.exports = parent; diff --git a/node_modules/core-js/actual/instance/find-last-index.js b/node_modules/core-js/actual/instance/find-last-index.js deleted file mode 100644 index 4c7cfcb..0000000 --- a/node_modules/core-js/actual/instance/find-last-index.js +++ /dev/null @@ -1,10 +0,0 @@ -'use strict'; -var isPrototypeOf = require('../../internals/object-is-prototype-of'); -var method = require('../array/virtual/find-last-index'); - -var ArrayPrototype = Array.prototype; - -module.exports = function (it) { - var own = it.findLastIndex; - return it === ArrayPrototype || (isPrototypeOf(ArrayPrototype, it) && own === ArrayPrototype.findLastIndex) ? method : own; -}; diff --git a/node_modules/core-js/actual/instance/find-last.js b/node_modules/core-js/actual/instance/find-last.js deleted file mode 100644 index 7d30e0b..0000000 --- a/node_modules/core-js/actual/instance/find-last.js +++ /dev/null @@ -1,10 +0,0 @@ -'use strict'; -var isPrototypeOf = require('../../internals/object-is-prototype-of'); -var method = require('../array/virtual/find-last'); - -var ArrayPrototype = Array.prototype; - -module.exports = function (it) { - var own = it.findLast; - return it === ArrayPrototype || (isPrototypeOf(ArrayPrototype, it) && own === ArrayPrototype.findLast) ? method : own; -}; diff --git a/node_modules/core-js/actual/instance/find.js b/node_modules/core-js/actual/instance/find.js deleted file mode 100644 index 1b6457a..0000000 --- a/node_modules/core-js/actual/instance/find.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../stable/instance/find'); - -module.exports = parent; diff --git a/node_modules/core-js/actual/instance/flags.js b/node_modules/core-js/actual/instance/flags.js deleted file mode 100644 index b932b41..0000000 --- a/node_modules/core-js/actual/instance/flags.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../stable/instance/flags'); - -module.exports = parent; diff --git a/node_modules/core-js/actual/instance/flat-map.js b/node_modules/core-js/actual/instance/flat-map.js deleted file mode 100644 index 9d1187e..0000000 --- a/node_modules/core-js/actual/instance/flat-map.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../stable/instance/flat-map'); - -module.exports = parent; diff --git a/node_modules/core-js/actual/instance/flat.js b/node_modules/core-js/actual/instance/flat.js deleted file mode 100644 index 46ca8d6..0000000 --- a/node_modules/core-js/actual/instance/flat.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../stable/instance/flat'); - -module.exports = parent; diff --git a/node_modules/core-js/actual/instance/for-each.js b/node_modules/core-js/actual/instance/for-each.js deleted file mode 100644 index 5dd1750..0000000 --- a/node_modules/core-js/actual/instance/for-each.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../stable/instance/for-each'); - -module.exports = parent; diff --git a/node_modules/core-js/actual/instance/group-by-to-map.js b/node_modules/core-js/actual/instance/group-by-to-map.js deleted file mode 100644 index 3786d42..0000000 --- a/node_modules/core-js/actual/instance/group-by-to-map.js +++ /dev/null @@ -1,10 +0,0 @@ -'use strict'; -var isPrototypeOf = require('../../internals/object-is-prototype-of'); -var method = require('../array/virtual/group-by-to-map'); - -var ArrayPrototype = Array.prototype; - -module.exports = function (it) { - var own = it.groupByToMap; - return it === ArrayPrototype || (isPrototypeOf(ArrayPrototype, it) && own === ArrayPrototype.groupByToMap) ? method : own; -}; diff --git a/node_modules/core-js/actual/instance/group-by.js b/node_modules/core-js/actual/instance/group-by.js deleted file mode 100644 index 2d52f6e..0000000 --- a/node_modules/core-js/actual/instance/group-by.js +++ /dev/null @@ -1,10 +0,0 @@ -'use strict'; -var isPrototypeOf = require('../../internals/object-is-prototype-of'); -var method = require('../array/virtual/group-by'); - -var ArrayPrototype = Array.prototype; - -module.exports = function (it) { - var own = it.groupBy; - return it === ArrayPrototype || (isPrototypeOf(ArrayPrototype, it) && own === ArrayPrototype.groupBy) ? method : own; -}; diff --git a/node_modules/core-js/actual/instance/group-to-map.js b/node_modules/core-js/actual/instance/group-to-map.js deleted file mode 100644 index 627a20e..0000000 --- a/node_modules/core-js/actual/instance/group-to-map.js +++ /dev/null @@ -1,10 +0,0 @@ -'use strict'; -var isPrototypeOf = require('../../internals/object-is-prototype-of'); -var method = require('../array/virtual/group-to-map'); - -var ArrayPrototype = Array.prototype; - -module.exports = function (it) { - var own = it.groupToMap; - return it === ArrayPrototype || (isPrototypeOf(ArrayPrototype, it) && own === ArrayPrototype.groupToMap) ? method : own; -}; diff --git a/node_modules/core-js/actual/instance/group.js b/node_modules/core-js/actual/instance/group.js deleted file mode 100644 index e2ec5d4..0000000 --- a/node_modules/core-js/actual/instance/group.js +++ /dev/null @@ -1,10 +0,0 @@ -'use strict'; -var isPrototypeOf = require('../../internals/object-is-prototype-of'); -var method = require('../array/virtual/group'); - -var ArrayPrototype = Array.prototype; - -module.exports = function (it) { - var own = it.group; - return it === ArrayPrototype || (isPrototypeOf(ArrayPrototype, it) && own === ArrayPrototype.group) ? method : own; -}; diff --git a/node_modules/core-js/actual/instance/includes.js b/node_modules/core-js/actual/instance/includes.js deleted file mode 100644 index 1a098ba..0000000 --- a/node_modules/core-js/actual/instance/includes.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../stable/instance/includes'); - -module.exports = parent; diff --git a/node_modules/core-js/actual/instance/index-of.js b/node_modules/core-js/actual/instance/index-of.js deleted file mode 100644 index b124eac..0000000 --- a/node_modules/core-js/actual/instance/index-of.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../stable/instance/index-of'); - -module.exports = parent; diff --git a/node_modules/core-js/actual/instance/is-well-formed.js b/node_modules/core-js/actual/instance/is-well-formed.js deleted file mode 100644 index 6735165..0000000 --- a/node_modules/core-js/actual/instance/is-well-formed.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../stable/instance/is-well-formed'); - -module.exports = parent; diff --git a/node_modules/core-js/actual/instance/keys.js b/node_modules/core-js/actual/instance/keys.js deleted file mode 100644 index e7815a4..0000000 --- a/node_modules/core-js/actual/instance/keys.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../stable/instance/keys'); - -module.exports = parent; diff --git a/node_modules/core-js/actual/instance/last-index-of.js b/node_modules/core-js/actual/instance/last-index-of.js deleted file mode 100644 index b7af419..0000000 --- a/node_modules/core-js/actual/instance/last-index-of.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../stable/instance/last-index-of'); - -module.exports = parent; diff --git a/node_modules/core-js/actual/instance/map.js b/node_modules/core-js/actual/instance/map.js deleted file mode 100644 index 47412e4..0000000 --- a/node_modules/core-js/actual/instance/map.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../stable/instance/map'); - -module.exports = parent; diff --git a/node_modules/core-js/actual/instance/match-all.js b/node_modules/core-js/actual/instance/match-all.js deleted file mode 100644 index 7e5dc8f..0000000 --- a/node_modules/core-js/actual/instance/match-all.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../stable/instance/match-all'); - -module.exports = parent; diff --git a/node_modules/core-js/actual/instance/pad-end.js b/node_modules/core-js/actual/instance/pad-end.js deleted file mode 100644 index cdd5282..0000000 --- a/node_modules/core-js/actual/instance/pad-end.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../stable/instance/pad-end'); - -module.exports = parent; diff --git a/node_modules/core-js/actual/instance/pad-start.js b/node_modules/core-js/actual/instance/pad-start.js deleted file mode 100644 index 2ffcc71..0000000 --- a/node_modules/core-js/actual/instance/pad-start.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../stable/instance/pad-start'); - -module.exports = parent; diff --git a/node_modules/core-js/actual/instance/push.js b/node_modules/core-js/actual/instance/push.js deleted file mode 100644 index 643d7e5..0000000 --- a/node_modules/core-js/actual/instance/push.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../stable/instance/push'); - -module.exports = parent; diff --git a/node_modules/core-js/actual/instance/reduce-right.js b/node_modules/core-js/actual/instance/reduce-right.js deleted file mode 100644 index f1094f2..0000000 --- a/node_modules/core-js/actual/instance/reduce-right.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../stable/instance/reduce-right'); - -module.exports = parent; diff --git a/node_modules/core-js/actual/instance/reduce.js b/node_modules/core-js/actual/instance/reduce.js deleted file mode 100644 index c82bac0..0000000 --- a/node_modules/core-js/actual/instance/reduce.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../stable/instance/reduce'); - -module.exports = parent; diff --git a/node_modules/core-js/actual/instance/repeat.js b/node_modules/core-js/actual/instance/repeat.js deleted file mode 100644 index 08618ba..0000000 --- a/node_modules/core-js/actual/instance/repeat.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../stable/instance/repeat'); - -module.exports = parent; diff --git a/node_modules/core-js/actual/instance/replace-all.js b/node_modules/core-js/actual/instance/replace-all.js deleted file mode 100644 index 8343a9e..0000000 --- a/node_modules/core-js/actual/instance/replace-all.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../stable/instance/replace-all'); - -module.exports = parent; diff --git a/node_modules/core-js/actual/instance/reverse.js b/node_modules/core-js/actual/instance/reverse.js deleted file mode 100644 index d1e55bc..0000000 --- a/node_modules/core-js/actual/instance/reverse.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../stable/instance/reverse'); - -module.exports = parent; diff --git a/node_modules/core-js/actual/instance/slice.js b/node_modules/core-js/actual/instance/slice.js deleted file mode 100644 index 8573bc3..0000000 --- a/node_modules/core-js/actual/instance/slice.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../stable/instance/slice'); - -module.exports = parent; diff --git a/node_modules/core-js/actual/instance/some.js b/node_modules/core-js/actual/instance/some.js deleted file mode 100644 index 372f248..0000000 --- a/node_modules/core-js/actual/instance/some.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../stable/instance/some'); - -module.exports = parent; diff --git a/node_modules/core-js/actual/instance/sort.js b/node_modules/core-js/actual/instance/sort.js deleted file mode 100644 index d99506e..0000000 --- a/node_modules/core-js/actual/instance/sort.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../stable/instance/sort'); - -module.exports = parent; diff --git a/node_modules/core-js/actual/instance/splice.js b/node_modules/core-js/actual/instance/splice.js deleted file mode 100644 index 95c4841..0000000 --- a/node_modules/core-js/actual/instance/splice.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../stable/instance/splice'); - -module.exports = parent; diff --git a/node_modules/core-js/actual/instance/starts-with.js b/node_modules/core-js/actual/instance/starts-with.js deleted file mode 100644 index 91b4142..0000000 --- a/node_modules/core-js/actual/instance/starts-with.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../stable/instance/starts-with'); - -module.exports = parent; diff --git a/node_modules/core-js/actual/instance/to-reversed.js b/node_modules/core-js/actual/instance/to-reversed.js deleted file mode 100644 index 5cfb459..0000000 --- a/node_modules/core-js/actual/instance/to-reversed.js +++ /dev/null @@ -1,10 +0,0 @@ -'use strict'; -var isPrototypeOf = require('../../internals/object-is-prototype-of'); -var method = require('../array/virtual/to-reversed'); - -var ArrayPrototype = Array.prototype; - -module.exports = function (it) { - var own = it.toReversed; - return (it === ArrayPrototype || (isPrototypeOf(ArrayPrototype, it) && own === ArrayPrototype.toReversed)) ? method : own; -}; diff --git a/node_modules/core-js/actual/instance/to-sorted.js b/node_modules/core-js/actual/instance/to-sorted.js deleted file mode 100644 index a059c6f..0000000 --- a/node_modules/core-js/actual/instance/to-sorted.js +++ /dev/null @@ -1,10 +0,0 @@ -'use strict'; -var isPrototypeOf = require('../../internals/object-is-prototype-of'); -var method = require('../array/virtual/to-sorted'); - -var ArrayPrototype = Array.prototype; - -module.exports = function (it) { - var own = it.toSorted; - return (it === ArrayPrototype || (isPrototypeOf(ArrayPrototype, it) && own === ArrayPrototype.toSorted)) ? method : own; -}; diff --git a/node_modules/core-js/actual/instance/to-spliced.js b/node_modules/core-js/actual/instance/to-spliced.js deleted file mode 100644 index 9e67474..0000000 --- a/node_modules/core-js/actual/instance/to-spliced.js +++ /dev/null @@ -1,10 +0,0 @@ -'use strict'; -var isPrototypeOf = require('../../internals/object-is-prototype-of'); -var method = require('../array/virtual/to-spliced'); - -var ArrayPrototype = Array.prototype; - -module.exports = function (it) { - var own = it.toSpliced; - return (it === ArrayPrototype || (isPrototypeOf(ArrayPrototype, it) && own === ArrayPrototype.toSpliced)) ? method : own; -}; diff --git a/node_modules/core-js/actual/instance/to-well-formed.js b/node_modules/core-js/actual/instance/to-well-formed.js deleted file mode 100644 index 3139f67..0000000 --- a/node_modules/core-js/actual/instance/to-well-formed.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../stable/instance/to-well-formed'); - -module.exports = parent; diff --git a/node_modules/core-js/actual/instance/trim-end.js b/node_modules/core-js/actual/instance/trim-end.js deleted file mode 100644 index 44d66a0..0000000 --- a/node_modules/core-js/actual/instance/trim-end.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../stable/instance/trim-end'); - -module.exports = parent; diff --git a/node_modules/core-js/actual/instance/trim-left.js b/node_modules/core-js/actual/instance/trim-left.js deleted file mode 100644 index fc7e89a..0000000 --- a/node_modules/core-js/actual/instance/trim-left.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../stable/instance/trim-left'); - -module.exports = parent; diff --git a/node_modules/core-js/actual/instance/trim-right.js b/node_modules/core-js/actual/instance/trim-right.js deleted file mode 100644 index 4d6ac08..0000000 --- a/node_modules/core-js/actual/instance/trim-right.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../stable/instance/trim-right'); - -module.exports = parent; diff --git a/node_modules/core-js/actual/instance/trim-start.js b/node_modules/core-js/actual/instance/trim-start.js deleted file mode 100644 index 9599f65..0000000 --- a/node_modules/core-js/actual/instance/trim-start.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../stable/instance/trim-start'); - -module.exports = parent; diff --git a/node_modules/core-js/actual/instance/trim.js b/node_modules/core-js/actual/instance/trim.js deleted file mode 100644 index be937f3..0000000 --- a/node_modules/core-js/actual/instance/trim.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../stable/instance/trim'); - -module.exports = parent; diff --git a/node_modules/core-js/actual/instance/unshift.js b/node_modules/core-js/actual/instance/unshift.js deleted file mode 100644 index 99598d6..0000000 --- a/node_modules/core-js/actual/instance/unshift.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../stable/instance/unshift'); - -module.exports = parent; diff --git a/node_modules/core-js/actual/instance/values.js b/node_modules/core-js/actual/instance/values.js deleted file mode 100644 index 10d5e97..0000000 --- a/node_modules/core-js/actual/instance/values.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../stable/instance/values'); - -module.exports = parent; diff --git a/node_modules/core-js/actual/instance/with.js b/node_modules/core-js/actual/instance/with.js deleted file mode 100644 index f3db9f4..0000000 --- a/node_modules/core-js/actual/instance/with.js +++ /dev/null @@ -1,10 +0,0 @@ -'use strict'; -var isPrototypeOf = require('../../internals/object-is-prototype-of'); -var method = require('../array/virtual/with'); - -var ArrayPrototype = Array.prototype; - -module.exports = function (it) { - var own = it['with']; - return (it === ArrayPrototype || (isPrototypeOf(ArrayPrototype, it) && own === ArrayPrototype['with'])) ? method : own; -}; diff --git a/node_modules/core-js/actual/is-iterable.js b/node_modules/core-js/actual/is-iterable.js deleted file mode 100644 index aaaee55..0000000 --- a/node_modules/core-js/actual/is-iterable.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../stable/is-iterable'); - -module.exports = parent; diff --git a/node_modules/core-js/actual/iterator/dispose.js b/node_modules/core-js/actual/iterator/dispose.js deleted file mode 100644 index 4fbee00..0000000 --- a/node_modules/core-js/actual/iterator/dispose.js +++ /dev/null @@ -1,2 +0,0 @@ -'use strict'; -require('../../modules/esnext.iterator.dispose'); diff --git a/node_modules/core-js/actual/iterator/drop.js b/node_modules/core-js/actual/iterator/drop.js deleted file mode 100644 index 01c4d0a..0000000 --- a/node_modules/core-js/actual/iterator/drop.js +++ /dev/null @@ -1,8 +0,0 @@ -'use strict'; -require('../../modules/es.object.to-string'); -require('../../modules/esnext.iterator.constructor'); -require('../../modules/esnext.iterator.drop'); - -var entryUnbind = require('../../internals/entry-unbind'); - -module.exports = entryUnbind('Iterator', 'drop'); diff --git a/node_modules/core-js/actual/iterator/every.js b/node_modules/core-js/actual/iterator/every.js deleted file mode 100644 index a73c6d2..0000000 --- a/node_modules/core-js/actual/iterator/every.js +++ /dev/null @@ -1,8 +0,0 @@ -'use strict'; -require('../../modules/es.object.to-string'); -require('../../modules/esnext.iterator.constructor'); -require('../../modules/esnext.iterator.every'); - -var entryUnbind = require('../../internals/entry-unbind'); - -module.exports = entryUnbind('Iterator', 'every'); diff --git a/node_modules/core-js/actual/iterator/filter.js b/node_modules/core-js/actual/iterator/filter.js deleted file mode 100644 index 8bd6b1a..0000000 --- a/node_modules/core-js/actual/iterator/filter.js +++ /dev/null @@ -1,8 +0,0 @@ -'use strict'; -require('../../modules/es.object.to-string'); -require('../../modules/esnext.iterator.constructor'); -require('../../modules/esnext.iterator.filter'); - -var entryUnbind = require('../../internals/entry-unbind'); - -module.exports = entryUnbind('Iterator', 'filter'); diff --git a/node_modules/core-js/actual/iterator/find.js b/node_modules/core-js/actual/iterator/find.js deleted file mode 100644 index bdd7ec8..0000000 --- a/node_modules/core-js/actual/iterator/find.js +++ /dev/null @@ -1,8 +0,0 @@ -'use strict'; -require('../../modules/es.object.to-string'); -require('../../modules/esnext.iterator.constructor'); -require('../../modules/esnext.iterator.find'); - -var entryUnbind = require('../../internals/entry-unbind'); - -module.exports = entryUnbind('Iterator', 'find'); diff --git a/node_modules/core-js/actual/iterator/flat-map.js b/node_modules/core-js/actual/iterator/flat-map.js deleted file mode 100644 index 6c571d7..0000000 --- a/node_modules/core-js/actual/iterator/flat-map.js +++ /dev/null @@ -1,8 +0,0 @@ -'use strict'; -require('../../modules/es.object.to-string'); -require('../../modules/esnext.iterator.constructor'); -require('../../modules/esnext.iterator.flat-map'); - -var entryUnbind = require('../../internals/entry-unbind'); - -module.exports = entryUnbind('Iterator', 'flatMap'); diff --git a/node_modules/core-js/actual/iterator/for-each.js b/node_modules/core-js/actual/iterator/for-each.js deleted file mode 100644 index 8f9f0e5..0000000 --- a/node_modules/core-js/actual/iterator/for-each.js +++ /dev/null @@ -1,8 +0,0 @@ -'use strict'; -require('../../modules/es.object.to-string'); -require('../../modules/esnext.iterator.constructor'); -require('../../modules/esnext.iterator.for-each'); - -var entryUnbind = require('../../internals/entry-unbind'); - -module.exports = entryUnbind('Iterator', 'forEach'); diff --git a/node_modules/core-js/actual/iterator/from.js b/node_modules/core-js/actual/iterator/from.js deleted file mode 100644 index 5a49ec4..0000000 --- a/node_modules/core-js/actual/iterator/from.js +++ /dev/null @@ -1,25 +0,0 @@ -'use strict'; -require('../../modules/es.array.iterator'); -require('../../modules/es.object.to-string'); -require('../../modules/es.promise'); -require('../../modules/es.string.iterator'); -require('../../modules/esnext.iterator.constructor'); -require('../../modules/esnext.iterator.dispose'); -require('../../modules/esnext.iterator.drop'); -require('../../modules/esnext.iterator.every'); -require('../../modules/esnext.iterator.filter'); -require('../../modules/esnext.iterator.find'); -require('../../modules/esnext.iterator.flat-map'); -require('../../modules/esnext.iterator.for-each'); -require('../../modules/esnext.iterator.from'); -require('../../modules/esnext.iterator.map'); -require('../../modules/esnext.iterator.reduce'); -require('../../modules/esnext.iterator.some'); -require('../../modules/esnext.iterator.take'); -require('../../modules/esnext.iterator.to-array'); -require('../../modules/esnext.iterator.to-async'); -require('../../modules/web.dom-collections.iterator'); - -var path = require('../../internals/path'); - -module.exports = path.Iterator.from; diff --git a/node_modules/core-js/actual/iterator/index.js b/node_modules/core-js/actual/iterator/index.js deleted file mode 100644 index 83f2135..0000000 --- a/node_modules/core-js/actual/iterator/index.js +++ /dev/null @@ -1,25 +0,0 @@ -'use strict'; -require('../../modules/es.array.iterator'); -require('../../modules/es.object.to-string'); -require('../../modules/es.promise'); -require('../../modules/es.string.iterator'); -require('../../modules/esnext.iterator.constructor'); -require('../../modules/esnext.iterator.dispose'); -require('../../modules/esnext.iterator.drop'); -require('../../modules/esnext.iterator.every'); -require('../../modules/esnext.iterator.filter'); -require('../../modules/esnext.iterator.find'); -require('../../modules/esnext.iterator.flat-map'); -require('../../modules/esnext.iterator.for-each'); -require('../../modules/esnext.iterator.from'); -require('../../modules/esnext.iterator.map'); -require('../../modules/esnext.iterator.reduce'); -require('../../modules/esnext.iterator.some'); -require('../../modules/esnext.iterator.take'); -require('../../modules/esnext.iterator.to-array'); -require('../../modules/esnext.iterator.to-async'); -require('../../modules/web.dom-collections.iterator'); - -var path = require('../../internals/path'); - -module.exports = path.Iterator; diff --git a/node_modules/core-js/actual/iterator/map.js b/node_modules/core-js/actual/iterator/map.js deleted file mode 100644 index 5fceabf..0000000 --- a/node_modules/core-js/actual/iterator/map.js +++ /dev/null @@ -1,8 +0,0 @@ -'use strict'; -require('../../modules/es.object.to-string'); -require('../../modules/esnext.iterator.constructor'); -require('../../modules/esnext.iterator.map'); - -var entryUnbind = require('../../internals/entry-unbind'); - -module.exports = entryUnbind('Iterator', 'map'); diff --git a/node_modules/core-js/actual/iterator/reduce.js b/node_modules/core-js/actual/iterator/reduce.js deleted file mode 100644 index 6c956f8..0000000 --- a/node_modules/core-js/actual/iterator/reduce.js +++ /dev/null @@ -1,8 +0,0 @@ -'use strict'; -require('../../modules/es.object.to-string'); -require('../../modules/esnext.iterator.constructor'); -require('../../modules/esnext.iterator.reduce'); - -var entryUnbind = require('../../internals/entry-unbind'); - -module.exports = entryUnbind('Iterator', 'reduce'); diff --git a/node_modules/core-js/actual/iterator/some.js b/node_modules/core-js/actual/iterator/some.js deleted file mode 100644 index 3251cd0..0000000 --- a/node_modules/core-js/actual/iterator/some.js +++ /dev/null @@ -1,8 +0,0 @@ -'use strict'; -require('../../modules/es.object.to-string'); -require('../../modules/esnext.iterator.constructor'); -require('../../modules/esnext.iterator.some'); - -var entryUnbind = require('../../internals/entry-unbind'); - -module.exports = entryUnbind('Iterator', 'some'); diff --git a/node_modules/core-js/actual/iterator/take.js b/node_modules/core-js/actual/iterator/take.js deleted file mode 100644 index 8dbb1ef..0000000 --- a/node_modules/core-js/actual/iterator/take.js +++ /dev/null @@ -1,8 +0,0 @@ -'use strict'; -require('../../modules/es.object.to-string'); -require('../../modules/esnext.iterator.constructor'); -require('../../modules/esnext.iterator.take'); - -var entryUnbind = require('../../internals/entry-unbind'); - -module.exports = entryUnbind('Iterator', 'take'); diff --git a/node_modules/core-js/actual/iterator/to-array.js b/node_modules/core-js/actual/iterator/to-array.js deleted file mode 100644 index c1acd1e..0000000 --- a/node_modules/core-js/actual/iterator/to-array.js +++ /dev/null @@ -1,8 +0,0 @@ -'use strict'; -require('../../modules/es.object.to-string'); -require('../../modules/esnext.iterator.constructor'); -require('../../modules/esnext.iterator.to-array'); - -var entryUnbind = require('../../internals/entry-unbind'); - -module.exports = entryUnbind('Iterator', 'toArray'); diff --git a/node_modules/core-js/actual/iterator/to-async.js b/node_modules/core-js/actual/iterator/to-async.js deleted file mode 100644 index dc67a7e..0000000 --- a/node_modules/core-js/actual/iterator/to-async.js +++ /dev/null @@ -1,9 +0,0 @@ -'use strict'; -require('../../modules/es.object.to-string'); -require('../../modules/es.promise'); -require('../../modules/esnext.iterator.constructor'); -require('../../modules/esnext.iterator.to-async'); - -var entryUnbind = require('../../internals/entry-unbind'); - -module.exports = entryUnbind('Iterator', 'toAsync'); diff --git a/node_modules/core-js/actual/json/index.js b/node_modules/core-js/actual/json/index.js deleted file mode 100644 index 6061c65..0000000 --- a/node_modules/core-js/actual/json/index.js +++ /dev/null @@ -1,10 +0,0 @@ -'use strict'; -var parent = require('../../stable/json'); -require('../../modules/es.object.create'); -require('../../modules/es.object.freeze'); -require('../../modules/es.object.keys'); -require('../../modules/esnext.json.is-raw-json'); -require('../../modules/esnext.json.parse'); -require('../../modules/esnext.json.raw-json'); - -module.exports = parent; diff --git a/node_modules/core-js/actual/json/is-raw-json.js b/node_modules/core-js/actual/json/is-raw-json.js deleted file mode 100644 index a0d5a44..0000000 --- a/node_modules/core-js/actual/json/is-raw-json.js +++ /dev/null @@ -1,5 +0,0 @@ -'use strict'; -require('../../modules/esnext.json.is-raw-json'); -var path = require('../../internals/path'); - -module.exports = path.JSON.isRawJSON; diff --git a/node_modules/core-js/actual/json/parse.js b/node_modules/core-js/actual/json/parse.js deleted file mode 100644 index b2ae469..0000000 --- a/node_modules/core-js/actual/json/parse.js +++ /dev/null @@ -1,6 +0,0 @@ -'use strict'; -require('../../modules/es.object.keys'); -require('../../modules/esnext.json.parse'); -var path = require('../../internals/path'); - -module.exports = path.JSON.parse; diff --git a/node_modules/core-js/actual/json/raw-json.js b/node_modules/core-js/actual/json/raw-json.js deleted file mode 100644 index 5a28569..0000000 --- a/node_modules/core-js/actual/json/raw-json.js +++ /dev/null @@ -1,7 +0,0 @@ -'use strict'; -require('../../modules/es.object.create'); -require('../../modules/es.object.freeze'); -require('../../modules/esnext.json.raw-json'); -var path = require('../../internals/path'); - -module.exports = path.JSON.rawJSON; diff --git a/node_modules/core-js/actual/json/stringify.js b/node_modules/core-js/actual/json/stringify.js deleted file mode 100644 index a28b682..0000000 --- a/node_modules/core-js/actual/json/stringify.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../stable/json/stringify'); - -module.exports = parent; diff --git a/node_modules/core-js/actual/json/to-string-tag.js b/node_modules/core-js/actual/json/to-string-tag.js deleted file mode 100644 index 50ae57a..0000000 --- a/node_modules/core-js/actual/json/to-string-tag.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../stable/json/to-string-tag'); - -module.exports = parent; diff --git a/node_modules/core-js/actual/map/group-by.js b/node_modules/core-js/actual/map/group-by.js deleted file mode 100644 index fdc4be8..0000000 --- a/node_modules/core-js/actual/map/group-by.js +++ /dev/null @@ -1,5 +0,0 @@ -'use strict'; -var parent = require('../../stable/map/group-by'); -require('../../modules/esnext.map.group-by'); - -module.exports = parent; diff --git a/node_modules/core-js/actual/map/index.js b/node_modules/core-js/actual/map/index.js deleted file mode 100644 index 3663acf..0000000 --- a/node_modules/core-js/actual/map/index.js +++ /dev/null @@ -1,5 +0,0 @@ -'use strict'; -var parent = require('../../stable/map'); -require('../../modules/esnext.map.group-by'); - -module.exports = parent; diff --git a/node_modules/core-js/actual/math/acosh.js b/node_modules/core-js/actual/math/acosh.js deleted file mode 100644 index 77c94ab..0000000 --- a/node_modules/core-js/actual/math/acosh.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../stable/math/acosh'); - -module.exports = parent; diff --git a/node_modules/core-js/actual/math/asinh.js b/node_modules/core-js/actual/math/asinh.js deleted file mode 100644 index eb45ca4..0000000 --- a/node_modules/core-js/actual/math/asinh.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../stable/math/asinh'); - -module.exports = parent; diff --git a/node_modules/core-js/actual/math/atanh.js b/node_modules/core-js/actual/math/atanh.js deleted file mode 100644 index 257d042..0000000 --- a/node_modules/core-js/actual/math/atanh.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../stable/math/atanh'); - -module.exports = parent; diff --git a/node_modules/core-js/actual/math/cbrt.js b/node_modules/core-js/actual/math/cbrt.js deleted file mode 100644 index b2997fb..0000000 --- a/node_modules/core-js/actual/math/cbrt.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../stable/math/cbrt'); - -module.exports = parent; diff --git a/node_modules/core-js/actual/math/clz32.js b/node_modules/core-js/actual/math/clz32.js deleted file mode 100644 index 47e999e..0000000 --- a/node_modules/core-js/actual/math/clz32.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../stable/math/clz32'); - -module.exports = parent; diff --git a/node_modules/core-js/actual/math/cosh.js b/node_modules/core-js/actual/math/cosh.js deleted file mode 100644 index fdb381e..0000000 --- a/node_modules/core-js/actual/math/cosh.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../stable/math/cosh'); - -module.exports = parent; diff --git a/node_modules/core-js/actual/math/expm1.js b/node_modules/core-js/actual/math/expm1.js deleted file mode 100644 index 9ffc0c1..0000000 --- a/node_modules/core-js/actual/math/expm1.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../stable/math/expm1'); - -module.exports = parent; diff --git a/node_modules/core-js/actual/math/f16round.js b/node_modules/core-js/actual/math/f16round.js deleted file mode 100644 index f16f880..0000000 --- a/node_modules/core-js/actual/math/f16round.js +++ /dev/null @@ -1,5 +0,0 @@ -'use strict'; -require('../../modules/esnext.math.f16round'); -var path = require('../../internals/path'); - -module.exports = path.Math.f16round; diff --git a/node_modules/core-js/actual/math/fround.js b/node_modules/core-js/actual/math/fround.js deleted file mode 100644 index 6775a3c..0000000 --- a/node_modules/core-js/actual/math/fround.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../stable/math/fround'); - -module.exports = parent; diff --git a/node_modules/core-js/actual/math/hypot.js b/node_modules/core-js/actual/math/hypot.js deleted file mode 100644 index e89c885..0000000 --- a/node_modules/core-js/actual/math/hypot.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../stable/math/hypot'); - -module.exports = parent; diff --git a/node_modules/core-js/actual/math/imul.js b/node_modules/core-js/actual/math/imul.js deleted file mode 100644 index aa22b08..0000000 --- a/node_modules/core-js/actual/math/imul.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../stable/math/imul'); - -module.exports = parent; diff --git a/node_modules/core-js/actual/math/index.js b/node_modules/core-js/actual/math/index.js deleted file mode 100644 index 2ff4632..0000000 --- a/node_modules/core-js/actual/math/index.js +++ /dev/null @@ -1,5 +0,0 @@ -'use strict'; -var parent = require('../../stable/math'); -require('../../modules/esnext.math.f16round'); - -module.exports = parent; diff --git a/node_modules/core-js/actual/math/log10.js b/node_modules/core-js/actual/math/log10.js deleted file mode 100644 index d0522a6..0000000 --- a/node_modules/core-js/actual/math/log10.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../stable/math/log10'); - -module.exports = parent; diff --git a/node_modules/core-js/actual/math/log1p.js b/node_modules/core-js/actual/math/log1p.js deleted file mode 100644 index f8b6a71..0000000 --- a/node_modules/core-js/actual/math/log1p.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../stable/math/log1p'); - -module.exports = parent; diff --git a/node_modules/core-js/actual/math/log2.js b/node_modules/core-js/actual/math/log2.js deleted file mode 100644 index 960932a..0000000 --- a/node_modules/core-js/actual/math/log2.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../stable/math/log2'); - -module.exports = parent; diff --git a/node_modules/core-js/actual/math/sign.js b/node_modules/core-js/actual/math/sign.js deleted file mode 100644 index 1ec5634..0000000 --- a/node_modules/core-js/actual/math/sign.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../stable/math/sign'); - -module.exports = parent; diff --git a/node_modules/core-js/actual/math/sinh.js b/node_modules/core-js/actual/math/sinh.js deleted file mode 100644 index 73db2e7..0000000 --- a/node_modules/core-js/actual/math/sinh.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../stable/math/sinh'); - -module.exports = parent; diff --git a/node_modules/core-js/actual/math/tanh.js b/node_modules/core-js/actual/math/tanh.js deleted file mode 100644 index ca38467..0000000 --- a/node_modules/core-js/actual/math/tanh.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../stable/math/tanh'); - -module.exports = parent; diff --git a/node_modules/core-js/actual/math/to-string-tag.js b/node_modules/core-js/actual/math/to-string-tag.js deleted file mode 100644 index a8788f8..0000000 --- a/node_modules/core-js/actual/math/to-string-tag.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../stable/math/to-string-tag'); - -module.exports = parent; diff --git a/node_modules/core-js/actual/math/trunc.js b/node_modules/core-js/actual/math/trunc.js deleted file mode 100644 index 3396343..0000000 --- a/node_modules/core-js/actual/math/trunc.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../stable/math/trunc'); - -module.exports = parent; diff --git a/node_modules/core-js/actual/number/constructor.js b/node_modules/core-js/actual/number/constructor.js deleted file mode 100644 index c6050e6..0000000 --- a/node_modules/core-js/actual/number/constructor.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../stable/number/constructor'); - -module.exports = parent; diff --git a/node_modules/core-js/actual/number/epsilon.js b/node_modules/core-js/actual/number/epsilon.js deleted file mode 100644 index caa8083..0000000 --- a/node_modules/core-js/actual/number/epsilon.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../stable/number/epsilon'); - -module.exports = parent; diff --git a/node_modules/core-js/actual/number/index.js b/node_modules/core-js/actual/number/index.js deleted file mode 100644 index 7166da0..0000000 --- a/node_modules/core-js/actual/number/index.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../stable/number'); - -module.exports = parent; diff --git a/node_modules/core-js/actual/number/is-finite.js b/node_modules/core-js/actual/number/is-finite.js deleted file mode 100644 index 4d07a04..0000000 --- a/node_modules/core-js/actual/number/is-finite.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../stable/number/is-finite'); - -module.exports = parent; diff --git a/node_modules/core-js/actual/number/is-integer.js b/node_modules/core-js/actual/number/is-integer.js deleted file mode 100644 index 7b39d4a..0000000 --- a/node_modules/core-js/actual/number/is-integer.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../stable/number/is-integer'); - -module.exports = parent; diff --git a/node_modules/core-js/actual/number/is-nan.js b/node_modules/core-js/actual/number/is-nan.js deleted file mode 100644 index 669bcdc..0000000 --- a/node_modules/core-js/actual/number/is-nan.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../stable/number/is-nan'); - -module.exports = parent; diff --git a/node_modules/core-js/actual/number/is-safe-integer.js b/node_modules/core-js/actual/number/is-safe-integer.js deleted file mode 100644 index 6c569dc..0000000 --- a/node_modules/core-js/actual/number/is-safe-integer.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../stable/number/is-safe-integer'); - -module.exports = parent; diff --git a/node_modules/core-js/actual/number/max-safe-integer.js b/node_modules/core-js/actual/number/max-safe-integer.js deleted file mode 100644 index 2c3a264..0000000 --- a/node_modules/core-js/actual/number/max-safe-integer.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../stable/number/max-safe-integer'); - -module.exports = parent; diff --git a/node_modules/core-js/actual/number/min-safe-integer.js b/node_modules/core-js/actual/number/min-safe-integer.js deleted file mode 100644 index 378c27c..0000000 --- a/node_modules/core-js/actual/number/min-safe-integer.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../stable/number/min-safe-integer'); - -module.exports = parent; diff --git a/node_modules/core-js/actual/number/parse-float.js b/node_modules/core-js/actual/number/parse-float.js deleted file mode 100644 index 5164e3c..0000000 --- a/node_modules/core-js/actual/number/parse-float.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../stable/number/parse-float'); - -module.exports = parent; diff --git a/node_modules/core-js/actual/number/parse-int.js b/node_modules/core-js/actual/number/parse-int.js deleted file mode 100644 index 88c334a..0000000 --- a/node_modules/core-js/actual/number/parse-int.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../stable/number/parse-int'); - -module.exports = parent; diff --git a/node_modules/core-js/actual/number/to-exponential.js b/node_modules/core-js/actual/number/to-exponential.js deleted file mode 100644 index 31f3362..0000000 --- a/node_modules/core-js/actual/number/to-exponential.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../stable/number/to-exponential'); - -module.exports = parent; diff --git a/node_modules/core-js/actual/number/to-fixed.js b/node_modules/core-js/actual/number/to-fixed.js deleted file mode 100644 index 918a91a..0000000 --- a/node_modules/core-js/actual/number/to-fixed.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../stable/number/to-fixed'); - -module.exports = parent; diff --git a/node_modules/core-js/actual/number/to-precision.js b/node_modules/core-js/actual/number/to-precision.js deleted file mode 100644 index 5d6f7bc..0000000 --- a/node_modules/core-js/actual/number/to-precision.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../stable/number/to-precision'); - -module.exports = parent; diff --git a/node_modules/core-js/actual/number/virtual/index.js b/node_modules/core-js/actual/number/virtual/index.js deleted file mode 100644 index 02e5b8f..0000000 --- a/node_modules/core-js/actual/number/virtual/index.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../../stable/number/virtual'); - -module.exports = parent; diff --git a/node_modules/core-js/actual/number/virtual/to-exponential.js b/node_modules/core-js/actual/number/virtual/to-exponential.js deleted file mode 100644 index 0b782d9..0000000 --- a/node_modules/core-js/actual/number/virtual/to-exponential.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../../stable/number/virtual/to-exponential'); - -module.exports = parent; diff --git a/node_modules/core-js/actual/number/virtual/to-fixed.js b/node_modules/core-js/actual/number/virtual/to-fixed.js deleted file mode 100644 index 8be480b..0000000 --- a/node_modules/core-js/actual/number/virtual/to-fixed.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../../stable/number/virtual/to-fixed'); - -module.exports = parent; diff --git a/node_modules/core-js/actual/number/virtual/to-precision.js b/node_modules/core-js/actual/number/virtual/to-precision.js deleted file mode 100644 index ae96726..0000000 --- a/node_modules/core-js/actual/number/virtual/to-precision.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../../stable/number/virtual/to-precision'); - -module.exports = parent; diff --git a/node_modules/core-js/actual/object/assign.js b/node_modules/core-js/actual/object/assign.js deleted file mode 100644 index 714d1d8..0000000 --- a/node_modules/core-js/actual/object/assign.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../stable/object/assign'); - -module.exports = parent; diff --git a/node_modules/core-js/actual/object/create.js b/node_modules/core-js/actual/object/create.js deleted file mode 100644 index 4ae79ab..0000000 --- a/node_modules/core-js/actual/object/create.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../stable/object/create'); - -module.exports = parent; diff --git a/node_modules/core-js/actual/object/define-getter.js b/node_modules/core-js/actual/object/define-getter.js deleted file mode 100644 index 5dee6d0..0000000 --- a/node_modules/core-js/actual/object/define-getter.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../stable/object/define-getter'); - -module.exports = parent; diff --git a/node_modules/core-js/actual/object/define-properties.js b/node_modules/core-js/actual/object/define-properties.js deleted file mode 100644 index 7f78475..0000000 --- a/node_modules/core-js/actual/object/define-properties.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../stable/object/define-properties'); - -module.exports = parent; diff --git a/node_modules/core-js/actual/object/define-property.js b/node_modules/core-js/actual/object/define-property.js deleted file mode 100644 index 8f84eae..0000000 --- a/node_modules/core-js/actual/object/define-property.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../stable/object/define-property'); - -module.exports = parent; diff --git a/node_modules/core-js/actual/object/define-setter.js b/node_modules/core-js/actual/object/define-setter.js deleted file mode 100644 index d4e258e..0000000 --- a/node_modules/core-js/actual/object/define-setter.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../stable/object/define-setter'); - -module.exports = parent; diff --git a/node_modules/core-js/actual/object/entries.js b/node_modules/core-js/actual/object/entries.js deleted file mode 100644 index 15857c9..0000000 --- a/node_modules/core-js/actual/object/entries.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../stable/object/entries'); - -module.exports = parent; diff --git a/node_modules/core-js/actual/object/freeze.js b/node_modules/core-js/actual/object/freeze.js deleted file mode 100644 index 896dccb..0000000 --- a/node_modules/core-js/actual/object/freeze.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../stable/object/freeze'); - -module.exports = parent; diff --git a/node_modules/core-js/actual/object/from-entries.js b/node_modules/core-js/actual/object/from-entries.js deleted file mode 100644 index 0ef1d53..0000000 --- a/node_modules/core-js/actual/object/from-entries.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../stable/object/from-entries'); - -module.exports = parent; diff --git a/node_modules/core-js/actual/object/get-own-property-descriptor.js b/node_modules/core-js/actual/object/get-own-property-descriptor.js deleted file mode 100644 index 7062506..0000000 --- a/node_modules/core-js/actual/object/get-own-property-descriptor.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../stable/object/get-own-property-descriptor'); - -module.exports = parent; diff --git a/node_modules/core-js/actual/object/get-own-property-descriptors.js b/node_modules/core-js/actual/object/get-own-property-descriptors.js deleted file mode 100644 index 8a95172..0000000 --- a/node_modules/core-js/actual/object/get-own-property-descriptors.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../stable/object/get-own-property-descriptors'); - -module.exports = parent; diff --git a/node_modules/core-js/actual/object/get-own-property-names.js b/node_modules/core-js/actual/object/get-own-property-names.js deleted file mode 100644 index 990e5dc..0000000 --- a/node_modules/core-js/actual/object/get-own-property-names.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../stable/object/get-own-property-names'); - -module.exports = parent; diff --git a/node_modules/core-js/actual/object/get-own-property-symbols.js b/node_modules/core-js/actual/object/get-own-property-symbols.js deleted file mode 100644 index 6c468cb..0000000 --- a/node_modules/core-js/actual/object/get-own-property-symbols.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../stable/object/get-own-property-symbols'); - -module.exports = parent; diff --git a/node_modules/core-js/actual/object/get-prototype-of.js b/node_modules/core-js/actual/object/get-prototype-of.js deleted file mode 100644 index 37d72fd..0000000 --- a/node_modules/core-js/actual/object/get-prototype-of.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../stable/object/get-prototype-of'); - -module.exports = parent; diff --git a/node_modules/core-js/actual/object/group-by.js b/node_modules/core-js/actual/object/group-by.js deleted file mode 100644 index 71b1245..0000000 --- a/node_modules/core-js/actual/object/group-by.js +++ /dev/null @@ -1,5 +0,0 @@ -'use strict'; -var parent = require('../../stable/object/group-by'); -require('../../modules/esnext.object.group-by'); - -module.exports = parent; diff --git a/node_modules/core-js/actual/object/has-own.js b/node_modules/core-js/actual/object/has-own.js deleted file mode 100644 index c2c8615..0000000 --- a/node_modules/core-js/actual/object/has-own.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../stable/object/has-own'); - -module.exports = parent; diff --git a/node_modules/core-js/actual/object/index.js b/node_modules/core-js/actual/object/index.js deleted file mode 100644 index 4123d83..0000000 --- a/node_modules/core-js/actual/object/index.js +++ /dev/null @@ -1,5 +0,0 @@ -'use strict'; -var parent = require('../../stable/object'); -require('../../modules/esnext.object.group-by'); - -module.exports = parent; diff --git a/node_modules/core-js/actual/object/is-extensible.js b/node_modules/core-js/actual/object/is-extensible.js deleted file mode 100644 index bd9fd8e..0000000 --- a/node_modules/core-js/actual/object/is-extensible.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../stable/object/is-extensible'); - -module.exports = parent; diff --git a/node_modules/core-js/actual/object/is-frozen.js b/node_modules/core-js/actual/object/is-frozen.js deleted file mode 100644 index 1f84fe6..0000000 --- a/node_modules/core-js/actual/object/is-frozen.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../stable/object/is-frozen'); - -module.exports = parent; diff --git a/node_modules/core-js/actual/object/is-sealed.js b/node_modules/core-js/actual/object/is-sealed.js deleted file mode 100644 index 67bdd67..0000000 --- a/node_modules/core-js/actual/object/is-sealed.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../stable/object/is-sealed'); - -module.exports = parent; diff --git a/node_modules/core-js/actual/object/is.js b/node_modules/core-js/actual/object/is.js deleted file mode 100644 index 06ac44b..0000000 --- a/node_modules/core-js/actual/object/is.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../stable/object/is'); - -module.exports = parent; diff --git a/node_modules/core-js/actual/object/keys.js b/node_modules/core-js/actual/object/keys.js deleted file mode 100644 index 8ee488e..0000000 --- a/node_modules/core-js/actual/object/keys.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../stable/object/keys'); - -module.exports = parent; diff --git a/node_modules/core-js/actual/object/lookup-getter.js b/node_modules/core-js/actual/object/lookup-getter.js deleted file mode 100644 index 3b7753b..0000000 --- a/node_modules/core-js/actual/object/lookup-getter.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../stable/object/lookup-getter'); - -module.exports = parent; diff --git a/node_modules/core-js/actual/object/lookup-setter.js b/node_modules/core-js/actual/object/lookup-setter.js deleted file mode 100644 index b00be37..0000000 --- a/node_modules/core-js/actual/object/lookup-setter.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../stable/object/lookup-setter'); - -module.exports = parent; diff --git a/node_modules/core-js/actual/object/prevent-extensions.js b/node_modules/core-js/actual/object/prevent-extensions.js deleted file mode 100644 index a85d829..0000000 --- a/node_modules/core-js/actual/object/prevent-extensions.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../stable/object/prevent-extensions'); - -module.exports = parent; diff --git a/node_modules/core-js/actual/object/proto.js b/node_modules/core-js/actual/object/proto.js deleted file mode 100644 index a35edc5..0000000 --- a/node_modules/core-js/actual/object/proto.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../stable/object/proto'); - -module.exports = parent; diff --git a/node_modules/core-js/actual/object/seal.js b/node_modules/core-js/actual/object/seal.js deleted file mode 100644 index 7464ccd..0000000 --- a/node_modules/core-js/actual/object/seal.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../stable/object/seal'); - -module.exports = parent; diff --git a/node_modules/core-js/actual/object/set-prototype-of.js b/node_modules/core-js/actual/object/set-prototype-of.js deleted file mode 100644 index 17dabe8..0000000 --- a/node_modules/core-js/actual/object/set-prototype-of.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../stable/object/set-prototype-of'); - -module.exports = parent; diff --git a/node_modules/core-js/actual/object/to-string.js b/node_modules/core-js/actual/object/to-string.js deleted file mode 100644 index caaec01..0000000 --- a/node_modules/core-js/actual/object/to-string.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../stable/object/to-string'); - -module.exports = parent; diff --git a/node_modules/core-js/actual/object/values.js b/node_modules/core-js/actual/object/values.js deleted file mode 100644 index 36e8028..0000000 --- a/node_modules/core-js/actual/object/values.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../stable/object/values'); - -module.exports = parent; diff --git a/node_modules/core-js/actual/parse-float.js b/node_modules/core-js/actual/parse-float.js deleted file mode 100644 index 2733e70..0000000 --- a/node_modules/core-js/actual/parse-float.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../stable/parse-float'); - -module.exports = parent; diff --git a/node_modules/core-js/actual/parse-int.js b/node_modules/core-js/actual/parse-int.js deleted file mode 100644 index 0aefd41..0000000 --- a/node_modules/core-js/actual/parse-int.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../stable/parse-int'); - -module.exports = parent; diff --git a/node_modules/core-js/actual/promise/all-settled.js b/node_modules/core-js/actual/promise/all-settled.js deleted file mode 100644 index e19dfcf..0000000 --- a/node_modules/core-js/actual/promise/all-settled.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../stable/promise/all-settled'); - -module.exports = parent; diff --git a/node_modules/core-js/actual/promise/any.js b/node_modules/core-js/actual/promise/any.js deleted file mode 100644 index 1568a8f..0000000 --- a/node_modules/core-js/actual/promise/any.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../stable/promise/any'); - -module.exports = parent; diff --git a/node_modules/core-js/actual/promise/finally.js b/node_modules/core-js/actual/promise/finally.js deleted file mode 100644 index d6ec566..0000000 --- a/node_modules/core-js/actual/promise/finally.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../stable/promise/finally'); - -module.exports = parent; diff --git a/node_modules/core-js/actual/promise/index.js b/node_modules/core-js/actual/promise/index.js deleted file mode 100644 index e509e91..0000000 --- a/node_modules/core-js/actual/promise/index.js +++ /dev/null @@ -1,5 +0,0 @@ -'use strict'; -var parent = require('../../stable/promise'); -require('../../modules/esnext.promise.with-resolvers'); - -module.exports = parent; diff --git a/node_modules/core-js/actual/promise/with-resolvers.js b/node_modules/core-js/actual/promise/with-resolvers.js deleted file mode 100644 index 92bf3c5..0000000 --- a/node_modules/core-js/actual/promise/with-resolvers.js +++ /dev/null @@ -1,6 +0,0 @@ -'use strict'; -var parent = require('../../stable/promise/with-resolvers'); -// TODO: Remove from `core-js@4` -require('../../modules/esnext.promise.with-resolvers'); - -module.exports = parent; diff --git a/node_modules/core-js/actual/queue-microtask.js b/node_modules/core-js/actual/queue-microtask.js deleted file mode 100644 index 0f10b0d..0000000 --- a/node_modules/core-js/actual/queue-microtask.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../stable/queue-microtask'); - -module.exports = parent; diff --git a/node_modules/core-js/actual/reflect/apply.js b/node_modules/core-js/actual/reflect/apply.js deleted file mode 100644 index 62d9eb7..0000000 --- a/node_modules/core-js/actual/reflect/apply.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../stable/reflect/apply'); - -module.exports = parent; diff --git a/node_modules/core-js/actual/reflect/construct.js b/node_modules/core-js/actual/reflect/construct.js deleted file mode 100644 index f87a36e..0000000 --- a/node_modules/core-js/actual/reflect/construct.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../stable/reflect/construct'); - -module.exports = parent; diff --git a/node_modules/core-js/actual/reflect/define-property.js b/node_modules/core-js/actual/reflect/define-property.js deleted file mode 100644 index bbc2016..0000000 --- a/node_modules/core-js/actual/reflect/define-property.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../stable/reflect/define-property'); - -module.exports = parent; diff --git a/node_modules/core-js/actual/reflect/delete-property.js b/node_modules/core-js/actual/reflect/delete-property.js deleted file mode 100644 index 039d837..0000000 --- a/node_modules/core-js/actual/reflect/delete-property.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../stable/reflect/delete-property'); - -module.exports = parent; diff --git a/node_modules/core-js/actual/reflect/get-own-property-descriptor.js b/node_modules/core-js/actual/reflect/get-own-property-descriptor.js deleted file mode 100644 index 3bd76f6..0000000 --- a/node_modules/core-js/actual/reflect/get-own-property-descriptor.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../stable/reflect/get-own-property-descriptor'); - -module.exports = parent; diff --git a/node_modules/core-js/actual/reflect/get-prototype-of.js b/node_modules/core-js/actual/reflect/get-prototype-of.js deleted file mode 100644 index 4fa6cc0..0000000 --- a/node_modules/core-js/actual/reflect/get-prototype-of.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../stable/reflect/get-prototype-of'); - -module.exports = parent; diff --git a/node_modules/core-js/actual/reflect/get.js b/node_modules/core-js/actual/reflect/get.js deleted file mode 100644 index 6181621..0000000 --- a/node_modules/core-js/actual/reflect/get.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../stable/reflect/get'); - -module.exports = parent; diff --git a/node_modules/core-js/actual/reflect/has.js b/node_modules/core-js/actual/reflect/has.js deleted file mode 100644 index 758ac93..0000000 --- a/node_modules/core-js/actual/reflect/has.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../stable/reflect/has'); - -module.exports = parent; diff --git a/node_modules/core-js/actual/reflect/index.js b/node_modules/core-js/actual/reflect/index.js deleted file mode 100644 index 60ed697..0000000 --- a/node_modules/core-js/actual/reflect/index.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../stable/reflect'); - -module.exports = parent; diff --git a/node_modules/core-js/actual/reflect/is-extensible.js b/node_modules/core-js/actual/reflect/is-extensible.js deleted file mode 100644 index 9be837a..0000000 --- a/node_modules/core-js/actual/reflect/is-extensible.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../stable/reflect/is-extensible'); - -module.exports = parent; diff --git a/node_modules/core-js/actual/reflect/own-keys.js b/node_modules/core-js/actual/reflect/own-keys.js deleted file mode 100644 index 03e8025..0000000 --- a/node_modules/core-js/actual/reflect/own-keys.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../stable/reflect/own-keys'); - -module.exports = parent; diff --git a/node_modules/core-js/actual/reflect/prevent-extensions.js b/node_modules/core-js/actual/reflect/prevent-extensions.js deleted file mode 100644 index 63575dc..0000000 --- a/node_modules/core-js/actual/reflect/prevent-extensions.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../stable/reflect/prevent-extensions'); - -module.exports = parent; diff --git a/node_modules/core-js/actual/reflect/set-prototype-of.js b/node_modules/core-js/actual/reflect/set-prototype-of.js deleted file mode 100644 index e67ce79..0000000 --- a/node_modules/core-js/actual/reflect/set-prototype-of.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../stable/reflect/set-prototype-of'); - -module.exports = parent; diff --git a/node_modules/core-js/actual/reflect/set.js b/node_modules/core-js/actual/reflect/set.js deleted file mode 100644 index 07d1cf8..0000000 --- a/node_modules/core-js/actual/reflect/set.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../stable/reflect/set'); - -module.exports = parent; diff --git a/node_modules/core-js/actual/reflect/to-string-tag.js b/node_modules/core-js/actual/reflect/to-string-tag.js deleted file mode 100644 index 3908aff..0000000 --- a/node_modules/core-js/actual/reflect/to-string-tag.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -require('../../modules/es.reflect.to-string-tag'); - -module.exports = 'Reflect'; diff --git a/node_modules/core-js/actual/regexp/constructor.js b/node_modules/core-js/actual/regexp/constructor.js deleted file mode 100644 index 3bbfdb0..0000000 --- a/node_modules/core-js/actual/regexp/constructor.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../stable/regexp/constructor'); - -module.exports = parent; diff --git a/node_modules/core-js/actual/regexp/dot-all.js b/node_modules/core-js/actual/regexp/dot-all.js deleted file mode 100644 index f087e21..0000000 --- a/node_modules/core-js/actual/regexp/dot-all.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../stable/regexp/dot-all'); - -module.exports = parent; diff --git a/node_modules/core-js/actual/regexp/flags.js b/node_modules/core-js/actual/regexp/flags.js deleted file mode 100644 index a15eb25..0000000 --- a/node_modules/core-js/actual/regexp/flags.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../stable/regexp/flags'); - -module.exports = parent; diff --git a/node_modules/core-js/actual/regexp/index.js b/node_modules/core-js/actual/regexp/index.js deleted file mode 100644 index 5020697..0000000 --- a/node_modules/core-js/actual/regexp/index.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../stable/regexp'); - -module.exports = parent; diff --git a/node_modules/core-js/actual/regexp/match.js b/node_modules/core-js/actual/regexp/match.js deleted file mode 100644 index b07f8a8..0000000 --- a/node_modules/core-js/actual/regexp/match.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../stable/regexp/match'); - -module.exports = parent; diff --git a/node_modules/core-js/actual/regexp/replace.js b/node_modules/core-js/actual/regexp/replace.js deleted file mode 100644 index ba055ef..0000000 --- a/node_modules/core-js/actual/regexp/replace.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../stable/regexp/replace'); - -module.exports = parent; diff --git a/node_modules/core-js/actual/regexp/search.js b/node_modules/core-js/actual/regexp/search.js deleted file mode 100644 index 291d14b..0000000 --- a/node_modules/core-js/actual/regexp/search.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../stable/regexp/search'); - -module.exports = parent; diff --git a/node_modules/core-js/actual/regexp/split.js b/node_modules/core-js/actual/regexp/split.js deleted file mode 100644 index 08f81b3..0000000 --- a/node_modules/core-js/actual/regexp/split.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../stable/regexp/split'); - -module.exports = parent; diff --git a/node_modules/core-js/actual/regexp/sticky.js b/node_modules/core-js/actual/regexp/sticky.js deleted file mode 100644 index 5897934..0000000 --- a/node_modules/core-js/actual/regexp/sticky.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../stable/regexp/sticky'); - -module.exports = parent; diff --git a/node_modules/core-js/actual/regexp/test.js b/node_modules/core-js/actual/regexp/test.js deleted file mode 100644 index 68ea66f..0000000 --- a/node_modules/core-js/actual/regexp/test.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../stable/regexp/test'); - -module.exports = parent; diff --git a/node_modules/core-js/actual/regexp/to-string.js b/node_modules/core-js/actual/regexp/to-string.js deleted file mode 100644 index 93d6a29..0000000 --- a/node_modules/core-js/actual/regexp/to-string.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../stable/regexp/to-string'); - -module.exports = parent; diff --git a/node_modules/core-js/actual/self.js b/node_modules/core-js/actual/self.js deleted file mode 100644 index 42d78cd..0000000 --- a/node_modules/core-js/actual/self.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../stable/self'); - -module.exports = parent; diff --git a/node_modules/core-js/actual/set-immediate.js b/node_modules/core-js/actual/set-immediate.js deleted file mode 100644 index 70365b3..0000000 --- a/node_modules/core-js/actual/set-immediate.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../stable/set-immediate'); - -module.exports = parent; diff --git a/node_modules/core-js/actual/set-interval.js b/node_modules/core-js/actual/set-interval.js deleted file mode 100644 index 67d300c..0000000 --- a/node_modules/core-js/actual/set-interval.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../stable/set-interval'); - -module.exports = parent; diff --git a/node_modules/core-js/actual/set-timeout.js b/node_modules/core-js/actual/set-timeout.js deleted file mode 100644 index 7203eb2..0000000 --- a/node_modules/core-js/actual/set-timeout.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../stable/set-timeout'); - -module.exports = parent; diff --git a/node_modules/core-js/actual/set/difference.js b/node_modules/core-js/actual/set/difference.js deleted file mode 100644 index e5ac496..0000000 --- a/node_modules/core-js/actual/set/difference.js +++ /dev/null @@ -1,6 +0,0 @@ -'use strict'; -require('../../modules/es.set'); -require('../../modules/esnext.set.difference.v2'); -var entryUnbind = require('../../internals/entry-unbind'); - -module.exports = entryUnbind('Set', 'difference'); diff --git a/node_modules/core-js/actual/set/index.js b/node_modules/core-js/actual/set/index.js deleted file mode 100644 index 2ea9cf0..0000000 --- a/node_modules/core-js/actual/set/index.js +++ /dev/null @@ -1,11 +0,0 @@ -'use strict'; -var parent = require('../../stable/set'); -require('../../modules/esnext.set.difference.v2'); -require('../../modules/esnext.set.intersection.v2'); -require('../../modules/esnext.set.is-disjoint-from.v2'); -require('../../modules/esnext.set.is-subset-of.v2'); -require('../../modules/esnext.set.is-superset-of.v2'); -require('../../modules/esnext.set.symmetric-difference.v2'); -require('../../modules/esnext.set.union.v2'); - -module.exports = parent; diff --git a/node_modules/core-js/actual/set/intersection.js b/node_modules/core-js/actual/set/intersection.js deleted file mode 100644 index 3d0b238..0000000 --- a/node_modules/core-js/actual/set/intersection.js +++ /dev/null @@ -1,6 +0,0 @@ -'use strict'; -require('../../modules/es.set'); -require('../../modules/esnext.set.intersection.v2'); -var entryUnbind = require('../../internals/entry-unbind'); - -module.exports = entryUnbind('Set', 'intersection'); diff --git a/node_modules/core-js/actual/set/is-disjoint-from.js b/node_modules/core-js/actual/set/is-disjoint-from.js deleted file mode 100644 index 2402828..0000000 --- a/node_modules/core-js/actual/set/is-disjoint-from.js +++ /dev/null @@ -1,6 +0,0 @@ -'use strict'; -require('../../modules/es.set'); -require('../../modules/esnext.set.is-disjoint-from.v2'); -var entryUnbind = require('../../internals/entry-unbind'); - -module.exports = entryUnbind('Set', 'isDisjointFrom'); diff --git a/node_modules/core-js/actual/set/is-subset-of.js b/node_modules/core-js/actual/set/is-subset-of.js deleted file mode 100644 index c6e3bcd..0000000 --- a/node_modules/core-js/actual/set/is-subset-of.js +++ /dev/null @@ -1,6 +0,0 @@ -'use strict'; -require('../../modules/es.set'); -require('../../modules/esnext.set.is-subset-of.v2'); -var entryUnbind = require('../../internals/entry-unbind'); - -module.exports = entryUnbind('Set', 'isSubsetOf'); diff --git a/node_modules/core-js/actual/set/is-superset-of.js b/node_modules/core-js/actual/set/is-superset-of.js deleted file mode 100644 index c79a6f3..0000000 --- a/node_modules/core-js/actual/set/is-superset-of.js +++ /dev/null @@ -1,6 +0,0 @@ -'use strict'; -require('../../modules/es.set'); -require('../../modules/esnext.set.is-superset-of.v2'); -var entryUnbind = require('../../internals/entry-unbind'); - -module.exports = entryUnbind('Set', 'isSupersetOf'); diff --git a/node_modules/core-js/actual/set/symmetric-difference.js b/node_modules/core-js/actual/set/symmetric-difference.js deleted file mode 100644 index cb9dd2e..0000000 --- a/node_modules/core-js/actual/set/symmetric-difference.js +++ /dev/null @@ -1,6 +0,0 @@ -'use strict'; -require('../../modules/es.set'); -require('../../modules/esnext.set.symmetric-difference.v2'); -var entryUnbind = require('../../internals/entry-unbind'); - -module.exports = entryUnbind('Set', 'symmetricDifference'); diff --git a/node_modules/core-js/actual/set/union.js b/node_modules/core-js/actual/set/union.js deleted file mode 100644 index 47a0152..0000000 --- a/node_modules/core-js/actual/set/union.js +++ /dev/null @@ -1,6 +0,0 @@ -'use strict'; -require('../../modules/es.set'); -require('../../modules/esnext.set.union.v2'); -var entryUnbind = require('../../internals/entry-unbind'); - -module.exports = entryUnbind('Set', 'union'); diff --git a/node_modules/core-js/actual/string/anchor.js b/node_modules/core-js/actual/string/anchor.js deleted file mode 100644 index 9efc89d..0000000 --- a/node_modules/core-js/actual/string/anchor.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../stable/string/anchor'); - -module.exports = parent; diff --git a/node_modules/core-js/actual/string/at.js b/node_modules/core-js/actual/string/at.js deleted file mode 100644 index f9a9c7c..0000000 --- a/node_modules/core-js/actual/string/at.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../stable/string/at'); - -module.exports = parent; diff --git a/node_modules/core-js/actual/string/big.js b/node_modules/core-js/actual/string/big.js deleted file mode 100644 index 0ecd01d..0000000 --- a/node_modules/core-js/actual/string/big.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../stable/string/big'); - -module.exports = parent; diff --git a/node_modules/core-js/actual/string/blink.js b/node_modules/core-js/actual/string/blink.js deleted file mode 100644 index 3162b48..0000000 --- a/node_modules/core-js/actual/string/blink.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../stable/string/blink'); - -module.exports = parent; diff --git a/node_modules/core-js/actual/string/bold.js b/node_modules/core-js/actual/string/bold.js deleted file mode 100644 index 6a25ad7..0000000 --- a/node_modules/core-js/actual/string/bold.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../stable/string/bold'); - -module.exports = parent; diff --git a/node_modules/core-js/actual/string/code-point-at.js b/node_modules/core-js/actual/string/code-point-at.js deleted file mode 100644 index e537d17..0000000 --- a/node_modules/core-js/actual/string/code-point-at.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../stable/string/code-point-at'); - -module.exports = parent; diff --git a/node_modules/core-js/actual/string/ends-with.js b/node_modules/core-js/actual/string/ends-with.js deleted file mode 100644 index 2ca9ed2..0000000 --- a/node_modules/core-js/actual/string/ends-with.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../stable/string/ends-with'); - -module.exports = parent; diff --git a/node_modules/core-js/actual/string/fixed.js b/node_modules/core-js/actual/string/fixed.js deleted file mode 100644 index 2ac56e2..0000000 --- a/node_modules/core-js/actual/string/fixed.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../stable/string/fixed'); - -module.exports = parent; diff --git a/node_modules/core-js/actual/string/fontcolor.js b/node_modules/core-js/actual/string/fontcolor.js deleted file mode 100644 index d60137b..0000000 --- a/node_modules/core-js/actual/string/fontcolor.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../stable/string/fontcolor'); - -module.exports = parent; diff --git a/node_modules/core-js/actual/string/fontsize.js b/node_modules/core-js/actual/string/fontsize.js deleted file mode 100644 index edfcbc4..0000000 --- a/node_modules/core-js/actual/string/fontsize.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../stable/string/fontsize'); - -module.exports = parent; diff --git a/node_modules/core-js/actual/string/from-code-point.js b/node_modules/core-js/actual/string/from-code-point.js deleted file mode 100644 index b86cdae..0000000 --- a/node_modules/core-js/actual/string/from-code-point.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../stable/string/from-code-point'); - -module.exports = parent; diff --git a/node_modules/core-js/actual/string/includes.js b/node_modules/core-js/actual/string/includes.js deleted file mode 100644 index c221c3d..0000000 --- a/node_modules/core-js/actual/string/includes.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../stable/string/includes'); - -module.exports = parent; diff --git a/node_modules/core-js/actual/string/index.js b/node_modules/core-js/actual/string/index.js deleted file mode 100644 index d1357b5..0000000 --- a/node_modules/core-js/actual/string/index.js +++ /dev/null @@ -1,8 +0,0 @@ -'use strict'; -var parent = require('../../stable/string'); - -// TODO: Remove from `core-js@4` -require('../../modules/esnext.string.is-well-formed'); -require('../../modules/esnext.string.to-well-formed'); - -module.exports = parent; diff --git a/node_modules/core-js/actual/string/is-well-formed.js b/node_modules/core-js/actual/string/is-well-formed.js deleted file mode 100644 index 9e91f47..0000000 --- a/node_modules/core-js/actual/string/is-well-formed.js +++ /dev/null @@ -1,7 +0,0 @@ -'use strict'; -// TODO: Remove from `core-js@4` -require('../../modules/esnext.string.is-well-formed'); - -var parent = require('../../stable/string/is-well-formed'); - -module.exports = parent; diff --git a/node_modules/core-js/actual/string/italics.js b/node_modules/core-js/actual/string/italics.js deleted file mode 100644 index eb3d62e..0000000 --- a/node_modules/core-js/actual/string/italics.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../stable/string/italics'); - -module.exports = parent; diff --git a/node_modules/core-js/actual/string/iterator.js b/node_modules/core-js/actual/string/iterator.js deleted file mode 100644 index 02ebb13..0000000 --- a/node_modules/core-js/actual/string/iterator.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../stable/string/iterator'); - -module.exports = parent; diff --git a/node_modules/core-js/actual/string/link.js b/node_modules/core-js/actual/string/link.js deleted file mode 100644 index f9d0255..0000000 --- a/node_modules/core-js/actual/string/link.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../stable/string/link'); - -module.exports = parent; diff --git a/node_modules/core-js/actual/string/match-all.js b/node_modules/core-js/actual/string/match-all.js deleted file mode 100644 index 06d157d..0000000 --- a/node_modules/core-js/actual/string/match-all.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../stable/string/match-all'); - -module.exports = parent; diff --git a/node_modules/core-js/actual/string/match.js b/node_modules/core-js/actual/string/match.js deleted file mode 100644 index 2395bcc..0000000 --- a/node_modules/core-js/actual/string/match.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../stable/string/match'); - -module.exports = parent; diff --git a/node_modules/core-js/actual/string/pad-end.js b/node_modules/core-js/actual/string/pad-end.js deleted file mode 100644 index 877ba29..0000000 --- a/node_modules/core-js/actual/string/pad-end.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../stable/string/pad-end'); - -module.exports = parent; diff --git a/node_modules/core-js/actual/string/pad-start.js b/node_modules/core-js/actual/string/pad-start.js deleted file mode 100644 index d4e4a7e..0000000 --- a/node_modules/core-js/actual/string/pad-start.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../stable/string/pad-start'); - -module.exports = parent; diff --git a/node_modules/core-js/actual/string/raw.js b/node_modules/core-js/actual/string/raw.js deleted file mode 100644 index 39202ab..0000000 --- a/node_modules/core-js/actual/string/raw.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../stable/string/raw'); - -module.exports = parent; diff --git a/node_modules/core-js/actual/string/repeat.js b/node_modules/core-js/actual/string/repeat.js deleted file mode 100644 index 0d2945c..0000000 --- a/node_modules/core-js/actual/string/repeat.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../stable/string/repeat'); - -module.exports = parent; diff --git a/node_modules/core-js/actual/string/replace-all.js b/node_modules/core-js/actual/string/replace-all.js deleted file mode 100644 index ba6985a..0000000 --- a/node_modules/core-js/actual/string/replace-all.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../stable/string/replace-all'); - -module.exports = parent; diff --git a/node_modules/core-js/actual/string/replace.js b/node_modules/core-js/actual/string/replace.js deleted file mode 100644 index 075d819..0000000 --- a/node_modules/core-js/actual/string/replace.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../stable/string/replace'); - -module.exports = parent; diff --git a/node_modules/core-js/actual/string/search.js b/node_modules/core-js/actual/string/search.js deleted file mode 100644 index d66b106..0000000 --- a/node_modules/core-js/actual/string/search.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../stable/string/search'); - -module.exports = parent; diff --git a/node_modules/core-js/actual/string/small.js b/node_modules/core-js/actual/string/small.js deleted file mode 100644 index 430e083..0000000 --- a/node_modules/core-js/actual/string/small.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../stable/string/small'); - -module.exports = parent; diff --git a/node_modules/core-js/actual/string/split.js b/node_modules/core-js/actual/string/split.js deleted file mode 100644 index d71e627..0000000 --- a/node_modules/core-js/actual/string/split.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../stable/string/split'); - -module.exports = parent; diff --git a/node_modules/core-js/actual/string/starts-with.js b/node_modules/core-js/actual/string/starts-with.js deleted file mode 100644 index 818cdff..0000000 --- a/node_modules/core-js/actual/string/starts-with.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../stable/string/starts-with'); - -module.exports = parent; diff --git a/node_modules/core-js/actual/string/strike.js b/node_modules/core-js/actual/string/strike.js deleted file mode 100644 index ca20cd3..0000000 --- a/node_modules/core-js/actual/string/strike.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../stable/string/strike'); - -module.exports = parent; diff --git a/node_modules/core-js/actual/string/sub.js b/node_modules/core-js/actual/string/sub.js deleted file mode 100644 index 58163d2..0000000 --- a/node_modules/core-js/actual/string/sub.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../stable/string/sub'); - -module.exports = parent; diff --git a/node_modules/core-js/actual/string/substr.js b/node_modules/core-js/actual/string/substr.js deleted file mode 100644 index f71c01b..0000000 --- a/node_modules/core-js/actual/string/substr.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../stable/string/substr'); - -module.exports = parent; diff --git a/node_modules/core-js/actual/string/sup.js b/node_modules/core-js/actual/string/sup.js deleted file mode 100644 index 04fa80d..0000000 --- a/node_modules/core-js/actual/string/sup.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../stable/string/sup'); - -module.exports = parent; diff --git a/node_modules/core-js/actual/string/to-well-formed.js b/node_modules/core-js/actual/string/to-well-formed.js deleted file mode 100644 index 67ad9e4..0000000 --- a/node_modules/core-js/actual/string/to-well-formed.js +++ /dev/null @@ -1,7 +0,0 @@ -'use strict'; -// TODO: Remove from `core-js@4` -require('../../modules/esnext.string.to-well-formed'); - -var parent = require('../../stable/string/to-well-formed'); - -module.exports = parent; diff --git a/node_modules/core-js/actual/string/trim-end.js b/node_modules/core-js/actual/string/trim-end.js deleted file mode 100644 index 92c2c38..0000000 --- a/node_modules/core-js/actual/string/trim-end.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../stable/string/trim-end'); - -module.exports = parent; diff --git a/node_modules/core-js/actual/string/trim-left.js b/node_modules/core-js/actual/string/trim-left.js deleted file mode 100644 index d9b2f3f..0000000 --- a/node_modules/core-js/actual/string/trim-left.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../stable/string/trim-left'); - -module.exports = parent; diff --git a/node_modules/core-js/actual/string/trim-right.js b/node_modules/core-js/actual/string/trim-right.js deleted file mode 100644 index 68bb582..0000000 --- a/node_modules/core-js/actual/string/trim-right.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../stable/string/trim-right'); - -module.exports = parent; diff --git a/node_modules/core-js/actual/string/trim-start.js b/node_modules/core-js/actual/string/trim-start.js deleted file mode 100644 index 17611e6..0000000 --- a/node_modules/core-js/actual/string/trim-start.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../stable/string/trim-start'); - -module.exports = parent; diff --git a/node_modules/core-js/actual/string/trim.js b/node_modules/core-js/actual/string/trim.js deleted file mode 100644 index 0539355..0000000 --- a/node_modules/core-js/actual/string/trim.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../stable/string/trim'); - -module.exports = parent; diff --git a/node_modules/core-js/actual/string/virtual/anchor.js b/node_modules/core-js/actual/string/virtual/anchor.js deleted file mode 100644 index 66c2c91..0000000 --- a/node_modules/core-js/actual/string/virtual/anchor.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../../stable/string/virtual/anchor'); - -module.exports = parent; diff --git a/node_modules/core-js/actual/string/virtual/at.js b/node_modules/core-js/actual/string/virtual/at.js deleted file mode 100644 index b87d421..0000000 --- a/node_modules/core-js/actual/string/virtual/at.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../../stable/string/virtual/at'); - -module.exports = parent; diff --git a/node_modules/core-js/actual/string/virtual/big.js b/node_modules/core-js/actual/string/virtual/big.js deleted file mode 100644 index 5c89910..0000000 --- a/node_modules/core-js/actual/string/virtual/big.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../../stable/string/virtual/big'); - -module.exports = parent; diff --git a/node_modules/core-js/actual/string/virtual/blink.js b/node_modules/core-js/actual/string/virtual/blink.js deleted file mode 100644 index a4a0f12..0000000 --- a/node_modules/core-js/actual/string/virtual/blink.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../../stable/string/virtual/blink'); - -module.exports = parent; diff --git a/node_modules/core-js/actual/string/virtual/bold.js b/node_modules/core-js/actual/string/virtual/bold.js deleted file mode 100644 index b2384d9..0000000 --- a/node_modules/core-js/actual/string/virtual/bold.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../../stable/string/virtual/bold'); - -module.exports = parent; diff --git a/node_modules/core-js/actual/string/virtual/code-point-at.js b/node_modules/core-js/actual/string/virtual/code-point-at.js deleted file mode 100644 index 0620b08..0000000 --- a/node_modules/core-js/actual/string/virtual/code-point-at.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../../stable/string/virtual/code-point-at'); - -module.exports = parent; diff --git a/node_modules/core-js/actual/string/virtual/ends-with.js b/node_modules/core-js/actual/string/virtual/ends-with.js deleted file mode 100644 index d874e7d..0000000 --- a/node_modules/core-js/actual/string/virtual/ends-with.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../../stable/string/virtual/ends-with'); - -module.exports = parent; diff --git a/node_modules/core-js/actual/string/virtual/fixed.js b/node_modules/core-js/actual/string/virtual/fixed.js deleted file mode 100644 index fd54719..0000000 --- a/node_modules/core-js/actual/string/virtual/fixed.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../../stable/string/virtual/fixed'); - -module.exports = parent; diff --git a/node_modules/core-js/actual/string/virtual/fontcolor.js b/node_modules/core-js/actual/string/virtual/fontcolor.js deleted file mode 100644 index cb5c63a..0000000 --- a/node_modules/core-js/actual/string/virtual/fontcolor.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../../stable/string/virtual/fontcolor'); - -module.exports = parent; diff --git a/node_modules/core-js/actual/string/virtual/fontsize.js b/node_modules/core-js/actual/string/virtual/fontsize.js deleted file mode 100644 index 2175b3f..0000000 --- a/node_modules/core-js/actual/string/virtual/fontsize.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../../stable/string/virtual/fontsize'); - -module.exports = parent; diff --git a/node_modules/core-js/actual/string/virtual/includes.js b/node_modules/core-js/actual/string/virtual/includes.js deleted file mode 100644 index 2175260..0000000 --- a/node_modules/core-js/actual/string/virtual/includes.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../../stable/string/virtual/includes'); - -module.exports = parent; diff --git a/node_modules/core-js/actual/string/virtual/index.js b/node_modules/core-js/actual/string/virtual/index.js deleted file mode 100644 index 19afd93..0000000 --- a/node_modules/core-js/actual/string/virtual/index.js +++ /dev/null @@ -1,8 +0,0 @@ -'use strict'; -var parent = require('../../../stable/string/virtual'); - -// TODO: Remove from `core-js@4` -require('../../../modules/esnext.string.is-well-formed'); -require('../../../modules/esnext.string.to-well-formed'); - -module.exports = parent; diff --git a/node_modules/core-js/actual/string/virtual/is-well-formed.js b/node_modules/core-js/actual/string/virtual/is-well-formed.js deleted file mode 100644 index e3702f4..0000000 --- a/node_modules/core-js/actual/string/virtual/is-well-formed.js +++ /dev/null @@ -1,7 +0,0 @@ -'use strict'; -// TODO: Remove from `core-js@4` -require('../../../modules/esnext.string.is-well-formed'); - -var parent = require('../../../stable/string/virtual/is-well-formed'); - -module.exports = parent; diff --git a/node_modules/core-js/actual/string/virtual/italics.js b/node_modules/core-js/actual/string/virtual/italics.js deleted file mode 100644 index 921158a..0000000 --- a/node_modules/core-js/actual/string/virtual/italics.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../../stable/string/virtual/italics'); - -module.exports = parent; diff --git a/node_modules/core-js/actual/string/virtual/iterator.js b/node_modules/core-js/actual/string/virtual/iterator.js deleted file mode 100644 index c6a45cd..0000000 --- a/node_modules/core-js/actual/string/virtual/iterator.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../../stable/string/virtual/iterator'); - -module.exports = parent; diff --git a/node_modules/core-js/actual/string/virtual/link.js b/node_modules/core-js/actual/string/virtual/link.js deleted file mode 100644 index 464611c..0000000 --- a/node_modules/core-js/actual/string/virtual/link.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../../stable/string/virtual/link'); - -module.exports = parent; diff --git a/node_modules/core-js/actual/string/virtual/match-all.js b/node_modules/core-js/actual/string/virtual/match-all.js deleted file mode 100644 index 8703b82..0000000 --- a/node_modules/core-js/actual/string/virtual/match-all.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../../stable/string/virtual/match-all'); - -module.exports = parent; diff --git a/node_modules/core-js/actual/string/virtual/pad-end.js b/node_modules/core-js/actual/string/virtual/pad-end.js deleted file mode 100644 index 43d1d1c..0000000 --- a/node_modules/core-js/actual/string/virtual/pad-end.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../../stable/string/virtual/pad-end'); - -module.exports = parent; diff --git a/node_modules/core-js/actual/string/virtual/pad-start.js b/node_modules/core-js/actual/string/virtual/pad-start.js deleted file mode 100644 index e4e7e1a..0000000 --- a/node_modules/core-js/actual/string/virtual/pad-start.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../../stable/string/virtual/pad-start'); - -module.exports = parent; diff --git a/node_modules/core-js/actual/string/virtual/repeat.js b/node_modules/core-js/actual/string/virtual/repeat.js deleted file mode 100644 index 14962cf..0000000 --- a/node_modules/core-js/actual/string/virtual/repeat.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../../stable/string/virtual/repeat'); - -module.exports = parent; diff --git a/node_modules/core-js/actual/string/virtual/replace-all.js b/node_modules/core-js/actual/string/virtual/replace-all.js deleted file mode 100644 index d3604ff..0000000 --- a/node_modules/core-js/actual/string/virtual/replace-all.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../../stable/string/virtual/replace-all'); - -module.exports = parent; diff --git a/node_modules/core-js/actual/string/virtual/small.js b/node_modules/core-js/actual/string/virtual/small.js deleted file mode 100644 index 8c4de6a..0000000 --- a/node_modules/core-js/actual/string/virtual/small.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../../stable/string/virtual/small'); - -module.exports = parent; diff --git a/node_modules/core-js/actual/string/virtual/starts-with.js b/node_modules/core-js/actual/string/virtual/starts-with.js deleted file mode 100644 index d887a04..0000000 --- a/node_modules/core-js/actual/string/virtual/starts-with.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../../stable/string/virtual/starts-with'); - -module.exports = parent; diff --git a/node_modules/core-js/actual/string/virtual/strike.js b/node_modules/core-js/actual/string/virtual/strike.js deleted file mode 100644 index 2aea074..0000000 --- a/node_modules/core-js/actual/string/virtual/strike.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../../stable/string/virtual/strike'); - -module.exports = parent; diff --git a/node_modules/core-js/actual/string/virtual/sub.js b/node_modules/core-js/actual/string/virtual/sub.js deleted file mode 100644 index cd3327b..0000000 --- a/node_modules/core-js/actual/string/virtual/sub.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../../stable/string/virtual/sub'); - -module.exports = parent; diff --git a/node_modules/core-js/actual/string/virtual/substr.js b/node_modules/core-js/actual/string/virtual/substr.js deleted file mode 100644 index a02e33c..0000000 --- a/node_modules/core-js/actual/string/virtual/substr.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../../stable/string/virtual/substr'); - -module.exports = parent; diff --git a/node_modules/core-js/actual/string/virtual/sup.js b/node_modules/core-js/actual/string/virtual/sup.js deleted file mode 100644 index 33036f7..0000000 --- a/node_modules/core-js/actual/string/virtual/sup.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../../stable/string/virtual/sup'); - -module.exports = parent; diff --git a/node_modules/core-js/actual/string/virtual/to-well-formed.js b/node_modules/core-js/actual/string/virtual/to-well-formed.js deleted file mode 100644 index 86db8e6..0000000 --- a/node_modules/core-js/actual/string/virtual/to-well-formed.js +++ /dev/null @@ -1,7 +0,0 @@ -'use strict'; -// TODO: Remove from `core-js@4` -require('../../../modules/esnext.string.to-well-formed'); - -var parent = require('../../../stable/string/virtual/to-well-formed'); - -module.exports = parent; diff --git a/node_modules/core-js/actual/string/virtual/trim-end.js b/node_modules/core-js/actual/string/virtual/trim-end.js deleted file mode 100644 index 3065012..0000000 --- a/node_modules/core-js/actual/string/virtual/trim-end.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../../stable/string/virtual/trim-end'); - -module.exports = parent; diff --git a/node_modules/core-js/actual/string/virtual/trim-left.js b/node_modules/core-js/actual/string/virtual/trim-left.js deleted file mode 100644 index dadf770..0000000 --- a/node_modules/core-js/actual/string/virtual/trim-left.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../../stable/string/virtual/trim-left'); - -module.exports = parent; diff --git a/node_modules/core-js/actual/string/virtual/trim-right.js b/node_modules/core-js/actual/string/virtual/trim-right.js deleted file mode 100644 index fba0dfd..0000000 --- a/node_modules/core-js/actual/string/virtual/trim-right.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../../stable/string/virtual/trim-right'); - -module.exports = parent; diff --git a/node_modules/core-js/actual/string/virtual/trim-start.js b/node_modules/core-js/actual/string/virtual/trim-start.js deleted file mode 100644 index c0679cc..0000000 --- a/node_modules/core-js/actual/string/virtual/trim-start.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../../stable/string/virtual/trim-start'); - -module.exports = parent; diff --git a/node_modules/core-js/actual/string/virtual/trim.js b/node_modules/core-js/actual/string/virtual/trim.js deleted file mode 100644 index 59673b5..0000000 --- a/node_modules/core-js/actual/string/virtual/trim.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../../stable/string/virtual/trim'); - -module.exports = parent; diff --git a/node_modules/core-js/actual/structured-clone.js b/node_modules/core-js/actual/structured-clone.js deleted file mode 100644 index 2dc60a1..0000000 --- a/node_modules/core-js/actual/structured-clone.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../stable/structured-clone'); - -module.exports = parent; diff --git a/node_modules/core-js/actual/suppressed-error.js b/node_modules/core-js/actual/suppressed-error.js deleted file mode 100644 index d550baa..0000000 --- a/node_modules/core-js/actual/suppressed-error.js +++ /dev/null @@ -1,7 +0,0 @@ -'use strict'; -require('../modules/es.error.cause'); -require('../modules/es.error.to-string'); -require('../modules/esnext.suppressed-error.constructor'); -var path = require('../internals/path'); - -module.exports = path.SuppressedError; diff --git a/node_modules/core-js/actual/symbol/async-dispose.js b/node_modules/core-js/actual/symbol/async-dispose.js deleted file mode 100644 index 712e3be..0000000 --- a/node_modules/core-js/actual/symbol/async-dispose.js +++ /dev/null @@ -1,5 +0,0 @@ -'use strict'; -require('../../modules/esnext.symbol.async-dispose'); -var WrappedWellKnownSymbolModule = require('../../internals/well-known-symbol-wrapped'); - -module.exports = WrappedWellKnownSymbolModule.f('asyncDispose'); diff --git a/node_modules/core-js/actual/symbol/async-iterator.js b/node_modules/core-js/actual/symbol/async-iterator.js deleted file mode 100644 index 9ed1f74..0000000 --- a/node_modules/core-js/actual/symbol/async-iterator.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../stable/symbol/async-iterator'); - -module.exports = parent; diff --git a/node_modules/core-js/actual/symbol/description.js b/node_modules/core-js/actual/symbol/description.js deleted file mode 100644 index d2a5731..0000000 --- a/node_modules/core-js/actual/symbol/description.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../stable/symbol/description'); - -module.exports = parent; diff --git a/node_modules/core-js/actual/symbol/dispose.js b/node_modules/core-js/actual/symbol/dispose.js deleted file mode 100644 index 17c74c3..0000000 --- a/node_modules/core-js/actual/symbol/dispose.js +++ /dev/null @@ -1,5 +0,0 @@ -'use strict'; -require('../../modules/esnext.symbol.dispose'); -var WrappedWellKnownSymbolModule = require('../../internals/well-known-symbol-wrapped'); - -module.exports = WrappedWellKnownSymbolModule.f('dispose'); diff --git a/node_modules/core-js/actual/symbol/for.js b/node_modules/core-js/actual/symbol/for.js deleted file mode 100644 index 2349323..0000000 --- a/node_modules/core-js/actual/symbol/for.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../stable/symbol/for'); - -module.exports = parent; diff --git a/node_modules/core-js/actual/symbol/has-instance.js b/node_modules/core-js/actual/symbol/has-instance.js deleted file mode 100644 index 4ffe725..0000000 --- a/node_modules/core-js/actual/symbol/has-instance.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../stable/symbol/has-instance'); - -module.exports = parent; diff --git a/node_modules/core-js/actual/symbol/index.js b/node_modules/core-js/actual/symbol/index.js deleted file mode 100644 index 5905a78..0000000 --- a/node_modules/core-js/actual/symbol/index.js +++ /dev/null @@ -1,9 +0,0 @@ -'use strict'; -var parent = require('../../stable/symbol'); - -require('../../modules/esnext.function.metadata'); -require('../../modules/esnext.symbol.async-dispose'); -require('../../modules/esnext.symbol.dispose'); -require('../../modules/esnext.symbol.metadata'); - -module.exports = parent; diff --git a/node_modules/core-js/actual/symbol/is-concat-spreadable.js b/node_modules/core-js/actual/symbol/is-concat-spreadable.js deleted file mode 100644 index 0c86b41..0000000 --- a/node_modules/core-js/actual/symbol/is-concat-spreadable.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../stable/symbol/is-concat-spreadable'); - -module.exports = parent; diff --git a/node_modules/core-js/actual/symbol/iterator.js b/node_modules/core-js/actual/symbol/iterator.js deleted file mode 100644 index 0804df8..0000000 --- a/node_modules/core-js/actual/symbol/iterator.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../stable/symbol/iterator'); - -module.exports = parent; diff --git a/node_modules/core-js/actual/symbol/key-for.js b/node_modules/core-js/actual/symbol/key-for.js deleted file mode 100644 index c515ed3..0000000 --- a/node_modules/core-js/actual/symbol/key-for.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../stable/symbol/key-for'); - -module.exports = parent; diff --git a/node_modules/core-js/actual/symbol/match-all.js b/node_modules/core-js/actual/symbol/match-all.js deleted file mode 100644 index 23c97e0..0000000 --- a/node_modules/core-js/actual/symbol/match-all.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../stable/symbol/match-all'); - -module.exports = parent; diff --git a/node_modules/core-js/actual/symbol/match.js b/node_modules/core-js/actual/symbol/match.js deleted file mode 100644 index 68061fd..0000000 --- a/node_modules/core-js/actual/symbol/match.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../stable/symbol/match'); - -module.exports = parent; diff --git a/node_modules/core-js/actual/symbol/metadata.js b/node_modules/core-js/actual/symbol/metadata.js deleted file mode 100644 index 768cbae..0000000 --- a/node_modules/core-js/actual/symbol/metadata.js +++ /dev/null @@ -1,6 +0,0 @@ -'use strict'; -require('../../modules/esnext.function.metadata'); -require('../../modules/esnext.symbol.metadata'); -var WrappedWellKnownSymbolModule = require('../../internals/well-known-symbol-wrapped'); - -module.exports = WrappedWellKnownSymbolModule.f('metadata'); diff --git a/node_modules/core-js/actual/symbol/replace.js b/node_modules/core-js/actual/symbol/replace.js deleted file mode 100644 index 59ea3ad..0000000 --- a/node_modules/core-js/actual/symbol/replace.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../stable/symbol/replace'); - -module.exports = parent; diff --git a/node_modules/core-js/actual/symbol/search.js b/node_modules/core-js/actual/symbol/search.js deleted file mode 100644 index 68f6233..0000000 --- a/node_modules/core-js/actual/symbol/search.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../stable/symbol/search'); - -module.exports = parent; diff --git a/node_modules/core-js/actual/symbol/species.js b/node_modules/core-js/actual/symbol/species.js deleted file mode 100644 index 25dfd51..0000000 --- a/node_modules/core-js/actual/symbol/species.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../stable/symbol/species'); - -module.exports = parent; diff --git a/node_modules/core-js/actual/symbol/split.js b/node_modules/core-js/actual/symbol/split.js deleted file mode 100644 index c4af55f..0000000 --- a/node_modules/core-js/actual/symbol/split.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../stable/symbol/split'); - -module.exports = parent; diff --git a/node_modules/core-js/actual/symbol/to-primitive.js b/node_modules/core-js/actual/symbol/to-primitive.js deleted file mode 100644 index ceab28f..0000000 --- a/node_modules/core-js/actual/symbol/to-primitive.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../stable/symbol/to-primitive'); - -module.exports = parent; diff --git a/node_modules/core-js/actual/symbol/to-string-tag.js b/node_modules/core-js/actual/symbol/to-string-tag.js deleted file mode 100644 index 6fe360c..0000000 --- a/node_modules/core-js/actual/symbol/to-string-tag.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../stable/symbol/to-string-tag'); - -module.exports = parent; diff --git a/node_modules/core-js/actual/symbol/unscopables.js b/node_modules/core-js/actual/symbol/unscopables.js deleted file mode 100644 index 1d05b70..0000000 --- a/node_modules/core-js/actual/symbol/unscopables.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../stable/symbol/unscopables'); - -module.exports = parent; diff --git a/node_modules/core-js/actual/typed-array/at.js b/node_modules/core-js/actual/typed-array/at.js deleted file mode 100644 index 59e18b8..0000000 --- a/node_modules/core-js/actual/typed-array/at.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../stable/typed-array/at'); - -module.exports = parent; diff --git a/node_modules/core-js/actual/typed-array/copy-within.js b/node_modules/core-js/actual/typed-array/copy-within.js deleted file mode 100644 index 015fea1..0000000 --- a/node_modules/core-js/actual/typed-array/copy-within.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../stable/typed-array/copy-within'); - -module.exports = parent; diff --git a/node_modules/core-js/actual/typed-array/entries.js b/node_modules/core-js/actual/typed-array/entries.js deleted file mode 100644 index f187e0d..0000000 --- a/node_modules/core-js/actual/typed-array/entries.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../stable/typed-array/entries'); - -module.exports = parent; diff --git a/node_modules/core-js/actual/typed-array/every.js b/node_modules/core-js/actual/typed-array/every.js deleted file mode 100644 index a34625d..0000000 --- a/node_modules/core-js/actual/typed-array/every.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../stable/typed-array/every'); - -module.exports = parent; diff --git a/node_modules/core-js/actual/typed-array/fill.js b/node_modules/core-js/actual/typed-array/fill.js deleted file mode 100644 index 3236a10..0000000 --- a/node_modules/core-js/actual/typed-array/fill.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../stable/typed-array/fill'); - -module.exports = parent; diff --git a/node_modules/core-js/actual/typed-array/filter.js b/node_modules/core-js/actual/typed-array/filter.js deleted file mode 100644 index 8ac9e89..0000000 --- a/node_modules/core-js/actual/typed-array/filter.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../stable/typed-array/filter'); - -module.exports = parent; diff --git a/node_modules/core-js/actual/typed-array/find-index.js b/node_modules/core-js/actual/typed-array/find-index.js deleted file mode 100644 index da18404..0000000 --- a/node_modules/core-js/actual/typed-array/find-index.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../stable/typed-array/find-index'); - -module.exports = parent; diff --git a/node_modules/core-js/actual/typed-array/find-last-index.js b/node_modules/core-js/actual/typed-array/find-last-index.js deleted file mode 100644 index eb7cd48..0000000 --- a/node_modules/core-js/actual/typed-array/find-last-index.js +++ /dev/null @@ -1,5 +0,0 @@ -'use strict'; -require('../../modules/esnext.typed-array.find-last-index'); -var parent = require('../../stable/typed-array/find-last-index'); - -module.exports = parent; diff --git a/node_modules/core-js/actual/typed-array/find-last.js b/node_modules/core-js/actual/typed-array/find-last.js deleted file mode 100644 index f7608b1..0000000 --- a/node_modules/core-js/actual/typed-array/find-last.js +++ /dev/null @@ -1,5 +0,0 @@ -'use strict'; -require('../../modules/esnext.typed-array.find-last'); -var parent = require('../../stable/typed-array/find-last'); - -module.exports = parent; diff --git a/node_modules/core-js/actual/typed-array/find.js b/node_modules/core-js/actual/typed-array/find.js deleted file mode 100644 index af39eac..0000000 --- a/node_modules/core-js/actual/typed-array/find.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../stable/typed-array/find'); - -module.exports = parent; diff --git a/node_modules/core-js/actual/typed-array/float32-array.js b/node_modules/core-js/actual/typed-array/float32-array.js deleted file mode 100644 index 1bfbb23..0000000 --- a/node_modules/core-js/actual/typed-array/float32-array.js +++ /dev/null @@ -1,5 +0,0 @@ -'use strict'; -var parent = require('../../stable/typed-array/float32-array'); -require('../../actual/typed-array/methods'); - -module.exports = parent; diff --git a/node_modules/core-js/actual/typed-array/float64-array.js b/node_modules/core-js/actual/typed-array/float64-array.js deleted file mode 100644 index 85a9b73..0000000 --- a/node_modules/core-js/actual/typed-array/float64-array.js +++ /dev/null @@ -1,5 +0,0 @@ -'use strict'; -var parent = require('../../stable/typed-array/float64-array'); -require('../../actual/typed-array/methods'); - -module.exports = parent; diff --git a/node_modules/core-js/actual/typed-array/for-each.js b/node_modules/core-js/actual/typed-array/for-each.js deleted file mode 100644 index 56f4c26..0000000 --- a/node_modules/core-js/actual/typed-array/for-each.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../stable/typed-array/for-each'); - -module.exports = parent; diff --git a/node_modules/core-js/actual/typed-array/from.js b/node_modules/core-js/actual/typed-array/from.js deleted file mode 100644 index 2027a7a..0000000 --- a/node_modules/core-js/actual/typed-array/from.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../stable/typed-array/from'); - -module.exports = parent; diff --git a/node_modules/core-js/actual/typed-array/includes.js b/node_modules/core-js/actual/typed-array/includes.js deleted file mode 100644 index c87ecab..0000000 --- a/node_modules/core-js/actual/typed-array/includes.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../stable/typed-array/includes'); - -module.exports = parent; diff --git a/node_modules/core-js/actual/typed-array/index-of.js b/node_modules/core-js/actual/typed-array/index-of.js deleted file mode 100644 index e2096ed..0000000 --- a/node_modules/core-js/actual/typed-array/index-of.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../stable/typed-array/index-of'); - -module.exports = parent; diff --git a/node_modules/core-js/actual/typed-array/index.js b/node_modules/core-js/actual/typed-array/index.js deleted file mode 100644 index 31c1697..0000000 --- a/node_modules/core-js/actual/typed-array/index.js +++ /dev/null @@ -1,11 +0,0 @@ -'use strict'; -var parent = require('../../stable/typed-array'); -// TODO: Remove from `core-js@4` -require('../../modules/esnext.typed-array.find-last'); -require('../../modules/esnext.typed-array.find-last-index'); -require('../../modules/esnext.typed-array.to-reversed'); -require('../../modules/esnext.typed-array.to-sorted'); -require('../../modules/esnext.typed-array.to-spliced'); -require('../../modules/esnext.typed-array.with'); - -module.exports = parent; diff --git a/node_modules/core-js/actual/typed-array/int16-array.js b/node_modules/core-js/actual/typed-array/int16-array.js deleted file mode 100644 index ee00a14..0000000 --- a/node_modules/core-js/actual/typed-array/int16-array.js +++ /dev/null @@ -1,5 +0,0 @@ -'use strict'; -var parent = require('../../stable/typed-array/int16-array'); -require('../../actual/typed-array/methods'); - -module.exports = parent; diff --git a/node_modules/core-js/actual/typed-array/int32-array.js b/node_modules/core-js/actual/typed-array/int32-array.js deleted file mode 100644 index b20c128..0000000 --- a/node_modules/core-js/actual/typed-array/int32-array.js +++ /dev/null @@ -1,5 +0,0 @@ -'use strict'; -var parent = require('../../stable/typed-array/int32-array'); -require('../../actual/typed-array/methods'); - -module.exports = parent; diff --git a/node_modules/core-js/actual/typed-array/int8-array.js b/node_modules/core-js/actual/typed-array/int8-array.js deleted file mode 100644 index 4837662..0000000 --- a/node_modules/core-js/actual/typed-array/int8-array.js +++ /dev/null @@ -1,5 +0,0 @@ -'use strict'; -var parent = require('../../stable/typed-array/int8-array'); -require('../../actual/typed-array/methods'); - -module.exports = parent; diff --git a/node_modules/core-js/actual/typed-array/iterator.js b/node_modules/core-js/actual/typed-array/iterator.js deleted file mode 100644 index 98b9665..0000000 --- a/node_modules/core-js/actual/typed-array/iterator.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../stable/typed-array/iterator'); - -module.exports = parent; diff --git a/node_modules/core-js/actual/typed-array/join.js b/node_modules/core-js/actual/typed-array/join.js deleted file mode 100644 index d18a936..0000000 --- a/node_modules/core-js/actual/typed-array/join.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../stable/typed-array/join'); - -module.exports = parent; diff --git a/node_modules/core-js/actual/typed-array/keys.js b/node_modules/core-js/actual/typed-array/keys.js deleted file mode 100644 index 4976bfe..0000000 --- a/node_modules/core-js/actual/typed-array/keys.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../stable/typed-array/keys'); - -module.exports = parent; diff --git a/node_modules/core-js/actual/typed-array/last-index-of.js b/node_modules/core-js/actual/typed-array/last-index-of.js deleted file mode 100644 index abfa69e..0000000 --- a/node_modules/core-js/actual/typed-array/last-index-of.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../stable/typed-array/last-index-of'); - -module.exports = parent; diff --git a/node_modules/core-js/actual/typed-array/map.js b/node_modules/core-js/actual/typed-array/map.js deleted file mode 100644 index 8b70aeb..0000000 --- a/node_modules/core-js/actual/typed-array/map.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../stable/typed-array/map'); - -module.exports = parent; diff --git a/node_modules/core-js/actual/typed-array/methods.js b/node_modules/core-js/actual/typed-array/methods.js deleted file mode 100644 index e87e817..0000000 --- a/node_modules/core-js/actual/typed-array/methods.js +++ /dev/null @@ -1,11 +0,0 @@ -'use strict'; -var parent = require('../../stable/typed-array/methods'); -// TODO: Remove from `core-js@4` -require('../../modules/esnext.typed-array.find-last'); -require('../../modules/esnext.typed-array.find-last-index'); -require('../../modules/esnext.typed-array.to-reversed'); -require('../../modules/esnext.typed-array.to-sorted'); -require('../../modules/esnext.typed-array.to-spliced'); -require('../../modules/esnext.typed-array.with'); - -module.exports = parent; diff --git a/node_modules/core-js/actual/typed-array/of.js b/node_modules/core-js/actual/typed-array/of.js deleted file mode 100644 index 720fad2..0000000 --- a/node_modules/core-js/actual/typed-array/of.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../stable/typed-array/of'); - -module.exports = parent; diff --git a/node_modules/core-js/actual/typed-array/reduce-right.js b/node_modules/core-js/actual/typed-array/reduce-right.js deleted file mode 100644 index 3b61cca..0000000 --- a/node_modules/core-js/actual/typed-array/reduce-right.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../stable/typed-array/reduce-right'); - -module.exports = parent; diff --git a/node_modules/core-js/actual/typed-array/reduce.js b/node_modules/core-js/actual/typed-array/reduce.js deleted file mode 100644 index fc0cce0..0000000 --- a/node_modules/core-js/actual/typed-array/reduce.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../stable/typed-array/reduce'); - -module.exports = parent; diff --git a/node_modules/core-js/actual/typed-array/reverse.js b/node_modules/core-js/actual/typed-array/reverse.js deleted file mode 100644 index ad56277..0000000 --- a/node_modules/core-js/actual/typed-array/reverse.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../stable/typed-array/reverse'); - -module.exports = parent; diff --git a/node_modules/core-js/actual/typed-array/set.js b/node_modules/core-js/actual/typed-array/set.js deleted file mode 100644 index 3ccf650..0000000 --- a/node_modules/core-js/actual/typed-array/set.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../stable/typed-array/set'); - -module.exports = parent; diff --git a/node_modules/core-js/actual/typed-array/slice.js b/node_modules/core-js/actual/typed-array/slice.js deleted file mode 100644 index 0a6cddb..0000000 --- a/node_modules/core-js/actual/typed-array/slice.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../stable/typed-array/slice'); - -module.exports = parent; diff --git a/node_modules/core-js/actual/typed-array/some.js b/node_modules/core-js/actual/typed-array/some.js deleted file mode 100644 index 6bd5b42..0000000 --- a/node_modules/core-js/actual/typed-array/some.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../stable/typed-array/some'); - -module.exports = parent; diff --git a/node_modules/core-js/actual/typed-array/sort.js b/node_modules/core-js/actual/typed-array/sort.js deleted file mode 100644 index 611064b..0000000 --- a/node_modules/core-js/actual/typed-array/sort.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../stable/typed-array/sort'); - -module.exports = parent; diff --git a/node_modules/core-js/actual/typed-array/subarray.js b/node_modules/core-js/actual/typed-array/subarray.js deleted file mode 100644 index 864d041..0000000 --- a/node_modules/core-js/actual/typed-array/subarray.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../stable/typed-array/subarray'); - -module.exports = parent; diff --git a/node_modules/core-js/actual/typed-array/to-locale-string.js b/node_modules/core-js/actual/typed-array/to-locale-string.js deleted file mode 100644 index a9b0e49..0000000 --- a/node_modules/core-js/actual/typed-array/to-locale-string.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../stable/typed-array/to-locale-string'); - -module.exports = parent; diff --git a/node_modules/core-js/actual/typed-array/to-reversed.js b/node_modules/core-js/actual/typed-array/to-reversed.js deleted file mode 100644 index 81a473b..0000000 --- a/node_modules/core-js/actual/typed-array/to-reversed.js +++ /dev/null @@ -1,6 +0,0 @@ -'use strict'; -var parent = require('../../stable/typed-array/to-reversed'); -// TODO: Remove from `core-js@4` -require('../../modules/esnext.typed-array.to-reversed'); - -module.exports = parent; diff --git a/node_modules/core-js/actual/typed-array/to-sorted.js b/node_modules/core-js/actual/typed-array/to-sorted.js deleted file mode 100644 index fd51ddf..0000000 --- a/node_modules/core-js/actual/typed-array/to-sorted.js +++ /dev/null @@ -1,6 +0,0 @@ -'use strict'; -var parent = require('../../stable/typed-array/to-sorted'); -// TODO: Remove from `core-js@4` -require('../../modules/esnext.typed-array.to-sorted'); - -module.exports = parent; diff --git a/node_modules/core-js/actual/typed-array/to-spliced.js b/node_modules/core-js/actual/typed-array/to-spliced.js deleted file mode 100644 index ab4bf35..0000000 --- a/node_modules/core-js/actual/typed-array/to-spliced.js +++ /dev/null @@ -1,3 +0,0 @@ -'use strict'; -// TODO: Remove from `core-js@4` -require('../../modules/esnext.typed-array.to-spliced'); diff --git a/node_modules/core-js/actual/typed-array/to-string.js b/node_modules/core-js/actual/typed-array/to-string.js deleted file mode 100644 index 3d30acb..0000000 --- a/node_modules/core-js/actual/typed-array/to-string.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../stable/typed-array/to-string'); - -module.exports = parent; diff --git a/node_modules/core-js/actual/typed-array/uint16-array.js b/node_modules/core-js/actual/typed-array/uint16-array.js deleted file mode 100644 index 7bf175f..0000000 --- a/node_modules/core-js/actual/typed-array/uint16-array.js +++ /dev/null @@ -1,5 +0,0 @@ -'use strict'; -var parent = require('../../stable/typed-array/uint16-array'); -require('../../actual/typed-array/methods'); - -module.exports = parent; diff --git a/node_modules/core-js/actual/typed-array/uint32-array.js b/node_modules/core-js/actual/typed-array/uint32-array.js deleted file mode 100644 index a4a9db8..0000000 --- a/node_modules/core-js/actual/typed-array/uint32-array.js +++ /dev/null @@ -1,5 +0,0 @@ -'use strict'; -var parent = require('../../stable/typed-array/uint32-array'); -require('../../actual/typed-array/methods'); - -module.exports = parent; diff --git a/node_modules/core-js/actual/typed-array/uint8-array.js b/node_modules/core-js/actual/typed-array/uint8-array.js deleted file mode 100644 index f34cc91..0000000 --- a/node_modules/core-js/actual/typed-array/uint8-array.js +++ /dev/null @@ -1,5 +0,0 @@ -'use strict'; -var parent = require('../../stable/typed-array/uint8-array'); -require('../../actual/typed-array/methods'); - -module.exports = parent; diff --git a/node_modules/core-js/actual/typed-array/uint8-clamped-array.js b/node_modules/core-js/actual/typed-array/uint8-clamped-array.js deleted file mode 100644 index 77f7950..0000000 --- a/node_modules/core-js/actual/typed-array/uint8-clamped-array.js +++ /dev/null @@ -1,5 +0,0 @@ -'use strict'; -var parent = require('../../stable/typed-array/uint8-clamped-array'); -require('../../actual/typed-array/methods'); - -module.exports = parent; diff --git a/node_modules/core-js/actual/typed-array/values.js b/node_modules/core-js/actual/typed-array/values.js deleted file mode 100644 index 36b171f..0000000 --- a/node_modules/core-js/actual/typed-array/values.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../stable/typed-array/values'); - -module.exports = parent; diff --git a/node_modules/core-js/actual/typed-array/with.js b/node_modules/core-js/actual/typed-array/with.js deleted file mode 100644 index 080d19d..0000000 --- a/node_modules/core-js/actual/typed-array/with.js +++ /dev/null @@ -1,6 +0,0 @@ -'use strict'; -var parent = require('../../stable/typed-array/with'); -// TODO: Remove from `core-js@4` -require('../../modules/esnext.typed-array.with'); - -module.exports = parent; diff --git a/node_modules/core-js/actual/unescape.js b/node_modules/core-js/actual/unescape.js deleted file mode 100644 index 6aadaa0..0000000 --- a/node_modules/core-js/actual/unescape.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../stable/unescape'); - -module.exports = parent; diff --git a/node_modules/core-js/actual/url-search-params/index.js b/node_modules/core-js/actual/url-search-params/index.js deleted file mode 100644 index 612b82e..0000000 --- a/node_modules/core-js/actual/url-search-params/index.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../stable/url-search-params'); - -module.exports = parent; diff --git a/node_modules/core-js/actual/url/can-parse.js b/node_modules/core-js/actual/url/can-parse.js deleted file mode 100644 index 356c417..0000000 --- a/node_modules/core-js/actual/url/can-parse.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../stable/url/can-parse'); - -module.exports = parent; diff --git a/node_modules/core-js/actual/url/index.js b/node_modules/core-js/actual/url/index.js deleted file mode 100644 index 59968cf..0000000 --- a/node_modules/core-js/actual/url/index.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../stable/url'); - -module.exports = parent; diff --git a/node_modules/core-js/actual/url/to-json.js b/node_modules/core-js/actual/url/to-json.js deleted file mode 100644 index 917718a..0000000 --- a/node_modules/core-js/actual/url/to-json.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../stable/url/to-json'); - -module.exports = parent; diff --git a/node_modules/core-js/actual/weak-map/index.js b/node_modules/core-js/actual/weak-map/index.js deleted file mode 100644 index 2216ded..0000000 --- a/node_modules/core-js/actual/weak-map/index.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../stable/weak-map'); - -module.exports = parent; diff --git a/node_modules/core-js/actual/weak-set/index.js b/node_modules/core-js/actual/weak-set/index.js deleted file mode 100644 index 926088a..0000000 --- a/node_modules/core-js/actual/weak-set/index.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../stable/weak-set'); - -module.exports = parent; diff --git a/node_modules/core-js/configurator.js b/node_modules/core-js/configurator.js deleted file mode 100644 index b8cac18..0000000 --- a/node_modules/core-js/configurator.js +++ /dev/null @@ -1,28 +0,0 @@ -'use strict'; -var hasOwn = require('./internals/has-own-property'); -var isArray = require('./internals/is-array'); -var isForced = require('./internals/is-forced'); -var shared = require('./internals/shared-store'); - -var data = isForced.data; -var normalize = isForced.normalize; -var USE_FUNCTION_CONSTRUCTOR = 'USE_FUNCTION_CONSTRUCTOR'; -var ASYNC_ITERATOR_PROTOTYPE = 'AsyncIteratorPrototype'; - -var setAggressivenessLevel = function (object, constant) { - if (isArray(object)) for (var i = 0; i < object.length; i++) data[normalize(object[i])] = constant; -}; - -module.exports = function (options) { - if (typeof options == 'object') { - setAggressivenessLevel(options.useNative, isForced.NATIVE); - setAggressivenessLevel(options.usePolyfill, isForced.POLYFILL); - setAggressivenessLevel(options.useFeatureDetection, null); - if (hasOwn(options, USE_FUNCTION_CONSTRUCTOR)) { - shared[USE_FUNCTION_CONSTRUCTOR] = !!options[USE_FUNCTION_CONSTRUCTOR]; - } - if (hasOwn(options, ASYNC_ITERATOR_PROTOTYPE)) { - shared[ASYNC_ITERATOR_PROTOTYPE] = options[ASYNC_ITERATOR_PROTOTYPE]; - } - } -}; diff --git a/node_modules/core-js/es/README.md b/node_modules/core-js/es/README.md deleted file mode 100644 index d497f29..0000000 --- a/node_modules/core-js/es/README.md +++ /dev/null @@ -1 +0,0 @@ -This folder contains entry points for [stable ECMAScript features](https://github.com/zloirock/core-js/#ecmascript) with dependencies. diff --git a/node_modules/core-js/es/aggregate-error.js b/node_modules/core-js/es/aggregate-error.js deleted file mode 100644 index 2a0c810..0000000 --- a/node_modules/core-js/es/aggregate-error.js +++ /dev/null @@ -1,9 +0,0 @@ -'use strict'; -require('../modules/es.error.cause'); -require('../modules/es.aggregate-error'); -require('../modules/es.aggregate-error.cause'); -require('../modules/es.array.iterator'); -require('../modules/es.string.iterator'); -var path = require('../internals/path'); - -module.exports = path.AggregateError; diff --git a/node_modules/core-js/es/array-buffer/constructor.js b/node_modules/core-js/es/array-buffer/constructor.js deleted file mode 100644 index 48fb273..0000000 --- a/node_modules/core-js/es/array-buffer/constructor.js +++ /dev/null @@ -1,7 +0,0 @@ -'use strict'; -require('../../modules/es.array-buffer.constructor'); -require('../../modules/es.array-buffer.slice'); -require('../../modules/es.object.to-string'); -var path = require('../../internals/path'); - -module.exports = path.ArrayBuffer; diff --git a/node_modules/core-js/es/array-buffer/index.js b/node_modules/core-js/es/array-buffer/index.js deleted file mode 100644 index 6681be9..0000000 --- a/node_modules/core-js/es/array-buffer/index.js +++ /dev/null @@ -1,8 +0,0 @@ -'use strict'; -require('../../modules/es.array-buffer.constructor'); -require('../../modules/es.array-buffer.is-view'); -require('../../modules/es.array-buffer.slice'); -require('../../modules/es.object.to-string'); -var path = require('../../internals/path'); - -module.exports = path.ArrayBuffer; diff --git a/node_modules/core-js/es/array-buffer/is-view.js b/node_modules/core-js/es/array-buffer/is-view.js deleted file mode 100644 index 7580dd0..0000000 --- a/node_modules/core-js/es/array-buffer/is-view.js +++ /dev/null @@ -1,5 +0,0 @@ -'use strict'; -require('../../modules/es.array-buffer.is-view'); -var path = require('../../internals/path'); - -module.exports = path.ArrayBuffer.isView; diff --git a/node_modules/core-js/es/array-buffer/slice.js b/node_modules/core-js/es/array-buffer/slice.js deleted file mode 100644 index df38220..0000000 --- a/node_modules/core-js/es/array-buffer/slice.js +++ /dev/null @@ -1,2 +0,0 @@ -'use strict'; -require('../../modules/es.array-buffer.slice'); diff --git a/node_modules/core-js/es/array/at.js b/node_modules/core-js/es/array/at.js deleted file mode 100644 index 045588c..0000000 --- a/node_modules/core-js/es/array/at.js +++ /dev/null @@ -1,5 +0,0 @@ -'use strict'; -require('../../modules/es.array.at'); -var entryUnbind = require('../../internals/entry-unbind'); - -module.exports = entryUnbind('Array', 'at'); diff --git a/node_modules/core-js/es/array/concat.js b/node_modules/core-js/es/array/concat.js deleted file mode 100644 index f9868cb..0000000 --- a/node_modules/core-js/es/array/concat.js +++ /dev/null @@ -1,5 +0,0 @@ -'use strict'; -require('../../modules/es.array.concat'); -var entryUnbind = require('../../internals/entry-unbind'); - -module.exports = entryUnbind('Array', 'concat'); diff --git a/node_modules/core-js/es/array/copy-within.js b/node_modules/core-js/es/array/copy-within.js deleted file mode 100644 index ec74929..0000000 --- a/node_modules/core-js/es/array/copy-within.js +++ /dev/null @@ -1,5 +0,0 @@ -'use strict'; -require('../../modules/es.array.copy-within'); -var entryUnbind = require('../../internals/entry-unbind'); - -module.exports = entryUnbind('Array', 'copyWithin'); diff --git a/node_modules/core-js/es/array/entries.js b/node_modules/core-js/es/array/entries.js deleted file mode 100644 index 191cea2..0000000 --- a/node_modules/core-js/es/array/entries.js +++ /dev/null @@ -1,6 +0,0 @@ -'use strict'; -require('../../modules/es.array.iterator'); -require('../../modules/es.object.to-string'); -var entryUnbind = require('../../internals/entry-unbind'); - -module.exports = entryUnbind('Array', 'entries'); diff --git a/node_modules/core-js/es/array/every.js b/node_modules/core-js/es/array/every.js deleted file mode 100644 index 02a5973..0000000 --- a/node_modules/core-js/es/array/every.js +++ /dev/null @@ -1,5 +0,0 @@ -'use strict'; -require('../../modules/es.array.every'); -var entryUnbind = require('../../internals/entry-unbind'); - -module.exports = entryUnbind('Array', 'every'); diff --git a/node_modules/core-js/es/array/fill.js b/node_modules/core-js/es/array/fill.js deleted file mode 100644 index 5510882..0000000 --- a/node_modules/core-js/es/array/fill.js +++ /dev/null @@ -1,5 +0,0 @@ -'use strict'; -require('../../modules/es.array.fill'); -var entryUnbind = require('../../internals/entry-unbind'); - -module.exports = entryUnbind('Array', 'fill'); diff --git a/node_modules/core-js/es/array/filter.js b/node_modules/core-js/es/array/filter.js deleted file mode 100644 index 22c6fb2..0000000 --- a/node_modules/core-js/es/array/filter.js +++ /dev/null @@ -1,5 +0,0 @@ -'use strict'; -require('../../modules/es.array.filter'); -var entryUnbind = require('../../internals/entry-unbind'); - -module.exports = entryUnbind('Array', 'filter'); diff --git a/node_modules/core-js/es/array/find-index.js b/node_modules/core-js/es/array/find-index.js deleted file mode 100644 index e4f753b..0000000 --- a/node_modules/core-js/es/array/find-index.js +++ /dev/null @@ -1,5 +0,0 @@ -'use strict'; -require('../../modules/es.array.find-index'); -var entryUnbind = require('../../internals/entry-unbind'); - -module.exports = entryUnbind('Array', 'findIndex'); diff --git a/node_modules/core-js/es/array/find-last-index.js b/node_modules/core-js/es/array/find-last-index.js deleted file mode 100644 index 8495550..0000000 --- a/node_modules/core-js/es/array/find-last-index.js +++ /dev/null @@ -1,5 +0,0 @@ -'use strict'; -require('../../modules/es.array.find-last-index'); -var entryUnbind = require('../../internals/entry-unbind'); - -module.exports = entryUnbind('Array', 'findLastIndex'); diff --git a/node_modules/core-js/es/array/find-last.js b/node_modules/core-js/es/array/find-last.js deleted file mode 100644 index ce0b9ae..0000000 --- a/node_modules/core-js/es/array/find-last.js +++ /dev/null @@ -1,5 +0,0 @@ -'use strict'; -require('../../modules/es.array.find-last'); -var entryUnbind = require('../../internals/entry-unbind'); - -module.exports = entryUnbind('Array', 'findLast'); diff --git a/node_modules/core-js/es/array/find.js b/node_modules/core-js/es/array/find.js deleted file mode 100644 index 18c71f7..0000000 --- a/node_modules/core-js/es/array/find.js +++ /dev/null @@ -1,5 +0,0 @@ -'use strict'; -require('../../modules/es.array.find'); -var entryUnbind = require('../../internals/entry-unbind'); - -module.exports = entryUnbind('Array', 'find'); diff --git a/node_modules/core-js/es/array/flat-map.js b/node_modules/core-js/es/array/flat-map.js deleted file mode 100644 index f64d5a4..0000000 --- a/node_modules/core-js/es/array/flat-map.js +++ /dev/null @@ -1,6 +0,0 @@ -'use strict'; -require('../../modules/es.array.flat-map'); -require('../../modules/es.array.unscopables.flat-map'); -var entryUnbind = require('../../internals/entry-unbind'); - -module.exports = entryUnbind('Array', 'flatMap'); diff --git a/node_modules/core-js/es/array/flat.js b/node_modules/core-js/es/array/flat.js deleted file mode 100644 index f5ee4cd..0000000 --- a/node_modules/core-js/es/array/flat.js +++ /dev/null @@ -1,6 +0,0 @@ -'use strict'; -require('../../modules/es.array.flat'); -require('../../modules/es.array.unscopables.flat'); -var entryUnbind = require('../../internals/entry-unbind'); - -module.exports = entryUnbind('Array', 'flat'); diff --git a/node_modules/core-js/es/array/for-each.js b/node_modules/core-js/es/array/for-each.js deleted file mode 100644 index e28bb51..0000000 --- a/node_modules/core-js/es/array/for-each.js +++ /dev/null @@ -1,5 +0,0 @@ -'use strict'; -require('../../modules/es.array.for-each'); -var entryUnbind = require('../../internals/entry-unbind'); - -module.exports = entryUnbind('Array', 'forEach'); diff --git a/node_modules/core-js/es/array/from.js b/node_modules/core-js/es/array/from.js deleted file mode 100644 index 9d7c5af..0000000 --- a/node_modules/core-js/es/array/from.js +++ /dev/null @@ -1,6 +0,0 @@ -'use strict'; -require('../../modules/es.string.iterator'); -require('../../modules/es.array.from'); -var path = require('../../internals/path'); - -module.exports = path.Array.from; diff --git a/node_modules/core-js/es/array/includes.js b/node_modules/core-js/es/array/includes.js deleted file mode 100644 index cb2ca43..0000000 --- a/node_modules/core-js/es/array/includes.js +++ /dev/null @@ -1,5 +0,0 @@ -'use strict'; -require('../../modules/es.array.includes'); -var entryUnbind = require('../../internals/entry-unbind'); - -module.exports = entryUnbind('Array', 'includes'); diff --git a/node_modules/core-js/es/array/index-of.js b/node_modules/core-js/es/array/index-of.js deleted file mode 100644 index f330bd4..0000000 --- a/node_modules/core-js/es/array/index-of.js +++ /dev/null @@ -1,5 +0,0 @@ -'use strict'; -require('../../modules/es.array.index-of'); -var entryUnbind = require('../../internals/entry-unbind'); - -module.exports = entryUnbind('Array', 'indexOf'); diff --git a/node_modules/core-js/es/array/index.js b/node_modules/core-js/es/array/index.js deleted file mode 100644 index abae289..0000000 --- a/node_modules/core-js/es/array/index.js +++ /dev/null @@ -1,44 +0,0 @@ -'use strict'; -require('../../modules/es.array.from'); -require('../../modules/es.array.is-array'); -require('../../modules/es.array.of'); -require('../../modules/es.array.at'); -require('../../modules/es.array.concat'); -require('../../modules/es.array.copy-within'); -require('../../modules/es.array.every'); -require('../../modules/es.array.fill'); -require('../../modules/es.array.filter'); -require('../../modules/es.array.find'); -require('../../modules/es.array.find-index'); -require('../../modules/es.array.find-last'); -require('../../modules/es.array.find-last-index'); -require('../../modules/es.array.flat'); -require('../../modules/es.array.flat-map'); -require('../../modules/es.array.for-each'); -require('../../modules/es.array.includes'); -require('../../modules/es.array.index-of'); -require('../../modules/es.array.iterator'); -require('../../modules/es.array.join'); -require('../../modules/es.array.last-index-of'); -require('../../modules/es.array.map'); -require('../../modules/es.array.push'); -require('../../modules/es.array.reduce'); -require('../../modules/es.array.reduce-right'); -require('../../modules/es.array.reverse'); -require('../../modules/es.array.slice'); -require('../../modules/es.array.some'); -require('../../modules/es.array.sort'); -require('../../modules/es.array.species'); -require('../../modules/es.array.splice'); -require('../../modules/es.array.to-reversed'); -require('../../modules/es.array.to-sorted'); -require('../../modules/es.array.to-spliced'); -require('../../modules/es.array.unscopables.flat'); -require('../../modules/es.array.unscopables.flat-map'); -require('../../modules/es.array.unshift'); -require('../../modules/es.array.with'); -require('../../modules/es.object.to-string'); -require('../../modules/es.string.iterator'); -var path = require('../../internals/path'); - -module.exports = path.Array; diff --git a/node_modules/core-js/es/array/is-array.js b/node_modules/core-js/es/array/is-array.js deleted file mode 100644 index 3db4bce..0000000 --- a/node_modules/core-js/es/array/is-array.js +++ /dev/null @@ -1,5 +0,0 @@ -'use strict'; -require('../../modules/es.array.is-array'); -var path = require('../../internals/path'); - -module.exports = path.Array.isArray; diff --git a/node_modules/core-js/es/array/iterator.js b/node_modules/core-js/es/array/iterator.js deleted file mode 100644 index 05f32e7..0000000 --- a/node_modules/core-js/es/array/iterator.js +++ /dev/null @@ -1,6 +0,0 @@ -'use strict'; -require('../../modules/es.array.iterator'); -require('../../modules/es.object.to-string'); -var entryUnbind = require('../../internals/entry-unbind'); - -module.exports = entryUnbind('Array', 'values'); diff --git a/node_modules/core-js/es/array/join.js b/node_modules/core-js/es/array/join.js deleted file mode 100644 index ae4ea90..0000000 --- a/node_modules/core-js/es/array/join.js +++ /dev/null @@ -1,5 +0,0 @@ -'use strict'; -require('../../modules/es.array.join'); -var entryUnbind = require('../../internals/entry-unbind'); - -module.exports = entryUnbind('Array', 'join'); diff --git a/node_modules/core-js/es/array/keys.js b/node_modules/core-js/es/array/keys.js deleted file mode 100644 index 0a49fd3..0000000 --- a/node_modules/core-js/es/array/keys.js +++ /dev/null @@ -1,6 +0,0 @@ -'use strict'; -require('../../modules/es.array.iterator'); -require('../../modules/es.object.to-string'); -var entryUnbind = require('../../internals/entry-unbind'); - -module.exports = entryUnbind('Array', 'keys'); diff --git a/node_modules/core-js/es/array/last-index-of.js b/node_modules/core-js/es/array/last-index-of.js deleted file mode 100644 index 52d9682..0000000 --- a/node_modules/core-js/es/array/last-index-of.js +++ /dev/null @@ -1,5 +0,0 @@ -'use strict'; -require('../../modules/es.array.last-index-of'); -var entryUnbind = require('../../internals/entry-unbind'); - -module.exports = entryUnbind('Array', 'lastIndexOf'); diff --git a/node_modules/core-js/es/array/map.js b/node_modules/core-js/es/array/map.js deleted file mode 100644 index 8de03a6..0000000 --- a/node_modules/core-js/es/array/map.js +++ /dev/null @@ -1,5 +0,0 @@ -'use strict'; -require('../../modules/es.array.map'); -var entryUnbind = require('../../internals/entry-unbind'); - -module.exports = entryUnbind('Array', 'map'); diff --git a/node_modules/core-js/es/array/of.js b/node_modules/core-js/es/array/of.js deleted file mode 100644 index dc88b02..0000000 --- a/node_modules/core-js/es/array/of.js +++ /dev/null @@ -1,5 +0,0 @@ -'use strict'; -require('../../modules/es.array.of'); -var path = require('../../internals/path'); - -module.exports = path.Array.of; diff --git a/node_modules/core-js/es/array/push.js b/node_modules/core-js/es/array/push.js deleted file mode 100644 index d3d2fed..0000000 --- a/node_modules/core-js/es/array/push.js +++ /dev/null @@ -1,5 +0,0 @@ -'use strict'; -require('../../modules/es.array.push'); -var entryUnbind = require('../../internals/entry-unbind'); - -module.exports = entryUnbind('Array', 'push'); diff --git a/node_modules/core-js/es/array/reduce-right.js b/node_modules/core-js/es/array/reduce-right.js deleted file mode 100644 index da1c0bc..0000000 --- a/node_modules/core-js/es/array/reduce-right.js +++ /dev/null @@ -1,5 +0,0 @@ -'use strict'; -require('../../modules/es.array.reduce-right'); -var entryUnbind = require('../../internals/entry-unbind'); - -module.exports = entryUnbind('Array', 'reduceRight'); diff --git a/node_modules/core-js/es/array/reduce.js b/node_modules/core-js/es/array/reduce.js deleted file mode 100644 index 4a2ab82..0000000 --- a/node_modules/core-js/es/array/reduce.js +++ /dev/null @@ -1,5 +0,0 @@ -'use strict'; -require('../../modules/es.array.reduce'); -var entryUnbind = require('../../internals/entry-unbind'); - -module.exports = entryUnbind('Array', 'reduce'); diff --git a/node_modules/core-js/es/array/reverse.js b/node_modules/core-js/es/array/reverse.js deleted file mode 100644 index d81b997..0000000 --- a/node_modules/core-js/es/array/reverse.js +++ /dev/null @@ -1,5 +0,0 @@ -'use strict'; -require('../../modules/es.array.reverse'); -var entryUnbind = require('../../internals/entry-unbind'); - -module.exports = entryUnbind('Array', 'reverse'); diff --git a/node_modules/core-js/es/array/slice.js b/node_modules/core-js/es/array/slice.js deleted file mode 100644 index 3a93806..0000000 --- a/node_modules/core-js/es/array/slice.js +++ /dev/null @@ -1,5 +0,0 @@ -'use strict'; -require('../../modules/es.array.slice'); -var entryUnbind = require('../../internals/entry-unbind'); - -module.exports = entryUnbind('Array', 'slice'); diff --git a/node_modules/core-js/es/array/some.js b/node_modules/core-js/es/array/some.js deleted file mode 100644 index 0c16abc..0000000 --- a/node_modules/core-js/es/array/some.js +++ /dev/null @@ -1,5 +0,0 @@ -'use strict'; -require('../../modules/es.array.some'); -var entryUnbind = require('../../internals/entry-unbind'); - -module.exports = entryUnbind('Array', 'some'); diff --git a/node_modules/core-js/es/array/sort.js b/node_modules/core-js/es/array/sort.js deleted file mode 100644 index a603b2c..0000000 --- a/node_modules/core-js/es/array/sort.js +++ /dev/null @@ -1,5 +0,0 @@ -'use strict'; -require('../../modules/es.array.sort'); -var entryUnbind = require('../../internals/entry-unbind'); - -module.exports = entryUnbind('Array', 'sort'); diff --git a/node_modules/core-js/es/array/splice.js b/node_modules/core-js/es/array/splice.js deleted file mode 100644 index 310381b..0000000 --- a/node_modules/core-js/es/array/splice.js +++ /dev/null @@ -1,5 +0,0 @@ -'use strict'; -require('../../modules/es.array.splice'); -var entryUnbind = require('../../internals/entry-unbind'); - -module.exports = entryUnbind('Array', 'splice'); diff --git a/node_modules/core-js/es/array/to-reversed.js b/node_modules/core-js/es/array/to-reversed.js deleted file mode 100644 index d05807e..0000000 --- a/node_modules/core-js/es/array/to-reversed.js +++ /dev/null @@ -1,5 +0,0 @@ -'use strict'; -require('../../modules/es.array.to-reversed'); -var entryUnbind = require('../../internals/entry-unbind'); - -module.exports = entryUnbind('Array', 'toReversed'); diff --git a/node_modules/core-js/es/array/to-sorted.js b/node_modules/core-js/es/array/to-sorted.js deleted file mode 100644 index acffea2..0000000 --- a/node_modules/core-js/es/array/to-sorted.js +++ /dev/null @@ -1,6 +0,0 @@ -'use strict'; -require('../../modules/es.array.sort'); -require('../../modules/es.array.to-sorted'); -var entryUnbind = require('../../internals/entry-unbind'); - -module.exports = entryUnbind('Array', 'toSorted'); diff --git a/node_modules/core-js/es/array/to-spliced.js b/node_modules/core-js/es/array/to-spliced.js deleted file mode 100644 index f0a9993..0000000 --- a/node_modules/core-js/es/array/to-spliced.js +++ /dev/null @@ -1,5 +0,0 @@ -'use strict'; -require('../../modules/es.array.to-spliced'); -var entryUnbind = require('../../internals/entry-unbind'); - -module.exports = entryUnbind('Array', 'toSpliced'); diff --git a/node_modules/core-js/es/array/unshift.js b/node_modules/core-js/es/array/unshift.js deleted file mode 100644 index 63e33a8..0000000 --- a/node_modules/core-js/es/array/unshift.js +++ /dev/null @@ -1,5 +0,0 @@ -'use strict'; -require('../../modules/es.array.unshift'); -var entryUnbind = require('../../internals/entry-unbind'); - -module.exports = entryUnbind('Array', 'unshift'); diff --git a/node_modules/core-js/es/array/values.js b/node_modules/core-js/es/array/values.js deleted file mode 100644 index 05f32e7..0000000 --- a/node_modules/core-js/es/array/values.js +++ /dev/null @@ -1,6 +0,0 @@ -'use strict'; -require('../../modules/es.array.iterator'); -require('../../modules/es.object.to-string'); -var entryUnbind = require('../../internals/entry-unbind'); - -module.exports = entryUnbind('Array', 'values'); diff --git a/node_modules/core-js/es/array/virtual/at.js b/node_modules/core-js/es/array/virtual/at.js deleted file mode 100644 index 20d5030..0000000 --- a/node_modules/core-js/es/array/virtual/at.js +++ /dev/null @@ -1,5 +0,0 @@ -'use strict'; -require('../../../modules/es.array.at'); -var getBuiltInPrototypeMethod = require('../../../internals/get-built-in-prototype-method'); - -module.exports = getBuiltInPrototypeMethod('Array', 'at'); diff --git a/node_modules/core-js/es/array/virtual/concat.js b/node_modules/core-js/es/array/virtual/concat.js deleted file mode 100644 index 17763b4..0000000 --- a/node_modules/core-js/es/array/virtual/concat.js +++ /dev/null @@ -1,5 +0,0 @@ -'use strict'; -require('../../../modules/es.array.concat'); -var getBuiltInPrototypeMethod = require('../../../internals/get-built-in-prototype-method'); - -module.exports = getBuiltInPrototypeMethod('Array', 'concat'); diff --git a/node_modules/core-js/es/array/virtual/copy-within.js b/node_modules/core-js/es/array/virtual/copy-within.js deleted file mode 100644 index 1540c35..0000000 --- a/node_modules/core-js/es/array/virtual/copy-within.js +++ /dev/null @@ -1,5 +0,0 @@ -'use strict'; -require('../../../modules/es.array.copy-within'); -var getBuiltInPrototypeMethod = require('../../../internals/get-built-in-prototype-method'); - -module.exports = getBuiltInPrototypeMethod('Array', 'copyWithin'); diff --git a/node_modules/core-js/es/array/virtual/entries.js b/node_modules/core-js/es/array/virtual/entries.js deleted file mode 100644 index c38f703..0000000 --- a/node_modules/core-js/es/array/virtual/entries.js +++ /dev/null @@ -1,6 +0,0 @@ -'use strict'; -require('../../../modules/es.array.iterator'); -require('../../../modules/es.object.to-string'); -var getBuiltInPrototypeMethod = require('../../../internals/get-built-in-prototype-method'); - -module.exports = getBuiltInPrototypeMethod('Array', 'entries'); diff --git a/node_modules/core-js/es/array/virtual/every.js b/node_modules/core-js/es/array/virtual/every.js deleted file mode 100644 index d362028..0000000 --- a/node_modules/core-js/es/array/virtual/every.js +++ /dev/null @@ -1,5 +0,0 @@ -'use strict'; -require('../../../modules/es.array.every'); -var getBuiltInPrototypeMethod = require('../../../internals/get-built-in-prototype-method'); - -module.exports = getBuiltInPrototypeMethod('Array', 'every'); diff --git a/node_modules/core-js/es/array/virtual/fill.js b/node_modules/core-js/es/array/virtual/fill.js deleted file mode 100644 index 0799890..0000000 --- a/node_modules/core-js/es/array/virtual/fill.js +++ /dev/null @@ -1,5 +0,0 @@ -'use strict'; -require('../../../modules/es.array.fill'); -var getBuiltInPrototypeMethod = require('../../../internals/get-built-in-prototype-method'); - -module.exports = getBuiltInPrototypeMethod('Array', 'fill'); diff --git a/node_modules/core-js/es/array/virtual/filter.js b/node_modules/core-js/es/array/virtual/filter.js deleted file mode 100644 index e30806a..0000000 --- a/node_modules/core-js/es/array/virtual/filter.js +++ /dev/null @@ -1,5 +0,0 @@ -'use strict'; -require('../../../modules/es.array.filter'); -var getBuiltInPrototypeMethod = require('../../../internals/get-built-in-prototype-method'); - -module.exports = getBuiltInPrototypeMethod('Array', 'filter'); diff --git a/node_modules/core-js/es/array/virtual/find-index.js b/node_modules/core-js/es/array/virtual/find-index.js deleted file mode 100644 index 797c3a8..0000000 --- a/node_modules/core-js/es/array/virtual/find-index.js +++ /dev/null @@ -1,5 +0,0 @@ -'use strict'; -require('../../../modules/es.array.find-index'); -var getBuiltInPrototypeMethod = require('../../../internals/get-built-in-prototype-method'); - -module.exports = getBuiltInPrototypeMethod('Array', 'findIndex'); diff --git a/node_modules/core-js/es/array/virtual/find-last-index.js b/node_modules/core-js/es/array/virtual/find-last-index.js deleted file mode 100644 index b0a1cc7..0000000 --- a/node_modules/core-js/es/array/virtual/find-last-index.js +++ /dev/null @@ -1,5 +0,0 @@ -'use strict'; -require('../../../modules/es.array.find-last-index'); -var getBuiltInPrototypeMethod = require('../../../internals/get-built-in-prototype-method'); - -module.exports = getBuiltInPrototypeMethod('Array', 'findLastIndex'); diff --git a/node_modules/core-js/es/array/virtual/find-last.js b/node_modules/core-js/es/array/virtual/find-last.js deleted file mode 100644 index 7c55df6..0000000 --- a/node_modules/core-js/es/array/virtual/find-last.js +++ /dev/null @@ -1,5 +0,0 @@ -'use strict'; -require('../../../modules/es.array.find-last'); -var getBuiltInPrototypeMethod = require('../../../internals/get-built-in-prototype-method'); - -module.exports = getBuiltInPrototypeMethod('Array', 'findLast'); diff --git a/node_modules/core-js/es/array/virtual/find.js b/node_modules/core-js/es/array/virtual/find.js deleted file mode 100644 index 9b91c0a..0000000 --- a/node_modules/core-js/es/array/virtual/find.js +++ /dev/null @@ -1,5 +0,0 @@ -'use strict'; -require('../../../modules/es.array.find'); -var getBuiltInPrototypeMethod = require('../../../internals/get-built-in-prototype-method'); - -module.exports = getBuiltInPrototypeMethod('Array', 'find'); diff --git a/node_modules/core-js/es/array/virtual/flat-map.js b/node_modules/core-js/es/array/virtual/flat-map.js deleted file mode 100644 index 505a05a..0000000 --- a/node_modules/core-js/es/array/virtual/flat-map.js +++ /dev/null @@ -1,6 +0,0 @@ -'use strict'; -require('../../../modules/es.array.flat-map'); -require('../../../modules/es.array.unscopables.flat-map'); -var getBuiltInPrototypeMethod = require('../../../internals/get-built-in-prototype-method'); - -module.exports = getBuiltInPrototypeMethod('Array', 'flatMap'); diff --git a/node_modules/core-js/es/array/virtual/flat.js b/node_modules/core-js/es/array/virtual/flat.js deleted file mode 100644 index 8e327b6..0000000 --- a/node_modules/core-js/es/array/virtual/flat.js +++ /dev/null @@ -1,6 +0,0 @@ -'use strict'; -require('../../../modules/es.array.flat'); -require('../../../modules/es.array.unscopables.flat'); -var getBuiltInPrototypeMethod = require('../../../internals/get-built-in-prototype-method'); - -module.exports = getBuiltInPrototypeMethod('Array', 'flat'); diff --git a/node_modules/core-js/es/array/virtual/for-each.js b/node_modules/core-js/es/array/virtual/for-each.js deleted file mode 100644 index adb777b..0000000 --- a/node_modules/core-js/es/array/virtual/for-each.js +++ /dev/null @@ -1,5 +0,0 @@ -'use strict'; -require('../../../modules/es.array.for-each'); -var getBuiltInPrototypeMethod = require('../../../internals/get-built-in-prototype-method'); - -module.exports = getBuiltInPrototypeMethod('Array', 'forEach'); diff --git a/node_modules/core-js/es/array/virtual/includes.js b/node_modules/core-js/es/array/virtual/includes.js deleted file mode 100644 index f4ec86f..0000000 --- a/node_modules/core-js/es/array/virtual/includes.js +++ /dev/null @@ -1,5 +0,0 @@ -'use strict'; -require('../../../modules/es.array.includes'); -var getBuiltInPrototypeMethod = require('../../../internals/get-built-in-prototype-method'); - -module.exports = getBuiltInPrototypeMethod('Array', 'includes'); diff --git a/node_modules/core-js/es/array/virtual/index-of.js b/node_modules/core-js/es/array/virtual/index-of.js deleted file mode 100644 index f30a3f2..0000000 --- a/node_modules/core-js/es/array/virtual/index-of.js +++ /dev/null @@ -1,5 +0,0 @@ -'use strict'; -require('../../../modules/es.array.index-of'); -var getBuiltInPrototypeMethod = require('../../../internals/get-built-in-prototype-method'); - -module.exports = getBuiltInPrototypeMethod('Array', 'indexOf'); diff --git a/node_modules/core-js/es/array/virtual/index.js b/node_modules/core-js/es/array/virtual/index.js deleted file mode 100644 index 03a8182..0000000 --- a/node_modules/core-js/es/array/virtual/index.js +++ /dev/null @@ -1,40 +0,0 @@ -'use strict'; -require('../../../modules/es.array.at'); -require('../../../modules/es.array.concat'); -require('../../../modules/es.array.copy-within'); -require('../../../modules/es.array.every'); -require('../../../modules/es.array.fill'); -require('../../../modules/es.array.filter'); -require('../../../modules/es.array.find'); -require('../../../modules/es.array.find-index'); -require('../../../modules/es.array.find-last'); -require('../../../modules/es.array.find-last-index'); -require('../../../modules/es.array.flat'); -require('../../../modules/es.array.flat-map'); -require('../../../modules/es.array.for-each'); -require('../../../modules/es.array.includes'); -require('../../../modules/es.array.index-of'); -require('../../../modules/es.array.iterator'); -require('../../../modules/es.array.join'); -require('../../../modules/es.array.last-index-of'); -require('../../../modules/es.array.map'); -require('../../../modules/es.array.push'); -require('../../../modules/es.array.reduce'); -require('../../../modules/es.array.reduce-right'); -require('../../../modules/es.array.reverse'); -require('../../../modules/es.array.slice'); -require('../../../modules/es.array.some'); -require('../../../modules/es.array.sort'); -require('../../../modules/es.array.species'); -require('../../../modules/es.array.splice'); -require('../../../modules/es.array.to-reversed'); -require('../../../modules/es.array.to-sorted'); -require('../../../modules/es.array.to-spliced'); -require('../../../modules/es.array.unscopables.flat'); -require('../../../modules/es.array.unscopables.flat-map'); -require('../../../modules/es.array.unshift'); -require('../../../modules/es.array.with'); -require('../../../modules/es.object.to-string'); -var entryVirtual = require('../../../internals/entry-virtual'); - -module.exports = entryVirtual('Array'); diff --git a/node_modules/core-js/es/array/virtual/iterator.js b/node_modules/core-js/es/array/virtual/iterator.js deleted file mode 100644 index 5a8b3d4..0000000 --- a/node_modules/core-js/es/array/virtual/iterator.js +++ /dev/null @@ -1,6 +0,0 @@ -'use strict'; -require('../../../modules/es.array.iterator'); -require('../../../modules/es.object.to-string'); -var getBuiltInPrototypeMethod = require('../../../internals/get-built-in-prototype-method'); - -module.exports = getBuiltInPrototypeMethod('Array', 'values'); diff --git a/node_modules/core-js/es/array/virtual/join.js b/node_modules/core-js/es/array/virtual/join.js deleted file mode 100644 index a60ddd8..0000000 --- a/node_modules/core-js/es/array/virtual/join.js +++ /dev/null @@ -1,5 +0,0 @@ -'use strict'; -require('../../../modules/es.array.join'); -var getBuiltInPrototypeMethod = require('../../../internals/get-built-in-prototype-method'); - -module.exports = getBuiltInPrototypeMethod('Array', 'join'); diff --git a/node_modules/core-js/es/array/virtual/keys.js b/node_modules/core-js/es/array/virtual/keys.js deleted file mode 100644 index f4f40de..0000000 --- a/node_modules/core-js/es/array/virtual/keys.js +++ /dev/null @@ -1,6 +0,0 @@ -'use strict'; -require('../../../modules/es.array.iterator'); -require('../../../modules/es.object.to-string'); -var getBuiltInPrototypeMethod = require('../../../internals/get-built-in-prototype-method'); - -module.exports = getBuiltInPrototypeMethod('Array', 'keys'); diff --git a/node_modules/core-js/es/array/virtual/last-index-of.js b/node_modules/core-js/es/array/virtual/last-index-of.js deleted file mode 100644 index 3bbe2ec..0000000 --- a/node_modules/core-js/es/array/virtual/last-index-of.js +++ /dev/null @@ -1,5 +0,0 @@ -'use strict'; -require('../../../modules/es.array.last-index-of'); -var getBuiltInPrototypeMethod = require('../../../internals/get-built-in-prototype-method'); - -module.exports = getBuiltInPrototypeMethod('Array', 'lastIndexOf'); diff --git a/node_modules/core-js/es/array/virtual/map.js b/node_modules/core-js/es/array/virtual/map.js deleted file mode 100644 index 4596b98..0000000 --- a/node_modules/core-js/es/array/virtual/map.js +++ /dev/null @@ -1,5 +0,0 @@ -'use strict'; -require('../../../modules/es.array.map'); -var getBuiltInPrototypeMethod = require('../../../internals/get-built-in-prototype-method'); - -module.exports = getBuiltInPrototypeMethod('Array', 'map'); diff --git a/node_modules/core-js/es/array/virtual/push.js b/node_modules/core-js/es/array/virtual/push.js deleted file mode 100644 index f28af7d..0000000 --- a/node_modules/core-js/es/array/virtual/push.js +++ /dev/null @@ -1,5 +0,0 @@ -'use strict'; -require('../../../modules/es.array.push'); -var getBuiltInPrototypeMethod = require('../../../internals/get-built-in-prototype-method'); - -module.exports = getBuiltInPrototypeMethod('Array', 'push'); diff --git a/node_modules/core-js/es/array/virtual/reduce-right.js b/node_modules/core-js/es/array/virtual/reduce-right.js deleted file mode 100644 index 2560648..0000000 --- a/node_modules/core-js/es/array/virtual/reduce-right.js +++ /dev/null @@ -1,5 +0,0 @@ -'use strict'; -require('../../../modules/es.array.reduce-right'); -var getBuiltInPrototypeMethod = require('../../../internals/get-built-in-prototype-method'); - -module.exports = getBuiltInPrototypeMethod('Array', 'reduceRight'); diff --git a/node_modules/core-js/es/array/virtual/reduce.js b/node_modules/core-js/es/array/virtual/reduce.js deleted file mode 100644 index 7d89021..0000000 --- a/node_modules/core-js/es/array/virtual/reduce.js +++ /dev/null @@ -1,5 +0,0 @@ -'use strict'; -require('../../../modules/es.array.reduce'); -var getBuiltInPrototypeMethod = require('../../../internals/get-built-in-prototype-method'); - -module.exports = getBuiltInPrototypeMethod('Array', 'reduce'); diff --git a/node_modules/core-js/es/array/virtual/reverse.js b/node_modules/core-js/es/array/virtual/reverse.js deleted file mode 100644 index c747650..0000000 --- a/node_modules/core-js/es/array/virtual/reverse.js +++ /dev/null @@ -1,5 +0,0 @@ -'use strict'; -require('../../../modules/es.array.reverse'); -var getBuiltInPrototypeMethod = require('../../../internals/get-built-in-prototype-method'); - -module.exports = getBuiltInPrototypeMethod('Array', 'reverse'); diff --git a/node_modules/core-js/es/array/virtual/slice.js b/node_modules/core-js/es/array/virtual/slice.js deleted file mode 100644 index 8650e1d..0000000 --- a/node_modules/core-js/es/array/virtual/slice.js +++ /dev/null @@ -1,5 +0,0 @@ -'use strict'; -require('../../../modules/es.array.slice'); -var getBuiltInPrototypeMethod = require('../../../internals/get-built-in-prototype-method'); - -module.exports = getBuiltInPrototypeMethod('Array', 'slice'); diff --git a/node_modules/core-js/es/array/virtual/some.js b/node_modules/core-js/es/array/virtual/some.js deleted file mode 100644 index e8d3327..0000000 --- a/node_modules/core-js/es/array/virtual/some.js +++ /dev/null @@ -1,5 +0,0 @@ -'use strict'; -require('../../../modules/es.array.some'); -var getBuiltInPrototypeMethod = require('../../../internals/get-built-in-prototype-method'); - -module.exports = getBuiltInPrototypeMethod('Array', 'some'); diff --git a/node_modules/core-js/es/array/virtual/sort.js b/node_modules/core-js/es/array/virtual/sort.js deleted file mode 100644 index c09054c..0000000 --- a/node_modules/core-js/es/array/virtual/sort.js +++ /dev/null @@ -1,5 +0,0 @@ -'use strict'; -require('../../../modules/es.array.sort'); -var getBuiltInPrototypeMethod = require('../../../internals/get-built-in-prototype-method'); - -module.exports = getBuiltInPrototypeMethod('Array', 'sort'); diff --git a/node_modules/core-js/es/array/virtual/splice.js b/node_modules/core-js/es/array/virtual/splice.js deleted file mode 100644 index 60e2f3a..0000000 --- a/node_modules/core-js/es/array/virtual/splice.js +++ /dev/null @@ -1,5 +0,0 @@ -'use strict'; -require('../../../modules/es.array.splice'); -var getBuiltInPrototypeMethod = require('../../../internals/get-built-in-prototype-method'); - -module.exports = getBuiltInPrototypeMethod('Array', 'splice'); diff --git a/node_modules/core-js/es/array/virtual/to-reversed.js b/node_modules/core-js/es/array/virtual/to-reversed.js deleted file mode 100644 index fd98212..0000000 --- a/node_modules/core-js/es/array/virtual/to-reversed.js +++ /dev/null @@ -1,5 +0,0 @@ -'use strict'; -require('../../../modules/es.array.to-reversed'); -var getBuiltInPrototypeMethod = require('../../../internals/get-built-in-prototype-method'); - -module.exports = getBuiltInPrototypeMethod('Array', 'toReversed'); diff --git a/node_modules/core-js/es/array/virtual/to-sorted.js b/node_modules/core-js/es/array/virtual/to-sorted.js deleted file mode 100644 index 5cb7fa2..0000000 --- a/node_modules/core-js/es/array/virtual/to-sorted.js +++ /dev/null @@ -1,6 +0,0 @@ -'use strict'; -require('../../../modules/es.array.sort'); -require('../../../modules/es.array.to-sorted'); -var getBuiltInPrototypeMethod = require('../../../internals/get-built-in-prototype-method'); - -module.exports = getBuiltInPrototypeMethod('Array', 'toSorted'); diff --git a/node_modules/core-js/es/array/virtual/to-spliced.js b/node_modules/core-js/es/array/virtual/to-spliced.js deleted file mode 100644 index 0ab0baf..0000000 --- a/node_modules/core-js/es/array/virtual/to-spliced.js +++ /dev/null @@ -1,5 +0,0 @@ -'use strict'; -require('../../../modules/es.array.to-spliced'); -var getBuiltInPrototypeMethod = require('../../../internals/get-built-in-prototype-method'); - -module.exports = getBuiltInPrototypeMethod('Array', 'toSpliced'); diff --git a/node_modules/core-js/es/array/virtual/unshift.js b/node_modules/core-js/es/array/virtual/unshift.js deleted file mode 100644 index 8f1038d..0000000 --- a/node_modules/core-js/es/array/virtual/unshift.js +++ /dev/null @@ -1,5 +0,0 @@ -'use strict'; -require('../../../modules/es.array.unshift'); -var getBuiltInPrototypeMethod = require('../../../internals/get-built-in-prototype-method'); - -module.exports = getBuiltInPrototypeMethod('Array', 'unshift'); diff --git a/node_modules/core-js/es/array/virtual/values.js b/node_modules/core-js/es/array/virtual/values.js deleted file mode 100644 index 5a8b3d4..0000000 --- a/node_modules/core-js/es/array/virtual/values.js +++ /dev/null @@ -1,6 +0,0 @@ -'use strict'; -require('../../../modules/es.array.iterator'); -require('../../../modules/es.object.to-string'); -var getBuiltInPrototypeMethod = require('../../../internals/get-built-in-prototype-method'); - -module.exports = getBuiltInPrototypeMethod('Array', 'values'); diff --git a/node_modules/core-js/es/array/virtual/with.js b/node_modules/core-js/es/array/virtual/with.js deleted file mode 100644 index c5da88a..0000000 --- a/node_modules/core-js/es/array/virtual/with.js +++ /dev/null @@ -1,5 +0,0 @@ -'use strict'; -require('../../../modules/es.array.with'); -var getBuiltInPrototypeMethod = require('../../../internals/get-built-in-prototype-method'); - -module.exports = getBuiltInPrototypeMethod('Array', 'with'); diff --git a/node_modules/core-js/es/array/with.js b/node_modules/core-js/es/array/with.js deleted file mode 100644 index ed0527e..0000000 --- a/node_modules/core-js/es/array/with.js +++ /dev/null @@ -1,5 +0,0 @@ -'use strict'; -require('../../modules/es.array.with'); -var entryUnbind = require('../../internals/entry-unbind'); - -module.exports = entryUnbind('Array', 'with'); diff --git a/node_modules/core-js/es/data-view/index.js b/node_modules/core-js/es/data-view/index.js deleted file mode 100644 index 6eeb107..0000000 --- a/node_modules/core-js/es/data-view/index.js +++ /dev/null @@ -1,8 +0,0 @@ -'use strict'; -require('../../modules/es.array-buffer.constructor'); -require('../../modules/es.array-buffer.slice'); -require('../../modules/es.data-view'); -require('../../modules/es.object.to-string'); -var path = require('../../internals/path'); - -module.exports = path.DataView; diff --git a/node_modules/core-js/es/date/get-year.js b/node_modules/core-js/es/date/get-year.js deleted file mode 100644 index 8364fa1..0000000 --- a/node_modules/core-js/es/date/get-year.js +++ /dev/null @@ -1,5 +0,0 @@ -'use strict'; -require('../../modules/es.date.get-year'); -var entryUnbind = require('../../internals/entry-unbind'); - -module.exports = entryUnbind('Date', 'getYear'); diff --git a/node_modules/core-js/es/date/index.js b/node_modules/core-js/es/date/index.js deleted file mode 100644 index ec1d224..0000000 --- a/node_modules/core-js/es/date/index.js +++ /dev/null @@ -1,12 +0,0 @@ -'use strict'; -require('../../modules/es.date.get-year'); -require('../../modules/es.date.now'); -require('../../modules/es.date.set-year'); -require('../../modules/es.date.to-gmt-string'); -require('../../modules/es.date.to-iso-string'); -require('../../modules/es.date.to-json'); -require('../../modules/es.date.to-string'); -require('../../modules/es.date.to-primitive'); -var path = require('../../internals/path'); - -module.exports = path.Date; diff --git a/node_modules/core-js/es/date/now.js b/node_modules/core-js/es/date/now.js deleted file mode 100644 index 0e395ae..0000000 --- a/node_modules/core-js/es/date/now.js +++ /dev/null @@ -1,5 +0,0 @@ -'use strict'; -require('../../modules/es.date.now'); -var path = require('../../internals/path'); - -module.exports = path.Date.now; diff --git a/node_modules/core-js/es/date/set-year.js b/node_modules/core-js/es/date/set-year.js deleted file mode 100644 index b12aa4e..0000000 --- a/node_modules/core-js/es/date/set-year.js +++ /dev/null @@ -1,5 +0,0 @@ -'use strict'; -require('../../modules/es.date.set-year'); -var entryUnbind = require('../../internals/entry-unbind'); - -module.exports = entryUnbind('Date', 'setYear'); diff --git a/node_modules/core-js/es/date/to-gmt-string.js b/node_modules/core-js/es/date/to-gmt-string.js deleted file mode 100644 index eb5fe4b..0000000 --- a/node_modules/core-js/es/date/to-gmt-string.js +++ /dev/null @@ -1,5 +0,0 @@ -'use strict'; -require('../../modules/es.date.to-gmt-string'); -var entryUnbind = require('../../internals/entry-unbind'); - -module.exports = entryUnbind('Date', 'toGMTString'); diff --git a/node_modules/core-js/es/date/to-iso-string.js b/node_modules/core-js/es/date/to-iso-string.js deleted file mode 100644 index 1099ff1..0000000 --- a/node_modules/core-js/es/date/to-iso-string.js +++ /dev/null @@ -1,6 +0,0 @@ -'use strict'; -require('../../modules/es.date.to-iso-string'); -require('../../modules/es.date.to-json'); -var entryUnbind = require('../../internals/entry-unbind'); - -module.exports = entryUnbind('Date', 'toISOString'); diff --git a/node_modules/core-js/es/date/to-json.js b/node_modules/core-js/es/date/to-json.js deleted file mode 100644 index 891ee53..0000000 --- a/node_modules/core-js/es/date/to-json.js +++ /dev/null @@ -1,5 +0,0 @@ -'use strict'; -require('../../modules/es.date.to-json'); -var entryUnbind = require('../../internals/entry-unbind'); - -module.exports = entryUnbind('Date', 'toJSON'); diff --git a/node_modules/core-js/es/date/to-primitive.js b/node_modules/core-js/es/date/to-primitive.js deleted file mode 100644 index bccade6..0000000 --- a/node_modules/core-js/es/date/to-primitive.js +++ /dev/null @@ -1,6 +0,0 @@ -'use strict'; -require('../../modules/es.date.to-primitive'); -var uncurryThis = require('../../internals/function-uncurry-this'); -var toPrimitive = require('../../internals/date-to-primitive'); - -module.exports = uncurryThis(toPrimitive); diff --git a/node_modules/core-js/es/date/to-string.js b/node_modules/core-js/es/date/to-string.js deleted file mode 100644 index 4dc3ee2..0000000 --- a/node_modules/core-js/es/date/to-string.js +++ /dev/null @@ -1,5 +0,0 @@ -'use strict'; -require('../../modules/es.date.to-string'); -var uncurryThis = require('../../internals/function-uncurry-this'); - -module.exports = uncurryThis(Date.prototype.toString); diff --git a/node_modules/core-js/es/error/constructor.js b/node_modules/core-js/es/error/constructor.js deleted file mode 100644 index a14c352..0000000 --- a/node_modules/core-js/es/error/constructor.js +++ /dev/null @@ -1,5 +0,0 @@ -'use strict'; -require('../../modules/es.error.cause'); -var path = require('../../internals/path'); - -module.exports = path; diff --git a/node_modules/core-js/es/error/index.js b/node_modules/core-js/es/error/index.js deleted file mode 100644 index 10f873f..0000000 --- a/node_modules/core-js/es/error/index.js +++ /dev/null @@ -1,6 +0,0 @@ -'use strict'; -require('../../modules/es.error.cause'); -require('../../modules/es.error.to-string'); -var path = require('../../internals/path'); - -module.exports = path; diff --git a/node_modules/core-js/es/error/to-string.js b/node_modules/core-js/es/error/to-string.js deleted file mode 100644 index fe82bf2..0000000 --- a/node_modules/core-js/es/error/to-string.js +++ /dev/null @@ -1,5 +0,0 @@ -'use strict'; -require('../../modules/es.error.to-string'); -var toString = require('../../internals/error-to-string'); - -module.exports = toString; diff --git a/node_modules/core-js/es/escape.js b/node_modules/core-js/es/escape.js deleted file mode 100644 index 71775b5..0000000 --- a/node_modules/core-js/es/escape.js +++ /dev/null @@ -1,5 +0,0 @@ -'use strict'; -require('../modules/es.escape'); -var path = require('../internals/path'); - -module.exports = path.escape; diff --git a/node_modules/core-js/es/function/bind.js b/node_modules/core-js/es/function/bind.js deleted file mode 100644 index 4b35a80..0000000 --- a/node_modules/core-js/es/function/bind.js +++ /dev/null @@ -1,5 +0,0 @@ -'use strict'; -require('../../modules/es.function.bind'); -var entryUnbind = require('../../internals/entry-unbind'); - -module.exports = entryUnbind('Function', 'bind'); diff --git a/node_modules/core-js/es/function/has-instance.js b/node_modules/core-js/es/function/has-instance.js deleted file mode 100644 index d50062d..0000000 --- a/node_modules/core-js/es/function/has-instance.js +++ /dev/null @@ -1,5 +0,0 @@ -'use strict'; -require('../../modules/es.function.has-instance'); -var wellKnownSymbol = require('../../internals/well-known-symbol'); - -module.exports = Function[wellKnownSymbol('hasInstance')]; diff --git a/node_modules/core-js/es/function/index.js b/node_modules/core-js/es/function/index.js deleted file mode 100644 index c58835f..0000000 --- a/node_modules/core-js/es/function/index.js +++ /dev/null @@ -1,7 +0,0 @@ -'use strict'; -require('../../modules/es.function.bind'); -require('../../modules/es.function.name'); -require('../../modules/es.function.has-instance'); -var path = require('../../internals/path'); - -module.exports = path.Function; diff --git a/node_modules/core-js/es/function/name.js b/node_modules/core-js/es/function/name.js deleted file mode 100644 index 588269a..0000000 --- a/node_modules/core-js/es/function/name.js +++ /dev/null @@ -1,2 +0,0 @@ -'use strict'; -require('../../modules/es.function.name'); diff --git a/node_modules/core-js/es/function/virtual/bind.js b/node_modules/core-js/es/function/virtual/bind.js deleted file mode 100644 index 46bf502..0000000 --- a/node_modules/core-js/es/function/virtual/bind.js +++ /dev/null @@ -1,5 +0,0 @@ -'use strict'; -require('../../../modules/es.function.bind'); -var getBuiltInPrototypeMethod = require('../../../internals/get-built-in-prototype-method'); - -module.exports = getBuiltInPrototypeMethod('Function', 'bind'); diff --git a/node_modules/core-js/es/function/virtual/index.js b/node_modules/core-js/es/function/virtual/index.js deleted file mode 100644 index ccda880..0000000 --- a/node_modules/core-js/es/function/virtual/index.js +++ /dev/null @@ -1,5 +0,0 @@ -'use strict'; -require('../../../modules/es.function.bind'); -var entryVirtual = require('../../../internals/entry-virtual'); - -module.exports = entryVirtual('Function'); diff --git a/node_modules/core-js/es/get-iterator-method.js b/node_modules/core-js/es/get-iterator-method.js deleted file mode 100644 index 8ea9df4..0000000 --- a/node_modules/core-js/es/get-iterator-method.js +++ /dev/null @@ -1,6 +0,0 @@ -'use strict'; -require('../modules/es.array.iterator'); -require('../modules/es.string.iterator'); -var getIteratorMethod = require('../internals/get-iterator-method'); - -module.exports = getIteratorMethod; diff --git a/node_modules/core-js/es/get-iterator.js b/node_modules/core-js/es/get-iterator.js deleted file mode 100644 index 372774e..0000000 --- a/node_modules/core-js/es/get-iterator.js +++ /dev/null @@ -1,6 +0,0 @@ -'use strict'; -require('../modules/es.array.iterator'); -require('../modules/es.string.iterator'); -var getIterator = require('../internals/get-iterator'); - -module.exports = getIterator; diff --git a/node_modules/core-js/es/global-this.js b/node_modules/core-js/es/global-this.js deleted file mode 100644 index 8dd89b7..0000000 --- a/node_modules/core-js/es/global-this.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -require('../modules/es.global-this'); - -module.exports = require('../internals/global'); diff --git a/node_modules/core-js/es/index.js b/node_modules/core-js/es/index.js deleted file mode 100644 index 14e5d7c..0000000 --- a/node_modules/core-js/es/index.js +++ /dev/null @@ -1,248 +0,0 @@ -'use strict'; -require('../modules/es.symbol'); -require('../modules/es.symbol.description'); -require('../modules/es.symbol.async-iterator'); -require('../modules/es.symbol.has-instance'); -require('../modules/es.symbol.is-concat-spreadable'); -require('../modules/es.symbol.iterator'); -require('../modules/es.symbol.match'); -require('../modules/es.symbol.match-all'); -require('../modules/es.symbol.replace'); -require('../modules/es.symbol.search'); -require('../modules/es.symbol.species'); -require('../modules/es.symbol.split'); -require('../modules/es.symbol.to-primitive'); -require('../modules/es.symbol.to-string-tag'); -require('../modules/es.symbol.unscopables'); -require('../modules/es.error.cause'); -require('../modules/es.error.to-string'); -require('../modules/es.aggregate-error'); -require('../modules/es.aggregate-error.cause'); -require('../modules/es.array.at'); -require('../modules/es.array.concat'); -require('../modules/es.array.copy-within'); -require('../modules/es.array.every'); -require('../modules/es.array.fill'); -require('../modules/es.array.filter'); -require('../modules/es.array.find'); -require('../modules/es.array.find-index'); -require('../modules/es.array.find-last'); -require('../modules/es.array.find-last-index'); -require('../modules/es.array.flat'); -require('../modules/es.array.flat-map'); -require('../modules/es.array.for-each'); -require('../modules/es.array.from'); -require('../modules/es.array.includes'); -require('../modules/es.array.index-of'); -require('../modules/es.array.is-array'); -require('../modules/es.array.iterator'); -require('../modules/es.array.join'); -require('../modules/es.array.last-index-of'); -require('../modules/es.array.map'); -require('../modules/es.array.of'); -require('../modules/es.array.push'); -require('../modules/es.array.reduce'); -require('../modules/es.array.reduce-right'); -require('../modules/es.array.reverse'); -require('../modules/es.array.slice'); -require('../modules/es.array.some'); -require('../modules/es.array.sort'); -require('../modules/es.array.species'); -require('../modules/es.array.splice'); -require('../modules/es.array.to-reversed'); -require('../modules/es.array.to-sorted'); -require('../modules/es.array.to-spliced'); -require('../modules/es.array.unscopables.flat'); -require('../modules/es.array.unscopables.flat-map'); -require('../modules/es.array.unshift'); -require('../modules/es.array.with'); -require('../modules/es.array-buffer.constructor'); -require('../modules/es.array-buffer.is-view'); -require('../modules/es.array-buffer.slice'); -require('../modules/es.data-view'); -require('../modules/es.date.get-year'); -require('../modules/es.date.now'); -require('../modules/es.date.set-year'); -require('../modules/es.date.to-gmt-string'); -require('../modules/es.date.to-iso-string'); -require('../modules/es.date.to-json'); -require('../modules/es.date.to-primitive'); -require('../modules/es.date.to-string'); -require('../modules/es.escape'); -require('../modules/es.function.bind'); -require('../modules/es.function.has-instance'); -require('../modules/es.function.name'); -require('../modules/es.global-this'); -require('../modules/es.json.stringify'); -require('../modules/es.json.to-string-tag'); -require('../modules/es.map'); -require('../modules/es.map.group-by'); -require('../modules/es.math.acosh'); -require('../modules/es.math.asinh'); -require('../modules/es.math.atanh'); -require('../modules/es.math.cbrt'); -require('../modules/es.math.clz32'); -require('../modules/es.math.cosh'); -require('../modules/es.math.expm1'); -require('../modules/es.math.fround'); -require('../modules/es.math.hypot'); -require('../modules/es.math.imul'); -require('../modules/es.math.log10'); -require('../modules/es.math.log1p'); -require('../modules/es.math.log2'); -require('../modules/es.math.sign'); -require('../modules/es.math.sinh'); -require('../modules/es.math.tanh'); -require('../modules/es.math.to-string-tag'); -require('../modules/es.math.trunc'); -require('../modules/es.number.constructor'); -require('../modules/es.number.epsilon'); -require('../modules/es.number.is-finite'); -require('../modules/es.number.is-integer'); -require('../modules/es.number.is-nan'); -require('../modules/es.number.is-safe-integer'); -require('../modules/es.number.max-safe-integer'); -require('../modules/es.number.min-safe-integer'); -require('../modules/es.number.parse-float'); -require('../modules/es.number.parse-int'); -require('../modules/es.number.to-exponential'); -require('../modules/es.number.to-fixed'); -require('../modules/es.number.to-precision'); -require('../modules/es.object.assign'); -require('../modules/es.object.create'); -require('../modules/es.object.define-getter'); -require('../modules/es.object.define-properties'); -require('../modules/es.object.define-property'); -require('../modules/es.object.define-setter'); -require('../modules/es.object.entries'); -require('../modules/es.object.freeze'); -require('../modules/es.object.from-entries'); -require('../modules/es.object.get-own-property-descriptor'); -require('../modules/es.object.get-own-property-descriptors'); -require('../modules/es.object.get-own-property-names'); -require('../modules/es.object.get-prototype-of'); -require('../modules/es.object.group-by'); -require('../modules/es.object.has-own'); -require('../modules/es.object.is'); -require('../modules/es.object.is-extensible'); -require('../modules/es.object.is-frozen'); -require('../modules/es.object.is-sealed'); -require('../modules/es.object.keys'); -require('../modules/es.object.lookup-getter'); -require('../modules/es.object.lookup-setter'); -require('../modules/es.object.prevent-extensions'); -require('../modules/es.object.proto'); -require('../modules/es.object.seal'); -require('../modules/es.object.set-prototype-of'); -require('../modules/es.object.to-string'); -require('../modules/es.object.values'); -require('../modules/es.parse-float'); -require('../modules/es.parse-int'); -require('../modules/es.promise'); -require('../modules/es.promise.all-settled'); -require('../modules/es.promise.any'); -require('../modules/es.promise.finally'); -require('../modules/es.promise.with-resolvers'); -require('../modules/es.reflect.apply'); -require('../modules/es.reflect.construct'); -require('../modules/es.reflect.define-property'); -require('../modules/es.reflect.delete-property'); -require('../modules/es.reflect.get'); -require('../modules/es.reflect.get-own-property-descriptor'); -require('../modules/es.reflect.get-prototype-of'); -require('../modules/es.reflect.has'); -require('../modules/es.reflect.is-extensible'); -require('../modules/es.reflect.own-keys'); -require('../modules/es.reflect.prevent-extensions'); -require('../modules/es.reflect.set'); -require('../modules/es.reflect.set-prototype-of'); -require('../modules/es.reflect.to-string-tag'); -require('../modules/es.regexp.constructor'); -require('../modules/es.regexp.dot-all'); -require('../modules/es.regexp.exec'); -require('../modules/es.regexp.flags'); -require('../modules/es.regexp.sticky'); -require('../modules/es.regexp.test'); -require('../modules/es.regexp.to-string'); -require('../modules/es.set'); -require('../modules/es.string.at-alternative'); -require('../modules/es.string.code-point-at'); -require('../modules/es.string.ends-with'); -require('../modules/es.string.from-code-point'); -require('../modules/es.string.includes'); -require('../modules/es.string.is-well-formed'); -require('../modules/es.string.iterator'); -require('../modules/es.string.match'); -require('../modules/es.string.match-all'); -require('../modules/es.string.pad-end'); -require('../modules/es.string.pad-start'); -require('../modules/es.string.raw'); -require('../modules/es.string.repeat'); -require('../modules/es.string.replace'); -require('../modules/es.string.replace-all'); -require('../modules/es.string.search'); -require('../modules/es.string.split'); -require('../modules/es.string.starts-with'); -require('../modules/es.string.substr'); -require('../modules/es.string.to-well-formed'); -require('../modules/es.string.trim'); -require('../modules/es.string.trim-end'); -require('../modules/es.string.trim-start'); -require('../modules/es.string.anchor'); -require('../modules/es.string.big'); -require('../modules/es.string.blink'); -require('../modules/es.string.bold'); -require('../modules/es.string.fixed'); -require('../modules/es.string.fontcolor'); -require('../modules/es.string.fontsize'); -require('../modules/es.string.italics'); -require('../modules/es.string.link'); -require('../modules/es.string.small'); -require('../modules/es.string.strike'); -require('../modules/es.string.sub'); -require('../modules/es.string.sup'); -require('../modules/es.typed-array.float32-array'); -require('../modules/es.typed-array.float64-array'); -require('../modules/es.typed-array.int8-array'); -require('../modules/es.typed-array.int16-array'); -require('../modules/es.typed-array.int32-array'); -require('../modules/es.typed-array.uint8-array'); -require('../modules/es.typed-array.uint8-clamped-array'); -require('../modules/es.typed-array.uint16-array'); -require('../modules/es.typed-array.uint32-array'); -require('../modules/es.typed-array.at'); -require('../modules/es.typed-array.copy-within'); -require('../modules/es.typed-array.every'); -require('../modules/es.typed-array.fill'); -require('../modules/es.typed-array.filter'); -require('../modules/es.typed-array.find'); -require('../modules/es.typed-array.find-index'); -require('../modules/es.typed-array.find-last'); -require('../modules/es.typed-array.find-last-index'); -require('../modules/es.typed-array.for-each'); -require('../modules/es.typed-array.from'); -require('../modules/es.typed-array.includes'); -require('../modules/es.typed-array.index-of'); -require('../modules/es.typed-array.iterator'); -require('../modules/es.typed-array.join'); -require('../modules/es.typed-array.last-index-of'); -require('../modules/es.typed-array.map'); -require('../modules/es.typed-array.of'); -require('../modules/es.typed-array.reduce'); -require('../modules/es.typed-array.reduce-right'); -require('../modules/es.typed-array.reverse'); -require('../modules/es.typed-array.set'); -require('../modules/es.typed-array.slice'); -require('../modules/es.typed-array.some'); -require('../modules/es.typed-array.sort'); -require('../modules/es.typed-array.subarray'); -require('../modules/es.typed-array.to-locale-string'); -require('../modules/es.typed-array.to-reversed'); -require('../modules/es.typed-array.to-sorted'); -require('../modules/es.typed-array.to-string'); -require('../modules/es.typed-array.with'); -require('../modules/es.unescape'); -require('../modules/es.weak-map'); -require('../modules/es.weak-set'); - -module.exports = require('../internals/path'); diff --git a/node_modules/core-js/es/instance/at.js b/node_modules/core-js/es/instance/at.js deleted file mode 100644 index 75de4fc..0000000 --- a/node_modules/core-js/es/instance/at.js +++ /dev/null @@ -1,15 +0,0 @@ -'use strict'; -var isPrototypeOf = require('../../internals/object-is-prototype-of'); -var arrayMethod = require('../array/virtual/at'); -var stringMethod = require('../string/virtual/at'); - -var ArrayPrototype = Array.prototype; -var StringPrototype = String.prototype; - -module.exports = function (it) { - var own = it.at; - if (it === ArrayPrototype || (isPrototypeOf(ArrayPrototype, it) && own === ArrayPrototype.at)) return arrayMethod; - if (typeof it == 'string' || it === StringPrototype || (isPrototypeOf(StringPrototype, it) && own === StringPrototype.at)) { - return stringMethod; - } return own; -}; diff --git a/node_modules/core-js/es/instance/bind.js b/node_modules/core-js/es/instance/bind.js deleted file mode 100644 index e8fb66f..0000000 --- a/node_modules/core-js/es/instance/bind.js +++ /dev/null @@ -1,10 +0,0 @@ -'use strict'; -var isPrototypeOf = require('../../internals/object-is-prototype-of'); -var method = require('../function/virtual/bind'); - -var FunctionPrototype = Function.prototype; - -module.exports = function (it) { - var own = it.bind; - return it === FunctionPrototype || (isPrototypeOf(FunctionPrototype, it) && own === FunctionPrototype.bind) ? method : own; -}; diff --git a/node_modules/core-js/es/instance/code-point-at.js b/node_modules/core-js/es/instance/code-point-at.js deleted file mode 100644 index 5be3cd3..0000000 --- a/node_modules/core-js/es/instance/code-point-at.js +++ /dev/null @@ -1,11 +0,0 @@ -'use strict'; -var isPrototypeOf = require('../../internals/object-is-prototype-of'); -var method = require('../string/virtual/code-point-at'); - -var StringPrototype = String.prototype; - -module.exports = function (it) { - var own = it.codePointAt; - return typeof it == 'string' || it === StringPrototype - || (isPrototypeOf(StringPrototype, it) && own === StringPrototype.codePointAt) ? method : own; -}; diff --git a/node_modules/core-js/es/instance/concat.js b/node_modules/core-js/es/instance/concat.js deleted file mode 100644 index 6474041..0000000 --- a/node_modules/core-js/es/instance/concat.js +++ /dev/null @@ -1,10 +0,0 @@ -'use strict'; -var isPrototypeOf = require('../../internals/object-is-prototype-of'); -var method = require('../array/virtual/concat'); - -var ArrayPrototype = Array.prototype; - -module.exports = function (it) { - var own = it.concat; - return it === ArrayPrototype || (isPrototypeOf(ArrayPrototype, it) && own === ArrayPrototype.concat) ? method : own; -}; diff --git a/node_modules/core-js/es/instance/copy-within.js b/node_modules/core-js/es/instance/copy-within.js deleted file mode 100644 index 9b16fe0..0000000 --- a/node_modules/core-js/es/instance/copy-within.js +++ /dev/null @@ -1,10 +0,0 @@ -'use strict'; -var isPrototypeOf = require('../../internals/object-is-prototype-of'); -var method = require('../array/virtual/copy-within'); - -var ArrayPrototype = Array.prototype; - -module.exports = function (it) { - var own = it.copyWithin; - return it === ArrayPrototype || (isPrototypeOf(ArrayPrototype, it) && own === ArrayPrototype.copyWithin) ? method : own; -}; diff --git a/node_modules/core-js/es/instance/ends-with.js b/node_modules/core-js/es/instance/ends-with.js deleted file mode 100644 index ca2af50..0000000 --- a/node_modules/core-js/es/instance/ends-with.js +++ /dev/null @@ -1,11 +0,0 @@ -'use strict'; -var isPrototypeOf = require('../../internals/object-is-prototype-of'); -var method = require('../string/virtual/ends-with'); - -var StringPrototype = String.prototype; - -module.exports = function (it) { - var own = it.endsWith; - return typeof it == 'string' || it === StringPrototype - || (isPrototypeOf(StringPrototype, it) && own === StringPrototype.endsWith) ? method : own; -}; diff --git a/node_modules/core-js/es/instance/entries.js b/node_modules/core-js/es/instance/entries.js deleted file mode 100644 index e900c67..0000000 --- a/node_modules/core-js/es/instance/entries.js +++ /dev/null @@ -1,10 +0,0 @@ -'use strict'; -var isPrototypeOf = require('../../internals/object-is-prototype-of'); -var method = require('../array/virtual/entries'); - -var ArrayPrototype = Array.prototype; - -module.exports = function (it) { - var own = it.entries; - return it === ArrayPrototype || (isPrototypeOf(ArrayPrototype, it) && own === ArrayPrototype.entries) ? method : own; -}; diff --git a/node_modules/core-js/es/instance/every.js b/node_modules/core-js/es/instance/every.js deleted file mode 100644 index 0e3bc52..0000000 --- a/node_modules/core-js/es/instance/every.js +++ /dev/null @@ -1,10 +0,0 @@ -'use strict'; -var isPrototypeOf = require('../../internals/object-is-prototype-of'); -var method = require('../array/virtual/every'); - -var ArrayPrototype = Array.prototype; - -module.exports = function (it) { - var own = it.every; - return it === ArrayPrototype || (isPrototypeOf(ArrayPrototype, it) && own === ArrayPrototype.every) ? method : own; -}; diff --git a/node_modules/core-js/es/instance/fill.js b/node_modules/core-js/es/instance/fill.js deleted file mode 100644 index 5bf862c..0000000 --- a/node_modules/core-js/es/instance/fill.js +++ /dev/null @@ -1,10 +0,0 @@ -'use strict'; -var isPrototypeOf = require('../../internals/object-is-prototype-of'); -var method = require('../array/virtual/fill'); - -var ArrayPrototype = Array.prototype; - -module.exports = function (it) { - var own = it.fill; - return it === ArrayPrototype || (isPrototypeOf(ArrayPrototype, it) && own === ArrayPrototype.fill) ? method : own; -}; diff --git a/node_modules/core-js/es/instance/filter.js b/node_modules/core-js/es/instance/filter.js deleted file mode 100644 index 7e0a348..0000000 --- a/node_modules/core-js/es/instance/filter.js +++ /dev/null @@ -1,10 +0,0 @@ -'use strict'; -var isPrototypeOf = require('../../internals/object-is-prototype-of'); -var method = require('../array/virtual/filter'); - -var ArrayPrototype = Array.prototype; - -module.exports = function (it) { - var own = it.filter; - return it === ArrayPrototype || (isPrototypeOf(ArrayPrototype, it) && own === ArrayPrototype.filter) ? method : own; -}; diff --git a/node_modules/core-js/es/instance/find-index.js b/node_modules/core-js/es/instance/find-index.js deleted file mode 100644 index 862344f..0000000 --- a/node_modules/core-js/es/instance/find-index.js +++ /dev/null @@ -1,10 +0,0 @@ -'use strict'; -var isPrototypeOf = require('../../internals/object-is-prototype-of'); -var method = require('../array/virtual/find-index'); - -var ArrayPrototype = Array.prototype; - -module.exports = function (it) { - var own = it.findIndex; - return it === ArrayPrototype || (isPrototypeOf(ArrayPrototype, it) && own === ArrayPrototype.findIndex) ? method : own; -}; diff --git a/node_modules/core-js/es/instance/find-last-index.js b/node_modules/core-js/es/instance/find-last-index.js deleted file mode 100644 index 4c7cfcb..0000000 --- a/node_modules/core-js/es/instance/find-last-index.js +++ /dev/null @@ -1,10 +0,0 @@ -'use strict'; -var isPrototypeOf = require('../../internals/object-is-prototype-of'); -var method = require('../array/virtual/find-last-index'); - -var ArrayPrototype = Array.prototype; - -module.exports = function (it) { - var own = it.findLastIndex; - return it === ArrayPrototype || (isPrototypeOf(ArrayPrototype, it) && own === ArrayPrototype.findLastIndex) ? method : own; -}; diff --git a/node_modules/core-js/es/instance/find-last.js b/node_modules/core-js/es/instance/find-last.js deleted file mode 100644 index 7d30e0b..0000000 --- a/node_modules/core-js/es/instance/find-last.js +++ /dev/null @@ -1,10 +0,0 @@ -'use strict'; -var isPrototypeOf = require('../../internals/object-is-prototype-of'); -var method = require('../array/virtual/find-last'); - -var ArrayPrototype = Array.prototype; - -module.exports = function (it) { - var own = it.findLast; - return it === ArrayPrototype || (isPrototypeOf(ArrayPrototype, it) && own === ArrayPrototype.findLast) ? method : own; -}; diff --git a/node_modules/core-js/es/instance/find.js b/node_modules/core-js/es/instance/find.js deleted file mode 100644 index 2511c3b..0000000 --- a/node_modules/core-js/es/instance/find.js +++ /dev/null @@ -1,10 +0,0 @@ -'use strict'; -var isPrototypeOf = require('../../internals/object-is-prototype-of'); -var method = require('../array/virtual/find'); - -var ArrayPrototype = Array.prototype; - -module.exports = function (it) { - var own = it.find; - return it === ArrayPrototype || (isPrototypeOf(ArrayPrototype, it) && own === ArrayPrototype.find) ? method : own; -}; diff --git a/node_modules/core-js/es/instance/flags.js b/node_modules/core-js/es/instance/flags.js deleted file mode 100644 index 66b08c4..0000000 --- a/node_modules/core-js/es/instance/flags.js +++ /dev/null @@ -1,9 +0,0 @@ -'use strict'; -var isPrototypeOf = require('../../internals/object-is-prototype-of'); -var flags = require('../regexp/flags'); - -var RegExpPrototype = RegExp.prototype; - -module.exports = function (it) { - return (it === RegExpPrototype || isPrototypeOf(RegExpPrototype, it)) ? flags(it) : it.flags; -}; diff --git a/node_modules/core-js/es/instance/flat-map.js b/node_modules/core-js/es/instance/flat-map.js deleted file mode 100644 index d406dd9..0000000 --- a/node_modules/core-js/es/instance/flat-map.js +++ /dev/null @@ -1,10 +0,0 @@ -'use strict'; -var isPrototypeOf = require('../../internals/object-is-prototype-of'); -var method = require('../array/virtual/flat-map'); - -var ArrayPrototype = Array.prototype; - -module.exports = function (it) { - var own = it.flatMap; - return it === ArrayPrototype || (isPrototypeOf(ArrayPrototype, it) && own === ArrayPrototype.flatMap) ? method : own; -}; diff --git a/node_modules/core-js/es/instance/flat.js b/node_modules/core-js/es/instance/flat.js deleted file mode 100644 index 5b16864..0000000 --- a/node_modules/core-js/es/instance/flat.js +++ /dev/null @@ -1,10 +0,0 @@ -'use strict'; -var isPrototypeOf = require('../../internals/object-is-prototype-of'); -var method = require('../array/virtual/flat'); - -var ArrayPrototype = Array.prototype; - -module.exports = function (it) { - var own = it.flat; - return it === ArrayPrototype || (isPrototypeOf(ArrayPrototype, it) && own === ArrayPrototype.flat) ? method : own; -}; diff --git a/node_modules/core-js/es/instance/for-each.js b/node_modules/core-js/es/instance/for-each.js deleted file mode 100644 index 58566e6..0000000 --- a/node_modules/core-js/es/instance/for-each.js +++ /dev/null @@ -1,10 +0,0 @@ -'use strict'; -var isPrototypeOf = require('../../internals/object-is-prototype-of'); -var method = require('../array/virtual/for-each'); - -var ArrayPrototype = Array.prototype; - -module.exports = function (it) { - var own = it.forEach; - return it === ArrayPrototype || (isPrototypeOf(ArrayPrototype, it) && own === ArrayPrototype.forEach) ? method : own; -}; diff --git a/node_modules/core-js/es/instance/includes.js b/node_modules/core-js/es/instance/includes.js deleted file mode 100644 index d2daf8c..0000000 --- a/node_modules/core-js/es/instance/includes.js +++ /dev/null @@ -1,15 +0,0 @@ -'use strict'; -var isPrototypeOf = require('../../internals/object-is-prototype-of'); -var arrayMethod = require('../array/virtual/includes'); -var stringMethod = require('../string/virtual/includes'); - -var ArrayPrototype = Array.prototype; -var StringPrototype = String.prototype; - -module.exports = function (it) { - var own = it.includes; - if (it === ArrayPrototype || (isPrototypeOf(ArrayPrototype, it) && own === ArrayPrototype.includes)) return arrayMethod; - if (typeof it == 'string' || it === StringPrototype || (isPrototypeOf(StringPrototype, it) && own === StringPrototype.includes)) { - return stringMethod; - } return own; -}; diff --git a/node_modules/core-js/es/instance/index-of.js b/node_modules/core-js/es/instance/index-of.js deleted file mode 100644 index bcd0898..0000000 --- a/node_modules/core-js/es/instance/index-of.js +++ /dev/null @@ -1,10 +0,0 @@ -'use strict'; -var isPrototypeOf = require('../../internals/object-is-prototype-of'); -var method = require('../array/virtual/index-of'); - -var ArrayPrototype = Array.prototype; - -module.exports = function (it) { - var own = it.indexOf; - return it === ArrayPrototype || (isPrototypeOf(ArrayPrototype, it) && own === ArrayPrototype.indexOf) ? method : own; -}; diff --git a/node_modules/core-js/es/instance/is-well-formed.js b/node_modules/core-js/es/instance/is-well-formed.js deleted file mode 100644 index 728fdc5..0000000 --- a/node_modules/core-js/es/instance/is-well-formed.js +++ /dev/null @@ -1,11 +0,0 @@ -'use strict'; -var isPrototypeOf = require('../../internals/object-is-prototype-of'); -var method = require('../string/virtual/is-well-formed'); - -var StringPrototype = String.prototype; - -module.exports = function (it) { - var own = it.isWellFormed; - return typeof it == 'string' || it === StringPrototype - || (isPrototypeOf(StringPrototype, it) && own === StringPrototype.isWellFormed) ? method : own; -}; diff --git a/node_modules/core-js/es/instance/keys.js b/node_modules/core-js/es/instance/keys.js deleted file mode 100644 index b535ac2..0000000 --- a/node_modules/core-js/es/instance/keys.js +++ /dev/null @@ -1,10 +0,0 @@ -'use strict'; -var isPrototypeOf = require('../../internals/object-is-prototype-of'); -var method = require('../array/virtual/keys'); - -var ArrayPrototype = Array.prototype; - -module.exports = function (it) { - var own = it.keys; - return it === ArrayPrototype || (isPrototypeOf(ArrayPrototype, it) && own === ArrayPrototype.keys) ? method : own; -}; diff --git a/node_modules/core-js/es/instance/last-index-of.js b/node_modules/core-js/es/instance/last-index-of.js deleted file mode 100644 index 633d120..0000000 --- a/node_modules/core-js/es/instance/last-index-of.js +++ /dev/null @@ -1,10 +0,0 @@ -'use strict'; -var isPrototypeOf = require('../../internals/object-is-prototype-of'); -var method = require('../array/virtual/last-index-of'); - -var ArrayPrototype = Array.prototype; - -module.exports = function (it) { - var own = it.lastIndexOf; - return it === ArrayPrototype || (isPrototypeOf(ArrayPrototype, it) && own === ArrayPrototype.lastIndexOf) ? method : own; -}; diff --git a/node_modules/core-js/es/instance/map.js b/node_modules/core-js/es/instance/map.js deleted file mode 100644 index 43b9fca..0000000 --- a/node_modules/core-js/es/instance/map.js +++ /dev/null @@ -1,10 +0,0 @@ -'use strict'; -var isPrototypeOf = require('../../internals/object-is-prototype-of'); -var method = require('../array/virtual/map'); - -var ArrayPrototype = Array.prototype; - -module.exports = function (it) { - var own = it.map; - return it === ArrayPrototype || (isPrototypeOf(ArrayPrototype, it) && own === ArrayPrototype.map) ? method : own; -}; diff --git a/node_modules/core-js/es/instance/match-all.js b/node_modules/core-js/es/instance/match-all.js deleted file mode 100644 index 251a5be..0000000 --- a/node_modules/core-js/es/instance/match-all.js +++ /dev/null @@ -1,11 +0,0 @@ -'use strict'; -var isPrototypeOf = require('../../internals/object-is-prototype-of'); -var method = require('../string/virtual/match-all'); - -var StringPrototype = String.prototype; - -module.exports = function (it) { - var own = it.matchAll; - return typeof it == 'string' || it === StringPrototype - || (isPrototypeOf(StringPrototype, it) && own === StringPrototype.matchAll) ? method : own; -}; diff --git a/node_modules/core-js/es/instance/pad-end.js b/node_modules/core-js/es/instance/pad-end.js deleted file mode 100644 index bb5dd80..0000000 --- a/node_modules/core-js/es/instance/pad-end.js +++ /dev/null @@ -1,11 +0,0 @@ -'use strict'; -var isPrototypeOf = require('../../internals/object-is-prototype-of'); -var method = require('../string/virtual/pad-end'); - -var StringPrototype = String.prototype; - -module.exports = function (it) { - var own = it.padEnd; - return typeof it == 'string' || it === StringPrototype - || (isPrototypeOf(StringPrototype, it) && own === StringPrototype.padEnd) ? method : own; -}; diff --git a/node_modules/core-js/es/instance/pad-start.js b/node_modules/core-js/es/instance/pad-start.js deleted file mode 100644 index 94a73a9..0000000 --- a/node_modules/core-js/es/instance/pad-start.js +++ /dev/null @@ -1,11 +0,0 @@ -'use strict'; -var isPrototypeOf = require('../../internals/object-is-prototype-of'); -var method = require('../string/virtual/pad-start'); - -var StringPrototype = String.prototype; - -module.exports = function (it) { - var own = it.padStart; - return typeof it == 'string' || it === StringPrototype - || (isPrototypeOf(StringPrototype, it) && own === StringPrototype.padStart) ? method : own; -}; diff --git a/node_modules/core-js/es/instance/push.js b/node_modules/core-js/es/instance/push.js deleted file mode 100644 index 1796ff0..0000000 --- a/node_modules/core-js/es/instance/push.js +++ /dev/null @@ -1,10 +0,0 @@ -'use strict'; -var isPrototypeOf = require('../../internals/object-is-prototype-of'); -var method = require('../array/virtual/push'); - -var ArrayPrototype = Array.prototype; - -module.exports = function (it) { - var own = it.push; - return it === ArrayPrototype || (isPrototypeOf(ArrayPrototype, it) && own === ArrayPrototype.push) ? method : own; -}; diff --git a/node_modules/core-js/es/instance/reduce-right.js b/node_modules/core-js/es/instance/reduce-right.js deleted file mode 100644 index 25c6118..0000000 --- a/node_modules/core-js/es/instance/reduce-right.js +++ /dev/null @@ -1,10 +0,0 @@ -'use strict'; -var isPrototypeOf = require('../../internals/object-is-prototype-of'); -var method = require('../array/virtual/reduce-right'); - -var ArrayPrototype = Array.prototype; - -module.exports = function (it) { - var own = it.reduceRight; - return it === ArrayPrototype || (isPrototypeOf(ArrayPrototype, it) && own === ArrayPrototype.reduceRight) ? method : own; -}; diff --git a/node_modules/core-js/es/instance/reduce.js b/node_modules/core-js/es/instance/reduce.js deleted file mode 100644 index 0f8f414..0000000 --- a/node_modules/core-js/es/instance/reduce.js +++ /dev/null @@ -1,10 +0,0 @@ -'use strict'; -var isPrototypeOf = require('../../internals/object-is-prototype-of'); -var method = require('../array/virtual/reduce'); - -var ArrayPrototype = Array.prototype; - -module.exports = function (it) { - var own = it.reduce; - return it === ArrayPrototype || (isPrototypeOf(ArrayPrototype, it) && own === ArrayPrototype.reduce) ? method : own; -}; diff --git a/node_modules/core-js/es/instance/repeat.js b/node_modules/core-js/es/instance/repeat.js deleted file mode 100644 index ab7e497..0000000 --- a/node_modules/core-js/es/instance/repeat.js +++ /dev/null @@ -1,11 +0,0 @@ -'use strict'; -var isPrototypeOf = require('../../internals/object-is-prototype-of'); -var method = require('../string/virtual/repeat'); - -var StringPrototype = String.prototype; - -module.exports = function (it) { - var own = it.repeat; - return typeof it == 'string' || it === StringPrototype - || (isPrototypeOf(StringPrototype, it) && own === StringPrototype.repeat) ? method : own; -}; diff --git a/node_modules/core-js/es/instance/replace-all.js b/node_modules/core-js/es/instance/replace-all.js deleted file mode 100644 index f5b2146..0000000 --- a/node_modules/core-js/es/instance/replace-all.js +++ /dev/null @@ -1,11 +0,0 @@ -'use strict'; -var isPrototypeOf = require('../../internals/object-is-prototype-of'); -var method = require('../string/virtual/replace-all'); - -var StringPrototype = String.prototype; - -module.exports = function (it) { - var own = it.replaceAll; - return typeof it == 'string' || it === StringPrototype - || (isPrototypeOf(StringPrototype, it) && own === StringPrototype.replaceAll) ? method : own; -}; diff --git a/node_modules/core-js/es/instance/reverse.js b/node_modules/core-js/es/instance/reverse.js deleted file mode 100644 index bf00f66..0000000 --- a/node_modules/core-js/es/instance/reverse.js +++ /dev/null @@ -1,10 +0,0 @@ -'use strict'; -var isPrototypeOf = require('../../internals/object-is-prototype-of'); -var method = require('../array/virtual/reverse'); - -var ArrayPrototype = Array.prototype; - -module.exports = function (it) { - var own = it.reverse; - return it === ArrayPrototype || (isPrototypeOf(ArrayPrototype, it) && own === ArrayPrototype.reverse) ? method : own; -}; diff --git a/node_modules/core-js/es/instance/slice.js b/node_modules/core-js/es/instance/slice.js deleted file mode 100644 index 369ea0a..0000000 --- a/node_modules/core-js/es/instance/slice.js +++ /dev/null @@ -1,10 +0,0 @@ -'use strict'; -var isPrototypeOf = require('../../internals/object-is-prototype-of'); -var method = require('../array/virtual/slice'); - -var ArrayPrototype = Array.prototype; - -module.exports = function (it) { - var own = it.slice; - return it === ArrayPrototype || (isPrototypeOf(ArrayPrototype, it) && own === ArrayPrototype.slice) ? method : own; -}; diff --git a/node_modules/core-js/es/instance/some.js b/node_modules/core-js/es/instance/some.js deleted file mode 100644 index 3eddc1b..0000000 --- a/node_modules/core-js/es/instance/some.js +++ /dev/null @@ -1,10 +0,0 @@ -'use strict'; -var isPrototypeOf = require('../../internals/object-is-prototype-of'); -var method = require('../array/virtual/some'); - -var ArrayPrototype = Array.prototype; - -module.exports = function (it) { - var own = it.some; - return it === ArrayPrototype || (isPrototypeOf(ArrayPrototype, it) && own === ArrayPrototype.some) ? method : own; -}; diff --git a/node_modules/core-js/es/instance/sort.js b/node_modules/core-js/es/instance/sort.js deleted file mode 100644 index a6c21f6..0000000 --- a/node_modules/core-js/es/instance/sort.js +++ /dev/null @@ -1,10 +0,0 @@ -'use strict'; -var isPrototypeOf = require('../../internals/object-is-prototype-of'); -var method = require('../array/virtual/sort'); - -var ArrayPrototype = Array.prototype; - -module.exports = function (it) { - var own = it.sort; - return it === ArrayPrototype || (isPrototypeOf(ArrayPrototype, it) && own === ArrayPrototype.sort) ? method : own; -}; diff --git a/node_modules/core-js/es/instance/splice.js b/node_modules/core-js/es/instance/splice.js deleted file mode 100644 index e7e715f..0000000 --- a/node_modules/core-js/es/instance/splice.js +++ /dev/null @@ -1,10 +0,0 @@ -'use strict'; -var isPrototypeOf = require('../../internals/object-is-prototype-of'); -var method = require('../array/virtual/splice'); - -var ArrayPrototype = Array.prototype; - -module.exports = function (it) { - var own = it.splice; - return it === ArrayPrototype || (isPrototypeOf(ArrayPrototype, it) && own === ArrayPrototype.splice) ? method : own; -}; diff --git a/node_modules/core-js/es/instance/starts-with.js b/node_modules/core-js/es/instance/starts-with.js deleted file mode 100644 index 2185de7..0000000 --- a/node_modules/core-js/es/instance/starts-with.js +++ /dev/null @@ -1,11 +0,0 @@ -'use strict'; -var isPrototypeOf = require('../../internals/object-is-prototype-of'); -var method = require('../string/virtual/starts-with'); - -var StringPrototype = String.prototype; - -module.exports = function (it) { - var own = it.startsWith; - return typeof it == 'string' || it === StringPrototype - || (isPrototypeOf(StringPrototype, it) && own === StringPrototype.startsWith) ? method : own; -}; diff --git a/node_modules/core-js/es/instance/to-reversed.js b/node_modules/core-js/es/instance/to-reversed.js deleted file mode 100644 index 5cfb459..0000000 --- a/node_modules/core-js/es/instance/to-reversed.js +++ /dev/null @@ -1,10 +0,0 @@ -'use strict'; -var isPrototypeOf = require('../../internals/object-is-prototype-of'); -var method = require('../array/virtual/to-reversed'); - -var ArrayPrototype = Array.prototype; - -module.exports = function (it) { - var own = it.toReversed; - return (it === ArrayPrototype || (isPrototypeOf(ArrayPrototype, it) && own === ArrayPrototype.toReversed)) ? method : own; -}; diff --git a/node_modules/core-js/es/instance/to-sorted.js b/node_modules/core-js/es/instance/to-sorted.js deleted file mode 100644 index a059c6f..0000000 --- a/node_modules/core-js/es/instance/to-sorted.js +++ /dev/null @@ -1,10 +0,0 @@ -'use strict'; -var isPrototypeOf = require('../../internals/object-is-prototype-of'); -var method = require('../array/virtual/to-sorted'); - -var ArrayPrototype = Array.prototype; - -module.exports = function (it) { - var own = it.toSorted; - return (it === ArrayPrototype || (isPrototypeOf(ArrayPrototype, it) && own === ArrayPrototype.toSorted)) ? method : own; -}; diff --git a/node_modules/core-js/es/instance/to-spliced.js b/node_modules/core-js/es/instance/to-spliced.js deleted file mode 100644 index 9e67474..0000000 --- a/node_modules/core-js/es/instance/to-spliced.js +++ /dev/null @@ -1,10 +0,0 @@ -'use strict'; -var isPrototypeOf = require('../../internals/object-is-prototype-of'); -var method = require('../array/virtual/to-spliced'); - -var ArrayPrototype = Array.prototype; - -module.exports = function (it) { - var own = it.toSpliced; - return (it === ArrayPrototype || (isPrototypeOf(ArrayPrototype, it) && own === ArrayPrototype.toSpliced)) ? method : own; -}; diff --git a/node_modules/core-js/es/instance/to-well-formed.js b/node_modules/core-js/es/instance/to-well-formed.js deleted file mode 100644 index 29701d8..0000000 --- a/node_modules/core-js/es/instance/to-well-formed.js +++ /dev/null @@ -1,11 +0,0 @@ -'use strict'; -var isPrototypeOf = require('../../internals/object-is-prototype-of'); -var method = require('../string/virtual/to-well-formed'); - -var StringPrototype = String.prototype; - -module.exports = function (it) { - var own = it.toWellFormed; - return typeof it == 'string' || it === StringPrototype - || (isPrototypeOf(StringPrototype, it) && own === StringPrototype.toWellFormed) ? method : own; -}; diff --git a/node_modules/core-js/es/instance/trim-end.js b/node_modules/core-js/es/instance/trim-end.js deleted file mode 100644 index 4688be6..0000000 --- a/node_modules/core-js/es/instance/trim-end.js +++ /dev/null @@ -1,11 +0,0 @@ -'use strict'; -var isPrototypeOf = require('../../internals/object-is-prototype-of'); -var method = require('../string/virtual/trim-end'); - -var StringPrototype = String.prototype; - -module.exports = function (it) { - var own = it.trimEnd; - return typeof it == 'string' || it === StringPrototype - || (isPrototypeOf(StringPrototype, it) && own === StringPrototype.trimEnd) ? method : own; -}; diff --git a/node_modules/core-js/es/instance/trim-left.js b/node_modules/core-js/es/instance/trim-left.js deleted file mode 100644 index 9657ceb..0000000 --- a/node_modules/core-js/es/instance/trim-left.js +++ /dev/null @@ -1,11 +0,0 @@ -'use strict'; -var isPrototypeOf = require('../../internals/object-is-prototype-of'); -var method = require('../string/virtual/trim-left'); - -var StringPrototype = String.prototype; - -module.exports = function (it) { - var own = it.trimLeft; - return typeof it == 'string' || it === StringPrototype - || (isPrototypeOf(StringPrototype, it) && own === StringPrototype.trimLeft) ? method : own; -}; diff --git a/node_modules/core-js/es/instance/trim-right.js b/node_modules/core-js/es/instance/trim-right.js deleted file mode 100644 index 16eb9e3..0000000 --- a/node_modules/core-js/es/instance/trim-right.js +++ /dev/null @@ -1,11 +0,0 @@ -'use strict'; -var isPrototypeOf = require('../../internals/object-is-prototype-of'); -var method = require('../string/virtual/trim-right'); - -var StringPrototype = String.prototype; - -module.exports = function (it) { - var own = it.trimRight; - return typeof it == 'string' || it === StringPrototype - || (isPrototypeOf(StringPrototype, it) && own === StringPrototype.trimRight) ? method : own; -}; diff --git a/node_modules/core-js/es/instance/trim-start.js b/node_modules/core-js/es/instance/trim-start.js deleted file mode 100644 index baf1599..0000000 --- a/node_modules/core-js/es/instance/trim-start.js +++ /dev/null @@ -1,11 +0,0 @@ -'use strict'; -var isPrototypeOf = require('../../internals/object-is-prototype-of'); -var method = require('../string/virtual/trim-start'); - -var StringPrototype = String.prototype; - -module.exports = function (it) { - var own = it.trimStart; - return typeof it == 'string' || it === StringPrototype - || (isPrototypeOf(StringPrototype, it) && own === StringPrototype.trimStart) ? method : own; -}; diff --git a/node_modules/core-js/es/instance/trim.js b/node_modules/core-js/es/instance/trim.js deleted file mode 100644 index 6983995..0000000 --- a/node_modules/core-js/es/instance/trim.js +++ /dev/null @@ -1,11 +0,0 @@ -'use strict'; -var isPrototypeOf = require('../../internals/object-is-prototype-of'); -var method = require('../string/virtual/trim'); - -var StringPrototype = String.prototype; - -module.exports = function (it) { - var own = it.trim; - return typeof it == 'string' || it === StringPrototype - || (isPrototypeOf(StringPrototype, it) && own === StringPrototype.trim) ? method : own; -}; diff --git a/node_modules/core-js/es/instance/unshift.js b/node_modules/core-js/es/instance/unshift.js deleted file mode 100644 index e30c714..0000000 --- a/node_modules/core-js/es/instance/unshift.js +++ /dev/null @@ -1,10 +0,0 @@ -'use strict'; -var isPrototypeOf = require('../../internals/object-is-prototype-of'); -var method = require('../array/virtual/unshift'); - -var ArrayPrototype = Array.prototype; - -module.exports = function (it) { - var own = it.unshift; - return it === ArrayPrototype || (isPrototypeOf(ArrayPrototype, it) && own === ArrayPrototype.unshift) ? method : own; -}; diff --git a/node_modules/core-js/es/instance/values.js b/node_modules/core-js/es/instance/values.js deleted file mode 100644 index 0573ad4..0000000 --- a/node_modules/core-js/es/instance/values.js +++ /dev/null @@ -1,10 +0,0 @@ -'use strict'; -var isPrototypeOf = require('../../internals/object-is-prototype-of'); -var method = require('../array/virtual/values'); - -var ArrayPrototype = Array.prototype; - -module.exports = function (it) { - var own = it.values; - return it === ArrayPrototype || (isPrototypeOf(ArrayPrototype, it) && own === ArrayPrototype.values) ? method : own; -}; diff --git a/node_modules/core-js/es/instance/with.js b/node_modules/core-js/es/instance/with.js deleted file mode 100644 index f3db9f4..0000000 --- a/node_modules/core-js/es/instance/with.js +++ /dev/null @@ -1,10 +0,0 @@ -'use strict'; -var isPrototypeOf = require('../../internals/object-is-prototype-of'); -var method = require('../array/virtual/with'); - -var ArrayPrototype = Array.prototype; - -module.exports = function (it) { - var own = it['with']; - return (it === ArrayPrototype || (isPrototypeOf(ArrayPrototype, it) && own === ArrayPrototype['with'])) ? method : own; -}; diff --git a/node_modules/core-js/es/is-iterable.js b/node_modules/core-js/es/is-iterable.js deleted file mode 100644 index 7a53114..0000000 --- a/node_modules/core-js/es/is-iterable.js +++ /dev/null @@ -1,6 +0,0 @@ -'use strict'; -require('../modules/es.array.iterator'); -require('../modules/es.string.iterator'); -var isIterable = require('../internals/is-iterable'); - -module.exports = isIterable; diff --git a/node_modules/core-js/es/json/index.js b/node_modules/core-js/es/json/index.js deleted file mode 100644 index f6e5942..0000000 --- a/node_modules/core-js/es/json/index.js +++ /dev/null @@ -1,7 +0,0 @@ -'use strict'; -require('../../modules/es.json.stringify'); -require('../../modules/es.json.to-string-tag'); -var path = require('../../internals/path'); - -// eslint-disable-next-line es/no-json -- safe -module.exports = path.JSON || (path.JSON = { stringify: JSON.stringify }); diff --git a/node_modules/core-js/es/json/stringify.js b/node_modules/core-js/es/json/stringify.js deleted file mode 100644 index 76000e7..0000000 --- a/node_modules/core-js/es/json/stringify.js +++ /dev/null @@ -1,12 +0,0 @@ -'use strict'; -require('../../modules/es.json.stringify'); -var path = require('../../internals/path'); -var apply = require('../../internals/function-apply'); - -// eslint-disable-next-line es/no-json -- safe -if (!path.JSON) path.JSON = { stringify: JSON.stringify }; - -// eslint-disable-next-line no-unused-vars -- required for `.length` -module.exports = function stringify(it, replacer, space) { - return apply(path.JSON.stringify, null, arguments); -}; diff --git a/node_modules/core-js/es/json/to-string-tag.js b/node_modules/core-js/es/json/to-string-tag.js deleted file mode 100644 index 8a8fbcd..0000000 --- a/node_modules/core-js/es/json/to-string-tag.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -require('../../modules/es.json.to-string-tag'); - -module.exports = 'JSON'; diff --git a/node_modules/core-js/es/map/group-by.js b/node_modules/core-js/es/map/group-by.js deleted file mode 100644 index 248935f..0000000 --- a/node_modules/core-js/es/map/group-by.js +++ /dev/null @@ -1,13 +0,0 @@ -'use strict'; -require('../../modules/es.map'); -require('../../modules/es.map.group-by'); -var call = require('../../internals/function-call'); -var isCallable = require('../../internals/is-callable'); -var path = require('../../internals/path'); - -var Map = path.Map; -var mapGroupBy = Map.groupBy; - -module.exports = function groupBy(source, iterable, keyDerivative) { - return call(mapGroupBy, isCallable(this) ? this : Map, source, iterable, keyDerivative); -}; diff --git a/node_modules/core-js/es/map/index.js b/node_modules/core-js/es/map/index.js deleted file mode 100644 index 9dea507..0000000 --- a/node_modules/core-js/es/map/index.js +++ /dev/null @@ -1,9 +0,0 @@ -'use strict'; -require('../../modules/es.array.iterator'); -require('../../modules/es.map'); -require('../../modules/es.map.group-by'); -require('../../modules/es.object.to-string'); -require('../../modules/es.string.iterator'); -var path = require('../../internals/path'); - -module.exports = path.Map; diff --git a/node_modules/core-js/es/math/acosh.js b/node_modules/core-js/es/math/acosh.js deleted file mode 100644 index f9f7797..0000000 --- a/node_modules/core-js/es/math/acosh.js +++ /dev/null @@ -1,5 +0,0 @@ -'use strict'; -require('../../modules/es.math.acosh'); -var path = require('../../internals/path'); - -module.exports = path.Math.acosh; diff --git a/node_modules/core-js/es/math/asinh.js b/node_modules/core-js/es/math/asinh.js deleted file mode 100644 index fcbc193..0000000 --- a/node_modules/core-js/es/math/asinh.js +++ /dev/null @@ -1,5 +0,0 @@ -'use strict'; -require('../../modules/es.math.asinh'); -var path = require('../../internals/path'); - -module.exports = path.Math.asinh; diff --git a/node_modules/core-js/es/math/atanh.js b/node_modules/core-js/es/math/atanh.js deleted file mode 100644 index cab7848..0000000 --- a/node_modules/core-js/es/math/atanh.js +++ /dev/null @@ -1,5 +0,0 @@ -'use strict'; -require('../../modules/es.math.atanh'); -var path = require('../../internals/path'); - -module.exports = path.Math.atanh; diff --git a/node_modules/core-js/es/math/cbrt.js b/node_modules/core-js/es/math/cbrt.js deleted file mode 100644 index 2760a52..0000000 --- a/node_modules/core-js/es/math/cbrt.js +++ /dev/null @@ -1,5 +0,0 @@ -'use strict'; -require('../../modules/es.math.cbrt'); -var path = require('../../internals/path'); - -module.exports = path.Math.cbrt; diff --git a/node_modules/core-js/es/math/clz32.js b/node_modules/core-js/es/math/clz32.js deleted file mode 100644 index ba550ae..0000000 --- a/node_modules/core-js/es/math/clz32.js +++ /dev/null @@ -1,5 +0,0 @@ -'use strict'; -require('../../modules/es.math.clz32'); -var path = require('../../internals/path'); - -module.exports = path.Math.clz32; diff --git a/node_modules/core-js/es/math/cosh.js b/node_modules/core-js/es/math/cosh.js deleted file mode 100644 index 73f9ada..0000000 --- a/node_modules/core-js/es/math/cosh.js +++ /dev/null @@ -1,5 +0,0 @@ -'use strict'; -require('../../modules/es.math.cosh'); -var path = require('../../internals/path'); - -module.exports = path.Math.cosh; diff --git a/node_modules/core-js/es/math/expm1.js b/node_modules/core-js/es/math/expm1.js deleted file mode 100644 index 909cb45..0000000 --- a/node_modules/core-js/es/math/expm1.js +++ /dev/null @@ -1,5 +0,0 @@ -'use strict'; -require('../../modules/es.math.expm1'); -var path = require('../../internals/path'); - -module.exports = path.Math.expm1; diff --git a/node_modules/core-js/es/math/fround.js b/node_modules/core-js/es/math/fround.js deleted file mode 100644 index 25e17ca..0000000 --- a/node_modules/core-js/es/math/fround.js +++ /dev/null @@ -1,5 +0,0 @@ -'use strict'; -require('../../modules/es.math.fround'); -var path = require('../../internals/path'); - -module.exports = path.Math.fround; diff --git a/node_modules/core-js/es/math/hypot.js b/node_modules/core-js/es/math/hypot.js deleted file mode 100644 index 9d476c8..0000000 --- a/node_modules/core-js/es/math/hypot.js +++ /dev/null @@ -1,5 +0,0 @@ -'use strict'; -require('../../modules/es.math.hypot'); -var path = require('../../internals/path'); - -module.exports = path.Math.hypot; diff --git a/node_modules/core-js/es/math/imul.js b/node_modules/core-js/es/math/imul.js deleted file mode 100644 index 4962f30..0000000 --- a/node_modules/core-js/es/math/imul.js +++ /dev/null @@ -1,5 +0,0 @@ -'use strict'; -require('../../modules/es.math.imul'); -var path = require('../../internals/path'); - -module.exports = path.Math.imul; diff --git a/node_modules/core-js/es/math/index.js b/node_modules/core-js/es/math/index.js deleted file mode 100644 index a9e7aa9..0000000 --- a/node_modules/core-js/es/math/index.js +++ /dev/null @@ -1,22 +0,0 @@ -'use strict'; -require('../../modules/es.math.acosh'); -require('../../modules/es.math.asinh'); -require('../../modules/es.math.atanh'); -require('../../modules/es.math.cbrt'); -require('../../modules/es.math.clz32'); -require('../../modules/es.math.cosh'); -require('../../modules/es.math.expm1'); -require('../../modules/es.math.fround'); -require('../../modules/es.math.hypot'); -require('../../modules/es.math.imul'); -require('../../modules/es.math.log10'); -require('../../modules/es.math.log1p'); -require('../../modules/es.math.log2'); -require('../../modules/es.math.sign'); -require('../../modules/es.math.sinh'); -require('../../modules/es.math.tanh'); -require('../../modules/es.math.to-string-tag'); -require('../../modules/es.math.trunc'); -var path = require('../../internals/path'); - -module.exports = path.Math; diff --git a/node_modules/core-js/es/math/log10.js b/node_modules/core-js/es/math/log10.js deleted file mode 100644 index abe3615..0000000 --- a/node_modules/core-js/es/math/log10.js +++ /dev/null @@ -1,5 +0,0 @@ -'use strict'; -require('../../modules/es.math.log10'); -var path = require('../../internals/path'); - -module.exports = path.Math.log10; diff --git a/node_modules/core-js/es/math/log1p.js b/node_modules/core-js/es/math/log1p.js deleted file mode 100644 index ea24c24..0000000 --- a/node_modules/core-js/es/math/log1p.js +++ /dev/null @@ -1,5 +0,0 @@ -'use strict'; -require('../../modules/es.math.log1p'); -var path = require('../../internals/path'); - -module.exports = path.Math.log1p; diff --git a/node_modules/core-js/es/math/log2.js b/node_modules/core-js/es/math/log2.js deleted file mode 100644 index 39aca14..0000000 --- a/node_modules/core-js/es/math/log2.js +++ /dev/null @@ -1,5 +0,0 @@ -'use strict'; -require('../../modules/es.math.log2'); -var path = require('../../internals/path'); - -module.exports = path.Math.log2; diff --git a/node_modules/core-js/es/math/sign.js b/node_modules/core-js/es/math/sign.js deleted file mode 100644 index 7d3c835..0000000 --- a/node_modules/core-js/es/math/sign.js +++ /dev/null @@ -1,5 +0,0 @@ -'use strict'; -require('../../modules/es.math.sign'); -var path = require('../../internals/path'); - -module.exports = path.Math.sign; diff --git a/node_modules/core-js/es/math/sinh.js b/node_modules/core-js/es/math/sinh.js deleted file mode 100644 index 07412d6..0000000 --- a/node_modules/core-js/es/math/sinh.js +++ /dev/null @@ -1,5 +0,0 @@ -'use strict'; -require('../../modules/es.math.sinh'); -var path = require('../../internals/path'); - -module.exports = path.Math.sinh; diff --git a/node_modules/core-js/es/math/tanh.js b/node_modules/core-js/es/math/tanh.js deleted file mode 100644 index 906be86..0000000 --- a/node_modules/core-js/es/math/tanh.js +++ /dev/null @@ -1,5 +0,0 @@ -'use strict'; -require('../../modules/es.math.tanh'); -var path = require('../../internals/path'); - -module.exports = path.Math.tanh; diff --git a/node_modules/core-js/es/math/to-string-tag.js b/node_modules/core-js/es/math/to-string-tag.js deleted file mode 100644 index f59580a..0000000 --- a/node_modules/core-js/es/math/to-string-tag.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -require('../../modules/es.math.to-string-tag'); - -module.exports = 'Math'; diff --git a/node_modules/core-js/es/math/trunc.js b/node_modules/core-js/es/math/trunc.js deleted file mode 100644 index 491a41a..0000000 --- a/node_modules/core-js/es/math/trunc.js +++ /dev/null @@ -1,5 +0,0 @@ -'use strict'; -require('../../modules/es.math.trunc'); -var path = require('../../internals/path'); - -module.exports = path.Math.trunc; diff --git a/node_modules/core-js/es/number/constructor.js b/node_modules/core-js/es/number/constructor.js deleted file mode 100644 index 77d9d6d..0000000 --- a/node_modules/core-js/es/number/constructor.js +++ /dev/null @@ -1,5 +0,0 @@ -'use strict'; -require('../../modules/es.number.constructor'); -var path = require('../../internals/path'); - -module.exports = path.Number; diff --git a/node_modules/core-js/es/number/epsilon.js b/node_modules/core-js/es/number/epsilon.js deleted file mode 100644 index a0405ff..0000000 --- a/node_modules/core-js/es/number/epsilon.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -require('../../modules/es.number.epsilon'); - -module.exports = Math.pow(2, -52); diff --git a/node_modules/core-js/es/number/index.js b/node_modules/core-js/es/number/index.js deleted file mode 100644 index f1eaa61..0000000 --- a/node_modules/core-js/es/number/index.js +++ /dev/null @@ -1,17 +0,0 @@ -'use strict'; -require('../../modules/es.number.constructor'); -require('../../modules/es.number.epsilon'); -require('../../modules/es.number.is-finite'); -require('../../modules/es.number.is-integer'); -require('../../modules/es.number.is-nan'); -require('../../modules/es.number.is-safe-integer'); -require('../../modules/es.number.max-safe-integer'); -require('../../modules/es.number.min-safe-integer'); -require('../../modules/es.number.parse-float'); -require('../../modules/es.number.parse-int'); -require('../../modules/es.number.to-exponential'); -require('../../modules/es.number.to-fixed'); -require('../../modules/es.number.to-precision'); -var path = require('../../internals/path'); - -module.exports = path.Number; diff --git a/node_modules/core-js/es/number/is-finite.js b/node_modules/core-js/es/number/is-finite.js deleted file mode 100644 index c57cd98..0000000 --- a/node_modules/core-js/es/number/is-finite.js +++ /dev/null @@ -1,5 +0,0 @@ -'use strict'; -require('../../modules/es.number.is-finite'); -var path = require('../../internals/path'); - -module.exports = path.Number.isFinite; diff --git a/node_modules/core-js/es/number/is-integer.js b/node_modules/core-js/es/number/is-integer.js deleted file mode 100644 index 9c1e3ce..0000000 --- a/node_modules/core-js/es/number/is-integer.js +++ /dev/null @@ -1,5 +0,0 @@ -'use strict'; -require('../../modules/es.number.is-integer'); -var path = require('../../internals/path'); - -module.exports = path.Number.isInteger; diff --git a/node_modules/core-js/es/number/is-nan.js b/node_modules/core-js/es/number/is-nan.js deleted file mode 100644 index e55780f..0000000 --- a/node_modules/core-js/es/number/is-nan.js +++ /dev/null @@ -1,5 +0,0 @@ -'use strict'; -require('../../modules/es.number.is-nan'); -var path = require('../../internals/path'); - -module.exports = path.Number.isNaN; diff --git a/node_modules/core-js/es/number/is-safe-integer.js b/node_modules/core-js/es/number/is-safe-integer.js deleted file mode 100644 index a83cb0f..0000000 --- a/node_modules/core-js/es/number/is-safe-integer.js +++ /dev/null @@ -1,5 +0,0 @@ -'use strict'; -require('../../modules/es.number.is-safe-integer'); -var path = require('../../internals/path'); - -module.exports = path.Number.isSafeInteger; diff --git a/node_modules/core-js/es/number/max-safe-integer.js b/node_modules/core-js/es/number/max-safe-integer.js deleted file mode 100644 index 68c978c..0000000 --- a/node_modules/core-js/es/number/max-safe-integer.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -require('../../modules/es.number.max-safe-integer'); - -module.exports = 0x1FFFFFFFFFFFFF; diff --git a/node_modules/core-js/es/number/min-safe-integer.js b/node_modules/core-js/es/number/min-safe-integer.js deleted file mode 100644 index 0354566..0000000 --- a/node_modules/core-js/es/number/min-safe-integer.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -require('../../modules/es.number.min-safe-integer'); - -module.exports = -0x1FFFFFFFFFFFFF; diff --git a/node_modules/core-js/es/number/parse-float.js b/node_modules/core-js/es/number/parse-float.js deleted file mode 100644 index 43015af..0000000 --- a/node_modules/core-js/es/number/parse-float.js +++ /dev/null @@ -1,5 +0,0 @@ -'use strict'; -require('../../modules/es.number.parse-float'); -var path = require('../../internals/path'); - -module.exports = path.Number.parseFloat; diff --git a/node_modules/core-js/es/number/parse-int.js b/node_modules/core-js/es/number/parse-int.js deleted file mode 100644 index 90660fc..0000000 --- a/node_modules/core-js/es/number/parse-int.js +++ /dev/null @@ -1,5 +0,0 @@ -'use strict'; -require('../../modules/es.number.parse-int'); -var path = require('../../internals/path'); - -module.exports = path.Number.parseInt; diff --git a/node_modules/core-js/es/number/to-exponential.js b/node_modules/core-js/es/number/to-exponential.js deleted file mode 100644 index cb5f64e..0000000 --- a/node_modules/core-js/es/number/to-exponential.js +++ /dev/null @@ -1,5 +0,0 @@ -'use strict'; -require('../../modules/es.number.to-exponential'); -var entryUnbind = require('../../internals/entry-unbind'); - -module.exports = entryUnbind('Number', 'toExponential'); diff --git a/node_modules/core-js/es/number/to-fixed.js b/node_modules/core-js/es/number/to-fixed.js deleted file mode 100644 index f96050d..0000000 --- a/node_modules/core-js/es/number/to-fixed.js +++ /dev/null @@ -1,5 +0,0 @@ -'use strict'; -require('../../modules/es.number.to-fixed'); -var entryUnbind = require('../../internals/entry-unbind'); - -module.exports = entryUnbind('Number', 'toFixed'); diff --git a/node_modules/core-js/es/number/to-precision.js b/node_modules/core-js/es/number/to-precision.js deleted file mode 100644 index 395353d..0000000 --- a/node_modules/core-js/es/number/to-precision.js +++ /dev/null @@ -1,5 +0,0 @@ -'use strict'; -require('../../modules/es.number.to-precision'); -var entryUnbind = require('../../internals/entry-unbind'); - -module.exports = entryUnbind('Number', 'toPrecision'); diff --git a/node_modules/core-js/es/number/virtual/index.js b/node_modules/core-js/es/number/virtual/index.js deleted file mode 100644 index 1414039..0000000 --- a/node_modules/core-js/es/number/virtual/index.js +++ /dev/null @@ -1,7 +0,0 @@ -'use strict'; -require('../../../modules/es.number.to-exponential'); -require('../../../modules/es.number.to-fixed'); -require('../../../modules/es.number.to-precision'); -var entryVirtual = require('../../../internals/entry-virtual'); - -module.exports = entryVirtual('Number'); diff --git a/node_modules/core-js/es/number/virtual/to-exponential.js b/node_modules/core-js/es/number/virtual/to-exponential.js deleted file mode 100644 index 16c701a..0000000 --- a/node_modules/core-js/es/number/virtual/to-exponential.js +++ /dev/null @@ -1,5 +0,0 @@ -'use strict'; -require('../../../modules/es.number.to-exponential'); -var getBuiltInPrototypeMethod = require('../../../internals/get-built-in-prototype-method'); - -module.exports = getBuiltInPrototypeMethod('Number', 'toExponential'); diff --git a/node_modules/core-js/es/number/virtual/to-fixed.js b/node_modules/core-js/es/number/virtual/to-fixed.js deleted file mode 100644 index 13f923c..0000000 --- a/node_modules/core-js/es/number/virtual/to-fixed.js +++ /dev/null @@ -1,5 +0,0 @@ -'use strict'; -require('../../../modules/es.number.to-fixed'); -var getBuiltInPrototypeMethod = require('../../../internals/get-built-in-prototype-method'); - -module.exports = getBuiltInPrototypeMethod('Number', 'toFixed'); diff --git a/node_modules/core-js/es/number/virtual/to-precision.js b/node_modules/core-js/es/number/virtual/to-precision.js deleted file mode 100644 index 3f14005..0000000 --- a/node_modules/core-js/es/number/virtual/to-precision.js +++ /dev/null @@ -1,5 +0,0 @@ -'use strict'; -require('../../../modules/es.number.to-precision'); -var getBuiltInPrototypeMethod = require('../../../internals/get-built-in-prototype-method'); - -module.exports = getBuiltInPrototypeMethod('Number', 'toPrecision'); diff --git a/node_modules/core-js/es/object/assign.js b/node_modules/core-js/es/object/assign.js deleted file mode 100644 index a65486b..0000000 --- a/node_modules/core-js/es/object/assign.js +++ /dev/null @@ -1,5 +0,0 @@ -'use strict'; -require('../../modules/es.object.assign'); -var path = require('../../internals/path'); - -module.exports = path.Object.assign; diff --git a/node_modules/core-js/es/object/create.js b/node_modules/core-js/es/object/create.js deleted file mode 100644 index 4c8ed6d..0000000 --- a/node_modules/core-js/es/object/create.js +++ /dev/null @@ -1,9 +0,0 @@ -'use strict'; -require('../../modules/es.object.create'); -var path = require('../../internals/path'); - -var Object = path.Object; - -module.exports = function create(P, D) { - return Object.create(P, D); -}; diff --git a/node_modules/core-js/es/object/define-getter.js b/node_modules/core-js/es/object/define-getter.js deleted file mode 100644 index a7073b9..0000000 --- a/node_modules/core-js/es/object/define-getter.js +++ /dev/null @@ -1,5 +0,0 @@ -'use strict'; -require('../../modules/es.object.define-getter'); -var entryUnbind = require('../../internals/entry-unbind'); - -module.exports = entryUnbind('Object', '__defineGetter__'); diff --git a/node_modules/core-js/es/object/define-properties.js b/node_modules/core-js/es/object/define-properties.js deleted file mode 100644 index 6b3959e..0000000 --- a/node_modules/core-js/es/object/define-properties.js +++ /dev/null @@ -1,11 +0,0 @@ -'use strict'; -require('../../modules/es.object.define-properties'); -var path = require('../../internals/path'); - -var Object = path.Object; - -var defineProperties = module.exports = function defineProperties(T, D) { - return Object.defineProperties(T, D); -}; - -if (Object.defineProperties.sham) defineProperties.sham = true; diff --git a/node_modules/core-js/es/object/define-property.js b/node_modules/core-js/es/object/define-property.js deleted file mode 100644 index 26b927b..0000000 --- a/node_modules/core-js/es/object/define-property.js +++ /dev/null @@ -1,11 +0,0 @@ -'use strict'; -require('../../modules/es.object.define-property'); -var path = require('../../internals/path'); - -var Object = path.Object; - -var defineProperty = module.exports = function defineProperty(it, key, desc) { - return Object.defineProperty(it, key, desc); -}; - -if (Object.defineProperty.sham) defineProperty.sham = true; diff --git a/node_modules/core-js/es/object/define-setter.js b/node_modules/core-js/es/object/define-setter.js deleted file mode 100644 index 0b35dec..0000000 --- a/node_modules/core-js/es/object/define-setter.js +++ /dev/null @@ -1,5 +0,0 @@ -'use strict'; -require('../../modules/es.object.define-setter'); -var entryUnbind = require('../../internals/entry-unbind'); - -module.exports = entryUnbind('Object', '__defineSetter__'); diff --git a/node_modules/core-js/es/object/entries.js b/node_modules/core-js/es/object/entries.js deleted file mode 100644 index 5670fe3..0000000 --- a/node_modules/core-js/es/object/entries.js +++ /dev/null @@ -1,5 +0,0 @@ -'use strict'; -require('../../modules/es.object.entries'); -var path = require('../../internals/path'); - -module.exports = path.Object.entries; diff --git a/node_modules/core-js/es/object/freeze.js b/node_modules/core-js/es/object/freeze.js deleted file mode 100644 index f0bc19a..0000000 --- a/node_modules/core-js/es/object/freeze.js +++ /dev/null @@ -1,5 +0,0 @@ -'use strict'; -require('../../modules/es.object.freeze'); -var path = require('../../internals/path'); - -module.exports = path.Object.freeze; diff --git a/node_modules/core-js/es/object/from-entries.js b/node_modules/core-js/es/object/from-entries.js deleted file mode 100644 index 9177fec..0000000 --- a/node_modules/core-js/es/object/from-entries.js +++ /dev/null @@ -1,6 +0,0 @@ -'use strict'; -require('../../modules/es.array.iterator'); -require('../../modules/es.object.from-entries'); -var path = require('../../internals/path'); - -module.exports = path.Object.fromEntries; diff --git a/node_modules/core-js/es/object/get-own-property-descriptor.js b/node_modules/core-js/es/object/get-own-property-descriptor.js deleted file mode 100644 index 069b151..0000000 --- a/node_modules/core-js/es/object/get-own-property-descriptor.js +++ /dev/null @@ -1,11 +0,0 @@ -'use strict'; -require('../../modules/es.object.get-own-property-descriptor'); -var path = require('../../internals/path'); - -var Object = path.Object; - -var getOwnPropertyDescriptor = module.exports = function getOwnPropertyDescriptor(it, key) { - return Object.getOwnPropertyDescriptor(it, key); -}; - -if (Object.getOwnPropertyDescriptor.sham) getOwnPropertyDescriptor.sham = true; diff --git a/node_modules/core-js/es/object/get-own-property-descriptors.js b/node_modules/core-js/es/object/get-own-property-descriptors.js deleted file mode 100644 index 7155192..0000000 --- a/node_modules/core-js/es/object/get-own-property-descriptors.js +++ /dev/null @@ -1,5 +0,0 @@ -'use strict'; -require('../../modules/es.object.get-own-property-descriptors'); -var path = require('../../internals/path'); - -module.exports = path.Object.getOwnPropertyDescriptors; diff --git a/node_modules/core-js/es/object/get-own-property-names.js b/node_modules/core-js/es/object/get-own-property-names.js deleted file mode 100644 index fe438dd..0000000 --- a/node_modules/core-js/es/object/get-own-property-names.js +++ /dev/null @@ -1,9 +0,0 @@ -'use strict'; -require('../../modules/es.object.get-own-property-names'); -var path = require('../../internals/path'); - -var Object = path.Object; - -module.exports = function getOwnPropertyNames(it) { - return Object.getOwnPropertyNames(it); -}; diff --git a/node_modules/core-js/es/object/get-own-property-symbols.js b/node_modules/core-js/es/object/get-own-property-symbols.js deleted file mode 100644 index 5238c78..0000000 --- a/node_modules/core-js/es/object/get-own-property-symbols.js +++ /dev/null @@ -1,5 +0,0 @@ -'use strict'; -require('../../modules/es.symbol'); -var path = require('../../internals/path'); - -module.exports = path.Object.getOwnPropertySymbols; diff --git a/node_modules/core-js/es/object/get-prototype-of.js b/node_modules/core-js/es/object/get-prototype-of.js deleted file mode 100644 index a0af9c6..0000000 --- a/node_modules/core-js/es/object/get-prototype-of.js +++ /dev/null @@ -1,5 +0,0 @@ -'use strict'; -require('../../modules/es.object.get-prototype-of'); -var path = require('../../internals/path'); - -module.exports = path.Object.getPrototypeOf; diff --git a/node_modules/core-js/es/object/group-by.js b/node_modules/core-js/es/object/group-by.js deleted file mode 100644 index 52a006c..0000000 --- a/node_modules/core-js/es/object/group-by.js +++ /dev/null @@ -1,7 +0,0 @@ -'use strict'; -require('../../modules/es.object.create'); -require('../../modules/es.object.group-by'); - -var path = require('../../internals/path'); - -module.exports = path.Object.groupBy; diff --git a/node_modules/core-js/es/object/has-own.js b/node_modules/core-js/es/object/has-own.js deleted file mode 100644 index bf8685c..0000000 --- a/node_modules/core-js/es/object/has-own.js +++ /dev/null @@ -1,5 +0,0 @@ -'use strict'; -require('../../modules/es.object.has-own'); -var path = require('../../internals/path'); - -module.exports = path.Object.hasOwn; diff --git a/node_modules/core-js/es/object/index.js b/node_modules/core-js/es/object/index.js deleted file mode 100644 index 266bb6e..0000000 --- a/node_modules/core-js/es/object/index.js +++ /dev/null @@ -1,36 +0,0 @@ -'use strict'; -require('../../modules/es.symbol'); -require('../../modules/es.object.assign'); -require('../../modules/es.object.create'); -require('../../modules/es.object.define-property'); -require('../../modules/es.object.define-properties'); -require('../../modules/es.object.entries'); -require('../../modules/es.object.freeze'); -require('../../modules/es.object.from-entries'); -require('../../modules/es.object.get-own-property-descriptor'); -require('../../modules/es.object.get-own-property-descriptors'); -require('../../modules/es.object.get-own-property-names'); -require('../../modules/es.object.get-prototype-of'); -require('../../modules/es.object.group-by'); -require('../../modules/es.object.has-own'); -require('../../modules/es.object.is'); -require('../../modules/es.object.is-extensible'); -require('../../modules/es.object.is-frozen'); -require('../../modules/es.object.is-sealed'); -require('../../modules/es.object.keys'); -require('../../modules/es.object.prevent-extensions'); -require('../../modules/es.object.proto'); -require('../../modules/es.object.seal'); -require('../../modules/es.object.set-prototype-of'); -require('../../modules/es.object.values'); -require('../../modules/es.object.to-string'); -require('../../modules/es.object.define-getter'); -require('../../modules/es.object.define-setter'); -require('../../modules/es.object.lookup-getter'); -require('../../modules/es.object.lookup-setter'); -require('../../modules/es.json.to-string-tag'); -require('../../modules/es.math.to-string-tag'); -require('../../modules/es.reflect.to-string-tag'); -var path = require('../../internals/path'); - -module.exports = path.Object; diff --git a/node_modules/core-js/es/object/is-extensible.js b/node_modules/core-js/es/object/is-extensible.js deleted file mode 100644 index 8472a83..0000000 --- a/node_modules/core-js/es/object/is-extensible.js +++ /dev/null @@ -1,5 +0,0 @@ -'use strict'; -require('../../modules/es.object.is-extensible'); -var path = require('../../internals/path'); - -module.exports = path.Object.isExtensible; diff --git a/node_modules/core-js/es/object/is-frozen.js b/node_modules/core-js/es/object/is-frozen.js deleted file mode 100644 index 7ce7848..0000000 --- a/node_modules/core-js/es/object/is-frozen.js +++ /dev/null @@ -1,5 +0,0 @@ -'use strict'; -require('../../modules/es.object.is-frozen'); -var path = require('../../internals/path'); - -module.exports = path.Object.isFrozen; diff --git a/node_modules/core-js/es/object/is-sealed.js b/node_modules/core-js/es/object/is-sealed.js deleted file mode 100644 index d7f4b3d..0000000 --- a/node_modules/core-js/es/object/is-sealed.js +++ /dev/null @@ -1,5 +0,0 @@ -'use strict'; -require('../../modules/es.object.is-sealed'); -var path = require('../../internals/path'); - -module.exports = path.Object.isSealed; diff --git a/node_modules/core-js/es/object/is.js b/node_modules/core-js/es/object/is.js deleted file mode 100644 index 9b0dbc3..0000000 --- a/node_modules/core-js/es/object/is.js +++ /dev/null @@ -1,5 +0,0 @@ -'use strict'; -require('../../modules/es.object.is'); -var path = require('../../internals/path'); - -module.exports = path.Object.is; diff --git a/node_modules/core-js/es/object/keys.js b/node_modules/core-js/es/object/keys.js deleted file mode 100644 index e0c0143..0000000 --- a/node_modules/core-js/es/object/keys.js +++ /dev/null @@ -1,5 +0,0 @@ -'use strict'; -require('../../modules/es.object.keys'); -var path = require('../../internals/path'); - -module.exports = path.Object.keys; diff --git a/node_modules/core-js/es/object/lookup-getter.js b/node_modules/core-js/es/object/lookup-getter.js deleted file mode 100644 index cadd1f3..0000000 --- a/node_modules/core-js/es/object/lookup-getter.js +++ /dev/null @@ -1,5 +0,0 @@ -'use strict'; -require('../../modules/es.object.lookup-getter'); -var entryUnbind = require('../../internals/entry-unbind'); - -module.exports = entryUnbind('Object', '__lookupGetter__'); diff --git a/node_modules/core-js/es/object/lookup-setter.js b/node_modules/core-js/es/object/lookup-setter.js deleted file mode 100644 index 6afc30f..0000000 --- a/node_modules/core-js/es/object/lookup-setter.js +++ /dev/null @@ -1,5 +0,0 @@ -'use strict'; -require('../../modules/es.object.lookup-setter'); -var entryUnbind = require('../../internals/entry-unbind'); - -module.exports = entryUnbind('Object', '__lookupSetter__'); diff --git a/node_modules/core-js/es/object/prevent-extensions.js b/node_modules/core-js/es/object/prevent-extensions.js deleted file mode 100644 index 4c0a44a..0000000 --- a/node_modules/core-js/es/object/prevent-extensions.js +++ /dev/null @@ -1,5 +0,0 @@ -'use strict'; -require('../../modules/es.object.prevent-extensions'); -var path = require('../../internals/path'); - -module.exports = path.Object.preventExtensions; diff --git a/node_modules/core-js/es/object/proto.js b/node_modules/core-js/es/object/proto.js deleted file mode 100644 index 611f168..0000000 --- a/node_modules/core-js/es/object/proto.js +++ /dev/null @@ -1,2 +0,0 @@ -'use strict'; -require('../../modules/es.object.proto'); diff --git a/node_modules/core-js/es/object/seal.js b/node_modules/core-js/es/object/seal.js deleted file mode 100644 index 4da8ba8..0000000 --- a/node_modules/core-js/es/object/seal.js +++ /dev/null @@ -1,5 +0,0 @@ -'use strict'; -require('../../modules/es.object.seal'); -var path = require('../../internals/path'); - -module.exports = path.Object.seal; diff --git a/node_modules/core-js/es/object/set-prototype-of.js b/node_modules/core-js/es/object/set-prototype-of.js deleted file mode 100644 index 2920089..0000000 --- a/node_modules/core-js/es/object/set-prototype-of.js +++ /dev/null @@ -1,5 +0,0 @@ -'use strict'; -require('../../modules/es.object.set-prototype-of'); -var path = require('../../internals/path'); - -module.exports = path.Object.setPrototypeOf; diff --git a/node_modules/core-js/es/object/to-string.js b/node_modules/core-js/es/object/to-string.js deleted file mode 100644 index 76f65f6..0000000 --- a/node_modules/core-js/es/object/to-string.js +++ /dev/null @@ -1,10 +0,0 @@ -'use strict'; -require('../../modules/es.json.to-string-tag'); -require('../../modules/es.math.to-string-tag'); -require('../../modules/es.object.to-string'); -require('../../modules/es.reflect.to-string-tag'); -var classof = require('../../internals/classof'); - -module.exports = function (it) { - return '[object ' + classof(it) + ']'; -}; diff --git a/node_modules/core-js/es/object/values.js b/node_modules/core-js/es/object/values.js deleted file mode 100644 index 6c4f188..0000000 --- a/node_modules/core-js/es/object/values.js +++ /dev/null @@ -1,5 +0,0 @@ -'use strict'; -require('../../modules/es.object.values'); -var path = require('../../internals/path'); - -module.exports = path.Object.values; diff --git a/node_modules/core-js/es/parse-float.js b/node_modules/core-js/es/parse-float.js deleted file mode 100644 index 38fcad1..0000000 --- a/node_modules/core-js/es/parse-float.js +++ /dev/null @@ -1,5 +0,0 @@ -'use strict'; -require('../modules/es.parse-float'); -var path = require('../internals/path'); - -module.exports = path.parseFloat; diff --git a/node_modules/core-js/es/parse-int.js b/node_modules/core-js/es/parse-int.js deleted file mode 100644 index 9859572..0000000 --- a/node_modules/core-js/es/parse-int.js +++ /dev/null @@ -1,5 +0,0 @@ -'use strict'; -require('../modules/es.parse-int'); -var path = require('../internals/path'); - -module.exports = path.parseInt; diff --git a/node_modules/core-js/es/promise/all-settled.js b/node_modules/core-js/es/promise/all-settled.js deleted file mode 100644 index 9f9875e..0000000 --- a/node_modules/core-js/es/promise/all-settled.js +++ /dev/null @@ -1,16 +0,0 @@ -'use strict'; -require('../../modules/es.array.iterator'); -require('../../modules/es.object.to-string'); -require('../../modules/es.promise'); -require('../../modules/es.promise.all-settled'); -require('../../modules/es.string.iterator'); -var call = require('../../internals/function-call'); -var isCallable = require('../../internals/is-callable'); -var path = require('../../internals/path'); - -var Promise = path.Promise; -var $allSettled = Promise.allSettled; - -module.exports = function allSettled(iterable) { - return call($allSettled, isCallable(this) ? this : Promise, iterable); -}; diff --git a/node_modules/core-js/es/promise/any.js b/node_modules/core-js/es/promise/any.js deleted file mode 100644 index 8e49250..0000000 --- a/node_modules/core-js/es/promise/any.js +++ /dev/null @@ -1,17 +0,0 @@ -'use strict'; -require('../../modules/es.aggregate-error'); -require('../../modules/es.array.iterator'); -require('../../modules/es.object.to-string'); -require('../../modules/es.promise'); -require('../../modules/es.promise.any'); -require('../../modules/es.string.iterator'); -var call = require('../../internals/function-call'); -var isCallable = require('../../internals/is-callable'); -var path = require('../../internals/path'); - -var Promise = path.Promise; -var $any = Promise.any; - -module.exports = function any(iterable) { - return call($any, isCallable(this) ? this : Promise, iterable); -}; diff --git a/node_modules/core-js/es/promise/finally.js b/node_modules/core-js/es/promise/finally.js deleted file mode 100644 index 6a07c1a..0000000 --- a/node_modules/core-js/es/promise/finally.js +++ /dev/null @@ -1,7 +0,0 @@ -'use strict'; -require('../../modules/es.object.to-string'); -require('../../modules/es.promise'); -require('../../modules/es.promise.finally'); -var entryUnbind = require('../../internals/entry-unbind'); - -module.exports = entryUnbind('Promise', 'finally'); diff --git a/node_modules/core-js/es/promise/index.js b/node_modules/core-js/es/promise/index.js deleted file mode 100644 index aa570f8..0000000 --- a/node_modules/core-js/es/promise/index.js +++ /dev/null @@ -1,13 +0,0 @@ -'use strict'; -require('../../modules/es.aggregate-error'); -require('../../modules/es.array.iterator'); -require('../../modules/es.object.to-string'); -require('../../modules/es.promise'); -require('../../modules/es.promise.all-settled'); -require('../../modules/es.promise.any'); -require('../../modules/es.promise.with-resolvers'); -require('../../modules/es.promise.finally'); -require('../../modules/es.string.iterator'); -var path = require('../../internals/path'); - -module.exports = path.Promise; diff --git a/node_modules/core-js/es/promise/with-resolvers.js b/node_modules/core-js/es/promise/with-resolvers.js deleted file mode 100644 index 0e2f6a0..0000000 --- a/node_modules/core-js/es/promise/with-resolvers.js +++ /dev/null @@ -1,13 +0,0 @@ -'use strict'; -require('../../modules/es.promise'); -require('../../modules/es.promise.with-resolvers'); -var call = require('../../internals/function-call'); -var isCallable = require('../../internals/is-callable'); -var path = require('../../internals/path'); - -var Promise = path.Promise; -var promiseWithResolvers = Promise.withResolvers; - -module.exports = function withResolvers() { - return call(promiseWithResolvers, isCallable(this) ? this : Promise); -}; diff --git a/node_modules/core-js/es/reflect/apply.js b/node_modules/core-js/es/reflect/apply.js deleted file mode 100644 index 3e20a2d..0000000 --- a/node_modules/core-js/es/reflect/apply.js +++ /dev/null @@ -1,5 +0,0 @@ -'use strict'; -require('../../modules/es.reflect.apply'); -var path = require('../../internals/path'); - -module.exports = path.Reflect.apply; diff --git a/node_modules/core-js/es/reflect/construct.js b/node_modules/core-js/es/reflect/construct.js deleted file mode 100644 index c2118b2..0000000 --- a/node_modules/core-js/es/reflect/construct.js +++ /dev/null @@ -1,5 +0,0 @@ -'use strict'; -require('../../modules/es.reflect.construct'); -var path = require('../../internals/path'); - -module.exports = path.Reflect.construct; diff --git a/node_modules/core-js/es/reflect/define-property.js b/node_modules/core-js/es/reflect/define-property.js deleted file mode 100644 index b2366a7..0000000 --- a/node_modules/core-js/es/reflect/define-property.js +++ /dev/null @@ -1,5 +0,0 @@ -'use strict'; -require('../../modules/es.reflect.define-property'); -var path = require('../../internals/path'); - -module.exports = path.Reflect.defineProperty; diff --git a/node_modules/core-js/es/reflect/delete-property.js b/node_modules/core-js/es/reflect/delete-property.js deleted file mode 100644 index 43f7cc3..0000000 --- a/node_modules/core-js/es/reflect/delete-property.js +++ /dev/null @@ -1,5 +0,0 @@ -'use strict'; -require('../../modules/es.reflect.delete-property'); -var path = require('../../internals/path'); - -module.exports = path.Reflect.deleteProperty; diff --git a/node_modules/core-js/es/reflect/get-own-property-descriptor.js b/node_modules/core-js/es/reflect/get-own-property-descriptor.js deleted file mode 100644 index 2426052..0000000 --- a/node_modules/core-js/es/reflect/get-own-property-descriptor.js +++ /dev/null @@ -1,5 +0,0 @@ -'use strict'; -require('../../modules/es.reflect.get-own-property-descriptor'); -var path = require('../../internals/path'); - -module.exports = path.Reflect.getOwnPropertyDescriptor; diff --git a/node_modules/core-js/es/reflect/get-prototype-of.js b/node_modules/core-js/es/reflect/get-prototype-of.js deleted file mode 100644 index a53ab73..0000000 --- a/node_modules/core-js/es/reflect/get-prototype-of.js +++ /dev/null @@ -1,5 +0,0 @@ -'use strict'; -require('../../modules/es.reflect.get-prototype-of'); -var path = require('../../internals/path'); - -module.exports = path.Reflect.getPrototypeOf; diff --git a/node_modules/core-js/es/reflect/get.js b/node_modules/core-js/es/reflect/get.js deleted file mode 100644 index ec57c08..0000000 --- a/node_modules/core-js/es/reflect/get.js +++ /dev/null @@ -1,5 +0,0 @@ -'use strict'; -require('../../modules/es.reflect.get'); -var path = require('../../internals/path'); - -module.exports = path.Reflect.get; diff --git a/node_modules/core-js/es/reflect/has.js b/node_modules/core-js/es/reflect/has.js deleted file mode 100644 index 70f721b..0000000 --- a/node_modules/core-js/es/reflect/has.js +++ /dev/null @@ -1,5 +0,0 @@ -'use strict'; -require('../../modules/es.reflect.has'); -var path = require('../../internals/path'); - -module.exports = path.Reflect.has; diff --git a/node_modules/core-js/es/reflect/index.js b/node_modules/core-js/es/reflect/index.js deleted file mode 100644 index 0916f6a..0000000 --- a/node_modules/core-js/es/reflect/index.js +++ /dev/null @@ -1,19 +0,0 @@ -'use strict'; -require('../../modules/es.object.to-string'); -require('../../modules/es.reflect.apply'); -require('../../modules/es.reflect.construct'); -require('../../modules/es.reflect.define-property'); -require('../../modules/es.reflect.delete-property'); -require('../../modules/es.reflect.get'); -require('../../modules/es.reflect.get-own-property-descriptor'); -require('../../modules/es.reflect.get-prototype-of'); -require('../../modules/es.reflect.has'); -require('../../modules/es.reflect.is-extensible'); -require('../../modules/es.reflect.own-keys'); -require('../../modules/es.reflect.prevent-extensions'); -require('../../modules/es.reflect.set'); -require('../../modules/es.reflect.set-prototype-of'); -require('../../modules/es.reflect.to-string-tag'); -var path = require('../../internals/path'); - -module.exports = path.Reflect; diff --git a/node_modules/core-js/es/reflect/is-extensible.js b/node_modules/core-js/es/reflect/is-extensible.js deleted file mode 100644 index c234774..0000000 --- a/node_modules/core-js/es/reflect/is-extensible.js +++ /dev/null @@ -1,5 +0,0 @@ -'use strict'; -require('../../modules/es.reflect.is-extensible'); -var path = require('../../internals/path'); - -module.exports = path.Reflect.isExtensible; diff --git a/node_modules/core-js/es/reflect/own-keys.js b/node_modules/core-js/es/reflect/own-keys.js deleted file mode 100644 index 15a75b2..0000000 --- a/node_modules/core-js/es/reflect/own-keys.js +++ /dev/null @@ -1,5 +0,0 @@ -'use strict'; -require('../../modules/es.reflect.own-keys'); -var path = require('../../internals/path'); - -module.exports = path.Reflect.ownKeys; diff --git a/node_modules/core-js/es/reflect/prevent-extensions.js b/node_modules/core-js/es/reflect/prevent-extensions.js deleted file mode 100644 index e5a758e..0000000 --- a/node_modules/core-js/es/reflect/prevent-extensions.js +++ /dev/null @@ -1,5 +0,0 @@ -'use strict'; -require('../../modules/es.reflect.prevent-extensions'); -var path = require('../../internals/path'); - -module.exports = path.Reflect.preventExtensions; diff --git a/node_modules/core-js/es/reflect/set-prototype-of.js b/node_modules/core-js/es/reflect/set-prototype-of.js deleted file mode 100644 index 7fa3db9..0000000 --- a/node_modules/core-js/es/reflect/set-prototype-of.js +++ /dev/null @@ -1,5 +0,0 @@ -'use strict'; -require('../../modules/es.reflect.set-prototype-of'); -var path = require('../../internals/path'); - -module.exports = path.Reflect.setPrototypeOf; diff --git a/node_modules/core-js/es/reflect/set.js b/node_modules/core-js/es/reflect/set.js deleted file mode 100644 index ffaaef7..0000000 --- a/node_modules/core-js/es/reflect/set.js +++ /dev/null @@ -1,5 +0,0 @@ -'use strict'; -require('../../modules/es.reflect.set'); -var path = require('../../internals/path'); - -module.exports = path.Reflect.set; diff --git a/node_modules/core-js/es/reflect/to-string-tag.js b/node_modules/core-js/es/reflect/to-string-tag.js deleted file mode 100644 index be533d0..0000000 --- a/node_modules/core-js/es/reflect/to-string-tag.js +++ /dev/null @@ -1,5 +0,0 @@ -'use strict'; -require('../../modules/es.object.to-string'); -require('../../modules/es.reflect.to-string-tag'); - -module.exports = 'Reflect'; diff --git a/node_modules/core-js/es/regexp/constructor.js b/node_modules/core-js/es/regexp/constructor.js deleted file mode 100644 index 6c5d1e1..0000000 --- a/node_modules/core-js/es/regexp/constructor.js +++ /dev/null @@ -1,7 +0,0 @@ -'use strict'; -require('../../modules/es.regexp.constructor'); -require('../../modules/es.regexp.dot-all'); -require('../../modules/es.regexp.exec'); -require('../../modules/es.regexp.sticky'); - -module.exports = RegExp; diff --git a/node_modules/core-js/es/regexp/dot-all.js b/node_modules/core-js/es/regexp/dot-all.js deleted file mode 100644 index 10f2571..0000000 --- a/node_modules/core-js/es/regexp/dot-all.js +++ /dev/null @@ -1,8 +0,0 @@ -'use strict'; -require('../../modules/es.regexp.constructor'); -require('../../modules/es.regexp.dot-all'); -require('../../modules/es.regexp.exec'); - -module.exports = function (it) { - return it.dotAll; -}; diff --git a/node_modules/core-js/es/regexp/flags.js b/node_modules/core-js/es/regexp/flags.js deleted file mode 100644 index cda54e4..0000000 --- a/node_modules/core-js/es/regexp/flags.js +++ /dev/null @@ -1,5 +0,0 @@ -'use strict'; -require('../../modules/es.regexp.flags'); -var getRegExpFlags = require('../../internals/regexp-get-flags'); - -module.exports = getRegExpFlags; diff --git a/node_modules/core-js/es/regexp/index.js b/node_modules/core-js/es/regexp/index.js deleted file mode 100644 index 27c4121..0000000 --- a/node_modules/core-js/es/regexp/index.js +++ /dev/null @@ -1,12 +0,0 @@ -'use strict'; -require('../../modules/es.regexp.constructor'); -require('../../modules/es.regexp.to-string'); -require('../../modules/es.regexp.dot-all'); -require('../../modules/es.regexp.exec'); -require('../../modules/es.regexp.flags'); -require('../../modules/es.regexp.sticky'); -require('../../modules/es.regexp.test'); -require('../../modules/es.string.match'); -require('../../modules/es.string.replace'); -require('../../modules/es.string.search'); -require('../../modules/es.string.split'); diff --git a/node_modules/core-js/es/regexp/match.js b/node_modules/core-js/es/regexp/match.js deleted file mode 100644 index 48803ce..0000000 --- a/node_modules/core-js/es/regexp/match.js +++ /dev/null @@ -1,11 +0,0 @@ -'use strict'; -require('../../modules/es.regexp.exec'); -require('../../modules/es.string.match'); -var call = require('../../internals/function-call'); -var wellKnownSymbol = require('../../internals/well-known-symbol'); - -var MATCH = wellKnownSymbol('match'); - -module.exports = function (it, str) { - return call(RegExp.prototype[MATCH], it, str); -}; diff --git a/node_modules/core-js/es/regexp/replace.js b/node_modules/core-js/es/regexp/replace.js deleted file mode 100644 index f118204..0000000 --- a/node_modules/core-js/es/regexp/replace.js +++ /dev/null @@ -1,11 +0,0 @@ -'use strict'; -require('../../modules/es.regexp.exec'); -require('../../modules/es.string.replace'); -var call = require('../../internals/function-call'); -var wellKnownSymbol = require('../../internals/well-known-symbol'); - -var REPLACE = wellKnownSymbol('replace'); - -module.exports = function (it, str, replacer) { - return call(RegExp.prototype[REPLACE], it, str, replacer); -}; diff --git a/node_modules/core-js/es/regexp/search.js b/node_modules/core-js/es/regexp/search.js deleted file mode 100644 index ef3edf0..0000000 --- a/node_modules/core-js/es/regexp/search.js +++ /dev/null @@ -1,11 +0,0 @@ -'use strict'; -require('../../modules/es.regexp.exec'); -require('../../modules/es.string.search'); -var call = require('../../internals/function-call'); -var wellKnownSymbol = require('../../internals/well-known-symbol'); - -var SEARCH = wellKnownSymbol('search'); - -module.exports = function (it, str) { - return call(RegExp.prototype[SEARCH], it, str); -}; diff --git a/node_modules/core-js/es/regexp/split.js b/node_modules/core-js/es/regexp/split.js deleted file mode 100644 index 91cbd2c..0000000 --- a/node_modules/core-js/es/regexp/split.js +++ /dev/null @@ -1,11 +0,0 @@ -'use strict'; -require('../../modules/es.regexp.exec'); -require('../../modules/es.string.split'); -var call = require('../../internals/function-call'); -var wellKnownSymbol = require('../../internals/well-known-symbol'); - -var SPLIT = wellKnownSymbol('split'); - -module.exports = function (it, str, limit) { - return call(RegExp.prototype[SPLIT], it, str, limit); -}; diff --git a/node_modules/core-js/es/regexp/sticky.js b/node_modules/core-js/es/regexp/sticky.js deleted file mode 100644 index 9726f3d..0000000 --- a/node_modules/core-js/es/regexp/sticky.js +++ /dev/null @@ -1,8 +0,0 @@ -'use strict'; -require('../../modules/es.regexp.constructor'); -require('../../modules/es.regexp.exec'); -require('../../modules/es.regexp.sticky'); - -module.exports = function (it) { - return it.sticky; -}; diff --git a/node_modules/core-js/es/regexp/test.js b/node_modules/core-js/es/regexp/test.js deleted file mode 100644 index cc779f4..0000000 --- a/node_modules/core-js/es/regexp/test.js +++ /dev/null @@ -1,6 +0,0 @@ -'use strict'; -require('../../modules/es.regexp.exec'); -require('../../modules/es.regexp.test'); -var uncurryThis = require('../../internals/function-uncurry-this'); - -module.exports = uncurryThis(/./.test); diff --git a/node_modules/core-js/es/regexp/to-string.js b/node_modules/core-js/es/regexp/to-string.js deleted file mode 100644 index c42ce3e..0000000 --- a/node_modules/core-js/es/regexp/to-string.js +++ /dev/null @@ -1,5 +0,0 @@ -'use strict'; -require('../../modules/es.regexp.to-string'); -var uncurryThis = require('../../internals/function-uncurry-this'); - -module.exports = uncurryThis(/./.toString); diff --git a/node_modules/core-js/es/set/index.js b/node_modules/core-js/es/set/index.js deleted file mode 100644 index b1b8f00..0000000 --- a/node_modules/core-js/es/set/index.js +++ /dev/null @@ -1,8 +0,0 @@ -'use strict'; -require('../../modules/es.array.iterator'); -require('../../modules/es.object.to-string'); -require('../../modules/es.set'); -require('../../modules/es.string.iterator'); -var path = require('../../internals/path'); - -module.exports = path.Set; diff --git a/node_modules/core-js/es/string/anchor.js b/node_modules/core-js/es/string/anchor.js deleted file mode 100644 index 627f397..0000000 --- a/node_modules/core-js/es/string/anchor.js +++ /dev/null @@ -1,5 +0,0 @@ -'use strict'; -require('../../modules/es.string.anchor'); -var entryUnbind = require('../../internals/entry-unbind'); - -module.exports = entryUnbind('String', 'anchor'); diff --git a/node_modules/core-js/es/string/at.js b/node_modules/core-js/es/string/at.js deleted file mode 100644 index 1183270..0000000 --- a/node_modules/core-js/es/string/at.js +++ /dev/null @@ -1,5 +0,0 @@ -'use strict'; -require('../../modules/es.string.at-alternative'); -var entryUnbind = require('../../internals/entry-unbind'); - -module.exports = entryUnbind('String', 'at'); diff --git a/node_modules/core-js/es/string/big.js b/node_modules/core-js/es/string/big.js deleted file mode 100644 index 08cc112..0000000 --- a/node_modules/core-js/es/string/big.js +++ /dev/null @@ -1,5 +0,0 @@ -'use strict'; -require('../../modules/es.string.big'); -var entryUnbind = require('../../internals/entry-unbind'); - -module.exports = entryUnbind('String', 'big'); diff --git a/node_modules/core-js/es/string/blink.js b/node_modules/core-js/es/string/blink.js deleted file mode 100644 index 2741fb4..0000000 --- a/node_modules/core-js/es/string/blink.js +++ /dev/null @@ -1,5 +0,0 @@ -'use strict'; -require('../../modules/es.string.blink'); -var entryUnbind = require('../../internals/entry-unbind'); - -module.exports = entryUnbind('String', 'blink'); diff --git a/node_modules/core-js/es/string/bold.js b/node_modules/core-js/es/string/bold.js deleted file mode 100644 index 24065f7..0000000 --- a/node_modules/core-js/es/string/bold.js +++ /dev/null @@ -1,5 +0,0 @@ -'use strict'; -require('../../modules/es.string.bold'); -var entryUnbind = require('../../internals/entry-unbind'); - -module.exports = entryUnbind('String', 'bold'); diff --git a/node_modules/core-js/es/string/code-point-at.js b/node_modules/core-js/es/string/code-point-at.js deleted file mode 100644 index 7a6bc5c..0000000 --- a/node_modules/core-js/es/string/code-point-at.js +++ /dev/null @@ -1,5 +0,0 @@ -'use strict'; -require('../../modules/es.string.code-point-at'); -var entryUnbind = require('../../internals/entry-unbind'); - -module.exports = entryUnbind('String', 'codePointAt'); diff --git a/node_modules/core-js/es/string/ends-with.js b/node_modules/core-js/es/string/ends-with.js deleted file mode 100644 index d598020..0000000 --- a/node_modules/core-js/es/string/ends-with.js +++ /dev/null @@ -1,5 +0,0 @@ -'use strict'; -require('../../modules/es.string.ends-with'); -var entryUnbind = require('../../internals/entry-unbind'); - -module.exports = entryUnbind('String', 'endsWith'); diff --git a/node_modules/core-js/es/string/fixed.js b/node_modules/core-js/es/string/fixed.js deleted file mode 100644 index 9d70348..0000000 --- a/node_modules/core-js/es/string/fixed.js +++ /dev/null @@ -1,5 +0,0 @@ -'use strict'; -require('../../modules/es.string.fixed'); -var entryUnbind = require('../../internals/entry-unbind'); - -module.exports = entryUnbind('String', 'fixed'); diff --git a/node_modules/core-js/es/string/fontcolor.js b/node_modules/core-js/es/string/fontcolor.js deleted file mode 100644 index 056c07d..0000000 --- a/node_modules/core-js/es/string/fontcolor.js +++ /dev/null @@ -1,5 +0,0 @@ -'use strict'; -require('../../modules/es.string.fontcolor'); -var entryUnbind = require('../../internals/entry-unbind'); - -module.exports = entryUnbind('String', 'fontcolor'); diff --git a/node_modules/core-js/es/string/fontsize.js b/node_modules/core-js/es/string/fontsize.js deleted file mode 100644 index 8784d06..0000000 --- a/node_modules/core-js/es/string/fontsize.js +++ /dev/null @@ -1,5 +0,0 @@ -'use strict'; -require('../../modules/es.string.fontsize'); -var entryUnbind = require('../../internals/entry-unbind'); - -module.exports = entryUnbind('String', 'fontsize'); diff --git a/node_modules/core-js/es/string/from-code-point.js b/node_modules/core-js/es/string/from-code-point.js deleted file mode 100644 index 93ba4ce..0000000 --- a/node_modules/core-js/es/string/from-code-point.js +++ /dev/null @@ -1,5 +0,0 @@ -'use strict'; -require('../../modules/es.string.from-code-point'); -var path = require('../../internals/path'); - -module.exports = path.String.fromCodePoint; diff --git a/node_modules/core-js/es/string/includes.js b/node_modules/core-js/es/string/includes.js deleted file mode 100644 index 0b6f480..0000000 --- a/node_modules/core-js/es/string/includes.js +++ /dev/null @@ -1,5 +0,0 @@ -'use strict'; -require('../../modules/es.string.includes'); -var entryUnbind = require('../../internals/entry-unbind'); - -module.exports = entryUnbind('String', 'includes'); diff --git a/node_modules/core-js/es/string/index.js b/node_modules/core-js/es/string/index.js deleted file mode 100644 index 6529e2d..0000000 --- a/node_modules/core-js/es/string/index.js +++ /dev/null @@ -1,42 +0,0 @@ -'use strict'; -require('../../modules/es.object.to-string'); -require('../../modules/es.regexp.exec'); -require('../../modules/es.string.from-code-point'); -require('../../modules/es.string.raw'); -require('../../modules/es.string.code-point-at'); -require('../../modules/es.string.at-alternative'); -require('../../modules/es.string.ends-with'); -require('../../modules/es.string.includes'); -require('../../modules/es.string.is-well-formed'); -require('../../modules/es.string.match'); -require('../../modules/es.string.match-all'); -require('../../modules/es.string.pad-end'); -require('../../modules/es.string.pad-start'); -require('../../modules/es.string.repeat'); -require('../../modules/es.string.replace'); -require('../../modules/es.string.replace-all'); -require('../../modules/es.string.search'); -require('../../modules/es.string.split'); -require('../../modules/es.string.starts-with'); -require('../../modules/es.string.substr'); -require('../../modules/es.string.to-well-formed'); -require('../../modules/es.string.trim'); -require('../../modules/es.string.trim-start'); -require('../../modules/es.string.trim-end'); -require('../../modules/es.string.iterator'); -require('../../modules/es.string.anchor'); -require('../../modules/es.string.big'); -require('../../modules/es.string.blink'); -require('../../modules/es.string.bold'); -require('../../modules/es.string.fixed'); -require('../../modules/es.string.fontcolor'); -require('../../modules/es.string.fontsize'); -require('../../modules/es.string.italics'); -require('../../modules/es.string.link'); -require('../../modules/es.string.small'); -require('../../modules/es.string.strike'); -require('../../modules/es.string.sub'); -require('../../modules/es.string.sup'); -var path = require('../../internals/path'); - -module.exports = path.String; diff --git a/node_modules/core-js/es/string/is-well-formed.js b/node_modules/core-js/es/string/is-well-formed.js deleted file mode 100644 index 6504ed0..0000000 --- a/node_modules/core-js/es/string/is-well-formed.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -require('../../modules/es.string.is-well-formed'); - -module.exports = require('../../internals/entry-unbind')('String', 'isWellFormed'); diff --git a/node_modules/core-js/es/string/italics.js b/node_modules/core-js/es/string/italics.js deleted file mode 100644 index 0d5b42c..0000000 --- a/node_modules/core-js/es/string/italics.js +++ /dev/null @@ -1,5 +0,0 @@ -'use strict'; -require('../../modules/es.string.italics'); -var entryUnbind = require('../../internals/entry-unbind'); - -module.exports = entryUnbind('String', 'italics'); diff --git a/node_modules/core-js/es/string/iterator.js b/node_modules/core-js/es/string/iterator.js deleted file mode 100644 index 3b1e83b..0000000 --- a/node_modules/core-js/es/string/iterator.js +++ /dev/null @@ -1,7 +0,0 @@ -'use strict'; -require('../../modules/es.object.to-string'); -require('../../modules/es.string.iterator'); -var uncurryThis = require('../../internals/function-uncurry-this'); -var Iterators = require('../../internals/iterators'); - -module.exports = uncurryThis(Iterators.String); diff --git a/node_modules/core-js/es/string/link.js b/node_modules/core-js/es/string/link.js deleted file mode 100644 index d40cc6d..0000000 --- a/node_modules/core-js/es/string/link.js +++ /dev/null @@ -1,5 +0,0 @@ -'use strict'; -require('../../modules/es.string.link'); -var entryUnbind = require('../../internals/entry-unbind'); - -module.exports = entryUnbind('String', 'link'); diff --git a/node_modules/core-js/es/string/match-all.js b/node_modules/core-js/es/string/match-all.js deleted file mode 100644 index d51c037..0000000 --- a/node_modules/core-js/es/string/match-all.js +++ /dev/null @@ -1,7 +0,0 @@ -'use strict'; -require('../../modules/es.object.to-string'); -require('../../modules/es.regexp.exec'); -require('../../modules/es.string.match-all'); -var entryUnbind = require('../../internals/entry-unbind'); - -module.exports = entryUnbind('String', 'matchAll'); diff --git a/node_modules/core-js/es/string/match.js b/node_modules/core-js/es/string/match.js deleted file mode 100644 index 2aeded5..0000000 --- a/node_modules/core-js/es/string/match.js +++ /dev/null @@ -1,6 +0,0 @@ -'use strict'; -require('../../modules/es.regexp.exec'); -require('../../modules/es.string.match'); -var entryUnbind = require('../../internals/entry-unbind'); - -module.exports = entryUnbind('String', 'match'); diff --git a/node_modules/core-js/es/string/pad-end.js b/node_modules/core-js/es/string/pad-end.js deleted file mode 100644 index f631635..0000000 --- a/node_modules/core-js/es/string/pad-end.js +++ /dev/null @@ -1,5 +0,0 @@ -'use strict'; -require('../../modules/es.string.pad-end'); -var entryUnbind = require('../../internals/entry-unbind'); - -module.exports = entryUnbind('String', 'padEnd'); diff --git a/node_modules/core-js/es/string/pad-start.js b/node_modules/core-js/es/string/pad-start.js deleted file mode 100644 index e4e2e4d..0000000 --- a/node_modules/core-js/es/string/pad-start.js +++ /dev/null @@ -1,5 +0,0 @@ -'use strict'; -require('../../modules/es.string.pad-start'); -var entryUnbind = require('../../internals/entry-unbind'); - -module.exports = entryUnbind('String', 'padStart'); diff --git a/node_modules/core-js/es/string/raw.js b/node_modules/core-js/es/string/raw.js deleted file mode 100644 index 3da9761..0000000 --- a/node_modules/core-js/es/string/raw.js +++ /dev/null @@ -1,5 +0,0 @@ -'use strict'; -require('../../modules/es.string.raw'); -var path = require('../../internals/path'); - -module.exports = path.String.raw; diff --git a/node_modules/core-js/es/string/repeat.js b/node_modules/core-js/es/string/repeat.js deleted file mode 100644 index dd725d2..0000000 --- a/node_modules/core-js/es/string/repeat.js +++ /dev/null @@ -1,5 +0,0 @@ -'use strict'; -require('../../modules/es.string.repeat'); -var entryUnbind = require('../../internals/entry-unbind'); - -module.exports = entryUnbind('String', 'repeat'); diff --git a/node_modules/core-js/es/string/replace-all.js b/node_modules/core-js/es/string/replace-all.js deleted file mode 100644 index 36ff09f..0000000 --- a/node_modules/core-js/es/string/replace-all.js +++ /dev/null @@ -1,7 +0,0 @@ -'use strict'; -require('../../modules/es.regexp.exec'); -require('../../modules/es.string.replace'); -require('../../modules/es.string.replace-all'); -var entryUnbind = require('../../internals/entry-unbind'); - -module.exports = entryUnbind('String', 'replaceAll'); diff --git a/node_modules/core-js/es/string/replace.js b/node_modules/core-js/es/string/replace.js deleted file mode 100644 index 724b811..0000000 --- a/node_modules/core-js/es/string/replace.js +++ /dev/null @@ -1,6 +0,0 @@ -'use strict'; -require('../../modules/es.regexp.exec'); -require('../../modules/es.string.replace'); -var entryUnbind = require('../../internals/entry-unbind'); - -module.exports = entryUnbind('String', 'replace'); diff --git a/node_modules/core-js/es/string/search.js b/node_modules/core-js/es/string/search.js deleted file mode 100644 index d85960c..0000000 --- a/node_modules/core-js/es/string/search.js +++ /dev/null @@ -1,6 +0,0 @@ -'use strict'; -require('../../modules/es.regexp.exec'); -require('../../modules/es.string.search'); -var entryUnbind = require('../../internals/entry-unbind'); - -module.exports = entryUnbind('String', 'search'); diff --git a/node_modules/core-js/es/string/small.js b/node_modules/core-js/es/string/small.js deleted file mode 100644 index 1d5bd50..0000000 --- a/node_modules/core-js/es/string/small.js +++ /dev/null @@ -1,5 +0,0 @@ -'use strict'; -require('../../modules/es.string.small'); -var entryUnbind = require('../../internals/entry-unbind'); - -module.exports = entryUnbind('String', 'small'); diff --git a/node_modules/core-js/es/string/split.js b/node_modules/core-js/es/string/split.js deleted file mode 100644 index e449df0..0000000 --- a/node_modules/core-js/es/string/split.js +++ /dev/null @@ -1,6 +0,0 @@ -'use strict'; -require('../../modules/es.regexp.exec'); -require('../../modules/es.string.split'); -var entryUnbind = require('../../internals/entry-unbind'); - -module.exports = entryUnbind('String', 'split'); diff --git a/node_modules/core-js/es/string/starts-with.js b/node_modules/core-js/es/string/starts-with.js deleted file mode 100644 index ebf96ad..0000000 --- a/node_modules/core-js/es/string/starts-with.js +++ /dev/null @@ -1,5 +0,0 @@ -'use strict'; -require('../../modules/es.string.starts-with'); -var entryUnbind = require('../../internals/entry-unbind'); - -module.exports = entryUnbind('String', 'startsWith'); diff --git a/node_modules/core-js/es/string/strike.js b/node_modules/core-js/es/string/strike.js deleted file mode 100644 index 0ea8a3a..0000000 --- a/node_modules/core-js/es/string/strike.js +++ /dev/null @@ -1,5 +0,0 @@ -'use strict'; -require('../../modules/es.string.strike'); -var entryUnbind = require('../../internals/entry-unbind'); - -module.exports = entryUnbind('String', 'strike'); diff --git a/node_modules/core-js/es/string/sub.js b/node_modules/core-js/es/string/sub.js deleted file mode 100644 index 9ba0d45..0000000 --- a/node_modules/core-js/es/string/sub.js +++ /dev/null @@ -1,5 +0,0 @@ -'use strict'; -require('../../modules/es.string.sub'); -var entryUnbind = require('../../internals/entry-unbind'); - -module.exports = entryUnbind('String', 'sub'); diff --git a/node_modules/core-js/es/string/substr.js b/node_modules/core-js/es/string/substr.js deleted file mode 100644 index 6159b9e..0000000 --- a/node_modules/core-js/es/string/substr.js +++ /dev/null @@ -1,5 +0,0 @@ -'use strict'; -require('../../modules/es.string.substr'); -var entryUnbind = require('../../internals/entry-unbind'); - -module.exports = entryUnbind('String', 'substr'); diff --git a/node_modules/core-js/es/string/sup.js b/node_modules/core-js/es/string/sup.js deleted file mode 100644 index fd0a477..0000000 --- a/node_modules/core-js/es/string/sup.js +++ /dev/null @@ -1,5 +0,0 @@ -'use strict'; -require('../../modules/es.string.sup'); -var entryUnbind = require('../../internals/entry-unbind'); - -module.exports = entryUnbind('String', 'sup'); diff --git a/node_modules/core-js/es/string/to-well-formed.js b/node_modules/core-js/es/string/to-well-formed.js deleted file mode 100644 index 151870a..0000000 --- a/node_modules/core-js/es/string/to-well-formed.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -require('../../modules/es.string.to-well-formed'); - -module.exports = require('../../internals/entry-unbind')('String', 'toWellFormed'); diff --git a/node_modules/core-js/es/string/trim-end.js b/node_modules/core-js/es/string/trim-end.js deleted file mode 100644 index 1ca5a97..0000000 --- a/node_modules/core-js/es/string/trim-end.js +++ /dev/null @@ -1,5 +0,0 @@ -'use strict'; -require('../../modules/es.string.trim-end'); -var entryUnbind = require('../../internals/entry-unbind'); - -module.exports = entryUnbind('String', 'trimRight'); diff --git a/node_modules/core-js/es/string/trim-left.js b/node_modules/core-js/es/string/trim-left.js deleted file mode 100644 index ea85dd9..0000000 --- a/node_modules/core-js/es/string/trim-left.js +++ /dev/null @@ -1,5 +0,0 @@ -'use strict'; -require('../../modules/es.string.trim-start'); -var entryUnbind = require('../../internals/entry-unbind'); - -module.exports = entryUnbind('String', 'trimLeft'); diff --git a/node_modules/core-js/es/string/trim-right.js b/node_modules/core-js/es/string/trim-right.js deleted file mode 100644 index 1ca5a97..0000000 --- a/node_modules/core-js/es/string/trim-right.js +++ /dev/null @@ -1,5 +0,0 @@ -'use strict'; -require('../../modules/es.string.trim-end'); -var entryUnbind = require('../../internals/entry-unbind'); - -module.exports = entryUnbind('String', 'trimRight'); diff --git a/node_modules/core-js/es/string/trim-start.js b/node_modules/core-js/es/string/trim-start.js deleted file mode 100644 index ea85dd9..0000000 --- a/node_modules/core-js/es/string/trim-start.js +++ /dev/null @@ -1,5 +0,0 @@ -'use strict'; -require('../../modules/es.string.trim-start'); -var entryUnbind = require('../../internals/entry-unbind'); - -module.exports = entryUnbind('String', 'trimLeft'); diff --git a/node_modules/core-js/es/string/trim.js b/node_modules/core-js/es/string/trim.js deleted file mode 100644 index 4ae27eb..0000000 --- a/node_modules/core-js/es/string/trim.js +++ /dev/null @@ -1,5 +0,0 @@ -'use strict'; -require('../../modules/es.string.trim'); -var entryUnbind = require('../../internals/entry-unbind'); - -module.exports = entryUnbind('String', 'trim'); diff --git a/node_modules/core-js/es/string/virtual/anchor.js b/node_modules/core-js/es/string/virtual/anchor.js deleted file mode 100644 index fc4dce9..0000000 --- a/node_modules/core-js/es/string/virtual/anchor.js +++ /dev/null @@ -1,5 +0,0 @@ -'use strict'; -require('../../../modules/es.string.anchor'); -var getBuiltInPrototypeMethod = require('../../../internals/get-built-in-prototype-method'); - -module.exports = getBuiltInPrototypeMethod('String', 'anchor'); diff --git a/node_modules/core-js/es/string/virtual/at.js b/node_modules/core-js/es/string/virtual/at.js deleted file mode 100644 index bea638a..0000000 --- a/node_modules/core-js/es/string/virtual/at.js +++ /dev/null @@ -1,5 +0,0 @@ -'use strict'; -require('../../../modules/es.string.at-alternative'); -var getBuiltInPrototypeMethod = require('../../../internals/get-built-in-prototype-method'); - -module.exports = getBuiltInPrototypeMethod('String', 'at'); diff --git a/node_modules/core-js/es/string/virtual/big.js b/node_modules/core-js/es/string/virtual/big.js deleted file mode 100644 index 07d2c7c..0000000 --- a/node_modules/core-js/es/string/virtual/big.js +++ /dev/null @@ -1,5 +0,0 @@ -'use strict'; -require('../../../modules/es.string.big'); -var getBuiltInPrototypeMethod = require('../../../internals/get-built-in-prototype-method'); - -module.exports = getBuiltInPrototypeMethod('String', 'big'); diff --git a/node_modules/core-js/es/string/virtual/blink.js b/node_modules/core-js/es/string/virtual/blink.js deleted file mode 100644 index dddf5b0..0000000 --- a/node_modules/core-js/es/string/virtual/blink.js +++ /dev/null @@ -1,5 +0,0 @@ -'use strict'; -require('../../../modules/es.string.blink'); -var getBuiltInPrototypeMethod = require('../../../internals/get-built-in-prototype-method'); - -module.exports = getBuiltInPrototypeMethod('String', 'blink'); diff --git a/node_modules/core-js/es/string/virtual/bold.js b/node_modules/core-js/es/string/virtual/bold.js deleted file mode 100644 index 7c74a78..0000000 --- a/node_modules/core-js/es/string/virtual/bold.js +++ /dev/null @@ -1,5 +0,0 @@ -'use strict'; -require('../../../modules/es.string.bold'); -var getBuiltInPrototypeMethod = require('../../../internals/get-built-in-prototype-method'); - -module.exports = getBuiltInPrototypeMethod('String', 'bold'); diff --git a/node_modules/core-js/es/string/virtual/code-point-at.js b/node_modules/core-js/es/string/virtual/code-point-at.js deleted file mode 100644 index 593ef4c..0000000 --- a/node_modules/core-js/es/string/virtual/code-point-at.js +++ /dev/null @@ -1,5 +0,0 @@ -'use strict'; -require('../../../modules/es.string.code-point-at'); -var getBuiltInPrototypeMethod = require('../../../internals/get-built-in-prototype-method'); - -module.exports = getBuiltInPrototypeMethod('String', 'codePointAt'); diff --git a/node_modules/core-js/es/string/virtual/ends-with.js b/node_modules/core-js/es/string/virtual/ends-with.js deleted file mode 100644 index a45a986..0000000 --- a/node_modules/core-js/es/string/virtual/ends-with.js +++ /dev/null @@ -1,5 +0,0 @@ -'use strict'; -require('../../../modules/es.string.ends-with'); -var getBuiltInPrototypeMethod = require('../../../internals/get-built-in-prototype-method'); - -module.exports = getBuiltInPrototypeMethod('String', 'endsWith'); diff --git a/node_modules/core-js/es/string/virtual/fixed.js b/node_modules/core-js/es/string/virtual/fixed.js deleted file mode 100644 index bbde9c3..0000000 --- a/node_modules/core-js/es/string/virtual/fixed.js +++ /dev/null @@ -1,5 +0,0 @@ -'use strict'; -require('../../../modules/es.string.fixed'); -var getBuiltInPrototypeMethod = require('../../../internals/get-built-in-prototype-method'); - -module.exports = getBuiltInPrototypeMethod('String', 'fixed'); diff --git a/node_modules/core-js/es/string/virtual/fontcolor.js b/node_modules/core-js/es/string/virtual/fontcolor.js deleted file mode 100644 index d5f9568..0000000 --- a/node_modules/core-js/es/string/virtual/fontcolor.js +++ /dev/null @@ -1,5 +0,0 @@ -'use strict'; -require('../../../modules/es.string.fontcolor'); -var getBuiltInPrototypeMethod = require('../../../internals/get-built-in-prototype-method'); - -module.exports = getBuiltInPrototypeMethod('String', 'fontcolor'); diff --git a/node_modules/core-js/es/string/virtual/fontsize.js b/node_modules/core-js/es/string/virtual/fontsize.js deleted file mode 100644 index 8283920..0000000 --- a/node_modules/core-js/es/string/virtual/fontsize.js +++ /dev/null @@ -1,5 +0,0 @@ -'use strict'; -require('../../../modules/es.string.fontsize'); -var getBuiltInPrototypeMethod = require('../../../internals/get-built-in-prototype-method'); - -module.exports = getBuiltInPrototypeMethod('String', 'fontsize'); diff --git a/node_modules/core-js/es/string/virtual/includes.js b/node_modules/core-js/es/string/virtual/includes.js deleted file mode 100644 index b75490a..0000000 --- a/node_modules/core-js/es/string/virtual/includes.js +++ /dev/null @@ -1,5 +0,0 @@ -'use strict'; -require('../../../modules/es.string.includes'); -var getBuiltInPrototypeMethod = require('../../../internals/get-built-in-prototype-method'); - -module.exports = getBuiltInPrototypeMethod('String', 'includes'); diff --git a/node_modules/core-js/es/string/virtual/index.js b/node_modules/core-js/es/string/virtual/index.js deleted file mode 100644 index 70199c9..0000000 --- a/node_modules/core-js/es/string/virtual/index.js +++ /dev/null @@ -1,38 +0,0 @@ -'use strict'; -require('../../../modules/es.object.to-string'); -require('../../../modules/es.regexp.exec'); -require('../../../modules/es.string.at-alternative'); -require('../../../modules/es.string.code-point-at'); -require('../../../modules/es.string.ends-with'); -require('../../../modules/es.string.includes'); -require('../../../modules/es.string.match'); -require('../../../modules/es.string.match-all'); -require('../../../modules/es.string.pad-end'); -require('../../../modules/es.string.pad-start'); -require('../../../modules/es.string.repeat'); -require('../../../modules/es.string.replace'); -require('../../../modules/es.string.replace-all'); -require('../../../modules/es.string.search'); -require('../../../modules/es.string.split'); -require('../../../modules/es.string.starts-with'); -require('../../../modules/es.string.substr'); -require('../../../modules/es.string.trim'); -require('../../../modules/es.string.trim-start'); -require('../../../modules/es.string.trim-end'); -require('../../../modules/es.string.iterator'); -require('../../../modules/es.string.anchor'); -require('../../../modules/es.string.big'); -require('../../../modules/es.string.blink'); -require('../../../modules/es.string.bold'); -require('../../../modules/es.string.fixed'); -require('../../../modules/es.string.fontcolor'); -require('../../../modules/es.string.fontsize'); -require('../../../modules/es.string.italics'); -require('../../../modules/es.string.link'); -require('../../../modules/es.string.small'); -require('../../../modules/es.string.strike'); -require('../../../modules/es.string.sub'); -require('../../../modules/es.string.sup'); -var entryVirtual = require('../../../internals/entry-virtual'); - -module.exports = entryVirtual('String'); diff --git a/node_modules/core-js/es/string/virtual/is-well-formed.js b/node_modules/core-js/es/string/virtual/is-well-formed.js deleted file mode 100644 index 620db5e..0000000 --- a/node_modules/core-js/es/string/virtual/is-well-formed.js +++ /dev/null @@ -1,5 +0,0 @@ -'use strict'; -require('../../../modules/es.string.is-well-formed'); -var getBuiltInPrototypeMethod = require('../../../internals/get-built-in-prototype-method'); - -module.exports = getBuiltInPrototypeMethod('String', 'isWellFormed'); diff --git a/node_modules/core-js/es/string/virtual/italics.js b/node_modules/core-js/es/string/virtual/italics.js deleted file mode 100644 index 59866c1..0000000 --- a/node_modules/core-js/es/string/virtual/italics.js +++ /dev/null @@ -1,5 +0,0 @@ -'use strict'; -require('../../../modules/es.string.italics'); -var getBuiltInPrototypeMethod = require('../../../internals/get-built-in-prototype-method'); - -module.exports = getBuiltInPrototypeMethod('String', 'italics'); diff --git a/node_modules/core-js/es/string/virtual/iterator.js b/node_modules/core-js/es/string/virtual/iterator.js deleted file mode 100644 index 613d81d..0000000 --- a/node_modules/core-js/es/string/virtual/iterator.js +++ /dev/null @@ -1,6 +0,0 @@ -'use strict'; -require('../../../modules/es.object.to-string'); -require('../../../modules/es.string.iterator'); -var Iterators = require('../../../internals/iterators'); - -module.exports = Iterators.String; diff --git a/node_modules/core-js/es/string/virtual/link.js b/node_modules/core-js/es/string/virtual/link.js deleted file mode 100644 index f3e9c31..0000000 --- a/node_modules/core-js/es/string/virtual/link.js +++ /dev/null @@ -1,5 +0,0 @@ -'use strict'; -require('../../../modules/es.string.link'); -var getBuiltInPrototypeMethod = require('../../../internals/get-built-in-prototype-method'); - -module.exports = getBuiltInPrototypeMethod('String', 'link'); diff --git a/node_modules/core-js/es/string/virtual/match-all.js b/node_modules/core-js/es/string/virtual/match-all.js deleted file mode 100644 index ef1e92e..0000000 --- a/node_modules/core-js/es/string/virtual/match-all.js +++ /dev/null @@ -1,7 +0,0 @@ -'use strict'; -require('../../../modules/es.object.to-string'); -require('../../../modules/es.regexp.exec'); -require('../../../modules/es.string.match-all'); -var getBuiltInPrototypeMethod = require('../../../internals/get-built-in-prototype-method'); - -module.exports = getBuiltInPrototypeMethod('String', 'matchAll'); diff --git a/node_modules/core-js/es/string/virtual/pad-end.js b/node_modules/core-js/es/string/virtual/pad-end.js deleted file mode 100644 index e76542b..0000000 --- a/node_modules/core-js/es/string/virtual/pad-end.js +++ /dev/null @@ -1,5 +0,0 @@ -'use strict'; -require('../../../modules/es.string.pad-end'); -var getBuiltInPrototypeMethod = require('../../../internals/get-built-in-prototype-method'); - -module.exports = getBuiltInPrototypeMethod('String', 'padEnd'); diff --git a/node_modules/core-js/es/string/virtual/pad-start.js b/node_modules/core-js/es/string/virtual/pad-start.js deleted file mode 100644 index 56aa70d..0000000 --- a/node_modules/core-js/es/string/virtual/pad-start.js +++ /dev/null @@ -1,5 +0,0 @@ -'use strict'; -require('../../../modules/es.string.pad-start'); -var getBuiltInPrototypeMethod = require('../../../internals/get-built-in-prototype-method'); - -module.exports = getBuiltInPrototypeMethod('String', 'padStart'); diff --git a/node_modules/core-js/es/string/virtual/repeat.js b/node_modules/core-js/es/string/virtual/repeat.js deleted file mode 100644 index b8d857b..0000000 --- a/node_modules/core-js/es/string/virtual/repeat.js +++ /dev/null @@ -1,5 +0,0 @@ -'use strict'; -require('../../../modules/es.string.repeat'); -var getBuiltInPrototypeMethod = require('../../../internals/get-built-in-prototype-method'); - -module.exports = getBuiltInPrototypeMethod('String', 'repeat'); diff --git a/node_modules/core-js/es/string/virtual/replace-all.js b/node_modules/core-js/es/string/virtual/replace-all.js deleted file mode 100644 index aeebb97..0000000 --- a/node_modules/core-js/es/string/virtual/replace-all.js +++ /dev/null @@ -1,7 +0,0 @@ -'use strict'; -require('../../../modules/es.regexp.exec'); -require('../../../modules/es.string.replace'); -require('../../../modules/es.string.replace-all'); -var getBuiltInPrototypeMethod = require('../../../internals/get-built-in-prototype-method'); - -module.exports = getBuiltInPrototypeMethod('String', 'replaceAll'); diff --git a/node_modules/core-js/es/string/virtual/small.js b/node_modules/core-js/es/string/virtual/small.js deleted file mode 100644 index 401b13a..0000000 --- a/node_modules/core-js/es/string/virtual/small.js +++ /dev/null @@ -1,5 +0,0 @@ -'use strict'; -require('../../../modules/es.string.small'); -var getBuiltInPrototypeMethod = require('../../../internals/get-built-in-prototype-method'); - -module.exports = getBuiltInPrototypeMethod('String', 'small'); diff --git a/node_modules/core-js/es/string/virtual/starts-with.js b/node_modules/core-js/es/string/virtual/starts-with.js deleted file mode 100644 index d4dbe86..0000000 --- a/node_modules/core-js/es/string/virtual/starts-with.js +++ /dev/null @@ -1,5 +0,0 @@ -'use strict'; -require('../../../modules/es.string.starts-with'); -var getBuiltInPrototypeMethod = require('../../../internals/get-built-in-prototype-method'); - -module.exports = getBuiltInPrototypeMethod('String', 'startsWith'); diff --git a/node_modules/core-js/es/string/virtual/strike.js b/node_modules/core-js/es/string/virtual/strike.js deleted file mode 100644 index a0b769c..0000000 --- a/node_modules/core-js/es/string/virtual/strike.js +++ /dev/null @@ -1,5 +0,0 @@ -'use strict'; -require('../../../modules/es.string.strike'); -var getBuiltInPrototypeMethod = require('../../../internals/get-built-in-prototype-method'); - -module.exports = getBuiltInPrototypeMethod('String', 'strike'); diff --git a/node_modules/core-js/es/string/virtual/sub.js b/node_modules/core-js/es/string/virtual/sub.js deleted file mode 100644 index c710755..0000000 --- a/node_modules/core-js/es/string/virtual/sub.js +++ /dev/null @@ -1,5 +0,0 @@ -'use strict'; -require('../../../modules/es.string.sub'); -var getBuiltInPrototypeMethod = require('../../../internals/get-built-in-prototype-method'); - -module.exports = getBuiltInPrototypeMethod('String', 'sub'); diff --git a/node_modules/core-js/es/string/virtual/substr.js b/node_modules/core-js/es/string/virtual/substr.js deleted file mode 100644 index 61a2217..0000000 --- a/node_modules/core-js/es/string/virtual/substr.js +++ /dev/null @@ -1,5 +0,0 @@ -'use strict'; -require('../../../modules/es.string.substr'); -var getBuiltInPrototypeMethod = require('../../../internals/get-built-in-prototype-method'); - -module.exports = getBuiltInPrototypeMethod('String', 'substr'); diff --git a/node_modules/core-js/es/string/virtual/sup.js b/node_modules/core-js/es/string/virtual/sup.js deleted file mode 100644 index 0707bc0..0000000 --- a/node_modules/core-js/es/string/virtual/sup.js +++ /dev/null @@ -1,5 +0,0 @@ -'use strict'; -require('../../../modules/es.string.sup'); -var getBuiltInPrototypeMethod = require('../../../internals/get-built-in-prototype-method'); - -module.exports = getBuiltInPrototypeMethod('String', 'sup'); diff --git a/node_modules/core-js/es/string/virtual/to-well-formed.js b/node_modules/core-js/es/string/virtual/to-well-formed.js deleted file mode 100644 index 87d6275..0000000 --- a/node_modules/core-js/es/string/virtual/to-well-formed.js +++ /dev/null @@ -1,5 +0,0 @@ -'use strict'; -require('../../../modules/es.string.to-well-formed'); -var getBuiltInPrototypeMethod = require('../../../internals/get-built-in-prototype-method'); - -module.exports = getBuiltInPrototypeMethod('String', 'toWellFormed'); diff --git a/node_modules/core-js/es/string/virtual/trim-end.js b/node_modules/core-js/es/string/virtual/trim-end.js deleted file mode 100644 index bd013aa..0000000 --- a/node_modules/core-js/es/string/virtual/trim-end.js +++ /dev/null @@ -1,5 +0,0 @@ -'use strict'; -require('../../../modules/es.string.trim-end'); -var getBuiltInPrototypeMethod = require('../../../internals/get-built-in-prototype-method'); - -module.exports = getBuiltInPrototypeMethod('String', 'trimRight'); diff --git a/node_modules/core-js/es/string/virtual/trim-left.js b/node_modules/core-js/es/string/virtual/trim-left.js deleted file mode 100644 index 3987da8..0000000 --- a/node_modules/core-js/es/string/virtual/trim-left.js +++ /dev/null @@ -1,5 +0,0 @@ -'use strict'; -require('../../../modules/es.string.trim-start'); -var getBuiltInPrototypeMethod = require('../../../internals/get-built-in-prototype-method'); - -module.exports = getBuiltInPrototypeMethod('String', 'trimLeft'); diff --git a/node_modules/core-js/es/string/virtual/trim-right.js b/node_modules/core-js/es/string/virtual/trim-right.js deleted file mode 100644 index bd013aa..0000000 --- a/node_modules/core-js/es/string/virtual/trim-right.js +++ /dev/null @@ -1,5 +0,0 @@ -'use strict'; -require('../../../modules/es.string.trim-end'); -var getBuiltInPrototypeMethod = require('../../../internals/get-built-in-prototype-method'); - -module.exports = getBuiltInPrototypeMethod('String', 'trimRight'); diff --git a/node_modules/core-js/es/string/virtual/trim-start.js b/node_modules/core-js/es/string/virtual/trim-start.js deleted file mode 100644 index 3987da8..0000000 --- a/node_modules/core-js/es/string/virtual/trim-start.js +++ /dev/null @@ -1,5 +0,0 @@ -'use strict'; -require('../../../modules/es.string.trim-start'); -var getBuiltInPrototypeMethod = require('../../../internals/get-built-in-prototype-method'); - -module.exports = getBuiltInPrototypeMethod('String', 'trimLeft'); diff --git a/node_modules/core-js/es/string/virtual/trim.js b/node_modules/core-js/es/string/virtual/trim.js deleted file mode 100644 index 02e9b22..0000000 --- a/node_modules/core-js/es/string/virtual/trim.js +++ /dev/null @@ -1,5 +0,0 @@ -'use strict'; -require('../../../modules/es.string.trim'); -var getBuiltInPrototypeMethod = require('../../../internals/get-built-in-prototype-method'); - -module.exports = getBuiltInPrototypeMethod('String', 'trim'); diff --git a/node_modules/core-js/es/symbol/async-iterator.js b/node_modules/core-js/es/symbol/async-iterator.js deleted file mode 100644 index 64b80ae..0000000 --- a/node_modules/core-js/es/symbol/async-iterator.js +++ /dev/null @@ -1,5 +0,0 @@ -'use strict'; -require('../../modules/es.symbol.async-iterator'); -var WrappedWellKnownSymbolModule = require('../../internals/well-known-symbol-wrapped'); - -module.exports = WrappedWellKnownSymbolModule.f('asyncIterator'); diff --git a/node_modules/core-js/es/symbol/description.js b/node_modules/core-js/es/symbol/description.js deleted file mode 100644 index 01ce17a..0000000 --- a/node_modules/core-js/es/symbol/description.js +++ /dev/null @@ -1,2 +0,0 @@ -'use strict'; -require('../../modules/es.symbol.description'); diff --git a/node_modules/core-js/es/symbol/for.js b/node_modules/core-js/es/symbol/for.js deleted file mode 100644 index 9c0a7d0..0000000 --- a/node_modules/core-js/es/symbol/for.js +++ /dev/null @@ -1,5 +0,0 @@ -'use strict'; -require('../../modules/es.symbol'); -var path = require('../../internals/path'); - -module.exports = path.Symbol['for']; diff --git a/node_modules/core-js/es/symbol/has-instance.js b/node_modules/core-js/es/symbol/has-instance.js deleted file mode 100644 index a588394..0000000 --- a/node_modules/core-js/es/symbol/has-instance.js +++ /dev/null @@ -1,6 +0,0 @@ -'use strict'; -require('../../modules/es.symbol.has-instance'); -require('../../modules/es.function.has-instance'); -var WrappedWellKnownSymbolModule = require('../../internals/well-known-symbol-wrapped'); - -module.exports = WrappedWellKnownSymbolModule.f('hasInstance'); diff --git a/node_modules/core-js/es/symbol/index.js b/node_modules/core-js/es/symbol/index.js deleted file mode 100644 index 80226ab..0000000 --- a/node_modules/core-js/es/symbol/index.js +++ /dev/null @@ -1,24 +0,0 @@ -'use strict'; -require('../../modules/es.array.concat'); -require('../../modules/es.object.to-string'); -require('../../modules/es.symbol'); -require('../../modules/es.symbol.async-iterator'); -require('../../modules/es.symbol.description'); -require('../../modules/es.symbol.has-instance'); -require('../../modules/es.symbol.is-concat-spreadable'); -require('../../modules/es.symbol.iterator'); -require('../../modules/es.symbol.match'); -require('../../modules/es.symbol.match-all'); -require('../../modules/es.symbol.replace'); -require('../../modules/es.symbol.search'); -require('../../modules/es.symbol.species'); -require('../../modules/es.symbol.split'); -require('../../modules/es.symbol.to-primitive'); -require('../../modules/es.symbol.to-string-tag'); -require('../../modules/es.symbol.unscopables'); -require('../../modules/es.json.to-string-tag'); -require('../../modules/es.math.to-string-tag'); -require('../../modules/es.reflect.to-string-tag'); -var path = require('../../internals/path'); - -module.exports = path.Symbol; diff --git a/node_modules/core-js/es/symbol/is-concat-spreadable.js b/node_modules/core-js/es/symbol/is-concat-spreadable.js deleted file mode 100644 index dbf9a5b..0000000 --- a/node_modules/core-js/es/symbol/is-concat-spreadable.js +++ /dev/null @@ -1,6 +0,0 @@ -'use strict'; -require('../../modules/es.array.concat'); -require('../../modules/es.symbol.is-concat-spreadable'); -var WrappedWellKnownSymbolModule = require('../../internals/well-known-symbol-wrapped'); - -module.exports = WrappedWellKnownSymbolModule.f('isConcatSpreadable'); diff --git a/node_modules/core-js/es/symbol/iterator.js b/node_modules/core-js/es/symbol/iterator.js deleted file mode 100644 index dfddcf8..0000000 --- a/node_modules/core-js/es/symbol/iterator.js +++ /dev/null @@ -1,8 +0,0 @@ -'use strict'; -require('../../modules/es.array.iterator'); -require('../../modules/es.object.to-string'); -require('../../modules/es.string.iterator'); -require('../../modules/es.symbol.iterator'); -var WrappedWellKnownSymbolModule = require('../../internals/well-known-symbol-wrapped'); - -module.exports = WrappedWellKnownSymbolModule.f('iterator'); diff --git a/node_modules/core-js/es/symbol/key-for.js b/node_modules/core-js/es/symbol/key-for.js deleted file mode 100644 index d04d3d0..0000000 --- a/node_modules/core-js/es/symbol/key-for.js +++ /dev/null @@ -1,5 +0,0 @@ -'use strict'; -require('../../modules/es.symbol'); -var path = require('../../internals/path'); - -module.exports = path.Symbol.keyFor; diff --git a/node_modules/core-js/es/symbol/match-all.js b/node_modules/core-js/es/symbol/match-all.js deleted file mode 100644 index 295d0db..0000000 --- a/node_modules/core-js/es/symbol/match-all.js +++ /dev/null @@ -1,8 +0,0 @@ -'use strict'; -require('../../modules/es.object.to-string'); -require('../../modules/es.regexp.exec'); -require('../../modules/es.symbol.match-all'); -require('../../modules/es.string.match-all'); -var WrappedWellKnownSymbolModule = require('../../internals/well-known-symbol-wrapped'); - -module.exports = WrappedWellKnownSymbolModule.f('matchAll'); diff --git a/node_modules/core-js/es/symbol/match.js b/node_modules/core-js/es/symbol/match.js deleted file mode 100644 index 7047f3d..0000000 --- a/node_modules/core-js/es/symbol/match.js +++ /dev/null @@ -1,7 +0,0 @@ -'use strict'; -require('../../modules/es.regexp.exec'); -require('../../modules/es.symbol.match'); -require('../../modules/es.string.match'); -var WrappedWellKnownSymbolModule = require('../../internals/well-known-symbol-wrapped'); - -module.exports = WrappedWellKnownSymbolModule.f('match'); diff --git a/node_modules/core-js/es/symbol/replace.js b/node_modules/core-js/es/symbol/replace.js deleted file mode 100644 index 8ebfd57..0000000 --- a/node_modules/core-js/es/symbol/replace.js +++ /dev/null @@ -1,7 +0,0 @@ -'use strict'; -require('../../modules/es.regexp.exec'); -require('../../modules/es.symbol.replace'); -require('../../modules/es.string.replace'); -var WrappedWellKnownSymbolModule = require('../../internals/well-known-symbol-wrapped'); - -module.exports = WrappedWellKnownSymbolModule.f('replace'); diff --git a/node_modules/core-js/es/symbol/search.js b/node_modules/core-js/es/symbol/search.js deleted file mode 100644 index 2510cd6..0000000 --- a/node_modules/core-js/es/symbol/search.js +++ /dev/null @@ -1,7 +0,0 @@ -'use strict'; -require('../../modules/es.regexp.exec'); -require('../../modules/es.symbol.search'); -require('../../modules/es.string.search'); -var WrappedWellKnownSymbolModule = require('../../internals/well-known-symbol-wrapped'); - -module.exports = WrappedWellKnownSymbolModule.f('search'); diff --git a/node_modules/core-js/es/symbol/species.js b/node_modules/core-js/es/symbol/species.js deleted file mode 100644 index 12f064a..0000000 --- a/node_modules/core-js/es/symbol/species.js +++ /dev/null @@ -1,5 +0,0 @@ -'use strict'; -require('../../modules/es.symbol.species'); -var WrappedWellKnownSymbolModule = require('../../internals/well-known-symbol-wrapped'); - -module.exports = WrappedWellKnownSymbolModule.f('species'); diff --git a/node_modules/core-js/es/symbol/split.js b/node_modules/core-js/es/symbol/split.js deleted file mode 100644 index da2c04b..0000000 --- a/node_modules/core-js/es/symbol/split.js +++ /dev/null @@ -1,7 +0,0 @@ -'use strict'; -require('../../modules/es.regexp.exec'); -require('../../modules/es.symbol.split'); -require('../../modules/es.string.split'); -var WrappedWellKnownSymbolModule = require('../../internals/well-known-symbol-wrapped'); - -module.exports = WrappedWellKnownSymbolModule.f('split'); diff --git a/node_modules/core-js/es/symbol/to-primitive.js b/node_modules/core-js/es/symbol/to-primitive.js deleted file mode 100644 index c5fde8d..0000000 --- a/node_modules/core-js/es/symbol/to-primitive.js +++ /dev/null @@ -1,6 +0,0 @@ -'use strict'; -require('../../modules/es.date.to-primitive'); -require('../../modules/es.symbol.to-primitive'); -var WrappedWellKnownSymbolModule = require('../../internals/well-known-symbol-wrapped'); - -module.exports = WrappedWellKnownSymbolModule.f('toPrimitive'); diff --git a/node_modules/core-js/es/symbol/to-string-tag.js b/node_modules/core-js/es/symbol/to-string-tag.js deleted file mode 100644 index 1bf1284..0000000 --- a/node_modules/core-js/es/symbol/to-string-tag.js +++ /dev/null @@ -1,9 +0,0 @@ -'use strict'; -require('../../modules/es.json.to-string-tag'); -require('../../modules/es.math.to-string-tag'); -require('../../modules/es.object.to-string'); -require('../../modules/es.reflect.to-string-tag'); -require('../../modules/es.symbol.to-string-tag'); -var WrappedWellKnownSymbolModule = require('../../internals/well-known-symbol-wrapped'); - -module.exports = WrappedWellKnownSymbolModule.f('toStringTag'); diff --git a/node_modules/core-js/es/symbol/unscopables.js b/node_modules/core-js/es/symbol/unscopables.js deleted file mode 100644 index 5d7799c..0000000 --- a/node_modules/core-js/es/symbol/unscopables.js +++ /dev/null @@ -1,5 +0,0 @@ -'use strict'; -require('../../modules/es.symbol.unscopables'); -var WrappedWellKnownSymbolModule = require('../../internals/well-known-symbol-wrapped'); - -module.exports = WrappedWellKnownSymbolModule.f('unscopables'); diff --git a/node_modules/core-js/es/typed-array/at.js b/node_modules/core-js/es/typed-array/at.js deleted file mode 100644 index 17ed453..0000000 --- a/node_modules/core-js/es/typed-array/at.js +++ /dev/null @@ -1,2 +0,0 @@ -'use strict'; -require('../../modules/es.typed-array.at'); diff --git a/node_modules/core-js/es/typed-array/copy-within.js b/node_modules/core-js/es/typed-array/copy-within.js deleted file mode 100644 index 1381bac..0000000 --- a/node_modules/core-js/es/typed-array/copy-within.js +++ /dev/null @@ -1,2 +0,0 @@ -'use strict'; -require('../../modules/es.typed-array.copy-within'); diff --git a/node_modules/core-js/es/typed-array/entries.js b/node_modules/core-js/es/typed-array/entries.js deleted file mode 100644 index 918a9b3..0000000 --- a/node_modules/core-js/es/typed-array/entries.js +++ /dev/null @@ -1,3 +0,0 @@ -'use strict'; -require('../../modules/es.object.to-string'); -require('../../modules/es.typed-array.iterator'); diff --git a/node_modules/core-js/es/typed-array/every.js b/node_modules/core-js/es/typed-array/every.js deleted file mode 100644 index 530fbbb..0000000 --- a/node_modules/core-js/es/typed-array/every.js +++ /dev/null @@ -1,2 +0,0 @@ -'use strict'; -require('../../modules/es.typed-array.every'); diff --git a/node_modules/core-js/es/typed-array/fill.js b/node_modules/core-js/es/typed-array/fill.js deleted file mode 100644 index 0f13bf5..0000000 --- a/node_modules/core-js/es/typed-array/fill.js +++ /dev/null @@ -1,2 +0,0 @@ -'use strict'; -require('../../modules/es.typed-array.fill'); diff --git a/node_modules/core-js/es/typed-array/filter.js b/node_modules/core-js/es/typed-array/filter.js deleted file mode 100644 index 40bbc51..0000000 --- a/node_modules/core-js/es/typed-array/filter.js +++ /dev/null @@ -1,2 +0,0 @@ -'use strict'; -require('../../modules/es.typed-array.filter'); diff --git a/node_modules/core-js/es/typed-array/find-index.js b/node_modules/core-js/es/typed-array/find-index.js deleted file mode 100644 index e5e3a33..0000000 --- a/node_modules/core-js/es/typed-array/find-index.js +++ /dev/null @@ -1,2 +0,0 @@ -'use strict'; -require('../../modules/es.typed-array.find-index'); diff --git a/node_modules/core-js/es/typed-array/find-last-index.js b/node_modules/core-js/es/typed-array/find-last-index.js deleted file mode 100644 index e2c58bf..0000000 --- a/node_modules/core-js/es/typed-array/find-last-index.js +++ /dev/null @@ -1,2 +0,0 @@ -'use strict'; -require('../../modules/es.typed-array.find-last-index'); diff --git a/node_modules/core-js/es/typed-array/find-last.js b/node_modules/core-js/es/typed-array/find-last.js deleted file mode 100644 index 95e4117..0000000 --- a/node_modules/core-js/es/typed-array/find-last.js +++ /dev/null @@ -1,2 +0,0 @@ -'use strict'; -require('../../modules/es.typed-array.find-last'); diff --git a/node_modules/core-js/es/typed-array/find.js b/node_modules/core-js/es/typed-array/find.js deleted file mode 100644 index 1d89e09..0000000 --- a/node_modules/core-js/es/typed-array/find.js +++ /dev/null @@ -1,2 +0,0 @@ -'use strict'; -require('../../modules/es.typed-array.find'); diff --git a/node_modules/core-js/es/typed-array/float32-array.js b/node_modules/core-js/es/typed-array/float32-array.js deleted file mode 100644 index 6ea2df1..0000000 --- a/node_modules/core-js/es/typed-array/float32-array.js +++ /dev/null @@ -1,8 +0,0 @@ -'use strict'; -require('../../modules/es.array-buffer.constructor'); -require('../../modules/es.array-buffer.slice'); -require('../../modules/es.typed-array.float32-array'); -require('./methods'); -var global = require('../../internals/global'); - -module.exports = global.Float32Array; diff --git a/node_modules/core-js/es/typed-array/float64-array.js b/node_modules/core-js/es/typed-array/float64-array.js deleted file mode 100644 index fa5d039..0000000 --- a/node_modules/core-js/es/typed-array/float64-array.js +++ /dev/null @@ -1,8 +0,0 @@ -'use strict'; -require('../../modules/es.array-buffer.constructor'); -require('../../modules/es.array-buffer.slice'); -require('../../modules/es.typed-array.float64-array'); -require('./methods'); -var global = require('../../internals/global'); - -module.exports = global.Float64Array; diff --git a/node_modules/core-js/es/typed-array/for-each.js b/node_modules/core-js/es/typed-array/for-each.js deleted file mode 100644 index 9545224..0000000 --- a/node_modules/core-js/es/typed-array/for-each.js +++ /dev/null @@ -1,2 +0,0 @@ -'use strict'; -require('../../modules/es.typed-array.for-each'); diff --git a/node_modules/core-js/es/typed-array/from.js b/node_modules/core-js/es/typed-array/from.js deleted file mode 100644 index b38f31c..0000000 --- a/node_modules/core-js/es/typed-array/from.js +++ /dev/null @@ -1,2 +0,0 @@ -'use strict'; -require('../../modules/es.typed-array.from'); diff --git a/node_modules/core-js/es/typed-array/includes.js b/node_modules/core-js/es/typed-array/includes.js deleted file mode 100644 index 0c825a4..0000000 --- a/node_modules/core-js/es/typed-array/includes.js +++ /dev/null @@ -1,2 +0,0 @@ -'use strict'; -require('../../modules/es.typed-array.includes'); diff --git a/node_modules/core-js/es/typed-array/index-of.js b/node_modules/core-js/es/typed-array/index-of.js deleted file mode 100644 index 5e78bf0..0000000 --- a/node_modules/core-js/es/typed-array/index-of.js +++ /dev/null @@ -1,2 +0,0 @@ -'use strict'; -require('../../modules/es.typed-array.index-of'); diff --git a/node_modules/core-js/es/typed-array/index.js b/node_modules/core-js/es/typed-array/index.js deleted file mode 100644 index 4db1597..0000000 --- a/node_modules/core-js/es/typed-array/index.js +++ /dev/null @@ -1,13 +0,0 @@ -'use strict'; -require('../../modules/es.typed-array.int8-array'); -require('../../modules/es.typed-array.uint8-array'); -require('../../modules/es.typed-array.uint8-clamped-array'); -require('../../modules/es.typed-array.int16-array'); -require('../../modules/es.typed-array.uint16-array'); -require('../../modules/es.typed-array.int32-array'); -require('../../modules/es.typed-array.uint32-array'); -require('../../modules/es.typed-array.float32-array'); -require('../../modules/es.typed-array.float64-array'); -require('./methods'); - -module.exports = require('../../internals/global'); diff --git a/node_modules/core-js/es/typed-array/int16-array.js b/node_modules/core-js/es/typed-array/int16-array.js deleted file mode 100644 index d75ba11..0000000 --- a/node_modules/core-js/es/typed-array/int16-array.js +++ /dev/null @@ -1,8 +0,0 @@ -'use strict'; -require('../../modules/es.array-buffer.constructor'); -require('../../modules/es.array-buffer.slice'); -require('../../modules/es.typed-array.int16-array'); -require('./methods'); -var global = require('../../internals/global'); - -module.exports = global.Int16Array; diff --git a/node_modules/core-js/es/typed-array/int32-array.js b/node_modules/core-js/es/typed-array/int32-array.js deleted file mode 100644 index 6143647..0000000 --- a/node_modules/core-js/es/typed-array/int32-array.js +++ /dev/null @@ -1,8 +0,0 @@ -'use strict'; -require('../../modules/es.array-buffer.constructor'); -require('../../modules/es.array-buffer.slice'); -require('../../modules/es.typed-array.int32-array'); -require('./methods'); -var global = require('../../internals/global'); - -module.exports = global.Int32Array; diff --git a/node_modules/core-js/es/typed-array/int8-array.js b/node_modules/core-js/es/typed-array/int8-array.js deleted file mode 100644 index 29cd3bb..0000000 --- a/node_modules/core-js/es/typed-array/int8-array.js +++ /dev/null @@ -1,8 +0,0 @@ -'use strict'; -require('../../modules/es.array-buffer.constructor'); -require('../../modules/es.array-buffer.slice'); -require('../../modules/es.typed-array.int8-array'); -require('./methods'); -var global = require('../../internals/global'); - -module.exports = global.Int8Array; diff --git a/node_modules/core-js/es/typed-array/iterator.js b/node_modules/core-js/es/typed-array/iterator.js deleted file mode 100644 index 918a9b3..0000000 --- a/node_modules/core-js/es/typed-array/iterator.js +++ /dev/null @@ -1,3 +0,0 @@ -'use strict'; -require('../../modules/es.object.to-string'); -require('../../modules/es.typed-array.iterator'); diff --git a/node_modules/core-js/es/typed-array/join.js b/node_modules/core-js/es/typed-array/join.js deleted file mode 100644 index 70465b8..0000000 --- a/node_modules/core-js/es/typed-array/join.js +++ /dev/null @@ -1,2 +0,0 @@ -'use strict'; -require('../../modules/es.typed-array.join'); diff --git a/node_modules/core-js/es/typed-array/keys.js b/node_modules/core-js/es/typed-array/keys.js deleted file mode 100644 index 918a9b3..0000000 --- a/node_modules/core-js/es/typed-array/keys.js +++ /dev/null @@ -1,3 +0,0 @@ -'use strict'; -require('../../modules/es.object.to-string'); -require('../../modules/es.typed-array.iterator'); diff --git a/node_modules/core-js/es/typed-array/last-index-of.js b/node_modules/core-js/es/typed-array/last-index-of.js deleted file mode 100644 index 4babd1e..0000000 --- a/node_modules/core-js/es/typed-array/last-index-of.js +++ /dev/null @@ -1,2 +0,0 @@ -'use strict'; -require('../../modules/es.typed-array.last-index-of'); diff --git a/node_modules/core-js/es/typed-array/map.js b/node_modules/core-js/es/typed-array/map.js deleted file mode 100644 index 059366c..0000000 --- a/node_modules/core-js/es/typed-array/map.js +++ /dev/null @@ -1,2 +0,0 @@ -'use strict'; -require('../../modules/es.typed-array.map'); diff --git a/node_modules/core-js/es/typed-array/methods.js b/node_modules/core-js/es/typed-array/methods.js deleted file mode 100644 index 22b5d7c..0000000 --- a/node_modules/core-js/es/typed-array/methods.js +++ /dev/null @@ -1,34 +0,0 @@ -'use strict'; -require('../../modules/es.object.to-string'); -require('../../modules/es.string.iterator'); -require('../../modules/es.typed-array.from'); -require('../../modules/es.typed-array.of'); -require('../../modules/es.typed-array.at'); -require('../../modules/es.typed-array.copy-within'); -require('../../modules/es.typed-array.every'); -require('../../modules/es.typed-array.fill'); -require('../../modules/es.typed-array.filter'); -require('../../modules/es.typed-array.find'); -require('../../modules/es.typed-array.find-index'); -require('../../modules/es.typed-array.find-last'); -require('../../modules/es.typed-array.find-last-index'); -require('../../modules/es.typed-array.for-each'); -require('../../modules/es.typed-array.includes'); -require('../../modules/es.typed-array.index-of'); -require('../../modules/es.typed-array.join'); -require('../../modules/es.typed-array.last-index-of'); -require('../../modules/es.typed-array.map'); -require('../../modules/es.typed-array.reduce'); -require('../../modules/es.typed-array.reduce-right'); -require('../../modules/es.typed-array.reverse'); -require('../../modules/es.typed-array.set'); -require('../../modules/es.typed-array.slice'); -require('../../modules/es.typed-array.some'); -require('../../modules/es.typed-array.sort'); -require('../../modules/es.typed-array.subarray'); -require('../../modules/es.typed-array.to-locale-string'); -require('../../modules/es.typed-array.to-string'); -require('../../modules/es.typed-array.to-reversed'); -require('../../modules/es.typed-array.to-sorted'); -require('../../modules/es.typed-array.with'); -require('../../modules/es.typed-array.iterator'); diff --git a/node_modules/core-js/es/typed-array/of.js b/node_modules/core-js/es/typed-array/of.js deleted file mode 100644 index dc572fb..0000000 --- a/node_modules/core-js/es/typed-array/of.js +++ /dev/null @@ -1,2 +0,0 @@ -'use strict'; -require('../../modules/es.typed-array.of'); diff --git a/node_modules/core-js/es/typed-array/reduce-right.js b/node_modules/core-js/es/typed-array/reduce-right.js deleted file mode 100644 index 9acb3e7..0000000 --- a/node_modules/core-js/es/typed-array/reduce-right.js +++ /dev/null @@ -1,2 +0,0 @@ -'use strict'; -require('../../modules/es.typed-array.reduce-right'); diff --git a/node_modules/core-js/es/typed-array/reduce.js b/node_modules/core-js/es/typed-array/reduce.js deleted file mode 100644 index 59b3f78..0000000 --- a/node_modules/core-js/es/typed-array/reduce.js +++ /dev/null @@ -1,2 +0,0 @@ -'use strict'; -require('../../modules/es.typed-array.reduce'); diff --git a/node_modules/core-js/es/typed-array/reverse.js b/node_modules/core-js/es/typed-array/reverse.js deleted file mode 100644 index 00d8399..0000000 --- a/node_modules/core-js/es/typed-array/reverse.js +++ /dev/null @@ -1,2 +0,0 @@ -'use strict'; -require('../../modules/es.typed-array.reverse'); diff --git a/node_modules/core-js/es/typed-array/set.js b/node_modules/core-js/es/typed-array/set.js deleted file mode 100644 index 3394aae..0000000 --- a/node_modules/core-js/es/typed-array/set.js +++ /dev/null @@ -1,2 +0,0 @@ -'use strict'; -require('../../modules/es.typed-array.set'); diff --git a/node_modules/core-js/es/typed-array/slice.js b/node_modules/core-js/es/typed-array/slice.js deleted file mode 100644 index 5b074a1..0000000 --- a/node_modules/core-js/es/typed-array/slice.js +++ /dev/null @@ -1,2 +0,0 @@ -'use strict'; -require('../../modules/es.typed-array.slice'); diff --git a/node_modules/core-js/es/typed-array/some.js b/node_modules/core-js/es/typed-array/some.js deleted file mode 100644 index bfc4f4f..0000000 --- a/node_modules/core-js/es/typed-array/some.js +++ /dev/null @@ -1,2 +0,0 @@ -'use strict'; -require('../../modules/es.typed-array.some'); diff --git a/node_modules/core-js/es/typed-array/sort.js b/node_modules/core-js/es/typed-array/sort.js deleted file mode 100644 index a3cf1c8..0000000 --- a/node_modules/core-js/es/typed-array/sort.js +++ /dev/null @@ -1,2 +0,0 @@ -'use strict'; -require('../../modules/es.typed-array.sort'); diff --git a/node_modules/core-js/es/typed-array/subarray.js b/node_modules/core-js/es/typed-array/subarray.js deleted file mode 100644 index 5314642..0000000 --- a/node_modules/core-js/es/typed-array/subarray.js +++ /dev/null @@ -1,2 +0,0 @@ -'use strict'; -require('../../modules/es.typed-array.subarray'); diff --git a/node_modules/core-js/es/typed-array/to-locale-string.js b/node_modules/core-js/es/typed-array/to-locale-string.js deleted file mode 100644 index aa77e74..0000000 --- a/node_modules/core-js/es/typed-array/to-locale-string.js +++ /dev/null @@ -1,2 +0,0 @@ -'use strict'; -require('../../modules/es.typed-array.to-locale-string'); diff --git a/node_modules/core-js/es/typed-array/to-reversed.js b/node_modules/core-js/es/typed-array/to-reversed.js deleted file mode 100644 index 2bd631a..0000000 --- a/node_modules/core-js/es/typed-array/to-reversed.js +++ /dev/null @@ -1,2 +0,0 @@ -'use strict'; -require('../../modules/es.typed-array.to-reversed'); diff --git a/node_modules/core-js/es/typed-array/to-sorted.js b/node_modules/core-js/es/typed-array/to-sorted.js deleted file mode 100644 index 9ab0f2b..0000000 --- a/node_modules/core-js/es/typed-array/to-sorted.js +++ /dev/null @@ -1,3 +0,0 @@ -'use strict'; -require('../../modules/es.typed-array.sort'); -require('../../modules/es.typed-array.to-sorted'); diff --git a/node_modules/core-js/es/typed-array/to-string.js b/node_modules/core-js/es/typed-array/to-string.js deleted file mode 100644 index 86142ad..0000000 --- a/node_modules/core-js/es/typed-array/to-string.js +++ /dev/null @@ -1,2 +0,0 @@ -'use strict'; -require('../../modules/es.typed-array.to-string'); diff --git a/node_modules/core-js/es/typed-array/uint16-array.js b/node_modules/core-js/es/typed-array/uint16-array.js deleted file mode 100644 index 0300add..0000000 --- a/node_modules/core-js/es/typed-array/uint16-array.js +++ /dev/null @@ -1,8 +0,0 @@ -'use strict'; -require('../../modules/es.array-buffer.constructor'); -require('../../modules/es.array-buffer.slice'); -require('../../modules/es.typed-array.uint16-array'); -require('./methods'); -var global = require('../../internals/global'); - -module.exports = global.Uint16Array; diff --git a/node_modules/core-js/es/typed-array/uint32-array.js b/node_modules/core-js/es/typed-array/uint32-array.js deleted file mode 100644 index 28fe8f0..0000000 --- a/node_modules/core-js/es/typed-array/uint32-array.js +++ /dev/null @@ -1,8 +0,0 @@ -'use strict'; -require('../../modules/es.array-buffer.constructor'); -require('../../modules/es.array-buffer.slice'); -require('../../modules/es.typed-array.uint32-array'); -require('./methods'); -var global = require('../../internals/global'); - -module.exports = global.Uint32Array; diff --git a/node_modules/core-js/es/typed-array/uint8-array.js b/node_modules/core-js/es/typed-array/uint8-array.js deleted file mode 100644 index 968c57a..0000000 --- a/node_modules/core-js/es/typed-array/uint8-array.js +++ /dev/null @@ -1,8 +0,0 @@ -'use strict'; -require('../../modules/es.array-buffer.constructor'); -require('../../modules/es.array-buffer.slice'); -require('../../modules/es.typed-array.uint8-array'); -require('./methods'); -var global = require('../../internals/global'); - -module.exports = global.Uint8Array; diff --git a/node_modules/core-js/es/typed-array/uint8-clamped-array.js b/node_modules/core-js/es/typed-array/uint8-clamped-array.js deleted file mode 100644 index 1ce93fd..0000000 --- a/node_modules/core-js/es/typed-array/uint8-clamped-array.js +++ /dev/null @@ -1,8 +0,0 @@ -'use strict'; -require('../../modules/es.array-buffer.constructor'); -require('../../modules/es.array-buffer.slice'); -require('../../modules/es.typed-array.uint8-clamped-array'); -require('./methods'); -var global = require('../../internals/global'); - -module.exports = global.Uint8ClampedArray; diff --git a/node_modules/core-js/es/typed-array/values.js b/node_modules/core-js/es/typed-array/values.js deleted file mode 100644 index 918a9b3..0000000 --- a/node_modules/core-js/es/typed-array/values.js +++ /dev/null @@ -1,3 +0,0 @@ -'use strict'; -require('../../modules/es.object.to-string'); -require('../../modules/es.typed-array.iterator'); diff --git a/node_modules/core-js/es/typed-array/with.js b/node_modules/core-js/es/typed-array/with.js deleted file mode 100644 index 25d0047..0000000 --- a/node_modules/core-js/es/typed-array/with.js +++ /dev/null @@ -1,2 +0,0 @@ -'use strict'; -require('../../modules/es.typed-array.with'); diff --git a/node_modules/core-js/es/unescape.js b/node_modules/core-js/es/unescape.js deleted file mode 100644 index 9482945..0000000 --- a/node_modules/core-js/es/unescape.js +++ /dev/null @@ -1,5 +0,0 @@ -'use strict'; -require('../modules/es.unescape'); -var path = require('../internals/path'); - -module.exports = path.unescape; diff --git a/node_modules/core-js/es/weak-map/index.js b/node_modules/core-js/es/weak-map/index.js deleted file mode 100644 index 591e5b8..0000000 --- a/node_modules/core-js/es/weak-map/index.js +++ /dev/null @@ -1,7 +0,0 @@ -'use strict'; -require('../../modules/es.array.iterator'); -require('../../modules/es.object.to-string'); -require('../../modules/es.weak-map'); -var path = require('../../internals/path'); - -module.exports = path.WeakMap; diff --git a/node_modules/core-js/es/weak-set/index.js b/node_modules/core-js/es/weak-set/index.js deleted file mode 100644 index 39079e3..0000000 --- a/node_modules/core-js/es/weak-set/index.js +++ /dev/null @@ -1,7 +0,0 @@ -'use strict'; -require('../../modules/es.array.iterator'); -require('../../modules/es.object.to-string'); -require('../../modules/es.weak-set'); -var path = require('../../internals/path'); - -module.exports = path.WeakSet; diff --git a/node_modules/core-js/features/aggregate-error.js b/node_modules/core-js/features/aggregate-error.js deleted file mode 100644 index dc651f8..0000000 --- a/node_modules/core-js/features/aggregate-error.js +++ /dev/null @@ -1,2 +0,0 @@ -'use strict'; -module.exports = require('../full/aggregate-error'); diff --git a/node_modules/core-js/features/array-buffer/constructor.js b/node_modules/core-js/features/array-buffer/constructor.js deleted file mode 100644 index 5a04836..0000000 --- a/node_modules/core-js/features/array-buffer/constructor.js +++ /dev/null @@ -1,2 +0,0 @@ -'use strict'; -module.exports = require('../../full/array-buffer/constructor'); diff --git a/node_modules/core-js/features/array-buffer/detached.js b/node_modules/core-js/features/array-buffer/detached.js deleted file mode 100644 index 9f086b3..0000000 --- a/node_modules/core-js/features/array-buffer/detached.js +++ /dev/null @@ -1,2 +0,0 @@ -'use strict'; -module.exports = require('../../full/array-buffer/detached'); diff --git a/node_modules/core-js/features/array-buffer/index.js b/node_modules/core-js/features/array-buffer/index.js deleted file mode 100644 index c742210..0000000 --- a/node_modules/core-js/features/array-buffer/index.js +++ /dev/null @@ -1,2 +0,0 @@ -'use strict'; -module.exports = require('../../full/array-buffer'); diff --git a/node_modules/core-js/features/array-buffer/is-view.js b/node_modules/core-js/features/array-buffer/is-view.js deleted file mode 100644 index 32ac354..0000000 --- a/node_modules/core-js/features/array-buffer/is-view.js +++ /dev/null @@ -1,2 +0,0 @@ -'use strict'; -module.exports = require('../../full/array-buffer/is-view'); diff --git a/node_modules/core-js/features/array-buffer/slice.js b/node_modules/core-js/features/array-buffer/slice.js deleted file mode 100644 index dc4551f..0000000 --- a/node_modules/core-js/features/array-buffer/slice.js +++ /dev/null @@ -1,2 +0,0 @@ -'use strict'; -module.exports = require('../../full/array-buffer/slice'); diff --git a/node_modules/core-js/features/array-buffer/transfer-to-fixed-length.js b/node_modules/core-js/features/array-buffer/transfer-to-fixed-length.js deleted file mode 100644 index 0820c7b..0000000 --- a/node_modules/core-js/features/array-buffer/transfer-to-fixed-length.js +++ /dev/null @@ -1,2 +0,0 @@ -'use strict'; -module.exports = require('../../full/array-buffer/transfer-to-fixed-length'); diff --git a/node_modules/core-js/features/array-buffer/transfer.js b/node_modules/core-js/features/array-buffer/transfer.js deleted file mode 100644 index f34385e..0000000 --- a/node_modules/core-js/features/array-buffer/transfer.js +++ /dev/null @@ -1,2 +0,0 @@ -'use strict'; -module.exports = require('../../full/array-buffer/transfer'); diff --git a/node_modules/core-js/features/array/at.js b/node_modules/core-js/features/array/at.js deleted file mode 100644 index 28ad63a..0000000 --- a/node_modules/core-js/features/array/at.js +++ /dev/null @@ -1,2 +0,0 @@ -'use strict'; -module.exports = require('../../full/array/at'); diff --git a/node_modules/core-js/features/array/concat.js b/node_modules/core-js/features/array/concat.js deleted file mode 100644 index a4d9301..0000000 --- a/node_modules/core-js/features/array/concat.js +++ /dev/null @@ -1,2 +0,0 @@ -'use strict'; -module.exports = require('../../full/array/concat'); diff --git a/node_modules/core-js/features/array/copy-within.js b/node_modules/core-js/features/array/copy-within.js deleted file mode 100644 index 22359da..0000000 --- a/node_modules/core-js/features/array/copy-within.js +++ /dev/null @@ -1,2 +0,0 @@ -'use strict'; -module.exports = require('../../full/array/copy-within'); diff --git a/node_modules/core-js/features/array/entries.js b/node_modules/core-js/features/array/entries.js deleted file mode 100644 index b7e134a..0000000 --- a/node_modules/core-js/features/array/entries.js +++ /dev/null @@ -1,2 +0,0 @@ -'use strict'; -module.exports = require('../../full/array/entries'); diff --git a/node_modules/core-js/features/array/every.js b/node_modules/core-js/features/array/every.js deleted file mode 100644 index 5a6748d..0000000 --- a/node_modules/core-js/features/array/every.js +++ /dev/null @@ -1,2 +0,0 @@ -'use strict'; -module.exports = require('../../full/array/every'); diff --git a/node_modules/core-js/features/array/fill.js b/node_modules/core-js/features/array/fill.js deleted file mode 100644 index e4e0278..0000000 --- a/node_modules/core-js/features/array/fill.js +++ /dev/null @@ -1,2 +0,0 @@ -'use strict'; -module.exports = require('../../full/array/fill'); diff --git a/node_modules/core-js/features/array/filter-out.js b/node_modules/core-js/features/array/filter-out.js deleted file mode 100644 index 3a82aff..0000000 --- a/node_modules/core-js/features/array/filter-out.js +++ /dev/null @@ -1,2 +0,0 @@ -'use strict'; -module.exports = require('../../full/array/filter-out'); diff --git a/node_modules/core-js/features/array/filter-reject.js b/node_modules/core-js/features/array/filter-reject.js deleted file mode 100644 index 497c19a..0000000 --- a/node_modules/core-js/features/array/filter-reject.js +++ /dev/null @@ -1,2 +0,0 @@ -'use strict'; -module.exports = require('../../full/array/filter-reject'); diff --git a/node_modules/core-js/features/array/filter.js b/node_modules/core-js/features/array/filter.js deleted file mode 100644 index 79fb0b9..0000000 --- a/node_modules/core-js/features/array/filter.js +++ /dev/null @@ -1,2 +0,0 @@ -'use strict'; -module.exports = require('../../full/array/filter'); diff --git a/node_modules/core-js/features/array/find-index.js b/node_modules/core-js/features/array/find-index.js deleted file mode 100644 index 119f698..0000000 --- a/node_modules/core-js/features/array/find-index.js +++ /dev/null @@ -1,2 +0,0 @@ -'use strict'; -module.exports = require('../../full/array/find-index'); diff --git a/node_modules/core-js/features/array/find-last-index.js b/node_modules/core-js/features/array/find-last-index.js deleted file mode 100644 index 0a760db..0000000 --- a/node_modules/core-js/features/array/find-last-index.js +++ /dev/null @@ -1,2 +0,0 @@ -'use strict'; -module.exports = require('../../full/array/find-last-index'); diff --git a/node_modules/core-js/features/array/find-last.js b/node_modules/core-js/features/array/find-last.js deleted file mode 100644 index 49f9d2f..0000000 --- a/node_modules/core-js/features/array/find-last.js +++ /dev/null @@ -1,2 +0,0 @@ -'use strict'; -module.exports = require('../../full/array/find-last'); diff --git a/node_modules/core-js/features/array/find.js b/node_modules/core-js/features/array/find.js deleted file mode 100644 index eac1147..0000000 --- a/node_modules/core-js/features/array/find.js +++ /dev/null @@ -1,2 +0,0 @@ -'use strict'; -module.exports = require('../../full/array/find'); diff --git a/node_modules/core-js/features/array/flat-map.js b/node_modules/core-js/features/array/flat-map.js deleted file mode 100644 index db4a7d7..0000000 --- a/node_modules/core-js/features/array/flat-map.js +++ /dev/null @@ -1,2 +0,0 @@ -'use strict'; -module.exports = require('../../full/array/flat-map'); diff --git a/node_modules/core-js/features/array/flat.js b/node_modules/core-js/features/array/flat.js deleted file mode 100644 index 45797e0..0000000 --- a/node_modules/core-js/features/array/flat.js +++ /dev/null @@ -1,2 +0,0 @@ -'use strict'; -module.exports = require('../../full/array/flat'); diff --git a/node_modules/core-js/features/array/for-each.js b/node_modules/core-js/features/array/for-each.js deleted file mode 100644 index b823be5..0000000 --- a/node_modules/core-js/features/array/for-each.js +++ /dev/null @@ -1,2 +0,0 @@ -'use strict'; -module.exports = require('../../full/array/for-each'); diff --git a/node_modules/core-js/features/array/from-async.js b/node_modules/core-js/features/array/from-async.js deleted file mode 100644 index 63c1931..0000000 --- a/node_modules/core-js/features/array/from-async.js +++ /dev/null @@ -1,2 +0,0 @@ -'use strict'; -module.exports = require('../../full/array/from-async'); diff --git a/node_modules/core-js/features/array/from.js b/node_modules/core-js/features/array/from.js deleted file mode 100644 index 752da11..0000000 --- a/node_modules/core-js/features/array/from.js +++ /dev/null @@ -1,2 +0,0 @@ -'use strict'; -module.exports = require('../../full/array/from'); diff --git a/node_modules/core-js/features/array/group-by-to-map.js b/node_modules/core-js/features/array/group-by-to-map.js deleted file mode 100644 index 559d458..0000000 --- a/node_modules/core-js/features/array/group-by-to-map.js +++ /dev/null @@ -1,2 +0,0 @@ -'use strict'; -module.exports = require('../../full/array/group-by-to-map'); diff --git a/node_modules/core-js/features/array/group-by.js b/node_modules/core-js/features/array/group-by.js deleted file mode 100644 index 66f66a5..0000000 --- a/node_modules/core-js/features/array/group-by.js +++ /dev/null @@ -1,2 +0,0 @@ -'use strict'; -module.exports = require('../../full/array/group-by'); diff --git a/node_modules/core-js/features/array/group-to-map.js b/node_modules/core-js/features/array/group-to-map.js deleted file mode 100644 index 9bf0af4..0000000 --- a/node_modules/core-js/features/array/group-to-map.js +++ /dev/null @@ -1,2 +0,0 @@ -'use strict'; -module.exports = require('../../full/array/group-to-map'); diff --git a/node_modules/core-js/features/array/group.js b/node_modules/core-js/features/array/group.js deleted file mode 100644 index 8e58705..0000000 --- a/node_modules/core-js/features/array/group.js +++ /dev/null @@ -1,2 +0,0 @@ -'use strict'; -module.exports = require('../../full/array/group'); diff --git a/node_modules/core-js/features/array/includes.js b/node_modules/core-js/features/array/includes.js deleted file mode 100644 index b70af4c..0000000 --- a/node_modules/core-js/features/array/includes.js +++ /dev/null @@ -1,2 +0,0 @@ -'use strict'; -module.exports = require('../../full/array/includes'); diff --git a/node_modules/core-js/features/array/index-of.js b/node_modules/core-js/features/array/index-of.js deleted file mode 100644 index c088e00..0000000 --- a/node_modules/core-js/features/array/index-of.js +++ /dev/null @@ -1,2 +0,0 @@ -'use strict'; -module.exports = require('../../full/array/index-of'); diff --git a/node_modules/core-js/features/array/index.js b/node_modules/core-js/features/array/index.js deleted file mode 100644 index 7b95b43..0000000 --- a/node_modules/core-js/features/array/index.js +++ /dev/null @@ -1,2 +0,0 @@ -'use strict'; -module.exports = require('../../full/array'); diff --git a/node_modules/core-js/features/array/is-array.js b/node_modules/core-js/features/array/is-array.js deleted file mode 100644 index 119116a..0000000 --- a/node_modules/core-js/features/array/is-array.js +++ /dev/null @@ -1,2 +0,0 @@ -'use strict'; -module.exports = require('../../full/array/is-array'); diff --git a/node_modules/core-js/features/array/is-template-object.js b/node_modules/core-js/features/array/is-template-object.js deleted file mode 100644 index 25ec3f7..0000000 --- a/node_modules/core-js/features/array/is-template-object.js +++ /dev/null @@ -1,2 +0,0 @@ -'use strict'; -module.exports = require('../../full/array/is-template-object'); diff --git a/node_modules/core-js/features/array/iterator.js b/node_modules/core-js/features/array/iterator.js deleted file mode 100644 index 322b558..0000000 --- a/node_modules/core-js/features/array/iterator.js +++ /dev/null @@ -1,2 +0,0 @@ -'use strict'; -module.exports = require('../../full/array/iterator'); diff --git a/node_modules/core-js/features/array/join.js b/node_modules/core-js/features/array/join.js deleted file mode 100644 index c053244..0000000 --- a/node_modules/core-js/features/array/join.js +++ /dev/null @@ -1,2 +0,0 @@ -'use strict'; -module.exports = require('../../full/array/join'); diff --git a/node_modules/core-js/features/array/keys.js b/node_modules/core-js/features/array/keys.js deleted file mode 100644 index fd4c6f8..0000000 --- a/node_modules/core-js/features/array/keys.js +++ /dev/null @@ -1,2 +0,0 @@ -'use strict'; -module.exports = require('../../full/array/keys'); diff --git a/node_modules/core-js/features/array/last-index-of.js b/node_modules/core-js/features/array/last-index-of.js deleted file mode 100644 index 1a4b7d0..0000000 --- a/node_modules/core-js/features/array/last-index-of.js +++ /dev/null @@ -1,2 +0,0 @@ -'use strict'; -module.exports = require('../../full/array/last-index-of'); diff --git a/node_modules/core-js/features/array/last-index.js b/node_modules/core-js/features/array/last-index.js deleted file mode 100644 index c813300..0000000 --- a/node_modules/core-js/features/array/last-index.js +++ /dev/null @@ -1,2 +0,0 @@ -'use strict'; -module.exports = require('../../full/array/last-index'); diff --git a/node_modules/core-js/features/array/last-item.js b/node_modules/core-js/features/array/last-item.js deleted file mode 100644 index 264d109..0000000 --- a/node_modules/core-js/features/array/last-item.js +++ /dev/null @@ -1,2 +0,0 @@ -'use strict'; -module.exports = require('../../full/array/last-item'); diff --git a/node_modules/core-js/features/array/map.js b/node_modules/core-js/features/array/map.js deleted file mode 100644 index 755baa0..0000000 --- a/node_modules/core-js/features/array/map.js +++ /dev/null @@ -1,2 +0,0 @@ -'use strict'; -module.exports = require('../../full/array/map'); diff --git a/node_modules/core-js/features/array/of.js b/node_modules/core-js/features/array/of.js deleted file mode 100644 index aa27fbe..0000000 --- a/node_modules/core-js/features/array/of.js +++ /dev/null @@ -1,2 +0,0 @@ -'use strict'; -module.exports = require('../../full/array/of'); diff --git a/node_modules/core-js/features/array/push.js b/node_modules/core-js/features/array/push.js deleted file mode 100644 index e445e85..0000000 --- a/node_modules/core-js/features/array/push.js +++ /dev/null @@ -1,2 +0,0 @@ -'use strict'; -module.exports = require('../../full/array/push'); diff --git a/node_modules/core-js/features/array/reduce-right.js b/node_modules/core-js/features/array/reduce-right.js deleted file mode 100644 index 0a81e53..0000000 --- a/node_modules/core-js/features/array/reduce-right.js +++ /dev/null @@ -1,2 +0,0 @@ -'use strict'; -module.exports = require('../../full/array/reduce-right'); diff --git a/node_modules/core-js/features/array/reduce.js b/node_modules/core-js/features/array/reduce.js deleted file mode 100644 index be5dcc4..0000000 --- a/node_modules/core-js/features/array/reduce.js +++ /dev/null @@ -1,2 +0,0 @@ -'use strict'; -module.exports = require('../../full/array/reduce'); diff --git a/node_modules/core-js/features/array/reverse.js b/node_modules/core-js/features/array/reverse.js deleted file mode 100644 index 13ffa30..0000000 --- a/node_modules/core-js/features/array/reverse.js +++ /dev/null @@ -1,2 +0,0 @@ -'use strict'; -module.exports = require('../../full/array/reverse'); diff --git a/node_modules/core-js/features/array/slice.js b/node_modules/core-js/features/array/slice.js deleted file mode 100644 index 2361724..0000000 --- a/node_modules/core-js/features/array/slice.js +++ /dev/null @@ -1,2 +0,0 @@ -'use strict'; -module.exports = require('../../full/array/slice'); diff --git a/node_modules/core-js/features/array/some.js b/node_modules/core-js/features/array/some.js deleted file mode 100644 index 70ef42a..0000000 --- a/node_modules/core-js/features/array/some.js +++ /dev/null @@ -1,2 +0,0 @@ -'use strict'; -module.exports = require('../../full/array/some'); diff --git a/node_modules/core-js/features/array/sort.js b/node_modules/core-js/features/array/sort.js deleted file mode 100644 index 51542be..0000000 --- a/node_modules/core-js/features/array/sort.js +++ /dev/null @@ -1,2 +0,0 @@ -'use strict'; -module.exports = require('../../full/array/sort'); diff --git a/node_modules/core-js/features/array/splice.js b/node_modules/core-js/features/array/splice.js deleted file mode 100644 index 435477a..0000000 --- a/node_modules/core-js/features/array/splice.js +++ /dev/null @@ -1,2 +0,0 @@ -'use strict'; -module.exports = require('../../full/array/splice'); diff --git a/node_modules/core-js/features/array/to-reversed.js b/node_modules/core-js/features/array/to-reversed.js deleted file mode 100644 index 4d5e3e8..0000000 --- a/node_modules/core-js/features/array/to-reversed.js +++ /dev/null @@ -1,2 +0,0 @@ -'use strict'; -module.exports = require('../../full/array/to-reversed'); diff --git a/node_modules/core-js/features/array/to-sorted.js b/node_modules/core-js/features/array/to-sorted.js deleted file mode 100644 index 7863413..0000000 --- a/node_modules/core-js/features/array/to-sorted.js +++ /dev/null @@ -1,2 +0,0 @@ -'use strict'; -module.exports = require('../../full/array/to-sorted'); diff --git a/node_modules/core-js/features/array/to-spliced.js b/node_modules/core-js/features/array/to-spliced.js deleted file mode 100644 index 573563c..0000000 --- a/node_modules/core-js/features/array/to-spliced.js +++ /dev/null @@ -1,2 +0,0 @@ -'use strict'; -module.exports = require('../../full/array/to-spliced'); diff --git a/node_modules/core-js/features/array/unique-by.js b/node_modules/core-js/features/array/unique-by.js deleted file mode 100644 index f45a3d1..0000000 --- a/node_modules/core-js/features/array/unique-by.js +++ /dev/null @@ -1,2 +0,0 @@ -'use strict'; -module.exports = require('../../full/array/unique-by'); diff --git a/node_modules/core-js/features/array/unshift.js b/node_modules/core-js/features/array/unshift.js deleted file mode 100644 index 0b2cc19..0000000 --- a/node_modules/core-js/features/array/unshift.js +++ /dev/null @@ -1,2 +0,0 @@ -'use strict'; -module.exports = require('../../full/array/unshift'); diff --git a/node_modules/core-js/features/array/values.js b/node_modules/core-js/features/array/values.js deleted file mode 100644 index a07deb7..0000000 --- a/node_modules/core-js/features/array/values.js +++ /dev/null @@ -1,2 +0,0 @@ -'use strict'; -module.exports = require('../../full/array/values'); diff --git a/node_modules/core-js/features/array/virtual/at.js b/node_modules/core-js/features/array/virtual/at.js deleted file mode 100644 index 0df9756..0000000 --- a/node_modules/core-js/features/array/virtual/at.js +++ /dev/null @@ -1,2 +0,0 @@ -'use strict'; -module.exports = require('../../../full/array/virtual/at'); diff --git a/node_modules/core-js/features/array/virtual/concat.js b/node_modules/core-js/features/array/virtual/concat.js deleted file mode 100644 index 1c92a12..0000000 --- a/node_modules/core-js/features/array/virtual/concat.js +++ /dev/null @@ -1,2 +0,0 @@ -'use strict'; -module.exports = require('../../../full/array/virtual/concat'); diff --git a/node_modules/core-js/features/array/virtual/copy-within.js b/node_modules/core-js/features/array/virtual/copy-within.js deleted file mode 100644 index ece58e6..0000000 --- a/node_modules/core-js/features/array/virtual/copy-within.js +++ /dev/null @@ -1,2 +0,0 @@ -'use strict'; -module.exports = require('../../../full/array/virtual/copy-within'); diff --git a/node_modules/core-js/features/array/virtual/entries.js b/node_modules/core-js/features/array/virtual/entries.js deleted file mode 100644 index ad7f4f5..0000000 --- a/node_modules/core-js/features/array/virtual/entries.js +++ /dev/null @@ -1,2 +0,0 @@ -'use strict'; -module.exports = require('../../../full/array/virtual/entries'); diff --git a/node_modules/core-js/features/array/virtual/every.js b/node_modules/core-js/features/array/virtual/every.js deleted file mode 100644 index 228d31b..0000000 --- a/node_modules/core-js/features/array/virtual/every.js +++ /dev/null @@ -1,2 +0,0 @@ -'use strict'; -module.exports = require('../../../full/array/virtual/every'); diff --git a/node_modules/core-js/features/array/virtual/fill.js b/node_modules/core-js/features/array/virtual/fill.js deleted file mode 100644 index 066ebc1..0000000 --- a/node_modules/core-js/features/array/virtual/fill.js +++ /dev/null @@ -1,2 +0,0 @@ -'use strict'; -module.exports = require('../../../full/array/virtual/fill'); diff --git a/node_modules/core-js/features/array/virtual/filter-out.js b/node_modules/core-js/features/array/virtual/filter-out.js deleted file mode 100644 index c01b3c4..0000000 --- a/node_modules/core-js/features/array/virtual/filter-out.js +++ /dev/null @@ -1,2 +0,0 @@ -'use strict'; -module.exports = require('../../../full/array/virtual/filter-out'); diff --git a/node_modules/core-js/features/array/virtual/filter-reject.js b/node_modules/core-js/features/array/virtual/filter-reject.js deleted file mode 100644 index e361da3..0000000 --- a/node_modules/core-js/features/array/virtual/filter-reject.js +++ /dev/null @@ -1,2 +0,0 @@ -'use strict'; -module.exports = require('../../../full/array/virtual/filter-reject'); diff --git a/node_modules/core-js/features/array/virtual/filter.js b/node_modules/core-js/features/array/virtual/filter.js deleted file mode 100644 index b037cf9..0000000 --- a/node_modules/core-js/features/array/virtual/filter.js +++ /dev/null @@ -1,2 +0,0 @@ -'use strict'; -module.exports = require('../../../full/array/virtual/filter'); diff --git a/node_modules/core-js/features/array/virtual/find-index.js b/node_modules/core-js/features/array/virtual/find-index.js deleted file mode 100644 index 7353298..0000000 --- a/node_modules/core-js/features/array/virtual/find-index.js +++ /dev/null @@ -1,2 +0,0 @@ -'use strict'; -module.exports = require('../../../full/array/virtual/find-index'); diff --git a/node_modules/core-js/features/array/virtual/find-last-index.js b/node_modules/core-js/features/array/virtual/find-last-index.js deleted file mode 100644 index fd157f2..0000000 --- a/node_modules/core-js/features/array/virtual/find-last-index.js +++ /dev/null @@ -1,2 +0,0 @@ -'use strict'; -module.exports = require('../../../full/array/virtual/find-last-index'); diff --git a/node_modules/core-js/features/array/virtual/find-last.js b/node_modules/core-js/features/array/virtual/find-last.js deleted file mode 100644 index 4f7456b..0000000 --- a/node_modules/core-js/features/array/virtual/find-last.js +++ /dev/null @@ -1,2 +0,0 @@ -'use strict'; -module.exports = require('../../../full/array/virtual/find-last'); diff --git a/node_modules/core-js/features/array/virtual/find.js b/node_modules/core-js/features/array/virtual/find.js deleted file mode 100644 index d87b83e..0000000 --- a/node_modules/core-js/features/array/virtual/find.js +++ /dev/null @@ -1,2 +0,0 @@ -'use strict'; -module.exports = require('../../../full/array/virtual/find'); diff --git a/node_modules/core-js/features/array/virtual/flat-map.js b/node_modules/core-js/features/array/virtual/flat-map.js deleted file mode 100644 index eb6010c..0000000 --- a/node_modules/core-js/features/array/virtual/flat-map.js +++ /dev/null @@ -1,2 +0,0 @@ -'use strict'; -module.exports = require('../../../full/array/virtual/flat-map'); diff --git a/node_modules/core-js/features/array/virtual/flat.js b/node_modules/core-js/features/array/virtual/flat.js deleted file mode 100644 index b13e32d..0000000 --- a/node_modules/core-js/features/array/virtual/flat.js +++ /dev/null @@ -1,2 +0,0 @@ -'use strict'; -module.exports = require('../../../full/array/virtual/flat'); diff --git a/node_modules/core-js/features/array/virtual/for-each.js b/node_modules/core-js/features/array/virtual/for-each.js deleted file mode 100644 index 36a63e2..0000000 --- a/node_modules/core-js/features/array/virtual/for-each.js +++ /dev/null @@ -1,2 +0,0 @@ -'use strict'; -module.exports = require('../../../full/array/virtual/for-each'); diff --git a/node_modules/core-js/features/array/virtual/group-by-to-map.js b/node_modules/core-js/features/array/virtual/group-by-to-map.js deleted file mode 100644 index e6e3500..0000000 --- a/node_modules/core-js/features/array/virtual/group-by-to-map.js +++ /dev/null @@ -1,2 +0,0 @@ -'use strict'; -module.exports = require('../../../full/array/virtual/group-by-to-map'); diff --git a/node_modules/core-js/features/array/virtual/group-by.js b/node_modules/core-js/features/array/virtual/group-by.js deleted file mode 100644 index cb7b425..0000000 --- a/node_modules/core-js/features/array/virtual/group-by.js +++ /dev/null @@ -1,2 +0,0 @@ -'use strict'; -module.exports = require('../../../full/array/virtual/group-by'); diff --git a/node_modules/core-js/features/array/virtual/group-to-map.js b/node_modules/core-js/features/array/virtual/group-to-map.js deleted file mode 100644 index 4579468..0000000 --- a/node_modules/core-js/features/array/virtual/group-to-map.js +++ /dev/null @@ -1,2 +0,0 @@ -'use strict'; -module.exports = require('../../../full/array/virtual/group-to-map'); diff --git a/node_modules/core-js/features/array/virtual/group.js b/node_modules/core-js/features/array/virtual/group.js deleted file mode 100644 index d74be5c..0000000 --- a/node_modules/core-js/features/array/virtual/group.js +++ /dev/null @@ -1,2 +0,0 @@ -'use strict'; -module.exports = require('../../../full/array/virtual/group'); diff --git a/node_modules/core-js/features/array/virtual/includes.js b/node_modules/core-js/features/array/virtual/includes.js deleted file mode 100644 index b958745..0000000 --- a/node_modules/core-js/features/array/virtual/includes.js +++ /dev/null @@ -1,2 +0,0 @@ -'use strict'; -module.exports = require('../../../full/array/virtual/includes'); diff --git a/node_modules/core-js/features/array/virtual/index-of.js b/node_modules/core-js/features/array/virtual/index-of.js deleted file mode 100644 index c662ba1..0000000 --- a/node_modules/core-js/features/array/virtual/index-of.js +++ /dev/null @@ -1,2 +0,0 @@ -'use strict'; -module.exports = require('../../../full/array/virtual/index-of'); diff --git a/node_modules/core-js/features/array/virtual/index.js b/node_modules/core-js/features/array/virtual/index.js deleted file mode 100644 index dee1f54..0000000 --- a/node_modules/core-js/features/array/virtual/index.js +++ /dev/null @@ -1,2 +0,0 @@ -'use strict'; -module.exports = require('../../../full/array/virtual'); diff --git a/node_modules/core-js/features/array/virtual/iterator.js b/node_modules/core-js/features/array/virtual/iterator.js deleted file mode 100644 index 557e31b..0000000 --- a/node_modules/core-js/features/array/virtual/iterator.js +++ /dev/null @@ -1,2 +0,0 @@ -'use strict'; -module.exports = require('../../../full/array/virtual/iterator'); diff --git a/node_modules/core-js/features/array/virtual/join.js b/node_modules/core-js/features/array/virtual/join.js deleted file mode 100644 index 62bf5b9..0000000 --- a/node_modules/core-js/features/array/virtual/join.js +++ /dev/null @@ -1,2 +0,0 @@ -'use strict'; -module.exports = require('../../../full/array/virtual/join'); diff --git a/node_modules/core-js/features/array/virtual/keys.js b/node_modules/core-js/features/array/virtual/keys.js deleted file mode 100644 index 1e088ef..0000000 --- a/node_modules/core-js/features/array/virtual/keys.js +++ /dev/null @@ -1,2 +0,0 @@ -'use strict'; -module.exports = require('../../../full/array/virtual/keys'); diff --git a/node_modules/core-js/features/array/virtual/last-index-of.js b/node_modules/core-js/features/array/virtual/last-index-of.js deleted file mode 100644 index f275e49..0000000 --- a/node_modules/core-js/features/array/virtual/last-index-of.js +++ /dev/null @@ -1,2 +0,0 @@ -'use strict'; -module.exports = require('../../../full/array/virtual/last-index-of'); diff --git a/node_modules/core-js/features/array/virtual/map.js b/node_modules/core-js/features/array/virtual/map.js deleted file mode 100644 index af801d8..0000000 --- a/node_modules/core-js/features/array/virtual/map.js +++ /dev/null @@ -1,2 +0,0 @@ -'use strict'; -module.exports = require('../../../full/array/virtual/map'); diff --git a/node_modules/core-js/features/array/virtual/push.js b/node_modules/core-js/features/array/virtual/push.js deleted file mode 100644 index b25cc38..0000000 --- a/node_modules/core-js/features/array/virtual/push.js +++ /dev/null @@ -1,2 +0,0 @@ -'use strict'; -module.exports = require('../../../full/array/virtual/push'); diff --git a/node_modules/core-js/features/array/virtual/reduce-right.js b/node_modules/core-js/features/array/virtual/reduce-right.js deleted file mode 100644 index 896942f..0000000 --- a/node_modules/core-js/features/array/virtual/reduce-right.js +++ /dev/null @@ -1,2 +0,0 @@ -'use strict'; -module.exports = require('../../../full/array/virtual/reduce-right'); diff --git a/node_modules/core-js/features/array/virtual/reduce.js b/node_modules/core-js/features/array/virtual/reduce.js deleted file mode 100644 index 479ec56..0000000 --- a/node_modules/core-js/features/array/virtual/reduce.js +++ /dev/null @@ -1,2 +0,0 @@ -'use strict'; -module.exports = require('../../../full/array/virtual/reduce'); diff --git a/node_modules/core-js/features/array/virtual/reverse.js b/node_modules/core-js/features/array/virtual/reverse.js deleted file mode 100644 index 94b6ab8..0000000 --- a/node_modules/core-js/features/array/virtual/reverse.js +++ /dev/null @@ -1,2 +0,0 @@ -'use strict'; -module.exports = require('../../../full/array/virtual/reverse'); diff --git a/node_modules/core-js/features/array/virtual/slice.js b/node_modules/core-js/features/array/virtual/slice.js deleted file mode 100644 index 4cb10c6..0000000 --- a/node_modules/core-js/features/array/virtual/slice.js +++ /dev/null @@ -1,2 +0,0 @@ -'use strict'; -module.exports = require('../../../full/array/virtual/slice'); diff --git a/node_modules/core-js/features/array/virtual/some.js b/node_modules/core-js/features/array/virtual/some.js deleted file mode 100644 index 12cd60c..0000000 --- a/node_modules/core-js/features/array/virtual/some.js +++ /dev/null @@ -1,2 +0,0 @@ -'use strict'; -module.exports = require('../../../full/array/virtual/some'); diff --git a/node_modules/core-js/features/array/virtual/sort.js b/node_modules/core-js/features/array/virtual/sort.js deleted file mode 100644 index db45d31..0000000 --- a/node_modules/core-js/features/array/virtual/sort.js +++ /dev/null @@ -1,2 +0,0 @@ -'use strict'; -module.exports = require('../../../full/array/virtual/sort'); diff --git a/node_modules/core-js/features/array/virtual/splice.js b/node_modules/core-js/features/array/virtual/splice.js deleted file mode 100644 index e1485f0..0000000 --- a/node_modules/core-js/features/array/virtual/splice.js +++ /dev/null @@ -1,2 +0,0 @@ -'use strict'; -module.exports = require('../../../full/array/virtual/splice'); diff --git a/node_modules/core-js/features/array/virtual/to-reversed.js b/node_modules/core-js/features/array/virtual/to-reversed.js deleted file mode 100644 index d6c9044..0000000 --- a/node_modules/core-js/features/array/virtual/to-reversed.js +++ /dev/null @@ -1,2 +0,0 @@ -'use strict'; -module.exports = require('../../../full/array/virtual/to-reversed'); diff --git a/node_modules/core-js/features/array/virtual/to-sorted.js b/node_modules/core-js/features/array/virtual/to-sorted.js deleted file mode 100644 index 2c9ccf2..0000000 --- a/node_modules/core-js/features/array/virtual/to-sorted.js +++ /dev/null @@ -1,2 +0,0 @@ -'use strict'; -module.exports = require('../../../full/array/virtual/to-sorted'); diff --git a/node_modules/core-js/features/array/virtual/to-spliced.js b/node_modules/core-js/features/array/virtual/to-spliced.js deleted file mode 100644 index 785933f..0000000 --- a/node_modules/core-js/features/array/virtual/to-spliced.js +++ /dev/null @@ -1,2 +0,0 @@ -'use strict'; -module.exports = require('../../../full/array/virtual/to-spliced'); diff --git a/node_modules/core-js/features/array/virtual/unique-by.js b/node_modules/core-js/features/array/virtual/unique-by.js deleted file mode 100644 index 178bd56..0000000 --- a/node_modules/core-js/features/array/virtual/unique-by.js +++ /dev/null @@ -1,2 +0,0 @@ -'use strict'; -module.exports = require('../../../full/array/virtual/unique-by'); diff --git a/node_modules/core-js/features/array/virtual/unshift.js b/node_modules/core-js/features/array/virtual/unshift.js deleted file mode 100644 index c9761cb..0000000 --- a/node_modules/core-js/features/array/virtual/unshift.js +++ /dev/null @@ -1,2 +0,0 @@ -'use strict'; -module.exports = require('../../../full/array/virtual/unshift'); diff --git a/node_modules/core-js/features/array/virtual/values.js b/node_modules/core-js/features/array/virtual/values.js deleted file mode 100644 index c39701e..0000000 --- a/node_modules/core-js/features/array/virtual/values.js +++ /dev/null @@ -1,2 +0,0 @@ -'use strict'; -module.exports = require('../../../full/array/virtual/values'); diff --git a/node_modules/core-js/features/array/virtual/with.js b/node_modules/core-js/features/array/virtual/with.js deleted file mode 100644 index 5b3f3a9..0000000 --- a/node_modules/core-js/features/array/virtual/with.js +++ /dev/null @@ -1,2 +0,0 @@ -'use strict'; -module.exports = require('../../../full/array/virtual/with'); diff --git a/node_modules/core-js/features/array/with.js b/node_modules/core-js/features/array/with.js deleted file mode 100644 index dea83a7..0000000 --- a/node_modules/core-js/features/array/with.js +++ /dev/null @@ -1,2 +0,0 @@ -'use strict'; -module.exports = require('../../full/array/with'); diff --git a/node_modules/core-js/features/async-disposable-stack/constructor.js b/node_modules/core-js/features/async-disposable-stack/constructor.js deleted file mode 100644 index 2adfd3e..0000000 --- a/node_modules/core-js/features/async-disposable-stack/constructor.js +++ /dev/null @@ -1,2 +0,0 @@ -'use strict'; -module.exports = require('../../full/async-disposable-stack/constructor'); diff --git a/node_modules/core-js/features/async-disposable-stack/index.js b/node_modules/core-js/features/async-disposable-stack/index.js deleted file mode 100644 index e45aa25..0000000 --- a/node_modules/core-js/features/async-disposable-stack/index.js +++ /dev/null @@ -1,2 +0,0 @@ -'use strict'; -module.exports = require('../../full/async-disposable-stack'); diff --git a/node_modules/core-js/features/async-iterator/as-indexed-pairs.js b/node_modules/core-js/features/async-iterator/as-indexed-pairs.js deleted file mode 100644 index 8f479ff..0000000 --- a/node_modules/core-js/features/async-iterator/as-indexed-pairs.js +++ /dev/null @@ -1,2 +0,0 @@ -'use strict'; -module.exports = require('../../full/async-iterator/as-indexed-pairs'); diff --git a/node_modules/core-js/features/async-iterator/async-dispose.js b/node_modules/core-js/features/async-iterator/async-dispose.js deleted file mode 100644 index ac37610..0000000 --- a/node_modules/core-js/features/async-iterator/async-dispose.js +++ /dev/null @@ -1,2 +0,0 @@ -'use strict'; -module.exports = require('../../full/async-iterator/async-dispose'); diff --git a/node_modules/core-js/features/async-iterator/drop.js b/node_modules/core-js/features/async-iterator/drop.js deleted file mode 100644 index 12e52a3..0000000 --- a/node_modules/core-js/features/async-iterator/drop.js +++ /dev/null @@ -1,2 +0,0 @@ -'use strict'; -module.exports = require('../../full/async-iterator/drop'); diff --git a/node_modules/core-js/features/async-iterator/every.js b/node_modules/core-js/features/async-iterator/every.js deleted file mode 100644 index eb74c22..0000000 --- a/node_modules/core-js/features/async-iterator/every.js +++ /dev/null @@ -1,2 +0,0 @@ -'use strict'; -module.exports = require('../../full/async-iterator/every'); diff --git a/node_modules/core-js/features/async-iterator/filter.js b/node_modules/core-js/features/async-iterator/filter.js deleted file mode 100644 index eaef99a..0000000 --- a/node_modules/core-js/features/async-iterator/filter.js +++ /dev/null @@ -1,2 +0,0 @@ -'use strict'; -module.exports = require('../../full/async-iterator/filter'); diff --git a/node_modules/core-js/features/async-iterator/find.js b/node_modules/core-js/features/async-iterator/find.js deleted file mode 100644 index 3b5a8ea..0000000 --- a/node_modules/core-js/features/async-iterator/find.js +++ /dev/null @@ -1,2 +0,0 @@ -'use strict'; -module.exports = require('../../full/async-iterator/find'); diff --git a/node_modules/core-js/features/async-iterator/flat-map.js b/node_modules/core-js/features/async-iterator/flat-map.js deleted file mode 100644 index dbfc9c7..0000000 --- a/node_modules/core-js/features/async-iterator/flat-map.js +++ /dev/null @@ -1,2 +0,0 @@ -'use strict'; -module.exports = require('../../full/async-iterator/flat-map'); diff --git a/node_modules/core-js/features/async-iterator/for-each.js b/node_modules/core-js/features/async-iterator/for-each.js deleted file mode 100644 index 3ff764a..0000000 --- a/node_modules/core-js/features/async-iterator/for-each.js +++ /dev/null @@ -1,2 +0,0 @@ -'use strict'; -module.exports = require('../../full/async-iterator/for-each'); diff --git a/node_modules/core-js/features/async-iterator/from.js b/node_modules/core-js/features/async-iterator/from.js deleted file mode 100644 index 1fcdec1..0000000 --- a/node_modules/core-js/features/async-iterator/from.js +++ /dev/null @@ -1,2 +0,0 @@ -'use strict'; -module.exports = require('../../full/async-iterator/from'); diff --git a/node_modules/core-js/features/async-iterator/index.js b/node_modules/core-js/features/async-iterator/index.js deleted file mode 100644 index 7aaf549..0000000 --- a/node_modules/core-js/features/async-iterator/index.js +++ /dev/null @@ -1,2 +0,0 @@ -'use strict'; -module.exports = require('../../full/async-iterator'); diff --git a/node_modules/core-js/features/async-iterator/indexed.js b/node_modules/core-js/features/async-iterator/indexed.js deleted file mode 100644 index b8403f6..0000000 --- a/node_modules/core-js/features/async-iterator/indexed.js +++ /dev/null @@ -1,2 +0,0 @@ -'use strict'; -module.exports = require('../../full/async-iterator/indexed'); diff --git a/node_modules/core-js/features/async-iterator/map.js b/node_modules/core-js/features/async-iterator/map.js deleted file mode 100644 index 9de4ae3..0000000 --- a/node_modules/core-js/features/async-iterator/map.js +++ /dev/null @@ -1,2 +0,0 @@ -'use strict'; -module.exports = require('../../full/async-iterator/map'); diff --git a/node_modules/core-js/features/async-iterator/reduce.js b/node_modules/core-js/features/async-iterator/reduce.js deleted file mode 100644 index 8050d22..0000000 --- a/node_modules/core-js/features/async-iterator/reduce.js +++ /dev/null @@ -1,2 +0,0 @@ -'use strict'; -module.exports = require('../../full/async-iterator/reduce'); diff --git a/node_modules/core-js/features/async-iterator/some.js b/node_modules/core-js/features/async-iterator/some.js deleted file mode 100644 index eeeff5d..0000000 --- a/node_modules/core-js/features/async-iterator/some.js +++ /dev/null @@ -1,2 +0,0 @@ -'use strict'; -module.exports = require('../../full/async-iterator/some'); diff --git a/node_modules/core-js/features/async-iterator/take.js b/node_modules/core-js/features/async-iterator/take.js deleted file mode 100644 index 17d1a63..0000000 --- a/node_modules/core-js/features/async-iterator/take.js +++ /dev/null @@ -1,2 +0,0 @@ -'use strict'; -module.exports = require('../../full/async-iterator/take'); diff --git a/node_modules/core-js/features/async-iterator/to-array.js b/node_modules/core-js/features/async-iterator/to-array.js deleted file mode 100644 index cf42198..0000000 --- a/node_modules/core-js/features/async-iterator/to-array.js +++ /dev/null @@ -1,2 +0,0 @@ -'use strict'; -module.exports = require('../../full/async-iterator/to-array'); diff --git a/node_modules/core-js/features/atob.js b/node_modules/core-js/features/atob.js deleted file mode 100644 index 5274555..0000000 --- a/node_modules/core-js/features/atob.js +++ /dev/null @@ -1,2 +0,0 @@ -'use strict'; -module.exports = require('../full/atob'); diff --git a/node_modules/core-js/features/bigint/index.js b/node_modules/core-js/features/bigint/index.js deleted file mode 100644 index c634a7c..0000000 --- a/node_modules/core-js/features/bigint/index.js +++ /dev/null @@ -1,2 +0,0 @@ -'use strict'; -module.exports = require('../../full/bigint'); diff --git a/node_modules/core-js/features/bigint/range.js b/node_modules/core-js/features/bigint/range.js deleted file mode 100644 index b40003d..0000000 --- a/node_modules/core-js/features/bigint/range.js +++ /dev/null @@ -1,2 +0,0 @@ -'use strict'; -module.exports = require('../../full/bigint/range'); diff --git a/node_modules/core-js/features/btoa.js b/node_modules/core-js/features/btoa.js deleted file mode 100644 index a3eeb28..0000000 --- a/node_modules/core-js/features/btoa.js +++ /dev/null @@ -1,2 +0,0 @@ -'use strict'; -module.exports = require('../full/btoa'); diff --git a/node_modules/core-js/features/clear-immediate.js b/node_modules/core-js/features/clear-immediate.js deleted file mode 100644 index 670e2ac..0000000 --- a/node_modules/core-js/features/clear-immediate.js +++ /dev/null @@ -1,2 +0,0 @@ -'use strict'; -module.exports = require('../full/clear-immediate'); diff --git a/node_modules/core-js/features/composite-key.js b/node_modules/core-js/features/composite-key.js deleted file mode 100644 index 0aa534d..0000000 --- a/node_modules/core-js/features/composite-key.js +++ /dev/null @@ -1,2 +0,0 @@ -'use strict'; -module.exports = require('../full/composite-key'); diff --git a/node_modules/core-js/features/composite-symbol.js b/node_modules/core-js/features/composite-symbol.js deleted file mode 100644 index 870aaf3..0000000 --- a/node_modules/core-js/features/composite-symbol.js +++ /dev/null @@ -1,2 +0,0 @@ -'use strict'; -module.exports = require('../full/composite-symbol'); diff --git a/node_modules/core-js/features/data-view/get-float16.js b/node_modules/core-js/features/data-view/get-float16.js deleted file mode 100644 index d53e289..0000000 --- a/node_modules/core-js/features/data-view/get-float16.js +++ /dev/null @@ -1,2 +0,0 @@ -'use strict'; -module.exports = require('../../full/data-view/get-float16'); diff --git a/node_modules/core-js/features/data-view/get-uint8-clamped.js b/node_modules/core-js/features/data-view/get-uint8-clamped.js deleted file mode 100644 index 6b2e0e3..0000000 --- a/node_modules/core-js/features/data-view/get-uint8-clamped.js +++ /dev/null @@ -1,2 +0,0 @@ -'use strict'; -module.exports = require('../../full/data-view/get-uint8-clamped'); diff --git a/node_modules/core-js/features/data-view/index.js b/node_modules/core-js/features/data-view/index.js deleted file mode 100644 index 3ee3e88..0000000 --- a/node_modules/core-js/features/data-view/index.js +++ /dev/null @@ -1,2 +0,0 @@ -'use strict'; -module.exports = require('../../full/data-view'); diff --git a/node_modules/core-js/features/data-view/set-float16.js b/node_modules/core-js/features/data-view/set-float16.js deleted file mode 100644 index 2c0c9af..0000000 --- a/node_modules/core-js/features/data-view/set-float16.js +++ /dev/null @@ -1,2 +0,0 @@ -'use strict'; -module.exports = require('../../full/data-view/set-float16'); diff --git a/node_modules/core-js/features/data-view/set-uint8-clamped.js b/node_modules/core-js/features/data-view/set-uint8-clamped.js deleted file mode 100644 index 27e928f..0000000 --- a/node_modules/core-js/features/data-view/set-uint8-clamped.js +++ /dev/null @@ -1,2 +0,0 @@ -'use strict'; -module.exports = require('../../full/data-view/set-uint8-clamped'); diff --git a/node_modules/core-js/features/date/get-year.js b/node_modules/core-js/features/date/get-year.js deleted file mode 100644 index 01748db..0000000 --- a/node_modules/core-js/features/date/get-year.js +++ /dev/null @@ -1,2 +0,0 @@ -'use strict'; -module.exports = require('../../full/date/get-year'); diff --git a/node_modules/core-js/features/date/index.js b/node_modules/core-js/features/date/index.js deleted file mode 100644 index 00763b1..0000000 --- a/node_modules/core-js/features/date/index.js +++ /dev/null @@ -1,2 +0,0 @@ -'use strict'; -module.exports = require('../../full/date'); diff --git a/node_modules/core-js/features/date/now.js b/node_modules/core-js/features/date/now.js deleted file mode 100644 index 456f092..0000000 --- a/node_modules/core-js/features/date/now.js +++ /dev/null @@ -1,2 +0,0 @@ -'use strict'; -module.exports = require('../../full/date/now'); diff --git a/node_modules/core-js/features/date/set-year.js b/node_modules/core-js/features/date/set-year.js deleted file mode 100644 index b1eb5b6..0000000 --- a/node_modules/core-js/features/date/set-year.js +++ /dev/null @@ -1,2 +0,0 @@ -'use strict'; -module.exports = require('../../full/date/set-year'); diff --git a/node_modules/core-js/features/date/to-gmt-string.js b/node_modules/core-js/features/date/to-gmt-string.js deleted file mode 100644 index 1a8cf3d..0000000 --- a/node_modules/core-js/features/date/to-gmt-string.js +++ /dev/null @@ -1,2 +0,0 @@ -'use strict'; -module.exports = require('../../full/date/to-gmt-string'); diff --git a/node_modules/core-js/features/date/to-iso-string.js b/node_modules/core-js/features/date/to-iso-string.js deleted file mode 100644 index 4351df8..0000000 --- a/node_modules/core-js/features/date/to-iso-string.js +++ /dev/null @@ -1,2 +0,0 @@ -'use strict'; -module.exports = require('../../full/date/to-iso-string'); diff --git a/node_modules/core-js/features/date/to-json.js b/node_modules/core-js/features/date/to-json.js deleted file mode 100644 index eb1f073..0000000 --- a/node_modules/core-js/features/date/to-json.js +++ /dev/null @@ -1,2 +0,0 @@ -'use strict'; -module.exports = require('../../full/date/to-json'); diff --git a/node_modules/core-js/features/date/to-primitive.js b/node_modules/core-js/features/date/to-primitive.js deleted file mode 100644 index c04d5ff..0000000 --- a/node_modules/core-js/features/date/to-primitive.js +++ /dev/null @@ -1,2 +0,0 @@ -'use strict'; -module.exports = require('../../full/date/to-primitive'); diff --git a/node_modules/core-js/features/date/to-string.js b/node_modules/core-js/features/date/to-string.js deleted file mode 100644 index 138ac94..0000000 --- a/node_modules/core-js/features/date/to-string.js +++ /dev/null @@ -1,2 +0,0 @@ -'use strict'; -module.exports = require('../../full/date/to-string'); diff --git a/node_modules/core-js/features/disposable-stack/constructor.js b/node_modules/core-js/features/disposable-stack/constructor.js deleted file mode 100644 index be69e37..0000000 --- a/node_modules/core-js/features/disposable-stack/constructor.js +++ /dev/null @@ -1,2 +0,0 @@ -'use strict'; -module.exports = require('../../full/disposable-stack/constructor'); diff --git a/node_modules/core-js/features/disposable-stack/index.js b/node_modules/core-js/features/disposable-stack/index.js deleted file mode 100644 index 5bbacfb..0000000 --- a/node_modules/core-js/features/disposable-stack/index.js +++ /dev/null @@ -1,2 +0,0 @@ -'use strict'; -module.exports = require('../../full/disposable-stack'); diff --git a/node_modules/core-js/features/dom-collections/for-each.js b/node_modules/core-js/features/dom-collections/for-each.js deleted file mode 100644 index 4e34919..0000000 --- a/node_modules/core-js/features/dom-collections/for-each.js +++ /dev/null @@ -1,2 +0,0 @@ -'use strict'; -module.exports = require('../../full/dom-collections/for-each'); diff --git a/node_modules/core-js/features/dom-collections/index.js b/node_modules/core-js/features/dom-collections/index.js deleted file mode 100644 index a2b1318..0000000 --- a/node_modules/core-js/features/dom-collections/index.js +++ /dev/null @@ -1,2 +0,0 @@ -'use strict'; -module.exports = require('../../full/dom-collections'); diff --git a/node_modules/core-js/features/dom-collections/iterator.js b/node_modules/core-js/features/dom-collections/iterator.js deleted file mode 100644 index 6b51ef0..0000000 --- a/node_modules/core-js/features/dom-collections/iterator.js +++ /dev/null @@ -1,2 +0,0 @@ -'use strict'; -module.exports = require('../../full/dom-collections/iterator'); diff --git a/node_modules/core-js/features/dom-exception/constructor.js b/node_modules/core-js/features/dom-exception/constructor.js deleted file mode 100644 index 54c37aa..0000000 --- a/node_modules/core-js/features/dom-exception/constructor.js +++ /dev/null @@ -1,2 +0,0 @@ -'use strict'; -module.exports = require('../../full/dom-exception/constructor'); diff --git a/node_modules/core-js/features/dom-exception/index.js b/node_modules/core-js/features/dom-exception/index.js deleted file mode 100644 index d047ee8..0000000 --- a/node_modules/core-js/features/dom-exception/index.js +++ /dev/null @@ -1,2 +0,0 @@ -'use strict'; -module.exports = require('../../full/dom-exception'); diff --git a/node_modules/core-js/features/dom-exception/to-string-tag.js b/node_modules/core-js/features/dom-exception/to-string-tag.js deleted file mode 100644 index a578f44..0000000 --- a/node_modules/core-js/features/dom-exception/to-string-tag.js +++ /dev/null @@ -1,2 +0,0 @@ -'use strict'; -module.exports = require('../../full/dom-exception/to-string-tag'); diff --git a/node_modules/core-js/features/error/constructor.js b/node_modules/core-js/features/error/constructor.js deleted file mode 100644 index 73f2cbc..0000000 --- a/node_modules/core-js/features/error/constructor.js +++ /dev/null @@ -1,2 +0,0 @@ -'use strict'; -module.exports = require('../../full/error/constructor'); diff --git a/node_modules/core-js/features/error/index.js b/node_modules/core-js/features/error/index.js deleted file mode 100644 index 5a0f6b0..0000000 --- a/node_modules/core-js/features/error/index.js +++ /dev/null @@ -1,2 +0,0 @@ -'use strict'; -module.exports = require('../../full/error'); diff --git a/node_modules/core-js/features/error/to-string.js b/node_modules/core-js/features/error/to-string.js deleted file mode 100644 index 47b1551..0000000 --- a/node_modules/core-js/features/error/to-string.js +++ /dev/null @@ -1,2 +0,0 @@ -'use strict'; -module.exports = require('../../full/error/to-string'); diff --git a/node_modules/core-js/features/escape.js b/node_modules/core-js/features/escape.js deleted file mode 100644 index be0474b..0000000 --- a/node_modules/core-js/features/escape.js +++ /dev/null @@ -1,2 +0,0 @@ -'use strict'; -module.exports = require('../full/escape'); diff --git a/node_modules/core-js/features/function/bind.js b/node_modules/core-js/features/function/bind.js deleted file mode 100644 index 8281dcb..0000000 --- a/node_modules/core-js/features/function/bind.js +++ /dev/null @@ -1,2 +0,0 @@ -'use strict'; -module.exports = require('../../full/function/bind'); diff --git a/node_modules/core-js/features/function/demethodize.js b/node_modules/core-js/features/function/demethodize.js deleted file mode 100644 index cf093c3..0000000 --- a/node_modules/core-js/features/function/demethodize.js +++ /dev/null @@ -1,2 +0,0 @@ -'use strict'; -module.exports = require('../../full/function/demethodize'); diff --git a/node_modules/core-js/features/function/has-instance.js b/node_modules/core-js/features/function/has-instance.js deleted file mode 100644 index 4fc1051..0000000 --- a/node_modules/core-js/features/function/has-instance.js +++ /dev/null @@ -1,2 +0,0 @@ -'use strict'; -module.exports = require('../../full/function/has-instance'); diff --git a/node_modules/core-js/features/function/index.js b/node_modules/core-js/features/function/index.js deleted file mode 100644 index 0ba08df..0000000 --- a/node_modules/core-js/features/function/index.js +++ /dev/null @@ -1,2 +0,0 @@ -'use strict'; -module.exports = require('../../full/function'); diff --git a/node_modules/core-js/features/function/is-callable.js b/node_modules/core-js/features/function/is-callable.js deleted file mode 100644 index b624162..0000000 --- a/node_modules/core-js/features/function/is-callable.js +++ /dev/null @@ -1,2 +0,0 @@ -'use strict'; -module.exports = require('../../full/function/is-callable'); diff --git a/node_modules/core-js/features/function/is-constructor.js b/node_modules/core-js/features/function/is-constructor.js deleted file mode 100644 index 46c9208..0000000 --- a/node_modules/core-js/features/function/is-constructor.js +++ /dev/null @@ -1,2 +0,0 @@ -'use strict'; -module.exports = require('../../full/function/is-constructor'); diff --git a/node_modules/core-js/features/function/metadata.js b/node_modules/core-js/features/function/metadata.js deleted file mode 100644 index 31e8fea..0000000 --- a/node_modules/core-js/features/function/metadata.js +++ /dev/null @@ -1,2 +0,0 @@ -'use strict'; -module.exports = require('../../full/function/metadata'); diff --git a/node_modules/core-js/features/function/name.js b/node_modules/core-js/features/function/name.js deleted file mode 100644 index e5facbc..0000000 --- a/node_modules/core-js/features/function/name.js +++ /dev/null @@ -1,2 +0,0 @@ -'use strict'; -module.exports = require('../../full/function/name'); diff --git a/node_modules/core-js/features/function/un-this.js b/node_modules/core-js/features/function/un-this.js deleted file mode 100644 index bc6f519..0000000 --- a/node_modules/core-js/features/function/un-this.js +++ /dev/null @@ -1,2 +0,0 @@ -'use strict'; -module.exports = require('../../full/function/un-this'); diff --git a/node_modules/core-js/features/function/virtual/bind.js b/node_modules/core-js/features/function/virtual/bind.js deleted file mode 100644 index f0da5de..0000000 --- a/node_modules/core-js/features/function/virtual/bind.js +++ /dev/null @@ -1,2 +0,0 @@ -'use strict'; -module.exports = require('../../../full/function/virtual/bind'); diff --git a/node_modules/core-js/features/function/virtual/demethodize.js b/node_modules/core-js/features/function/virtual/demethodize.js deleted file mode 100644 index a9e6403..0000000 --- a/node_modules/core-js/features/function/virtual/demethodize.js +++ /dev/null @@ -1,2 +0,0 @@ -'use strict'; -module.exports = require('../../../full/function/virtual/demethodize'); diff --git a/node_modules/core-js/features/function/virtual/index.js b/node_modules/core-js/features/function/virtual/index.js deleted file mode 100644 index cbfa55e..0000000 --- a/node_modules/core-js/features/function/virtual/index.js +++ /dev/null @@ -1,2 +0,0 @@ -'use strict'; -module.exports = require('../../../full/function/virtual'); diff --git a/node_modules/core-js/features/function/virtual/un-this.js b/node_modules/core-js/features/function/virtual/un-this.js deleted file mode 100644 index d534492..0000000 --- a/node_modules/core-js/features/function/virtual/un-this.js +++ /dev/null @@ -1,2 +0,0 @@ -'use strict'; -module.exports = require('../../../full/function/virtual/un-this'); diff --git a/node_modules/core-js/features/get-iterator-method.js b/node_modules/core-js/features/get-iterator-method.js deleted file mode 100644 index 2ee2e32..0000000 --- a/node_modules/core-js/features/get-iterator-method.js +++ /dev/null @@ -1,2 +0,0 @@ -'use strict'; -module.exports = require('../full/get-iterator-method'); diff --git a/node_modules/core-js/features/get-iterator.js b/node_modules/core-js/features/get-iterator.js deleted file mode 100644 index 0e97366..0000000 --- a/node_modules/core-js/features/get-iterator.js +++ /dev/null @@ -1,2 +0,0 @@ -'use strict'; -module.exports = require('../full/get-iterator'); diff --git a/node_modules/core-js/features/global-this.js b/node_modules/core-js/features/global-this.js deleted file mode 100644 index 7ef6e00..0000000 --- a/node_modules/core-js/features/global-this.js +++ /dev/null @@ -1,2 +0,0 @@ -'use strict'; -module.exports = require('../full/global-this'); diff --git a/node_modules/core-js/features/index.js b/node_modules/core-js/features/index.js deleted file mode 100644 index 862f06c..0000000 --- a/node_modules/core-js/features/index.js +++ /dev/null @@ -1,2 +0,0 @@ -'use strict'; -module.exports = require('../full'); diff --git a/node_modules/core-js/features/instance/at.js b/node_modules/core-js/features/instance/at.js deleted file mode 100644 index 63ee4e0..0000000 --- a/node_modules/core-js/features/instance/at.js +++ /dev/null @@ -1,2 +0,0 @@ -'use strict'; -module.exports = require('../../full/instance/at'); diff --git a/node_modules/core-js/features/instance/bind.js b/node_modules/core-js/features/instance/bind.js deleted file mode 100644 index a4df444..0000000 --- a/node_modules/core-js/features/instance/bind.js +++ /dev/null @@ -1,2 +0,0 @@ -'use strict'; -module.exports = require('../../full/instance/bind'); diff --git a/node_modules/core-js/features/instance/code-point-at.js b/node_modules/core-js/features/instance/code-point-at.js deleted file mode 100644 index ac8f54a..0000000 --- a/node_modules/core-js/features/instance/code-point-at.js +++ /dev/null @@ -1,2 +0,0 @@ -'use strict'; -module.exports = require('../../full/instance/code-point-at'); diff --git a/node_modules/core-js/features/instance/code-points.js b/node_modules/core-js/features/instance/code-points.js deleted file mode 100644 index 250b28c..0000000 --- a/node_modules/core-js/features/instance/code-points.js +++ /dev/null @@ -1,2 +0,0 @@ -'use strict'; -module.exports = require('../../full/instance/code-points'); diff --git a/node_modules/core-js/features/instance/concat.js b/node_modules/core-js/features/instance/concat.js deleted file mode 100644 index 70fe007..0000000 --- a/node_modules/core-js/features/instance/concat.js +++ /dev/null @@ -1,2 +0,0 @@ -'use strict'; -module.exports = require('../../full/instance/concat'); diff --git a/node_modules/core-js/features/instance/copy-within.js b/node_modules/core-js/features/instance/copy-within.js deleted file mode 100644 index b833739..0000000 --- a/node_modules/core-js/features/instance/copy-within.js +++ /dev/null @@ -1,2 +0,0 @@ -'use strict'; -module.exports = require('../../full/instance/copy-within'); diff --git a/node_modules/core-js/features/instance/demethodize.js b/node_modules/core-js/features/instance/demethodize.js deleted file mode 100644 index 3d5d9a4..0000000 --- a/node_modules/core-js/features/instance/demethodize.js +++ /dev/null @@ -1,2 +0,0 @@ -'use strict'; -module.exports = require('../../full/instance/demethodize'); diff --git a/node_modules/core-js/features/instance/ends-with.js b/node_modules/core-js/features/instance/ends-with.js deleted file mode 100644 index e6abcf7..0000000 --- a/node_modules/core-js/features/instance/ends-with.js +++ /dev/null @@ -1,2 +0,0 @@ -'use strict'; -module.exports = require('../../full/instance/ends-with'); diff --git a/node_modules/core-js/features/instance/entries.js b/node_modules/core-js/features/instance/entries.js deleted file mode 100644 index 23486b2..0000000 --- a/node_modules/core-js/features/instance/entries.js +++ /dev/null @@ -1,2 +0,0 @@ -'use strict'; -module.exports = require('../../full/instance/entries'); diff --git a/node_modules/core-js/features/instance/every.js b/node_modules/core-js/features/instance/every.js deleted file mode 100644 index d9b53c9..0000000 --- a/node_modules/core-js/features/instance/every.js +++ /dev/null @@ -1,2 +0,0 @@ -'use strict'; -module.exports = require('../../full/instance/every'); diff --git a/node_modules/core-js/features/instance/fill.js b/node_modules/core-js/features/instance/fill.js deleted file mode 100644 index 17d1f57..0000000 --- a/node_modules/core-js/features/instance/fill.js +++ /dev/null @@ -1,2 +0,0 @@ -'use strict'; -module.exports = require('../../full/instance/fill'); diff --git a/node_modules/core-js/features/instance/filter-out.js b/node_modules/core-js/features/instance/filter-out.js deleted file mode 100644 index 12191d6..0000000 --- a/node_modules/core-js/features/instance/filter-out.js +++ /dev/null @@ -1,2 +0,0 @@ -'use strict'; -module.exports = require('../../full/instance/filter-out'); diff --git a/node_modules/core-js/features/instance/filter-reject.js b/node_modules/core-js/features/instance/filter-reject.js deleted file mode 100644 index c52ceab..0000000 --- a/node_modules/core-js/features/instance/filter-reject.js +++ /dev/null @@ -1,2 +0,0 @@ -'use strict'; -module.exports = require('../../full/instance/filter-reject'); diff --git a/node_modules/core-js/features/instance/filter.js b/node_modules/core-js/features/instance/filter.js deleted file mode 100644 index 75faee1..0000000 --- a/node_modules/core-js/features/instance/filter.js +++ /dev/null @@ -1,2 +0,0 @@ -'use strict'; -module.exports = require('../../full/instance/filter'); diff --git a/node_modules/core-js/features/instance/find-index.js b/node_modules/core-js/features/instance/find-index.js deleted file mode 100644 index 843a5f0..0000000 --- a/node_modules/core-js/features/instance/find-index.js +++ /dev/null @@ -1,2 +0,0 @@ -'use strict'; -module.exports = require('../../full/instance/find-index'); diff --git a/node_modules/core-js/features/instance/find-last-index.js b/node_modules/core-js/features/instance/find-last-index.js deleted file mode 100644 index 9e12128..0000000 --- a/node_modules/core-js/features/instance/find-last-index.js +++ /dev/null @@ -1,2 +0,0 @@ -'use strict'; -module.exports = require('../../full/instance/find-last-index'); diff --git a/node_modules/core-js/features/instance/find-last.js b/node_modules/core-js/features/instance/find-last.js deleted file mode 100644 index f3e952e..0000000 --- a/node_modules/core-js/features/instance/find-last.js +++ /dev/null @@ -1,2 +0,0 @@ -'use strict'; -module.exports = require('../../full/instance/find-last'); diff --git a/node_modules/core-js/features/instance/find.js b/node_modules/core-js/features/instance/find.js deleted file mode 100644 index 2b4eece..0000000 --- a/node_modules/core-js/features/instance/find.js +++ /dev/null @@ -1,2 +0,0 @@ -'use strict'; -module.exports = require('../../full/instance/find'); diff --git a/node_modules/core-js/features/instance/flags.js b/node_modules/core-js/features/instance/flags.js deleted file mode 100644 index 5d51e28..0000000 --- a/node_modules/core-js/features/instance/flags.js +++ /dev/null @@ -1,2 +0,0 @@ -'use strict'; -module.exports = require('../../full/instance/flags'); diff --git a/node_modules/core-js/features/instance/flat-map.js b/node_modules/core-js/features/instance/flat-map.js deleted file mode 100644 index 9de4385..0000000 --- a/node_modules/core-js/features/instance/flat-map.js +++ /dev/null @@ -1,2 +0,0 @@ -'use strict'; -module.exports = require('../../full/instance/flat-map'); diff --git a/node_modules/core-js/features/instance/flat.js b/node_modules/core-js/features/instance/flat.js deleted file mode 100644 index caceea4..0000000 --- a/node_modules/core-js/features/instance/flat.js +++ /dev/null @@ -1,2 +0,0 @@ -'use strict'; -module.exports = require('../../full/instance/flat'); diff --git a/node_modules/core-js/features/instance/for-each.js b/node_modules/core-js/features/instance/for-each.js deleted file mode 100644 index 160548f..0000000 --- a/node_modules/core-js/features/instance/for-each.js +++ /dev/null @@ -1,2 +0,0 @@ -'use strict'; -module.exports = require('../../full/instance/for-each'); diff --git a/node_modules/core-js/features/instance/group-by-to-map.js b/node_modules/core-js/features/instance/group-by-to-map.js deleted file mode 100644 index 0a27360..0000000 --- a/node_modules/core-js/features/instance/group-by-to-map.js +++ /dev/null @@ -1,2 +0,0 @@ -'use strict'; -module.exports = require('../../full/instance/group-by-to-map'); diff --git a/node_modules/core-js/features/instance/group-by.js b/node_modules/core-js/features/instance/group-by.js deleted file mode 100644 index fc9c9cc..0000000 --- a/node_modules/core-js/features/instance/group-by.js +++ /dev/null @@ -1,2 +0,0 @@ -'use strict'; -module.exports = require('../../full/instance/group-by'); diff --git a/node_modules/core-js/features/instance/group-to-map.js b/node_modules/core-js/features/instance/group-to-map.js deleted file mode 100644 index 010a97e..0000000 --- a/node_modules/core-js/features/instance/group-to-map.js +++ /dev/null @@ -1,2 +0,0 @@ -'use strict'; -module.exports = require('../../full/instance/group-to-map'); diff --git a/node_modules/core-js/features/instance/group.js b/node_modules/core-js/features/instance/group.js deleted file mode 100644 index 4479a8a..0000000 --- a/node_modules/core-js/features/instance/group.js +++ /dev/null @@ -1,2 +0,0 @@ -'use strict'; -module.exports = require('../../full/instance/group'); diff --git a/node_modules/core-js/features/instance/includes.js b/node_modules/core-js/features/instance/includes.js deleted file mode 100644 index 845b728..0000000 --- a/node_modules/core-js/features/instance/includes.js +++ /dev/null @@ -1,2 +0,0 @@ -'use strict'; -module.exports = require('../../full/instance/includes'); diff --git a/node_modules/core-js/features/instance/index-of.js b/node_modules/core-js/features/instance/index-of.js deleted file mode 100644 index 39d1aa0..0000000 --- a/node_modules/core-js/features/instance/index-of.js +++ /dev/null @@ -1,2 +0,0 @@ -'use strict'; -module.exports = require('../../full/instance/index-of'); diff --git a/node_modules/core-js/features/instance/is-well-formed.js b/node_modules/core-js/features/instance/is-well-formed.js deleted file mode 100644 index 50253dc..0000000 --- a/node_modules/core-js/features/instance/is-well-formed.js +++ /dev/null @@ -1,2 +0,0 @@ -'use strict'; -module.exports = require('../../full/instance/is-well-formed'); diff --git a/node_modules/core-js/features/instance/keys.js b/node_modules/core-js/features/instance/keys.js deleted file mode 100644 index 2def5f5..0000000 --- a/node_modules/core-js/features/instance/keys.js +++ /dev/null @@ -1,2 +0,0 @@ -'use strict'; -module.exports = require('../../full/instance/keys'); diff --git a/node_modules/core-js/features/instance/last-index-of.js b/node_modules/core-js/features/instance/last-index-of.js deleted file mode 100644 index 03502cc..0000000 --- a/node_modules/core-js/features/instance/last-index-of.js +++ /dev/null @@ -1,2 +0,0 @@ -'use strict'; -module.exports = require('../../full/instance/last-index-of'); diff --git a/node_modules/core-js/features/instance/map.js b/node_modules/core-js/features/instance/map.js deleted file mode 100644 index 0108606..0000000 --- a/node_modules/core-js/features/instance/map.js +++ /dev/null @@ -1,2 +0,0 @@ -'use strict'; -module.exports = require('../../full/instance/map'); diff --git a/node_modules/core-js/features/instance/match-all.js b/node_modules/core-js/features/instance/match-all.js deleted file mode 100644 index 41dd3e4..0000000 --- a/node_modules/core-js/features/instance/match-all.js +++ /dev/null @@ -1,2 +0,0 @@ -'use strict'; -module.exports = require('../../full/instance/match-all'); diff --git a/node_modules/core-js/features/instance/pad-end.js b/node_modules/core-js/features/instance/pad-end.js deleted file mode 100644 index d7d01c5..0000000 --- a/node_modules/core-js/features/instance/pad-end.js +++ /dev/null @@ -1,2 +0,0 @@ -'use strict'; -module.exports = require('../../full/instance/pad-end'); diff --git a/node_modules/core-js/features/instance/pad-start.js b/node_modules/core-js/features/instance/pad-start.js deleted file mode 100644 index c96ea43..0000000 --- a/node_modules/core-js/features/instance/pad-start.js +++ /dev/null @@ -1,2 +0,0 @@ -'use strict'; -module.exports = require('../../full/instance/pad-start'); diff --git a/node_modules/core-js/features/instance/push.js b/node_modules/core-js/features/instance/push.js deleted file mode 100644 index 3d1703f..0000000 --- a/node_modules/core-js/features/instance/push.js +++ /dev/null @@ -1,2 +0,0 @@ -'use strict'; -module.exports = require('../../full/instance/push'); diff --git a/node_modules/core-js/features/instance/reduce-right.js b/node_modules/core-js/features/instance/reduce-right.js deleted file mode 100644 index 024f17b..0000000 --- a/node_modules/core-js/features/instance/reduce-right.js +++ /dev/null @@ -1,2 +0,0 @@ -'use strict'; -module.exports = require('../../full/instance/reduce-right'); diff --git a/node_modules/core-js/features/instance/reduce.js b/node_modules/core-js/features/instance/reduce.js deleted file mode 100644 index 895fc2f..0000000 --- a/node_modules/core-js/features/instance/reduce.js +++ /dev/null @@ -1,2 +0,0 @@ -'use strict'; -module.exports = require('../../full/instance/reduce'); diff --git a/node_modules/core-js/features/instance/repeat.js b/node_modules/core-js/features/instance/repeat.js deleted file mode 100644 index 8664359..0000000 --- a/node_modules/core-js/features/instance/repeat.js +++ /dev/null @@ -1,2 +0,0 @@ -'use strict'; -module.exports = require('../../full/instance/repeat'); diff --git a/node_modules/core-js/features/instance/replace-all.js b/node_modules/core-js/features/instance/replace-all.js deleted file mode 100644 index 9018591..0000000 --- a/node_modules/core-js/features/instance/replace-all.js +++ /dev/null @@ -1,2 +0,0 @@ -'use strict'; -module.exports = require('../../full/instance/replace-all'); diff --git a/node_modules/core-js/features/instance/reverse.js b/node_modules/core-js/features/instance/reverse.js deleted file mode 100644 index d7173ec..0000000 --- a/node_modules/core-js/features/instance/reverse.js +++ /dev/null @@ -1,2 +0,0 @@ -'use strict'; -module.exports = require('../../full/instance/reverse'); diff --git a/node_modules/core-js/features/instance/slice.js b/node_modules/core-js/features/instance/slice.js deleted file mode 100644 index 550de9b..0000000 --- a/node_modules/core-js/features/instance/slice.js +++ /dev/null @@ -1,2 +0,0 @@ -'use strict'; -module.exports = require('../../full/instance/slice'); diff --git a/node_modules/core-js/features/instance/some.js b/node_modules/core-js/features/instance/some.js deleted file mode 100644 index a03bf9a..0000000 --- a/node_modules/core-js/features/instance/some.js +++ /dev/null @@ -1,2 +0,0 @@ -'use strict'; -module.exports = require('../../full/instance/some'); diff --git a/node_modules/core-js/features/instance/sort.js b/node_modules/core-js/features/instance/sort.js deleted file mode 100644 index a7368e0..0000000 --- a/node_modules/core-js/features/instance/sort.js +++ /dev/null @@ -1,2 +0,0 @@ -'use strict'; -module.exports = require('../../full/instance/sort'); diff --git a/node_modules/core-js/features/instance/splice.js b/node_modules/core-js/features/instance/splice.js deleted file mode 100644 index 0527d4f..0000000 --- a/node_modules/core-js/features/instance/splice.js +++ /dev/null @@ -1,2 +0,0 @@ -'use strict'; -module.exports = require('../../full/instance/splice'); diff --git a/node_modules/core-js/features/instance/starts-with.js b/node_modules/core-js/features/instance/starts-with.js deleted file mode 100644 index fc41430..0000000 --- a/node_modules/core-js/features/instance/starts-with.js +++ /dev/null @@ -1,2 +0,0 @@ -'use strict'; -module.exports = require('../../full/instance/starts-with'); diff --git a/node_modules/core-js/features/instance/to-reversed.js b/node_modules/core-js/features/instance/to-reversed.js deleted file mode 100644 index e89a837..0000000 --- a/node_modules/core-js/features/instance/to-reversed.js +++ /dev/null @@ -1,2 +0,0 @@ -'use strict'; -module.exports = require('../../full/instance/to-reversed'); diff --git a/node_modules/core-js/features/instance/to-sorted.js b/node_modules/core-js/features/instance/to-sorted.js deleted file mode 100644 index 52d079a..0000000 --- a/node_modules/core-js/features/instance/to-sorted.js +++ /dev/null @@ -1,2 +0,0 @@ -'use strict'; -module.exports = require('../../full/instance/to-sorted'); diff --git a/node_modules/core-js/features/instance/to-spliced.js b/node_modules/core-js/features/instance/to-spliced.js deleted file mode 100644 index bcca07d..0000000 --- a/node_modules/core-js/features/instance/to-spliced.js +++ /dev/null @@ -1,2 +0,0 @@ -'use strict'; -module.exports = require('../../full/instance/to-spliced'); diff --git a/node_modules/core-js/features/instance/to-well-formed.js b/node_modules/core-js/features/instance/to-well-formed.js deleted file mode 100644 index b689d9f..0000000 --- a/node_modules/core-js/features/instance/to-well-formed.js +++ /dev/null @@ -1,2 +0,0 @@ -'use strict'; -module.exports = require('../../full/instance/to-well-formed'); diff --git a/node_modules/core-js/features/instance/trim-end.js b/node_modules/core-js/features/instance/trim-end.js deleted file mode 100644 index 3cc7030..0000000 --- a/node_modules/core-js/features/instance/trim-end.js +++ /dev/null @@ -1,2 +0,0 @@ -'use strict'; -module.exports = require('../../full/instance/trim-end'); diff --git a/node_modules/core-js/features/instance/trim-left.js b/node_modules/core-js/features/instance/trim-left.js deleted file mode 100644 index 212ab15..0000000 --- a/node_modules/core-js/features/instance/trim-left.js +++ /dev/null @@ -1,2 +0,0 @@ -'use strict'; -module.exports = require('../../full/instance/trim-left'); diff --git a/node_modules/core-js/features/instance/trim-right.js b/node_modules/core-js/features/instance/trim-right.js deleted file mode 100644 index f264fe6..0000000 --- a/node_modules/core-js/features/instance/trim-right.js +++ /dev/null @@ -1,2 +0,0 @@ -'use strict'; -module.exports = require('../../full/instance/trim-right'); diff --git a/node_modules/core-js/features/instance/trim-start.js b/node_modules/core-js/features/instance/trim-start.js deleted file mode 100644 index f3a64e5..0000000 --- a/node_modules/core-js/features/instance/trim-start.js +++ /dev/null @@ -1,2 +0,0 @@ -'use strict'; -module.exports = require('../../full/instance/trim-start'); diff --git a/node_modules/core-js/features/instance/trim.js b/node_modules/core-js/features/instance/trim.js deleted file mode 100644 index 1f4c525..0000000 --- a/node_modules/core-js/features/instance/trim.js +++ /dev/null @@ -1,2 +0,0 @@ -'use strict'; -module.exports = require('../../full/instance/trim'); diff --git a/node_modules/core-js/features/instance/un-this.js b/node_modules/core-js/features/instance/un-this.js deleted file mode 100644 index d66d389..0000000 --- a/node_modules/core-js/features/instance/un-this.js +++ /dev/null @@ -1,2 +0,0 @@ -'use strict'; -module.exports = require('../../full/instance/un-this'); diff --git a/node_modules/core-js/features/instance/unique-by.js b/node_modules/core-js/features/instance/unique-by.js deleted file mode 100644 index cd88bc7..0000000 --- a/node_modules/core-js/features/instance/unique-by.js +++ /dev/null @@ -1,2 +0,0 @@ -'use strict'; -module.exports = require('../../full/instance/unique-by'); diff --git a/node_modules/core-js/features/instance/unshift.js b/node_modules/core-js/features/instance/unshift.js deleted file mode 100644 index e5e66aa..0000000 --- a/node_modules/core-js/features/instance/unshift.js +++ /dev/null @@ -1,2 +0,0 @@ -'use strict'; -module.exports = require('../../full/instance/unshift'); diff --git a/node_modules/core-js/features/instance/values.js b/node_modules/core-js/features/instance/values.js deleted file mode 100644 index 9052a5d..0000000 --- a/node_modules/core-js/features/instance/values.js +++ /dev/null @@ -1,2 +0,0 @@ -'use strict'; -module.exports = require('../../full/instance/values'); diff --git a/node_modules/core-js/features/instance/with.js b/node_modules/core-js/features/instance/with.js deleted file mode 100644 index 286b09d..0000000 --- a/node_modules/core-js/features/instance/with.js +++ /dev/null @@ -1,2 +0,0 @@ -'use strict'; -module.exports = require('../../full/instance/with'); diff --git a/node_modules/core-js/features/is-iterable.js b/node_modules/core-js/features/is-iterable.js deleted file mode 100644 index 766bd5f..0000000 --- a/node_modules/core-js/features/is-iterable.js +++ /dev/null @@ -1,2 +0,0 @@ -'use strict'; -module.exports = require('../full/is-iterable'); diff --git a/node_modules/core-js/features/iterator/as-indexed-pairs.js b/node_modules/core-js/features/iterator/as-indexed-pairs.js deleted file mode 100644 index 9364305..0000000 --- a/node_modules/core-js/features/iterator/as-indexed-pairs.js +++ /dev/null @@ -1,2 +0,0 @@ -'use strict'; -module.exports = require('../../full/iterator/as-indexed-pairs'); diff --git a/node_modules/core-js/features/iterator/dispose.js b/node_modules/core-js/features/iterator/dispose.js deleted file mode 100644 index fcd3539..0000000 --- a/node_modules/core-js/features/iterator/dispose.js +++ /dev/null @@ -1,2 +0,0 @@ -'use strict'; -module.exports = require('../../full/iterator/dispose'); diff --git a/node_modules/core-js/features/iterator/drop.js b/node_modules/core-js/features/iterator/drop.js deleted file mode 100644 index bbcff35..0000000 --- a/node_modules/core-js/features/iterator/drop.js +++ /dev/null @@ -1,2 +0,0 @@ -'use strict'; -module.exports = require('../../full/iterator/drop'); diff --git a/node_modules/core-js/features/iterator/every.js b/node_modules/core-js/features/iterator/every.js deleted file mode 100644 index ecc41f2..0000000 --- a/node_modules/core-js/features/iterator/every.js +++ /dev/null @@ -1,2 +0,0 @@ -'use strict'; -module.exports = require('../../full/iterator/every'); diff --git a/node_modules/core-js/features/iterator/filter.js b/node_modules/core-js/features/iterator/filter.js deleted file mode 100644 index 0f7c200..0000000 --- a/node_modules/core-js/features/iterator/filter.js +++ /dev/null @@ -1,2 +0,0 @@ -'use strict'; -module.exports = require('../../full/iterator/filter'); diff --git a/node_modules/core-js/features/iterator/find.js b/node_modules/core-js/features/iterator/find.js deleted file mode 100644 index cc311fa..0000000 --- a/node_modules/core-js/features/iterator/find.js +++ /dev/null @@ -1,2 +0,0 @@ -'use strict'; -module.exports = require('../../full/iterator/find'); diff --git a/node_modules/core-js/features/iterator/flat-map.js b/node_modules/core-js/features/iterator/flat-map.js deleted file mode 100644 index a738044..0000000 --- a/node_modules/core-js/features/iterator/flat-map.js +++ /dev/null @@ -1,2 +0,0 @@ -'use strict'; -module.exports = require('../../full/iterator/flat-map'); diff --git a/node_modules/core-js/features/iterator/for-each.js b/node_modules/core-js/features/iterator/for-each.js deleted file mode 100644 index 21c2f99..0000000 --- a/node_modules/core-js/features/iterator/for-each.js +++ /dev/null @@ -1,2 +0,0 @@ -'use strict'; -module.exports = require('../../full/iterator/for-each'); diff --git a/node_modules/core-js/features/iterator/from.js b/node_modules/core-js/features/iterator/from.js deleted file mode 100644 index 92d71c4..0000000 --- a/node_modules/core-js/features/iterator/from.js +++ /dev/null @@ -1,2 +0,0 @@ -'use strict'; -module.exports = require('../../full/iterator/from'); diff --git a/node_modules/core-js/features/iterator/index.js b/node_modules/core-js/features/iterator/index.js deleted file mode 100644 index fef2b87..0000000 --- a/node_modules/core-js/features/iterator/index.js +++ /dev/null @@ -1,2 +0,0 @@ -'use strict'; -module.exports = require('../../full/iterator'); diff --git a/node_modules/core-js/features/iterator/indexed.js b/node_modules/core-js/features/iterator/indexed.js deleted file mode 100644 index e4440d0..0000000 --- a/node_modules/core-js/features/iterator/indexed.js +++ /dev/null @@ -1,2 +0,0 @@ -'use strict'; -module.exports = require('../../full/iterator/indexed'); diff --git a/node_modules/core-js/features/iterator/map.js b/node_modules/core-js/features/iterator/map.js deleted file mode 100644 index 4428c6b..0000000 --- a/node_modules/core-js/features/iterator/map.js +++ /dev/null @@ -1,2 +0,0 @@ -'use strict'; -module.exports = require('../../full/iterator/map'); diff --git a/node_modules/core-js/features/iterator/range.js b/node_modules/core-js/features/iterator/range.js deleted file mode 100644 index ae809a5..0000000 --- a/node_modules/core-js/features/iterator/range.js +++ /dev/null @@ -1,2 +0,0 @@ -'use strict'; -module.exports = require('../../full/iterator/range'); diff --git a/node_modules/core-js/features/iterator/reduce.js b/node_modules/core-js/features/iterator/reduce.js deleted file mode 100644 index 6e397c1..0000000 --- a/node_modules/core-js/features/iterator/reduce.js +++ /dev/null @@ -1,2 +0,0 @@ -'use strict'; -module.exports = require('../../full/iterator/reduce'); diff --git a/node_modules/core-js/features/iterator/some.js b/node_modules/core-js/features/iterator/some.js deleted file mode 100644 index 4a3b82b..0000000 --- a/node_modules/core-js/features/iterator/some.js +++ /dev/null @@ -1,2 +0,0 @@ -'use strict'; -module.exports = require('../../full/iterator/some'); diff --git a/node_modules/core-js/features/iterator/take.js b/node_modules/core-js/features/iterator/take.js deleted file mode 100644 index 0f04626..0000000 --- a/node_modules/core-js/features/iterator/take.js +++ /dev/null @@ -1,2 +0,0 @@ -'use strict'; -module.exports = require('../../full/iterator/take'); diff --git a/node_modules/core-js/features/iterator/to-array.js b/node_modules/core-js/features/iterator/to-array.js deleted file mode 100644 index fa386a0..0000000 --- a/node_modules/core-js/features/iterator/to-array.js +++ /dev/null @@ -1,2 +0,0 @@ -'use strict'; -module.exports = require('../../full/iterator/to-array'); diff --git a/node_modules/core-js/features/iterator/to-async.js b/node_modules/core-js/features/iterator/to-async.js deleted file mode 100644 index 0feb846..0000000 --- a/node_modules/core-js/features/iterator/to-async.js +++ /dev/null @@ -1,2 +0,0 @@ -'use strict'; -module.exports = require('../../full/iterator/to-async'); diff --git a/node_modules/core-js/features/json/index.js b/node_modules/core-js/features/json/index.js deleted file mode 100644 index 4148d30..0000000 --- a/node_modules/core-js/features/json/index.js +++ /dev/null @@ -1,2 +0,0 @@ -'use strict'; -module.exports = require('../../full/json'); diff --git a/node_modules/core-js/features/json/is-raw-json.js b/node_modules/core-js/features/json/is-raw-json.js deleted file mode 100644 index 602cee7..0000000 --- a/node_modules/core-js/features/json/is-raw-json.js +++ /dev/null @@ -1,2 +0,0 @@ -'use strict'; -module.exports = require('../../full/json/is-raw-json'); diff --git a/node_modules/core-js/features/json/parse.js b/node_modules/core-js/features/json/parse.js deleted file mode 100644 index f65730c..0000000 --- a/node_modules/core-js/features/json/parse.js +++ /dev/null @@ -1,2 +0,0 @@ -'use strict'; -module.exports = require('../../full/json/parse'); diff --git a/node_modules/core-js/features/json/raw-json.js b/node_modules/core-js/features/json/raw-json.js deleted file mode 100644 index 7b1ba01..0000000 --- a/node_modules/core-js/features/json/raw-json.js +++ /dev/null @@ -1,2 +0,0 @@ -'use strict'; -module.exports = require('../../full/json/raw-json'); diff --git a/node_modules/core-js/features/json/stringify.js b/node_modules/core-js/features/json/stringify.js deleted file mode 100644 index 026d871..0000000 --- a/node_modules/core-js/features/json/stringify.js +++ /dev/null @@ -1,2 +0,0 @@ -'use strict'; -module.exports = require('../../full/json/stringify'); diff --git a/node_modules/core-js/features/json/to-string-tag.js b/node_modules/core-js/features/json/to-string-tag.js deleted file mode 100644 index 68c5d83..0000000 --- a/node_modules/core-js/features/json/to-string-tag.js +++ /dev/null @@ -1,2 +0,0 @@ -'use strict'; -module.exports = require('../../full/json/to-string-tag'); diff --git a/node_modules/core-js/features/map/delete-all.js b/node_modules/core-js/features/map/delete-all.js deleted file mode 100644 index a80185d..0000000 --- a/node_modules/core-js/features/map/delete-all.js +++ /dev/null @@ -1,2 +0,0 @@ -'use strict'; -module.exports = require('../../full/map/delete-all'); diff --git a/node_modules/core-js/features/map/emplace.js b/node_modules/core-js/features/map/emplace.js deleted file mode 100644 index 91430cf..0000000 --- a/node_modules/core-js/features/map/emplace.js +++ /dev/null @@ -1,2 +0,0 @@ -'use strict'; -module.exports = require('../../full/map/emplace'); diff --git a/node_modules/core-js/features/map/every.js b/node_modules/core-js/features/map/every.js deleted file mode 100644 index f9061c0..0000000 --- a/node_modules/core-js/features/map/every.js +++ /dev/null @@ -1,2 +0,0 @@ -'use strict'; -module.exports = require('../../full/map/every'); diff --git a/node_modules/core-js/features/map/filter.js b/node_modules/core-js/features/map/filter.js deleted file mode 100644 index c2e9bab..0000000 --- a/node_modules/core-js/features/map/filter.js +++ /dev/null @@ -1,2 +0,0 @@ -'use strict'; -module.exports = require('../../full/map/filter'); diff --git a/node_modules/core-js/features/map/find-key.js b/node_modules/core-js/features/map/find-key.js deleted file mode 100644 index f279fcd..0000000 --- a/node_modules/core-js/features/map/find-key.js +++ /dev/null @@ -1,2 +0,0 @@ -'use strict'; -module.exports = require('../../full/map/find-key'); diff --git a/node_modules/core-js/features/map/find.js b/node_modules/core-js/features/map/find.js deleted file mode 100644 index 1e59378..0000000 --- a/node_modules/core-js/features/map/find.js +++ /dev/null @@ -1,2 +0,0 @@ -'use strict'; -module.exports = require('../../full/map/find'); diff --git a/node_modules/core-js/features/map/from.js b/node_modules/core-js/features/map/from.js deleted file mode 100644 index ec52d18..0000000 --- a/node_modules/core-js/features/map/from.js +++ /dev/null @@ -1,2 +0,0 @@ -'use strict'; -module.exports = require('../../full/map/from'); diff --git a/node_modules/core-js/features/map/group-by.js b/node_modules/core-js/features/map/group-by.js deleted file mode 100644 index 63b9c7a..0000000 --- a/node_modules/core-js/features/map/group-by.js +++ /dev/null @@ -1,2 +0,0 @@ -'use strict'; -module.exports = require('../../full/map/group-by'); diff --git a/node_modules/core-js/features/map/includes.js b/node_modules/core-js/features/map/includes.js deleted file mode 100644 index fb664b9..0000000 --- a/node_modules/core-js/features/map/includes.js +++ /dev/null @@ -1,2 +0,0 @@ -'use strict'; -module.exports = require('../../full/map/includes'); diff --git a/node_modules/core-js/features/map/index.js b/node_modules/core-js/features/map/index.js deleted file mode 100644 index 2a8a0b9..0000000 --- a/node_modules/core-js/features/map/index.js +++ /dev/null @@ -1,2 +0,0 @@ -'use strict'; -module.exports = require('../../full/map'); diff --git a/node_modules/core-js/features/map/key-by.js b/node_modules/core-js/features/map/key-by.js deleted file mode 100644 index 2e8ee66..0000000 --- a/node_modules/core-js/features/map/key-by.js +++ /dev/null @@ -1,2 +0,0 @@ -'use strict'; -module.exports = require('../../full/map/key-by'); diff --git a/node_modules/core-js/features/map/key-of.js b/node_modules/core-js/features/map/key-of.js deleted file mode 100644 index 9beb059..0000000 --- a/node_modules/core-js/features/map/key-of.js +++ /dev/null @@ -1,2 +0,0 @@ -'use strict'; -module.exports = require('../../full/map/key-of'); diff --git a/node_modules/core-js/features/map/map-keys.js b/node_modules/core-js/features/map/map-keys.js deleted file mode 100644 index bfb33d3..0000000 --- a/node_modules/core-js/features/map/map-keys.js +++ /dev/null @@ -1,2 +0,0 @@ -'use strict'; -module.exports = require('../../full/map/map-keys'); diff --git a/node_modules/core-js/features/map/map-values.js b/node_modules/core-js/features/map/map-values.js deleted file mode 100644 index 2c304ce..0000000 --- a/node_modules/core-js/features/map/map-values.js +++ /dev/null @@ -1,2 +0,0 @@ -'use strict'; -module.exports = require('../../full/map/map-values'); diff --git a/node_modules/core-js/features/map/merge.js b/node_modules/core-js/features/map/merge.js deleted file mode 100644 index fdd5c80..0000000 --- a/node_modules/core-js/features/map/merge.js +++ /dev/null @@ -1,2 +0,0 @@ -'use strict'; -module.exports = require('../../full/map/merge'); diff --git a/node_modules/core-js/features/map/of.js b/node_modules/core-js/features/map/of.js deleted file mode 100644 index d8f58a5..0000000 --- a/node_modules/core-js/features/map/of.js +++ /dev/null @@ -1,2 +0,0 @@ -'use strict'; -module.exports = require('../../full/map/of'); diff --git a/node_modules/core-js/features/map/reduce.js b/node_modules/core-js/features/map/reduce.js deleted file mode 100644 index e5cd5df..0000000 --- a/node_modules/core-js/features/map/reduce.js +++ /dev/null @@ -1,2 +0,0 @@ -'use strict'; -module.exports = require('../../full/map/reduce'); diff --git a/node_modules/core-js/features/map/some.js b/node_modules/core-js/features/map/some.js deleted file mode 100644 index 2512dd2..0000000 --- a/node_modules/core-js/features/map/some.js +++ /dev/null @@ -1,2 +0,0 @@ -'use strict'; -module.exports = require('../../full/map/some'); diff --git a/node_modules/core-js/features/map/update-or-insert.js b/node_modules/core-js/features/map/update-or-insert.js deleted file mode 100644 index a18ccb4..0000000 --- a/node_modules/core-js/features/map/update-or-insert.js +++ /dev/null @@ -1,2 +0,0 @@ -'use strict'; -module.exports = require('../../full/map/update-or-insert'); diff --git a/node_modules/core-js/features/map/update.js b/node_modules/core-js/features/map/update.js deleted file mode 100644 index 440c740..0000000 --- a/node_modules/core-js/features/map/update.js +++ /dev/null @@ -1,2 +0,0 @@ -'use strict'; -module.exports = require('../../full/map/update'); diff --git a/node_modules/core-js/features/map/upsert.js b/node_modules/core-js/features/map/upsert.js deleted file mode 100644 index 04ffb64..0000000 --- a/node_modules/core-js/features/map/upsert.js +++ /dev/null @@ -1,2 +0,0 @@ -'use strict'; -module.exports = require('../../full/map/upsert'); diff --git a/node_modules/core-js/features/math/acosh.js b/node_modules/core-js/features/math/acosh.js deleted file mode 100644 index c9bfc00..0000000 --- a/node_modules/core-js/features/math/acosh.js +++ /dev/null @@ -1,2 +0,0 @@ -'use strict'; -module.exports = require('../../full/math/acosh'); diff --git a/node_modules/core-js/features/math/asinh.js b/node_modules/core-js/features/math/asinh.js deleted file mode 100644 index 6b9eb95..0000000 --- a/node_modules/core-js/features/math/asinh.js +++ /dev/null @@ -1,2 +0,0 @@ -'use strict'; -module.exports = require('../../full/math/asinh'); diff --git a/node_modules/core-js/features/math/atanh.js b/node_modules/core-js/features/math/atanh.js deleted file mode 100644 index 8217711..0000000 --- a/node_modules/core-js/features/math/atanh.js +++ /dev/null @@ -1,2 +0,0 @@ -'use strict'; -module.exports = require('../../full/math/atanh'); diff --git a/node_modules/core-js/features/math/cbrt.js b/node_modules/core-js/features/math/cbrt.js deleted file mode 100644 index f9b9faa..0000000 --- a/node_modules/core-js/features/math/cbrt.js +++ /dev/null @@ -1,2 +0,0 @@ -'use strict'; -module.exports = require('../../full/math/cbrt'); diff --git a/node_modules/core-js/features/math/clamp.js b/node_modules/core-js/features/math/clamp.js deleted file mode 100644 index c2f8174..0000000 --- a/node_modules/core-js/features/math/clamp.js +++ /dev/null @@ -1,2 +0,0 @@ -'use strict'; -module.exports = require('../../full/math/clamp'); diff --git a/node_modules/core-js/features/math/clz32.js b/node_modules/core-js/features/math/clz32.js deleted file mode 100644 index 2841081..0000000 --- a/node_modules/core-js/features/math/clz32.js +++ /dev/null @@ -1,2 +0,0 @@ -'use strict'; -module.exports = require('../../full/math/clz32'); diff --git a/node_modules/core-js/features/math/cosh.js b/node_modules/core-js/features/math/cosh.js deleted file mode 100644 index 65e2661..0000000 --- a/node_modules/core-js/features/math/cosh.js +++ /dev/null @@ -1,2 +0,0 @@ -'use strict'; -module.exports = require('../../full/math/cosh'); diff --git a/node_modules/core-js/features/math/deg-per-rad.js b/node_modules/core-js/features/math/deg-per-rad.js deleted file mode 100644 index 110d845..0000000 --- a/node_modules/core-js/features/math/deg-per-rad.js +++ /dev/null @@ -1,2 +0,0 @@ -'use strict'; -module.exports = require('../../full/math/deg-per-rad'); diff --git a/node_modules/core-js/features/math/degrees.js b/node_modules/core-js/features/math/degrees.js deleted file mode 100644 index 76853a8..0000000 --- a/node_modules/core-js/features/math/degrees.js +++ /dev/null @@ -1,2 +0,0 @@ -'use strict'; -module.exports = require('../../full/math/degrees'); diff --git a/node_modules/core-js/features/math/expm1.js b/node_modules/core-js/features/math/expm1.js deleted file mode 100644 index 800178a..0000000 --- a/node_modules/core-js/features/math/expm1.js +++ /dev/null @@ -1,2 +0,0 @@ -'use strict'; -module.exports = require('../../full/math/expm1'); diff --git a/node_modules/core-js/features/math/f16round.js b/node_modules/core-js/features/math/f16round.js deleted file mode 100644 index ef46057..0000000 --- a/node_modules/core-js/features/math/f16round.js +++ /dev/null @@ -1,2 +0,0 @@ -'use strict'; -module.exports = require('../../full/math/f16round'); diff --git a/node_modules/core-js/features/math/fround.js b/node_modules/core-js/features/math/fround.js deleted file mode 100644 index 2d0ffb9..0000000 --- a/node_modules/core-js/features/math/fround.js +++ /dev/null @@ -1,2 +0,0 @@ -'use strict'; -module.exports = require('../../full/math/fround'); diff --git a/node_modules/core-js/features/math/fscale.js b/node_modules/core-js/features/math/fscale.js deleted file mode 100644 index a3c810e..0000000 --- a/node_modules/core-js/features/math/fscale.js +++ /dev/null @@ -1,2 +0,0 @@ -'use strict'; -module.exports = require('../../full/math/fscale'); diff --git a/node_modules/core-js/features/math/hypot.js b/node_modules/core-js/features/math/hypot.js deleted file mode 100644 index 440e05b..0000000 --- a/node_modules/core-js/features/math/hypot.js +++ /dev/null @@ -1,2 +0,0 @@ -'use strict'; -module.exports = require('../../full/math/hypot'); diff --git a/node_modules/core-js/features/math/iaddh.js b/node_modules/core-js/features/math/iaddh.js deleted file mode 100644 index 41b6022..0000000 --- a/node_modules/core-js/features/math/iaddh.js +++ /dev/null @@ -1,2 +0,0 @@ -'use strict'; -module.exports = require('../../full/math/iaddh'); diff --git a/node_modules/core-js/features/math/imul.js b/node_modules/core-js/features/math/imul.js deleted file mode 100644 index 6ea4a59..0000000 --- a/node_modules/core-js/features/math/imul.js +++ /dev/null @@ -1,2 +0,0 @@ -'use strict'; -module.exports = require('../../full/math/imul'); diff --git a/node_modules/core-js/features/math/imulh.js b/node_modules/core-js/features/math/imulh.js deleted file mode 100644 index 8d3aa00..0000000 --- a/node_modules/core-js/features/math/imulh.js +++ /dev/null @@ -1,2 +0,0 @@ -'use strict'; -module.exports = require('../../full/math/imulh'); diff --git a/node_modules/core-js/features/math/index.js b/node_modules/core-js/features/math/index.js deleted file mode 100644 index a81bf12..0000000 --- a/node_modules/core-js/features/math/index.js +++ /dev/null @@ -1,2 +0,0 @@ -'use strict'; -module.exports = require('../../full/math'); diff --git a/node_modules/core-js/features/math/isubh.js b/node_modules/core-js/features/math/isubh.js deleted file mode 100644 index 230ac6d..0000000 --- a/node_modules/core-js/features/math/isubh.js +++ /dev/null @@ -1,2 +0,0 @@ -'use strict'; -module.exports = require('../../full/math/isubh'); diff --git a/node_modules/core-js/features/math/log10.js b/node_modules/core-js/features/math/log10.js deleted file mode 100644 index 318026b..0000000 --- a/node_modules/core-js/features/math/log10.js +++ /dev/null @@ -1,2 +0,0 @@ -'use strict'; -module.exports = require('../../full/math/log10'); diff --git a/node_modules/core-js/features/math/log1p.js b/node_modules/core-js/features/math/log1p.js deleted file mode 100644 index 6ba95b3..0000000 --- a/node_modules/core-js/features/math/log1p.js +++ /dev/null @@ -1,2 +0,0 @@ -'use strict'; -module.exports = require('../../full/math/log1p'); diff --git a/node_modules/core-js/features/math/log2.js b/node_modules/core-js/features/math/log2.js deleted file mode 100644 index 5864670..0000000 --- a/node_modules/core-js/features/math/log2.js +++ /dev/null @@ -1,2 +0,0 @@ -'use strict'; -module.exports = require('../../full/math/log2'); diff --git a/node_modules/core-js/features/math/rad-per-deg.js b/node_modules/core-js/features/math/rad-per-deg.js deleted file mode 100644 index 5835603..0000000 --- a/node_modules/core-js/features/math/rad-per-deg.js +++ /dev/null @@ -1,2 +0,0 @@ -'use strict'; -module.exports = require('../../full/math/rad-per-deg'); diff --git a/node_modules/core-js/features/math/radians.js b/node_modules/core-js/features/math/radians.js deleted file mode 100644 index 24b0d60..0000000 --- a/node_modules/core-js/features/math/radians.js +++ /dev/null @@ -1,2 +0,0 @@ -'use strict'; -module.exports = require('../../full/math/radians'); diff --git a/node_modules/core-js/features/math/scale.js b/node_modules/core-js/features/math/scale.js deleted file mode 100644 index 5ab06d2..0000000 --- a/node_modules/core-js/features/math/scale.js +++ /dev/null @@ -1,2 +0,0 @@ -'use strict'; -module.exports = require('../../full/math/scale'); diff --git a/node_modules/core-js/features/math/seeded-prng.js b/node_modules/core-js/features/math/seeded-prng.js deleted file mode 100644 index 2974ed0..0000000 --- a/node_modules/core-js/features/math/seeded-prng.js +++ /dev/null @@ -1,2 +0,0 @@ -'use strict'; -module.exports = require('../../full/math/seeded-prng'); diff --git a/node_modules/core-js/features/math/sign.js b/node_modules/core-js/features/math/sign.js deleted file mode 100644 index f7d2f5b..0000000 --- a/node_modules/core-js/features/math/sign.js +++ /dev/null @@ -1,2 +0,0 @@ -'use strict'; -module.exports = require('../../full/math/sign'); diff --git a/node_modules/core-js/features/math/signbit.js b/node_modules/core-js/features/math/signbit.js deleted file mode 100644 index 04d90f3..0000000 --- a/node_modules/core-js/features/math/signbit.js +++ /dev/null @@ -1,2 +0,0 @@ -'use strict'; -module.exports = require('../../full/math/signbit'); diff --git a/node_modules/core-js/features/math/sinh.js b/node_modules/core-js/features/math/sinh.js deleted file mode 100644 index efa726f..0000000 --- a/node_modules/core-js/features/math/sinh.js +++ /dev/null @@ -1,2 +0,0 @@ -'use strict'; -module.exports = require('../../full/math/sinh'); diff --git a/node_modules/core-js/features/math/tanh.js b/node_modules/core-js/features/math/tanh.js deleted file mode 100644 index 64b2af9..0000000 --- a/node_modules/core-js/features/math/tanh.js +++ /dev/null @@ -1,2 +0,0 @@ -'use strict'; -module.exports = require('../../full/math/tanh'); diff --git a/node_modules/core-js/features/math/to-string-tag.js b/node_modules/core-js/features/math/to-string-tag.js deleted file mode 100644 index 1e098bc..0000000 --- a/node_modules/core-js/features/math/to-string-tag.js +++ /dev/null @@ -1,2 +0,0 @@ -'use strict'; -module.exports = require('../../full/math/to-string-tag'); diff --git a/node_modules/core-js/features/math/trunc.js b/node_modules/core-js/features/math/trunc.js deleted file mode 100644 index 5e0503e..0000000 --- a/node_modules/core-js/features/math/trunc.js +++ /dev/null @@ -1,2 +0,0 @@ -'use strict'; -module.exports = require('../../full/math/trunc'); diff --git a/node_modules/core-js/features/math/umulh.js b/node_modules/core-js/features/math/umulh.js deleted file mode 100644 index a75cfb2..0000000 --- a/node_modules/core-js/features/math/umulh.js +++ /dev/null @@ -1,2 +0,0 @@ -'use strict'; -module.exports = require('../../full/math/umulh'); diff --git a/node_modules/core-js/features/number/constructor.js b/node_modules/core-js/features/number/constructor.js deleted file mode 100644 index c8b7fd2..0000000 --- a/node_modules/core-js/features/number/constructor.js +++ /dev/null @@ -1,2 +0,0 @@ -'use strict'; -module.exports = require('../../full/number/constructor'); diff --git a/node_modules/core-js/features/number/epsilon.js b/node_modules/core-js/features/number/epsilon.js deleted file mode 100644 index 3ef9388..0000000 --- a/node_modules/core-js/features/number/epsilon.js +++ /dev/null @@ -1,2 +0,0 @@ -'use strict'; -module.exports = require('../../full/number/epsilon'); diff --git a/node_modules/core-js/features/number/from-string.js b/node_modules/core-js/features/number/from-string.js deleted file mode 100644 index 94449dc..0000000 --- a/node_modules/core-js/features/number/from-string.js +++ /dev/null @@ -1,2 +0,0 @@ -'use strict'; -module.exports = require('../../full/number/from-string'); diff --git a/node_modules/core-js/features/number/index.js b/node_modules/core-js/features/number/index.js deleted file mode 100644 index cc284ab..0000000 --- a/node_modules/core-js/features/number/index.js +++ /dev/null @@ -1,2 +0,0 @@ -'use strict'; -module.exports = require('../../full/number'); diff --git a/node_modules/core-js/features/number/is-finite.js b/node_modules/core-js/features/number/is-finite.js deleted file mode 100644 index 6b4d686..0000000 --- a/node_modules/core-js/features/number/is-finite.js +++ /dev/null @@ -1,2 +0,0 @@ -'use strict'; -module.exports = require('../../full/number/is-finite'); diff --git a/node_modules/core-js/features/number/is-integer.js b/node_modules/core-js/features/number/is-integer.js deleted file mode 100644 index 875de43..0000000 --- a/node_modules/core-js/features/number/is-integer.js +++ /dev/null @@ -1,2 +0,0 @@ -'use strict'; -module.exports = require('../../full/number/is-integer'); diff --git a/node_modules/core-js/features/number/is-nan.js b/node_modules/core-js/features/number/is-nan.js deleted file mode 100644 index 3d04b6c..0000000 --- a/node_modules/core-js/features/number/is-nan.js +++ /dev/null @@ -1,2 +0,0 @@ -'use strict'; -module.exports = require('../../full/number/is-nan'); diff --git a/node_modules/core-js/features/number/is-safe-integer.js b/node_modules/core-js/features/number/is-safe-integer.js deleted file mode 100644 index 80138ab..0000000 --- a/node_modules/core-js/features/number/is-safe-integer.js +++ /dev/null @@ -1,2 +0,0 @@ -'use strict'; -module.exports = require('../../full/number/is-safe-integer'); diff --git a/node_modules/core-js/features/number/max-safe-integer.js b/node_modules/core-js/features/number/max-safe-integer.js deleted file mode 100644 index f197c19..0000000 --- a/node_modules/core-js/features/number/max-safe-integer.js +++ /dev/null @@ -1,2 +0,0 @@ -'use strict'; -module.exports = require('../../full/number/max-safe-integer'); diff --git a/node_modules/core-js/features/number/min-safe-integer.js b/node_modules/core-js/features/number/min-safe-integer.js deleted file mode 100644 index eb2f1cc..0000000 --- a/node_modules/core-js/features/number/min-safe-integer.js +++ /dev/null @@ -1,2 +0,0 @@ -'use strict'; -module.exports = require('../../full/number/min-safe-integer'); diff --git a/node_modules/core-js/features/number/parse-float.js b/node_modules/core-js/features/number/parse-float.js deleted file mode 100644 index f7a26ad..0000000 --- a/node_modules/core-js/features/number/parse-float.js +++ /dev/null @@ -1,2 +0,0 @@ -'use strict'; -module.exports = require('../../full/number/parse-float'); diff --git a/node_modules/core-js/features/number/parse-int.js b/node_modules/core-js/features/number/parse-int.js deleted file mode 100644 index 7386793..0000000 --- a/node_modules/core-js/features/number/parse-int.js +++ /dev/null @@ -1,2 +0,0 @@ -'use strict'; -module.exports = require('../../full/number/parse-int'); diff --git a/node_modules/core-js/features/number/range.js b/node_modules/core-js/features/number/range.js deleted file mode 100644 index baaff2d..0000000 --- a/node_modules/core-js/features/number/range.js +++ /dev/null @@ -1,2 +0,0 @@ -'use strict'; -module.exports = require('../../full/number/range'); diff --git a/node_modules/core-js/features/number/to-exponential.js b/node_modules/core-js/features/number/to-exponential.js deleted file mode 100644 index d43a5cb..0000000 --- a/node_modules/core-js/features/number/to-exponential.js +++ /dev/null @@ -1,2 +0,0 @@ -'use strict'; -module.exports = require('../../full/number/to-exponential'); diff --git a/node_modules/core-js/features/number/to-fixed.js b/node_modules/core-js/features/number/to-fixed.js deleted file mode 100644 index 2bfde18..0000000 --- a/node_modules/core-js/features/number/to-fixed.js +++ /dev/null @@ -1,2 +0,0 @@ -'use strict'; -module.exports = require('../../full/number/to-fixed'); diff --git a/node_modules/core-js/features/number/to-precision.js b/node_modules/core-js/features/number/to-precision.js deleted file mode 100644 index 7b11461..0000000 --- a/node_modules/core-js/features/number/to-precision.js +++ /dev/null @@ -1,2 +0,0 @@ -'use strict'; -module.exports = require('../../full/number/to-precision'); diff --git a/node_modules/core-js/features/number/virtual/index.js b/node_modules/core-js/features/number/virtual/index.js deleted file mode 100644 index ecbe682..0000000 --- a/node_modules/core-js/features/number/virtual/index.js +++ /dev/null @@ -1,2 +0,0 @@ -'use strict'; -module.exports = require('../../../full/number/virtual'); diff --git a/node_modules/core-js/features/number/virtual/to-exponential.js b/node_modules/core-js/features/number/virtual/to-exponential.js deleted file mode 100644 index cfea35c..0000000 --- a/node_modules/core-js/features/number/virtual/to-exponential.js +++ /dev/null @@ -1,2 +0,0 @@ -'use strict'; -module.exports = require('../../../full/number/virtual/to-exponential'); diff --git a/node_modules/core-js/features/number/virtual/to-fixed.js b/node_modules/core-js/features/number/virtual/to-fixed.js deleted file mode 100644 index 1189dde..0000000 --- a/node_modules/core-js/features/number/virtual/to-fixed.js +++ /dev/null @@ -1,2 +0,0 @@ -'use strict'; -module.exports = require('../../../full/number/virtual/to-fixed'); diff --git a/node_modules/core-js/features/number/virtual/to-precision.js b/node_modules/core-js/features/number/virtual/to-precision.js deleted file mode 100644 index ae1ecf0..0000000 --- a/node_modules/core-js/features/number/virtual/to-precision.js +++ /dev/null @@ -1,2 +0,0 @@ -'use strict'; -module.exports = require('../../../full/number/virtual/to-precision'); diff --git a/node_modules/core-js/features/object/assign.js b/node_modules/core-js/features/object/assign.js deleted file mode 100644 index 5683ee5..0000000 --- a/node_modules/core-js/features/object/assign.js +++ /dev/null @@ -1,2 +0,0 @@ -'use strict'; -module.exports = require('../../full/object/assign'); diff --git a/node_modules/core-js/features/object/create.js b/node_modules/core-js/features/object/create.js deleted file mode 100644 index 64219ba..0000000 --- a/node_modules/core-js/features/object/create.js +++ /dev/null @@ -1,2 +0,0 @@ -'use strict'; -module.exports = require('../../full/object/create'); diff --git a/node_modules/core-js/features/object/define-getter.js b/node_modules/core-js/features/object/define-getter.js deleted file mode 100644 index ca4f069..0000000 --- a/node_modules/core-js/features/object/define-getter.js +++ /dev/null @@ -1,2 +0,0 @@ -'use strict'; -module.exports = require('../../full/object/define-getter'); diff --git a/node_modules/core-js/features/object/define-properties.js b/node_modules/core-js/features/object/define-properties.js deleted file mode 100644 index 9304e18..0000000 --- a/node_modules/core-js/features/object/define-properties.js +++ /dev/null @@ -1,2 +0,0 @@ -'use strict'; -module.exports = require('../../full/object/define-properties'); diff --git a/node_modules/core-js/features/object/define-property.js b/node_modules/core-js/features/object/define-property.js deleted file mode 100644 index 73e600e..0000000 --- a/node_modules/core-js/features/object/define-property.js +++ /dev/null @@ -1,2 +0,0 @@ -'use strict'; -module.exports = require('../../full/object/define-property'); diff --git a/node_modules/core-js/features/object/define-setter.js b/node_modules/core-js/features/object/define-setter.js deleted file mode 100644 index 433c6db..0000000 --- a/node_modules/core-js/features/object/define-setter.js +++ /dev/null @@ -1,2 +0,0 @@ -'use strict'; -module.exports = require('../../full/object/define-setter'); diff --git a/node_modules/core-js/features/object/entries.js b/node_modules/core-js/features/object/entries.js deleted file mode 100644 index 571de8a..0000000 --- a/node_modules/core-js/features/object/entries.js +++ /dev/null @@ -1,2 +0,0 @@ -'use strict'; -module.exports = require('../../full/object/entries'); diff --git a/node_modules/core-js/features/object/freeze.js b/node_modules/core-js/features/object/freeze.js deleted file mode 100644 index 16498eb..0000000 --- a/node_modules/core-js/features/object/freeze.js +++ /dev/null @@ -1,2 +0,0 @@ -'use strict'; -module.exports = require('../../full/object/freeze'); diff --git a/node_modules/core-js/features/object/from-entries.js b/node_modules/core-js/features/object/from-entries.js deleted file mode 100644 index ba13c50..0000000 --- a/node_modules/core-js/features/object/from-entries.js +++ /dev/null @@ -1,2 +0,0 @@ -'use strict'; -module.exports = require('../../full/object/from-entries'); diff --git a/node_modules/core-js/features/object/get-own-property-descriptor.js b/node_modules/core-js/features/object/get-own-property-descriptor.js deleted file mode 100644 index 8830ad1..0000000 --- a/node_modules/core-js/features/object/get-own-property-descriptor.js +++ /dev/null @@ -1,2 +0,0 @@ -'use strict'; -module.exports = require('../../full/object/get-own-property-descriptor'); diff --git a/node_modules/core-js/features/object/get-own-property-descriptors.js b/node_modules/core-js/features/object/get-own-property-descriptors.js deleted file mode 100644 index 387f6ba..0000000 --- a/node_modules/core-js/features/object/get-own-property-descriptors.js +++ /dev/null @@ -1,2 +0,0 @@ -'use strict'; -module.exports = require('../../full/object/get-own-property-descriptors'); diff --git a/node_modules/core-js/features/object/get-own-property-names.js b/node_modules/core-js/features/object/get-own-property-names.js deleted file mode 100644 index 908d1bc..0000000 --- a/node_modules/core-js/features/object/get-own-property-names.js +++ /dev/null @@ -1,2 +0,0 @@ -'use strict'; -module.exports = require('../../full/object/get-own-property-names'); diff --git a/node_modules/core-js/features/object/get-own-property-symbols.js b/node_modules/core-js/features/object/get-own-property-symbols.js deleted file mode 100644 index 5c07b43..0000000 --- a/node_modules/core-js/features/object/get-own-property-symbols.js +++ /dev/null @@ -1,2 +0,0 @@ -'use strict'; -module.exports = require('../../full/object/get-own-property-symbols'); diff --git a/node_modules/core-js/features/object/get-prototype-of.js b/node_modules/core-js/features/object/get-prototype-of.js deleted file mode 100644 index 42892a9..0000000 --- a/node_modules/core-js/features/object/get-prototype-of.js +++ /dev/null @@ -1,2 +0,0 @@ -'use strict'; -module.exports = require('../../full/object/get-prototype-of'); diff --git a/node_modules/core-js/features/object/group-by.js b/node_modules/core-js/features/object/group-by.js deleted file mode 100644 index 0453c41..0000000 --- a/node_modules/core-js/features/object/group-by.js +++ /dev/null @@ -1,2 +0,0 @@ -'use strict'; -module.exports = require('../../full/object/group-by'); diff --git a/node_modules/core-js/features/object/has-own.js b/node_modules/core-js/features/object/has-own.js deleted file mode 100644 index 54f123a..0000000 --- a/node_modules/core-js/features/object/has-own.js +++ /dev/null @@ -1,2 +0,0 @@ -'use strict'; -module.exports = require('../../full/object/has-own'); diff --git a/node_modules/core-js/features/object/index.js b/node_modules/core-js/features/object/index.js deleted file mode 100644 index 5c340fa..0000000 --- a/node_modules/core-js/features/object/index.js +++ /dev/null @@ -1,2 +0,0 @@ -'use strict'; -module.exports = require('../../full/object'); diff --git a/node_modules/core-js/features/object/is-extensible.js b/node_modules/core-js/features/object/is-extensible.js deleted file mode 100644 index 9c5cf71..0000000 --- a/node_modules/core-js/features/object/is-extensible.js +++ /dev/null @@ -1,2 +0,0 @@ -'use strict'; -module.exports = require('../../full/object/is-extensible'); diff --git a/node_modules/core-js/features/object/is-frozen.js b/node_modules/core-js/features/object/is-frozen.js deleted file mode 100644 index 5b55ff2..0000000 --- a/node_modules/core-js/features/object/is-frozen.js +++ /dev/null @@ -1,2 +0,0 @@ -'use strict'; -module.exports = require('../../full/object/is-frozen'); diff --git a/node_modules/core-js/features/object/is-sealed.js b/node_modules/core-js/features/object/is-sealed.js deleted file mode 100644 index ca9b6d5..0000000 --- a/node_modules/core-js/features/object/is-sealed.js +++ /dev/null @@ -1,2 +0,0 @@ -'use strict'; -module.exports = require('../../full/object/is-sealed'); diff --git a/node_modules/core-js/features/object/is.js b/node_modules/core-js/features/object/is.js deleted file mode 100644 index 3c1cc37..0000000 --- a/node_modules/core-js/features/object/is.js +++ /dev/null @@ -1,2 +0,0 @@ -'use strict'; -module.exports = require('../../full/object/is'); diff --git a/node_modules/core-js/features/object/iterate-entries.js b/node_modules/core-js/features/object/iterate-entries.js deleted file mode 100644 index 9062fd9..0000000 --- a/node_modules/core-js/features/object/iterate-entries.js +++ /dev/null @@ -1,2 +0,0 @@ -'use strict'; -module.exports = require('../../full/object/iterate-entries'); diff --git a/node_modules/core-js/features/object/iterate-keys.js b/node_modules/core-js/features/object/iterate-keys.js deleted file mode 100644 index 399bf68..0000000 --- a/node_modules/core-js/features/object/iterate-keys.js +++ /dev/null @@ -1,2 +0,0 @@ -'use strict'; -module.exports = require('../../full/object/iterate-keys'); diff --git a/node_modules/core-js/features/object/iterate-values.js b/node_modules/core-js/features/object/iterate-values.js deleted file mode 100644 index 9071119..0000000 --- a/node_modules/core-js/features/object/iterate-values.js +++ /dev/null @@ -1,2 +0,0 @@ -'use strict'; -module.exports = require('../../full/object/iterate-values'); diff --git a/node_modules/core-js/features/object/keys.js b/node_modules/core-js/features/object/keys.js deleted file mode 100644 index 96c50aa..0000000 --- a/node_modules/core-js/features/object/keys.js +++ /dev/null @@ -1,2 +0,0 @@ -'use strict'; -module.exports = require('../../full/object/keys'); diff --git a/node_modules/core-js/features/object/lookup-getter.js b/node_modules/core-js/features/object/lookup-getter.js deleted file mode 100644 index adb1c5f..0000000 --- a/node_modules/core-js/features/object/lookup-getter.js +++ /dev/null @@ -1,2 +0,0 @@ -'use strict'; -module.exports = require('../../full/object/lookup-getter'); diff --git a/node_modules/core-js/features/object/lookup-setter.js b/node_modules/core-js/features/object/lookup-setter.js deleted file mode 100644 index 2f5f762..0000000 --- a/node_modules/core-js/features/object/lookup-setter.js +++ /dev/null @@ -1,2 +0,0 @@ -'use strict'; -module.exports = require('../../full/object/lookup-setter'); diff --git a/node_modules/core-js/features/object/prevent-extensions.js b/node_modules/core-js/features/object/prevent-extensions.js deleted file mode 100644 index 82d6ec6..0000000 --- a/node_modules/core-js/features/object/prevent-extensions.js +++ /dev/null @@ -1,2 +0,0 @@ -'use strict'; -module.exports = require('../../full/object/prevent-extensions'); diff --git a/node_modules/core-js/features/object/proto.js b/node_modules/core-js/features/object/proto.js deleted file mode 100644 index 19d734a..0000000 --- a/node_modules/core-js/features/object/proto.js +++ /dev/null @@ -1,2 +0,0 @@ -'use strict'; -module.exports = require('../../full/object/proto'); diff --git a/node_modules/core-js/features/object/seal.js b/node_modules/core-js/features/object/seal.js deleted file mode 100644 index 938fdea..0000000 --- a/node_modules/core-js/features/object/seal.js +++ /dev/null @@ -1,2 +0,0 @@ -'use strict'; -module.exports = require('../../full/object/seal'); diff --git a/node_modules/core-js/features/object/set-prototype-of.js b/node_modules/core-js/features/object/set-prototype-of.js deleted file mode 100644 index c675249..0000000 --- a/node_modules/core-js/features/object/set-prototype-of.js +++ /dev/null @@ -1,2 +0,0 @@ -'use strict'; -module.exports = require('../../full/object/set-prototype-of'); diff --git a/node_modules/core-js/features/object/to-string.js b/node_modules/core-js/features/object/to-string.js deleted file mode 100644 index dfe3d9a..0000000 --- a/node_modules/core-js/features/object/to-string.js +++ /dev/null @@ -1,2 +0,0 @@ -'use strict'; -module.exports = require('../../full/object/to-string'); diff --git a/node_modules/core-js/features/object/values.js b/node_modules/core-js/features/object/values.js deleted file mode 100644 index a24b011..0000000 --- a/node_modules/core-js/features/object/values.js +++ /dev/null @@ -1,2 +0,0 @@ -'use strict'; -module.exports = require('../../full/object/values'); diff --git a/node_modules/core-js/features/observable/index.js b/node_modules/core-js/features/observable/index.js deleted file mode 100644 index 8a6a134..0000000 --- a/node_modules/core-js/features/observable/index.js +++ /dev/null @@ -1,2 +0,0 @@ -'use strict'; -module.exports = require('../../full/observable'); diff --git a/node_modules/core-js/features/parse-float.js b/node_modules/core-js/features/parse-float.js deleted file mode 100644 index c4f9729..0000000 --- a/node_modules/core-js/features/parse-float.js +++ /dev/null @@ -1,2 +0,0 @@ -'use strict'; -module.exports = require('../full/parse-float'); diff --git a/node_modules/core-js/features/parse-int.js b/node_modules/core-js/features/parse-int.js deleted file mode 100644 index ed5510f..0000000 --- a/node_modules/core-js/features/parse-int.js +++ /dev/null @@ -1,2 +0,0 @@ -'use strict'; -module.exports = require('../full/parse-int'); diff --git a/node_modules/core-js/features/promise/all-settled.js b/node_modules/core-js/features/promise/all-settled.js deleted file mode 100644 index 4a11ad8..0000000 --- a/node_modules/core-js/features/promise/all-settled.js +++ /dev/null @@ -1,2 +0,0 @@ -'use strict'; -module.exports = require('../../full/promise/all-settled'); diff --git a/node_modules/core-js/features/promise/any.js b/node_modules/core-js/features/promise/any.js deleted file mode 100644 index 8aca210..0000000 --- a/node_modules/core-js/features/promise/any.js +++ /dev/null @@ -1,2 +0,0 @@ -'use strict'; -module.exports = require('../../full/promise/any'); diff --git a/node_modules/core-js/features/promise/finally.js b/node_modules/core-js/features/promise/finally.js deleted file mode 100644 index 597665b..0000000 --- a/node_modules/core-js/features/promise/finally.js +++ /dev/null @@ -1,2 +0,0 @@ -'use strict'; -module.exports = require('../../full/promise/finally'); diff --git a/node_modules/core-js/features/promise/index.js b/node_modules/core-js/features/promise/index.js deleted file mode 100644 index 087ef05..0000000 --- a/node_modules/core-js/features/promise/index.js +++ /dev/null @@ -1,2 +0,0 @@ -'use strict'; -module.exports = require('../../full/promise'); diff --git a/node_modules/core-js/features/promise/try.js b/node_modules/core-js/features/promise/try.js deleted file mode 100644 index 51e03f3..0000000 --- a/node_modules/core-js/features/promise/try.js +++ /dev/null @@ -1,2 +0,0 @@ -'use strict'; -module.exports = require('../../full/promise/try'); diff --git a/node_modules/core-js/features/promise/with-resolvers.js b/node_modules/core-js/features/promise/with-resolvers.js deleted file mode 100644 index d605d92..0000000 --- a/node_modules/core-js/features/promise/with-resolvers.js +++ /dev/null @@ -1,2 +0,0 @@ -'use strict'; -module.exports = require('../../full/promise/with-resolvers'); diff --git a/node_modules/core-js/features/queue-microtask.js b/node_modules/core-js/features/queue-microtask.js deleted file mode 100644 index 2eba40c..0000000 --- a/node_modules/core-js/features/queue-microtask.js +++ /dev/null @@ -1,2 +0,0 @@ -'use strict'; -module.exports = require('../full/queue-microtask'); diff --git a/node_modules/core-js/features/reflect/apply.js b/node_modules/core-js/features/reflect/apply.js deleted file mode 100644 index 91bd4b7..0000000 --- a/node_modules/core-js/features/reflect/apply.js +++ /dev/null @@ -1,2 +0,0 @@ -'use strict'; -module.exports = require('../../full/reflect/apply'); diff --git a/node_modules/core-js/features/reflect/construct.js b/node_modules/core-js/features/reflect/construct.js deleted file mode 100644 index 0cac364..0000000 --- a/node_modules/core-js/features/reflect/construct.js +++ /dev/null @@ -1,2 +0,0 @@ -'use strict'; -module.exports = require('../../full/reflect/construct'); diff --git a/node_modules/core-js/features/reflect/define-metadata.js b/node_modules/core-js/features/reflect/define-metadata.js deleted file mode 100644 index ebae09e..0000000 --- a/node_modules/core-js/features/reflect/define-metadata.js +++ /dev/null @@ -1,2 +0,0 @@ -'use strict'; -module.exports = require('../../full/reflect/define-metadata'); diff --git a/node_modules/core-js/features/reflect/define-property.js b/node_modules/core-js/features/reflect/define-property.js deleted file mode 100644 index 4505faa..0000000 --- a/node_modules/core-js/features/reflect/define-property.js +++ /dev/null @@ -1,2 +0,0 @@ -'use strict'; -module.exports = require('../../full/reflect/define-property'); diff --git a/node_modules/core-js/features/reflect/delete-metadata.js b/node_modules/core-js/features/reflect/delete-metadata.js deleted file mode 100644 index a7a5de5..0000000 --- a/node_modules/core-js/features/reflect/delete-metadata.js +++ /dev/null @@ -1,2 +0,0 @@ -'use strict'; -module.exports = require('../../full/reflect/delete-metadata'); diff --git a/node_modules/core-js/features/reflect/delete-property.js b/node_modules/core-js/features/reflect/delete-property.js deleted file mode 100644 index 30f0bcb..0000000 --- a/node_modules/core-js/features/reflect/delete-property.js +++ /dev/null @@ -1,2 +0,0 @@ -'use strict'; -module.exports = require('../../full/reflect/delete-property'); diff --git a/node_modules/core-js/features/reflect/get-metadata-keys.js b/node_modules/core-js/features/reflect/get-metadata-keys.js deleted file mode 100644 index ddb8096..0000000 --- a/node_modules/core-js/features/reflect/get-metadata-keys.js +++ /dev/null @@ -1,2 +0,0 @@ -'use strict'; -module.exports = require('../../full/reflect/get-metadata-keys'); diff --git a/node_modules/core-js/features/reflect/get-metadata.js b/node_modules/core-js/features/reflect/get-metadata.js deleted file mode 100644 index df1a505..0000000 --- a/node_modules/core-js/features/reflect/get-metadata.js +++ /dev/null @@ -1,2 +0,0 @@ -'use strict'; -module.exports = require('../../full/reflect/get-metadata'); diff --git a/node_modules/core-js/features/reflect/get-own-metadata-keys.js b/node_modules/core-js/features/reflect/get-own-metadata-keys.js deleted file mode 100644 index 900520a..0000000 --- a/node_modules/core-js/features/reflect/get-own-metadata-keys.js +++ /dev/null @@ -1,2 +0,0 @@ -'use strict'; -module.exports = require('../../full/reflect/get-own-metadata-keys'); diff --git a/node_modules/core-js/features/reflect/get-own-metadata.js b/node_modules/core-js/features/reflect/get-own-metadata.js deleted file mode 100644 index 4a57ec5..0000000 --- a/node_modules/core-js/features/reflect/get-own-metadata.js +++ /dev/null @@ -1,2 +0,0 @@ -'use strict'; -module.exports = require('../../full/reflect/get-own-metadata'); diff --git a/node_modules/core-js/features/reflect/get-own-property-descriptor.js b/node_modules/core-js/features/reflect/get-own-property-descriptor.js deleted file mode 100644 index 3762167..0000000 --- a/node_modules/core-js/features/reflect/get-own-property-descriptor.js +++ /dev/null @@ -1,2 +0,0 @@ -'use strict'; -module.exports = require('../../full/reflect/get-own-property-descriptor'); diff --git a/node_modules/core-js/features/reflect/get-prototype-of.js b/node_modules/core-js/features/reflect/get-prototype-of.js deleted file mode 100644 index e9e5ccc..0000000 --- a/node_modules/core-js/features/reflect/get-prototype-of.js +++ /dev/null @@ -1,2 +0,0 @@ -'use strict'; -module.exports = require('../../full/reflect/get-prototype-of'); diff --git a/node_modules/core-js/features/reflect/get.js b/node_modules/core-js/features/reflect/get.js deleted file mode 100644 index 208ac21..0000000 --- a/node_modules/core-js/features/reflect/get.js +++ /dev/null @@ -1,2 +0,0 @@ -'use strict'; -module.exports = require('../../full/reflect/get'); diff --git a/node_modules/core-js/features/reflect/has-metadata.js b/node_modules/core-js/features/reflect/has-metadata.js deleted file mode 100644 index 4672bb1..0000000 --- a/node_modules/core-js/features/reflect/has-metadata.js +++ /dev/null @@ -1,2 +0,0 @@ -'use strict'; -module.exports = require('../../full/reflect/has-metadata'); diff --git a/node_modules/core-js/features/reflect/has-own-metadata.js b/node_modules/core-js/features/reflect/has-own-metadata.js deleted file mode 100644 index 312bbcd..0000000 --- a/node_modules/core-js/features/reflect/has-own-metadata.js +++ /dev/null @@ -1,2 +0,0 @@ -'use strict'; -module.exports = require('../../full/reflect/has-own-metadata'); diff --git a/node_modules/core-js/features/reflect/has.js b/node_modules/core-js/features/reflect/has.js deleted file mode 100644 index cce123e..0000000 --- a/node_modules/core-js/features/reflect/has.js +++ /dev/null @@ -1,2 +0,0 @@ -'use strict'; -module.exports = require('../../full/reflect/has'); diff --git a/node_modules/core-js/features/reflect/index.js b/node_modules/core-js/features/reflect/index.js deleted file mode 100644 index 71c2937..0000000 --- a/node_modules/core-js/features/reflect/index.js +++ /dev/null @@ -1,2 +0,0 @@ -'use strict'; -module.exports = require('../../full/reflect'); diff --git a/node_modules/core-js/features/reflect/is-extensible.js b/node_modules/core-js/features/reflect/is-extensible.js deleted file mode 100644 index 0505e0d..0000000 --- a/node_modules/core-js/features/reflect/is-extensible.js +++ /dev/null @@ -1,2 +0,0 @@ -'use strict'; -module.exports = require('../../full/reflect/is-extensible'); diff --git a/node_modules/core-js/features/reflect/metadata.js b/node_modules/core-js/features/reflect/metadata.js deleted file mode 100644 index 0be9239..0000000 --- a/node_modules/core-js/features/reflect/metadata.js +++ /dev/null @@ -1,2 +0,0 @@ -'use strict'; -module.exports = require('../../full/reflect/metadata'); diff --git a/node_modules/core-js/features/reflect/own-keys.js b/node_modules/core-js/features/reflect/own-keys.js deleted file mode 100644 index 92abc14..0000000 --- a/node_modules/core-js/features/reflect/own-keys.js +++ /dev/null @@ -1,2 +0,0 @@ -'use strict'; -module.exports = require('../../full/reflect/own-keys'); diff --git a/node_modules/core-js/features/reflect/prevent-extensions.js b/node_modules/core-js/features/reflect/prevent-extensions.js deleted file mode 100644 index 2ff709a..0000000 --- a/node_modules/core-js/features/reflect/prevent-extensions.js +++ /dev/null @@ -1,2 +0,0 @@ -'use strict'; -module.exports = require('../../full/reflect/prevent-extensions'); diff --git a/node_modules/core-js/features/reflect/set-prototype-of.js b/node_modules/core-js/features/reflect/set-prototype-of.js deleted file mode 100644 index 0de0f6f..0000000 --- a/node_modules/core-js/features/reflect/set-prototype-of.js +++ /dev/null @@ -1,2 +0,0 @@ -'use strict'; -module.exports = require('../../full/reflect/set-prototype-of'); diff --git a/node_modules/core-js/features/reflect/set.js b/node_modules/core-js/features/reflect/set.js deleted file mode 100644 index 64d2f25..0000000 --- a/node_modules/core-js/features/reflect/set.js +++ /dev/null @@ -1,2 +0,0 @@ -'use strict'; -module.exports = require('../../full/reflect/set'); diff --git a/node_modules/core-js/features/reflect/to-string-tag.js b/node_modules/core-js/features/reflect/to-string-tag.js deleted file mode 100644 index 8025077..0000000 --- a/node_modules/core-js/features/reflect/to-string-tag.js +++ /dev/null @@ -1,2 +0,0 @@ -'use strict'; -module.exports = require('../../full/reflect/to-string-tag'); diff --git a/node_modules/core-js/features/regexp/constructor.js b/node_modules/core-js/features/regexp/constructor.js deleted file mode 100644 index 4ebcde9..0000000 --- a/node_modules/core-js/features/regexp/constructor.js +++ /dev/null @@ -1,2 +0,0 @@ -'use strict'; -module.exports = require('../../full/regexp/constructor'); diff --git a/node_modules/core-js/features/regexp/dot-all.js b/node_modules/core-js/features/regexp/dot-all.js deleted file mode 100644 index 54e2001..0000000 --- a/node_modules/core-js/features/regexp/dot-all.js +++ /dev/null @@ -1,2 +0,0 @@ -'use strict'; -module.exports = require('../../full/regexp/dot-all'); diff --git a/node_modules/core-js/features/regexp/escape.js b/node_modules/core-js/features/regexp/escape.js deleted file mode 100644 index 49cff6e..0000000 --- a/node_modules/core-js/features/regexp/escape.js +++ /dev/null @@ -1,2 +0,0 @@ -'use strict'; -module.exports = require('../../full/regexp/escape'); diff --git a/node_modules/core-js/features/regexp/flags.js b/node_modules/core-js/features/regexp/flags.js deleted file mode 100644 index 7f42d4c..0000000 --- a/node_modules/core-js/features/regexp/flags.js +++ /dev/null @@ -1,2 +0,0 @@ -'use strict'; -module.exports = require('../../full/regexp/flags'); diff --git a/node_modules/core-js/features/regexp/index.js b/node_modules/core-js/features/regexp/index.js deleted file mode 100644 index c0ac4a6..0000000 --- a/node_modules/core-js/features/regexp/index.js +++ /dev/null @@ -1,2 +0,0 @@ -'use strict'; -module.exports = require('../../full/regexp'); diff --git a/node_modules/core-js/features/regexp/match.js b/node_modules/core-js/features/regexp/match.js deleted file mode 100644 index ee1ff23..0000000 --- a/node_modules/core-js/features/regexp/match.js +++ /dev/null @@ -1,2 +0,0 @@ -'use strict'; -module.exports = require('../../full/regexp/match'); diff --git a/node_modules/core-js/features/regexp/replace.js b/node_modules/core-js/features/regexp/replace.js deleted file mode 100644 index ec82d10..0000000 --- a/node_modules/core-js/features/regexp/replace.js +++ /dev/null @@ -1,2 +0,0 @@ -'use strict'; -module.exports = require('../../full/regexp/replace'); diff --git a/node_modules/core-js/features/regexp/search.js b/node_modules/core-js/features/regexp/search.js deleted file mode 100644 index 81bf05a..0000000 --- a/node_modules/core-js/features/regexp/search.js +++ /dev/null @@ -1,2 +0,0 @@ -'use strict'; -module.exports = require('../../full/regexp/search'); diff --git a/node_modules/core-js/features/regexp/split.js b/node_modules/core-js/features/regexp/split.js deleted file mode 100644 index de101d1..0000000 --- a/node_modules/core-js/features/regexp/split.js +++ /dev/null @@ -1,2 +0,0 @@ -'use strict'; -module.exports = require('../../full/regexp/split'); diff --git a/node_modules/core-js/features/regexp/sticky.js b/node_modules/core-js/features/regexp/sticky.js deleted file mode 100644 index a126677..0000000 --- a/node_modules/core-js/features/regexp/sticky.js +++ /dev/null @@ -1,2 +0,0 @@ -'use strict'; -module.exports = require('../../full/regexp/sticky'); diff --git a/node_modules/core-js/features/regexp/test.js b/node_modules/core-js/features/regexp/test.js deleted file mode 100644 index 4a71272..0000000 --- a/node_modules/core-js/features/regexp/test.js +++ /dev/null @@ -1,2 +0,0 @@ -'use strict'; -module.exports = require('../../full/regexp/test'); diff --git a/node_modules/core-js/features/regexp/to-string.js b/node_modules/core-js/features/regexp/to-string.js deleted file mode 100644 index 231dd7f..0000000 --- a/node_modules/core-js/features/regexp/to-string.js +++ /dev/null @@ -1,2 +0,0 @@ -'use strict'; -module.exports = require('../../full/regexp/to-string'); diff --git a/node_modules/core-js/features/self.js b/node_modules/core-js/features/self.js deleted file mode 100644 index 8d6cc48..0000000 --- a/node_modules/core-js/features/self.js +++ /dev/null @@ -1,2 +0,0 @@ -'use strict'; -module.exports = require('../full/self'); diff --git a/node_modules/core-js/features/set-immediate.js b/node_modules/core-js/features/set-immediate.js deleted file mode 100644 index 596f174..0000000 --- a/node_modules/core-js/features/set-immediate.js +++ /dev/null @@ -1,2 +0,0 @@ -'use strict'; -module.exports = require('../full/set-immediate'); diff --git a/node_modules/core-js/features/set-interval.js b/node_modules/core-js/features/set-interval.js deleted file mode 100644 index 87f9063..0000000 --- a/node_modules/core-js/features/set-interval.js +++ /dev/null @@ -1,2 +0,0 @@ -'use strict'; -module.exports = require('../full/set-interval'); diff --git a/node_modules/core-js/features/set-timeout.js b/node_modules/core-js/features/set-timeout.js deleted file mode 100644 index 572fe7c..0000000 --- a/node_modules/core-js/features/set-timeout.js +++ /dev/null @@ -1,2 +0,0 @@ -'use strict'; -module.exports = require('../full/set-timeout'); diff --git a/node_modules/core-js/features/set/add-all.js b/node_modules/core-js/features/set/add-all.js deleted file mode 100644 index 9483e5e..0000000 --- a/node_modules/core-js/features/set/add-all.js +++ /dev/null @@ -1,2 +0,0 @@ -'use strict'; -module.exports = require('../../full/set/add-all'); diff --git a/node_modules/core-js/features/set/delete-all.js b/node_modules/core-js/features/set/delete-all.js deleted file mode 100644 index bbc2a2d..0000000 --- a/node_modules/core-js/features/set/delete-all.js +++ /dev/null @@ -1,2 +0,0 @@ -'use strict'; -module.exports = require('../../full/set/delete-all'); diff --git a/node_modules/core-js/features/set/difference.js b/node_modules/core-js/features/set/difference.js deleted file mode 100644 index bd086a8..0000000 --- a/node_modules/core-js/features/set/difference.js +++ /dev/null @@ -1,2 +0,0 @@ -'use strict'; -module.exports = require('../../full/set/difference'); diff --git a/node_modules/core-js/features/set/every.js b/node_modules/core-js/features/set/every.js deleted file mode 100644 index ee6f35a..0000000 --- a/node_modules/core-js/features/set/every.js +++ /dev/null @@ -1,2 +0,0 @@ -'use strict'; -module.exports = require('../../full/set/every'); diff --git a/node_modules/core-js/features/set/filter.js b/node_modules/core-js/features/set/filter.js deleted file mode 100644 index 9f15da0..0000000 --- a/node_modules/core-js/features/set/filter.js +++ /dev/null @@ -1,2 +0,0 @@ -'use strict'; -module.exports = require('../../full/set/filter'); diff --git a/node_modules/core-js/features/set/find.js b/node_modules/core-js/features/set/find.js deleted file mode 100644 index d3345d5..0000000 --- a/node_modules/core-js/features/set/find.js +++ /dev/null @@ -1,2 +0,0 @@ -'use strict'; -module.exports = require('../../full/set/find'); diff --git a/node_modules/core-js/features/set/from.js b/node_modules/core-js/features/set/from.js deleted file mode 100644 index fcf53c4..0000000 --- a/node_modules/core-js/features/set/from.js +++ /dev/null @@ -1,2 +0,0 @@ -'use strict'; -module.exports = require('../../full/set/from'); diff --git a/node_modules/core-js/features/set/index.js b/node_modules/core-js/features/set/index.js deleted file mode 100644 index b014ccf..0000000 --- a/node_modules/core-js/features/set/index.js +++ /dev/null @@ -1,2 +0,0 @@ -'use strict'; -module.exports = require('../../full/set'); diff --git a/node_modules/core-js/features/set/intersection.js b/node_modules/core-js/features/set/intersection.js deleted file mode 100644 index 013eccf..0000000 --- a/node_modules/core-js/features/set/intersection.js +++ /dev/null @@ -1,2 +0,0 @@ -'use strict'; -module.exports = require('../../full/set/intersection'); diff --git a/node_modules/core-js/features/set/is-disjoint-from.js b/node_modules/core-js/features/set/is-disjoint-from.js deleted file mode 100644 index 45b1726..0000000 --- a/node_modules/core-js/features/set/is-disjoint-from.js +++ /dev/null @@ -1,2 +0,0 @@ -'use strict'; -module.exports = require('../../full/set/is-disjoint-from'); diff --git a/node_modules/core-js/features/set/is-subset-of.js b/node_modules/core-js/features/set/is-subset-of.js deleted file mode 100644 index 0276665..0000000 --- a/node_modules/core-js/features/set/is-subset-of.js +++ /dev/null @@ -1,2 +0,0 @@ -'use strict'; -module.exports = require('../../full/set/is-subset-of'); diff --git a/node_modules/core-js/features/set/is-superset-of.js b/node_modules/core-js/features/set/is-superset-of.js deleted file mode 100644 index d90cf53..0000000 --- a/node_modules/core-js/features/set/is-superset-of.js +++ /dev/null @@ -1,2 +0,0 @@ -'use strict'; -module.exports = require('../../full/set/is-superset-of'); diff --git a/node_modules/core-js/features/set/join.js b/node_modules/core-js/features/set/join.js deleted file mode 100644 index 74be35e..0000000 --- a/node_modules/core-js/features/set/join.js +++ /dev/null @@ -1,2 +0,0 @@ -'use strict'; -module.exports = require('../../full/set/join'); diff --git a/node_modules/core-js/features/set/map.js b/node_modules/core-js/features/set/map.js deleted file mode 100644 index 4a8d431..0000000 --- a/node_modules/core-js/features/set/map.js +++ /dev/null @@ -1,2 +0,0 @@ -'use strict'; -module.exports = require('../../full/set/map'); diff --git a/node_modules/core-js/features/set/of.js b/node_modules/core-js/features/set/of.js deleted file mode 100644 index 07c4b51..0000000 --- a/node_modules/core-js/features/set/of.js +++ /dev/null @@ -1,2 +0,0 @@ -'use strict'; -module.exports = require('../../full/set/of'); diff --git a/node_modules/core-js/features/set/reduce.js b/node_modules/core-js/features/set/reduce.js deleted file mode 100644 index 9a91617..0000000 --- a/node_modules/core-js/features/set/reduce.js +++ /dev/null @@ -1,2 +0,0 @@ -'use strict'; -module.exports = require('../../full/set/reduce'); diff --git a/node_modules/core-js/features/set/some.js b/node_modules/core-js/features/set/some.js deleted file mode 100644 index cf445d5..0000000 --- a/node_modules/core-js/features/set/some.js +++ /dev/null @@ -1,2 +0,0 @@ -'use strict'; -module.exports = require('../../full/set/some'); diff --git a/node_modules/core-js/features/set/symmetric-difference.js b/node_modules/core-js/features/set/symmetric-difference.js deleted file mode 100644 index 66dbeb3..0000000 --- a/node_modules/core-js/features/set/symmetric-difference.js +++ /dev/null @@ -1,2 +0,0 @@ -'use strict'; -module.exports = require('../../full/set/symmetric-difference'); diff --git a/node_modules/core-js/features/set/union.js b/node_modules/core-js/features/set/union.js deleted file mode 100644 index 56b88c7..0000000 --- a/node_modules/core-js/features/set/union.js +++ /dev/null @@ -1,2 +0,0 @@ -'use strict'; -module.exports = require('../../full/set/union'); diff --git a/node_modules/core-js/features/string/anchor.js b/node_modules/core-js/features/string/anchor.js deleted file mode 100644 index e319c4c..0000000 --- a/node_modules/core-js/features/string/anchor.js +++ /dev/null @@ -1,2 +0,0 @@ -'use strict'; -module.exports = require('../../full/string/anchor'); diff --git a/node_modules/core-js/features/string/at.js b/node_modules/core-js/features/string/at.js deleted file mode 100644 index f052a4b..0000000 --- a/node_modules/core-js/features/string/at.js +++ /dev/null @@ -1,2 +0,0 @@ -'use strict'; -module.exports = require('../../full/string/at'); diff --git a/node_modules/core-js/features/string/big.js b/node_modules/core-js/features/string/big.js deleted file mode 100644 index 25db1cd..0000000 --- a/node_modules/core-js/features/string/big.js +++ /dev/null @@ -1,2 +0,0 @@ -'use strict'; -module.exports = require('../../full/string/big'); diff --git a/node_modules/core-js/features/string/blink.js b/node_modules/core-js/features/string/blink.js deleted file mode 100644 index 198acfb..0000000 --- a/node_modules/core-js/features/string/blink.js +++ /dev/null @@ -1,2 +0,0 @@ -'use strict'; -module.exports = require('../../full/string/blink'); diff --git a/node_modules/core-js/features/string/bold.js b/node_modules/core-js/features/string/bold.js deleted file mode 100644 index 12e3a98..0000000 --- a/node_modules/core-js/features/string/bold.js +++ /dev/null @@ -1,2 +0,0 @@ -'use strict'; -module.exports = require('../../full/string/bold'); diff --git a/node_modules/core-js/features/string/code-point-at.js b/node_modules/core-js/features/string/code-point-at.js deleted file mode 100644 index 21a1efc..0000000 --- a/node_modules/core-js/features/string/code-point-at.js +++ /dev/null @@ -1,2 +0,0 @@ -'use strict'; -module.exports = require('../../full/string/code-point-at'); diff --git a/node_modules/core-js/features/string/code-points.js b/node_modules/core-js/features/string/code-points.js deleted file mode 100644 index aa721d7..0000000 --- a/node_modules/core-js/features/string/code-points.js +++ /dev/null @@ -1,2 +0,0 @@ -'use strict'; -module.exports = require('../../full/string/code-points'); diff --git a/node_modules/core-js/features/string/cooked.js b/node_modules/core-js/features/string/cooked.js deleted file mode 100644 index cc7d80b..0000000 --- a/node_modules/core-js/features/string/cooked.js +++ /dev/null @@ -1,2 +0,0 @@ -'use strict'; -module.exports = require('../../full/string/cooked'); diff --git a/node_modules/core-js/features/string/dedent.js b/node_modules/core-js/features/string/dedent.js deleted file mode 100644 index 1417fea..0000000 --- a/node_modules/core-js/features/string/dedent.js +++ /dev/null @@ -1,2 +0,0 @@ -'use strict'; -module.exports = require('../../full/string/dedent'); diff --git a/node_modules/core-js/features/string/ends-with.js b/node_modules/core-js/features/string/ends-with.js deleted file mode 100644 index 82c8de3..0000000 --- a/node_modules/core-js/features/string/ends-with.js +++ /dev/null @@ -1,2 +0,0 @@ -'use strict'; -module.exports = require('../../full/string/ends-with'); diff --git a/node_modules/core-js/features/string/fixed.js b/node_modules/core-js/features/string/fixed.js deleted file mode 100644 index 18e3d12..0000000 --- a/node_modules/core-js/features/string/fixed.js +++ /dev/null @@ -1,2 +0,0 @@ -'use strict'; -module.exports = require('../../full/string/fixed'); diff --git a/node_modules/core-js/features/string/fontcolor.js b/node_modules/core-js/features/string/fontcolor.js deleted file mode 100644 index d2173ad..0000000 --- a/node_modules/core-js/features/string/fontcolor.js +++ /dev/null @@ -1,2 +0,0 @@ -'use strict'; -module.exports = require('../../full/string/fontcolor'); diff --git a/node_modules/core-js/features/string/fontsize.js b/node_modules/core-js/features/string/fontsize.js deleted file mode 100644 index 60ed0de..0000000 --- a/node_modules/core-js/features/string/fontsize.js +++ /dev/null @@ -1,2 +0,0 @@ -'use strict'; -module.exports = require('../../full/string/fontsize'); diff --git a/node_modules/core-js/features/string/from-code-point.js b/node_modules/core-js/features/string/from-code-point.js deleted file mode 100644 index 4ae1760..0000000 --- a/node_modules/core-js/features/string/from-code-point.js +++ /dev/null @@ -1,2 +0,0 @@ -'use strict'; -module.exports = require('../../full/string/from-code-point'); diff --git a/node_modules/core-js/features/string/includes.js b/node_modules/core-js/features/string/includes.js deleted file mode 100644 index a38daae..0000000 --- a/node_modules/core-js/features/string/includes.js +++ /dev/null @@ -1,2 +0,0 @@ -'use strict'; -module.exports = require('../../full/string/includes'); diff --git a/node_modules/core-js/features/string/index.js b/node_modules/core-js/features/string/index.js deleted file mode 100644 index 39dec7f..0000000 --- a/node_modules/core-js/features/string/index.js +++ /dev/null @@ -1,2 +0,0 @@ -'use strict'; -module.exports = require('../../full/string'); diff --git a/node_modules/core-js/features/string/is-well-formed.js b/node_modules/core-js/features/string/is-well-formed.js deleted file mode 100644 index 8a3222e..0000000 --- a/node_modules/core-js/features/string/is-well-formed.js +++ /dev/null @@ -1,2 +0,0 @@ -'use strict'; -module.exports = require('../../full/string/is-well-formed'); diff --git a/node_modules/core-js/features/string/italics.js b/node_modules/core-js/features/string/italics.js deleted file mode 100644 index 2662142..0000000 --- a/node_modules/core-js/features/string/italics.js +++ /dev/null @@ -1,2 +0,0 @@ -'use strict'; -module.exports = require('../../full/string/italics'); diff --git a/node_modules/core-js/features/string/iterator.js b/node_modules/core-js/features/string/iterator.js deleted file mode 100644 index e947c4c..0000000 --- a/node_modules/core-js/features/string/iterator.js +++ /dev/null @@ -1,2 +0,0 @@ -'use strict'; -module.exports = require('../../full/string/iterator'); diff --git a/node_modules/core-js/features/string/link.js b/node_modules/core-js/features/string/link.js deleted file mode 100644 index ce03a70..0000000 --- a/node_modules/core-js/features/string/link.js +++ /dev/null @@ -1,2 +0,0 @@ -'use strict'; -module.exports = require('../../full/string/link'); diff --git a/node_modules/core-js/features/string/match-all.js b/node_modules/core-js/features/string/match-all.js deleted file mode 100644 index cff637b..0000000 --- a/node_modules/core-js/features/string/match-all.js +++ /dev/null @@ -1,2 +0,0 @@ -'use strict'; -module.exports = require('../../full/string/match-all'); diff --git a/node_modules/core-js/features/string/match.js b/node_modules/core-js/features/string/match.js deleted file mode 100644 index fcdc638..0000000 --- a/node_modules/core-js/features/string/match.js +++ /dev/null @@ -1,2 +0,0 @@ -'use strict'; -module.exports = require('../../full/string/match'); diff --git a/node_modules/core-js/features/string/pad-end.js b/node_modules/core-js/features/string/pad-end.js deleted file mode 100644 index 87afd0b..0000000 --- a/node_modules/core-js/features/string/pad-end.js +++ /dev/null @@ -1,2 +0,0 @@ -'use strict'; -module.exports = require('../../full/string/pad-end'); diff --git a/node_modules/core-js/features/string/pad-start.js b/node_modules/core-js/features/string/pad-start.js deleted file mode 100644 index 6381fbd..0000000 --- a/node_modules/core-js/features/string/pad-start.js +++ /dev/null @@ -1,2 +0,0 @@ -'use strict'; -module.exports = require('../../full/string/pad-start'); diff --git a/node_modules/core-js/features/string/raw.js b/node_modules/core-js/features/string/raw.js deleted file mode 100644 index 9921960..0000000 --- a/node_modules/core-js/features/string/raw.js +++ /dev/null @@ -1,2 +0,0 @@ -'use strict'; -module.exports = require('../../full/string/raw'); diff --git a/node_modules/core-js/features/string/repeat.js b/node_modules/core-js/features/string/repeat.js deleted file mode 100644 index e9549f3..0000000 --- a/node_modules/core-js/features/string/repeat.js +++ /dev/null @@ -1,2 +0,0 @@ -'use strict'; -module.exports = require('../../full/string/repeat'); diff --git a/node_modules/core-js/features/string/replace-all.js b/node_modules/core-js/features/string/replace-all.js deleted file mode 100644 index 8cb01ea..0000000 --- a/node_modules/core-js/features/string/replace-all.js +++ /dev/null @@ -1,2 +0,0 @@ -'use strict'; -module.exports = require('../../full/string/replace-all'); diff --git a/node_modules/core-js/features/string/replace.js b/node_modules/core-js/features/string/replace.js deleted file mode 100644 index cfbbbdb..0000000 --- a/node_modules/core-js/features/string/replace.js +++ /dev/null @@ -1,2 +0,0 @@ -'use strict'; -module.exports = require('../../full/string/replace'); diff --git a/node_modules/core-js/features/string/search.js b/node_modules/core-js/features/string/search.js deleted file mode 100644 index 7f44eba..0000000 --- a/node_modules/core-js/features/string/search.js +++ /dev/null @@ -1,2 +0,0 @@ -'use strict'; -module.exports = require('../../full/string/search'); diff --git a/node_modules/core-js/features/string/small.js b/node_modules/core-js/features/string/small.js deleted file mode 100644 index 83371d4..0000000 --- a/node_modules/core-js/features/string/small.js +++ /dev/null @@ -1,2 +0,0 @@ -'use strict'; -module.exports = require('../../full/string/small'); diff --git a/node_modules/core-js/features/string/split.js b/node_modules/core-js/features/string/split.js deleted file mode 100644 index df53dde..0000000 --- a/node_modules/core-js/features/string/split.js +++ /dev/null @@ -1,2 +0,0 @@ -'use strict'; -module.exports = require('../../full/string/split'); diff --git a/node_modules/core-js/features/string/starts-with.js b/node_modules/core-js/features/string/starts-with.js deleted file mode 100644 index c36f72b..0000000 --- a/node_modules/core-js/features/string/starts-with.js +++ /dev/null @@ -1,2 +0,0 @@ -'use strict'; -module.exports = require('../../full/string/starts-with'); diff --git a/node_modules/core-js/features/string/strike.js b/node_modules/core-js/features/string/strike.js deleted file mode 100644 index 5931582..0000000 --- a/node_modules/core-js/features/string/strike.js +++ /dev/null @@ -1,2 +0,0 @@ -'use strict'; -module.exports = require('../../full/string/strike'); diff --git a/node_modules/core-js/features/string/sub.js b/node_modules/core-js/features/string/sub.js deleted file mode 100644 index ee9be2d..0000000 --- a/node_modules/core-js/features/string/sub.js +++ /dev/null @@ -1,2 +0,0 @@ -'use strict'; -module.exports = require('../../full/string/sub'); diff --git a/node_modules/core-js/features/string/substr.js b/node_modules/core-js/features/string/substr.js deleted file mode 100644 index 3a0d996..0000000 --- a/node_modules/core-js/features/string/substr.js +++ /dev/null @@ -1,2 +0,0 @@ -'use strict'; -module.exports = require('../../full/string/substr'); diff --git a/node_modules/core-js/features/string/sup.js b/node_modules/core-js/features/string/sup.js deleted file mode 100644 index fafa2e5..0000000 --- a/node_modules/core-js/features/string/sup.js +++ /dev/null @@ -1,2 +0,0 @@ -'use strict'; -module.exports = require('../../full/string/sup'); diff --git a/node_modules/core-js/features/string/to-well-formed.js b/node_modules/core-js/features/string/to-well-formed.js deleted file mode 100644 index 318acd2..0000000 --- a/node_modules/core-js/features/string/to-well-formed.js +++ /dev/null @@ -1,2 +0,0 @@ -'use strict'; -module.exports = require('../../full/string/to-well-formed'); diff --git a/node_modules/core-js/features/string/trim-end.js b/node_modules/core-js/features/string/trim-end.js deleted file mode 100644 index 6913dab..0000000 --- a/node_modules/core-js/features/string/trim-end.js +++ /dev/null @@ -1,2 +0,0 @@ -'use strict'; -module.exports = require('../../full/string/trim-end'); diff --git a/node_modules/core-js/features/string/trim-left.js b/node_modules/core-js/features/string/trim-left.js deleted file mode 100644 index 729d4d4..0000000 --- a/node_modules/core-js/features/string/trim-left.js +++ /dev/null @@ -1,2 +0,0 @@ -'use strict'; -module.exports = require('../../full/string/trim-left'); diff --git a/node_modules/core-js/features/string/trim-right.js b/node_modules/core-js/features/string/trim-right.js deleted file mode 100644 index 5bb915c..0000000 --- a/node_modules/core-js/features/string/trim-right.js +++ /dev/null @@ -1,2 +0,0 @@ -'use strict'; -module.exports = require('../../full/string/trim-right'); diff --git a/node_modules/core-js/features/string/trim-start.js b/node_modules/core-js/features/string/trim-start.js deleted file mode 100644 index 9288f6c..0000000 --- a/node_modules/core-js/features/string/trim-start.js +++ /dev/null @@ -1,2 +0,0 @@ -'use strict'; -module.exports = require('../../full/string/trim-start'); diff --git a/node_modules/core-js/features/string/trim.js b/node_modules/core-js/features/string/trim.js deleted file mode 100644 index d5cdd8e..0000000 --- a/node_modules/core-js/features/string/trim.js +++ /dev/null @@ -1,2 +0,0 @@ -'use strict'; -module.exports = require('../../full/string/trim'); diff --git a/node_modules/core-js/features/string/virtual/anchor.js b/node_modules/core-js/features/string/virtual/anchor.js deleted file mode 100644 index ef0030d..0000000 --- a/node_modules/core-js/features/string/virtual/anchor.js +++ /dev/null @@ -1,2 +0,0 @@ -'use strict'; -module.exports = require('../../../full/string/virtual/anchor'); diff --git a/node_modules/core-js/features/string/virtual/at.js b/node_modules/core-js/features/string/virtual/at.js deleted file mode 100644 index cf004d8..0000000 --- a/node_modules/core-js/features/string/virtual/at.js +++ /dev/null @@ -1,2 +0,0 @@ -'use strict'; -module.exports = require('../../../full/string/virtual/at'); diff --git a/node_modules/core-js/features/string/virtual/big.js b/node_modules/core-js/features/string/virtual/big.js deleted file mode 100644 index bb7af64..0000000 --- a/node_modules/core-js/features/string/virtual/big.js +++ /dev/null @@ -1,2 +0,0 @@ -'use strict'; -module.exports = require('../../../full/string/virtual/big'); diff --git a/node_modules/core-js/features/string/virtual/blink.js b/node_modules/core-js/features/string/virtual/blink.js deleted file mode 100644 index 13c183f..0000000 --- a/node_modules/core-js/features/string/virtual/blink.js +++ /dev/null @@ -1,2 +0,0 @@ -'use strict'; -module.exports = require('../../../full/string/virtual/blink'); diff --git a/node_modules/core-js/features/string/virtual/bold.js b/node_modules/core-js/features/string/virtual/bold.js deleted file mode 100644 index b18c2dc..0000000 --- a/node_modules/core-js/features/string/virtual/bold.js +++ /dev/null @@ -1,2 +0,0 @@ -'use strict'; -module.exports = require('../../../full/string/virtual/bold'); diff --git a/node_modules/core-js/features/string/virtual/code-point-at.js b/node_modules/core-js/features/string/virtual/code-point-at.js deleted file mode 100644 index d96f544..0000000 --- a/node_modules/core-js/features/string/virtual/code-point-at.js +++ /dev/null @@ -1,2 +0,0 @@ -'use strict'; -module.exports = require('../../../full/string/virtual/code-point-at'); diff --git a/node_modules/core-js/features/string/virtual/code-points.js b/node_modules/core-js/features/string/virtual/code-points.js deleted file mode 100644 index fdbd7a4..0000000 --- a/node_modules/core-js/features/string/virtual/code-points.js +++ /dev/null @@ -1,2 +0,0 @@ -'use strict'; -module.exports = require('../../../full/string/virtual/code-points'); diff --git a/node_modules/core-js/features/string/virtual/ends-with.js b/node_modules/core-js/features/string/virtual/ends-with.js deleted file mode 100644 index 232aaa7..0000000 --- a/node_modules/core-js/features/string/virtual/ends-with.js +++ /dev/null @@ -1,2 +0,0 @@ -'use strict'; -module.exports = require('../../../full/string/virtual/ends-with'); diff --git a/node_modules/core-js/features/string/virtual/fixed.js b/node_modules/core-js/features/string/virtual/fixed.js deleted file mode 100644 index 4d40578..0000000 --- a/node_modules/core-js/features/string/virtual/fixed.js +++ /dev/null @@ -1,2 +0,0 @@ -'use strict'; -module.exports = require('../../../full/string/virtual/fixed'); diff --git a/node_modules/core-js/features/string/virtual/fontcolor.js b/node_modules/core-js/features/string/virtual/fontcolor.js deleted file mode 100644 index 2d37d0e..0000000 --- a/node_modules/core-js/features/string/virtual/fontcolor.js +++ /dev/null @@ -1,2 +0,0 @@ -'use strict'; -module.exports = require('../../../full/string/virtual/fontcolor'); diff --git a/node_modules/core-js/features/string/virtual/fontsize.js b/node_modules/core-js/features/string/virtual/fontsize.js deleted file mode 100644 index 9a10610..0000000 --- a/node_modules/core-js/features/string/virtual/fontsize.js +++ /dev/null @@ -1,2 +0,0 @@ -'use strict'; -module.exports = require('../../../full/string/virtual/fontsize'); diff --git a/node_modules/core-js/features/string/virtual/includes.js b/node_modules/core-js/features/string/virtual/includes.js deleted file mode 100644 index 0c77bc7..0000000 --- a/node_modules/core-js/features/string/virtual/includes.js +++ /dev/null @@ -1,2 +0,0 @@ -'use strict'; -module.exports = require('../../../full/string/virtual/includes'); diff --git a/node_modules/core-js/features/string/virtual/index.js b/node_modules/core-js/features/string/virtual/index.js deleted file mode 100644 index 4dbf80b..0000000 --- a/node_modules/core-js/features/string/virtual/index.js +++ /dev/null @@ -1,2 +0,0 @@ -'use strict'; -module.exports = require('../../../full/string/virtual'); diff --git a/node_modules/core-js/features/string/virtual/is-well-formed.js b/node_modules/core-js/features/string/virtual/is-well-formed.js deleted file mode 100644 index 7a46df3..0000000 --- a/node_modules/core-js/features/string/virtual/is-well-formed.js +++ /dev/null @@ -1,2 +0,0 @@ -'use strict'; -module.exports = require('../../../full/string/virtual/is-well-formed'); diff --git a/node_modules/core-js/features/string/virtual/italics.js b/node_modules/core-js/features/string/virtual/italics.js deleted file mode 100644 index a359791..0000000 --- a/node_modules/core-js/features/string/virtual/italics.js +++ /dev/null @@ -1,2 +0,0 @@ -'use strict'; -module.exports = require('../../../full/string/virtual/italics'); diff --git a/node_modules/core-js/features/string/virtual/iterator.js b/node_modules/core-js/features/string/virtual/iterator.js deleted file mode 100644 index 070896f..0000000 --- a/node_modules/core-js/features/string/virtual/iterator.js +++ /dev/null @@ -1,2 +0,0 @@ -'use strict'; -module.exports = require('../../../full/string/virtual/iterator'); diff --git a/node_modules/core-js/features/string/virtual/link.js b/node_modules/core-js/features/string/virtual/link.js deleted file mode 100644 index 4caad6c..0000000 --- a/node_modules/core-js/features/string/virtual/link.js +++ /dev/null @@ -1,2 +0,0 @@ -'use strict'; -module.exports = require('../../../full/string/virtual/link'); diff --git a/node_modules/core-js/features/string/virtual/match-all.js b/node_modules/core-js/features/string/virtual/match-all.js deleted file mode 100644 index f1a16e5..0000000 --- a/node_modules/core-js/features/string/virtual/match-all.js +++ /dev/null @@ -1,2 +0,0 @@ -'use strict'; -module.exports = require('../../../full/string/virtual/match-all'); diff --git a/node_modules/core-js/features/string/virtual/pad-end.js b/node_modules/core-js/features/string/virtual/pad-end.js deleted file mode 100644 index b197b82..0000000 --- a/node_modules/core-js/features/string/virtual/pad-end.js +++ /dev/null @@ -1,2 +0,0 @@ -'use strict'; -module.exports = require('../../../full/string/virtual/pad-end'); diff --git a/node_modules/core-js/features/string/virtual/pad-start.js b/node_modules/core-js/features/string/virtual/pad-start.js deleted file mode 100644 index 0d9f790..0000000 --- a/node_modules/core-js/features/string/virtual/pad-start.js +++ /dev/null @@ -1,2 +0,0 @@ -'use strict'; -module.exports = require('../../../full/string/virtual/pad-start'); diff --git a/node_modules/core-js/features/string/virtual/repeat.js b/node_modules/core-js/features/string/virtual/repeat.js deleted file mode 100644 index c9bd2b1..0000000 --- a/node_modules/core-js/features/string/virtual/repeat.js +++ /dev/null @@ -1,2 +0,0 @@ -'use strict'; -module.exports = require('../../../full/string/virtual/repeat'); diff --git a/node_modules/core-js/features/string/virtual/replace-all.js b/node_modules/core-js/features/string/virtual/replace-all.js deleted file mode 100644 index 5c41a81..0000000 --- a/node_modules/core-js/features/string/virtual/replace-all.js +++ /dev/null @@ -1,2 +0,0 @@ -'use strict'; -module.exports = require('../../../full/string/virtual/replace-all'); diff --git a/node_modules/core-js/features/string/virtual/small.js b/node_modules/core-js/features/string/virtual/small.js deleted file mode 100644 index 41830fd..0000000 --- a/node_modules/core-js/features/string/virtual/small.js +++ /dev/null @@ -1,2 +0,0 @@ -'use strict'; -module.exports = require('../../../full/string/virtual/small'); diff --git a/node_modules/core-js/features/string/virtual/starts-with.js b/node_modules/core-js/features/string/virtual/starts-with.js deleted file mode 100644 index faf7f9a..0000000 --- a/node_modules/core-js/features/string/virtual/starts-with.js +++ /dev/null @@ -1,2 +0,0 @@ -'use strict'; -module.exports = require('../../../full/string/virtual/starts-with'); diff --git a/node_modules/core-js/features/string/virtual/strike.js b/node_modules/core-js/features/string/virtual/strike.js deleted file mode 100644 index 4aa6aab..0000000 --- a/node_modules/core-js/features/string/virtual/strike.js +++ /dev/null @@ -1,2 +0,0 @@ -'use strict'; -module.exports = require('../../../full/string/virtual/strike'); diff --git a/node_modules/core-js/features/string/virtual/sub.js b/node_modules/core-js/features/string/virtual/sub.js deleted file mode 100644 index 0406b51..0000000 --- a/node_modules/core-js/features/string/virtual/sub.js +++ /dev/null @@ -1,2 +0,0 @@ -'use strict'; -module.exports = require('../../../full/string/virtual/sub'); diff --git a/node_modules/core-js/features/string/virtual/substr.js b/node_modules/core-js/features/string/virtual/substr.js deleted file mode 100644 index bff178a..0000000 --- a/node_modules/core-js/features/string/virtual/substr.js +++ /dev/null @@ -1,2 +0,0 @@ -'use strict'; -module.exports = require('../../../full/string/virtual/substr'); diff --git a/node_modules/core-js/features/string/virtual/sup.js b/node_modules/core-js/features/string/virtual/sup.js deleted file mode 100644 index ea4b086..0000000 --- a/node_modules/core-js/features/string/virtual/sup.js +++ /dev/null @@ -1,2 +0,0 @@ -'use strict'; -module.exports = require('../../../full/string/virtual/sup'); diff --git a/node_modules/core-js/features/string/virtual/to-well-formed.js b/node_modules/core-js/features/string/virtual/to-well-formed.js deleted file mode 100644 index fb106bc..0000000 --- a/node_modules/core-js/features/string/virtual/to-well-formed.js +++ /dev/null @@ -1,2 +0,0 @@ -'use strict'; -module.exports = require('../../../full/string/virtual/to-well-formed'); diff --git a/node_modules/core-js/features/string/virtual/trim-end.js b/node_modules/core-js/features/string/virtual/trim-end.js deleted file mode 100644 index d90c02d..0000000 --- a/node_modules/core-js/features/string/virtual/trim-end.js +++ /dev/null @@ -1,2 +0,0 @@ -'use strict'; -module.exports = require('../../../full/string/virtual/trim-end'); diff --git a/node_modules/core-js/features/string/virtual/trim-left.js b/node_modules/core-js/features/string/virtual/trim-left.js deleted file mode 100644 index 407b11f..0000000 --- a/node_modules/core-js/features/string/virtual/trim-left.js +++ /dev/null @@ -1,2 +0,0 @@ -'use strict'; -module.exports = require('../../../full/string/virtual/trim-left'); diff --git a/node_modules/core-js/features/string/virtual/trim-right.js b/node_modules/core-js/features/string/virtual/trim-right.js deleted file mode 100644 index 8e6fd4d..0000000 --- a/node_modules/core-js/features/string/virtual/trim-right.js +++ /dev/null @@ -1,2 +0,0 @@ -'use strict'; -module.exports = require('../../../full/string/virtual/trim-right'); diff --git a/node_modules/core-js/features/string/virtual/trim-start.js b/node_modules/core-js/features/string/virtual/trim-start.js deleted file mode 100644 index 0c3545a..0000000 --- a/node_modules/core-js/features/string/virtual/trim-start.js +++ /dev/null @@ -1,2 +0,0 @@ -'use strict'; -module.exports = require('../../../full/string/virtual/trim-start'); diff --git a/node_modules/core-js/features/string/virtual/trim.js b/node_modules/core-js/features/string/virtual/trim.js deleted file mode 100644 index da33237..0000000 --- a/node_modules/core-js/features/string/virtual/trim.js +++ /dev/null @@ -1,2 +0,0 @@ -'use strict'; -module.exports = require('../../../full/string/virtual/trim'); diff --git a/node_modules/core-js/features/structured-clone.js b/node_modules/core-js/features/structured-clone.js deleted file mode 100644 index 3f23d55..0000000 --- a/node_modules/core-js/features/structured-clone.js +++ /dev/null @@ -1,2 +0,0 @@ -'use strict'; -module.exports = require('../full/structured-clone'); diff --git a/node_modules/core-js/features/suppressed-error.js b/node_modules/core-js/features/suppressed-error.js deleted file mode 100644 index 331939c..0000000 --- a/node_modules/core-js/features/suppressed-error.js +++ /dev/null @@ -1,2 +0,0 @@ -'use strict'; -module.exports = require('../full/suppressed-error'); diff --git a/node_modules/core-js/features/symbol/async-dispose.js b/node_modules/core-js/features/symbol/async-dispose.js deleted file mode 100644 index e31c76d..0000000 --- a/node_modules/core-js/features/symbol/async-dispose.js +++ /dev/null @@ -1,2 +0,0 @@ -'use strict'; -module.exports = require('../../full/symbol/async-dispose'); diff --git a/node_modules/core-js/features/symbol/async-iterator.js b/node_modules/core-js/features/symbol/async-iterator.js deleted file mode 100644 index 6951dae..0000000 --- a/node_modules/core-js/features/symbol/async-iterator.js +++ /dev/null @@ -1,2 +0,0 @@ -'use strict'; -module.exports = require('../../full/symbol/async-iterator'); diff --git a/node_modules/core-js/features/symbol/description.js b/node_modules/core-js/features/symbol/description.js deleted file mode 100644 index dacdab2..0000000 --- a/node_modules/core-js/features/symbol/description.js +++ /dev/null @@ -1,2 +0,0 @@ -'use strict'; -module.exports = require('../../full/symbol/description'); diff --git a/node_modules/core-js/features/symbol/dispose.js b/node_modules/core-js/features/symbol/dispose.js deleted file mode 100644 index 270f729..0000000 --- a/node_modules/core-js/features/symbol/dispose.js +++ /dev/null @@ -1,2 +0,0 @@ -'use strict'; -module.exports = require('../../full/symbol/dispose'); diff --git a/node_modules/core-js/features/symbol/for.js b/node_modules/core-js/features/symbol/for.js deleted file mode 100644 index 69a3555..0000000 --- a/node_modules/core-js/features/symbol/for.js +++ /dev/null @@ -1,2 +0,0 @@ -'use strict'; -module.exports = require('../../full/symbol/for'); diff --git a/node_modules/core-js/features/symbol/has-instance.js b/node_modules/core-js/features/symbol/has-instance.js deleted file mode 100644 index fc003b3..0000000 --- a/node_modules/core-js/features/symbol/has-instance.js +++ /dev/null @@ -1,2 +0,0 @@ -'use strict'; -module.exports = require('../../full/symbol/has-instance'); diff --git a/node_modules/core-js/features/symbol/index.js b/node_modules/core-js/features/symbol/index.js deleted file mode 100644 index 02c9e00..0000000 --- a/node_modules/core-js/features/symbol/index.js +++ /dev/null @@ -1,2 +0,0 @@ -'use strict'; -module.exports = require('../../full/symbol'); diff --git a/node_modules/core-js/features/symbol/is-concat-spreadable.js b/node_modules/core-js/features/symbol/is-concat-spreadable.js deleted file mode 100644 index 190c326..0000000 --- a/node_modules/core-js/features/symbol/is-concat-spreadable.js +++ /dev/null @@ -1,2 +0,0 @@ -'use strict'; -module.exports = require('../../full/symbol/is-concat-spreadable'); diff --git a/node_modules/core-js/features/symbol/is-registered-symbol.js b/node_modules/core-js/features/symbol/is-registered-symbol.js deleted file mode 100644 index abc6281..0000000 --- a/node_modules/core-js/features/symbol/is-registered-symbol.js +++ /dev/null @@ -1,2 +0,0 @@ -'use strict'; -module.exports = require('../../full/symbol/is-registered-symbol'); diff --git a/node_modules/core-js/features/symbol/is-registered.js b/node_modules/core-js/features/symbol/is-registered.js deleted file mode 100644 index 5954519..0000000 --- a/node_modules/core-js/features/symbol/is-registered.js +++ /dev/null @@ -1,2 +0,0 @@ -'use strict'; -module.exports = require('../../full/symbol/is-registered'); diff --git a/node_modules/core-js/features/symbol/is-well-known-symbol.js b/node_modules/core-js/features/symbol/is-well-known-symbol.js deleted file mode 100644 index 71f6a9d..0000000 --- a/node_modules/core-js/features/symbol/is-well-known-symbol.js +++ /dev/null @@ -1,2 +0,0 @@ -'use strict'; -module.exports = require('../../full/symbol/is-well-known-symbol'); diff --git a/node_modules/core-js/features/symbol/is-well-known.js b/node_modules/core-js/features/symbol/is-well-known.js deleted file mode 100644 index 3c6270e..0000000 --- a/node_modules/core-js/features/symbol/is-well-known.js +++ /dev/null @@ -1,2 +0,0 @@ -'use strict'; -module.exports = require('../../full/symbol/is-well-known'); diff --git a/node_modules/core-js/features/symbol/iterator.js b/node_modules/core-js/features/symbol/iterator.js deleted file mode 100644 index 01690d8..0000000 --- a/node_modules/core-js/features/symbol/iterator.js +++ /dev/null @@ -1,2 +0,0 @@ -'use strict'; -module.exports = require('../../full/symbol/iterator'); diff --git a/node_modules/core-js/features/symbol/key-for.js b/node_modules/core-js/features/symbol/key-for.js deleted file mode 100644 index b8d2061..0000000 --- a/node_modules/core-js/features/symbol/key-for.js +++ /dev/null @@ -1,2 +0,0 @@ -'use strict'; -module.exports = require('../../full/symbol/key-for'); diff --git a/node_modules/core-js/features/symbol/match-all.js b/node_modules/core-js/features/symbol/match-all.js deleted file mode 100644 index d921882..0000000 --- a/node_modules/core-js/features/symbol/match-all.js +++ /dev/null @@ -1,2 +0,0 @@ -'use strict'; -module.exports = require('../../full/symbol/match-all'); diff --git a/node_modules/core-js/features/symbol/match.js b/node_modules/core-js/features/symbol/match.js deleted file mode 100644 index 52f36d4..0000000 --- a/node_modules/core-js/features/symbol/match.js +++ /dev/null @@ -1,2 +0,0 @@ -'use strict'; -module.exports = require('../../full/symbol/match'); diff --git a/node_modules/core-js/features/symbol/matcher.js b/node_modules/core-js/features/symbol/matcher.js deleted file mode 100644 index a595085..0000000 --- a/node_modules/core-js/features/symbol/matcher.js +++ /dev/null @@ -1,2 +0,0 @@ -'use strict'; -module.exports = require('../../full/symbol/matcher'); diff --git a/node_modules/core-js/features/symbol/metadata-key.js b/node_modules/core-js/features/symbol/metadata-key.js deleted file mode 100644 index 8f0b026..0000000 --- a/node_modules/core-js/features/symbol/metadata-key.js +++ /dev/null @@ -1,2 +0,0 @@ -'use strict'; -module.exports = require('../../full/symbol/metadata-key'); diff --git a/node_modules/core-js/features/symbol/metadata.js b/node_modules/core-js/features/symbol/metadata.js deleted file mode 100644 index af7fdd1..0000000 --- a/node_modules/core-js/features/symbol/metadata.js +++ /dev/null @@ -1,2 +0,0 @@ -'use strict'; -module.exports = require('../../full/symbol/metadata'); diff --git a/node_modules/core-js/features/symbol/observable.js b/node_modules/core-js/features/symbol/observable.js deleted file mode 100644 index 991b7f9..0000000 --- a/node_modules/core-js/features/symbol/observable.js +++ /dev/null @@ -1,2 +0,0 @@ -'use strict'; -module.exports = require('../../full/symbol/observable'); diff --git a/node_modules/core-js/features/symbol/pattern-match.js b/node_modules/core-js/features/symbol/pattern-match.js deleted file mode 100644 index 74a6bba..0000000 --- a/node_modules/core-js/features/symbol/pattern-match.js +++ /dev/null @@ -1,2 +0,0 @@ -'use strict'; -module.exports = require('../../full/symbol/pattern-match'); diff --git a/node_modules/core-js/features/symbol/replace-all.js b/node_modules/core-js/features/symbol/replace-all.js deleted file mode 100644 index e6b3eab..0000000 --- a/node_modules/core-js/features/symbol/replace-all.js +++ /dev/null @@ -1,2 +0,0 @@ -'use strict'; -module.exports = require('../../full/symbol/replace-all'); diff --git a/node_modules/core-js/features/symbol/replace.js b/node_modules/core-js/features/symbol/replace.js deleted file mode 100644 index 890d0fc..0000000 --- a/node_modules/core-js/features/symbol/replace.js +++ /dev/null @@ -1,2 +0,0 @@ -'use strict'; -module.exports = require('../../full/symbol/replace'); diff --git a/node_modules/core-js/features/symbol/search.js b/node_modules/core-js/features/symbol/search.js deleted file mode 100644 index b888afc..0000000 --- a/node_modules/core-js/features/symbol/search.js +++ /dev/null @@ -1,2 +0,0 @@ -'use strict'; -module.exports = require('../../full/symbol/search'); diff --git a/node_modules/core-js/features/symbol/species.js b/node_modules/core-js/features/symbol/species.js deleted file mode 100644 index e7e4e28..0000000 --- a/node_modules/core-js/features/symbol/species.js +++ /dev/null @@ -1,2 +0,0 @@ -'use strict'; -module.exports = require('../../full/symbol/species'); diff --git a/node_modules/core-js/features/symbol/split.js b/node_modules/core-js/features/symbol/split.js deleted file mode 100644 index 8c4b7a5..0000000 --- a/node_modules/core-js/features/symbol/split.js +++ /dev/null @@ -1,2 +0,0 @@ -'use strict'; -module.exports = require('../../full/symbol/split'); diff --git a/node_modules/core-js/features/symbol/to-primitive.js b/node_modules/core-js/features/symbol/to-primitive.js deleted file mode 100644 index d3b7a0d..0000000 --- a/node_modules/core-js/features/symbol/to-primitive.js +++ /dev/null @@ -1,2 +0,0 @@ -'use strict'; -module.exports = require('../../full/symbol/to-primitive'); diff --git a/node_modules/core-js/features/symbol/to-string-tag.js b/node_modules/core-js/features/symbol/to-string-tag.js deleted file mode 100644 index b08cc0f..0000000 --- a/node_modules/core-js/features/symbol/to-string-tag.js +++ /dev/null @@ -1,2 +0,0 @@ -'use strict'; -module.exports = require('../../full/symbol/to-string-tag'); diff --git a/node_modules/core-js/features/symbol/unscopables.js b/node_modules/core-js/features/symbol/unscopables.js deleted file mode 100644 index f336314..0000000 --- a/node_modules/core-js/features/symbol/unscopables.js +++ /dev/null @@ -1,2 +0,0 @@ -'use strict'; -module.exports = require('../../full/symbol/unscopables'); diff --git a/node_modules/core-js/features/typed-array/at.js b/node_modules/core-js/features/typed-array/at.js deleted file mode 100644 index dbda0f2..0000000 --- a/node_modules/core-js/features/typed-array/at.js +++ /dev/null @@ -1,2 +0,0 @@ -'use strict'; -module.exports = require('../../full/typed-array/at'); diff --git a/node_modules/core-js/features/typed-array/copy-within.js b/node_modules/core-js/features/typed-array/copy-within.js deleted file mode 100644 index 5cd49d9..0000000 --- a/node_modules/core-js/features/typed-array/copy-within.js +++ /dev/null @@ -1,2 +0,0 @@ -'use strict'; -module.exports = require('../../full/typed-array/copy-within'); diff --git a/node_modules/core-js/features/typed-array/entries.js b/node_modules/core-js/features/typed-array/entries.js deleted file mode 100644 index d7fb635..0000000 --- a/node_modules/core-js/features/typed-array/entries.js +++ /dev/null @@ -1,2 +0,0 @@ -'use strict'; -module.exports = require('../../full/typed-array/entries'); diff --git a/node_modules/core-js/features/typed-array/every.js b/node_modules/core-js/features/typed-array/every.js deleted file mode 100644 index 4d9f494..0000000 --- a/node_modules/core-js/features/typed-array/every.js +++ /dev/null @@ -1,2 +0,0 @@ -'use strict'; -module.exports = require('../../full/typed-array/every'); diff --git a/node_modules/core-js/features/typed-array/fill.js b/node_modules/core-js/features/typed-array/fill.js deleted file mode 100644 index 987b2c6..0000000 --- a/node_modules/core-js/features/typed-array/fill.js +++ /dev/null @@ -1,2 +0,0 @@ -'use strict'; -module.exports = require('../../full/typed-array/fill'); diff --git a/node_modules/core-js/features/typed-array/filter-out.js b/node_modules/core-js/features/typed-array/filter-out.js deleted file mode 100644 index 4ebe258..0000000 --- a/node_modules/core-js/features/typed-array/filter-out.js +++ /dev/null @@ -1,2 +0,0 @@ -'use strict'; -module.exports = require('../../full/typed-array/filter-out'); diff --git a/node_modules/core-js/features/typed-array/filter-reject.js b/node_modules/core-js/features/typed-array/filter-reject.js deleted file mode 100644 index 1eca98c..0000000 --- a/node_modules/core-js/features/typed-array/filter-reject.js +++ /dev/null @@ -1,2 +0,0 @@ -'use strict'; -module.exports = require('../../full/typed-array/filter-reject'); diff --git a/node_modules/core-js/features/typed-array/filter.js b/node_modules/core-js/features/typed-array/filter.js deleted file mode 100644 index e8004b2..0000000 --- a/node_modules/core-js/features/typed-array/filter.js +++ /dev/null @@ -1,2 +0,0 @@ -'use strict'; -module.exports = require('../../full/typed-array/filter'); diff --git a/node_modules/core-js/features/typed-array/find-index.js b/node_modules/core-js/features/typed-array/find-index.js deleted file mode 100644 index a1de959..0000000 --- a/node_modules/core-js/features/typed-array/find-index.js +++ /dev/null @@ -1,2 +0,0 @@ -'use strict'; -module.exports = require('../../full/typed-array/find-index'); diff --git a/node_modules/core-js/features/typed-array/find-last-index.js b/node_modules/core-js/features/typed-array/find-last-index.js deleted file mode 100644 index de77d08..0000000 --- a/node_modules/core-js/features/typed-array/find-last-index.js +++ /dev/null @@ -1,2 +0,0 @@ -'use strict'; -module.exports = require('../../full/typed-array/find-last-index'); diff --git a/node_modules/core-js/features/typed-array/find-last.js b/node_modules/core-js/features/typed-array/find-last.js deleted file mode 100644 index d224ab3..0000000 --- a/node_modules/core-js/features/typed-array/find-last.js +++ /dev/null @@ -1,2 +0,0 @@ -'use strict'; -module.exports = require('../../full/typed-array/find-last'); diff --git a/node_modules/core-js/features/typed-array/find.js b/node_modules/core-js/features/typed-array/find.js deleted file mode 100644 index 40cc496..0000000 --- a/node_modules/core-js/features/typed-array/find.js +++ /dev/null @@ -1,2 +0,0 @@ -'use strict'; -module.exports = require('../../full/typed-array/find'); diff --git a/node_modules/core-js/features/typed-array/float32-array.js b/node_modules/core-js/features/typed-array/float32-array.js deleted file mode 100644 index 4d48fa1..0000000 --- a/node_modules/core-js/features/typed-array/float32-array.js +++ /dev/null @@ -1,2 +0,0 @@ -'use strict'; -module.exports = require('../../full/typed-array/float32-array'); diff --git a/node_modules/core-js/features/typed-array/float64-array.js b/node_modules/core-js/features/typed-array/float64-array.js deleted file mode 100644 index 64bdedf..0000000 --- a/node_modules/core-js/features/typed-array/float64-array.js +++ /dev/null @@ -1,2 +0,0 @@ -'use strict'; -module.exports = require('../../full/typed-array/float64-array'); diff --git a/node_modules/core-js/features/typed-array/for-each.js b/node_modules/core-js/features/typed-array/for-each.js deleted file mode 100644 index f2e5073..0000000 --- a/node_modules/core-js/features/typed-array/for-each.js +++ /dev/null @@ -1,2 +0,0 @@ -'use strict'; -module.exports = require('../../full/typed-array/for-each'); diff --git a/node_modules/core-js/features/typed-array/from-async.js b/node_modules/core-js/features/typed-array/from-async.js deleted file mode 100644 index c19d08c..0000000 --- a/node_modules/core-js/features/typed-array/from-async.js +++ /dev/null @@ -1,2 +0,0 @@ -'use strict'; -module.exports = require('../../full/typed-array/from-async'); diff --git a/node_modules/core-js/features/typed-array/from-base64.js b/node_modules/core-js/features/typed-array/from-base64.js deleted file mode 100644 index dbcfebc..0000000 --- a/node_modules/core-js/features/typed-array/from-base64.js +++ /dev/null @@ -1,2 +0,0 @@ -'use strict'; -module.exports = require('../../full/typed-array/from-base64'); diff --git a/node_modules/core-js/features/typed-array/from-hex.js b/node_modules/core-js/features/typed-array/from-hex.js deleted file mode 100644 index d7418cd..0000000 --- a/node_modules/core-js/features/typed-array/from-hex.js +++ /dev/null @@ -1,2 +0,0 @@ -'use strict'; -module.exports = require('../../full/typed-array/from-hex'); diff --git a/node_modules/core-js/features/typed-array/from.js b/node_modules/core-js/features/typed-array/from.js deleted file mode 100644 index a0488ef..0000000 --- a/node_modules/core-js/features/typed-array/from.js +++ /dev/null @@ -1,2 +0,0 @@ -'use strict'; -module.exports = require('../../full/typed-array/from'); diff --git a/node_modules/core-js/features/typed-array/group-by.js b/node_modules/core-js/features/typed-array/group-by.js deleted file mode 100644 index 946f22c..0000000 --- a/node_modules/core-js/features/typed-array/group-by.js +++ /dev/null @@ -1,2 +0,0 @@ -'use strict'; -module.exports = require('../../full/typed-array/group-by'); diff --git a/node_modules/core-js/features/typed-array/includes.js b/node_modules/core-js/features/typed-array/includes.js deleted file mode 100644 index 1af591f..0000000 --- a/node_modules/core-js/features/typed-array/includes.js +++ /dev/null @@ -1,2 +0,0 @@ -'use strict'; -module.exports = require('../../full/typed-array/includes'); diff --git a/node_modules/core-js/features/typed-array/index-of.js b/node_modules/core-js/features/typed-array/index-of.js deleted file mode 100644 index d100918..0000000 --- a/node_modules/core-js/features/typed-array/index-of.js +++ /dev/null @@ -1,2 +0,0 @@ -'use strict'; -module.exports = require('../../full/typed-array/index-of'); diff --git a/node_modules/core-js/features/typed-array/index.js b/node_modules/core-js/features/typed-array/index.js deleted file mode 100644 index 84e38dd..0000000 --- a/node_modules/core-js/features/typed-array/index.js +++ /dev/null @@ -1,2 +0,0 @@ -'use strict'; -module.exports = require('../../full/typed-array'); diff --git a/node_modules/core-js/features/typed-array/int16-array.js b/node_modules/core-js/features/typed-array/int16-array.js deleted file mode 100644 index 8b90d1a..0000000 --- a/node_modules/core-js/features/typed-array/int16-array.js +++ /dev/null @@ -1,2 +0,0 @@ -'use strict'; -module.exports = require('../../full/typed-array/int16-array'); diff --git a/node_modules/core-js/features/typed-array/int32-array.js b/node_modules/core-js/features/typed-array/int32-array.js deleted file mode 100644 index 0bc324b..0000000 --- a/node_modules/core-js/features/typed-array/int32-array.js +++ /dev/null @@ -1,2 +0,0 @@ -'use strict'; -module.exports = require('../../full/typed-array/int32-array'); diff --git a/node_modules/core-js/features/typed-array/int8-array.js b/node_modules/core-js/features/typed-array/int8-array.js deleted file mode 100644 index 3d30c41..0000000 --- a/node_modules/core-js/features/typed-array/int8-array.js +++ /dev/null @@ -1,2 +0,0 @@ -'use strict'; -module.exports = require('../../full/typed-array/int8-array'); diff --git a/node_modules/core-js/features/typed-array/iterator.js b/node_modules/core-js/features/typed-array/iterator.js deleted file mode 100644 index 02623ea..0000000 --- a/node_modules/core-js/features/typed-array/iterator.js +++ /dev/null @@ -1,2 +0,0 @@ -'use strict'; -module.exports = require('../../full/typed-array/iterator'); diff --git a/node_modules/core-js/features/typed-array/join.js b/node_modules/core-js/features/typed-array/join.js deleted file mode 100644 index 8c1a74f..0000000 --- a/node_modules/core-js/features/typed-array/join.js +++ /dev/null @@ -1,2 +0,0 @@ -'use strict'; -module.exports = require('../../full/typed-array/join'); diff --git a/node_modules/core-js/features/typed-array/keys.js b/node_modules/core-js/features/typed-array/keys.js deleted file mode 100644 index b90483f..0000000 --- a/node_modules/core-js/features/typed-array/keys.js +++ /dev/null @@ -1,2 +0,0 @@ -'use strict'; -module.exports = require('../../full/typed-array/keys'); diff --git a/node_modules/core-js/features/typed-array/last-index-of.js b/node_modules/core-js/features/typed-array/last-index-of.js deleted file mode 100644 index c170848..0000000 --- a/node_modules/core-js/features/typed-array/last-index-of.js +++ /dev/null @@ -1,2 +0,0 @@ -'use strict'; -module.exports = require('../../full/typed-array/last-index-of'); diff --git a/node_modules/core-js/features/typed-array/map.js b/node_modules/core-js/features/typed-array/map.js deleted file mode 100644 index cb73c09..0000000 --- a/node_modules/core-js/features/typed-array/map.js +++ /dev/null @@ -1,2 +0,0 @@ -'use strict'; -module.exports = require('../../full/typed-array/map'); diff --git a/node_modules/core-js/features/typed-array/methods.js b/node_modules/core-js/features/typed-array/methods.js deleted file mode 100644 index 9f8db1e..0000000 --- a/node_modules/core-js/features/typed-array/methods.js +++ /dev/null @@ -1,2 +0,0 @@ -'use strict'; -module.exports = require('../../full/typed-array/methods'); diff --git a/node_modules/core-js/features/typed-array/of.js b/node_modules/core-js/features/typed-array/of.js deleted file mode 100644 index 52663f4..0000000 --- a/node_modules/core-js/features/typed-array/of.js +++ /dev/null @@ -1,2 +0,0 @@ -'use strict'; -module.exports = require('../../full/typed-array/of'); diff --git a/node_modules/core-js/features/typed-array/reduce-right.js b/node_modules/core-js/features/typed-array/reduce-right.js deleted file mode 100644 index d258dcd..0000000 --- a/node_modules/core-js/features/typed-array/reduce-right.js +++ /dev/null @@ -1,2 +0,0 @@ -'use strict'; -module.exports = require('../../full/typed-array/reduce-right'); diff --git a/node_modules/core-js/features/typed-array/reduce.js b/node_modules/core-js/features/typed-array/reduce.js deleted file mode 100644 index bdb9106..0000000 --- a/node_modules/core-js/features/typed-array/reduce.js +++ /dev/null @@ -1,2 +0,0 @@ -'use strict'; -module.exports = require('../../full/typed-array/reduce'); diff --git a/node_modules/core-js/features/typed-array/reverse.js b/node_modules/core-js/features/typed-array/reverse.js deleted file mode 100644 index 7923e59..0000000 --- a/node_modules/core-js/features/typed-array/reverse.js +++ /dev/null @@ -1,2 +0,0 @@ -'use strict'; -module.exports = require('../../full/typed-array/reverse'); diff --git a/node_modules/core-js/features/typed-array/set.js b/node_modules/core-js/features/typed-array/set.js deleted file mode 100644 index 5f12682..0000000 --- a/node_modules/core-js/features/typed-array/set.js +++ /dev/null @@ -1,2 +0,0 @@ -'use strict'; -module.exports = require('../../full/typed-array/set'); diff --git a/node_modules/core-js/features/typed-array/slice.js b/node_modules/core-js/features/typed-array/slice.js deleted file mode 100644 index e0d0811..0000000 --- a/node_modules/core-js/features/typed-array/slice.js +++ /dev/null @@ -1,2 +0,0 @@ -'use strict'; -module.exports = require('../../full/typed-array/slice'); diff --git a/node_modules/core-js/features/typed-array/some.js b/node_modules/core-js/features/typed-array/some.js deleted file mode 100644 index 7d3bf5a..0000000 --- a/node_modules/core-js/features/typed-array/some.js +++ /dev/null @@ -1,2 +0,0 @@ -'use strict'; -module.exports = require('../../full/typed-array/some'); diff --git a/node_modules/core-js/features/typed-array/sort.js b/node_modules/core-js/features/typed-array/sort.js deleted file mode 100644 index 8af7761..0000000 --- a/node_modules/core-js/features/typed-array/sort.js +++ /dev/null @@ -1,2 +0,0 @@ -'use strict'; -module.exports = require('../../full/typed-array/sort'); diff --git a/node_modules/core-js/features/typed-array/subarray.js b/node_modules/core-js/features/typed-array/subarray.js deleted file mode 100644 index aba0b31..0000000 --- a/node_modules/core-js/features/typed-array/subarray.js +++ /dev/null @@ -1,2 +0,0 @@ -'use strict'; -module.exports = require('../../full/typed-array/subarray'); diff --git a/node_modules/core-js/features/typed-array/to-base64.js b/node_modules/core-js/features/typed-array/to-base64.js deleted file mode 100644 index 9205945..0000000 --- a/node_modules/core-js/features/typed-array/to-base64.js +++ /dev/null @@ -1,2 +0,0 @@ -'use strict'; -module.exports = require('../../full/typed-array/to-base64'); diff --git a/node_modules/core-js/features/typed-array/to-hex.js b/node_modules/core-js/features/typed-array/to-hex.js deleted file mode 100644 index 2a19bdc..0000000 --- a/node_modules/core-js/features/typed-array/to-hex.js +++ /dev/null @@ -1,2 +0,0 @@ -'use strict'; -module.exports = require('../../full/typed-array/to-hex'); diff --git a/node_modules/core-js/features/typed-array/to-locale-string.js b/node_modules/core-js/features/typed-array/to-locale-string.js deleted file mode 100644 index 96ec891..0000000 --- a/node_modules/core-js/features/typed-array/to-locale-string.js +++ /dev/null @@ -1,2 +0,0 @@ -'use strict'; -module.exports = require('../../full/typed-array/to-locale-string'); diff --git a/node_modules/core-js/features/typed-array/to-reversed.js b/node_modules/core-js/features/typed-array/to-reversed.js deleted file mode 100644 index 1d163ed..0000000 --- a/node_modules/core-js/features/typed-array/to-reversed.js +++ /dev/null @@ -1,2 +0,0 @@ -'use strict'; -module.exports = require('../../full/typed-array/to-reversed'); diff --git a/node_modules/core-js/features/typed-array/to-sorted.js b/node_modules/core-js/features/typed-array/to-sorted.js deleted file mode 100644 index 06ee8a6..0000000 --- a/node_modules/core-js/features/typed-array/to-sorted.js +++ /dev/null @@ -1,2 +0,0 @@ -'use strict'; -module.exports = require('../../full/typed-array/to-sorted'); diff --git a/node_modules/core-js/features/typed-array/to-spliced.js b/node_modules/core-js/features/typed-array/to-spliced.js deleted file mode 100644 index 4bc8246..0000000 --- a/node_modules/core-js/features/typed-array/to-spliced.js +++ /dev/null @@ -1,2 +0,0 @@ -'use strict'; -module.exports = require('../../full/typed-array/to-spliced'); diff --git a/node_modules/core-js/features/typed-array/to-string.js b/node_modules/core-js/features/typed-array/to-string.js deleted file mode 100644 index 564dec7..0000000 --- a/node_modules/core-js/features/typed-array/to-string.js +++ /dev/null @@ -1,2 +0,0 @@ -'use strict'; -module.exports = require('../../full/typed-array/to-string'); diff --git a/node_modules/core-js/features/typed-array/uint16-array.js b/node_modules/core-js/features/typed-array/uint16-array.js deleted file mode 100644 index 3c13972..0000000 --- a/node_modules/core-js/features/typed-array/uint16-array.js +++ /dev/null @@ -1,2 +0,0 @@ -'use strict'; -module.exports = require('../../full/typed-array/uint16-array'); diff --git a/node_modules/core-js/features/typed-array/uint32-array.js b/node_modules/core-js/features/typed-array/uint32-array.js deleted file mode 100644 index 57d4db5..0000000 --- a/node_modules/core-js/features/typed-array/uint32-array.js +++ /dev/null @@ -1,2 +0,0 @@ -'use strict'; -module.exports = require('../../full/typed-array/uint32-array'); diff --git a/node_modules/core-js/features/typed-array/uint8-array.js b/node_modules/core-js/features/typed-array/uint8-array.js deleted file mode 100644 index 7d50a3d..0000000 --- a/node_modules/core-js/features/typed-array/uint8-array.js +++ /dev/null @@ -1,2 +0,0 @@ -'use strict'; -module.exports = require('../../full/typed-array/uint8-array'); diff --git a/node_modules/core-js/features/typed-array/uint8-clamped-array.js b/node_modules/core-js/features/typed-array/uint8-clamped-array.js deleted file mode 100644 index 6a82ffb..0000000 --- a/node_modules/core-js/features/typed-array/uint8-clamped-array.js +++ /dev/null @@ -1,2 +0,0 @@ -'use strict'; -module.exports = require('../../full/typed-array/uint8-clamped-array'); diff --git a/node_modules/core-js/features/typed-array/unique-by.js b/node_modules/core-js/features/typed-array/unique-by.js deleted file mode 100644 index 8ee5b6e..0000000 --- a/node_modules/core-js/features/typed-array/unique-by.js +++ /dev/null @@ -1,2 +0,0 @@ -'use strict'; -module.exports = require('../../full/typed-array/unique-by'); diff --git a/node_modules/core-js/features/typed-array/values.js b/node_modules/core-js/features/typed-array/values.js deleted file mode 100644 index c2d2e94..0000000 --- a/node_modules/core-js/features/typed-array/values.js +++ /dev/null @@ -1,2 +0,0 @@ -'use strict'; -module.exports = require('../../full/typed-array/values'); diff --git a/node_modules/core-js/features/typed-array/with.js b/node_modules/core-js/features/typed-array/with.js deleted file mode 100644 index 93b9f51..0000000 --- a/node_modules/core-js/features/typed-array/with.js +++ /dev/null @@ -1,2 +0,0 @@ -'use strict'; -module.exports = require('../../full/typed-array/with'); diff --git a/node_modules/core-js/features/unescape.js b/node_modules/core-js/features/unescape.js deleted file mode 100644 index 2627b4a..0000000 --- a/node_modules/core-js/features/unescape.js +++ /dev/null @@ -1,2 +0,0 @@ -'use strict'; -module.exports = require('../full/unescape'); diff --git a/node_modules/core-js/features/url-search-params/index.js b/node_modules/core-js/features/url-search-params/index.js deleted file mode 100644 index a820545..0000000 --- a/node_modules/core-js/features/url-search-params/index.js +++ /dev/null @@ -1,2 +0,0 @@ -'use strict'; -module.exports = require('../../full/url-search-params'); diff --git a/node_modules/core-js/features/url/can-parse.js b/node_modules/core-js/features/url/can-parse.js deleted file mode 100644 index 3d69ec5..0000000 --- a/node_modules/core-js/features/url/can-parse.js +++ /dev/null @@ -1,2 +0,0 @@ -'use strict'; -module.exports = require('../../full/url/can-parse'); diff --git a/node_modules/core-js/features/url/index.js b/node_modules/core-js/features/url/index.js deleted file mode 100644 index d7202ad..0000000 --- a/node_modules/core-js/features/url/index.js +++ /dev/null @@ -1,2 +0,0 @@ -'use strict'; -module.exports = require('../../full/url'); diff --git a/node_modules/core-js/features/url/to-json.js b/node_modules/core-js/features/url/to-json.js deleted file mode 100644 index 6cf7a77..0000000 --- a/node_modules/core-js/features/url/to-json.js +++ /dev/null @@ -1,2 +0,0 @@ -'use strict'; -module.exports = require('../../full/url/to-json'); diff --git a/node_modules/core-js/features/weak-map/delete-all.js b/node_modules/core-js/features/weak-map/delete-all.js deleted file mode 100644 index a19160b..0000000 --- a/node_modules/core-js/features/weak-map/delete-all.js +++ /dev/null @@ -1,2 +0,0 @@ -'use strict'; -module.exports = require('../../full/weak-map/delete-all'); diff --git a/node_modules/core-js/features/weak-map/emplace.js b/node_modules/core-js/features/weak-map/emplace.js deleted file mode 100644 index ac39847..0000000 --- a/node_modules/core-js/features/weak-map/emplace.js +++ /dev/null @@ -1,2 +0,0 @@ -'use strict'; -module.exports = require('../../full/weak-map/emplace'); diff --git a/node_modules/core-js/features/weak-map/from.js b/node_modules/core-js/features/weak-map/from.js deleted file mode 100644 index 4dbec01..0000000 --- a/node_modules/core-js/features/weak-map/from.js +++ /dev/null @@ -1,2 +0,0 @@ -'use strict'; -module.exports = require('../../full/weak-map/from'); diff --git a/node_modules/core-js/features/weak-map/index.js b/node_modules/core-js/features/weak-map/index.js deleted file mode 100644 index d5bcede..0000000 --- a/node_modules/core-js/features/weak-map/index.js +++ /dev/null @@ -1,2 +0,0 @@ -'use strict'; -module.exports = require('../../full/weak-map'); diff --git a/node_modules/core-js/features/weak-map/of.js b/node_modules/core-js/features/weak-map/of.js deleted file mode 100644 index 73021e6..0000000 --- a/node_modules/core-js/features/weak-map/of.js +++ /dev/null @@ -1,2 +0,0 @@ -'use strict'; -module.exports = require('../../full/weak-map/of'); diff --git a/node_modules/core-js/features/weak-map/upsert.js b/node_modules/core-js/features/weak-map/upsert.js deleted file mode 100644 index 6582591..0000000 --- a/node_modules/core-js/features/weak-map/upsert.js +++ /dev/null @@ -1,2 +0,0 @@ -'use strict'; -module.exports = require('../../full/weak-map/upsert'); diff --git a/node_modules/core-js/features/weak-set/add-all.js b/node_modules/core-js/features/weak-set/add-all.js deleted file mode 100644 index f537412..0000000 --- a/node_modules/core-js/features/weak-set/add-all.js +++ /dev/null @@ -1,2 +0,0 @@ -'use strict'; -module.exports = require('../../full/weak-set/add-all'); diff --git a/node_modules/core-js/features/weak-set/delete-all.js b/node_modules/core-js/features/weak-set/delete-all.js deleted file mode 100644 index 3da6c75..0000000 --- a/node_modules/core-js/features/weak-set/delete-all.js +++ /dev/null @@ -1,2 +0,0 @@ -'use strict'; -module.exports = require('../../full/weak-set/delete-all'); diff --git a/node_modules/core-js/features/weak-set/from.js b/node_modules/core-js/features/weak-set/from.js deleted file mode 100644 index d300e22..0000000 --- a/node_modules/core-js/features/weak-set/from.js +++ /dev/null @@ -1,2 +0,0 @@ -'use strict'; -module.exports = require('../../full/weak-set/from'); diff --git a/node_modules/core-js/features/weak-set/index.js b/node_modules/core-js/features/weak-set/index.js deleted file mode 100644 index 7da09c8..0000000 --- a/node_modules/core-js/features/weak-set/index.js +++ /dev/null @@ -1,2 +0,0 @@ -'use strict'; -module.exports = require('../../full/weak-set'); diff --git a/node_modules/core-js/features/weak-set/of.js b/node_modules/core-js/features/weak-set/of.js deleted file mode 100644 index 7070230..0000000 --- a/node_modules/core-js/features/weak-set/of.js +++ /dev/null @@ -1,2 +0,0 @@ -'use strict'; -module.exports = require('../../full/weak-set/of'); diff --git a/node_modules/core-js/full/README.md b/node_modules/core-js/full/README.md deleted file mode 100644 index 62c88a0..0000000 --- a/node_modules/core-js/full/README.md +++ /dev/null @@ -1 +0,0 @@ -This folder contains entry points for all `core-js` features with dependencies. It's the recommended way for usage only required features. diff --git a/node_modules/core-js/full/aggregate-error.js b/node_modules/core-js/full/aggregate-error.js deleted file mode 100644 index 53ba5cf..0000000 --- a/node_modules/core-js/full/aggregate-error.js +++ /dev/null @@ -1,7 +0,0 @@ -'use strict'; -// TODO: remove from `core-js@4` -require('../modules/esnext.aggregate-error'); - -var parent = require('../actual/aggregate-error'); - -module.exports = parent; diff --git a/node_modules/core-js/full/array-buffer/constructor.js b/node_modules/core-js/full/array-buffer/constructor.js deleted file mode 100644 index fc0efd2..0000000 --- a/node_modules/core-js/full/array-buffer/constructor.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../actual/array-buffer/constructor'); - -module.exports = parent; diff --git a/node_modules/core-js/full/array-buffer/detached.js b/node_modules/core-js/full/array-buffer/detached.js deleted file mode 100644 index 08bff30..0000000 --- a/node_modules/core-js/full/array-buffer/detached.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../actual/array-buffer/detached'); - -module.exports = parent; diff --git a/node_modules/core-js/full/array-buffer/index.js b/node_modules/core-js/full/array-buffer/index.js deleted file mode 100644 index 6f64913..0000000 --- a/node_modules/core-js/full/array-buffer/index.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../actual/array-buffer'); - -module.exports = parent; diff --git a/node_modules/core-js/full/array-buffer/is-view.js b/node_modules/core-js/full/array-buffer/is-view.js deleted file mode 100644 index ae1a546..0000000 --- a/node_modules/core-js/full/array-buffer/is-view.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../actual/array-buffer/is-view'); - -module.exports = parent; diff --git a/node_modules/core-js/full/array-buffer/slice.js b/node_modules/core-js/full/array-buffer/slice.js deleted file mode 100644 index 1886c1e..0000000 --- a/node_modules/core-js/full/array-buffer/slice.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../actual/array-buffer/slice'); - -module.exports = parent; diff --git a/node_modules/core-js/full/array-buffer/transfer-to-fixed-length.js b/node_modules/core-js/full/array-buffer/transfer-to-fixed-length.js deleted file mode 100644 index 8eb8cc9..0000000 --- a/node_modules/core-js/full/array-buffer/transfer-to-fixed-length.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../actual/array-buffer/transfer-to-fixed-length'); - -module.exports = parent; diff --git a/node_modules/core-js/full/array-buffer/transfer.js b/node_modules/core-js/full/array-buffer/transfer.js deleted file mode 100644 index 2906f13..0000000 --- a/node_modules/core-js/full/array-buffer/transfer.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../actual/array-buffer/transfer'); - -module.exports = parent; diff --git a/node_modules/core-js/full/array/at.js b/node_modules/core-js/full/array/at.js deleted file mode 100644 index edc75ea..0000000 --- a/node_modules/core-js/full/array/at.js +++ /dev/null @@ -1,7 +0,0 @@ -'use strict'; -var parent = require('../../actual/array/at'); - -// TODO: Remove from `core-js@4` -require('../../modules/esnext.array.at'); - -module.exports = parent; diff --git a/node_modules/core-js/full/array/concat.js b/node_modules/core-js/full/array/concat.js deleted file mode 100644 index 249f671..0000000 --- a/node_modules/core-js/full/array/concat.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../actual/array/concat'); - -module.exports = parent; diff --git a/node_modules/core-js/full/array/copy-within.js b/node_modules/core-js/full/array/copy-within.js deleted file mode 100644 index e6f7e0e..0000000 --- a/node_modules/core-js/full/array/copy-within.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../actual/array/copy-within'); - -module.exports = parent; diff --git a/node_modules/core-js/full/array/entries.js b/node_modules/core-js/full/array/entries.js deleted file mode 100644 index cca5eaf..0000000 --- a/node_modules/core-js/full/array/entries.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../actual/array/entries'); - -module.exports = parent; diff --git a/node_modules/core-js/full/array/every.js b/node_modules/core-js/full/array/every.js deleted file mode 100644 index d82e61d..0000000 --- a/node_modules/core-js/full/array/every.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../actual/array/every'); - -module.exports = parent; diff --git a/node_modules/core-js/full/array/fill.js b/node_modules/core-js/full/array/fill.js deleted file mode 100644 index 7ed4273..0000000 --- a/node_modules/core-js/full/array/fill.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../actual/array/fill'); - -module.exports = parent; diff --git a/node_modules/core-js/full/array/filter-out.js b/node_modules/core-js/full/array/filter-out.js deleted file mode 100644 index 21169a1..0000000 --- a/node_modules/core-js/full/array/filter-out.js +++ /dev/null @@ -1,6 +0,0 @@ -'use strict'; -// TODO: Remove from `core-js@4` -require('../../modules/esnext.array.filter-out'); -var entryUnbind = require('../../internals/entry-unbind'); - -module.exports = entryUnbind('Array', 'filterOut'); diff --git a/node_modules/core-js/full/array/filter-reject.js b/node_modules/core-js/full/array/filter-reject.js deleted file mode 100644 index b346de7..0000000 --- a/node_modules/core-js/full/array/filter-reject.js +++ /dev/null @@ -1,5 +0,0 @@ -'use strict'; -require('../../modules/esnext.array.filter-reject'); -var entryUnbind = require('../../internals/entry-unbind'); - -module.exports = entryUnbind('Array', 'filterReject'); diff --git a/node_modules/core-js/full/array/filter.js b/node_modules/core-js/full/array/filter.js deleted file mode 100644 index 910ac63..0000000 --- a/node_modules/core-js/full/array/filter.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../actual/array/filter'); - -module.exports = parent; diff --git a/node_modules/core-js/full/array/find-index.js b/node_modules/core-js/full/array/find-index.js deleted file mode 100644 index b3b00d6..0000000 --- a/node_modules/core-js/full/array/find-index.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../actual/array/find-index'); - -module.exports = parent; diff --git a/node_modules/core-js/full/array/find-last-index.js b/node_modules/core-js/full/array/find-last-index.js deleted file mode 100644 index 6dbba15..0000000 --- a/node_modules/core-js/full/array/find-last-index.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../actual/array/find-last-index'); - -module.exports = parent; diff --git a/node_modules/core-js/full/array/find-last.js b/node_modules/core-js/full/array/find-last.js deleted file mode 100644 index 60a41af..0000000 --- a/node_modules/core-js/full/array/find-last.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../actual/array/find-last'); - -module.exports = parent; diff --git a/node_modules/core-js/full/array/find.js b/node_modules/core-js/full/array/find.js deleted file mode 100644 index 48dfb63..0000000 --- a/node_modules/core-js/full/array/find.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../actual/array/find'); - -module.exports = parent; diff --git a/node_modules/core-js/full/array/flat-map.js b/node_modules/core-js/full/array/flat-map.js deleted file mode 100644 index f610ccd..0000000 --- a/node_modules/core-js/full/array/flat-map.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../actual/array/flat-map'); - -module.exports = parent; diff --git a/node_modules/core-js/full/array/flat.js b/node_modules/core-js/full/array/flat.js deleted file mode 100644 index db1d556..0000000 --- a/node_modules/core-js/full/array/flat.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../actual/array/flat'); - -module.exports = parent; diff --git a/node_modules/core-js/full/array/for-each.js b/node_modules/core-js/full/array/for-each.js deleted file mode 100644 index 8b5c684..0000000 --- a/node_modules/core-js/full/array/for-each.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../actual/array/for-each'); - -module.exports = parent; diff --git a/node_modules/core-js/full/array/from-async.js b/node_modules/core-js/full/array/from-async.js deleted file mode 100644 index 667964a..0000000 --- a/node_modules/core-js/full/array/from-async.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../actual/array/from-async'); - -module.exports = parent; diff --git a/node_modules/core-js/full/array/from.js b/node_modules/core-js/full/array/from.js deleted file mode 100644 index b6eda77..0000000 --- a/node_modules/core-js/full/array/from.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../actual/array/from'); - -module.exports = parent; diff --git a/node_modules/core-js/full/array/group-by-to-map.js b/node_modules/core-js/full/array/group-by-to-map.js deleted file mode 100644 index 70ca4cc..0000000 --- a/node_modules/core-js/full/array/group-by-to-map.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../actual/array/group-by-to-map'); - -module.exports = parent; diff --git a/node_modules/core-js/full/array/group-by.js b/node_modules/core-js/full/array/group-by.js deleted file mode 100644 index 12da265..0000000 --- a/node_modules/core-js/full/array/group-by.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../actual/array/group-by'); - -module.exports = parent; diff --git a/node_modules/core-js/full/array/group-to-map.js b/node_modules/core-js/full/array/group-to-map.js deleted file mode 100644 index 46b881d..0000000 --- a/node_modules/core-js/full/array/group-to-map.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../actual/array/group-to-map'); - -module.exports = parent; diff --git a/node_modules/core-js/full/array/group.js b/node_modules/core-js/full/array/group.js deleted file mode 100644 index 597fe8e..0000000 --- a/node_modules/core-js/full/array/group.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../actual/array/group'); - -module.exports = parent; diff --git a/node_modules/core-js/full/array/includes.js b/node_modules/core-js/full/array/includes.js deleted file mode 100644 index 445a988..0000000 --- a/node_modules/core-js/full/array/includes.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../actual/array/includes'); - -module.exports = parent; diff --git a/node_modules/core-js/full/array/index-of.js b/node_modules/core-js/full/array/index-of.js deleted file mode 100644 index 6974884..0000000 --- a/node_modules/core-js/full/array/index-of.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../actual/array/index-of'); - -module.exports = parent; diff --git a/node_modules/core-js/full/array/index.js b/node_modules/core-js/full/array/index.js deleted file mode 100644 index a6de170..0000000 --- a/node_modules/core-js/full/array/index.js +++ /dev/null @@ -1,14 +0,0 @@ -'use strict'; -var parent = require('../../actual/array'); -require('../../modules/es.map'); -// TODO: Remove from `core-js@4` -require('../../modules/esnext.array.at'); -// TODO: Remove from `core-js@4` -require('../../modules/esnext.array.filter-out'); -require('../../modules/esnext.array.filter-reject'); -require('../../modules/esnext.array.is-template-object'); -require('../../modules/esnext.array.last-item'); -require('../../modules/esnext.array.last-index'); -require('../../modules/esnext.array.unique-by'); - -module.exports = parent; diff --git a/node_modules/core-js/full/array/is-array.js b/node_modules/core-js/full/array/is-array.js deleted file mode 100644 index 5d277cb..0000000 --- a/node_modules/core-js/full/array/is-array.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../actual/array/is-array'); - -module.exports = parent; diff --git a/node_modules/core-js/full/array/is-template-object.js b/node_modules/core-js/full/array/is-template-object.js deleted file mode 100644 index 30fe977..0000000 --- a/node_modules/core-js/full/array/is-template-object.js +++ /dev/null @@ -1,5 +0,0 @@ -'use strict'; -require('../../modules/esnext.array.is-template-object'); -var path = require('../../internals/path'); - -module.exports = path.Array.isTemplateObject; diff --git a/node_modules/core-js/full/array/iterator.js b/node_modules/core-js/full/array/iterator.js deleted file mode 100644 index 3ab47e3..0000000 --- a/node_modules/core-js/full/array/iterator.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../actual/array/iterator'); - -module.exports = parent; diff --git a/node_modules/core-js/full/array/join.js b/node_modules/core-js/full/array/join.js deleted file mode 100644 index 63f9458..0000000 --- a/node_modules/core-js/full/array/join.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../actual/array/join'); - -module.exports = parent; diff --git a/node_modules/core-js/full/array/keys.js b/node_modules/core-js/full/array/keys.js deleted file mode 100644 index fb0bfd2..0000000 --- a/node_modules/core-js/full/array/keys.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../actual/array/keys'); - -module.exports = parent; diff --git a/node_modules/core-js/full/array/last-index-of.js b/node_modules/core-js/full/array/last-index-of.js deleted file mode 100644 index c013671..0000000 --- a/node_modules/core-js/full/array/last-index-of.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../actual/array/last-index-of'); - -module.exports = parent; diff --git a/node_modules/core-js/full/array/last-index.js b/node_modules/core-js/full/array/last-index.js deleted file mode 100644 index 2f49d08..0000000 --- a/node_modules/core-js/full/array/last-index.js +++ /dev/null @@ -1,2 +0,0 @@ -'use strict'; -require('../../modules/esnext.array.last-index'); diff --git a/node_modules/core-js/full/array/last-item.js b/node_modules/core-js/full/array/last-item.js deleted file mode 100644 index be6b3d6..0000000 --- a/node_modules/core-js/full/array/last-item.js +++ /dev/null @@ -1,2 +0,0 @@ -'use strict'; -require('../../modules/esnext.array.last-item'); diff --git a/node_modules/core-js/full/array/map.js b/node_modules/core-js/full/array/map.js deleted file mode 100644 index d26b99e..0000000 --- a/node_modules/core-js/full/array/map.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../actual/array/map'); - -module.exports = parent; diff --git a/node_modules/core-js/full/array/of.js b/node_modules/core-js/full/array/of.js deleted file mode 100644 index ada7f02..0000000 --- a/node_modules/core-js/full/array/of.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../actual/array/of'); - -module.exports = parent; diff --git a/node_modules/core-js/full/array/push.js b/node_modules/core-js/full/array/push.js deleted file mode 100644 index f0d432a..0000000 --- a/node_modules/core-js/full/array/push.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../actual/array/push'); - -module.exports = parent; diff --git a/node_modules/core-js/full/array/reduce-right.js b/node_modules/core-js/full/array/reduce-right.js deleted file mode 100644 index d060ec9..0000000 --- a/node_modules/core-js/full/array/reduce-right.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../actual/array/reduce-right'); - -module.exports = parent; diff --git a/node_modules/core-js/full/array/reduce.js b/node_modules/core-js/full/array/reduce.js deleted file mode 100644 index 31389bd..0000000 --- a/node_modules/core-js/full/array/reduce.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../actual/array/reduce'); - -module.exports = parent; diff --git a/node_modules/core-js/full/array/reverse.js b/node_modules/core-js/full/array/reverse.js deleted file mode 100644 index 8841bf7..0000000 --- a/node_modules/core-js/full/array/reverse.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../actual/array/reverse'); - -module.exports = parent; diff --git a/node_modules/core-js/full/array/slice.js b/node_modules/core-js/full/array/slice.js deleted file mode 100644 index b113e06..0000000 --- a/node_modules/core-js/full/array/slice.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../actual/array/slice'); - -module.exports = parent; diff --git a/node_modules/core-js/full/array/some.js b/node_modules/core-js/full/array/some.js deleted file mode 100644 index 21360ff..0000000 --- a/node_modules/core-js/full/array/some.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../actual/array/some'); - -module.exports = parent; diff --git a/node_modules/core-js/full/array/sort.js b/node_modules/core-js/full/array/sort.js deleted file mode 100644 index 05edb2f..0000000 --- a/node_modules/core-js/full/array/sort.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../actual/array/sort'); - -module.exports = parent; diff --git a/node_modules/core-js/full/array/splice.js b/node_modules/core-js/full/array/splice.js deleted file mode 100644 index 9bdd09c..0000000 --- a/node_modules/core-js/full/array/splice.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../actual/array/splice'); - -module.exports = parent; diff --git a/node_modules/core-js/full/array/to-reversed.js b/node_modules/core-js/full/array/to-reversed.js deleted file mode 100644 index ac88cd1..0000000 --- a/node_modules/core-js/full/array/to-reversed.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../actual/array/to-reversed'); - -module.exports = parent; diff --git a/node_modules/core-js/full/array/to-sorted.js b/node_modules/core-js/full/array/to-sorted.js deleted file mode 100644 index 45e8491..0000000 --- a/node_modules/core-js/full/array/to-sorted.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../actual/array/to-sorted'); - -module.exports = parent; diff --git a/node_modules/core-js/full/array/to-spliced.js b/node_modules/core-js/full/array/to-spliced.js deleted file mode 100644 index 219c3ef..0000000 --- a/node_modules/core-js/full/array/to-spliced.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../actual/array/to-spliced'); - -module.exports = parent; diff --git a/node_modules/core-js/full/array/unique-by.js b/node_modules/core-js/full/array/unique-by.js deleted file mode 100644 index 8bb3b36..0000000 --- a/node_modules/core-js/full/array/unique-by.js +++ /dev/null @@ -1,6 +0,0 @@ -'use strict'; -require('../../modules/es.map'); -require('../../modules/esnext.array.unique-by'); -var entryUnbind = require('../../internals/entry-unbind'); - -module.exports = entryUnbind('Array', 'uniqueBy'); diff --git a/node_modules/core-js/full/array/unshift.js b/node_modules/core-js/full/array/unshift.js deleted file mode 100644 index ab7ecb8..0000000 --- a/node_modules/core-js/full/array/unshift.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../actual/array/unshift'); - -module.exports = parent; diff --git a/node_modules/core-js/full/array/values.js b/node_modules/core-js/full/array/values.js deleted file mode 100644 index 61ee0a9..0000000 --- a/node_modules/core-js/full/array/values.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../actual/array/values'); - -module.exports = parent; diff --git a/node_modules/core-js/full/array/virtual/at.js b/node_modules/core-js/full/array/virtual/at.js deleted file mode 100644 index 3780e74..0000000 --- a/node_modules/core-js/full/array/virtual/at.js +++ /dev/null @@ -1,7 +0,0 @@ -'use strict'; -var parent = require('../../../actual/array/virtual/at'); - -// TODO: Remove from `core-js@4` -require('../../../modules/esnext.array.at'); - -module.exports = parent; diff --git a/node_modules/core-js/full/array/virtual/concat.js b/node_modules/core-js/full/array/virtual/concat.js deleted file mode 100644 index 5909ae1..0000000 --- a/node_modules/core-js/full/array/virtual/concat.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../../actual/array/virtual/concat'); - -module.exports = parent; diff --git a/node_modules/core-js/full/array/virtual/copy-within.js b/node_modules/core-js/full/array/virtual/copy-within.js deleted file mode 100644 index da9f25b..0000000 --- a/node_modules/core-js/full/array/virtual/copy-within.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../../actual/array/virtual/copy-within'); - -module.exports = parent; diff --git a/node_modules/core-js/full/array/virtual/entries.js b/node_modules/core-js/full/array/virtual/entries.js deleted file mode 100644 index e8d3408..0000000 --- a/node_modules/core-js/full/array/virtual/entries.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../../actual/array/virtual/entries'); - -module.exports = parent; diff --git a/node_modules/core-js/full/array/virtual/every.js b/node_modules/core-js/full/array/virtual/every.js deleted file mode 100644 index 0365070..0000000 --- a/node_modules/core-js/full/array/virtual/every.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../../actual/array/virtual/every'); - -module.exports = parent; diff --git a/node_modules/core-js/full/array/virtual/fill.js b/node_modules/core-js/full/array/virtual/fill.js deleted file mode 100644 index 7c55451..0000000 --- a/node_modules/core-js/full/array/virtual/fill.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../../actual/array/virtual/fill'); - -module.exports = parent; diff --git a/node_modules/core-js/full/array/virtual/filter-out.js b/node_modules/core-js/full/array/virtual/filter-out.js deleted file mode 100644 index 8bf9a24..0000000 --- a/node_modules/core-js/full/array/virtual/filter-out.js +++ /dev/null @@ -1,6 +0,0 @@ -'use strict'; -// TODO: Remove from `core-js@4` -require('../../../modules/esnext.array.filter-out'); -var getBuiltInPrototypeMethod = require('../../../internals/get-built-in-prototype-method'); - -module.exports = getBuiltInPrototypeMethod('Array', 'filterOut'); diff --git a/node_modules/core-js/full/array/virtual/filter-reject.js b/node_modules/core-js/full/array/virtual/filter-reject.js deleted file mode 100644 index 094f90d..0000000 --- a/node_modules/core-js/full/array/virtual/filter-reject.js +++ /dev/null @@ -1,5 +0,0 @@ -'use strict'; -require('../../../modules/esnext.array.filter-reject'); -var getBuiltInPrototypeMethod = require('../../../internals/get-built-in-prototype-method'); - -module.exports = getBuiltInPrototypeMethod('Array', 'filterReject'); diff --git a/node_modules/core-js/full/array/virtual/filter.js b/node_modules/core-js/full/array/virtual/filter.js deleted file mode 100644 index f1f4713..0000000 --- a/node_modules/core-js/full/array/virtual/filter.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../../actual/array/virtual/filter'); - -module.exports = parent; diff --git a/node_modules/core-js/full/array/virtual/find-index.js b/node_modules/core-js/full/array/virtual/find-index.js deleted file mode 100644 index 78f64de..0000000 --- a/node_modules/core-js/full/array/virtual/find-index.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../../actual/array/virtual/find-index'); - -module.exports = parent; diff --git a/node_modules/core-js/full/array/virtual/find-last-index.js b/node_modules/core-js/full/array/virtual/find-last-index.js deleted file mode 100644 index d681c60..0000000 --- a/node_modules/core-js/full/array/virtual/find-last-index.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../../actual/array/virtual/find-last-index'); - -module.exports = parent; diff --git a/node_modules/core-js/full/array/virtual/find-last.js b/node_modules/core-js/full/array/virtual/find-last.js deleted file mode 100644 index cbe5fd0..0000000 --- a/node_modules/core-js/full/array/virtual/find-last.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../../actual/array/virtual/find-last'); - -module.exports = parent; diff --git a/node_modules/core-js/full/array/virtual/find.js b/node_modules/core-js/full/array/virtual/find.js deleted file mode 100644 index fda73cb..0000000 --- a/node_modules/core-js/full/array/virtual/find.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../../actual/array/virtual/find'); - -module.exports = parent; diff --git a/node_modules/core-js/full/array/virtual/flat-map.js b/node_modules/core-js/full/array/virtual/flat-map.js deleted file mode 100644 index 4c95ebd..0000000 --- a/node_modules/core-js/full/array/virtual/flat-map.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../../actual/array/virtual/flat-map'); - -module.exports = parent; diff --git a/node_modules/core-js/full/array/virtual/flat.js b/node_modules/core-js/full/array/virtual/flat.js deleted file mode 100644 index 801557b..0000000 --- a/node_modules/core-js/full/array/virtual/flat.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../../actual/array/virtual/flat'); - -module.exports = parent; diff --git a/node_modules/core-js/full/array/virtual/for-each.js b/node_modules/core-js/full/array/virtual/for-each.js deleted file mode 100644 index 4f3c6b4..0000000 --- a/node_modules/core-js/full/array/virtual/for-each.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../../actual/array/virtual/for-each'); - -module.exports = parent; diff --git a/node_modules/core-js/full/array/virtual/group-by-to-map.js b/node_modules/core-js/full/array/virtual/group-by-to-map.js deleted file mode 100644 index 5ef4d2c..0000000 --- a/node_modules/core-js/full/array/virtual/group-by-to-map.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../../actual/array/virtual/group-by-to-map'); - -module.exports = parent; diff --git a/node_modules/core-js/full/array/virtual/group-by.js b/node_modules/core-js/full/array/virtual/group-by.js deleted file mode 100644 index 69cb432..0000000 --- a/node_modules/core-js/full/array/virtual/group-by.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../../actual/array/virtual/group-by'); - -module.exports = parent; diff --git a/node_modules/core-js/full/array/virtual/group-to-map.js b/node_modules/core-js/full/array/virtual/group-to-map.js deleted file mode 100644 index f400392..0000000 --- a/node_modules/core-js/full/array/virtual/group-to-map.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../../actual/array/virtual/group-to-map'); - -module.exports = parent; diff --git a/node_modules/core-js/full/array/virtual/group.js b/node_modules/core-js/full/array/virtual/group.js deleted file mode 100644 index e207bea..0000000 --- a/node_modules/core-js/full/array/virtual/group.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../../actual/array/virtual/group'); - -module.exports = parent; diff --git a/node_modules/core-js/full/array/virtual/includes.js b/node_modules/core-js/full/array/virtual/includes.js deleted file mode 100644 index 87036aa..0000000 --- a/node_modules/core-js/full/array/virtual/includes.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../../actual/array/virtual/includes'); - -module.exports = parent; diff --git a/node_modules/core-js/full/array/virtual/index-of.js b/node_modules/core-js/full/array/virtual/index-of.js deleted file mode 100644 index 3bed9e3..0000000 --- a/node_modules/core-js/full/array/virtual/index-of.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../../actual/array/virtual/index-of'); - -module.exports = parent; diff --git a/node_modules/core-js/full/array/virtual/index.js b/node_modules/core-js/full/array/virtual/index.js deleted file mode 100644 index 540a9c5..0000000 --- a/node_modules/core-js/full/array/virtual/index.js +++ /dev/null @@ -1,10 +0,0 @@ -'use strict'; -var parent = require('../../../actual/array/virtual'); -// TODO: Remove from `core-js@4` -require('../../../modules/esnext.array.at'); -// TODO: Remove from `core-js@4` -require('../../../modules/esnext.array.filter-out'); -require('../../../modules/esnext.array.filter-reject'); -require('../../../modules/esnext.array.unique-by'); - -module.exports = parent; diff --git a/node_modules/core-js/full/array/virtual/iterator.js b/node_modules/core-js/full/array/virtual/iterator.js deleted file mode 100644 index 7270ac1..0000000 --- a/node_modules/core-js/full/array/virtual/iterator.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../../actual/array/virtual/iterator'); - -module.exports = parent; diff --git a/node_modules/core-js/full/array/virtual/join.js b/node_modules/core-js/full/array/virtual/join.js deleted file mode 100644 index da77b62..0000000 --- a/node_modules/core-js/full/array/virtual/join.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../../actual/array/virtual/join'); - -module.exports = parent; diff --git a/node_modules/core-js/full/array/virtual/keys.js b/node_modules/core-js/full/array/virtual/keys.js deleted file mode 100644 index d0dac79..0000000 --- a/node_modules/core-js/full/array/virtual/keys.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../../actual/array/virtual/keys'); - -module.exports = parent; diff --git a/node_modules/core-js/full/array/virtual/last-index-of.js b/node_modules/core-js/full/array/virtual/last-index-of.js deleted file mode 100644 index 255dbfc..0000000 --- a/node_modules/core-js/full/array/virtual/last-index-of.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../../actual/array/virtual/last-index-of'); - -module.exports = parent; diff --git a/node_modules/core-js/full/array/virtual/map.js b/node_modules/core-js/full/array/virtual/map.js deleted file mode 100644 index 4c48db4..0000000 --- a/node_modules/core-js/full/array/virtual/map.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../../actual/array/virtual/map'); - -module.exports = parent; diff --git a/node_modules/core-js/full/array/virtual/push.js b/node_modules/core-js/full/array/virtual/push.js deleted file mode 100644 index 19e76ba..0000000 --- a/node_modules/core-js/full/array/virtual/push.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../../actual/array/virtual/push'); - -module.exports = parent; diff --git a/node_modules/core-js/full/array/virtual/reduce-right.js b/node_modules/core-js/full/array/virtual/reduce-right.js deleted file mode 100644 index 2af9769..0000000 --- a/node_modules/core-js/full/array/virtual/reduce-right.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../../actual/array/virtual/reduce-right'); - -module.exports = parent; diff --git a/node_modules/core-js/full/array/virtual/reduce.js b/node_modules/core-js/full/array/virtual/reduce.js deleted file mode 100644 index db9f088..0000000 --- a/node_modules/core-js/full/array/virtual/reduce.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../../actual/array/virtual/reduce'); - -module.exports = parent; diff --git a/node_modules/core-js/full/array/virtual/reverse.js b/node_modules/core-js/full/array/virtual/reverse.js deleted file mode 100644 index 68e2e48..0000000 --- a/node_modules/core-js/full/array/virtual/reverse.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../../actual/array/virtual/reverse'); - -module.exports = parent; diff --git a/node_modules/core-js/full/array/virtual/slice.js b/node_modules/core-js/full/array/virtual/slice.js deleted file mode 100644 index 3a59289..0000000 --- a/node_modules/core-js/full/array/virtual/slice.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../../actual/array/virtual/slice'); - -module.exports = parent; diff --git a/node_modules/core-js/full/array/virtual/some.js b/node_modules/core-js/full/array/virtual/some.js deleted file mode 100644 index 629feb3..0000000 --- a/node_modules/core-js/full/array/virtual/some.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../../actual/array/virtual/some'); - -module.exports = parent; diff --git a/node_modules/core-js/full/array/virtual/sort.js b/node_modules/core-js/full/array/virtual/sort.js deleted file mode 100644 index c10bc93..0000000 --- a/node_modules/core-js/full/array/virtual/sort.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../../actual/array/virtual/sort'); - -module.exports = parent; diff --git a/node_modules/core-js/full/array/virtual/splice.js b/node_modules/core-js/full/array/virtual/splice.js deleted file mode 100644 index f0cf444..0000000 --- a/node_modules/core-js/full/array/virtual/splice.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../../actual/array/virtual/splice'); - -module.exports = parent; diff --git a/node_modules/core-js/full/array/virtual/to-reversed.js b/node_modules/core-js/full/array/virtual/to-reversed.js deleted file mode 100644 index 7e90ce0..0000000 --- a/node_modules/core-js/full/array/virtual/to-reversed.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../../actual/array/virtual/to-reversed'); - -module.exports = parent; diff --git a/node_modules/core-js/full/array/virtual/to-sorted.js b/node_modules/core-js/full/array/virtual/to-sorted.js deleted file mode 100644 index d7c3698..0000000 --- a/node_modules/core-js/full/array/virtual/to-sorted.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../../actual/array/virtual/to-sorted'); - -module.exports = parent; diff --git a/node_modules/core-js/full/array/virtual/to-spliced.js b/node_modules/core-js/full/array/virtual/to-spliced.js deleted file mode 100644 index f8abf12..0000000 --- a/node_modules/core-js/full/array/virtual/to-spliced.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../../actual/array/virtual/to-spliced'); - -module.exports = parent; diff --git a/node_modules/core-js/full/array/virtual/unique-by.js b/node_modules/core-js/full/array/virtual/unique-by.js deleted file mode 100644 index d9c0282..0000000 --- a/node_modules/core-js/full/array/virtual/unique-by.js +++ /dev/null @@ -1,6 +0,0 @@ -'use strict'; -require('../../../modules/es.map'); -require('../../../modules/esnext.array.unique-by'); -var getBuiltInPrototypeMethod = require('../../../internals/get-built-in-prototype-method'); - -module.exports = getBuiltInPrototypeMethod('Array', 'uniqueBy'); diff --git a/node_modules/core-js/full/array/virtual/unshift.js b/node_modules/core-js/full/array/virtual/unshift.js deleted file mode 100644 index 20c1022..0000000 --- a/node_modules/core-js/full/array/virtual/unshift.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../../actual/array/virtual/unshift'); - -module.exports = parent; diff --git a/node_modules/core-js/full/array/virtual/values.js b/node_modules/core-js/full/array/virtual/values.js deleted file mode 100644 index d88e6f4..0000000 --- a/node_modules/core-js/full/array/virtual/values.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../../actual/array/virtual/values'); - -module.exports = parent; diff --git a/node_modules/core-js/full/array/virtual/with.js b/node_modules/core-js/full/array/virtual/with.js deleted file mode 100644 index 51abc80..0000000 --- a/node_modules/core-js/full/array/virtual/with.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../../actual/array/virtual/with'); - -module.exports = parent; diff --git a/node_modules/core-js/full/array/with.js b/node_modules/core-js/full/array/with.js deleted file mode 100644 index 71c9c57..0000000 --- a/node_modules/core-js/full/array/with.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../actual/array/with'); - -module.exports = parent; diff --git a/node_modules/core-js/full/async-disposable-stack/constructor.js b/node_modules/core-js/full/async-disposable-stack/constructor.js deleted file mode 100644 index 9726971..0000000 --- a/node_modules/core-js/full/async-disposable-stack/constructor.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../actual/async-disposable-stack/constructor'); - -module.exports = parent; diff --git a/node_modules/core-js/full/async-disposable-stack/index.js b/node_modules/core-js/full/async-disposable-stack/index.js deleted file mode 100644 index 5958353..0000000 --- a/node_modules/core-js/full/async-disposable-stack/index.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../actual/async-disposable-stack'); - -module.exports = parent; diff --git a/node_modules/core-js/full/async-iterator/as-indexed-pairs.js b/node_modules/core-js/full/async-iterator/as-indexed-pairs.js deleted file mode 100644 index 0dee720..0000000 --- a/node_modules/core-js/full/async-iterator/as-indexed-pairs.js +++ /dev/null @@ -1,9 +0,0 @@ -'use strict'; -require('../../modules/es.object.to-string'); -require('../../modules/es.promise'); -require('../../modules/esnext.async-iterator.constructor'); -require('../../modules/esnext.async-iterator.as-indexed-pairs'); - -var entryUnbind = require('../../internals/entry-unbind'); - -module.exports = entryUnbind('AsyncIterator', 'asIndexedPairs'); diff --git a/node_modules/core-js/full/async-iterator/async-dispose.js b/node_modules/core-js/full/async-iterator/async-dispose.js deleted file mode 100644 index fb92148..0000000 --- a/node_modules/core-js/full/async-iterator/async-dispose.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../actual/async-iterator/async-dispose'); - -module.exports = parent; diff --git a/node_modules/core-js/full/async-iterator/drop.js b/node_modules/core-js/full/async-iterator/drop.js deleted file mode 100644 index 7b3e510..0000000 --- a/node_modules/core-js/full/async-iterator/drop.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../actual/async-iterator/drop'); - -module.exports = parent; diff --git a/node_modules/core-js/full/async-iterator/every.js b/node_modules/core-js/full/async-iterator/every.js deleted file mode 100644 index 22304e4..0000000 --- a/node_modules/core-js/full/async-iterator/every.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../actual/async-iterator/every'); - -module.exports = parent; diff --git a/node_modules/core-js/full/async-iterator/filter.js b/node_modules/core-js/full/async-iterator/filter.js deleted file mode 100644 index b50edd6..0000000 --- a/node_modules/core-js/full/async-iterator/filter.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../actual/async-iterator/filter'); - -module.exports = parent; diff --git a/node_modules/core-js/full/async-iterator/find.js b/node_modules/core-js/full/async-iterator/find.js deleted file mode 100644 index 9288425..0000000 --- a/node_modules/core-js/full/async-iterator/find.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../actual/async-iterator/find'); - -module.exports = parent; diff --git a/node_modules/core-js/full/async-iterator/flat-map.js b/node_modules/core-js/full/async-iterator/flat-map.js deleted file mode 100644 index 8ec8656..0000000 --- a/node_modules/core-js/full/async-iterator/flat-map.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../actual/async-iterator/flat-map'); - -module.exports = parent; diff --git a/node_modules/core-js/full/async-iterator/for-each.js b/node_modules/core-js/full/async-iterator/for-each.js deleted file mode 100644 index ae36f43..0000000 --- a/node_modules/core-js/full/async-iterator/for-each.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../actual/async-iterator/for-each'); - -module.exports = parent; diff --git a/node_modules/core-js/full/async-iterator/from.js b/node_modules/core-js/full/async-iterator/from.js deleted file mode 100644 index 3023df9..0000000 --- a/node_modules/core-js/full/async-iterator/from.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../actual/async-iterator/from'); - -module.exports = parent; diff --git a/node_modules/core-js/full/async-iterator/index.js b/node_modules/core-js/full/async-iterator/index.js deleted file mode 100644 index 2f8a40e..0000000 --- a/node_modules/core-js/full/async-iterator/index.js +++ /dev/null @@ -1,7 +0,0 @@ -'use strict'; -var parent = require('../../actual/async-iterator'); -// TODO: Remove from `core-js@4` -require('../../modules/esnext.async-iterator.as-indexed-pairs'); -require('../../modules/esnext.async-iterator.indexed'); - -module.exports = parent; diff --git a/node_modules/core-js/full/async-iterator/indexed.js b/node_modules/core-js/full/async-iterator/indexed.js deleted file mode 100644 index 915bf46..0000000 --- a/node_modules/core-js/full/async-iterator/indexed.js +++ /dev/null @@ -1,10 +0,0 @@ -'use strict'; -// TODO: Remove from `core-js@4` -require('../../modules/es.object.to-string'); -require('../../modules/es.promise'); -require('../../modules/esnext.async-iterator.constructor'); -require('../../modules/esnext.async-iterator.indexed'); - -var entryUnbind = require('../../internals/entry-unbind'); - -module.exports = entryUnbind('AsyncIterator', 'indexed'); diff --git a/node_modules/core-js/full/async-iterator/map.js b/node_modules/core-js/full/async-iterator/map.js deleted file mode 100644 index 516dd53..0000000 --- a/node_modules/core-js/full/async-iterator/map.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../actual/async-iterator/map'); - -module.exports = parent; diff --git a/node_modules/core-js/full/async-iterator/reduce.js b/node_modules/core-js/full/async-iterator/reduce.js deleted file mode 100644 index eedfb77..0000000 --- a/node_modules/core-js/full/async-iterator/reduce.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../actual/async-iterator/reduce'); - -module.exports = parent; diff --git a/node_modules/core-js/full/async-iterator/some.js b/node_modules/core-js/full/async-iterator/some.js deleted file mode 100644 index aec975a..0000000 --- a/node_modules/core-js/full/async-iterator/some.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../actual/async-iterator/some'); - -module.exports = parent; diff --git a/node_modules/core-js/full/async-iterator/take.js b/node_modules/core-js/full/async-iterator/take.js deleted file mode 100644 index b921202..0000000 --- a/node_modules/core-js/full/async-iterator/take.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../actual/async-iterator/take'); - -module.exports = parent; diff --git a/node_modules/core-js/full/async-iterator/to-array.js b/node_modules/core-js/full/async-iterator/to-array.js deleted file mode 100644 index df3bad6..0000000 --- a/node_modules/core-js/full/async-iterator/to-array.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../actual/async-iterator/to-array'); - -module.exports = parent; diff --git a/node_modules/core-js/full/atob.js b/node_modules/core-js/full/atob.js deleted file mode 100644 index b133156..0000000 --- a/node_modules/core-js/full/atob.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../actual/atob'); - -module.exports = parent; diff --git a/node_modules/core-js/full/bigint/index.js b/node_modules/core-js/full/bigint/index.js deleted file mode 100644 index f00d835..0000000 --- a/node_modules/core-js/full/bigint/index.js +++ /dev/null @@ -1,6 +0,0 @@ -'use strict'; -require('../../modules/es.object.to-string'); -require('../../modules/esnext.bigint.range'); -var BigInt = require('../../internals/path').BigInt; - -module.exports = BigInt; diff --git a/node_modules/core-js/full/bigint/range.js b/node_modules/core-js/full/bigint/range.js deleted file mode 100644 index dac0848..0000000 --- a/node_modules/core-js/full/bigint/range.js +++ /dev/null @@ -1,6 +0,0 @@ -'use strict'; -require('../../modules/es.object.to-string'); -require('../../modules/esnext.bigint.range'); -var BigInt = require('../../internals/path').BigInt; - -module.exports = BigInt && BigInt.range; diff --git a/node_modules/core-js/full/btoa.js b/node_modules/core-js/full/btoa.js deleted file mode 100644 index 6dc6cdf..0000000 --- a/node_modules/core-js/full/btoa.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../actual/btoa'); - -module.exports = parent; diff --git a/node_modules/core-js/full/clear-immediate.js b/node_modules/core-js/full/clear-immediate.js deleted file mode 100644 index 34408f3..0000000 --- a/node_modules/core-js/full/clear-immediate.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../actual/clear-immediate'); - -module.exports = parent; diff --git a/node_modules/core-js/full/composite-key.js b/node_modules/core-js/full/composite-key.js deleted file mode 100644 index 6da3f57..0000000 --- a/node_modules/core-js/full/composite-key.js +++ /dev/null @@ -1,5 +0,0 @@ -'use strict'; -require('../modules/esnext.composite-key'); -var path = require('../internals/path'); - -module.exports = path.compositeKey; diff --git a/node_modules/core-js/full/composite-symbol.js b/node_modules/core-js/full/composite-symbol.js deleted file mode 100644 index 50b220c..0000000 --- a/node_modules/core-js/full/composite-symbol.js +++ /dev/null @@ -1,6 +0,0 @@ -'use strict'; -require('../modules/es.symbol'); -require('../modules/esnext.composite-symbol'); -var path = require('../internals/path'); - -module.exports = path.compositeSymbol; diff --git a/node_modules/core-js/full/data-view/get-float16.js b/node_modules/core-js/full/data-view/get-float16.js deleted file mode 100644 index 03caa59..0000000 --- a/node_modules/core-js/full/data-view/get-float16.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../actual/data-view/get-float16'); - -module.exports = parent; diff --git a/node_modules/core-js/full/data-view/get-uint8-clamped.js b/node_modules/core-js/full/data-view/get-uint8-clamped.js deleted file mode 100644 index 8311c07..0000000 --- a/node_modules/core-js/full/data-view/get-uint8-clamped.js +++ /dev/null @@ -1,2 +0,0 @@ -'use strict'; -require('../../modules/esnext.data-view.get-uint8-clamped'); diff --git a/node_modules/core-js/full/data-view/index.js b/node_modules/core-js/full/data-view/index.js deleted file mode 100644 index 18d16c4..0000000 --- a/node_modules/core-js/full/data-view/index.js +++ /dev/null @@ -1,6 +0,0 @@ -'use strict'; -var parent = require('../../actual/data-view'); -require('../../modules/esnext.data-view.get-uint8-clamped'); -require('../../modules/esnext.data-view.set-uint8-clamped'); - -module.exports = parent; diff --git a/node_modules/core-js/full/data-view/set-float16.js b/node_modules/core-js/full/data-view/set-float16.js deleted file mode 100644 index e884df9..0000000 --- a/node_modules/core-js/full/data-view/set-float16.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../actual/data-view/set-float16'); - -module.exports = parent; diff --git a/node_modules/core-js/full/data-view/set-uint8-clamped.js b/node_modules/core-js/full/data-view/set-uint8-clamped.js deleted file mode 100644 index e2bbae2..0000000 --- a/node_modules/core-js/full/data-view/set-uint8-clamped.js +++ /dev/null @@ -1,2 +0,0 @@ -'use strict'; -require('../../modules/esnext.data-view.set-uint8-clamped'); diff --git a/node_modules/core-js/full/date/get-year.js b/node_modules/core-js/full/date/get-year.js deleted file mode 100644 index 4ef2dc1..0000000 --- a/node_modules/core-js/full/date/get-year.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../actual/date/get-year'); - -module.exports = parent; diff --git a/node_modules/core-js/full/date/index.js b/node_modules/core-js/full/date/index.js deleted file mode 100644 index 4077bde..0000000 --- a/node_modules/core-js/full/date/index.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../actual/date'); - -module.exports = parent; diff --git a/node_modules/core-js/full/date/now.js b/node_modules/core-js/full/date/now.js deleted file mode 100644 index 87da638..0000000 --- a/node_modules/core-js/full/date/now.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../actual/date/now'); - -module.exports = parent; diff --git a/node_modules/core-js/full/date/set-year.js b/node_modules/core-js/full/date/set-year.js deleted file mode 100644 index 79c0ab3..0000000 --- a/node_modules/core-js/full/date/set-year.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../actual/date/set-year'); - -module.exports = parent; diff --git a/node_modules/core-js/full/date/to-gmt-string.js b/node_modules/core-js/full/date/to-gmt-string.js deleted file mode 100644 index 53aa627..0000000 --- a/node_modules/core-js/full/date/to-gmt-string.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../actual/date/to-gmt-string'); - -module.exports = parent; diff --git a/node_modules/core-js/full/date/to-iso-string.js b/node_modules/core-js/full/date/to-iso-string.js deleted file mode 100644 index c8041d0..0000000 --- a/node_modules/core-js/full/date/to-iso-string.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../actual/date/to-iso-string'); - -module.exports = parent; diff --git a/node_modules/core-js/full/date/to-json.js b/node_modules/core-js/full/date/to-json.js deleted file mode 100644 index d80c14a..0000000 --- a/node_modules/core-js/full/date/to-json.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../actual/date/to-json'); - -module.exports = parent; diff --git a/node_modules/core-js/full/date/to-primitive.js b/node_modules/core-js/full/date/to-primitive.js deleted file mode 100644 index 7e8094e..0000000 --- a/node_modules/core-js/full/date/to-primitive.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../actual/date/to-primitive'); - -module.exports = parent; diff --git a/node_modules/core-js/full/date/to-string.js b/node_modules/core-js/full/date/to-string.js deleted file mode 100644 index 15f2903..0000000 --- a/node_modules/core-js/full/date/to-string.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../actual/date/to-string'); - -module.exports = parent; diff --git a/node_modules/core-js/full/disposable-stack/constructor.js b/node_modules/core-js/full/disposable-stack/constructor.js deleted file mode 100644 index 4ee0a30..0000000 --- a/node_modules/core-js/full/disposable-stack/constructor.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../actual/disposable-stack/constructor'); - -module.exports = parent; diff --git a/node_modules/core-js/full/disposable-stack/index.js b/node_modules/core-js/full/disposable-stack/index.js deleted file mode 100644 index a0c0de9..0000000 --- a/node_modules/core-js/full/disposable-stack/index.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../actual/disposable-stack'); - -module.exports = parent; diff --git a/node_modules/core-js/full/dom-collections/for-each.js b/node_modules/core-js/full/dom-collections/for-each.js deleted file mode 100644 index 5172d59..0000000 --- a/node_modules/core-js/full/dom-collections/for-each.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../actual/dom-collections/for-each'); - -module.exports = parent; diff --git a/node_modules/core-js/full/dom-collections/index.js b/node_modules/core-js/full/dom-collections/index.js deleted file mode 100644 index 1239518..0000000 --- a/node_modules/core-js/full/dom-collections/index.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../actual/dom-collections'); - -module.exports = parent; diff --git a/node_modules/core-js/full/dom-collections/iterator.js b/node_modules/core-js/full/dom-collections/iterator.js deleted file mode 100644 index 8c31637..0000000 --- a/node_modules/core-js/full/dom-collections/iterator.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../actual/dom-collections/iterator'); - -module.exports = parent; diff --git a/node_modules/core-js/full/dom-exception/constructor.js b/node_modules/core-js/full/dom-exception/constructor.js deleted file mode 100644 index 873ebbf..0000000 --- a/node_modules/core-js/full/dom-exception/constructor.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../actual/dom-exception/constructor'); - -module.exports = parent; diff --git a/node_modules/core-js/full/dom-exception/index.js b/node_modules/core-js/full/dom-exception/index.js deleted file mode 100644 index 31290fc..0000000 --- a/node_modules/core-js/full/dom-exception/index.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../actual/dom-exception'); - -module.exports = parent; diff --git a/node_modules/core-js/full/dom-exception/to-string-tag.js b/node_modules/core-js/full/dom-exception/to-string-tag.js deleted file mode 100644 index 50261b6..0000000 --- a/node_modules/core-js/full/dom-exception/to-string-tag.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../actual/dom-exception/to-string-tag'); - -module.exports = parent; diff --git a/node_modules/core-js/full/error/constructor.js b/node_modules/core-js/full/error/constructor.js deleted file mode 100644 index 26a72a6..0000000 --- a/node_modules/core-js/full/error/constructor.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../actual/error/constructor'); - -module.exports = parent; diff --git a/node_modules/core-js/full/error/index.js b/node_modules/core-js/full/error/index.js deleted file mode 100644 index 1885dea..0000000 --- a/node_modules/core-js/full/error/index.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../actual/error'); - -module.exports = parent; diff --git a/node_modules/core-js/full/error/to-string.js b/node_modules/core-js/full/error/to-string.js deleted file mode 100644 index 1b33052..0000000 --- a/node_modules/core-js/full/error/to-string.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../actual/error/to-string'); - -module.exports = parent; diff --git a/node_modules/core-js/full/escape.js b/node_modules/core-js/full/escape.js deleted file mode 100644 index 6648b3a..0000000 --- a/node_modules/core-js/full/escape.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../actual/escape'); - -module.exports = parent; diff --git a/node_modules/core-js/full/function/bind.js b/node_modules/core-js/full/function/bind.js deleted file mode 100644 index 33687e0..0000000 --- a/node_modules/core-js/full/function/bind.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../actual/function/bind'); - -module.exports = parent; diff --git a/node_modules/core-js/full/function/demethodize.js b/node_modules/core-js/full/function/demethodize.js deleted file mode 100644 index 6e96aa1..0000000 --- a/node_modules/core-js/full/function/demethodize.js +++ /dev/null @@ -1,5 +0,0 @@ -'use strict'; -require('../../modules/esnext.function.demethodize'); -var entryUnbind = require('../../internals/entry-unbind'); - -module.exports = entryUnbind('Function', 'demethodize'); diff --git a/node_modules/core-js/full/function/has-instance.js b/node_modules/core-js/full/function/has-instance.js deleted file mode 100644 index 12219cb..0000000 --- a/node_modules/core-js/full/function/has-instance.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../actual/function/has-instance'); - -module.exports = parent; diff --git a/node_modules/core-js/full/function/index.js b/node_modules/core-js/full/function/index.js deleted file mode 100644 index 4ecdac5..0000000 --- a/node_modules/core-js/full/function/index.js +++ /dev/null @@ -1,9 +0,0 @@ -'use strict'; -var parent = require('../../actual/function'); -require('../../modules/esnext.function.demethodize'); -require('../../modules/esnext.function.is-callable'); -require('../../modules/esnext.function.is-constructor'); -// TODO: Remove from `core-js@4` -require('../../modules/esnext.function.un-this'); - -module.exports = parent; diff --git a/node_modules/core-js/full/function/is-callable.js b/node_modules/core-js/full/function/is-callable.js deleted file mode 100644 index e481b3c..0000000 --- a/node_modules/core-js/full/function/is-callable.js +++ /dev/null @@ -1,5 +0,0 @@ -'use strict'; -require('../../modules/esnext.function.is-callable'); -var path = require('../../internals/path'); - -module.exports = path.Function.isCallable; diff --git a/node_modules/core-js/full/function/is-constructor.js b/node_modules/core-js/full/function/is-constructor.js deleted file mode 100644 index 7256eac..0000000 --- a/node_modules/core-js/full/function/is-constructor.js +++ /dev/null @@ -1,5 +0,0 @@ -'use strict'; -require('../../modules/esnext.function.is-constructor'); -var path = require('../../internals/path'); - -module.exports = path.Function.isConstructor; diff --git a/node_modules/core-js/full/function/metadata.js b/node_modules/core-js/full/function/metadata.js deleted file mode 100644 index 5b33d15..0000000 --- a/node_modules/core-js/full/function/metadata.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../actual/function/metadata'); - -module.exports = parent; diff --git a/node_modules/core-js/full/function/name.js b/node_modules/core-js/full/function/name.js deleted file mode 100644 index 80daa2d..0000000 --- a/node_modules/core-js/full/function/name.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../actual/function/name'); - -module.exports = parent; diff --git a/node_modules/core-js/full/function/un-this.js b/node_modules/core-js/full/function/un-this.js deleted file mode 100644 index a9561ca..0000000 --- a/node_modules/core-js/full/function/un-this.js +++ /dev/null @@ -1,5 +0,0 @@ -'use strict'; -require('../../modules/esnext.function.un-this'); -var entryUnbind = require('../../internals/entry-unbind'); - -module.exports = entryUnbind('Function', 'unThis'); diff --git a/node_modules/core-js/full/function/virtual/bind.js b/node_modules/core-js/full/function/virtual/bind.js deleted file mode 100644 index 2262d5f..0000000 --- a/node_modules/core-js/full/function/virtual/bind.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../../actual/function/virtual/bind'); - -module.exports = parent; diff --git a/node_modules/core-js/full/function/virtual/demethodize.js b/node_modules/core-js/full/function/virtual/demethodize.js deleted file mode 100644 index 47318a4..0000000 --- a/node_modules/core-js/full/function/virtual/demethodize.js +++ /dev/null @@ -1,5 +0,0 @@ -'use strict'; -require('../../../modules/esnext.function.demethodize'); -var getBuiltInPrototypeMethod = require('../../../internals/get-built-in-prototype-method'); - -module.exports = getBuiltInPrototypeMethod('Function', 'demethodize'); diff --git a/node_modules/core-js/full/function/virtual/index.js b/node_modules/core-js/full/function/virtual/index.js deleted file mode 100644 index 76d5952..0000000 --- a/node_modules/core-js/full/function/virtual/index.js +++ /dev/null @@ -1,7 +0,0 @@ -'use strict'; -var parent = require('../../../actual/function/virtual'); -require('../../../modules/esnext.function.demethodize'); -// TODO: Remove from `core-js@4` -require('../../../modules/esnext.function.un-this'); - -module.exports = parent; diff --git a/node_modules/core-js/full/function/virtual/un-this.js b/node_modules/core-js/full/function/virtual/un-this.js deleted file mode 100644 index 671c189..0000000 --- a/node_modules/core-js/full/function/virtual/un-this.js +++ /dev/null @@ -1,5 +0,0 @@ -'use strict'; -require('../../../modules/esnext.function.un-this'); -var getBuiltInPrototypeMethod = require('../../../internals/get-built-in-prototype-method'); - -module.exports = getBuiltInPrototypeMethod('Function', 'unThis'); diff --git a/node_modules/core-js/full/get-iterator-method.js b/node_modules/core-js/full/get-iterator-method.js deleted file mode 100644 index 803708e..0000000 --- a/node_modules/core-js/full/get-iterator-method.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../actual/get-iterator-method'); - -module.exports = parent; diff --git a/node_modules/core-js/full/get-iterator.js b/node_modules/core-js/full/get-iterator.js deleted file mode 100644 index d22ebe3..0000000 --- a/node_modules/core-js/full/get-iterator.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../actual/get-iterator'); - -module.exports = parent; diff --git a/node_modules/core-js/full/global-this.js b/node_modules/core-js/full/global-this.js deleted file mode 100644 index fd3dec9..0000000 --- a/node_modules/core-js/full/global-this.js +++ /dev/null @@ -1,7 +0,0 @@ -'use strict'; -// TODO: remove from `core-js@4` -require('../modules/esnext.global-this'); - -var parent = require('../actual/global-this'); - -module.exports = parent; diff --git a/node_modules/core-js/full/index.js b/node_modules/core-js/full/index.js deleted file mode 100644 index 50525b5..0000000 --- a/node_modules/core-js/full/index.js +++ /dev/null @@ -1,468 +0,0 @@ -'use strict'; -require('../modules/es.symbol'); -require('../modules/es.symbol.description'); -require('../modules/es.symbol.async-iterator'); -require('../modules/es.symbol.has-instance'); -require('../modules/es.symbol.is-concat-spreadable'); -require('../modules/es.symbol.iterator'); -require('../modules/es.symbol.match'); -require('../modules/es.symbol.match-all'); -require('../modules/es.symbol.replace'); -require('../modules/es.symbol.search'); -require('../modules/es.symbol.species'); -require('../modules/es.symbol.split'); -require('../modules/es.symbol.to-primitive'); -require('../modules/es.symbol.to-string-tag'); -require('../modules/es.symbol.unscopables'); -require('../modules/es.error.cause'); -require('../modules/es.error.to-string'); -require('../modules/es.aggregate-error'); -require('../modules/es.aggregate-error.cause'); -require('../modules/es.array.at'); -require('../modules/es.array.concat'); -require('../modules/es.array.copy-within'); -require('../modules/es.array.every'); -require('../modules/es.array.fill'); -require('../modules/es.array.filter'); -require('../modules/es.array.find'); -require('../modules/es.array.find-index'); -require('../modules/es.array.find-last'); -require('../modules/es.array.find-last-index'); -require('../modules/es.array.flat'); -require('../modules/es.array.flat-map'); -require('../modules/es.array.for-each'); -require('../modules/es.array.from'); -require('../modules/es.array.includes'); -require('../modules/es.array.index-of'); -require('../modules/es.array.is-array'); -require('../modules/es.array.iterator'); -require('../modules/es.array.join'); -require('../modules/es.array.last-index-of'); -require('../modules/es.array.map'); -require('../modules/es.array.of'); -require('../modules/es.array.push'); -require('../modules/es.array.reduce'); -require('../modules/es.array.reduce-right'); -require('../modules/es.array.reverse'); -require('../modules/es.array.slice'); -require('../modules/es.array.some'); -require('../modules/es.array.sort'); -require('../modules/es.array.species'); -require('../modules/es.array.splice'); -require('../modules/es.array.to-reversed'); -require('../modules/es.array.to-sorted'); -require('../modules/es.array.to-spliced'); -require('../modules/es.array.unscopables.flat'); -require('../modules/es.array.unscopables.flat-map'); -require('../modules/es.array.unshift'); -require('../modules/es.array.with'); -require('../modules/es.array-buffer.constructor'); -require('../modules/es.array-buffer.is-view'); -require('../modules/es.array-buffer.slice'); -require('../modules/es.data-view'); -require('../modules/es.date.get-year'); -require('../modules/es.date.now'); -require('../modules/es.date.set-year'); -require('../modules/es.date.to-gmt-string'); -require('../modules/es.date.to-iso-string'); -require('../modules/es.date.to-json'); -require('../modules/es.date.to-primitive'); -require('../modules/es.date.to-string'); -require('../modules/es.escape'); -require('../modules/es.function.bind'); -require('../modules/es.function.has-instance'); -require('../modules/es.function.name'); -require('../modules/es.global-this'); -require('../modules/es.json.stringify'); -require('../modules/es.json.to-string-tag'); -require('../modules/es.map'); -require('../modules/es.map.group-by'); -require('../modules/es.math.acosh'); -require('../modules/es.math.asinh'); -require('../modules/es.math.atanh'); -require('../modules/es.math.cbrt'); -require('../modules/es.math.clz32'); -require('../modules/es.math.cosh'); -require('../modules/es.math.expm1'); -require('../modules/es.math.fround'); -require('../modules/es.math.hypot'); -require('../modules/es.math.imul'); -require('../modules/es.math.log10'); -require('../modules/es.math.log1p'); -require('../modules/es.math.log2'); -require('../modules/es.math.sign'); -require('../modules/es.math.sinh'); -require('../modules/es.math.tanh'); -require('../modules/es.math.to-string-tag'); -require('../modules/es.math.trunc'); -require('../modules/es.number.constructor'); -require('../modules/es.number.epsilon'); -require('../modules/es.number.is-finite'); -require('../modules/es.number.is-integer'); -require('../modules/es.number.is-nan'); -require('../modules/es.number.is-safe-integer'); -require('../modules/es.number.max-safe-integer'); -require('../modules/es.number.min-safe-integer'); -require('../modules/es.number.parse-float'); -require('../modules/es.number.parse-int'); -require('../modules/es.number.to-exponential'); -require('../modules/es.number.to-fixed'); -require('../modules/es.number.to-precision'); -require('../modules/es.object.assign'); -require('../modules/es.object.create'); -require('../modules/es.object.define-getter'); -require('../modules/es.object.define-properties'); -require('../modules/es.object.define-property'); -require('../modules/es.object.define-setter'); -require('../modules/es.object.entries'); -require('../modules/es.object.freeze'); -require('../modules/es.object.from-entries'); -require('../modules/es.object.get-own-property-descriptor'); -require('../modules/es.object.get-own-property-descriptors'); -require('../modules/es.object.get-own-property-names'); -require('../modules/es.object.get-prototype-of'); -require('../modules/es.object.group-by'); -require('../modules/es.object.has-own'); -require('../modules/es.object.is'); -require('../modules/es.object.is-extensible'); -require('../modules/es.object.is-frozen'); -require('../modules/es.object.is-sealed'); -require('../modules/es.object.keys'); -require('../modules/es.object.lookup-getter'); -require('../modules/es.object.lookup-setter'); -require('../modules/es.object.prevent-extensions'); -require('../modules/es.object.proto'); -require('../modules/es.object.seal'); -require('../modules/es.object.set-prototype-of'); -require('../modules/es.object.to-string'); -require('../modules/es.object.values'); -require('../modules/es.parse-float'); -require('../modules/es.parse-int'); -require('../modules/es.promise'); -require('../modules/es.promise.all-settled'); -require('../modules/es.promise.any'); -require('../modules/es.promise.finally'); -require('../modules/es.promise.with-resolvers'); -require('../modules/es.reflect.apply'); -require('../modules/es.reflect.construct'); -require('../modules/es.reflect.define-property'); -require('../modules/es.reflect.delete-property'); -require('../modules/es.reflect.get'); -require('../modules/es.reflect.get-own-property-descriptor'); -require('../modules/es.reflect.get-prototype-of'); -require('../modules/es.reflect.has'); -require('../modules/es.reflect.is-extensible'); -require('../modules/es.reflect.own-keys'); -require('../modules/es.reflect.prevent-extensions'); -require('../modules/es.reflect.set'); -require('../modules/es.reflect.set-prototype-of'); -require('../modules/es.reflect.to-string-tag'); -require('../modules/es.regexp.constructor'); -require('../modules/es.regexp.dot-all'); -require('../modules/es.regexp.exec'); -require('../modules/es.regexp.flags'); -require('../modules/es.regexp.sticky'); -require('../modules/es.regexp.test'); -require('../modules/es.regexp.to-string'); -require('../modules/es.set'); -require('../modules/es.string.at-alternative'); -require('../modules/es.string.code-point-at'); -require('../modules/es.string.ends-with'); -require('../modules/es.string.from-code-point'); -require('../modules/es.string.includes'); -require('../modules/es.string.is-well-formed'); -require('../modules/es.string.iterator'); -require('../modules/es.string.match'); -require('../modules/es.string.match-all'); -require('../modules/es.string.pad-end'); -require('../modules/es.string.pad-start'); -require('../modules/es.string.raw'); -require('../modules/es.string.repeat'); -require('../modules/es.string.replace'); -require('../modules/es.string.replace-all'); -require('../modules/es.string.search'); -require('../modules/es.string.split'); -require('../modules/es.string.starts-with'); -require('../modules/es.string.substr'); -require('../modules/es.string.to-well-formed'); -require('../modules/es.string.trim'); -require('../modules/es.string.trim-end'); -require('../modules/es.string.trim-start'); -require('../modules/es.string.anchor'); -require('../modules/es.string.big'); -require('../modules/es.string.blink'); -require('../modules/es.string.bold'); -require('../modules/es.string.fixed'); -require('../modules/es.string.fontcolor'); -require('../modules/es.string.fontsize'); -require('../modules/es.string.italics'); -require('../modules/es.string.link'); -require('../modules/es.string.small'); -require('../modules/es.string.strike'); -require('../modules/es.string.sub'); -require('../modules/es.string.sup'); -require('../modules/es.typed-array.float32-array'); -require('../modules/es.typed-array.float64-array'); -require('../modules/es.typed-array.int8-array'); -require('../modules/es.typed-array.int16-array'); -require('../modules/es.typed-array.int32-array'); -require('../modules/es.typed-array.uint8-array'); -require('../modules/es.typed-array.uint8-clamped-array'); -require('../modules/es.typed-array.uint16-array'); -require('../modules/es.typed-array.uint32-array'); -require('../modules/es.typed-array.at'); -require('../modules/es.typed-array.copy-within'); -require('../modules/es.typed-array.every'); -require('../modules/es.typed-array.fill'); -require('../modules/es.typed-array.filter'); -require('../modules/es.typed-array.find'); -require('../modules/es.typed-array.find-index'); -require('../modules/es.typed-array.find-last'); -require('../modules/es.typed-array.find-last-index'); -require('../modules/es.typed-array.for-each'); -require('../modules/es.typed-array.from'); -require('../modules/es.typed-array.includes'); -require('../modules/es.typed-array.index-of'); -require('../modules/es.typed-array.iterator'); -require('../modules/es.typed-array.join'); -require('../modules/es.typed-array.last-index-of'); -require('../modules/es.typed-array.map'); -require('../modules/es.typed-array.of'); -require('../modules/es.typed-array.reduce'); -require('../modules/es.typed-array.reduce-right'); -require('../modules/es.typed-array.reverse'); -require('../modules/es.typed-array.set'); -require('../modules/es.typed-array.slice'); -require('../modules/es.typed-array.some'); -require('../modules/es.typed-array.sort'); -require('../modules/es.typed-array.subarray'); -require('../modules/es.typed-array.to-locale-string'); -require('../modules/es.typed-array.to-reversed'); -require('../modules/es.typed-array.to-sorted'); -require('../modules/es.typed-array.to-string'); -require('../modules/es.typed-array.with'); -require('../modules/es.unescape'); -require('../modules/es.weak-map'); -require('../modules/es.weak-set'); -require('../modules/esnext.aggregate-error'); -require('../modules/esnext.suppressed-error.constructor'); -require('../modules/esnext.array.from-async'); -require('../modules/esnext.array.at'); -require('../modules/esnext.array.filter-out'); -require('../modules/esnext.array.filter-reject'); -require('../modules/esnext.array.find-last'); -require('../modules/esnext.array.find-last-index'); -require('../modules/esnext.array.group'); -require('../modules/esnext.array.group-by'); -require('../modules/esnext.array.group-by-to-map'); -require('../modules/esnext.array.group-to-map'); -require('../modules/esnext.array.is-template-object'); -require('../modules/esnext.array.last-index'); -require('../modules/esnext.array.last-item'); -require('../modules/esnext.array.to-reversed'); -require('../modules/esnext.array.to-sorted'); -require('../modules/esnext.array.to-spliced'); -require('../modules/esnext.array.unique-by'); -require('../modules/esnext.array.with'); -require('../modules/esnext.array-buffer.detached'); -require('../modules/esnext.array-buffer.transfer'); -require('../modules/esnext.array-buffer.transfer-to-fixed-length'); -require('../modules/esnext.async-disposable-stack.constructor'); -require('../modules/esnext.async-iterator.constructor'); -require('../modules/esnext.async-iterator.as-indexed-pairs'); -require('../modules/esnext.async-iterator.async-dispose'); -require('../modules/esnext.async-iterator.drop'); -require('../modules/esnext.async-iterator.every'); -require('../modules/esnext.async-iterator.filter'); -require('../modules/esnext.async-iterator.find'); -require('../modules/esnext.async-iterator.flat-map'); -require('../modules/esnext.async-iterator.for-each'); -require('../modules/esnext.async-iterator.from'); -require('../modules/esnext.async-iterator.indexed'); -require('../modules/esnext.async-iterator.map'); -require('../modules/esnext.async-iterator.reduce'); -require('../modules/esnext.async-iterator.some'); -require('../modules/esnext.async-iterator.take'); -require('../modules/esnext.async-iterator.to-array'); -require('../modules/esnext.bigint.range'); -require('../modules/esnext.composite-key'); -require('../modules/esnext.composite-symbol'); -require('../modules/esnext.data-view.get-float16'); -require('../modules/esnext.data-view.get-uint8-clamped'); -require('../modules/esnext.data-view.set-float16'); -require('../modules/esnext.data-view.set-uint8-clamped'); -require('../modules/esnext.disposable-stack.constructor'); -require('../modules/esnext.function.demethodize'); -require('../modules/esnext.function.is-callable'); -require('../modules/esnext.function.is-constructor'); -require('../modules/esnext.function.metadata'); -require('../modules/esnext.function.un-this'); -require('../modules/esnext.global-this'); -require('../modules/esnext.iterator.constructor'); -require('../modules/esnext.iterator.as-indexed-pairs'); -require('../modules/esnext.iterator.dispose'); -require('../modules/esnext.iterator.drop'); -require('../modules/esnext.iterator.every'); -require('../modules/esnext.iterator.filter'); -require('../modules/esnext.iterator.find'); -require('../modules/esnext.iterator.flat-map'); -require('../modules/esnext.iterator.for-each'); -require('../modules/esnext.iterator.from'); -require('../modules/esnext.iterator.indexed'); -require('../modules/esnext.iterator.map'); -require('../modules/esnext.iterator.range'); -require('../modules/esnext.iterator.reduce'); -require('../modules/esnext.iterator.some'); -require('../modules/esnext.iterator.take'); -require('../modules/esnext.iterator.to-array'); -require('../modules/esnext.iterator.to-async'); -require('../modules/esnext.json.is-raw-json'); -require('../modules/esnext.json.parse'); -require('../modules/esnext.json.raw-json'); -require('../modules/esnext.map.delete-all'); -require('../modules/esnext.map.emplace'); -require('../modules/esnext.map.every'); -require('../modules/esnext.map.filter'); -require('../modules/esnext.map.find'); -require('../modules/esnext.map.find-key'); -require('../modules/esnext.map.from'); -require('../modules/esnext.map.group-by'); -require('../modules/esnext.map.includes'); -require('../modules/esnext.map.key-by'); -require('../modules/esnext.map.key-of'); -require('../modules/esnext.map.map-keys'); -require('../modules/esnext.map.map-values'); -require('../modules/esnext.map.merge'); -require('../modules/esnext.map.of'); -require('../modules/esnext.map.reduce'); -require('../modules/esnext.map.some'); -require('../modules/esnext.map.update'); -require('../modules/esnext.map.update-or-insert'); -require('../modules/esnext.map.upsert'); -require('../modules/esnext.math.clamp'); -require('../modules/esnext.math.deg-per-rad'); -require('../modules/esnext.math.degrees'); -require('../modules/esnext.math.fscale'); -require('../modules/esnext.math.f16round'); -require('../modules/esnext.math.iaddh'); -require('../modules/esnext.math.imulh'); -require('../modules/esnext.math.isubh'); -require('../modules/esnext.math.rad-per-deg'); -require('../modules/esnext.math.radians'); -require('../modules/esnext.math.scale'); -require('../modules/esnext.math.seeded-prng'); -require('../modules/esnext.math.signbit'); -require('../modules/esnext.math.umulh'); -require('../modules/esnext.number.from-string'); -require('../modules/esnext.number.range'); -require('../modules/esnext.object.has-own'); -require('../modules/esnext.object.iterate-entries'); -require('../modules/esnext.object.iterate-keys'); -require('../modules/esnext.object.iterate-values'); -require('../modules/esnext.object.group-by'); -require('../modules/esnext.observable'); -require('../modules/esnext.promise.all-settled'); -require('../modules/esnext.promise.any'); -require('../modules/esnext.promise.try'); -require('../modules/esnext.promise.with-resolvers'); -require('../modules/esnext.reflect.define-metadata'); -require('../modules/esnext.reflect.delete-metadata'); -require('../modules/esnext.reflect.get-metadata'); -require('../modules/esnext.reflect.get-metadata-keys'); -require('../modules/esnext.reflect.get-own-metadata'); -require('../modules/esnext.reflect.get-own-metadata-keys'); -require('../modules/esnext.reflect.has-metadata'); -require('../modules/esnext.reflect.has-own-metadata'); -require('../modules/esnext.reflect.metadata'); -require('../modules/esnext.regexp.escape'); -require('../modules/esnext.set.add-all'); -require('../modules/esnext.set.delete-all'); -require('../modules/esnext.set.difference.v2'); -require('../modules/esnext.set.difference'); -require('../modules/esnext.set.every'); -require('../modules/esnext.set.filter'); -require('../modules/esnext.set.find'); -require('../modules/esnext.set.from'); -require('../modules/esnext.set.intersection.v2'); -require('../modules/esnext.set.intersection'); -require('../modules/esnext.set.is-disjoint-from.v2'); -require('../modules/esnext.set.is-disjoint-from'); -require('../modules/esnext.set.is-subset-of.v2'); -require('../modules/esnext.set.is-subset-of'); -require('../modules/esnext.set.is-superset-of.v2'); -require('../modules/esnext.set.is-superset-of'); -require('../modules/esnext.set.join'); -require('../modules/esnext.set.map'); -require('../modules/esnext.set.of'); -require('../modules/esnext.set.reduce'); -require('../modules/esnext.set.some'); -require('../modules/esnext.set.symmetric-difference.v2'); -require('../modules/esnext.set.symmetric-difference'); -require('../modules/esnext.set.union.v2'); -require('../modules/esnext.set.union'); -require('../modules/esnext.string.at'); -require('../modules/esnext.string.cooked'); -require('../modules/esnext.string.code-points'); -require('../modules/esnext.string.dedent'); -require('../modules/esnext.string.is-well-formed'); -require('../modules/esnext.string.match-all'); -require('../modules/esnext.string.replace-all'); -require('../modules/esnext.string.to-well-formed'); -require('../modules/esnext.symbol.async-dispose'); -require('../modules/esnext.symbol.dispose'); -require('../modules/esnext.symbol.is-registered-symbol'); -require('../modules/esnext.symbol.is-registered'); -require('../modules/esnext.symbol.is-well-known-symbol'); -require('../modules/esnext.symbol.is-well-known'); -require('../modules/esnext.symbol.matcher'); -require('../modules/esnext.symbol.metadata'); -require('../modules/esnext.symbol.metadata-key'); -require('../modules/esnext.symbol.observable'); -require('../modules/esnext.symbol.pattern-match'); -require('../modules/esnext.symbol.replace-all'); -require('../modules/esnext.typed-array.from-async'); -require('../modules/esnext.typed-array.at'); -require('../modules/esnext.typed-array.filter-out'); -require('../modules/esnext.typed-array.filter-reject'); -require('../modules/esnext.typed-array.find-last'); -require('../modules/esnext.typed-array.find-last-index'); -require('../modules/esnext.typed-array.group-by'); -require('../modules/esnext.typed-array.to-reversed'); -require('../modules/esnext.typed-array.to-sorted'); -require('../modules/esnext.typed-array.to-spliced'); -require('../modules/esnext.typed-array.unique-by'); -require('../modules/esnext.typed-array.with'); -require('../modules/esnext.uint8-array.from-base64'); -require('../modules/esnext.uint8-array.from-hex'); -require('../modules/esnext.uint8-array.to-base64'); -require('../modules/esnext.uint8-array.to-hex'); -require('../modules/esnext.weak-map.delete-all'); -require('../modules/esnext.weak-map.from'); -require('../modules/esnext.weak-map.of'); -require('../modules/esnext.weak-map.emplace'); -require('../modules/esnext.weak-map.upsert'); -require('../modules/esnext.weak-set.add-all'); -require('../modules/esnext.weak-set.delete-all'); -require('../modules/esnext.weak-set.from'); -require('../modules/esnext.weak-set.of'); -require('../modules/web.atob'); -require('../modules/web.btoa'); -require('../modules/web.dom-collections.for-each'); -require('../modules/web.dom-collections.iterator'); -require('../modules/web.dom-exception.constructor'); -require('../modules/web.dom-exception.stack'); -require('../modules/web.dom-exception.to-string-tag'); -require('../modules/web.immediate'); -require('../modules/web.queue-microtask'); -require('../modules/web.self'); -require('../modules/web.structured-clone'); -require('../modules/web.timers'); -require('../modules/web.url'); -require('../modules/web.url.can-parse'); -require('../modules/web.url.to-json'); -require('../modules/web.url-search-params'); -require('../modules/web.url-search-params.delete'); -require('../modules/web.url-search-params.has'); -require('../modules/web.url-search-params.size'); - -module.exports = require('../internals/path'); diff --git a/node_modules/core-js/full/instance/at.js b/node_modules/core-js/full/instance/at.js deleted file mode 100644 index 75de4fc..0000000 --- a/node_modules/core-js/full/instance/at.js +++ /dev/null @@ -1,15 +0,0 @@ -'use strict'; -var isPrototypeOf = require('../../internals/object-is-prototype-of'); -var arrayMethod = require('../array/virtual/at'); -var stringMethod = require('../string/virtual/at'); - -var ArrayPrototype = Array.prototype; -var StringPrototype = String.prototype; - -module.exports = function (it) { - var own = it.at; - if (it === ArrayPrototype || (isPrototypeOf(ArrayPrototype, it) && own === ArrayPrototype.at)) return arrayMethod; - if (typeof it == 'string' || it === StringPrototype || (isPrototypeOf(StringPrototype, it) && own === StringPrototype.at)) { - return stringMethod; - } return own; -}; diff --git a/node_modules/core-js/full/instance/bind.js b/node_modules/core-js/full/instance/bind.js deleted file mode 100644 index 229d51a..0000000 --- a/node_modules/core-js/full/instance/bind.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../actual/instance/bind'); - -module.exports = parent; diff --git a/node_modules/core-js/full/instance/code-point-at.js b/node_modules/core-js/full/instance/code-point-at.js deleted file mode 100644 index 57d254a..0000000 --- a/node_modules/core-js/full/instance/code-point-at.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../actual/instance/code-point-at'); - -module.exports = parent; diff --git a/node_modules/core-js/full/instance/code-points.js b/node_modules/core-js/full/instance/code-points.js deleted file mode 100644 index d2050a7..0000000 --- a/node_modules/core-js/full/instance/code-points.js +++ /dev/null @@ -1,11 +0,0 @@ -'use strict'; -var isPrototypeOf = require('../../internals/object-is-prototype-of'); -var method = require('../string/virtual/code-points'); - -var StringPrototype = String.prototype; - -module.exports = function (it) { - var own = it.codePoints; - return typeof it == 'string' || it === StringPrototype - || (isPrototypeOf(StringPrototype, it) && own === StringPrototype.codePoints) ? method : own; -}; diff --git a/node_modules/core-js/full/instance/concat.js b/node_modules/core-js/full/instance/concat.js deleted file mode 100644 index 7efdf2c..0000000 --- a/node_modules/core-js/full/instance/concat.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../actual/instance/concat'); - -module.exports = parent; diff --git a/node_modules/core-js/full/instance/copy-within.js b/node_modules/core-js/full/instance/copy-within.js deleted file mode 100644 index 3ee9dc5..0000000 --- a/node_modules/core-js/full/instance/copy-within.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../actual/instance/copy-within'); - -module.exports = parent; diff --git a/node_modules/core-js/full/instance/demethodize.js b/node_modules/core-js/full/instance/demethodize.js deleted file mode 100644 index c463e6c..0000000 --- a/node_modules/core-js/full/instance/demethodize.js +++ /dev/null @@ -1,10 +0,0 @@ -'use strict'; -var isPrototypeOf = require('../../internals/object-is-prototype-of'); -var method = require('../function/virtual/demethodize'); - -var FunctionPrototype = Function.prototype; - -module.exports = function (it) { - var own = it.demethodize; - return it === FunctionPrototype || (isPrototypeOf(FunctionPrototype, it) && own === FunctionPrototype.demethodize) ? method : own; -}; diff --git a/node_modules/core-js/full/instance/ends-with.js b/node_modules/core-js/full/instance/ends-with.js deleted file mode 100644 index af148b0..0000000 --- a/node_modules/core-js/full/instance/ends-with.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../actual/instance/ends-with'); - -module.exports = parent; diff --git a/node_modules/core-js/full/instance/entries.js b/node_modules/core-js/full/instance/entries.js deleted file mode 100644 index e29f0d3..0000000 --- a/node_modules/core-js/full/instance/entries.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../actual/instance/entries'); - -module.exports = parent; diff --git a/node_modules/core-js/full/instance/every.js b/node_modules/core-js/full/instance/every.js deleted file mode 100644 index 49822cb..0000000 --- a/node_modules/core-js/full/instance/every.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../actual/instance/every'); - -module.exports = parent; diff --git a/node_modules/core-js/full/instance/fill.js b/node_modules/core-js/full/instance/fill.js deleted file mode 100644 index d4a97d4..0000000 --- a/node_modules/core-js/full/instance/fill.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../actual/instance/fill'); - -module.exports = parent; diff --git a/node_modules/core-js/full/instance/filter-out.js b/node_modules/core-js/full/instance/filter-out.js deleted file mode 100644 index ea5fb5b..0000000 --- a/node_modules/core-js/full/instance/filter-out.js +++ /dev/null @@ -1,11 +0,0 @@ -'use strict'; -// TODO: Remove from `core-js@4` -var isPrototypeOf = require('../../internals/object-is-prototype-of'); -var method = require('../array/virtual/filter-out'); - -var ArrayPrototype = Array.prototype; - -module.exports = function (it) { - var own = it.filterOut; - return it === ArrayPrototype || (isPrototypeOf(ArrayPrototype, it) && own === ArrayPrototype.filterOut) ? method : own; -}; diff --git a/node_modules/core-js/full/instance/filter-reject.js b/node_modules/core-js/full/instance/filter-reject.js deleted file mode 100644 index fbf438d..0000000 --- a/node_modules/core-js/full/instance/filter-reject.js +++ /dev/null @@ -1,10 +0,0 @@ -'use strict'; -var isPrototypeOf = require('../../internals/object-is-prototype-of'); -var method = require('../array/virtual/filter-reject'); - -var ArrayPrototype = Array.prototype; - -module.exports = function (it) { - var own = it.filterReject; - return it === ArrayPrototype || (isPrototypeOf(ArrayPrototype, it) && own === ArrayPrototype.filterReject) ? method : own; -}; diff --git a/node_modules/core-js/full/instance/filter.js b/node_modules/core-js/full/instance/filter.js deleted file mode 100644 index 2f0f1b5..0000000 --- a/node_modules/core-js/full/instance/filter.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../actual/instance/filter'); - -module.exports = parent; diff --git a/node_modules/core-js/full/instance/find-index.js b/node_modules/core-js/full/instance/find-index.js deleted file mode 100644 index fb201b7..0000000 --- a/node_modules/core-js/full/instance/find-index.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../actual/instance/find-index'); - -module.exports = parent; diff --git a/node_modules/core-js/full/instance/find-last-index.js b/node_modules/core-js/full/instance/find-last-index.js deleted file mode 100644 index 031dfc9..0000000 --- a/node_modules/core-js/full/instance/find-last-index.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../actual/instance/find-last-index'); - -module.exports = parent; diff --git a/node_modules/core-js/full/instance/find-last.js b/node_modules/core-js/full/instance/find-last.js deleted file mode 100644 index 1f5dcc6..0000000 --- a/node_modules/core-js/full/instance/find-last.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../actual/instance/find-last'); - -module.exports = parent; diff --git a/node_modules/core-js/full/instance/find.js b/node_modules/core-js/full/instance/find.js deleted file mode 100644 index 80aafe1..0000000 --- a/node_modules/core-js/full/instance/find.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../actual/instance/find'); - -module.exports = parent; diff --git a/node_modules/core-js/full/instance/flags.js b/node_modules/core-js/full/instance/flags.js deleted file mode 100644 index ad4640c..0000000 --- a/node_modules/core-js/full/instance/flags.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../actual/instance/flags'); - -module.exports = parent; diff --git a/node_modules/core-js/full/instance/flat-map.js b/node_modules/core-js/full/instance/flat-map.js deleted file mode 100644 index 53315a1..0000000 --- a/node_modules/core-js/full/instance/flat-map.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../actual/instance/flat-map'); - -module.exports = parent; diff --git a/node_modules/core-js/full/instance/flat.js b/node_modules/core-js/full/instance/flat.js deleted file mode 100644 index 20538cd..0000000 --- a/node_modules/core-js/full/instance/flat.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../actual/instance/flat'); - -module.exports = parent; diff --git a/node_modules/core-js/full/instance/for-each.js b/node_modules/core-js/full/instance/for-each.js deleted file mode 100644 index 0fc6785..0000000 --- a/node_modules/core-js/full/instance/for-each.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../actual/instance/for-each'); - -module.exports = parent; diff --git a/node_modules/core-js/full/instance/group-by-to-map.js b/node_modules/core-js/full/instance/group-by-to-map.js deleted file mode 100644 index 35da2a7..0000000 --- a/node_modules/core-js/full/instance/group-by-to-map.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../actual/instance/group-by-to-map'); - -module.exports = parent; diff --git a/node_modules/core-js/full/instance/group-by.js b/node_modules/core-js/full/instance/group-by.js deleted file mode 100644 index 0162d6d..0000000 --- a/node_modules/core-js/full/instance/group-by.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../actual/instance/group-by'); - -module.exports = parent; diff --git a/node_modules/core-js/full/instance/group-to-map.js b/node_modules/core-js/full/instance/group-to-map.js deleted file mode 100644 index 62d9a1f..0000000 --- a/node_modules/core-js/full/instance/group-to-map.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../actual/instance/group-to-map'); - -module.exports = parent; diff --git a/node_modules/core-js/full/instance/group.js b/node_modules/core-js/full/instance/group.js deleted file mode 100644 index 9fc4fd1..0000000 --- a/node_modules/core-js/full/instance/group.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../actual/instance/group'); - -module.exports = parent; diff --git a/node_modules/core-js/full/instance/includes.js b/node_modules/core-js/full/instance/includes.js deleted file mode 100644 index a5d876e..0000000 --- a/node_modules/core-js/full/instance/includes.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../actual/instance/includes'); - -module.exports = parent; diff --git a/node_modules/core-js/full/instance/index-of.js b/node_modules/core-js/full/instance/index-of.js deleted file mode 100644 index bbfecf2..0000000 --- a/node_modules/core-js/full/instance/index-of.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../actual/instance/index-of'); - -module.exports = parent; diff --git a/node_modules/core-js/full/instance/is-well-formed.js b/node_modules/core-js/full/instance/is-well-formed.js deleted file mode 100644 index 2480643..0000000 --- a/node_modules/core-js/full/instance/is-well-formed.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../actual/instance/is-well-formed'); - -module.exports = parent; diff --git a/node_modules/core-js/full/instance/keys.js b/node_modules/core-js/full/instance/keys.js deleted file mode 100644 index d066c77..0000000 --- a/node_modules/core-js/full/instance/keys.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../actual/instance/keys'); - -module.exports = parent; diff --git a/node_modules/core-js/full/instance/last-index-of.js b/node_modules/core-js/full/instance/last-index-of.js deleted file mode 100644 index 04d3e45..0000000 --- a/node_modules/core-js/full/instance/last-index-of.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../actual/instance/last-index-of'); - -module.exports = parent; diff --git a/node_modules/core-js/full/instance/map.js b/node_modules/core-js/full/instance/map.js deleted file mode 100644 index 2b2d637..0000000 --- a/node_modules/core-js/full/instance/map.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../actual/instance/map'); - -module.exports = parent; diff --git a/node_modules/core-js/full/instance/match-all.js b/node_modules/core-js/full/instance/match-all.js deleted file mode 100644 index 0207313..0000000 --- a/node_modules/core-js/full/instance/match-all.js +++ /dev/null @@ -1,7 +0,0 @@ -'use strict'; -// TODO: remove from `core-js@4` -require('../../modules/esnext.string.match-all'); - -var parent = require('../../actual/instance/match-all'); - -module.exports = parent; diff --git a/node_modules/core-js/full/instance/pad-end.js b/node_modules/core-js/full/instance/pad-end.js deleted file mode 100644 index a288446..0000000 --- a/node_modules/core-js/full/instance/pad-end.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../actual/instance/pad-end'); - -module.exports = parent; diff --git a/node_modules/core-js/full/instance/pad-start.js b/node_modules/core-js/full/instance/pad-start.js deleted file mode 100644 index 1e66bd4..0000000 --- a/node_modules/core-js/full/instance/pad-start.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../actual/instance/pad-start'); - -module.exports = parent; diff --git a/node_modules/core-js/full/instance/push.js b/node_modules/core-js/full/instance/push.js deleted file mode 100644 index 5b49c01..0000000 --- a/node_modules/core-js/full/instance/push.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../actual/instance/push'); - -module.exports = parent; diff --git a/node_modules/core-js/full/instance/reduce-right.js b/node_modules/core-js/full/instance/reduce-right.js deleted file mode 100644 index 0ffbf82..0000000 --- a/node_modules/core-js/full/instance/reduce-right.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../actual/instance/reduce-right'); - -module.exports = parent; diff --git a/node_modules/core-js/full/instance/reduce.js b/node_modules/core-js/full/instance/reduce.js deleted file mode 100644 index ae52442..0000000 --- a/node_modules/core-js/full/instance/reduce.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../actual/instance/reduce'); - -module.exports = parent; diff --git a/node_modules/core-js/full/instance/repeat.js b/node_modules/core-js/full/instance/repeat.js deleted file mode 100644 index 5828652..0000000 --- a/node_modules/core-js/full/instance/repeat.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../actual/instance/repeat'); - -module.exports = parent; diff --git a/node_modules/core-js/full/instance/replace-all.js b/node_modules/core-js/full/instance/replace-all.js deleted file mode 100644 index f218e3e..0000000 --- a/node_modules/core-js/full/instance/replace-all.js +++ /dev/null @@ -1,7 +0,0 @@ -'use strict'; -// TODO: remove from `core-js@4` -require('../../modules/esnext.string.replace-all'); - -var parent = require('../../actual/instance/replace-all'); - -module.exports = parent; diff --git a/node_modules/core-js/full/instance/reverse.js b/node_modules/core-js/full/instance/reverse.js deleted file mode 100644 index 5541ac7..0000000 --- a/node_modules/core-js/full/instance/reverse.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../actual/instance/reverse'); - -module.exports = parent; diff --git a/node_modules/core-js/full/instance/slice.js b/node_modules/core-js/full/instance/slice.js deleted file mode 100644 index 07cdbd7..0000000 --- a/node_modules/core-js/full/instance/slice.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../actual/instance/slice'); - -module.exports = parent; diff --git a/node_modules/core-js/full/instance/some.js b/node_modules/core-js/full/instance/some.js deleted file mode 100644 index c01be5f..0000000 --- a/node_modules/core-js/full/instance/some.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../actual/instance/some'); - -module.exports = parent; diff --git a/node_modules/core-js/full/instance/sort.js b/node_modules/core-js/full/instance/sort.js deleted file mode 100644 index b51a3f1..0000000 --- a/node_modules/core-js/full/instance/sort.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../actual/instance/sort'); - -module.exports = parent; diff --git a/node_modules/core-js/full/instance/splice.js b/node_modules/core-js/full/instance/splice.js deleted file mode 100644 index b0fd55e..0000000 --- a/node_modules/core-js/full/instance/splice.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../actual/instance/splice'); - -module.exports = parent; diff --git a/node_modules/core-js/full/instance/starts-with.js b/node_modules/core-js/full/instance/starts-with.js deleted file mode 100644 index 4d7a24e..0000000 --- a/node_modules/core-js/full/instance/starts-with.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../actual/instance/starts-with'); - -module.exports = parent; diff --git a/node_modules/core-js/full/instance/to-reversed.js b/node_modules/core-js/full/instance/to-reversed.js deleted file mode 100644 index 030a66a..0000000 --- a/node_modules/core-js/full/instance/to-reversed.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../actual/instance/to-reversed'); - -module.exports = parent; diff --git a/node_modules/core-js/full/instance/to-sorted.js b/node_modules/core-js/full/instance/to-sorted.js deleted file mode 100644 index 623a535..0000000 --- a/node_modules/core-js/full/instance/to-sorted.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../actual/instance/to-sorted'); - -module.exports = parent; diff --git a/node_modules/core-js/full/instance/to-spliced.js b/node_modules/core-js/full/instance/to-spliced.js deleted file mode 100644 index 92fc837..0000000 --- a/node_modules/core-js/full/instance/to-spliced.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../actual/instance/to-spliced'); - -module.exports = parent; diff --git a/node_modules/core-js/full/instance/to-well-formed.js b/node_modules/core-js/full/instance/to-well-formed.js deleted file mode 100644 index 751ce51..0000000 --- a/node_modules/core-js/full/instance/to-well-formed.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../actual/instance/to-well-formed'); - -module.exports = parent; diff --git a/node_modules/core-js/full/instance/trim-end.js b/node_modules/core-js/full/instance/trim-end.js deleted file mode 100644 index c28bf3f..0000000 --- a/node_modules/core-js/full/instance/trim-end.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../actual/instance/trim-end'); - -module.exports = parent; diff --git a/node_modules/core-js/full/instance/trim-left.js b/node_modules/core-js/full/instance/trim-left.js deleted file mode 100644 index 2888ccf..0000000 --- a/node_modules/core-js/full/instance/trim-left.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../actual/instance/trim-left'); - -module.exports = parent; diff --git a/node_modules/core-js/full/instance/trim-right.js b/node_modules/core-js/full/instance/trim-right.js deleted file mode 100644 index 83c6b40..0000000 --- a/node_modules/core-js/full/instance/trim-right.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../actual/instance/trim-right'); - -module.exports = parent; diff --git a/node_modules/core-js/full/instance/trim-start.js b/node_modules/core-js/full/instance/trim-start.js deleted file mode 100644 index 3e92d9f..0000000 --- a/node_modules/core-js/full/instance/trim-start.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../actual/instance/trim-start'); - -module.exports = parent; diff --git a/node_modules/core-js/full/instance/trim.js b/node_modules/core-js/full/instance/trim.js deleted file mode 100644 index 6327d40..0000000 --- a/node_modules/core-js/full/instance/trim.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../actual/instance/trim'); - -module.exports = parent; diff --git a/node_modules/core-js/full/instance/un-this.js b/node_modules/core-js/full/instance/un-this.js deleted file mode 100644 index a1d40b7..0000000 --- a/node_modules/core-js/full/instance/un-this.js +++ /dev/null @@ -1,10 +0,0 @@ -'use strict'; -var isPrototypeOf = require('../../internals/object-is-prototype-of'); -var method = require('../function/virtual/un-this'); - -var FunctionPrototype = Function.prototype; - -module.exports = function (it) { - var own = it.unThis; - return it === FunctionPrototype || (isPrototypeOf(FunctionPrototype, it) && own === FunctionPrototype.unThis) ? method : own; -}; diff --git a/node_modules/core-js/full/instance/unique-by.js b/node_modules/core-js/full/instance/unique-by.js deleted file mode 100644 index faad544..0000000 --- a/node_modules/core-js/full/instance/unique-by.js +++ /dev/null @@ -1,10 +0,0 @@ -'use strict'; -var isPrototypeOf = require('../../internals/object-is-prototype-of'); -var method = require('../array/virtual/unique-by'); - -var ArrayPrototype = Array.prototype; - -module.exports = function (it) { - var own = it.uniqueBy; - return it === ArrayPrototype || (isPrototypeOf(ArrayPrototype, it) && own === ArrayPrototype.uniqueBy) ? method : own; -}; diff --git a/node_modules/core-js/full/instance/unshift.js b/node_modules/core-js/full/instance/unshift.js deleted file mode 100644 index d92d4a6..0000000 --- a/node_modules/core-js/full/instance/unshift.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../actual/instance/unshift'); - -module.exports = parent; diff --git a/node_modules/core-js/full/instance/values.js b/node_modules/core-js/full/instance/values.js deleted file mode 100644 index 5b3a76e..0000000 --- a/node_modules/core-js/full/instance/values.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../actual/instance/values'); - -module.exports = parent; diff --git a/node_modules/core-js/full/instance/with.js b/node_modules/core-js/full/instance/with.js deleted file mode 100644 index b1eb565..0000000 --- a/node_modules/core-js/full/instance/with.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../actual/instance/with'); - -module.exports = parent; diff --git a/node_modules/core-js/full/is-iterable.js b/node_modules/core-js/full/is-iterable.js deleted file mode 100644 index c8f44d7..0000000 --- a/node_modules/core-js/full/is-iterable.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../actual/is-iterable'); - -module.exports = parent; diff --git a/node_modules/core-js/full/iterator/as-indexed-pairs.js b/node_modules/core-js/full/iterator/as-indexed-pairs.js deleted file mode 100644 index e8504f3..0000000 --- a/node_modules/core-js/full/iterator/as-indexed-pairs.js +++ /dev/null @@ -1,9 +0,0 @@ -'use strict'; -require('../../modules/es.object.to-string'); -require('../../modules/esnext.iterator.constructor'); -require('../../modules/esnext.iterator.as-indexed-pairs'); - -var entryUnbind = require('../../internals/entry-unbind'); - -module.exports = entryUnbind('Iterator', 'asIndexedPairs'); - diff --git a/node_modules/core-js/full/iterator/dispose.js b/node_modules/core-js/full/iterator/dispose.js deleted file mode 100644 index 6246a05..0000000 --- a/node_modules/core-js/full/iterator/dispose.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../actual/iterator/dispose'); - -module.exports = parent; diff --git a/node_modules/core-js/full/iterator/drop.js b/node_modules/core-js/full/iterator/drop.js deleted file mode 100644 index dc9a548..0000000 --- a/node_modules/core-js/full/iterator/drop.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../actual/iterator/drop'); - -module.exports = parent; diff --git a/node_modules/core-js/full/iterator/every.js b/node_modules/core-js/full/iterator/every.js deleted file mode 100644 index 3f7b394..0000000 --- a/node_modules/core-js/full/iterator/every.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../actual/iterator/every'); - -module.exports = parent; diff --git a/node_modules/core-js/full/iterator/filter.js b/node_modules/core-js/full/iterator/filter.js deleted file mode 100644 index f19dd0f..0000000 --- a/node_modules/core-js/full/iterator/filter.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../actual/iterator/filter'); - -module.exports = parent; diff --git a/node_modules/core-js/full/iterator/find.js b/node_modules/core-js/full/iterator/find.js deleted file mode 100644 index e26690e..0000000 --- a/node_modules/core-js/full/iterator/find.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../actual/iterator/find'); - -module.exports = parent; diff --git a/node_modules/core-js/full/iterator/flat-map.js b/node_modules/core-js/full/iterator/flat-map.js deleted file mode 100644 index e6d721d..0000000 --- a/node_modules/core-js/full/iterator/flat-map.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../actual/iterator/flat-map'); - -module.exports = parent; diff --git a/node_modules/core-js/full/iterator/for-each.js b/node_modules/core-js/full/iterator/for-each.js deleted file mode 100644 index b378e32..0000000 --- a/node_modules/core-js/full/iterator/for-each.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../actual/iterator/for-each'); - -module.exports = parent; diff --git a/node_modules/core-js/full/iterator/from.js b/node_modules/core-js/full/iterator/from.js deleted file mode 100644 index 57cece2..0000000 --- a/node_modules/core-js/full/iterator/from.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../actual/iterator/from'); - -module.exports = parent; diff --git a/node_modules/core-js/full/iterator/index.js b/node_modules/core-js/full/iterator/index.js deleted file mode 100644 index c6caf46..0000000 --- a/node_modules/core-js/full/iterator/index.js +++ /dev/null @@ -1,8 +0,0 @@ -'use strict'; -var parent = require('../../actual/iterator'); -require('../../modules/esnext.iterator.range'); -// TODO: Remove from `core-js@4` -require('../../modules/esnext.iterator.as-indexed-pairs'); -require('../../modules/esnext.iterator.indexed'); - -module.exports = parent; diff --git a/node_modules/core-js/full/iterator/indexed.js b/node_modules/core-js/full/iterator/indexed.js deleted file mode 100644 index 6a2aa84..0000000 --- a/node_modules/core-js/full/iterator/indexed.js +++ /dev/null @@ -1,10 +0,0 @@ -'use strict'; -// TODO: Remove from `core-js@4` -require('../../modules/es.object.to-string'); -require('../../modules/esnext.iterator.constructor'); -require('../../modules/esnext.iterator.indexed'); - -var entryUnbind = require('../../internals/entry-unbind'); - -module.exports = entryUnbind('Iterator', 'indexed'); - diff --git a/node_modules/core-js/full/iterator/map.js b/node_modules/core-js/full/iterator/map.js deleted file mode 100644 index e41e383..0000000 --- a/node_modules/core-js/full/iterator/map.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../actual/iterator/map'); - -module.exports = parent; diff --git a/node_modules/core-js/full/iterator/range.js b/node_modules/core-js/full/iterator/range.js deleted file mode 100644 index 20f811b..0000000 --- a/node_modules/core-js/full/iterator/range.js +++ /dev/null @@ -1,7 +0,0 @@ -'use strict'; -require('../../modules/es.object.to-string'); -require('../../modules/esnext.iterator.constructor'); -require('../../modules/esnext.iterator.range'); -var path = require('../../internals/path'); - -module.exports = path.Iterator.range; diff --git a/node_modules/core-js/full/iterator/reduce.js b/node_modules/core-js/full/iterator/reduce.js deleted file mode 100644 index d2c30ac..0000000 --- a/node_modules/core-js/full/iterator/reduce.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../actual/iterator/reduce'); - -module.exports = parent; diff --git a/node_modules/core-js/full/iterator/some.js b/node_modules/core-js/full/iterator/some.js deleted file mode 100644 index a6ea597..0000000 --- a/node_modules/core-js/full/iterator/some.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../actual/iterator/some'); - -module.exports = parent; diff --git a/node_modules/core-js/full/iterator/take.js b/node_modules/core-js/full/iterator/take.js deleted file mode 100644 index 6988d74..0000000 --- a/node_modules/core-js/full/iterator/take.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../actual/iterator/take'); - -module.exports = parent; diff --git a/node_modules/core-js/full/iterator/to-array.js b/node_modules/core-js/full/iterator/to-array.js deleted file mode 100644 index e8a923d..0000000 --- a/node_modules/core-js/full/iterator/to-array.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../actual/iterator/to-array'); - -module.exports = parent; diff --git a/node_modules/core-js/full/iterator/to-async.js b/node_modules/core-js/full/iterator/to-async.js deleted file mode 100644 index 8c6985c..0000000 --- a/node_modules/core-js/full/iterator/to-async.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../actual/iterator/to-async'); - -module.exports = parent; diff --git a/node_modules/core-js/full/json/index.js b/node_modules/core-js/full/json/index.js deleted file mode 100644 index 7f01daa..0000000 --- a/node_modules/core-js/full/json/index.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../actual/json'); - -module.exports = parent; diff --git a/node_modules/core-js/full/json/is-raw-json.js b/node_modules/core-js/full/json/is-raw-json.js deleted file mode 100644 index ba34b87..0000000 --- a/node_modules/core-js/full/json/is-raw-json.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../actual/json/is-raw-json'); - -module.exports = parent; diff --git a/node_modules/core-js/full/json/parse.js b/node_modules/core-js/full/json/parse.js deleted file mode 100644 index 10319ef..0000000 --- a/node_modules/core-js/full/json/parse.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../actual/json/parse'); - -module.exports = parent; diff --git a/node_modules/core-js/full/json/raw-json.js b/node_modules/core-js/full/json/raw-json.js deleted file mode 100644 index 1b85bf6..0000000 --- a/node_modules/core-js/full/json/raw-json.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../actual/json/raw-json'); - -module.exports = parent; diff --git a/node_modules/core-js/full/json/stringify.js b/node_modules/core-js/full/json/stringify.js deleted file mode 100644 index 4b65c67..0000000 --- a/node_modules/core-js/full/json/stringify.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../actual/json/stringify'); - -module.exports = parent; diff --git a/node_modules/core-js/full/json/to-string-tag.js b/node_modules/core-js/full/json/to-string-tag.js deleted file mode 100644 index d0eae3c..0000000 --- a/node_modules/core-js/full/json/to-string-tag.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../actual/json/to-string-tag'); - -module.exports = parent; diff --git a/node_modules/core-js/full/map/delete-all.js b/node_modules/core-js/full/map/delete-all.js deleted file mode 100644 index 53f7532..0000000 --- a/node_modules/core-js/full/map/delete-all.js +++ /dev/null @@ -1,6 +0,0 @@ -'use strict'; -require('../../modules/es.map'); -require('../../modules/esnext.map.delete-all'); -var entryUnbind = require('../../internals/entry-unbind'); - -module.exports = entryUnbind('Map', 'deleteAll'); diff --git a/node_modules/core-js/full/map/emplace.js b/node_modules/core-js/full/map/emplace.js deleted file mode 100644 index b23b795..0000000 --- a/node_modules/core-js/full/map/emplace.js +++ /dev/null @@ -1,6 +0,0 @@ -'use strict'; -require('../../modules/es.map'); -require('../../modules/esnext.map.emplace'); -var entryUnbind = require('../../internals/entry-unbind'); - -module.exports = entryUnbind('Map', 'emplace'); diff --git a/node_modules/core-js/full/map/every.js b/node_modules/core-js/full/map/every.js deleted file mode 100644 index cb6053b..0000000 --- a/node_modules/core-js/full/map/every.js +++ /dev/null @@ -1,6 +0,0 @@ -'use strict'; -require('../../modules/es.map'); -require('../../modules/esnext.map.every'); -var entryUnbind = require('../../internals/entry-unbind'); - -module.exports = entryUnbind('Map', 'every'); diff --git a/node_modules/core-js/full/map/filter.js b/node_modules/core-js/full/map/filter.js deleted file mode 100644 index e94aafb..0000000 --- a/node_modules/core-js/full/map/filter.js +++ /dev/null @@ -1,6 +0,0 @@ -'use strict'; -require('../../modules/es.map'); -require('../../modules/esnext.map.filter'); -var entryUnbind = require('../../internals/entry-unbind'); - -module.exports = entryUnbind('Map', 'filter'); diff --git a/node_modules/core-js/full/map/find-key.js b/node_modules/core-js/full/map/find-key.js deleted file mode 100644 index 942c457..0000000 --- a/node_modules/core-js/full/map/find-key.js +++ /dev/null @@ -1,6 +0,0 @@ -'use strict'; -require('../../modules/es.map'); -require('../../modules/esnext.map.find-key'); -var entryUnbind = require('../../internals/entry-unbind'); - -module.exports = entryUnbind('Map', 'findKey'); diff --git a/node_modules/core-js/full/map/find.js b/node_modules/core-js/full/map/find.js deleted file mode 100644 index f1326b2..0000000 --- a/node_modules/core-js/full/map/find.js +++ /dev/null @@ -1,6 +0,0 @@ -'use strict'; -require('../../modules/es.map'); -require('../../modules/esnext.map.find'); -var entryUnbind = require('../../internals/entry-unbind'); - -module.exports = entryUnbind('Map', 'find'); diff --git a/node_modules/core-js/full/map/from.js b/node_modules/core-js/full/map/from.js deleted file mode 100644 index c3f7471..0000000 --- a/node_modules/core-js/full/map/from.js +++ /dev/null @@ -1,16 +0,0 @@ -'use strict'; -require('../../modules/es.array.iterator'); -require('../../modules/es.map'); -require('../../modules/es.string.iterator'); -require('../../modules/esnext.map.from'); -require('../../modules/web.dom-collections.iterator'); -var call = require('../../internals/function-call'); -var isCallable = require('../../internals/is-callable'); -var path = require('../../internals/path'); - -var Map = path.Map; -var $from = Map.from; - -module.exports = function from(source, mapFn, thisArg) { - return call($from, isCallable(this) ? this : Map, source, mapFn, thisArg); -}; diff --git a/node_modules/core-js/full/map/group-by.js b/node_modules/core-js/full/map/group-by.js deleted file mode 100644 index 1c6c68d..0000000 --- a/node_modules/core-js/full/map/group-by.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../actual/map/group-by'); - -module.exports = parent; diff --git a/node_modules/core-js/full/map/includes.js b/node_modules/core-js/full/map/includes.js deleted file mode 100644 index 52432ed..0000000 --- a/node_modules/core-js/full/map/includes.js +++ /dev/null @@ -1,6 +0,0 @@ -'use strict'; -require('../../modules/es.map'); -require('../../modules/esnext.map.includes'); -var entryUnbind = require('../../internals/entry-unbind'); - -module.exports = entryUnbind('Map', 'includes'); diff --git a/node_modules/core-js/full/map/index.js b/node_modules/core-js/full/map/index.js deleted file mode 100644 index 13bc239..0000000 --- a/node_modules/core-js/full/map/index.js +++ /dev/null @@ -1,25 +0,0 @@ -'use strict'; -var parent = require('../../actual/map'); -require('../../modules/esnext.map.from'); -require('../../modules/esnext.map.of'); -require('../../modules/esnext.map.delete-all'); -require('../../modules/esnext.map.emplace'); -require('../../modules/esnext.map.every'); -require('../../modules/esnext.map.filter'); -require('../../modules/esnext.map.find'); -require('../../modules/esnext.map.find-key'); -require('../../modules/esnext.map.includes'); -require('../../modules/esnext.map.key-by'); -require('../../modules/esnext.map.key-of'); -require('../../modules/esnext.map.map-keys'); -require('../../modules/esnext.map.map-values'); -require('../../modules/esnext.map.merge'); -require('../../modules/esnext.map.reduce'); -require('../../modules/esnext.map.some'); -require('../../modules/esnext.map.update'); -// TODO: remove from `core-js@4` -require('../../modules/esnext.map.upsert'); -// TODO: remove from `core-js@4` -require('../../modules/esnext.map.update-or-insert'); - -module.exports = parent; diff --git a/node_modules/core-js/full/map/key-by.js b/node_modules/core-js/full/map/key-by.js deleted file mode 100644 index 08ce140..0000000 --- a/node_modules/core-js/full/map/key-by.js +++ /dev/null @@ -1,13 +0,0 @@ -'use strict'; -require('../../modules/es.map'); -require('../../modules/esnext.map.key-by'); -var call = require('../../internals/function-call'); -var isCallable = require('../../internals/is-callable'); -var path = require('../../internals/path'); - -var Map = path.Map; -var mapKeyBy = Map.keyBy; - -module.exports = function keyBy(source, iterable, keyDerivative) { - return call(mapKeyBy, isCallable(this) ? this : Map, source, iterable, keyDerivative); -}; diff --git a/node_modules/core-js/full/map/key-of.js b/node_modules/core-js/full/map/key-of.js deleted file mode 100644 index 985c2ca..0000000 --- a/node_modules/core-js/full/map/key-of.js +++ /dev/null @@ -1,6 +0,0 @@ -'use strict'; -require('../../modules/es.map'); -require('../../modules/esnext.map.key-of'); -var entryUnbind = require('../../internals/entry-unbind'); - -module.exports = entryUnbind('Map', 'keyOf'); diff --git a/node_modules/core-js/full/map/map-keys.js b/node_modules/core-js/full/map/map-keys.js deleted file mode 100644 index 168d985..0000000 --- a/node_modules/core-js/full/map/map-keys.js +++ /dev/null @@ -1,6 +0,0 @@ -'use strict'; -require('../../modules/es.map'); -require('../../modules/esnext.map.map-keys'); -var entryUnbind = require('../../internals/entry-unbind'); - -module.exports = entryUnbind('Map', 'mapKeys'); diff --git a/node_modules/core-js/full/map/map-values.js b/node_modules/core-js/full/map/map-values.js deleted file mode 100644 index 2346a0b..0000000 --- a/node_modules/core-js/full/map/map-values.js +++ /dev/null @@ -1,6 +0,0 @@ -'use strict'; -require('../../modules/es.map'); -require('../../modules/esnext.map.map-values'); -var entryUnbind = require('../../internals/entry-unbind'); - -module.exports = entryUnbind('Map', 'mapValues'); diff --git a/node_modules/core-js/full/map/merge.js b/node_modules/core-js/full/map/merge.js deleted file mode 100644 index 85c0b0a..0000000 --- a/node_modules/core-js/full/map/merge.js +++ /dev/null @@ -1,6 +0,0 @@ -'use strict'; -require('../../modules/es.map'); -require('../../modules/esnext.map.merge'); -var entryUnbind = require('../../internals/entry-unbind'); - -module.exports = entryUnbind('Map', 'merge'); diff --git a/node_modules/core-js/full/map/of.js b/node_modules/core-js/full/map/of.js deleted file mode 100644 index e2ca754..0000000 --- a/node_modules/core-js/full/map/of.js +++ /dev/null @@ -1,14 +0,0 @@ -'use strict'; -require('../../modules/es.array.iterator'); -require('../../modules/es.map'); -require('../../modules/esnext.map.of'); -var path = require('../../internals/path'); -var apply = require('../../internals/function-apply'); -var isCallable = require('../../internals/is-callable'); - -var Map = path.Map; -var mapOf = Map.of; - -module.exports = function of() { - return apply(mapOf, isCallable(this) ? this : Map, arguments); -}; diff --git a/node_modules/core-js/full/map/reduce.js b/node_modules/core-js/full/map/reduce.js deleted file mode 100644 index 88bf566..0000000 --- a/node_modules/core-js/full/map/reduce.js +++ /dev/null @@ -1,6 +0,0 @@ -'use strict'; -require('../../modules/es.map'); -require('../../modules/esnext.map.reduce'); -var entryUnbind = require('../../internals/entry-unbind'); - -module.exports = entryUnbind('Map', 'reduce'); diff --git a/node_modules/core-js/full/map/some.js b/node_modules/core-js/full/map/some.js deleted file mode 100644 index fb55efb..0000000 --- a/node_modules/core-js/full/map/some.js +++ /dev/null @@ -1,6 +0,0 @@ -'use strict'; -require('../../modules/es.map'); -require('../../modules/esnext.map.some'); -var entryUnbind = require('../../internals/entry-unbind'); - -module.exports = entryUnbind('Map', 'some'); diff --git a/node_modules/core-js/full/map/update-or-insert.js b/node_modules/core-js/full/map/update-or-insert.js deleted file mode 100644 index 299d9c3..0000000 --- a/node_modules/core-js/full/map/update-or-insert.js +++ /dev/null @@ -1,7 +0,0 @@ -'use strict'; -// TODO: remove from `core-js@4` -require('../../modules/es.map'); -require('../../modules/esnext.map.update-or-insert'); -var entryUnbind = require('../../internals/entry-unbind'); - -module.exports = entryUnbind('Map', 'updateOrInsert'); diff --git a/node_modules/core-js/full/map/update.js b/node_modules/core-js/full/map/update.js deleted file mode 100644 index abc452c..0000000 --- a/node_modules/core-js/full/map/update.js +++ /dev/null @@ -1,6 +0,0 @@ -'use strict'; -require('../../modules/es.map'); -require('../../modules/esnext.map.update'); -var entryUnbind = require('../../internals/entry-unbind'); - -module.exports = entryUnbind('Map', 'update'); diff --git a/node_modules/core-js/full/map/upsert.js b/node_modules/core-js/full/map/upsert.js deleted file mode 100644 index 7467fe7..0000000 --- a/node_modules/core-js/full/map/upsert.js +++ /dev/null @@ -1,6 +0,0 @@ -'use strict'; -require('../../modules/es.map'); -require('../../modules/esnext.map.upsert'); -var entryUnbind = require('../../internals/entry-unbind'); - -module.exports = entryUnbind('Map', 'upsert'); diff --git a/node_modules/core-js/full/math/acosh.js b/node_modules/core-js/full/math/acosh.js deleted file mode 100644 index ae3e386..0000000 --- a/node_modules/core-js/full/math/acosh.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../actual/math/acosh'); - -module.exports = parent; diff --git a/node_modules/core-js/full/math/asinh.js b/node_modules/core-js/full/math/asinh.js deleted file mode 100644 index 7771b33..0000000 --- a/node_modules/core-js/full/math/asinh.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../actual/math/asinh'); - -module.exports = parent; diff --git a/node_modules/core-js/full/math/atanh.js b/node_modules/core-js/full/math/atanh.js deleted file mode 100644 index 40ffa97..0000000 --- a/node_modules/core-js/full/math/atanh.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../actual/math/atanh'); - -module.exports = parent; diff --git a/node_modules/core-js/full/math/cbrt.js b/node_modules/core-js/full/math/cbrt.js deleted file mode 100644 index add0887..0000000 --- a/node_modules/core-js/full/math/cbrt.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../actual/math/cbrt'); - -module.exports = parent; diff --git a/node_modules/core-js/full/math/clamp.js b/node_modules/core-js/full/math/clamp.js deleted file mode 100644 index fdece38..0000000 --- a/node_modules/core-js/full/math/clamp.js +++ /dev/null @@ -1,5 +0,0 @@ -'use strict'; -require('../../modules/esnext.math.clamp'); -var path = require('../../internals/path'); - -module.exports = path.Math.clamp; diff --git a/node_modules/core-js/full/math/clz32.js b/node_modules/core-js/full/math/clz32.js deleted file mode 100644 index cb9c405..0000000 --- a/node_modules/core-js/full/math/clz32.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../actual/math/clz32'); - -module.exports = parent; diff --git a/node_modules/core-js/full/math/cosh.js b/node_modules/core-js/full/math/cosh.js deleted file mode 100644 index 16e37a5..0000000 --- a/node_modules/core-js/full/math/cosh.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../actual/math/cosh'); - -module.exports = parent; diff --git a/node_modules/core-js/full/math/deg-per-rad.js b/node_modules/core-js/full/math/deg-per-rad.js deleted file mode 100644 index 1580018..0000000 --- a/node_modules/core-js/full/math/deg-per-rad.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -require('../../modules/esnext.math.deg-per-rad'); - -module.exports = Math.PI / 180; diff --git a/node_modules/core-js/full/math/degrees.js b/node_modules/core-js/full/math/degrees.js deleted file mode 100644 index fd68e7e..0000000 --- a/node_modules/core-js/full/math/degrees.js +++ /dev/null @@ -1,5 +0,0 @@ -'use strict'; -require('../../modules/esnext.math.degrees'); -var path = require('../../internals/path'); - -module.exports = path.Math.degrees; diff --git a/node_modules/core-js/full/math/expm1.js b/node_modules/core-js/full/math/expm1.js deleted file mode 100644 index 29f007e..0000000 --- a/node_modules/core-js/full/math/expm1.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../actual/math/expm1'); - -module.exports = parent; diff --git a/node_modules/core-js/full/math/f16round.js b/node_modules/core-js/full/math/f16round.js deleted file mode 100644 index 935ecf4..0000000 --- a/node_modules/core-js/full/math/f16round.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../actual/math/f16round'); - -module.exports = parent; diff --git a/node_modules/core-js/full/math/fround.js b/node_modules/core-js/full/math/fround.js deleted file mode 100644 index 87df0b1..0000000 --- a/node_modules/core-js/full/math/fround.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../actual/math/fround'); - -module.exports = parent; diff --git a/node_modules/core-js/full/math/fscale.js b/node_modules/core-js/full/math/fscale.js deleted file mode 100644 index 43dbe07..0000000 --- a/node_modules/core-js/full/math/fscale.js +++ /dev/null @@ -1,5 +0,0 @@ -'use strict'; -require('../../modules/esnext.math.fscale'); -var path = require('../../internals/path'); - -module.exports = path.Math.fscale; diff --git a/node_modules/core-js/full/math/hypot.js b/node_modules/core-js/full/math/hypot.js deleted file mode 100644 index 5b340dc..0000000 --- a/node_modules/core-js/full/math/hypot.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../actual/math/hypot'); - -module.exports = parent; diff --git a/node_modules/core-js/full/math/iaddh.js b/node_modules/core-js/full/math/iaddh.js deleted file mode 100644 index a0c3543..0000000 --- a/node_modules/core-js/full/math/iaddh.js +++ /dev/null @@ -1,5 +0,0 @@ -'use strict'; -require('../../modules/esnext.math.iaddh'); -var path = require('../../internals/path'); - -module.exports = path.Math.iaddh; diff --git a/node_modules/core-js/full/math/imul.js b/node_modules/core-js/full/math/imul.js deleted file mode 100644 index 0d0c7eb..0000000 --- a/node_modules/core-js/full/math/imul.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../actual/math/imul'); - -module.exports = parent; diff --git a/node_modules/core-js/full/math/imulh.js b/node_modules/core-js/full/math/imulh.js deleted file mode 100644 index ee0b267..0000000 --- a/node_modules/core-js/full/math/imulh.js +++ /dev/null @@ -1,5 +0,0 @@ -'use strict'; -require('../../modules/esnext.math.imulh'); -var path = require('../../internals/path'); - -module.exports = path.Math.imulh; diff --git a/node_modules/core-js/full/math/index.js b/node_modules/core-js/full/math/index.js deleted file mode 100644 index f1db3d4..0000000 --- a/node_modules/core-js/full/math/index.js +++ /dev/null @@ -1,18 +0,0 @@ -'use strict'; -var parent = require('../../actual/math'); -require('../../modules/esnext.math.clamp'); -require('../../modules/esnext.math.deg-per-rad'); -require('../../modules/esnext.math.degrees'); -require('../../modules/esnext.math.fscale'); -require('../../modules/esnext.math.rad-per-deg'); -require('../../modules/esnext.math.radians'); -require('../../modules/esnext.math.scale'); -require('../../modules/esnext.math.seeded-prng'); -require('../../modules/esnext.math.signbit'); -// TODO: Remove from `core-js@4` -require('../../modules/esnext.math.iaddh'); -require('../../modules/esnext.math.isubh'); -require('../../modules/esnext.math.imulh'); -require('../../modules/esnext.math.umulh'); - -module.exports = parent; diff --git a/node_modules/core-js/full/math/isubh.js b/node_modules/core-js/full/math/isubh.js deleted file mode 100644 index 57ff251..0000000 --- a/node_modules/core-js/full/math/isubh.js +++ /dev/null @@ -1,5 +0,0 @@ -'use strict'; -require('../../modules/esnext.math.isubh'); -var path = require('../../internals/path'); - -module.exports = path.Math.isubh; diff --git a/node_modules/core-js/full/math/log10.js b/node_modules/core-js/full/math/log10.js deleted file mode 100644 index 32b479f..0000000 --- a/node_modules/core-js/full/math/log10.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../actual/math/log10'); - -module.exports = parent; diff --git a/node_modules/core-js/full/math/log1p.js b/node_modules/core-js/full/math/log1p.js deleted file mode 100644 index 06b776d..0000000 --- a/node_modules/core-js/full/math/log1p.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../actual/math/log1p'); - -module.exports = parent; diff --git a/node_modules/core-js/full/math/log2.js b/node_modules/core-js/full/math/log2.js deleted file mode 100644 index 248ff4d..0000000 --- a/node_modules/core-js/full/math/log2.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../actual/math/log2'); - -module.exports = parent; diff --git a/node_modules/core-js/full/math/rad-per-deg.js b/node_modules/core-js/full/math/rad-per-deg.js deleted file mode 100644 index 2f66c12..0000000 --- a/node_modules/core-js/full/math/rad-per-deg.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -require('../../modules/esnext.math.rad-per-deg'); - -module.exports = 180 / Math.PI; diff --git a/node_modules/core-js/full/math/radians.js b/node_modules/core-js/full/math/radians.js deleted file mode 100644 index 27d0a67..0000000 --- a/node_modules/core-js/full/math/radians.js +++ /dev/null @@ -1,5 +0,0 @@ -'use strict'; -require('../../modules/esnext.math.radians'); -var path = require('../../internals/path'); - -module.exports = path.Math.radians; diff --git a/node_modules/core-js/full/math/scale.js b/node_modules/core-js/full/math/scale.js deleted file mode 100644 index 8a60a85..0000000 --- a/node_modules/core-js/full/math/scale.js +++ /dev/null @@ -1,5 +0,0 @@ -'use strict'; -require('../../modules/esnext.math.scale'); -var path = require('../../internals/path'); - -module.exports = path.Math.scale; diff --git a/node_modules/core-js/full/math/seeded-prng.js b/node_modules/core-js/full/math/seeded-prng.js deleted file mode 100644 index 513140a..0000000 --- a/node_modules/core-js/full/math/seeded-prng.js +++ /dev/null @@ -1,5 +0,0 @@ -'use strict'; -require('../../modules/esnext.math.seeded-prng'); -var path = require('../../internals/path'); - -module.exports = path.Math.seededPRNG; diff --git a/node_modules/core-js/full/math/sign.js b/node_modules/core-js/full/math/sign.js deleted file mode 100644 index 678db98..0000000 --- a/node_modules/core-js/full/math/sign.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../actual/math/sign'); - -module.exports = parent; diff --git a/node_modules/core-js/full/math/signbit.js b/node_modules/core-js/full/math/signbit.js deleted file mode 100644 index e652559..0000000 --- a/node_modules/core-js/full/math/signbit.js +++ /dev/null @@ -1,5 +0,0 @@ -'use strict'; -require('../../modules/esnext.math.signbit'); -var path = require('../../internals/path'); - -module.exports = path.Math.signbit; diff --git a/node_modules/core-js/full/math/sinh.js b/node_modules/core-js/full/math/sinh.js deleted file mode 100644 index 6d1a498..0000000 --- a/node_modules/core-js/full/math/sinh.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../actual/math/sinh'); - -module.exports = parent; diff --git a/node_modules/core-js/full/math/tanh.js b/node_modules/core-js/full/math/tanh.js deleted file mode 100644 index b56c9af..0000000 --- a/node_modules/core-js/full/math/tanh.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../actual/math/tanh'); - -module.exports = parent; diff --git a/node_modules/core-js/full/math/to-string-tag.js b/node_modules/core-js/full/math/to-string-tag.js deleted file mode 100644 index f391373..0000000 --- a/node_modules/core-js/full/math/to-string-tag.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../actual/math/to-string-tag'); - -module.exports = parent; diff --git a/node_modules/core-js/full/math/trunc.js b/node_modules/core-js/full/math/trunc.js deleted file mode 100644 index f0d3f68..0000000 --- a/node_modules/core-js/full/math/trunc.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../actual/math/trunc'); - -module.exports = parent; diff --git a/node_modules/core-js/full/math/umulh.js b/node_modules/core-js/full/math/umulh.js deleted file mode 100644 index 2cdd561..0000000 --- a/node_modules/core-js/full/math/umulh.js +++ /dev/null @@ -1,5 +0,0 @@ -'use strict'; -require('../../modules/esnext.math.umulh'); -var path = require('../../internals/path'); - -module.exports = path.Math.umulh; diff --git a/node_modules/core-js/full/number/constructor.js b/node_modules/core-js/full/number/constructor.js deleted file mode 100644 index 74d8256..0000000 --- a/node_modules/core-js/full/number/constructor.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../actual/number/constructor'); - -module.exports = parent; diff --git a/node_modules/core-js/full/number/epsilon.js b/node_modules/core-js/full/number/epsilon.js deleted file mode 100644 index 85eda3d..0000000 --- a/node_modules/core-js/full/number/epsilon.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../actual/number/epsilon'); - -module.exports = parent; diff --git a/node_modules/core-js/full/number/from-string.js b/node_modules/core-js/full/number/from-string.js deleted file mode 100644 index 334b931..0000000 --- a/node_modules/core-js/full/number/from-string.js +++ /dev/null @@ -1,5 +0,0 @@ -'use strict'; -require('../../modules/esnext.number.from-string'); -var path = require('../../internals/path'); - -module.exports = path.Number.fromString; diff --git a/node_modules/core-js/full/number/index.js b/node_modules/core-js/full/number/index.js deleted file mode 100644 index d06e9c1..0000000 --- a/node_modules/core-js/full/number/index.js +++ /dev/null @@ -1,8 +0,0 @@ -'use strict'; -var parent = require('../../actual/number'); - -module.exports = parent; - -require('../../modules/es.object.to-string'); -require('../../modules/esnext.number.from-string'); -require('../../modules/esnext.number.range'); diff --git a/node_modules/core-js/full/number/is-finite.js b/node_modules/core-js/full/number/is-finite.js deleted file mode 100644 index 160692d..0000000 --- a/node_modules/core-js/full/number/is-finite.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../actual/number/is-finite'); - -module.exports = parent; diff --git a/node_modules/core-js/full/number/is-integer.js b/node_modules/core-js/full/number/is-integer.js deleted file mode 100644 index c871191..0000000 --- a/node_modules/core-js/full/number/is-integer.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../actual/number/is-integer'); - -module.exports = parent; diff --git a/node_modules/core-js/full/number/is-nan.js b/node_modules/core-js/full/number/is-nan.js deleted file mode 100644 index e5bb8d0..0000000 --- a/node_modules/core-js/full/number/is-nan.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../actual/number/is-nan'); - -module.exports = parent; diff --git a/node_modules/core-js/full/number/is-safe-integer.js b/node_modules/core-js/full/number/is-safe-integer.js deleted file mode 100644 index 2a81972..0000000 --- a/node_modules/core-js/full/number/is-safe-integer.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../actual/number/is-safe-integer'); - -module.exports = parent; diff --git a/node_modules/core-js/full/number/max-safe-integer.js b/node_modules/core-js/full/number/max-safe-integer.js deleted file mode 100644 index 8090e2a..0000000 --- a/node_modules/core-js/full/number/max-safe-integer.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../actual/number/max-safe-integer'); - -module.exports = parent; diff --git a/node_modules/core-js/full/number/min-safe-integer.js b/node_modules/core-js/full/number/min-safe-integer.js deleted file mode 100644 index 9c95f27..0000000 --- a/node_modules/core-js/full/number/min-safe-integer.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../actual/number/min-safe-integer'); - -module.exports = parent; diff --git a/node_modules/core-js/full/number/parse-float.js b/node_modules/core-js/full/number/parse-float.js deleted file mode 100644 index 0c81579..0000000 --- a/node_modules/core-js/full/number/parse-float.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../actual/number/parse-float'); - -module.exports = parent; diff --git a/node_modules/core-js/full/number/parse-int.js b/node_modules/core-js/full/number/parse-int.js deleted file mode 100644 index 211a703..0000000 --- a/node_modules/core-js/full/number/parse-int.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../actual/number/parse-int'); - -module.exports = parent; diff --git a/node_modules/core-js/full/number/range.js b/node_modules/core-js/full/number/range.js deleted file mode 100644 index 5b02c43..0000000 --- a/node_modules/core-js/full/number/range.js +++ /dev/null @@ -1,6 +0,0 @@ -'use strict'; -require('../../modules/es.object.to-string'); -require('../../modules/esnext.number.range'); -var path = require('../../internals/path'); - -module.exports = path.Number.range; diff --git a/node_modules/core-js/full/number/to-exponential.js b/node_modules/core-js/full/number/to-exponential.js deleted file mode 100644 index 35ecf72..0000000 --- a/node_modules/core-js/full/number/to-exponential.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../actual/number/to-exponential'); - -module.exports = parent; diff --git a/node_modules/core-js/full/number/to-fixed.js b/node_modules/core-js/full/number/to-fixed.js deleted file mode 100644 index 4541d0e..0000000 --- a/node_modules/core-js/full/number/to-fixed.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../actual/number/to-fixed'); - -module.exports = parent; diff --git a/node_modules/core-js/full/number/to-precision.js b/node_modules/core-js/full/number/to-precision.js deleted file mode 100644 index 6a5453b..0000000 --- a/node_modules/core-js/full/number/to-precision.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../actual/number/to-precision'); - -module.exports = parent; diff --git a/node_modules/core-js/full/number/virtual/index.js b/node_modules/core-js/full/number/virtual/index.js deleted file mode 100644 index 8c21e41..0000000 --- a/node_modules/core-js/full/number/virtual/index.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../../actual/number/virtual'); - -module.exports = parent; diff --git a/node_modules/core-js/full/number/virtual/to-exponential.js b/node_modules/core-js/full/number/virtual/to-exponential.js deleted file mode 100644 index 7e9c11c..0000000 --- a/node_modules/core-js/full/number/virtual/to-exponential.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../../actual/number/virtual/to-exponential'); - -module.exports = parent; diff --git a/node_modules/core-js/full/number/virtual/to-fixed.js b/node_modules/core-js/full/number/virtual/to-fixed.js deleted file mode 100644 index fd79411..0000000 --- a/node_modules/core-js/full/number/virtual/to-fixed.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../../actual/number/virtual/to-fixed'); - -module.exports = parent; diff --git a/node_modules/core-js/full/number/virtual/to-precision.js b/node_modules/core-js/full/number/virtual/to-precision.js deleted file mode 100644 index 7613cbe..0000000 --- a/node_modules/core-js/full/number/virtual/to-precision.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../../actual/number/virtual/to-precision'); - -module.exports = parent; diff --git a/node_modules/core-js/full/object/assign.js b/node_modules/core-js/full/object/assign.js deleted file mode 100644 index 31728d1..0000000 --- a/node_modules/core-js/full/object/assign.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../actual/object/assign'); - -module.exports = parent; diff --git a/node_modules/core-js/full/object/create.js b/node_modules/core-js/full/object/create.js deleted file mode 100644 index 6f345f1..0000000 --- a/node_modules/core-js/full/object/create.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../actual/object/create'); - -module.exports = parent; diff --git a/node_modules/core-js/full/object/define-getter.js b/node_modules/core-js/full/object/define-getter.js deleted file mode 100644 index b227de0..0000000 --- a/node_modules/core-js/full/object/define-getter.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../actual/object/define-getter'); - -module.exports = parent; diff --git a/node_modules/core-js/full/object/define-properties.js b/node_modules/core-js/full/object/define-properties.js deleted file mode 100644 index 4e8b0e0..0000000 --- a/node_modules/core-js/full/object/define-properties.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../actual/object/define-properties'); - -module.exports = parent; diff --git a/node_modules/core-js/full/object/define-property.js b/node_modules/core-js/full/object/define-property.js deleted file mode 100644 index 49fbbb7..0000000 --- a/node_modules/core-js/full/object/define-property.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../actual/object/define-property'); - -module.exports = parent; diff --git a/node_modules/core-js/full/object/define-setter.js b/node_modules/core-js/full/object/define-setter.js deleted file mode 100644 index 64d47dd..0000000 --- a/node_modules/core-js/full/object/define-setter.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../actual/object/define-setter'); - -module.exports = parent; diff --git a/node_modules/core-js/full/object/entries.js b/node_modules/core-js/full/object/entries.js deleted file mode 100644 index 38df8a7..0000000 --- a/node_modules/core-js/full/object/entries.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../actual/object/entries'); - -module.exports = parent; diff --git a/node_modules/core-js/full/object/freeze.js b/node_modules/core-js/full/object/freeze.js deleted file mode 100644 index cb2d1fb..0000000 --- a/node_modules/core-js/full/object/freeze.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../actual/object/freeze'); - -module.exports = parent; diff --git a/node_modules/core-js/full/object/from-entries.js b/node_modules/core-js/full/object/from-entries.js deleted file mode 100644 index e057e66..0000000 --- a/node_modules/core-js/full/object/from-entries.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../actual/object/from-entries'); - -module.exports = parent; diff --git a/node_modules/core-js/full/object/get-own-property-descriptor.js b/node_modules/core-js/full/object/get-own-property-descriptor.js deleted file mode 100644 index 0a2d96b..0000000 --- a/node_modules/core-js/full/object/get-own-property-descriptor.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../actual/object/get-own-property-descriptor'); - -module.exports = parent; diff --git a/node_modules/core-js/full/object/get-own-property-descriptors.js b/node_modules/core-js/full/object/get-own-property-descriptors.js deleted file mode 100644 index 2d084c6..0000000 --- a/node_modules/core-js/full/object/get-own-property-descriptors.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../actual/object/get-own-property-descriptors'); - -module.exports = parent; diff --git a/node_modules/core-js/full/object/get-own-property-names.js b/node_modules/core-js/full/object/get-own-property-names.js deleted file mode 100644 index 02d280f..0000000 --- a/node_modules/core-js/full/object/get-own-property-names.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../actual/object/get-own-property-names'); - -module.exports = parent; diff --git a/node_modules/core-js/full/object/get-own-property-symbols.js b/node_modules/core-js/full/object/get-own-property-symbols.js deleted file mode 100644 index ebad505..0000000 --- a/node_modules/core-js/full/object/get-own-property-symbols.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../actual/object/get-own-property-symbols'); - -module.exports = parent; diff --git a/node_modules/core-js/full/object/get-prototype-of.js b/node_modules/core-js/full/object/get-prototype-of.js deleted file mode 100644 index 5cb26a8..0000000 --- a/node_modules/core-js/full/object/get-prototype-of.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../actual/object/get-prototype-of'); - -module.exports = parent; diff --git a/node_modules/core-js/full/object/group-by.js b/node_modules/core-js/full/object/group-by.js deleted file mode 100644 index c52c073..0000000 --- a/node_modules/core-js/full/object/group-by.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../actual/object/group-by'); - -module.exports = parent; diff --git a/node_modules/core-js/full/object/has-own.js b/node_modules/core-js/full/object/has-own.js deleted file mode 100644 index 3d2c4ed..0000000 --- a/node_modules/core-js/full/object/has-own.js +++ /dev/null @@ -1,7 +0,0 @@ -'use strict'; -var parent = require('../../actual/object/has-own'); - -// TODO: Remove from `core-js@4` -require('../../modules/esnext.object.has-own'); - -module.exports = parent; diff --git a/node_modules/core-js/full/object/index.js b/node_modules/core-js/full/object/index.js deleted file mode 100644 index 6720214..0000000 --- a/node_modules/core-js/full/object/index.js +++ /dev/null @@ -1,9 +0,0 @@ -'use strict'; -var parent = require('../../actual/object'); -// TODO: Remove from `core-js@4` -require('../../modules/esnext.object.has-own'); -require('../../modules/esnext.object.iterate-entries'); -require('../../modules/esnext.object.iterate-keys'); -require('../../modules/esnext.object.iterate-values'); - -module.exports = parent; diff --git a/node_modules/core-js/full/object/is-extensible.js b/node_modules/core-js/full/object/is-extensible.js deleted file mode 100644 index 7bc463a..0000000 --- a/node_modules/core-js/full/object/is-extensible.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../actual/object/is-extensible'); - -module.exports = parent; diff --git a/node_modules/core-js/full/object/is-frozen.js b/node_modules/core-js/full/object/is-frozen.js deleted file mode 100644 index 5573c28..0000000 --- a/node_modules/core-js/full/object/is-frozen.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../actual/object/is-frozen'); - -module.exports = parent; diff --git a/node_modules/core-js/full/object/is-sealed.js b/node_modules/core-js/full/object/is-sealed.js deleted file mode 100644 index 423fcaf..0000000 --- a/node_modules/core-js/full/object/is-sealed.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../actual/object/is-sealed'); - -module.exports = parent; diff --git a/node_modules/core-js/full/object/is.js b/node_modules/core-js/full/object/is.js deleted file mode 100644 index 0787260..0000000 --- a/node_modules/core-js/full/object/is.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../actual/object/is'); - -module.exports = parent; diff --git a/node_modules/core-js/full/object/iterate-entries.js b/node_modules/core-js/full/object/iterate-entries.js deleted file mode 100644 index e46f881..0000000 --- a/node_modules/core-js/full/object/iterate-entries.js +++ /dev/null @@ -1,5 +0,0 @@ -'use strict'; -require('../../modules/esnext.object.iterate-entries'); -var path = require('../../internals/path'); - -module.exports = path.Object.iterateEntries; diff --git a/node_modules/core-js/full/object/iterate-keys.js b/node_modules/core-js/full/object/iterate-keys.js deleted file mode 100644 index 68afc74..0000000 --- a/node_modules/core-js/full/object/iterate-keys.js +++ /dev/null @@ -1,5 +0,0 @@ -'use strict'; -require('../../modules/esnext.object.iterate-keys'); -var path = require('../../internals/path'); - -module.exports = path.Object.iterateKeys; diff --git a/node_modules/core-js/full/object/iterate-values.js b/node_modules/core-js/full/object/iterate-values.js deleted file mode 100644 index 2a35127..0000000 --- a/node_modules/core-js/full/object/iterate-values.js +++ /dev/null @@ -1,5 +0,0 @@ -'use strict'; -require('../../modules/esnext.object.iterate-values'); -var path = require('../../internals/path'); - -module.exports = path.Object.iterateValues; diff --git a/node_modules/core-js/full/object/keys.js b/node_modules/core-js/full/object/keys.js deleted file mode 100644 index f5e1b56..0000000 --- a/node_modules/core-js/full/object/keys.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../actual/object/keys'); - -module.exports = parent; diff --git a/node_modules/core-js/full/object/lookup-getter.js b/node_modules/core-js/full/object/lookup-getter.js deleted file mode 100644 index e74c064..0000000 --- a/node_modules/core-js/full/object/lookup-getter.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../actual/object/lookup-getter'); - -module.exports = parent; diff --git a/node_modules/core-js/full/object/lookup-setter.js b/node_modules/core-js/full/object/lookup-setter.js deleted file mode 100644 index 7a11b4a..0000000 --- a/node_modules/core-js/full/object/lookup-setter.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../actual/object/lookup-setter'); - -module.exports = parent; diff --git a/node_modules/core-js/full/object/prevent-extensions.js b/node_modules/core-js/full/object/prevent-extensions.js deleted file mode 100644 index 5537694..0000000 --- a/node_modules/core-js/full/object/prevent-extensions.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../actual/object/prevent-extensions'); - -module.exports = parent; diff --git a/node_modules/core-js/full/object/proto.js b/node_modules/core-js/full/object/proto.js deleted file mode 100644 index dcf2a1a..0000000 --- a/node_modules/core-js/full/object/proto.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../actual/object/proto'); - -module.exports = parent; diff --git a/node_modules/core-js/full/object/seal.js b/node_modules/core-js/full/object/seal.js deleted file mode 100644 index 7afd5a9..0000000 --- a/node_modules/core-js/full/object/seal.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../actual/object/seal'); - -module.exports = parent; diff --git a/node_modules/core-js/full/object/set-prototype-of.js b/node_modules/core-js/full/object/set-prototype-of.js deleted file mode 100644 index e3434d7..0000000 --- a/node_modules/core-js/full/object/set-prototype-of.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../actual/object/set-prototype-of'); - -module.exports = parent; diff --git a/node_modules/core-js/full/object/to-string.js b/node_modules/core-js/full/object/to-string.js deleted file mode 100644 index 7c590c6..0000000 --- a/node_modules/core-js/full/object/to-string.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../actual/object/to-string'); - -module.exports = parent; diff --git a/node_modules/core-js/full/object/values.js b/node_modules/core-js/full/object/values.js deleted file mode 100644 index 72b8691..0000000 --- a/node_modules/core-js/full/object/values.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../actual/object/values'); - -module.exports = parent; diff --git a/node_modules/core-js/full/observable/index.js b/node_modules/core-js/full/observable/index.js deleted file mode 100644 index c29fa73..0000000 --- a/node_modules/core-js/full/observable/index.js +++ /dev/null @@ -1,9 +0,0 @@ -'use strict'; -require('../../modules/esnext.observable'); -require('../../modules/esnext.symbol.observable'); -require('../../modules/es.object.to-string'); -require('../../modules/es.string.iterator'); -require('../../modules/web.dom-collections.iterator'); -var path = require('../../internals/path'); - -module.exports = path.Observable; diff --git a/node_modules/core-js/full/parse-float.js b/node_modules/core-js/full/parse-float.js deleted file mode 100644 index 943f46e..0000000 --- a/node_modules/core-js/full/parse-float.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../actual/parse-float'); - -module.exports = parent; diff --git a/node_modules/core-js/full/parse-int.js b/node_modules/core-js/full/parse-int.js deleted file mode 100644 index 0267308..0000000 --- a/node_modules/core-js/full/parse-int.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../actual/parse-int'); - -module.exports = parent; diff --git a/node_modules/core-js/full/promise/all-settled.js b/node_modules/core-js/full/promise/all-settled.js deleted file mode 100644 index 5279cba..0000000 --- a/node_modules/core-js/full/promise/all-settled.js +++ /dev/null @@ -1,7 +0,0 @@ -'use strict'; -// TODO: Remove from `core-js@4` -require('../../modules/esnext.promise.all-settled'); - -var parent = require('../../actual/promise/all-settled'); - -module.exports = parent; diff --git a/node_modules/core-js/full/promise/any.js b/node_modules/core-js/full/promise/any.js deleted file mode 100644 index ab2a7da..0000000 --- a/node_modules/core-js/full/promise/any.js +++ /dev/null @@ -1,8 +0,0 @@ -'use strict'; -var parent = require('../../actual/promise/any'); - -// TODO: Remove from `core-js@4` -require('../../modules/esnext.aggregate-error'); -require('../../modules/esnext.promise.any'); - -module.exports = parent; diff --git a/node_modules/core-js/full/promise/finally.js b/node_modules/core-js/full/promise/finally.js deleted file mode 100644 index feae5bb..0000000 --- a/node_modules/core-js/full/promise/finally.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../actual/promise/finally'); - -module.exports = parent; diff --git a/node_modules/core-js/full/promise/index.js b/node_modules/core-js/full/promise/index.js deleted file mode 100644 index 2974061..0000000 --- a/node_modules/core-js/full/promise/index.js +++ /dev/null @@ -1,9 +0,0 @@ -'use strict'; -var parent = require('../../actual/promise'); -// TODO: Remove from `core-js@4` -require('../../modules/esnext.aggregate-error'); -require('../../modules/esnext.promise.all-settled'); -require('../../modules/esnext.promise.try'); -require('../../modules/esnext.promise.any'); - -module.exports = parent; diff --git a/node_modules/core-js/full/promise/try.js b/node_modules/core-js/full/promise/try.js deleted file mode 100644 index a35f233..0000000 --- a/node_modules/core-js/full/promise/try.js +++ /dev/null @@ -1,13 +0,0 @@ -'use strict'; -require('../../modules/es.promise'); -require('../../modules/esnext.promise.try'); -var call = require('../../internals/function-call'); -var isCallable = require('../../internals/is-callable'); -var path = require('../../internals/path'); - -var Promise = path.Promise; -var promiseTry = Promise['try']; - -module.exports = { 'try': function (callbackfn) { - return call(promiseTry, isCallable(this) ? this : Promise, callbackfn); -} }['try']; diff --git a/node_modules/core-js/full/promise/with-resolvers.js b/node_modules/core-js/full/promise/with-resolvers.js deleted file mode 100644 index f1b0709..0000000 --- a/node_modules/core-js/full/promise/with-resolvers.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../actual/promise/with-resolvers'); - -module.exports = parent; diff --git a/node_modules/core-js/full/queue-microtask.js b/node_modules/core-js/full/queue-microtask.js deleted file mode 100644 index a01488c..0000000 --- a/node_modules/core-js/full/queue-microtask.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../actual/queue-microtask'); - -module.exports = parent; diff --git a/node_modules/core-js/full/reflect/apply.js b/node_modules/core-js/full/reflect/apply.js deleted file mode 100644 index 39adbcd..0000000 --- a/node_modules/core-js/full/reflect/apply.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../actual/reflect/apply'); - -module.exports = parent; diff --git a/node_modules/core-js/full/reflect/construct.js b/node_modules/core-js/full/reflect/construct.js deleted file mode 100644 index 7f1bb95..0000000 --- a/node_modules/core-js/full/reflect/construct.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../actual/reflect/construct'); - -module.exports = parent; diff --git a/node_modules/core-js/full/reflect/define-metadata.js b/node_modules/core-js/full/reflect/define-metadata.js deleted file mode 100644 index dba9cc3..0000000 --- a/node_modules/core-js/full/reflect/define-metadata.js +++ /dev/null @@ -1,5 +0,0 @@ -'use strict'; -require('../../modules/esnext.reflect.define-metadata'); -var path = require('../../internals/path'); - -module.exports = path.Reflect.defineMetadata; diff --git a/node_modules/core-js/full/reflect/define-property.js b/node_modules/core-js/full/reflect/define-property.js deleted file mode 100644 index f3f7d5f..0000000 --- a/node_modules/core-js/full/reflect/define-property.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../actual/reflect/define-property'); - -module.exports = parent; diff --git a/node_modules/core-js/full/reflect/delete-metadata.js b/node_modules/core-js/full/reflect/delete-metadata.js deleted file mode 100644 index a3a3733..0000000 --- a/node_modules/core-js/full/reflect/delete-metadata.js +++ /dev/null @@ -1,5 +0,0 @@ -'use strict'; -require('../../modules/esnext.reflect.delete-metadata'); -var path = require('../../internals/path'); - -module.exports = path.Reflect.deleteMetadata; diff --git a/node_modules/core-js/full/reflect/delete-property.js b/node_modules/core-js/full/reflect/delete-property.js deleted file mode 100644 index 270cb5d..0000000 --- a/node_modules/core-js/full/reflect/delete-property.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../actual/reflect/delete-property'); - -module.exports = parent; diff --git a/node_modules/core-js/full/reflect/get-metadata-keys.js b/node_modules/core-js/full/reflect/get-metadata-keys.js deleted file mode 100644 index 4d671fd..0000000 --- a/node_modules/core-js/full/reflect/get-metadata-keys.js +++ /dev/null @@ -1,5 +0,0 @@ -'use strict'; -require('../../modules/esnext.reflect.get-metadata-keys'); -var path = require('../../internals/path'); - -module.exports = path.Reflect.getMetadataKeys; diff --git a/node_modules/core-js/full/reflect/get-metadata.js b/node_modules/core-js/full/reflect/get-metadata.js deleted file mode 100644 index 738bd74..0000000 --- a/node_modules/core-js/full/reflect/get-metadata.js +++ /dev/null @@ -1,5 +0,0 @@ -'use strict'; -require('../../modules/esnext.reflect.get-metadata'); -var path = require('../../internals/path'); - -module.exports = path.Reflect.getMetadata; diff --git a/node_modules/core-js/full/reflect/get-own-metadata-keys.js b/node_modules/core-js/full/reflect/get-own-metadata-keys.js deleted file mode 100644 index bd33e65..0000000 --- a/node_modules/core-js/full/reflect/get-own-metadata-keys.js +++ /dev/null @@ -1,5 +0,0 @@ -'use strict'; -require('../../modules/esnext.reflect.get-own-metadata-keys'); -var path = require('../../internals/path'); - -module.exports = path.Reflect.getOwnMetadataKeys; diff --git a/node_modules/core-js/full/reflect/get-own-metadata.js b/node_modules/core-js/full/reflect/get-own-metadata.js deleted file mode 100644 index c8890df..0000000 --- a/node_modules/core-js/full/reflect/get-own-metadata.js +++ /dev/null @@ -1,5 +0,0 @@ -'use strict'; -require('../../modules/esnext.reflect.get-own-metadata'); -var path = require('../../internals/path'); - -module.exports = path.Reflect.getOwnMetadata; diff --git a/node_modules/core-js/full/reflect/get-own-property-descriptor.js b/node_modules/core-js/full/reflect/get-own-property-descriptor.js deleted file mode 100644 index 4610a0f..0000000 --- a/node_modules/core-js/full/reflect/get-own-property-descriptor.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../actual/reflect/get-own-property-descriptor'); - -module.exports = parent; diff --git a/node_modules/core-js/full/reflect/get-prototype-of.js b/node_modules/core-js/full/reflect/get-prototype-of.js deleted file mode 100644 index e948f49..0000000 --- a/node_modules/core-js/full/reflect/get-prototype-of.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../actual/reflect/get-prototype-of'); - -module.exports = parent; diff --git a/node_modules/core-js/full/reflect/get.js b/node_modules/core-js/full/reflect/get.js deleted file mode 100644 index 75b2c85..0000000 --- a/node_modules/core-js/full/reflect/get.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../actual/reflect/get'); - -module.exports = parent; diff --git a/node_modules/core-js/full/reflect/has-metadata.js b/node_modules/core-js/full/reflect/has-metadata.js deleted file mode 100644 index bd623a7..0000000 --- a/node_modules/core-js/full/reflect/has-metadata.js +++ /dev/null @@ -1,5 +0,0 @@ -'use strict'; -require('../../modules/esnext.reflect.has-metadata'); -var path = require('../../internals/path'); - -module.exports = path.Reflect.hasMetadata; diff --git a/node_modules/core-js/full/reflect/has-own-metadata.js b/node_modules/core-js/full/reflect/has-own-metadata.js deleted file mode 100644 index f56149f..0000000 --- a/node_modules/core-js/full/reflect/has-own-metadata.js +++ /dev/null @@ -1,5 +0,0 @@ -'use strict'; -require('../../modules/esnext.reflect.has-own-metadata'); -var path = require('../../internals/path'); - -module.exports = path.Reflect.hasOwnMetadata; diff --git a/node_modules/core-js/full/reflect/has.js b/node_modules/core-js/full/reflect/has.js deleted file mode 100644 index 3de54d8..0000000 --- a/node_modules/core-js/full/reflect/has.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../actual/reflect/has'); - -module.exports = parent; diff --git a/node_modules/core-js/full/reflect/index.js b/node_modules/core-js/full/reflect/index.js deleted file mode 100644 index 5ff5892..0000000 --- a/node_modules/core-js/full/reflect/index.js +++ /dev/null @@ -1,13 +0,0 @@ -'use strict'; -var parent = require('../../actual/reflect'); -require('../../modules/esnext.reflect.define-metadata'); -require('../../modules/esnext.reflect.delete-metadata'); -require('../../modules/esnext.reflect.get-metadata'); -require('../../modules/esnext.reflect.get-metadata-keys'); -require('../../modules/esnext.reflect.get-own-metadata'); -require('../../modules/esnext.reflect.get-own-metadata-keys'); -require('../../modules/esnext.reflect.has-metadata'); -require('../../modules/esnext.reflect.has-own-metadata'); -require('../../modules/esnext.reflect.metadata'); - -module.exports = parent; diff --git a/node_modules/core-js/full/reflect/is-extensible.js b/node_modules/core-js/full/reflect/is-extensible.js deleted file mode 100644 index b6131c4..0000000 --- a/node_modules/core-js/full/reflect/is-extensible.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../actual/reflect/is-extensible'); - -module.exports = parent; diff --git a/node_modules/core-js/full/reflect/metadata.js b/node_modules/core-js/full/reflect/metadata.js deleted file mode 100644 index a3ff8f5..0000000 --- a/node_modules/core-js/full/reflect/metadata.js +++ /dev/null @@ -1,5 +0,0 @@ -'use strict'; -require('../../modules/esnext.reflect.metadata'); -var path = require('../../internals/path'); - -module.exports = path.Reflect.metadata; diff --git a/node_modules/core-js/full/reflect/own-keys.js b/node_modules/core-js/full/reflect/own-keys.js deleted file mode 100644 index 1bfadd3..0000000 --- a/node_modules/core-js/full/reflect/own-keys.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../actual/reflect/own-keys'); - -module.exports = parent; diff --git a/node_modules/core-js/full/reflect/prevent-extensions.js b/node_modules/core-js/full/reflect/prevent-extensions.js deleted file mode 100644 index 48af957..0000000 --- a/node_modules/core-js/full/reflect/prevent-extensions.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../actual/reflect/prevent-extensions'); - -module.exports = parent; diff --git a/node_modules/core-js/full/reflect/set-prototype-of.js b/node_modules/core-js/full/reflect/set-prototype-of.js deleted file mode 100644 index 0d07597..0000000 --- a/node_modules/core-js/full/reflect/set-prototype-of.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../actual/reflect/set-prototype-of'); - -module.exports = parent; diff --git a/node_modules/core-js/full/reflect/set.js b/node_modules/core-js/full/reflect/set.js deleted file mode 100644 index a08a20d..0000000 --- a/node_modules/core-js/full/reflect/set.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../actual/reflect/set'); - -module.exports = parent; diff --git a/node_modules/core-js/full/reflect/to-string-tag.js b/node_modules/core-js/full/reflect/to-string-tag.js deleted file mode 100644 index 3908aff..0000000 --- a/node_modules/core-js/full/reflect/to-string-tag.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -require('../../modules/es.reflect.to-string-tag'); - -module.exports = 'Reflect'; diff --git a/node_modules/core-js/full/regexp/constructor.js b/node_modules/core-js/full/regexp/constructor.js deleted file mode 100644 index 414c1db..0000000 --- a/node_modules/core-js/full/regexp/constructor.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../actual/regexp/constructor'); - -module.exports = parent; diff --git a/node_modules/core-js/full/regexp/dot-all.js b/node_modules/core-js/full/regexp/dot-all.js deleted file mode 100644 index bb687d2..0000000 --- a/node_modules/core-js/full/regexp/dot-all.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../actual/regexp/dot-all'); - -module.exports = parent; diff --git a/node_modules/core-js/full/regexp/escape.js b/node_modules/core-js/full/regexp/escape.js deleted file mode 100644 index 983d260..0000000 --- a/node_modules/core-js/full/regexp/escape.js +++ /dev/null @@ -1,5 +0,0 @@ -'use strict'; -require('../../modules/esnext.regexp.escape'); -var path = require('../../internals/path'); - -module.exports = path.RegExp.escape; diff --git a/node_modules/core-js/full/regexp/flags.js b/node_modules/core-js/full/regexp/flags.js deleted file mode 100644 index 1356b99..0000000 --- a/node_modules/core-js/full/regexp/flags.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../actual/regexp/flags'); - -module.exports = parent; diff --git a/node_modules/core-js/full/regexp/index.js b/node_modules/core-js/full/regexp/index.js deleted file mode 100644 index 46616ce..0000000 --- a/node_modules/core-js/full/regexp/index.js +++ /dev/null @@ -1,5 +0,0 @@ -'use strict'; -var parent = require('../../actual/regexp'); -require('../../modules/esnext.regexp.escape'); - -module.exports = parent; diff --git a/node_modules/core-js/full/regexp/match.js b/node_modules/core-js/full/regexp/match.js deleted file mode 100644 index 97dcf32..0000000 --- a/node_modules/core-js/full/regexp/match.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../actual/regexp/match'); - -module.exports = parent; diff --git a/node_modules/core-js/full/regexp/replace.js b/node_modules/core-js/full/regexp/replace.js deleted file mode 100644 index 5c22adb..0000000 --- a/node_modules/core-js/full/regexp/replace.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../actual/regexp/replace'); - -module.exports = parent; diff --git a/node_modules/core-js/full/regexp/search.js b/node_modules/core-js/full/regexp/search.js deleted file mode 100644 index 551c403..0000000 --- a/node_modules/core-js/full/regexp/search.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../actual/regexp/search'); - -module.exports = parent; diff --git a/node_modules/core-js/full/regexp/split.js b/node_modules/core-js/full/regexp/split.js deleted file mode 100644 index 2aaa16c..0000000 --- a/node_modules/core-js/full/regexp/split.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../actual/regexp/split'); - -module.exports = parent; diff --git a/node_modules/core-js/full/regexp/sticky.js b/node_modules/core-js/full/regexp/sticky.js deleted file mode 100644 index 2831425..0000000 --- a/node_modules/core-js/full/regexp/sticky.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../actual/regexp/sticky'); - -module.exports = parent; diff --git a/node_modules/core-js/full/regexp/test.js b/node_modules/core-js/full/regexp/test.js deleted file mode 100644 index 04e5c12..0000000 --- a/node_modules/core-js/full/regexp/test.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../actual/regexp/test'); - -module.exports = parent; diff --git a/node_modules/core-js/full/regexp/to-string.js b/node_modules/core-js/full/regexp/to-string.js deleted file mode 100644 index f2a2709..0000000 --- a/node_modules/core-js/full/regexp/to-string.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../actual/regexp/to-string'); - -module.exports = parent; diff --git a/node_modules/core-js/full/self.js b/node_modules/core-js/full/self.js deleted file mode 100644 index f460150..0000000 --- a/node_modules/core-js/full/self.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../actual/self'); - -module.exports = parent; diff --git a/node_modules/core-js/full/set-immediate.js b/node_modules/core-js/full/set-immediate.js deleted file mode 100644 index 8d99840..0000000 --- a/node_modules/core-js/full/set-immediate.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../actual/set-immediate'); - -module.exports = parent; diff --git a/node_modules/core-js/full/set-interval.js b/node_modules/core-js/full/set-interval.js deleted file mode 100644 index b542c54..0000000 --- a/node_modules/core-js/full/set-interval.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../actual/set-interval'); - -module.exports = parent; diff --git a/node_modules/core-js/full/set-timeout.js b/node_modules/core-js/full/set-timeout.js deleted file mode 100644 index 2cc1978..0000000 --- a/node_modules/core-js/full/set-timeout.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../actual/set-timeout'); - -module.exports = parent; diff --git a/node_modules/core-js/full/set/add-all.js b/node_modules/core-js/full/set/add-all.js deleted file mode 100644 index bafef1c..0000000 --- a/node_modules/core-js/full/set/add-all.js +++ /dev/null @@ -1,6 +0,0 @@ -'use strict'; -require('../../modules/es.set'); -require('../../modules/esnext.set.add-all'); -var entryUnbind = require('../../internals/entry-unbind'); - -module.exports = entryUnbind('Set', 'addAll'); diff --git a/node_modules/core-js/full/set/delete-all.js b/node_modules/core-js/full/set/delete-all.js deleted file mode 100644 index 0233621..0000000 --- a/node_modules/core-js/full/set/delete-all.js +++ /dev/null @@ -1,6 +0,0 @@ -'use strict'; -require('../../modules/es.set'); -require('../../modules/esnext.set.delete-all'); -var entryUnbind = require('../../internals/entry-unbind'); - -module.exports = entryUnbind('Set', 'deleteAll'); diff --git a/node_modules/core-js/full/set/difference.js b/node_modules/core-js/full/set/difference.js deleted file mode 100644 index 879eff1..0000000 --- a/node_modules/core-js/full/set/difference.js +++ /dev/null @@ -1,9 +0,0 @@ -'use strict'; -require('../../actual/set/difference'); -require('../../modules/es.array.iterator'); -require('../../modules/es.string.iterator'); -require('../../modules/esnext.set.difference'); -require('../../modules/web.dom-collections.iterator'); -var entryUnbind = require('../../internals/entry-unbind'); - -module.exports = entryUnbind('Set', 'difference'); diff --git a/node_modules/core-js/full/set/every.js b/node_modules/core-js/full/set/every.js deleted file mode 100644 index f5c0cfb..0000000 --- a/node_modules/core-js/full/set/every.js +++ /dev/null @@ -1,6 +0,0 @@ -'use strict'; -require('../../modules/es.set'); -require('../../modules/esnext.set.every'); -var entryUnbind = require('../../internals/entry-unbind'); - -module.exports = entryUnbind('Set', 'every'); diff --git a/node_modules/core-js/full/set/filter.js b/node_modules/core-js/full/set/filter.js deleted file mode 100644 index 3150068..0000000 --- a/node_modules/core-js/full/set/filter.js +++ /dev/null @@ -1,6 +0,0 @@ -'use strict'; -require('../../modules/es.set'); -require('../../modules/esnext.set.filter'); -var entryUnbind = require('../../internals/entry-unbind'); - -module.exports = entryUnbind('Set', 'filter'); diff --git a/node_modules/core-js/full/set/find.js b/node_modules/core-js/full/set/find.js deleted file mode 100644 index 9ff5b53..0000000 --- a/node_modules/core-js/full/set/find.js +++ /dev/null @@ -1,6 +0,0 @@ -'use strict'; -require('../../modules/es.set'); -require('../../modules/esnext.set.find'); -var entryUnbind = require('../../internals/entry-unbind'); - -module.exports = entryUnbind('Set', 'find'); diff --git a/node_modules/core-js/full/set/from.js b/node_modules/core-js/full/set/from.js deleted file mode 100644 index f775051..0000000 --- a/node_modules/core-js/full/set/from.js +++ /dev/null @@ -1,16 +0,0 @@ -'use strict'; -require('../../modules/es.array.iterator'); -require('../../modules/es.set'); -require('../../modules/es.string.iterator'); -require('../../modules/esnext.set.from'); -require('../../modules/web.dom-collections.iterator'); -var call = require('../../internals/function-call'); -var isCallable = require('../../internals/is-callable'); -var path = require('../../internals/path'); - -var Set = path.Set; -var $from = Set.from; - -module.exports = function from(source, mapFn, thisArg) { - return call($from, isCallable(this) ? this : Set, source, mapFn, thisArg); -}; diff --git a/node_modules/core-js/full/set/index.js b/node_modules/core-js/full/set/index.js deleted file mode 100644 index f483f9e..0000000 --- a/node_modules/core-js/full/set/index.js +++ /dev/null @@ -1,22 +0,0 @@ -'use strict'; -var parent = require('../../actual/set'); -require('../../modules/esnext.set.from'); -require('../../modules/esnext.set.of'); -require('../../modules/esnext.set.add-all'); -require('../../modules/esnext.set.delete-all'); -require('../../modules/esnext.set.every'); -require('../../modules/esnext.set.difference'); -require('../../modules/esnext.set.filter'); -require('../../modules/esnext.set.find'); -require('../../modules/esnext.set.intersection'); -require('../../modules/esnext.set.is-disjoint-from'); -require('../../modules/esnext.set.is-subset-of'); -require('../../modules/esnext.set.is-superset-of'); -require('../../modules/esnext.set.join'); -require('../../modules/esnext.set.map'); -require('../../modules/esnext.set.reduce'); -require('../../modules/esnext.set.some'); -require('../../modules/esnext.set.symmetric-difference'); -require('../../modules/esnext.set.union'); - -module.exports = parent; diff --git a/node_modules/core-js/full/set/intersection.js b/node_modules/core-js/full/set/intersection.js deleted file mode 100644 index 8e96ff5..0000000 --- a/node_modules/core-js/full/set/intersection.js +++ /dev/null @@ -1,9 +0,0 @@ -'use strict'; -require('../../actual/set/intersection'); -require('../../modules/es.array.iterator'); -require('../../modules/es.string.iterator'); -require('../../modules/esnext.set.intersection'); -require('../../modules/web.dom-collections.iterator'); -var entryUnbind = require('../../internals/entry-unbind'); - -module.exports = entryUnbind('Set', 'intersection'); diff --git a/node_modules/core-js/full/set/is-disjoint-from.js b/node_modules/core-js/full/set/is-disjoint-from.js deleted file mode 100644 index 0eae0d6..0000000 --- a/node_modules/core-js/full/set/is-disjoint-from.js +++ /dev/null @@ -1,9 +0,0 @@ -'use strict'; -require('../../actual/set/is-disjoint-from'); -require('../../modules/es.array.iterator'); -require('../../modules/es.string.iterator'); -require('../../modules/esnext.set.is-disjoint-from'); -require('../../modules/web.dom-collections.iterator'); -var entryUnbind = require('../../internals/entry-unbind'); - -module.exports = entryUnbind('Set', 'isDisjointFrom'); diff --git a/node_modules/core-js/full/set/is-subset-of.js b/node_modules/core-js/full/set/is-subset-of.js deleted file mode 100644 index 6cab425..0000000 --- a/node_modules/core-js/full/set/is-subset-of.js +++ /dev/null @@ -1,9 +0,0 @@ -'use strict'; -require('../../actual/set/is-subset-of'); -require('../../modules/es.array.iterator'); -require('../../modules/es.string.iterator'); -require('../../modules/esnext.set.is-subset-of'); -require('../../modules/web.dom-collections.iterator'); -var entryUnbind = require('../../internals/entry-unbind'); - -module.exports = entryUnbind('Set', 'isSubsetOf'); diff --git a/node_modules/core-js/full/set/is-superset-of.js b/node_modules/core-js/full/set/is-superset-of.js deleted file mode 100644 index 38c029e..0000000 --- a/node_modules/core-js/full/set/is-superset-of.js +++ /dev/null @@ -1,9 +0,0 @@ -'use strict'; -require('../../actual/set/is-superset-of'); -require('../../modules/es.array.iterator'); -require('../../modules/es.string.iterator'); -require('../../modules/esnext.set.is-superset-of'); -require('../../modules/web.dom-collections.iterator'); -var entryUnbind = require('../../internals/entry-unbind'); - -module.exports = entryUnbind('Set', 'isSupersetOf'); diff --git a/node_modules/core-js/full/set/join.js b/node_modules/core-js/full/set/join.js deleted file mode 100644 index f50f5e2..0000000 --- a/node_modules/core-js/full/set/join.js +++ /dev/null @@ -1,6 +0,0 @@ -'use strict'; -require('../../modules/es.set'); -require('../../modules/esnext.set.join'); -var entryUnbind = require('../../internals/entry-unbind'); - -module.exports = entryUnbind('Set', 'join'); diff --git a/node_modules/core-js/full/set/map.js b/node_modules/core-js/full/set/map.js deleted file mode 100644 index 0785cfc..0000000 --- a/node_modules/core-js/full/set/map.js +++ /dev/null @@ -1,6 +0,0 @@ -'use strict'; -require('../../modules/es.set'); -require('../../modules/esnext.set.map'); -var entryUnbind = require('../../internals/entry-unbind'); - -module.exports = entryUnbind('Set', 'map'); diff --git a/node_modules/core-js/full/set/of.js b/node_modules/core-js/full/set/of.js deleted file mode 100644 index eac72b7..0000000 --- a/node_modules/core-js/full/set/of.js +++ /dev/null @@ -1,14 +0,0 @@ -'use strict'; -require('../../modules/es.array.iterator'); -require('../../modules/es.set'); -require('../../modules/esnext.set.of'); -var path = require('../../internals/path'); -var apply = require('../../internals/function-apply'); -var isCallable = require('../../internals/is-callable'); - -var Set = path.Set; -var setOf = Set.of; - -module.exports = function of() { - return apply(setOf, isCallable(this) ? this : Set, arguments); -}; diff --git a/node_modules/core-js/full/set/reduce.js b/node_modules/core-js/full/set/reduce.js deleted file mode 100644 index 5e624cd..0000000 --- a/node_modules/core-js/full/set/reduce.js +++ /dev/null @@ -1,6 +0,0 @@ -'use strict'; -require('../../modules/es.set'); -require('../../modules/esnext.set.reduce'); -var entryUnbind = require('../../internals/entry-unbind'); - -module.exports = entryUnbind('Set', 'reduce'); diff --git a/node_modules/core-js/full/set/some.js b/node_modules/core-js/full/set/some.js deleted file mode 100644 index 9a7adfd..0000000 --- a/node_modules/core-js/full/set/some.js +++ /dev/null @@ -1,6 +0,0 @@ -'use strict'; -require('../../modules/es.set'); -require('../../modules/esnext.set.some'); -var entryUnbind = require('../../internals/entry-unbind'); - -module.exports = entryUnbind('Set', 'some'); diff --git a/node_modules/core-js/full/set/symmetric-difference.js b/node_modules/core-js/full/set/symmetric-difference.js deleted file mode 100644 index 04b74e8..0000000 --- a/node_modules/core-js/full/set/symmetric-difference.js +++ /dev/null @@ -1,9 +0,0 @@ -'use strict'; -require('../../actual/set/symmetric-difference'); -require('../../modules/es.array.iterator'); -require('../../modules/es.string.iterator'); -require('../../modules/esnext.set.symmetric-difference'); -require('../../modules/web.dom-collections.iterator'); -var entryUnbind = require('../../internals/entry-unbind'); - -module.exports = entryUnbind('Set', 'symmetricDifference'); diff --git a/node_modules/core-js/full/set/union.js b/node_modules/core-js/full/set/union.js deleted file mode 100644 index 146011c..0000000 --- a/node_modules/core-js/full/set/union.js +++ /dev/null @@ -1,9 +0,0 @@ -'use strict'; -require('../../actual/set/union'); -require('../../modules/es.array.iterator'); -require('../../modules/es.string.iterator'); -require('../../modules/esnext.set.union'); -require('../../modules/web.dom-collections.iterator'); -var entryUnbind = require('../../internals/entry-unbind'); - -module.exports = entryUnbind('Set', 'union'); diff --git a/node_modules/core-js/full/string/anchor.js b/node_modules/core-js/full/string/anchor.js deleted file mode 100644 index 8faede4..0000000 --- a/node_modules/core-js/full/string/anchor.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../actual/string/anchor'); - -module.exports = parent; diff --git a/node_modules/core-js/full/string/at.js b/node_modules/core-js/full/string/at.js deleted file mode 100644 index a3903ea..0000000 --- a/node_modules/core-js/full/string/at.js +++ /dev/null @@ -1,6 +0,0 @@ -'use strict'; -require('../../actual/string/at'); -// TODO: Remove from `core-js@4` -require('../../modules/esnext.string.at'); - -module.exports = require('../../internals/entry-unbind')('String', 'at'); diff --git a/node_modules/core-js/full/string/big.js b/node_modules/core-js/full/string/big.js deleted file mode 100644 index bc349a2..0000000 --- a/node_modules/core-js/full/string/big.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../actual/string/big'); - -module.exports = parent; diff --git a/node_modules/core-js/full/string/blink.js b/node_modules/core-js/full/string/blink.js deleted file mode 100644 index e8abf63..0000000 --- a/node_modules/core-js/full/string/blink.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../actual/string/blink'); - -module.exports = parent; diff --git a/node_modules/core-js/full/string/bold.js b/node_modules/core-js/full/string/bold.js deleted file mode 100644 index e7954e5..0000000 --- a/node_modules/core-js/full/string/bold.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../actual/string/bold'); - -module.exports = parent; diff --git a/node_modules/core-js/full/string/code-point-at.js b/node_modules/core-js/full/string/code-point-at.js deleted file mode 100644 index ade6be4..0000000 --- a/node_modules/core-js/full/string/code-point-at.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../actual/string/code-point-at'); - -module.exports = parent; diff --git a/node_modules/core-js/full/string/code-points.js b/node_modules/core-js/full/string/code-points.js deleted file mode 100644 index 73bca4e..0000000 --- a/node_modules/core-js/full/string/code-points.js +++ /dev/null @@ -1,5 +0,0 @@ -'use strict'; -require('../../modules/es.object.to-string'); -require('../../modules/esnext.string.code-points'); - -module.exports = require('../../internals/entry-unbind')('String', 'codePoints'); diff --git a/node_modules/core-js/full/string/cooked.js b/node_modules/core-js/full/string/cooked.js deleted file mode 100644 index 6eddb1b..0000000 --- a/node_modules/core-js/full/string/cooked.js +++ /dev/null @@ -1,5 +0,0 @@ -'use strict'; -require('../../modules/esnext.string.cooked'); -var path = require('../../internals/path'); - -module.exports = path.String.cooked; diff --git a/node_modules/core-js/full/string/dedent.js b/node_modules/core-js/full/string/dedent.js deleted file mode 100644 index 68eb090..0000000 --- a/node_modules/core-js/full/string/dedent.js +++ /dev/null @@ -1,7 +0,0 @@ -'use strict'; -require('../../modules/es.string.from-code-point'); -require('../../modules/es.weak-map'); -require('../../modules/esnext.string.dedent'); -var path = require('../../internals/path'); - -module.exports = path.String.dedent; diff --git a/node_modules/core-js/full/string/ends-with.js b/node_modules/core-js/full/string/ends-with.js deleted file mode 100644 index 44ad69e..0000000 --- a/node_modules/core-js/full/string/ends-with.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../actual/string/ends-with'); - -module.exports = parent; diff --git a/node_modules/core-js/full/string/fixed.js b/node_modules/core-js/full/string/fixed.js deleted file mode 100644 index 44efff2..0000000 --- a/node_modules/core-js/full/string/fixed.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../actual/string/fixed'); - -module.exports = parent; diff --git a/node_modules/core-js/full/string/fontcolor.js b/node_modules/core-js/full/string/fontcolor.js deleted file mode 100644 index f491dfb..0000000 --- a/node_modules/core-js/full/string/fontcolor.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../actual/string/fontcolor'); - -module.exports = parent; diff --git a/node_modules/core-js/full/string/fontsize.js b/node_modules/core-js/full/string/fontsize.js deleted file mode 100644 index 0dffa6a..0000000 --- a/node_modules/core-js/full/string/fontsize.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../actual/string/fontsize'); - -module.exports = parent; diff --git a/node_modules/core-js/full/string/from-code-point.js b/node_modules/core-js/full/string/from-code-point.js deleted file mode 100644 index 3c2e909..0000000 --- a/node_modules/core-js/full/string/from-code-point.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../actual/string/from-code-point'); - -module.exports = parent; diff --git a/node_modules/core-js/full/string/includes.js b/node_modules/core-js/full/string/includes.js deleted file mode 100644 index 52966da..0000000 --- a/node_modules/core-js/full/string/includes.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../actual/string/includes'); - -module.exports = parent; diff --git a/node_modules/core-js/full/string/index.js b/node_modules/core-js/full/string/index.js deleted file mode 100644 index 708cbe6..0000000 --- a/node_modules/core-js/full/string/index.js +++ /dev/null @@ -1,12 +0,0 @@ -'use strict'; -var parent = require('../../actual/string'); -require('../../modules/es.weak-map'); -// TODO: remove from `core-js@4` -require('../../modules/esnext.string.at'); -require('../../modules/esnext.string.cooked'); -require('../../modules/esnext.string.code-points'); -require('../../modules/esnext.string.dedent'); -require('../../modules/esnext.string.match-all'); -require('../../modules/esnext.string.replace-all'); - -module.exports = parent; diff --git a/node_modules/core-js/full/string/is-well-formed.js b/node_modules/core-js/full/string/is-well-formed.js deleted file mode 100644 index c156be2..0000000 --- a/node_modules/core-js/full/string/is-well-formed.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../actual/string/is-well-formed'); - -module.exports = parent; diff --git a/node_modules/core-js/full/string/italics.js b/node_modules/core-js/full/string/italics.js deleted file mode 100644 index 42184d3..0000000 --- a/node_modules/core-js/full/string/italics.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../actual/string/italics'); - -module.exports = parent; diff --git a/node_modules/core-js/full/string/iterator.js b/node_modules/core-js/full/string/iterator.js deleted file mode 100644 index fefcef6..0000000 --- a/node_modules/core-js/full/string/iterator.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../actual/string/iterator'); - -module.exports = parent; diff --git a/node_modules/core-js/full/string/link.js b/node_modules/core-js/full/string/link.js deleted file mode 100644 index 3acbcfb..0000000 --- a/node_modules/core-js/full/string/link.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../actual/string/link'); - -module.exports = parent; diff --git a/node_modules/core-js/full/string/match-all.js b/node_modules/core-js/full/string/match-all.js deleted file mode 100644 index 9d23a4a..0000000 --- a/node_modules/core-js/full/string/match-all.js +++ /dev/null @@ -1,7 +0,0 @@ -'use strict'; -// TODO: remove from `core-js@4` -require('../../modules/esnext.string.match-all'); - -var parent = require('../../actual/string/match-all'); - -module.exports = parent; diff --git a/node_modules/core-js/full/string/match.js b/node_modules/core-js/full/string/match.js deleted file mode 100644 index a3dc019..0000000 --- a/node_modules/core-js/full/string/match.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../actual/string/match'); - -module.exports = parent; diff --git a/node_modules/core-js/full/string/pad-end.js b/node_modules/core-js/full/string/pad-end.js deleted file mode 100644 index d51bd03..0000000 --- a/node_modules/core-js/full/string/pad-end.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../actual/string/pad-end'); - -module.exports = parent; diff --git a/node_modules/core-js/full/string/pad-start.js b/node_modules/core-js/full/string/pad-start.js deleted file mode 100644 index f93fbdc..0000000 --- a/node_modules/core-js/full/string/pad-start.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../actual/string/pad-start'); - -module.exports = parent; diff --git a/node_modules/core-js/full/string/raw.js b/node_modules/core-js/full/string/raw.js deleted file mode 100644 index d304197..0000000 --- a/node_modules/core-js/full/string/raw.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../actual/string/raw'); - -module.exports = parent; diff --git a/node_modules/core-js/full/string/repeat.js b/node_modules/core-js/full/string/repeat.js deleted file mode 100644 index f3075ea..0000000 --- a/node_modules/core-js/full/string/repeat.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../actual/string/repeat'); - -module.exports = parent; diff --git a/node_modules/core-js/full/string/replace-all.js b/node_modules/core-js/full/string/replace-all.js deleted file mode 100644 index 1bbb651..0000000 --- a/node_modules/core-js/full/string/replace-all.js +++ /dev/null @@ -1,7 +0,0 @@ -'use strict'; -// TODO: remove from `core-js@4` -require('../../modules/esnext.string.replace-all'); - -var parent = require('../../actual/string/replace-all'); - -module.exports = parent; diff --git a/node_modules/core-js/full/string/replace.js b/node_modules/core-js/full/string/replace.js deleted file mode 100644 index 2ada803..0000000 --- a/node_modules/core-js/full/string/replace.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../actual/string/replace'); - -module.exports = parent; diff --git a/node_modules/core-js/full/string/search.js b/node_modules/core-js/full/string/search.js deleted file mode 100644 index 53e96af..0000000 --- a/node_modules/core-js/full/string/search.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../actual/string/search'); - -module.exports = parent; diff --git a/node_modules/core-js/full/string/small.js b/node_modules/core-js/full/string/small.js deleted file mode 100644 index 5d9b03f..0000000 --- a/node_modules/core-js/full/string/small.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../actual/string/small'); - -module.exports = parent; diff --git a/node_modules/core-js/full/string/split.js b/node_modules/core-js/full/string/split.js deleted file mode 100644 index 29d4920..0000000 --- a/node_modules/core-js/full/string/split.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../actual/string/split'); - -module.exports = parent; diff --git a/node_modules/core-js/full/string/starts-with.js b/node_modules/core-js/full/string/starts-with.js deleted file mode 100644 index 677f13f..0000000 --- a/node_modules/core-js/full/string/starts-with.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../actual/string/starts-with'); - -module.exports = parent; diff --git a/node_modules/core-js/full/string/strike.js b/node_modules/core-js/full/string/strike.js deleted file mode 100644 index 39ac25e..0000000 --- a/node_modules/core-js/full/string/strike.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../actual/string/strike'); - -module.exports = parent; diff --git a/node_modules/core-js/full/string/sub.js b/node_modules/core-js/full/string/sub.js deleted file mode 100644 index a67dc8e..0000000 --- a/node_modules/core-js/full/string/sub.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../actual/string/sub'); - -module.exports = parent; diff --git a/node_modules/core-js/full/string/substr.js b/node_modules/core-js/full/string/substr.js deleted file mode 100644 index 0ffb4ae..0000000 --- a/node_modules/core-js/full/string/substr.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../actual/string/substr'); - -module.exports = parent; diff --git a/node_modules/core-js/full/string/sup.js b/node_modules/core-js/full/string/sup.js deleted file mode 100644 index 2ef447d..0000000 --- a/node_modules/core-js/full/string/sup.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../actual/string/sup'); - -module.exports = parent; diff --git a/node_modules/core-js/full/string/to-well-formed.js b/node_modules/core-js/full/string/to-well-formed.js deleted file mode 100644 index ac5affe..0000000 --- a/node_modules/core-js/full/string/to-well-formed.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../actual/string/to-well-formed'); - -module.exports = parent; diff --git a/node_modules/core-js/full/string/trim-end.js b/node_modules/core-js/full/string/trim-end.js deleted file mode 100644 index 6be627f..0000000 --- a/node_modules/core-js/full/string/trim-end.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../actual/string/trim-end'); - -module.exports = parent; diff --git a/node_modules/core-js/full/string/trim-left.js b/node_modules/core-js/full/string/trim-left.js deleted file mode 100644 index 862eb1a..0000000 --- a/node_modules/core-js/full/string/trim-left.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../actual/string/trim-left'); - -module.exports = parent; diff --git a/node_modules/core-js/full/string/trim-right.js b/node_modules/core-js/full/string/trim-right.js deleted file mode 100644 index 8c34d71..0000000 --- a/node_modules/core-js/full/string/trim-right.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../actual/string/trim-right'); - -module.exports = parent; diff --git a/node_modules/core-js/full/string/trim-start.js b/node_modules/core-js/full/string/trim-start.js deleted file mode 100644 index b6c6e13..0000000 --- a/node_modules/core-js/full/string/trim-start.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../actual/string/trim-start'); - -module.exports = parent; diff --git a/node_modules/core-js/full/string/trim.js b/node_modules/core-js/full/string/trim.js deleted file mode 100644 index 23cd177..0000000 --- a/node_modules/core-js/full/string/trim.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../actual/string/trim'); - -module.exports = parent; diff --git a/node_modules/core-js/full/string/virtual/anchor.js b/node_modules/core-js/full/string/virtual/anchor.js deleted file mode 100644 index fcd064c..0000000 --- a/node_modules/core-js/full/string/virtual/anchor.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../../actual/string/virtual/anchor'); - -module.exports = parent; diff --git a/node_modules/core-js/full/string/virtual/at.js b/node_modules/core-js/full/string/virtual/at.js deleted file mode 100644 index 68c432c..0000000 --- a/node_modules/core-js/full/string/virtual/at.js +++ /dev/null @@ -1,7 +0,0 @@ -'use strict'; -require('../../../actual/string/virtual/at'); -// TODO: Remove from `core-js@4` -require('../../../modules/esnext.string.at'); -var getBuiltInPrototypeMethod = require('../../../internals/get-built-in-prototype-method'); - -module.exports = getBuiltInPrototypeMethod('String', 'at'); diff --git a/node_modules/core-js/full/string/virtual/big.js b/node_modules/core-js/full/string/virtual/big.js deleted file mode 100644 index ea815ef..0000000 --- a/node_modules/core-js/full/string/virtual/big.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../../actual/string/virtual/big'); - -module.exports = parent; diff --git a/node_modules/core-js/full/string/virtual/blink.js b/node_modules/core-js/full/string/virtual/blink.js deleted file mode 100644 index 906bbe3..0000000 --- a/node_modules/core-js/full/string/virtual/blink.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../../actual/string/virtual/blink'); - -module.exports = parent; diff --git a/node_modules/core-js/full/string/virtual/bold.js b/node_modules/core-js/full/string/virtual/bold.js deleted file mode 100644 index 8cbfe9d..0000000 --- a/node_modules/core-js/full/string/virtual/bold.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../../actual/string/virtual/bold'); - -module.exports = parent; diff --git a/node_modules/core-js/full/string/virtual/code-point-at.js b/node_modules/core-js/full/string/virtual/code-point-at.js deleted file mode 100644 index dd2db8f..0000000 --- a/node_modules/core-js/full/string/virtual/code-point-at.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../../actual/string/virtual/code-point-at'); - -module.exports = parent; diff --git a/node_modules/core-js/full/string/virtual/code-points.js b/node_modules/core-js/full/string/virtual/code-points.js deleted file mode 100644 index 4fa3ce4..0000000 --- a/node_modules/core-js/full/string/virtual/code-points.js +++ /dev/null @@ -1,6 +0,0 @@ -'use strict'; -require('../../../modules/es.object.to-string'); -require('../../../modules/esnext.string.code-points'); -var getBuiltInPrototypeMethod = require('../../../internals/get-built-in-prototype-method'); - -module.exports = getBuiltInPrototypeMethod('String', 'codePoints'); diff --git a/node_modules/core-js/full/string/virtual/ends-with.js b/node_modules/core-js/full/string/virtual/ends-with.js deleted file mode 100644 index e77ae8d..0000000 --- a/node_modules/core-js/full/string/virtual/ends-with.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../../actual/string/virtual/ends-with'); - -module.exports = parent; diff --git a/node_modules/core-js/full/string/virtual/fixed.js b/node_modules/core-js/full/string/virtual/fixed.js deleted file mode 100644 index daf1e22..0000000 --- a/node_modules/core-js/full/string/virtual/fixed.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../../actual/string/virtual/fixed'); - -module.exports = parent; diff --git a/node_modules/core-js/full/string/virtual/fontcolor.js b/node_modules/core-js/full/string/virtual/fontcolor.js deleted file mode 100644 index 1e9fa24..0000000 --- a/node_modules/core-js/full/string/virtual/fontcolor.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../../actual/string/virtual/fontcolor'); - -module.exports = parent; diff --git a/node_modules/core-js/full/string/virtual/fontsize.js b/node_modules/core-js/full/string/virtual/fontsize.js deleted file mode 100644 index 19b2a4c..0000000 --- a/node_modules/core-js/full/string/virtual/fontsize.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../../actual/string/virtual/fontsize'); - -module.exports = parent; diff --git a/node_modules/core-js/full/string/virtual/includes.js b/node_modules/core-js/full/string/virtual/includes.js deleted file mode 100644 index 5057bba..0000000 --- a/node_modules/core-js/full/string/virtual/includes.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../../actual/string/virtual/includes'); - -module.exports = parent; diff --git a/node_modules/core-js/full/string/virtual/index.js b/node_modules/core-js/full/string/virtual/index.js deleted file mode 100644 index 261c940..0000000 --- a/node_modules/core-js/full/string/virtual/index.js +++ /dev/null @@ -1,10 +0,0 @@ -'use strict'; -var parent = require('../../../actual/string/virtual'); -// TODO: remove from `core-js@4` -require('../../../modules/esnext.string.at'); -require('../../../modules/esnext.string.code-points'); -// TODO: remove from `core-js@4` -require('../../../modules/esnext.string.match-all'); -require('../../../modules/esnext.string.replace-all'); - -module.exports = parent; diff --git a/node_modules/core-js/full/string/virtual/is-well-formed.js b/node_modules/core-js/full/string/virtual/is-well-formed.js deleted file mode 100644 index 0358bea..0000000 --- a/node_modules/core-js/full/string/virtual/is-well-formed.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../../actual/string/virtual/is-well-formed'); - -module.exports = parent; diff --git a/node_modules/core-js/full/string/virtual/italics.js b/node_modules/core-js/full/string/virtual/italics.js deleted file mode 100644 index 8714b59..0000000 --- a/node_modules/core-js/full/string/virtual/italics.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../../actual/string/virtual/italics'); - -module.exports = parent; diff --git a/node_modules/core-js/full/string/virtual/iterator.js b/node_modules/core-js/full/string/virtual/iterator.js deleted file mode 100644 index 1878fd1..0000000 --- a/node_modules/core-js/full/string/virtual/iterator.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../../actual/string/virtual/iterator'); - -module.exports = parent; diff --git a/node_modules/core-js/full/string/virtual/link.js b/node_modules/core-js/full/string/virtual/link.js deleted file mode 100644 index f61a09b..0000000 --- a/node_modules/core-js/full/string/virtual/link.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../../actual/string/virtual/link'); - -module.exports = parent; diff --git a/node_modules/core-js/full/string/virtual/match-all.js b/node_modules/core-js/full/string/virtual/match-all.js deleted file mode 100644 index 26e80f6..0000000 --- a/node_modules/core-js/full/string/virtual/match-all.js +++ /dev/null @@ -1,7 +0,0 @@ -'use strict'; -// TODO: remove from `core-js@4` -require('../../../modules/esnext.string.match-all'); - -var parent = require('../../../actual/string/virtual/match-all'); - -module.exports = parent; diff --git a/node_modules/core-js/full/string/virtual/pad-end.js b/node_modules/core-js/full/string/virtual/pad-end.js deleted file mode 100644 index f02b9ec..0000000 --- a/node_modules/core-js/full/string/virtual/pad-end.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../../actual/string/virtual/pad-end'); - -module.exports = parent; diff --git a/node_modules/core-js/full/string/virtual/pad-start.js b/node_modules/core-js/full/string/virtual/pad-start.js deleted file mode 100644 index f8aeed6..0000000 --- a/node_modules/core-js/full/string/virtual/pad-start.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../../actual/string/virtual/pad-start'); - -module.exports = parent; diff --git a/node_modules/core-js/full/string/virtual/repeat.js b/node_modules/core-js/full/string/virtual/repeat.js deleted file mode 100644 index 4dc5718..0000000 --- a/node_modules/core-js/full/string/virtual/repeat.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../../actual/string/virtual/repeat'); - -module.exports = parent; diff --git a/node_modules/core-js/full/string/virtual/replace-all.js b/node_modules/core-js/full/string/virtual/replace-all.js deleted file mode 100644 index cdf4c9d..0000000 --- a/node_modules/core-js/full/string/virtual/replace-all.js +++ /dev/null @@ -1,7 +0,0 @@ -'use strict'; -// TODO: remove from `core-js@4` -require('../../../modules/esnext.string.replace-all'); - -var parent = require('../../../actual/string/virtual/replace-all'); - -module.exports = parent; diff --git a/node_modules/core-js/full/string/virtual/small.js b/node_modules/core-js/full/string/virtual/small.js deleted file mode 100644 index 7dd3fdf..0000000 --- a/node_modules/core-js/full/string/virtual/small.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../../actual/string/virtual/small'); - -module.exports = parent; diff --git a/node_modules/core-js/full/string/virtual/starts-with.js b/node_modules/core-js/full/string/virtual/starts-with.js deleted file mode 100644 index 7cda818..0000000 --- a/node_modules/core-js/full/string/virtual/starts-with.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../../actual/string/virtual/starts-with'); - -module.exports = parent; diff --git a/node_modules/core-js/full/string/virtual/strike.js b/node_modules/core-js/full/string/virtual/strike.js deleted file mode 100644 index f1cdccb..0000000 --- a/node_modules/core-js/full/string/virtual/strike.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../../actual/string/virtual/strike'); - -module.exports = parent; diff --git a/node_modules/core-js/full/string/virtual/sub.js b/node_modules/core-js/full/string/virtual/sub.js deleted file mode 100644 index 10cb6c2..0000000 --- a/node_modules/core-js/full/string/virtual/sub.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../../actual/string/virtual/sub'); - -module.exports = parent; diff --git a/node_modules/core-js/full/string/virtual/substr.js b/node_modules/core-js/full/string/virtual/substr.js deleted file mode 100644 index 5870366..0000000 --- a/node_modules/core-js/full/string/virtual/substr.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../../actual/string/virtual/substr'); - -module.exports = parent; diff --git a/node_modules/core-js/full/string/virtual/sup.js b/node_modules/core-js/full/string/virtual/sup.js deleted file mode 100644 index 132152b..0000000 --- a/node_modules/core-js/full/string/virtual/sup.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../../actual/string/virtual/sup'); - -module.exports = parent; diff --git a/node_modules/core-js/full/string/virtual/to-well-formed.js b/node_modules/core-js/full/string/virtual/to-well-formed.js deleted file mode 100644 index f4f5d71..0000000 --- a/node_modules/core-js/full/string/virtual/to-well-formed.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../../actual/string/virtual/to-well-formed'); - -module.exports = parent; diff --git a/node_modules/core-js/full/string/virtual/trim-end.js b/node_modules/core-js/full/string/virtual/trim-end.js deleted file mode 100644 index 961704f..0000000 --- a/node_modules/core-js/full/string/virtual/trim-end.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../../actual/string/virtual/trim-end'); - -module.exports = parent; diff --git a/node_modules/core-js/full/string/virtual/trim-left.js b/node_modules/core-js/full/string/virtual/trim-left.js deleted file mode 100644 index 59bb506..0000000 --- a/node_modules/core-js/full/string/virtual/trim-left.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../../actual/string/virtual/trim-left'); - -module.exports = parent; diff --git a/node_modules/core-js/full/string/virtual/trim-right.js b/node_modules/core-js/full/string/virtual/trim-right.js deleted file mode 100644 index 69fe2c9..0000000 --- a/node_modules/core-js/full/string/virtual/trim-right.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../../actual/string/virtual/trim-right'); - -module.exports = parent; diff --git a/node_modules/core-js/full/string/virtual/trim-start.js b/node_modules/core-js/full/string/virtual/trim-start.js deleted file mode 100644 index fce3e89..0000000 --- a/node_modules/core-js/full/string/virtual/trim-start.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../../actual/string/virtual/trim-start'); - -module.exports = parent; diff --git a/node_modules/core-js/full/string/virtual/trim.js b/node_modules/core-js/full/string/virtual/trim.js deleted file mode 100644 index af5fa18..0000000 --- a/node_modules/core-js/full/string/virtual/trim.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../../actual/string/virtual/trim'); - -module.exports = parent; diff --git a/node_modules/core-js/full/structured-clone.js b/node_modules/core-js/full/structured-clone.js deleted file mode 100644 index e79f18f..0000000 --- a/node_modules/core-js/full/structured-clone.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../actual/structured-clone'); - -module.exports = parent; diff --git a/node_modules/core-js/full/suppressed-error.js b/node_modules/core-js/full/suppressed-error.js deleted file mode 100644 index 4b2905a..0000000 --- a/node_modules/core-js/full/suppressed-error.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../actual/suppressed-error'); - -module.exports = parent; diff --git a/node_modules/core-js/full/symbol/async-dispose.js b/node_modules/core-js/full/symbol/async-dispose.js deleted file mode 100644 index badcbcf..0000000 --- a/node_modules/core-js/full/symbol/async-dispose.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../actual/symbol/async-dispose'); - -module.exports = parent; diff --git a/node_modules/core-js/full/symbol/async-iterator.js b/node_modules/core-js/full/symbol/async-iterator.js deleted file mode 100644 index fd7aa54..0000000 --- a/node_modules/core-js/full/symbol/async-iterator.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../actual/symbol/async-iterator'); - -module.exports = parent; diff --git a/node_modules/core-js/full/symbol/description.js b/node_modules/core-js/full/symbol/description.js deleted file mode 100644 index 01ce17a..0000000 --- a/node_modules/core-js/full/symbol/description.js +++ /dev/null @@ -1,2 +0,0 @@ -'use strict'; -require('../../modules/es.symbol.description'); diff --git a/node_modules/core-js/full/symbol/dispose.js b/node_modules/core-js/full/symbol/dispose.js deleted file mode 100644 index 153ed52..0000000 --- a/node_modules/core-js/full/symbol/dispose.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../actual/symbol/dispose'); - -module.exports = parent; diff --git a/node_modules/core-js/full/symbol/for.js b/node_modules/core-js/full/symbol/for.js deleted file mode 100644 index 6e5e5c6..0000000 --- a/node_modules/core-js/full/symbol/for.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../actual/symbol/for'); - -module.exports = parent; diff --git a/node_modules/core-js/full/symbol/has-instance.js b/node_modules/core-js/full/symbol/has-instance.js deleted file mode 100644 index b70ed03..0000000 --- a/node_modules/core-js/full/symbol/has-instance.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../actual/symbol/has-instance'); - -module.exports = parent; diff --git a/node_modules/core-js/full/symbol/index.js b/node_modules/core-js/full/symbol/index.js deleted file mode 100644 index 35d498c..0000000 --- a/node_modules/core-js/full/symbol/index.js +++ /dev/null @@ -1,14 +0,0 @@ -'use strict'; -var parent = require('../../actual/symbol'); -require('../../modules/esnext.symbol.is-registered-symbol'); -require('../../modules/esnext.symbol.is-well-known-symbol'); -require('../../modules/esnext.symbol.matcher'); -require('../../modules/esnext.symbol.observable'); -// TODO: Remove from `core-js@4` -require('../../modules/esnext.symbol.is-registered'); -require('../../modules/esnext.symbol.is-well-known'); -require('../../modules/esnext.symbol.metadata-key'); -require('../../modules/esnext.symbol.pattern-match'); -require('../../modules/esnext.symbol.replace-all'); - -module.exports = parent; diff --git a/node_modules/core-js/full/symbol/is-concat-spreadable.js b/node_modules/core-js/full/symbol/is-concat-spreadable.js deleted file mode 100644 index 606e169..0000000 --- a/node_modules/core-js/full/symbol/is-concat-spreadable.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../actual/symbol/is-concat-spreadable'); - -module.exports = parent; diff --git a/node_modules/core-js/full/symbol/is-registered-symbol.js b/node_modules/core-js/full/symbol/is-registered-symbol.js deleted file mode 100644 index 7ef1f02..0000000 --- a/node_modules/core-js/full/symbol/is-registered-symbol.js +++ /dev/null @@ -1,6 +0,0 @@ -'use strict'; -require('../../modules/es.symbol'); -require('../../modules/esnext.symbol.is-registered-symbol'); -var path = require('../../internals/path'); - -module.exports = path.Symbol.isRegisteredSymbol; diff --git a/node_modules/core-js/full/symbol/is-registered.js b/node_modules/core-js/full/symbol/is-registered.js deleted file mode 100644 index 7a2e6d2..0000000 --- a/node_modules/core-js/full/symbol/is-registered.js +++ /dev/null @@ -1,6 +0,0 @@ -'use strict'; -require('../../modules/es.symbol'); -require('../../modules/esnext.symbol.is-registered'); -var path = require('../../internals/path'); - -module.exports = path.Symbol.isRegistered; diff --git a/node_modules/core-js/full/symbol/is-well-known-symbol.js b/node_modules/core-js/full/symbol/is-well-known-symbol.js deleted file mode 100644 index 5106242..0000000 --- a/node_modules/core-js/full/symbol/is-well-known-symbol.js +++ /dev/null @@ -1,6 +0,0 @@ -'use strict'; -require('../../modules/es.symbol'); -require('../../modules/esnext.symbol.is-well-known-symbol'); -var path = require('../../internals/path'); - -module.exports = path.Symbol.isWellKnownSymbol; diff --git a/node_modules/core-js/full/symbol/is-well-known.js b/node_modules/core-js/full/symbol/is-well-known.js deleted file mode 100644 index 9e9f648..0000000 --- a/node_modules/core-js/full/symbol/is-well-known.js +++ /dev/null @@ -1,6 +0,0 @@ -'use strict'; -require('../../modules/es.symbol'); -require('../../modules/esnext.symbol.is-well-known'); -var path = require('../../internals/path'); - -module.exports = path.Symbol.isWellKnown; diff --git a/node_modules/core-js/full/symbol/iterator.js b/node_modules/core-js/full/symbol/iterator.js deleted file mode 100644 index 5ed48cc..0000000 --- a/node_modules/core-js/full/symbol/iterator.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../actual/symbol/iterator'); - -module.exports = parent; diff --git a/node_modules/core-js/full/symbol/key-for.js b/node_modules/core-js/full/symbol/key-for.js deleted file mode 100644 index a959f7f..0000000 --- a/node_modules/core-js/full/symbol/key-for.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../actual/symbol/key-for'); - -module.exports = parent; diff --git a/node_modules/core-js/full/symbol/match-all.js b/node_modules/core-js/full/symbol/match-all.js deleted file mode 100644 index 6ee8474..0000000 --- a/node_modules/core-js/full/symbol/match-all.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../actual/symbol/match-all'); - -module.exports = parent; diff --git a/node_modules/core-js/full/symbol/match.js b/node_modules/core-js/full/symbol/match.js deleted file mode 100644 index 29f668e..0000000 --- a/node_modules/core-js/full/symbol/match.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../actual/symbol/match'); - -module.exports = parent; diff --git a/node_modules/core-js/full/symbol/matcher.js b/node_modules/core-js/full/symbol/matcher.js deleted file mode 100644 index 8ae8bd1..0000000 --- a/node_modules/core-js/full/symbol/matcher.js +++ /dev/null @@ -1,5 +0,0 @@ -'use strict'; -require('../../modules/esnext.symbol.matcher'); -var WrappedWellKnownSymbolModule = require('../../internals/well-known-symbol-wrapped'); - -module.exports = WrappedWellKnownSymbolModule.f('matcher'); diff --git a/node_modules/core-js/full/symbol/metadata-key.js b/node_modules/core-js/full/symbol/metadata-key.js deleted file mode 100644 index a6fcd00..0000000 --- a/node_modules/core-js/full/symbol/metadata-key.js +++ /dev/null @@ -1,5 +0,0 @@ -'use strict'; -require('../../modules/esnext.symbol.metadata-key'); -var WrappedWellKnownSymbolModule = require('../../internals/well-known-symbol-wrapped'); - -module.exports = WrappedWellKnownSymbolModule.f('metadataKey'); diff --git a/node_modules/core-js/full/symbol/metadata.js b/node_modules/core-js/full/symbol/metadata.js deleted file mode 100644 index b44c1a5..0000000 --- a/node_modules/core-js/full/symbol/metadata.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../actual/symbol/metadata'); - -module.exports = parent; diff --git a/node_modules/core-js/full/symbol/observable.js b/node_modules/core-js/full/symbol/observable.js deleted file mode 100644 index 3f05b28..0000000 --- a/node_modules/core-js/full/symbol/observable.js +++ /dev/null @@ -1,5 +0,0 @@ -'use strict'; -require('../../modules/esnext.symbol.observable'); -var WrappedWellKnownSymbolModule = require('../../internals/well-known-symbol-wrapped'); - -module.exports = WrappedWellKnownSymbolModule.f('observable'); diff --git a/node_modules/core-js/full/symbol/pattern-match.js b/node_modules/core-js/full/symbol/pattern-match.js deleted file mode 100644 index 3bd8489..0000000 --- a/node_modules/core-js/full/symbol/pattern-match.js +++ /dev/null @@ -1,6 +0,0 @@ -'use strict'; -// TODO: Remove from `core-js@4` -require('../../modules/esnext.symbol.pattern-match'); -var WrappedWellKnownSymbolModule = require('../../internals/well-known-symbol-wrapped'); - -module.exports = WrappedWellKnownSymbolModule.f('patternMatch'); diff --git a/node_modules/core-js/full/symbol/replace-all.js b/node_modules/core-js/full/symbol/replace-all.js deleted file mode 100644 index 76a360a..0000000 --- a/node_modules/core-js/full/symbol/replace-all.js +++ /dev/null @@ -1,6 +0,0 @@ -'use strict'; -// TODO: Remove from `core-js@4` -require('../../modules/esnext.symbol.replace-all'); -var WrappedWellKnownSymbolModule = require('../../internals/well-known-symbol-wrapped'); - -module.exports = WrappedWellKnownSymbolModule.f('replaceAll'); diff --git a/node_modules/core-js/full/symbol/replace.js b/node_modules/core-js/full/symbol/replace.js deleted file mode 100644 index 749b2c1..0000000 --- a/node_modules/core-js/full/symbol/replace.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../actual/symbol/replace'); - -module.exports = parent; diff --git a/node_modules/core-js/full/symbol/search.js b/node_modules/core-js/full/symbol/search.js deleted file mode 100644 index 4259531..0000000 --- a/node_modules/core-js/full/symbol/search.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../actual/symbol/search'); - -module.exports = parent; diff --git a/node_modules/core-js/full/symbol/species.js b/node_modules/core-js/full/symbol/species.js deleted file mode 100644 index 970e526..0000000 --- a/node_modules/core-js/full/symbol/species.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../actual/symbol/species'); - -module.exports = parent; diff --git a/node_modules/core-js/full/symbol/split.js b/node_modules/core-js/full/symbol/split.js deleted file mode 100644 index 07c221d..0000000 --- a/node_modules/core-js/full/symbol/split.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../actual/symbol/split'); - -module.exports = parent; diff --git a/node_modules/core-js/full/symbol/to-primitive.js b/node_modules/core-js/full/symbol/to-primitive.js deleted file mode 100644 index 4775a13..0000000 --- a/node_modules/core-js/full/symbol/to-primitive.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../actual/symbol/to-primitive'); - -module.exports = parent; diff --git a/node_modules/core-js/full/symbol/to-string-tag.js b/node_modules/core-js/full/symbol/to-string-tag.js deleted file mode 100644 index 3a1918b..0000000 --- a/node_modules/core-js/full/symbol/to-string-tag.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../actual/symbol/to-string-tag'); - -module.exports = parent; diff --git a/node_modules/core-js/full/symbol/unscopables.js b/node_modules/core-js/full/symbol/unscopables.js deleted file mode 100644 index 379e8b3..0000000 --- a/node_modules/core-js/full/symbol/unscopables.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../actual/symbol/unscopables'); - -module.exports = parent; diff --git a/node_modules/core-js/full/typed-array/at.js b/node_modules/core-js/full/typed-array/at.js deleted file mode 100644 index ee0919f..0000000 --- a/node_modules/core-js/full/typed-array/at.js +++ /dev/null @@ -1,7 +0,0 @@ -'use strict'; -var parent = require('../../actual/typed-array/at'); - -// TODO: Remove from `core-js@4` -require('../../modules/esnext.typed-array.at'); - -module.exports = parent; diff --git a/node_modules/core-js/full/typed-array/copy-within.js b/node_modules/core-js/full/typed-array/copy-within.js deleted file mode 100644 index c2228f8..0000000 --- a/node_modules/core-js/full/typed-array/copy-within.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../actual/typed-array/copy-within'); - -module.exports = parent; diff --git a/node_modules/core-js/full/typed-array/entries.js b/node_modules/core-js/full/typed-array/entries.js deleted file mode 100644 index cf3edb6..0000000 --- a/node_modules/core-js/full/typed-array/entries.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../actual/typed-array/entries'); - -module.exports = parent; diff --git a/node_modules/core-js/full/typed-array/every.js b/node_modules/core-js/full/typed-array/every.js deleted file mode 100644 index 4d40f03..0000000 --- a/node_modules/core-js/full/typed-array/every.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../actual/typed-array/every'); - -module.exports = parent; diff --git a/node_modules/core-js/full/typed-array/fill.js b/node_modules/core-js/full/typed-array/fill.js deleted file mode 100644 index 50b2d54..0000000 --- a/node_modules/core-js/full/typed-array/fill.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../actual/typed-array/fill'); - -module.exports = parent; diff --git a/node_modules/core-js/full/typed-array/filter-out.js b/node_modules/core-js/full/typed-array/filter-out.js deleted file mode 100644 index a6726b7..0000000 --- a/node_modules/core-js/full/typed-array/filter-out.js +++ /dev/null @@ -1,3 +0,0 @@ -'use strict'; -// TODO: Remove from `core-js@4` -require('../../modules/esnext.typed-array.filter-out'); diff --git a/node_modules/core-js/full/typed-array/filter-reject.js b/node_modules/core-js/full/typed-array/filter-reject.js deleted file mode 100644 index c9d3275..0000000 --- a/node_modules/core-js/full/typed-array/filter-reject.js +++ /dev/null @@ -1,2 +0,0 @@ -'use strict'; -require('../../modules/esnext.typed-array.filter-reject'); diff --git a/node_modules/core-js/full/typed-array/filter.js b/node_modules/core-js/full/typed-array/filter.js deleted file mode 100644 index 0e5b349..0000000 --- a/node_modules/core-js/full/typed-array/filter.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../actual/typed-array/filter'); - -module.exports = parent; diff --git a/node_modules/core-js/full/typed-array/find-index.js b/node_modules/core-js/full/typed-array/find-index.js deleted file mode 100644 index f770e7d..0000000 --- a/node_modules/core-js/full/typed-array/find-index.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../actual/typed-array/find-index'); - -module.exports = parent; diff --git a/node_modules/core-js/full/typed-array/find-last-index.js b/node_modules/core-js/full/typed-array/find-last-index.js deleted file mode 100644 index 1c8ade6..0000000 --- a/node_modules/core-js/full/typed-array/find-last-index.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../actual/typed-array/find-last-index'); - -module.exports = parent; diff --git a/node_modules/core-js/full/typed-array/find-last.js b/node_modules/core-js/full/typed-array/find-last.js deleted file mode 100644 index 5279720..0000000 --- a/node_modules/core-js/full/typed-array/find-last.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../actual/typed-array/find-last'); - -module.exports = parent; diff --git a/node_modules/core-js/full/typed-array/find.js b/node_modules/core-js/full/typed-array/find.js deleted file mode 100644 index c78edee..0000000 --- a/node_modules/core-js/full/typed-array/find.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../actual/typed-array/find'); - -module.exports = parent; diff --git a/node_modules/core-js/full/typed-array/float32-array.js b/node_modules/core-js/full/typed-array/float32-array.js deleted file mode 100644 index 94de0e7..0000000 --- a/node_modules/core-js/full/typed-array/float32-array.js +++ /dev/null @@ -1,5 +0,0 @@ -'use strict'; -var parent = require('../../actual/typed-array/float32-array'); -require('../../full/typed-array/methods'); - -module.exports = parent; diff --git a/node_modules/core-js/full/typed-array/float64-array.js b/node_modules/core-js/full/typed-array/float64-array.js deleted file mode 100644 index 8837577..0000000 --- a/node_modules/core-js/full/typed-array/float64-array.js +++ /dev/null @@ -1,5 +0,0 @@ -'use strict'; -var parent = require('../../actual/typed-array/float64-array'); -require('../../full/typed-array/methods'); - -module.exports = parent; diff --git a/node_modules/core-js/full/typed-array/for-each.js b/node_modules/core-js/full/typed-array/for-each.js deleted file mode 100644 index 8ceca88..0000000 --- a/node_modules/core-js/full/typed-array/for-each.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../actual/typed-array/for-each'); - -module.exports = parent; diff --git a/node_modules/core-js/full/typed-array/from-async.js b/node_modules/core-js/full/typed-array/from-async.js deleted file mode 100644 index f78f4a8..0000000 --- a/node_modules/core-js/full/typed-array/from-async.js +++ /dev/null @@ -1,2 +0,0 @@ -'use strict'; -require('../../modules/esnext.typed-array.from-async'); diff --git a/node_modules/core-js/full/typed-array/from-base64.js b/node_modules/core-js/full/typed-array/from-base64.js deleted file mode 100644 index 68a6e94..0000000 --- a/node_modules/core-js/full/typed-array/from-base64.js +++ /dev/null @@ -1,2 +0,0 @@ -'use strict'; -require('../../modules/esnext.uint8-array.from-base64'); diff --git a/node_modules/core-js/full/typed-array/from-hex.js b/node_modules/core-js/full/typed-array/from-hex.js deleted file mode 100644 index 984225b..0000000 --- a/node_modules/core-js/full/typed-array/from-hex.js +++ /dev/null @@ -1,2 +0,0 @@ -'use strict'; -require('../../modules/esnext.uint8-array.from-hex'); diff --git a/node_modules/core-js/full/typed-array/from.js b/node_modules/core-js/full/typed-array/from.js deleted file mode 100644 index a1693c8..0000000 --- a/node_modules/core-js/full/typed-array/from.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../actual/typed-array/from'); - -module.exports = parent; diff --git a/node_modules/core-js/full/typed-array/group-by.js b/node_modules/core-js/full/typed-array/group-by.js deleted file mode 100644 index cea8d66..0000000 --- a/node_modules/core-js/full/typed-array/group-by.js +++ /dev/null @@ -1,2 +0,0 @@ -'use strict'; -require('../../modules/esnext.typed-array.group-by'); diff --git a/node_modules/core-js/full/typed-array/includes.js b/node_modules/core-js/full/typed-array/includes.js deleted file mode 100644 index d901103..0000000 --- a/node_modules/core-js/full/typed-array/includes.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../actual/typed-array/includes'); - -module.exports = parent; diff --git a/node_modules/core-js/full/typed-array/index-of.js b/node_modules/core-js/full/typed-array/index-of.js deleted file mode 100644 index 89a1fd9..0000000 --- a/node_modules/core-js/full/typed-array/index-of.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../actual/typed-array/index-of'); - -module.exports = parent; diff --git a/node_modules/core-js/full/typed-array/index.js b/node_modules/core-js/full/typed-array/index.js deleted file mode 100644 index 5dd432e..0000000 --- a/node_modules/core-js/full/typed-array/index.js +++ /dev/null @@ -1,18 +0,0 @@ -'use strict'; -var parent = require('../../actual/typed-array'); -require('../../modules/es.map'); -require('../../modules/es.promise'); -require('../../modules/esnext.typed-array.from-async'); -// TODO: Remove from `core-js@4` -require('../../modules/esnext.typed-array.at'); -// TODO: Remove from `core-js@4` -require('../../modules/esnext.typed-array.filter-out'); -require('../../modules/esnext.typed-array.filter-reject'); -require('../../modules/esnext.typed-array.group-by'); -require('../../modules/esnext.typed-array.unique-by'); -require('../../modules/esnext.uint8-array.from-base64'); -require('../../modules/esnext.uint8-array.from-hex'); -require('../../modules/esnext.uint8-array.to-base64'); -require('../../modules/esnext.uint8-array.to-hex'); - -module.exports = parent; diff --git a/node_modules/core-js/full/typed-array/int16-array.js b/node_modules/core-js/full/typed-array/int16-array.js deleted file mode 100644 index b9473c6..0000000 --- a/node_modules/core-js/full/typed-array/int16-array.js +++ /dev/null @@ -1,5 +0,0 @@ -'use strict'; -var parent = require('../../actual/typed-array/int16-array'); -require('../../full/typed-array/methods'); - -module.exports = parent; diff --git a/node_modules/core-js/full/typed-array/int32-array.js b/node_modules/core-js/full/typed-array/int32-array.js deleted file mode 100644 index 283854b..0000000 --- a/node_modules/core-js/full/typed-array/int32-array.js +++ /dev/null @@ -1,5 +0,0 @@ -'use strict'; -var parent = require('../../actual/typed-array/int32-array'); -require('../../full/typed-array/methods'); - -module.exports = parent; diff --git a/node_modules/core-js/full/typed-array/int8-array.js b/node_modules/core-js/full/typed-array/int8-array.js deleted file mode 100644 index 37ab3fb..0000000 --- a/node_modules/core-js/full/typed-array/int8-array.js +++ /dev/null @@ -1,5 +0,0 @@ -'use strict'; -var parent = require('../../actual/typed-array/int8-array'); -require('../../full/typed-array/methods'); - -module.exports = parent; diff --git a/node_modules/core-js/full/typed-array/iterator.js b/node_modules/core-js/full/typed-array/iterator.js deleted file mode 100644 index a7c10a3..0000000 --- a/node_modules/core-js/full/typed-array/iterator.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../actual/typed-array/iterator'); - -module.exports = parent; diff --git a/node_modules/core-js/full/typed-array/join.js b/node_modules/core-js/full/typed-array/join.js deleted file mode 100644 index cbfce88..0000000 --- a/node_modules/core-js/full/typed-array/join.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../actual/typed-array/join'); - -module.exports = parent; diff --git a/node_modules/core-js/full/typed-array/keys.js b/node_modules/core-js/full/typed-array/keys.js deleted file mode 100644 index 369e7d4..0000000 --- a/node_modules/core-js/full/typed-array/keys.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../actual/typed-array/keys'); - -module.exports = parent; diff --git a/node_modules/core-js/full/typed-array/last-index-of.js b/node_modules/core-js/full/typed-array/last-index-of.js deleted file mode 100644 index 940fb2d..0000000 --- a/node_modules/core-js/full/typed-array/last-index-of.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../actual/typed-array/last-index-of'); - -module.exports = parent; diff --git a/node_modules/core-js/full/typed-array/map.js b/node_modules/core-js/full/typed-array/map.js deleted file mode 100644 index a979363..0000000 --- a/node_modules/core-js/full/typed-array/map.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../actual/typed-array/map'); - -module.exports = parent; diff --git a/node_modules/core-js/full/typed-array/methods.js b/node_modules/core-js/full/typed-array/methods.js deleted file mode 100644 index a9f1d95..0000000 --- a/node_modules/core-js/full/typed-array/methods.js +++ /dev/null @@ -1,18 +0,0 @@ -'use strict'; -var parent = require('../../actual/typed-array/methods'); -require('../../modules/es.map'); -require('../../modules/es.promise'); -require('../../modules/esnext.typed-array.from-async'); -// TODO: Remove from `core-js@4` -require('../../modules/esnext.typed-array.at'); -// TODO: Remove from `core-js@4` -require('../../modules/esnext.typed-array.filter-out'); -require('../../modules/esnext.typed-array.filter-reject'); -require('../../modules/esnext.typed-array.group-by'); -require('../../modules/esnext.typed-array.unique-by'); -require('../../modules/esnext.uint8-array.from-base64'); -require('../../modules/esnext.uint8-array.from-hex'); -require('../../modules/esnext.uint8-array.to-base64'); -require('../../modules/esnext.uint8-array.to-hex'); - -module.exports = parent; diff --git a/node_modules/core-js/full/typed-array/of.js b/node_modules/core-js/full/typed-array/of.js deleted file mode 100644 index 8b4d096..0000000 --- a/node_modules/core-js/full/typed-array/of.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../actual/typed-array/of'); - -module.exports = parent; diff --git a/node_modules/core-js/full/typed-array/reduce-right.js b/node_modules/core-js/full/typed-array/reduce-right.js deleted file mode 100644 index 350a25c..0000000 --- a/node_modules/core-js/full/typed-array/reduce-right.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../actual/typed-array/reduce-right'); - -module.exports = parent; diff --git a/node_modules/core-js/full/typed-array/reduce.js b/node_modules/core-js/full/typed-array/reduce.js deleted file mode 100644 index dc2ca2d..0000000 --- a/node_modules/core-js/full/typed-array/reduce.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../actual/typed-array/reduce'); - -module.exports = parent; diff --git a/node_modules/core-js/full/typed-array/reverse.js b/node_modules/core-js/full/typed-array/reverse.js deleted file mode 100644 index c6d6242..0000000 --- a/node_modules/core-js/full/typed-array/reverse.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../actual/typed-array/reverse'); - -module.exports = parent; diff --git a/node_modules/core-js/full/typed-array/set.js b/node_modules/core-js/full/typed-array/set.js deleted file mode 100644 index d1cf8f2..0000000 --- a/node_modules/core-js/full/typed-array/set.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../actual/typed-array/set'); - -module.exports = parent; diff --git a/node_modules/core-js/full/typed-array/slice.js b/node_modules/core-js/full/typed-array/slice.js deleted file mode 100644 index 264ae0f..0000000 --- a/node_modules/core-js/full/typed-array/slice.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../actual/typed-array/slice'); - -module.exports = parent; diff --git a/node_modules/core-js/full/typed-array/some.js b/node_modules/core-js/full/typed-array/some.js deleted file mode 100644 index 32d17c2..0000000 --- a/node_modules/core-js/full/typed-array/some.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../actual/typed-array/some'); - -module.exports = parent; diff --git a/node_modules/core-js/full/typed-array/sort.js b/node_modules/core-js/full/typed-array/sort.js deleted file mode 100644 index cdc3de3..0000000 --- a/node_modules/core-js/full/typed-array/sort.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../actual/typed-array/sort'); - -module.exports = parent; diff --git a/node_modules/core-js/full/typed-array/subarray.js b/node_modules/core-js/full/typed-array/subarray.js deleted file mode 100644 index a638b2a..0000000 --- a/node_modules/core-js/full/typed-array/subarray.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../actual/typed-array/subarray'); - -module.exports = parent; diff --git a/node_modules/core-js/full/typed-array/to-base64.js b/node_modules/core-js/full/typed-array/to-base64.js deleted file mode 100644 index 2ad689d..0000000 --- a/node_modules/core-js/full/typed-array/to-base64.js +++ /dev/null @@ -1,2 +0,0 @@ -'use strict'; -require('../../modules/esnext.uint8-array.to-base64'); diff --git a/node_modules/core-js/full/typed-array/to-hex.js b/node_modules/core-js/full/typed-array/to-hex.js deleted file mode 100644 index 2ea18d1..0000000 --- a/node_modules/core-js/full/typed-array/to-hex.js +++ /dev/null @@ -1,2 +0,0 @@ -'use strict'; -require('../../modules/esnext.uint8-array.to-hex'); diff --git a/node_modules/core-js/full/typed-array/to-locale-string.js b/node_modules/core-js/full/typed-array/to-locale-string.js deleted file mode 100644 index fbc9f6f..0000000 --- a/node_modules/core-js/full/typed-array/to-locale-string.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../actual/typed-array/to-locale-string'); - -module.exports = parent; diff --git a/node_modules/core-js/full/typed-array/to-reversed.js b/node_modules/core-js/full/typed-array/to-reversed.js deleted file mode 100644 index 9fa431a..0000000 --- a/node_modules/core-js/full/typed-array/to-reversed.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../actual/typed-array/to-reversed'); - -module.exports = parent; diff --git a/node_modules/core-js/full/typed-array/to-sorted.js b/node_modules/core-js/full/typed-array/to-sorted.js deleted file mode 100644 index 0445376..0000000 --- a/node_modules/core-js/full/typed-array/to-sorted.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../actual/typed-array/to-sorted'); - -module.exports = parent; diff --git a/node_modules/core-js/full/typed-array/to-spliced.js b/node_modules/core-js/full/typed-array/to-spliced.js deleted file mode 100644 index a21aff3..0000000 --- a/node_modules/core-js/full/typed-array/to-spliced.js +++ /dev/null @@ -1,5 +0,0 @@ -'use strict'; -// TODO: Remove from `core-js@4` -var parent = require('../../actual/typed-array/to-spliced'); - -module.exports = parent; diff --git a/node_modules/core-js/full/typed-array/to-string.js b/node_modules/core-js/full/typed-array/to-string.js deleted file mode 100644 index 0c9f331..0000000 --- a/node_modules/core-js/full/typed-array/to-string.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../actual/typed-array/to-string'); - -module.exports = parent; diff --git a/node_modules/core-js/full/typed-array/uint16-array.js b/node_modules/core-js/full/typed-array/uint16-array.js deleted file mode 100644 index 53fa819..0000000 --- a/node_modules/core-js/full/typed-array/uint16-array.js +++ /dev/null @@ -1,5 +0,0 @@ -'use strict'; -var parent = require('../../actual/typed-array/uint16-array'); -require('../../full/typed-array/methods'); - -module.exports = parent; diff --git a/node_modules/core-js/full/typed-array/uint32-array.js b/node_modules/core-js/full/typed-array/uint32-array.js deleted file mode 100644 index f577d7f..0000000 --- a/node_modules/core-js/full/typed-array/uint32-array.js +++ /dev/null @@ -1,5 +0,0 @@ -'use strict'; -var parent = require('../../actual/typed-array/uint32-array'); -require('../../full/typed-array/methods'); - -module.exports = parent; diff --git a/node_modules/core-js/full/typed-array/uint8-array.js b/node_modules/core-js/full/typed-array/uint8-array.js deleted file mode 100644 index 3eb28d7..0000000 --- a/node_modules/core-js/full/typed-array/uint8-array.js +++ /dev/null @@ -1,5 +0,0 @@ -'use strict'; -var parent = require('../../actual/typed-array/uint8-array'); -require('../../full/typed-array/methods'); - -module.exports = parent; diff --git a/node_modules/core-js/full/typed-array/uint8-clamped-array.js b/node_modules/core-js/full/typed-array/uint8-clamped-array.js deleted file mode 100644 index 493d611..0000000 --- a/node_modules/core-js/full/typed-array/uint8-clamped-array.js +++ /dev/null @@ -1,5 +0,0 @@ -'use strict'; -var parent = require('../../actual/typed-array/uint8-clamped-array'); -require('../../full/typed-array/methods'); - -module.exports = parent; diff --git a/node_modules/core-js/full/typed-array/unique-by.js b/node_modules/core-js/full/typed-array/unique-by.js deleted file mode 100644 index 43a46a7..0000000 --- a/node_modules/core-js/full/typed-array/unique-by.js +++ /dev/null @@ -1,3 +0,0 @@ -'use strict'; -require('../../modules/es.map'); -require('../../modules/esnext.typed-array.unique-by'); diff --git a/node_modules/core-js/full/typed-array/values.js b/node_modules/core-js/full/typed-array/values.js deleted file mode 100644 index 4ef9b9d..0000000 --- a/node_modules/core-js/full/typed-array/values.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../actual/typed-array/values'); - -module.exports = parent; diff --git a/node_modules/core-js/full/typed-array/with.js b/node_modules/core-js/full/typed-array/with.js deleted file mode 100644 index ec01ee5..0000000 --- a/node_modules/core-js/full/typed-array/with.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../actual/typed-array/with'); - -module.exports = parent; diff --git a/node_modules/core-js/full/unescape.js b/node_modules/core-js/full/unescape.js deleted file mode 100644 index c9d614a..0000000 --- a/node_modules/core-js/full/unescape.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../actual/unescape'); - -module.exports = parent; diff --git a/node_modules/core-js/full/url-search-params/index.js b/node_modules/core-js/full/url-search-params/index.js deleted file mode 100644 index d6e6df5..0000000 --- a/node_modules/core-js/full/url-search-params/index.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../actual/url-search-params'); - -module.exports = parent; diff --git a/node_modules/core-js/full/url/can-parse.js b/node_modules/core-js/full/url/can-parse.js deleted file mode 100644 index 5b083b0..0000000 --- a/node_modules/core-js/full/url/can-parse.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../actual/url/can-parse'); - -module.exports = parent; diff --git a/node_modules/core-js/full/url/index.js b/node_modules/core-js/full/url/index.js deleted file mode 100644 index 59c378f..0000000 --- a/node_modules/core-js/full/url/index.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../actual/url'); - -module.exports = parent; diff --git a/node_modules/core-js/full/url/to-json.js b/node_modules/core-js/full/url/to-json.js deleted file mode 100644 index c26ef4a..0000000 --- a/node_modules/core-js/full/url/to-json.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../actual/url/to-json'); - -module.exports = parent; diff --git a/node_modules/core-js/full/weak-map/delete-all.js b/node_modules/core-js/full/weak-map/delete-all.js deleted file mode 100644 index 76f854b..0000000 --- a/node_modules/core-js/full/weak-map/delete-all.js +++ /dev/null @@ -1,6 +0,0 @@ -'use strict'; -require('../../modules/es.weak-map'); -require('../../modules/esnext.weak-map.delete-all'); -var entryUnbind = require('../../internals/entry-unbind'); - -module.exports = entryUnbind('WeakMap', 'deleteAll'); diff --git a/node_modules/core-js/full/weak-map/emplace.js b/node_modules/core-js/full/weak-map/emplace.js deleted file mode 100644 index fc3844a..0000000 --- a/node_modules/core-js/full/weak-map/emplace.js +++ /dev/null @@ -1,6 +0,0 @@ -'use strict'; -require('../../modules/es.weak-map'); -require('../../modules/esnext.weak-map.emplace'); -var entryUnbind = require('../../internals/entry-unbind'); - -module.exports = entryUnbind('WeakMap', 'emplace'); diff --git a/node_modules/core-js/full/weak-map/from.js b/node_modules/core-js/full/weak-map/from.js deleted file mode 100644 index d457e0f..0000000 --- a/node_modules/core-js/full/weak-map/from.js +++ /dev/null @@ -1,16 +0,0 @@ -'use strict'; -require('../../modules/es.array.iterator'); -require('../../modules/es.string.iterator'); -require('../../modules/es.weak-map'); -require('../../modules/esnext.weak-map.from'); -require('../../modules/web.dom-collections.iterator'); -var call = require('../../internals/function-call'); -var isCallable = require('../../internals/is-callable'); -var path = require('../../internals/path'); - -var WeakMap = path.WeakMap; -var $from = WeakMap.from; - -module.exports = function from(source, mapFn, thisArg) { - return call($from, isCallable(this) ? this : WeakMap, source, mapFn, thisArg); -}; diff --git a/node_modules/core-js/full/weak-map/index.js b/node_modules/core-js/full/weak-map/index.js deleted file mode 100644 index 5244cd3..0000000 --- a/node_modules/core-js/full/weak-map/index.js +++ /dev/null @@ -1,11 +0,0 @@ -'use strict'; -var parent = require('../../actual/weak-map'); -require('../../modules/es.string.iterator'); -require('../../modules/esnext.weak-map.emplace'); -require('../../modules/esnext.weak-map.from'); -require('../../modules/esnext.weak-map.of'); -require('../../modules/esnext.weak-map.delete-all'); -// TODO: remove from `core-js@4` -require('../../modules/esnext.weak-map.upsert'); - -module.exports = parent; diff --git a/node_modules/core-js/full/weak-map/of.js b/node_modules/core-js/full/weak-map/of.js deleted file mode 100644 index ceb61bc..0000000 --- a/node_modules/core-js/full/weak-map/of.js +++ /dev/null @@ -1,14 +0,0 @@ -'use strict'; -require('../../modules/es.array.iterator'); -require('../../modules/es.weak-map'); -require('../../modules/esnext.weak-map.of'); -var path = require('../../internals/path'); -var apply = require('../../internals/function-apply'); -var isCallable = require('../../internals/is-callable'); - -var WeakMap = path.WeakMap; -var weakMapOf = WeakMap.of; - -module.exports = function of() { - return apply(weakMapOf, isCallable(this) ? this : WeakMap, arguments); -}; diff --git a/node_modules/core-js/full/weak-map/upsert.js b/node_modules/core-js/full/weak-map/upsert.js deleted file mode 100644 index 003098f..0000000 --- a/node_modules/core-js/full/weak-map/upsert.js +++ /dev/null @@ -1,6 +0,0 @@ -'use strict'; -require('../../modules/es.weak-map'); -require('../../modules/esnext.weak-map.upsert'); -var entryUnbind = require('../../internals/entry-unbind'); - -module.exports = entryUnbind('WeakMap', 'upsert'); diff --git a/node_modules/core-js/full/weak-set/add-all.js b/node_modules/core-js/full/weak-set/add-all.js deleted file mode 100644 index 4ecd10f..0000000 --- a/node_modules/core-js/full/weak-set/add-all.js +++ /dev/null @@ -1,6 +0,0 @@ -'use strict'; -require('../../modules/es.weak-set'); -require('../../modules/esnext.weak-set.add-all'); -var entryUnbind = require('../../internals/entry-unbind'); - -module.exports = entryUnbind('WeakSet', 'addAll'); diff --git a/node_modules/core-js/full/weak-set/delete-all.js b/node_modules/core-js/full/weak-set/delete-all.js deleted file mode 100644 index 5ddc14a..0000000 --- a/node_modules/core-js/full/weak-set/delete-all.js +++ /dev/null @@ -1,6 +0,0 @@ -'use strict'; -require('../../modules/es.weak-set'); -require('../../modules/esnext.weak-set.delete-all'); -var entryUnbind = require('../../internals/entry-unbind'); - -module.exports = entryUnbind('WeakSet', 'deleteAll'); diff --git a/node_modules/core-js/full/weak-set/from.js b/node_modules/core-js/full/weak-set/from.js deleted file mode 100644 index 2f7477f..0000000 --- a/node_modules/core-js/full/weak-set/from.js +++ /dev/null @@ -1,16 +0,0 @@ -'use strict'; -require('../../modules/es.array.iterator'); -require('../../modules/es.string.iterator'); -require('../../modules/es.weak-set'); -require('../../modules/esnext.weak-set.from'); -require('../../modules/web.dom-collections.iterator'); -var call = require('../../internals/function-call'); -var isCallable = require('../../internals/is-callable'); -var path = require('../../internals/path'); - -var WeakSet = path.WeakSet; -var $from = WeakSet.from; - -module.exports = function from(source, mapFn, thisArg) { - return call($from, isCallable(this) ? this : WeakSet, source, mapFn, thisArg); -}; diff --git a/node_modules/core-js/full/weak-set/index.js b/node_modules/core-js/full/weak-set/index.js deleted file mode 100644 index 9d9ac8d..0000000 --- a/node_modules/core-js/full/weak-set/index.js +++ /dev/null @@ -1,9 +0,0 @@ -'use strict'; -var parent = require('../../actual/weak-set'); -require('../../modules/es.string.iterator'); -require('../../modules/esnext.weak-set.add-all'); -require('../../modules/esnext.weak-set.delete-all'); -require('../../modules/esnext.weak-set.from'); -require('../../modules/esnext.weak-set.of'); - -module.exports = parent; diff --git a/node_modules/core-js/full/weak-set/of.js b/node_modules/core-js/full/weak-set/of.js deleted file mode 100644 index b1e21e6..0000000 --- a/node_modules/core-js/full/weak-set/of.js +++ /dev/null @@ -1,14 +0,0 @@ -'use strict'; -require('../../modules/es.array.iterator'); -require('../../modules/es.weak-set'); -require('../../modules/esnext.weak-set.of'); -var path = require('../../internals/path'); -var apply = require('../../internals/function-apply'); -var isCallable = require('../../internals/is-callable'); - -var WeakSet = path.WeakSet; -var weakSetOf = WeakSet.of; - -module.exports = function of() { - return apply(weakSetOf, isCallable(this) ? this : WeakSet, arguments); -}; diff --git a/node_modules/core-js/index.js b/node_modules/core-js/index.js deleted file mode 100644 index b4eca7e..0000000 --- a/node_modules/core-js/index.js +++ /dev/null @@ -1,2 +0,0 @@ -'use strict'; -module.exports = require('./full'); diff --git a/node_modules/core-js/internals/README.md b/node_modules/core-js/internals/README.md deleted file mode 100644 index f5cca30..0000000 --- a/node_modules/core-js/internals/README.md +++ /dev/null @@ -1 +0,0 @@ -This folder contains internal parts of `core-js` like helpers. diff --git a/node_modules/core-js/internals/a-callable.js b/node_modules/core-js/internals/a-callable.js deleted file mode 100644 index 0aae1ad..0000000 --- a/node_modules/core-js/internals/a-callable.js +++ /dev/null @@ -1,11 +0,0 @@ -'use strict'; -var isCallable = require('../internals/is-callable'); -var tryToString = require('../internals/try-to-string'); - -var $TypeError = TypeError; - -// `Assert: IsCallable(argument) is true` -module.exports = function (argument) { - if (isCallable(argument)) return argument; - throw new $TypeError(tryToString(argument) + ' is not a function'); -}; diff --git a/node_modules/core-js/internals/a-constructor.js b/node_modules/core-js/internals/a-constructor.js deleted file mode 100644 index efede0f..0000000 --- a/node_modules/core-js/internals/a-constructor.js +++ /dev/null @@ -1,11 +0,0 @@ -'use strict'; -var isConstructor = require('../internals/is-constructor'); -var tryToString = require('../internals/try-to-string'); - -var $TypeError = TypeError; - -// `Assert: IsConstructor(argument) is true` -module.exports = function (argument) { - if (isConstructor(argument)) return argument; - throw new $TypeError(tryToString(argument) + ' is not a constructor'); -}; diff --git a/node_modules/core-js/internals/a-data-view.js b/node_modules/core-js/internals/a-data-view.js deleted file mode 100644 index 12ed3e5..0000000 --- a/node_modules/core-js/internals/a-data-view.js +++ /dev/null @@ -1,9 +0,0 @@ -'use strict'; -var classof = require('../internals/classof'); - -var $TypeError = TypeError; - -module.exports = function (argument) { - if (classof(argument) === 'DataView') return argument; - throw new $TypeError('Argument is not a DataView'); -}; diff --git a/node_modules/core-js/internals/a-map.js b/node_modules/core-js/internals/a-map.js deleted file mode 100644 index 0b21a89..0000000 --- a/node_modules/core-js/internals/a-map.js +++ /dev/null @@ -1,8 +0,0 @@ -'use strict'; -var has = require('../internals/map-helpers').has; - -// Perform ? RequireInternalSlot(M, [[MapData]]) -module.exports = function (it) { - has(it); - return it; -}; diff --git a/node_modules/core-js/internals/a-possible-prototype.js b/node_modules/core-js/internals/a-possible-prototype.js deleted file mode 100644 index d800258..0000000 --- a/node_modules/core-js/internals/a-possible-prototype.js +++ /dev/null @@ -1,10 +0,0 @@ -'use strict'; -var isPossiblePrototype = require('../internals/is-possible-prototype'); - -var $String = String; -var $TypeError = TypeError; - -module.exports = function (argument) { - if (isPossiblePrototype(argument)) return argument; - throw new $TypeError("Can't set " + $String(argument) + ' as a prototype'); -}; diff --git a/node_modules/core-js/internals/a-set.js b/node_modules/core-js/internals/a-set.js deleted file mode 100644 index 6df1ead..0000000 --- a/node_modules/core-js/internals/a-set.js +++ /dev/null @@ -1,8 +0,0 @@ -'use strict'; -var has = require('../internals/set-helpers').has; - -// Perform ? RequireInternalSlot(M, [[SetData]]) -module.exports = function (it) { - has(it); - return it; -}; diff --git a/node_modules/core-js/internals/a-string.js b/node_modules/core-js/internals/a-string.js deleted file mode 100644 index ec8dff3..0000000 --- a/node_modules/core-js/internals/a-string.js +++ /dev/null @@ -1,7 +0,0 @@ -'use strict'; -var $TypeError = TypeError; - -module.exports = function (argument) { - if (typeof argument == 'string') return argument; - throw new $TypeError('Argument is not a string'); -}; diff --git a/node_modules/core-js/internals/a-weak-map.js b/node_modules/core-js/internals/a-weak-map.js deleted file mode 100644 index 5d775f1..0000000 --- a/node_modules/core-js/internals/a-weak-map.js +++ /dev/null @@ -1,8 +0,0 @@ -'use strict'; -var has = require('../internals/weak-map-helpers').has; - -// Perform ? RequireInternalSlot(M, [[WeakMapData]]) -module.exports = function (it) { - has(it); - return it; -}; diff --git a/node_modules/core-js/internals/a-weak-set.js b/node_modules/core-js/internals/a-weak-set.js deleted file mode 100644 index 5b0c13c..0000000 --- a/node_modules/core-js/internals/a-weak-set.js +++ /dev/null @@ -1,8 +0,0 @@ -'use strict'; -var has = require('../internals/weak-set-helpers').has; - -// Perform ? RequireInternalSlot(M, [[WeakSetData]]) -module.exports = function (it) { - has(it); - return it; -}; diff --git a/node_modules/core-js/internals/add-disposable-resource.js b/node_modules/core-js/internals/add-disposable-resource.js deleted file mode 100644 index a1a732b..0000000 --- a/node_modules/core-js/internals/add-disposable-resource.js +++ /dev/null @@ -1,55 +0,0 @@ -'use strict'; -var call = require('../internals/function-call'); -var uncurryThis = require('../internals/function-uncurry-this'); -var bind = require('../internals/function-bind-context'); -var anObject = require('../internals/an-object'); -var aCallable = require('../internals/a-callable'); -var isNullOrUndefined = require('../internals/is-null-or-undefined'); -var getMethod = require('../internals/get-method'); -var wellKnownSymbol = require('../internals/well-known-symbol'); - -var ASYNC_DISPOSE = wellKnownSymbol('asyncDispose'); -var DISPOSE = wellKnownSymbol('dispose'); - -var push = uncurryThis([].push); - -// `GetDisposeMethod` abstract operation -// https://tc39.es/proposal-explicit-resource-management/#sec-getdisposemethod -var getDisposeMethod = function (V, hint) { - if (hint === 'async-dispose') { - var method = getMethod(V, ASYNC_DISPOSE); - if (method !== undefined) return method; - method = getMethod(V, DISPOSE); - return function () { - call(method, this); - }; - } return getMethod(V, DISPOSE); -}; - -// `CreateDisposableResource` abstract operation -// https://tc39.es/proposal-explicit-resource-management/#sec-createdisposableresource -var createDisposableResource = function (V, hint, method) { - if (arguments.length < 3 && !isNullOrUndefined(V)) { - method = aCallable(getDisposeMethod(anObject(V), hint)); - } - - return method === undefined ? function () { - return undefined; - } : bind(method, V); -}; - -// `AddDisposableResource` abstract operation -// https://tc39.es/proposal-explicit-resource-management/#sec-adddisposableresource -module.exports = function (disposable, V, hint, method) { - var resource; - if (arguments.length < 4) { - // When `V`` is either `null` or `undefined` and hint is `async-dispose`, - // we record that the resource was evaluated to ensure we will still perform an `Await` when resources are later disposed. - if (isNullOrUndefined(V) && hint === 'sync-dispose') return; - resource = createDisposableResource(V, hint); - } else { - resource = createDisposableResource(undefined, hint, method); - } - - push(disposable.stack, resource); -}; diff --git a/node_modules/core-js/internals/add-to-unscopables.js b/node_modules/core-js/internals/add-to-unscopables.js deleted file mode 100644 index c0908db..0000000 --- a/node_modules/core-js/internals/add-to-unscopables.js +++ /dev/null @@ -1,21 +0,0 @@ -'use strict'; -var wellKnownSymbol = require('../internals/well-known-symbol'); -var create = require('../internals/object-create'); -var defineProperty = require('../internals/object-define-property').f; - -var UNSCOPABLES = wellKnownSymbol('unscopables'); -var ArrayPrototype = Array.prototype; - -// Array.prototype[@@unscopables] -// https://tc39.es/ecma262/#sec-array.prototype-@@unscopables -if (ArrayPrototype[UNSCOPABLES] === undefined) { - defineProperty(ArrayPrototype, UNSCOPABLES, { - configurable: true, - value: create(null) - }); -} - -// add a key to Array.prototype[@@unscopables] -module.exports = function (key) { - ArrayPrototype[UNSCOPABLES][key] = true; -}; diff --git a/node_modules/core-js/internals/advance-string-index.js b/node_modules/core-js/internals/advance-string-index.js deleted file mode 100644 index f104d53..0000000 --- a/node_modules/core-js/internals/advance-string-index.js +++ /dev/null @@ -1,8 +0,0 @@ -'use strict'; -var charAt = require('../internals/string-multibyte').charAt; - -// `AdvanceStringIndex` abstract operation -// https://tc39.es/ecma262/#sec-advancestringindex -module.exports = function (S, index, unicode) { - return index + (unicode ? charAt(S, index).length : 1); -}; diff --git a/node_modules/core-js/internals/an-instance.js b/node_modules/core-js/internals/an-instance.js deleted file mode 100644 index ba3422d..0000000 --- a/node_modules/core-js/internals/an-instance.js +++ /dev/null @@ -1,9 +0,0 @@ -'use strict'; -var isPrototypeOf = require('../internals/object-is-prototype-of'); - -var $TypeError = TypeError; - -module.exports = function (it, Prototype) { - if (isPrototypeOf(Prototype, it)) return it; - throw new $TypeError('Incorrect invocation'); -}; diff --git a/node_modules/core-js/internals/an-object-or-undefined.js b/node_modules/core-js/internals/an-object-or-undefined.js deleted file mode 100644 index 3138e11..0000000 --- a/node_modules/core-js/internals/an-object-or-undefined.js +++ /dev/null @@ -1,10 +0,0 @@ -'use strict'; -var isObject = require('../internals/is-object'); - -var $String = String; -var $TypeError = TypeError; - -module.exports = function (argument) { - if (argument === undefined || isObject(argument)) return argument; - throw new $TypeError($String(argument) + ' is not an object or undefined'); -}; diff --git a/node_modules/core-js/internals/an-object.js b/node_modules/core-js/internals/an-object.js deleted file mode 100644 index c782e78..0000000 --- a/node_modules/core-js/internals/an-object.js +++ /dev/null @@ -1,11 +0,0 @@ -'use strict'; -var isObject = require('../internals/is-object'); - -var $String = String; -var $TypeError = TypeError; - -// `Assert: Type(argument) is Object` -module.exports = function (argument) { - if (isObject(argument)) return argument; - throw new $TypeError($String(argument) + ' is not an object'); -}; diff --git a/node_modules/core-js/internals/an-uint8-array.js b/node_modules/core-js/internals/an-uint8-array.js deleted file mode 100644 index 7f162f6..0000000 --- a/node_modules/core-js/internals/an-uint8-array.js +++ /dev/null @@ -1,11 +0,0 @@ -'use strict'; -var classof = require('../internals/classof'); - -var $TypeError = TypeError; - -// Perform ? RequireInternalSlot(argument, [[TypedArrayName]]) -// If argument.[[TypedArrayName]] is not "Uint8Array", throw a TypeError exception -module.exports = function (argument) { - if (classof(argument) === 'Uint8Array') return argument; - throw new $TypeError('Argument is not an Uint8Array'); -}; diff --git a/node_modules/core-js/internals/array-buffer-basic-detection.js b/node_modules/core-js/internals/array-buffer-basic-detection.js deleted file mode 100644 index 8ae7d9b..0000000 --- a/node_modules/core-js/internals/array-buffer-basic-detection.js +++ /dev/null @@ -1,3 +0,0 @@ -'use strict'; -// eslint-disable-next-line es/no-typed-arrays -- safe -module.exports = typeof ArrayBuffer != 'undefined' && typeof DataView != 'undefined'; diff --git a/node_modules/core-js/internals/array-buffer-byte-length.js b/node_modules/core-js/internals/array-buffer-byte-length.js deleted file mode 100644 index c20be74..0000000 --- a/node_modules/core-js/internals/array-buffer-byte-length.js +++ /dev/null @@ -1,13 +0,0 @@ -'use strict'; -var uncurryThisAccessor = require('../internals/function-uncurry-this-accessor'); -var classof = require('../internals/classof-raw'); - -var $TypeError = TypeError; - -// Includes -// - Perform ? RequireInternalSlot(O, [[ArrayBufferData]]). -// - If IsSharedArrayBuffer(O) is true, throw a TypeError exception. -module.exports = uncurryThisAccessor(ArrayBuffer.prototype, 'byteLength', 'get') || function (O) { - if (classof(O) !== 'ArrayBuffer') throw new $TypeError('ArrayBuffer expected'); - return O.byteLength; -}; diff --git a/node_modules/core-js/internals/array-buffer-is-detached.js b/node_modules/core-js/internals/array-buffer-is-detached.js deleted file mode 100644 index 6a4fdfd..0000000 --- a/node_modules/core-js/internals/array-buffer-is-detached.js +++ /dev/null @@ -1,15 +0,0 @@ -'use strict'; -var uncurryThis = require('../internals/function-uncurry-this'); -var arrayBufferByteLength = require('../internals/array-buffer-byte-length'); - -var slice = uncurryThis(ArrayBuffer.prototype.slice); - -module.exports = function (O) { - if (arrayBufferByteLength(O) !== 0) return false; - try { - slice(O, 0, 0); - return false; - } catch (error) { - return true; - } -}; diff --git a/node_modules/core-js/internals/array-buffer-non-extensible.js b/node_modules/core-js/internals/array-buffer-non-extensible.js deleted file mode 100644 index 968b2d0..0000000 --- a/node_modules/core-js/internals/array-buffer-non-extensible.js +++ /dev/null @@ -1,11 +0,0 @@ -'use strict'; -// FF26- bug: ArrayBuffers are non-extensible, but Object.isExtensible does not report it -var fails = require('../internals/fails'); - -module.exports = fails(function () { - if (typeof ArrayBuffer == 'function') { - var buffer = new ArrayBuffer(8); - // eslint-disable-next-line es/no-object-isextensible, es/no-object-defineproperty -- safe - if (Object.isExtensible(buffer)) Object.defineProperty(buffer, 'a', { value: 8 }); - } -}); diff --git a/node_modules/core-js/internals/array-buffer-transfer.js b/node_modules/core-js/internals/array-buffer-transfer.js deleted file mode 100644 index e4a93f5..0000000 --- a/node_modules/core-js/internals/array-buffer-transfer.js +++ /dev/null @@ -1,46 +0,0 @@ -'use strict'; -var global = require('../internals/global'); -var uncurryThis = require('../internals/function-uncurry-this'); -var uncurryThisAccessor = require('../internals/function-uncurry-this-accessor'); -var toIndex = require('../internals/to-index'); -var isDetached = require('../internals/array-buffer-is-detached'); -var arrayBufferByteLength = require('../internals/array-buffer-byte-length'); -var detachTransferable = require('../internals/detach-transferable'); -var PROPER_STRUCTURED_CLONE_TRANSFER = require('../internals/structured-clone-proper-transfer'); - -var structuredClone = global.structuredClone; -var ArrayBuffer = global.ArrayBuffer; -var DataView = global.DataView; -var TypeError = global.TypeError; -var min = Math.min; -var ArrayBufferPrototype = ArrayBuffer.prototype; -var DataViewPrototype = DataView.prototype; -var slice = uncurryThis(ArrayBufferPrototype.slice); -var isResizable = uncurryThisAccessor(ArrayBufferPrototype, 'resizable', 'get'); -var maxByteLength = uncurryThisAccessor(ArrayBufferPrototype, 'maxByteLength', 'get'); -var getInt8 = uncurryThis(DataViewPrototype.getInt8); -var setInt8 = uncurryThis(DataViewPrototype.setInt8); - -module.exports = (PROPER_STRUCTURED_CLONE_TRANSFER || detachTransferable) && function (arrayBuffer, newLength, preserveResizability) { - var byteLength = arrayBufferByteLength(arrayBuffer); - var newByteLength = newLength === undefined ? byteLength : toIndex(newLength); - var fixedLength = !isResizable || !isResizable(arrayBuffer); - var newBuffer; - if (isDetached(arrayBuffer)) throw new TypeError('ArrayBuffer is detached'); - if (PROPER_STRUCTURED_CLONE_TRANSFER) { - arrayBuffer = structuredClone(arrayBuffer, { transfer: [arrayBuffer] }); - if (byteLength === newByteLength && (preserveResizability || fixedLength)) return arrayBuffer; - } - if (byteLength >= newByteLength && (!preserveResizability || fixedLength)) { - newBuffer = slice(arrayBuffer, 0, newByteLength); - } else { - var options = preserveResizability && !fixedLength && maxByteLength ? { maxByteLength: maxByteLength(arrayBuffer) } : undefined; - newBuffer = new ArrayBuffer(newByteLength, options); - var a = new DataView(arrayBuffer); - var b = new DataView(newBuffer); - var copyLength = min(newByteLength, byteLength); - for (var i = 0; i < copyLength; i++) setInt8(b, i, getInt8(a, i)); - } - if (!PROPER_STRUCTURED_CLONE_TRANSFER) detachTransferable(arrayBuffer); - return newBuffer; -}; diff --git a/node_modules/core-js/internals/array-buffer-view-core.js b/node_modules/core-js/internals/array-buffer-view-core.js deleted file mode 100644 index 4cf1d0d..0000000 --- a/node_modules/core-js/internals/array-buffer-view-core.js +++ /dev/null @@ -1,193 +0,0 @@ -'use strict'; -var NATIVE_ARRAY_BUFFER = require('../internals/array-buffer-basic-detection'); -var DESCRIPTORS = require('../internals/descriptors'); -var global = require('../internals/global'); -var isCallable = require('../internals/is-callable'); -var isObject = require('../internals/is-object'); -var hasOwn = require('../internals/has-own-property'); -var classof = require('../internals/classof'); -var tryToString = require('../internals/try-to-string'); -var createNonEnumerableProperty = require('../internals/create-non-enumerable-property'); -var defineBuiltIn = require('../internals/define-built-in'); -var defineBuiltInAccessor = require('../internals/define-built-in-accessor'); -var isPrototypeOf = require('../internals/object-is-prototype-of'); -var getPrototypeOf = require('../internals/object-get-prototype-of'); -var setPrototypeOf = require('../internals/object-set-prototype-of'); -var wellKnownSymbol = require('../internals/well-known-symbol'); -var uid = require('../internals/uid'); -var InternalStateModule = require('../internals/internal-state'); - -var enforceInternalState = InternalStateModule.enforce; -var getInternalState = InternalStateModule.get; -var Int8Array = global.Int8Array; -var Int8ArrayPrototype = Int8Array && Int8Array.prototype; -var Uint8ClampedArray = global.Uint8ClampedArray; -var Uint8ClampedArrayPrototype = Uint8ClampedArray && Uint8ClampedArray.prototype; -var TypedArray = Int8Array && getPrototypeOf(Int8Array); -var TypedArrayPrototype = Int8ArrayPrototype && getPrototypeOf(Int8ArrayPrototype); -var ObjectPrototype = Object.prototype; -var TypeError = global.TypeError; - -var TO_STRING_TAG = wellKnownSymbol('toStringTag'); -var TYPED_ARRAY_TAG = uid('TYPED_ARRAY_TAG'); -var TYPED_ARRAY_CONSTRUCTOR = 'TypedArrayConstructor'; -// Fixing native typed arrays in Opera Presto crashes the browser, see #595 -var NATIVE_ARRAY_BUFFER_VIEWS = NATIVE_ARRAY_BUFFER && !!setPrototypeOf && classof(global.opera) !== 'Opera'; -var TYPED_ARRAY_TAG_REQUIRED = false; -var NAME, Constructor, Prototype; - -var TypedArrayConstructorsList = { - Int8Array: 1, - Uint8Array: 1, - Uint8ClampedArray: 1, - Int16Array: 2, - Uint16Array: 2, - Int32Array: 4, - Uint32Array: 4, - Float32Array: 4, - Float64Array: 8 -}; - -var BigIntArrayConstructorsList = { - BigInt64Array: 8, - BigUint64Array: 8 -}; - -var isView = function isView(it) { - if (!isObject(it)) return false; - var klass = classof(it); - return klass === 'DataView' - || hasOwn(TypedArrayConstructorsList, klass) - || hasOwn(BigIntArrayConstructorsList, klass); -}; - -var getTypedArrayConstructor = function (it) { - var proto = getPrototypeOf(it); - if (!isObject(proto)) return; - var state = getInternalState(proto); - return (state && hasOwn(state, TYPED_ARRAY_CONSTRUCTOR)) ? state[TYPED_ARRAY_CONSTRUCTOR] : getTypedArrayConstructor(proto); -}; - -var isTypedArray = function (it) { - if (!isObject(it)) return false; - var klass = classof(it); - return hasOwn(TypedArrayConstructorsList, klass) - || hasOwn(BigIntArrayConstructorsList, klass); -}; - -var aTypedArray = function (it) { - if (isTypedArray(it)) return it; - throw new TypeError('Target is not a typed array'); -}; - -var aTypedArrayConstructor = function (C) { - if (isCallable(C) && (!setPrototypeOf || isPrototypeOf(TypedArray, C))) return C; - throw new TypeError(tryToString(C) + ' is not a typed array constructor'); -}; - -var exportTypedArrayMethod = function (KEY, property, forced, options) { - if (!DESCRIPTORS) return; - if (forced) for (var ARRAY in TypedArrayConstructorsList) { - var TypedArrayConstructor = global[ARRAY]; - if (TypedArrayConstructor && hasOwn(TypedArrayConstructor.prototype, KEY)) try { - delete TypedArrayConstructor.prototype[KEY]; - } catch (error) { - // old WebKit bug - some methods are non-configurable - try { - TypedArrayConstructor.prototype[KEY] = property; - } catch (error2) { /* empty */ } - } - } - if (!TypedArrayPrototype[KEY] || forced) { - defineBuiltIn(TypedArrayPrototype, KEY, forced ? property - : NATIVE_ARRAY_BUFFER_VIEWS && Int8ArrayPrototype[KEY] || property, options); - } -}; - -var exportTypedArrayStaticMethod = function (KEY, property, forced) { - var ARRAY, TypedArrayConstructor; - if (!DESCRIPTORS) return; - if (setPrototypeOf) { - if (forced) for (ARRAY in TypedArrayConstructorsList) { - TypedArrayConstructor = global[ARRAY]; - if (TypedArrayConstructor && hasOwn(TypedArrayConstructor, KEY)) try { - delete TypedArrayConstructor[KEY]; - } catch (error) { /* empty */ } - } - if (!TypedArray[KEY] || forced) { - // V8 ~ Chrome 49-50 `%TypedArray%` methods are non-writable non-configurable - try { - return defineBuiltIn(TypedArray, KEY, forced ? property : NATIVE_ARRAY_BUFFER_VIEWS && TypedArray[KEY] || property); - } catch (error) { /* empty */ } - } else return; - } - for (ARRAY in TypedArrayConstructorsList) { - TypedArrayConstructor = global[ARRAY]; - if (TypedArrayConstructor && (!TypedArrayConstructor[KEY] || forced)) { - defineBuiltIn(TypedArrayConstructor, KEY, property); - } - } -}; - -for (NAME in TypedArrayConstructorsList) { - Constructor = global[NAME]; - Prototype = Constructor && Constructor.prototype; - if (Prototype) enforceInternalState(Prototype)[TYPED_ARRAY_CONSTRUCTOR] = Constructor; - else NATIVE_ARRAY_BUFFER_VIEWS = false; -} - -for (NAME in BigIntArrayConstructorsList) { - Constructor = global[NAME]; - Prototype = Constructor && Constructor.prototype; - if (Prototype) enforceInternalState(Prototype)[TYPED_ARRAY_CONSTRUCTOR] = Constructor; -} - -// WebKit bug - typed arrays constructors prototype is Object.prototype -if (!NATIVE_ARRAY_BUFFER_VIEWS || !isCallable(TypedArray) || TypedArray === Function.prototype) { - // eslint-disable-next-line no-shadow -- safe - TypedArray = function TypedArray() { - throw new TypeError('Incorrect invocation'); - }; - if (NATIVE_ARRAY_BUFFER_VIEWS) for (NAME in TypedArrayConstructorsList) { - if (global[NAME]) setPrototypeOf(global[NAME], TypedArray); - } -} - -if (!NATIVE_ARRAY_BUFFER_VIEWS || !TypedArrayPrototype || TypedArrayPrototype === ObjectPrototype) { - TypedArrayPrototype = TypedArray.prototype; - if (NATIVE_ARRAY_BUFFER_VIEWS) for (NAME in TypedArrayConstructorsList) { - if (global[NAME]) setPrototypeOf(global[NAME].prototype, TypedArrayPrototype); - } -} - -// WebKit bug - one more object in Uint8ClampedArray prototype chain -if (NATIVE_ARRAY_BUFFER_VIEWS && getPrototypeOf(Uint8ClampedArrayPrototype) !== TypedArrayPrototype) { - setPrototypeOf(Uint8ClampedArrayPrototype, TypedArrayPrototype); -} - -if (DESCRIPTORS && !hasOwn(TypedArrayPrototype, TO_STRING_TAG)) { - TYPED_ARRAY_TAG_REQUIRED = true; - defineBuiltInAccessor(TypedArrayPrototype, TO_STRING_TAG, { - configurable: true, - get: function () { - return isObject(this) ? this[TYPED_ARRAY_TAG] : undefined; - } - }); - for (NAME in TypedArrayConstructorsList) if (global[NAME]) { - createNonEnumerableProperty(global[NAME], TYPED_ARRAY_TAG, NAME); - } -} - -module.exports = { - NATIVE_ARRAY_BUFFER_VIEWS: NATIVE_ARRAY_BUFFER_VIEWS, - TYPED_ARRAY_TAG: TYPED_ARRAY_TAG_REQUIRED && TYPED_ARRAY_TAG, - aTypedArray: aTypedArray, - aTypedArrayConstructor: aTypedArrayConstructor, - exportTypedArrayMethod: exportTypedArrayMethod, - exportTypedArrayStaticMethod: exportTypedArrayStaticMethod, - getTypedArrayConstructor: getTypedArrayConstructor, - isView: isView, - isTypedArray: isTypedArray, - TypedArray: TypedArray, - TypedArrayPrototype: TypedArrayPrototype -}; diff --git a/node_modules/core-js/internals/array-buffer.js b/node_modules/core-js/internals/array-buffer.js deleted file mode 100644 index fa13f81..0000000 --- a/node_modules/core-js/internals/array-buffer.js +++ /dev/null @@ -1,260 +0,0 @@ -'use strict'; -var global = require('../internals/global'); -var uncurryThis = require('../internals/function-uncurry-this'); -var DESCRIPTORS = require('../internals/descriptors'); -var NATIVE_ARRAY_BUFFER = require('../internals/array-buffer-basic-detection'); -var FunctionName = require('../internals/function-name'); -var createNonEnumerableProperty = require('../internals/create-non-enumerable-property'); -var defineBuiltInAccessor = require('../internals/define-built-in-accessor'); -var defineBuiltIns = require('../internals/define-built-ins'); -var fails = require('../internals/fails'); -var anInstance = require('../internals/an-instance'); -var toIntegerOrInfinity = require('../internals/to-integer-or-infinity'); -var toLength = require('../internals/to-length'); -var toIndex = require('../internals/to-index'); -var fround = require('../internals/math-fround'); -var IEEE754 = require('../internals/ieee754'); -var getPrototypeOf = require('../internals/object-get-prototype-of'); -var setPrototypeOf = require('../internals/object-set-prototype-of'); -var arrayFill = require('../internals/array-fill'); -var arraySlice = require('../internals/array-slice'); -var inheritIfRequired = require('../internals/inherit-if-required'); -var copyConstructorProperties = require('../internals/copy-constructor-properties'); -var setToStringTag = require('../internals/set-to-string-tag'); -var InternalStateModule = require('../internals/internal-state'); - -var PROPER_FUNCTION_NAME = FunctionName.PROPER; -var CONFIGURABLE_FUNCTION_NAME = FunctionName.CONFIGURABLE; -var ARRAY_BUFFER = 'ArrayBuffer'; -var DATA_VIEW = 'DataView'; -var PROTOTYPE = 'prototype'; -var WRONG_LENGTH = 'Wrong length'; -var WRONG_INDEX = 'Wrong index'; -var getInternalArrayBufferState = InternalStateModule.getterFor(ARRAY_BUFFER); -var getInternalDataViewState = InternalStateModule.getterFor(DATA_VIEW); -var setInternalState = InternalStateModule.set; -var NativeArrayBuffer = global[ARRAY_BUFFER]; -var $ArrayBuffer = NativeArrayBuffer; -var ArrayBufferPrototype = $ArrayBuffer && $ArrayBuffer[PROTOTYPE]; -var $DataView = global[DATA_VIEW]; -var DataViewPrototype = $DataView && $DataView[PROTOTYPE]; -var ObjectPrototype = Object.prototype; -var Array = global.Array; -var RangeError = global.RangeError; -var fill = uncurryThis(arrayFill); -var reverse = uncurryThis([].reverse); - -var packIEEE754 = IEEE754.pack; -var unpackIEEE754 = IEEE754.unpack; - -var packInt8 = function (number) { - return [number & 0xFF]; -}; - -var packInt16 = function (number) { - return [number & 0xFF, number >> 8 & 0xFF]; -}; - -var packInt32 = function (number) { - return [number & 0xFF, number >> 8 & 0xFF, number >> 16 & 0xFF, number >> 24 & 0xFF]; -}; - -var unpackInt32 = function (buffer) { - return buffer[3] << 24 | buffer[2] << 16 | buffer[1] << 8 | buffer[0]; -}; - -var packFloat32 = function (number) { - return packIEEE754(fround(number), 23, 4); -}; - -var packFloat64 = function (number) { - return packIEEE754(number, 52, 8); -}; - -var addGetter = function (Constructor, key, getInternalState) { - defineBuiltInAccessor(Constructor[PROTOTYPE], key, { - configurable: true, - get: function () { - return getInternalState(this)[key]; - } - }); -}; - -var get = function (view, count, index, isLittleEndian) { - var store = getInternalDataViewState(view); - var intIndex = toIndex(index); - var boolIsLittleEndian = !!isLittleEndian; - if (intIndex + count > store.byteLength) throw new RangeError(WRONG_INDEX); - var bytes = store.bytes; - var start = intIndex + store.byteOffset; - var pack = arraySlice(bytes, start, start + count); - return boolIsLittleEndian ? pack : reverse(pack); -}; - -var set = function (view, count, index, conversion, value, isLittleEndian) { - var store = getInternalDataViewState(view); - var intIndex = toIndex(index); - var pack = conversion(+value); - var boolIsLittleEndian = !!isLittleEndian; - if (intIndex + count > store.byteLength) throw new RangeError(WRONG_INDEX); - var bytes = store.bytes; - var start = intIndex + store.byteOffset; - for (var i = 0; i < count; i++) bytes[start + i] = pack[boolIsLittleEndian ? i : count - i - 1]; -}; - -if (!NATIVE_ARRAY_BUFFER) { - $ArrayBuffer = function ArrayBuffer(length) { - anInstance(this, ArrayBufferPrototype); - var byteLength = toIndex(length); - setInternalState(this, { - type: ARRAY_BUFFER, - bytes: fill(Array(byteLength), 0), - byteLength: byteLength - }); - if (!DESCRIPTORS) { - this.byteLength = byteLength; - this.detached = false; - } - }; - - ArrayBufferPrototype = $ArrayBuffer[PROTOTYPE]; - - $DataView = function DataView(buffer, byteOffset, byteLength) { - anInstance(this, DataViewPrototype); - anInstance(buffer, ArrayBufferPrototype); - var bufferState = getInternalArrayBufferState(buffer); - var bufferLength = bufferState.byteLength; - var offset = toIntegerOrInfinity(byteOffset); - if (offset < 0 || offset > bufferLength) throw new RangeError('Wrong offset'); - byteLength = byteLength === undefined ? bufferLength - offset : toLength(byteLength); - if (offset + byteLength > bufferLength) throw new RangeError(WRONG_LENGTH); - setInternalState(this, { - type: DATA_VIEW, - buffer: buffer, - byteLength: byteLength, - byteOffset: offset, - bytes: bufferState.bytes - }); - if (!DESCRIPTORS) { - this.buffer = buffer; - this.byteLength = byteLength; - this.byteOffset = offset; - } - }; - - DataViewPrototype = $DataView[PROTOTYPE]; - - if (DESCRIPTORS) { - addGetter($ArrayBuffer, 'byteLength', getInternalArrayBufferState); - addGetter($DataView, 'buffer', getInternalDataViewState); - addGetter($DataView, 'byteLength', getInternalDataViewState); - addGetter($DataView, 'byteOffset', getInternalDataViewState); - } - - defineBuiltIns(DataViewPrototype, { - getInt8: function getInt8(byteOffset) { - return get(this, 1, byteOffset)[0] << 24 >> 24; - }, - getUint8: function getUint8(byteOffset) { - return get(this, 1, byteOffset)[0]; - }, - getInt16: function getInt16(byteOffset /* , littleEndian */) { - var bytes = get(this, 2, byteOffset, arguments.length > 1 ? arguments[1] : false); - return (bytes[1] << 8 | bytes[0]) << 16 >> 16; - }, - getUint16: function getUint16(byteOffset /* , littleEndian */) { - var bytes = get(this, 2, byteOffset, arguments.length > 1 ? arguments[1] : false); - return bytes[1] << 8 | bytes[0]; - }, - getInt32: function getInt32(byteOffset /* , littleEndian */) { - return unpackInt32(get(this, 4, byteOffset, arguments.length > 1 ? arguments[1] : false)); - }, - getUint32: function getUint32(byteOffset /* , littleEndian */) { - return unpackInt32(get(this, 4, byteOffset, arguments.length > 1 ? arguments[1] : false)) >>> 0; - }, - getFloat32: function getFloat32(byteOffset /* , littleEndian */) { - return unpackIEEE754(get(this, 4, byteOffset, arguments.length > 1 ? arguments[1] : false), 23); - }, - getFloat64: function getFloat64(byteOffset /* , littleEndian */) { - return unpackIEEE754(get(this, 8, byteOffset, arguments.length > 1 ? arguments[1] : false), 52); - }, - setInt8: function setInt8(byteOffset, value) { - set(this, 1, byteOffset, packInt8, value); - }, - setUint8: function setUint8(byteOffset, value) { - set(this, 1, byteOffset, packInt8, value); - }, - setInt16: function setInt16(byteOffset, value /* , littleEndian */) { - set(this, 2, byteOffset, packInt16, value, arguments.length > 2 ? arguments[2] : false); - }, - setUint16: function setUint16(byteOffset, value /* , littleEndian */) { - set(this, 2, byteOffset, packInt16, value, arguments.length > 2 ? arguments[2] : false); - }, - setInt32: function setInt32(byteOffset, value /* , littleEndian */) { - set(this, 4, byteOffset, packInt32, value, arguments.length > 2 ? arguments[2] : false); - }, - setUint32: function setUint32(byteOffset, value /* , littleEndian */) { - set(this, 4, byteOffset, packInt32, value, arguments.length > 2 ? arguments[2] : false); - }, - setFloat32: function setFloat32(byteOffset, value /* , littleEndian */) { - set(this, 4, byteOffset, packFloat32, value, arguments.length > 2 ? arguments[2] : false); - }, - setFloat64: function setFloat64(byteOffset, value /* , littleEndian */) { - set(this, 8, byteOffset, packFloat64, value, arguments.length > 2 ? arguments[2] : false); - } - }); -} else { - var INCORRECT_ARRAY_BUFFER_NAME = PROPER_FUNCTION_NAME && NativeArrayBuffer.name !== ARRAY_BUFFER; - /* eslint-disable no-new -- required for testing */ - if (!fails(function () { - NativeArrayBuffer(1); - }) || !fails(function () { - new NativeArrayBuffer(-1); - }) || fails(function () { - new NativeArrayBuffer(); - new NativeArrayBuffer(1.5); - new NativeArrayBuffer(NaN); - return NativeArrayBuffer.length !== 1 || INCORRECT_ARRAY_BUFFER_NAME && !CONFIGURABLE_FUNCTION_NAME; - })) { - /* eslint-enable no-new -- required for testing */ - $ArrayBuffer = function ArrayBuffer(length) { - anInstance(this, ArrayBufferPrototype); - return inheritIfRequired(new NativeArrayBuffer(toIndex(length)), this, $ArrayBuffer); - }; - - $ArrayBuffer[PROTOTYPE] = ArrayBufferPrototype; - - ArrayBufferPrototype.constructor = $ArrayBuffer; - - copyConstructorProperties($ArrayBuffer, NativeArrayBuffer); - } else if (INCORRECT_ARRAY_BUFFER_NAME && CONFIGURABLE_FUNCTION_NAME) { - createNonEnumerableProperty(NativeArrayBuffer, 'name', ARRAY_BUFFER); - } - - // WebKit bug - the same parent prototype for typed arrays and data view - if (setPrototypeOf && getPrototypeOf(DataViewPrototype) !== ObjectPrototype) { - setPrototypeOf(DataViewPrototype, ObjectPrototype); - } - - // iOS Safari 7.x bug - var testView = new $DataView(new $ArrayBuffer(2)); - var $setInt8 = uncurryThis(DataViewPrototype.setInt8); - testView.setInt8(0, 2147483648); - testView.setInt8(1, 2147483649); - if (testView.getInt8(0) || !testView.getInt8(1)) defineBuiltIns(DataViewPrototype, { - setInt8: function setInt8(byteOffset, value) { - $setInt8(this, byteOffset, value << 24 >> 24); - }, - setUint8: function setUint8(byteOffset, value) { - $setInt8(this, byteOffset, value << 24 >> 24); - } - }, { unsafe: true }); -} - -setToStringTag($ArrayBuffer, ARRAY_BUFFER); -setToStringTag($DataView, DATA_VIEW); - -module.exports = { - ArrayBuffer: $ArrayBuffer, - DataView: $DataView -}; diff --git a/node_modules/core-js/internals/array-copy-within.js b/node_modules/core-js/internals/array-copy-within.js deleted file mode 100644 index e199714..0000000 --- a/node_modules/core-js/internals/array-copy-within.js +++ /dev/null @@ -1,31 +0,0 @@ -'use strict'; -var toObject = require('../internals/to-object'); -var toAbsoluteIndex = require('../internals/to-absolute-index'); -var lengthOfArrayLike = require('../internals/length-of-array-like'); -var deletePropertyOrThrow = require('../internals/delete-property-or-throw'); - -var min = Math.min; - -// `Array.prototype.copyWithin` method implementation -// https://tc39.es/ecma262/#sec-array.prototype.copywithin -// eslint-disable-next-line es/no-array-prototype-copywithin -- safe -module.exports = [].copyWithin || function copyWithin(target /* = 0 */, start /* = 0, end = @length */) { - var O = toObject(this); - var len = lengthOfArrayLike(O); - var to = toAbsoluteIndex(target, len); - var from = toAbsoluteIndex(start, len); - var end = arguments.length > 2 ? arguments[2] : undefined; - var count = min((end === undefined ? len : toAbsoluteIndex(end, len)) - from, len - to); - var inc = 1; - if (from < to && to < from + count) { - inc = -1; - from += count - 1; - to += count - 1; - } - while (count-- > 0) { - if (from in O) O[to] = O[from]; - else deletePropertyOrThrow(O, to); - to += inc; - from += inc; - } return O; -}; diff --git a/node_modules/core-js/internals/array-fill.js b/node_modules/core-js/internals/array-fill.js deleted file mode 100644 index c6b16cd..0000000 --- a/node_modules/core-js/internals/array-fill.js +++ /dev/null @@ -1,17 +0,0 @@ -'use strict'; -var toObject = require('../internals/to-object'); -var toAbsoluteIndex = require('../internals/to-absolute-index'); -var lengthOfArrayLike = require('../internals/length-of-array-like'); - -// `Array.prototype.fill` method implementation -// https://tc39.es/ecma262/#sec-array.prototype.fill -module.exports = function fill(value /* , start = 0, end = @length */) { - var O = toObject(this); - var length = lengthOfArrayLike(O); - var argumentsLength = arguments.length; - var index = toAbsoluteIndex(argumentsLength > 1 ? arguments[1] : undefined, length); - var end = argumentsLength > 2 ? arguments[2] : undefined; - var endPos = end === undefined ? length : toAbsoluteIndex(end, length); - while (endPos > index) O[index++] = value; - return O; -}; diff --git a/node_modules/core-js/internals/array-for-each.js b/node_modules/core-js/internals/array-for-each.js deleted file mode 100644 index 22477f4..0000000 --- a/node_modules/core-js/internals/array-for-each.js +++ /dev/null @@ -1,12 +0,0 @@ -'use strict'; -var $forEach = require('../internals/array-iteration').forEach; -var arrayMethodIsStrict = require('../internals/array-method-is-strict'); - -var STRICT_METHOD = arrayMethodIsStrict('forEach'); - -// `Array.prototype.forEach` method implementation -// https://tc39.es/ecma262/#sec-array.prototype.foreach -module.exports = !STRICT_METHOD ? function forEach(callbackfn /* , thisArg */) { - return $forEach(this, callbackfn, arguments.length > 1 ? arguments[1] : undefined); -// eslint-disable-next-line es/no-array-prototype-foreach -- safe -} : [].forEach; diff --git a/node_modules/core-js/internals/array-from-async.js b/node_modules/core-js/internals/array-from-async.js deleted file mode 100644 index 6cca999..0000000 --- a/node_modules/core-js/internals/array-from-async.js +++ /dev/null @@ -1,51 +0,0 @@ -'use strict'; -var bind = require('../internals/function-bind-context'); -var uncurryThis = require('../internals/function-uncurry-this'); -var toObject = require('../internals/to-object'); -var isConstructor = require('../internals/is-constructor'); -var getAsyncIterator = require('../internals/get-async-iterator'); -var getIterator = require('../internals/get-iterator'); -var getIteratorDirect = require('../internals/get-iterator-direct'); -var getIteratorMethod = require('../internals/get-iterator-method'); -var getMethod = require('../internals/get-method'); -var getBuiltIn = require('../internals/get-built-in'); -var getBuiltInPrototypeMethod = require('../internals/get-built-in-prototype-method'); -var wellKnownSymbol = require('../internals/well-known-symbol'); -var AsyncFromSyncIterator = require('../internals/async-from-sync-iterator'); -var toArray = require('../internals/async-iterator-iteration').toArray; - -var ASYNC_ITERATOR = wellKnownSymbol('asyncIterator'); -var arrayIterator = uncurryThis(getBuiltInPrototypeMethod('Array', 'values')); -var arrayIteratorNext = uncurryThis(arrayIterator([]).next); - -var safeArrayIterator = function () { - return new SafeArrayIterator(this); -}; - -var SafeArrayIterator = function (O) { - this.iterator = arrayIterator(O); -}; - -SafeArrayIterator.prototype.next = function () { - return arrayIteratorNext(this.iterator); -}; - -// `Array.fromAsync` method implementation -// https://github.com/tc39/proposal-array-from-async -module.exports = function fromAsync(asyncItems /* , mapfn = undefined, thisArg = undefined */) { - var C = this; - var argumentsLength = arguments.length; - var mapfn = argumentsLength > 1 ? arguments[1] : undefined; - var thisArg = argumentsLength > 2 ? arguments[2] : undefined; - return new (getBuiltIn('Promise'))(function (resolve) { - var O = toObject(asyncItems); - if (mapfn !== undefined) mapfn = bind(mapfn, thisArg); - var usingAsyncIterator = getMethod(O, ASYNC_ITERATOR); - var usingSyncIterator = usingAsyncIterator ? undefined : getIteratorMethod(O) || safeArrayIterator; - var A = isConstructor(C) ? new C() : []; - var iterator = usingAsyncIterator - ? getAsyncIterator(O, usingAsyncIterator) - : new AsyncFromSyncIterator(getIteratorDirect(getIterator(O, usingSyncIterator))); - resolve(toArray(iterator, mapfn, A)); - }); -}; diff --git a/node_modules/core-js/internals/array-from-constructor-and-list.js b/node_modules/core-js/internals/array-from-constructor-and-list.js deleted file mode 100644 index d6c8ae2..0000000 --- a/node_modules/core-js/internals/array-from-constructor-and-list.js +++ /dev/null @@ -1,10 +0,0 @@ -'use strict'; -var lengthOfArrayLike = require('../internals/length-of-array-like'); - -module.exports = function (Constructor, list, $length) { - var index = 0; - var length = arguments.length > 2 ? $length : lengthOfArrayLike(list); - var result = new Constructor(length); - while (length > index) result[index] = list[index++]; - return result; -}; diff --git a/node_modules/core-js/internals/array-from.js b/node_modules/core-js/internals/array-from.js deleted file mode 100644 index 323b183..0000000 --- a/node_modules/core-js/internals/array-from.js +++ /dev/null @@ -1,46 +0,0 @@ -'use strict'; -var bind = require('../internals/function-bind-context'); -var call = require('../internals/function-call'); -var toObject = require('../internals/to-object'); -var callWithSafeIterationClosing = require('../internals/call-with-safe-iteration-closing'); -var isArrayIteratorMethod = require('../internals/is-array-iterator-method'); -var isConstructor = require('../internals/is-constructor'); -var lengthOfArrayLike = require('../internals/length-of-array-like'); -var createProperty = require('../internals/create-property'); -var getIterator = require('../internals/get-iterator'); -var getIteratorMethod = require('../internals/get-iterator-method'); - -var $Array = Array; - -// `Array.from` method implementation -// https://tc39.es/ecma262/#sec-array.from -module.exports = function from(arrayLike /* , mapfn = undefined, thisArg = undefined */) { - var O = toObject(arrayLike); - var IS_CONSTRUCTOR = isConstructor(this); - var argumentsLength = arguments.length; - var mapfn = argumentsLength > 1 ? arguments[1] : undefined; - var mapping = mapfn !== undefined; - if (mapping) mapfn = bind(mapfn, argumentsLength > 2 ? arguments[2] : undefined); - var iteratorMethod = getIteratorMethod(O); - var index = 0; - var length, result, step, iterator, next, value; - // if the target is not iterable or it's an array with the default iterator - use a simple case - if (iteratorMethod && !(this === $Array && isArrayIteratorMethod(iteratorMethod))) { - iterator = getIterator(O, iteratorMethod); - next = iterator.next; - result = IS_CONSTRUCTOR ? new this() : []; - for (;!(step = call(next, iterator)).done; index++) { - value = mapping ? callWithSafeIterationClosing(iterator, mapfn, [step.value, index], true) : step.value; - createProperty(result, index, value); - } - } else { - length = lengthOfArrayLike(O); - result = IS_CONSTRUCTOR ? new this(length) : $Array(length); - for (;length > index; index++) { - value = mapping ? mapfn(O[index], index) : O[index]; - createProperty(result, index, value); - } - } - result.length = index; - return result; -}; diff --git a/node_modules/core-js/internals/array-group-to-map.js b/node_modules/core-js/internals/array-group-to-map.js deleted file mode 100644 index 608d45a..0000000 --- a/node_modules/core-js/internals/array-group-to-map.js +++ /dev/null @@ -1,31 +0,0 @@ -'use strict'; -var bind = require('../internals/function-bind-context'); -var uncurryThis = require('../internals/function-uncurry-this'); -var IndexedObject = require('../internals/indexed-object'); -var toObject = require('../internals/to-object'); -var lengthOfArrayLike = require('../internals/length-of-array-like'); -var MapHelpers = require('../internals/map-helpers'); - -var Map = MapHelpers.Map; -var mapGet = MapHelpers.get; -var mapHas = MapHelpers.has; -var mapSet = MapHelpers.set; -var push = uncurryThis([].push); - -// `Array.prototype.groupToMap` method -// https://github.com/tc39/proposal-array-grouping -module.exports = function groupToMap(callbackfn /* , thisArg */) { - var O = toObject(this); - var self = IndexedObject(O); - var boundFunction = bind(callbackfn, arguments.length > 1 ? arguments[1] : undefined); - var map = new Map(); - var length = lengthOfArrayLike(self); - var index = 0; - var key, value; - for (;length > index; index++) { - value = self[index]; - key = boundFunction(value, index, O); - if (mapHas(map, key)) push(mapGet(map, key), value); - else mapSet(map, key, [value]); - } return map; -}; diff --git a/node_modules/core-js/internals/array-group.js b/node_modules/core-js/internals/array-group.js deleted file mode 100644 index dbec5a4..0000000 --- a/node_modules/core-js/internals/array-group.js +++ /dev/null @@ -1,37 +0,0 @@ -'use strict'; -var bind = require('../internals/function-bind-context'); -var uncurryThis = require('../internals/function-uncurry-this'); -var IndexedObject = require('../internals/indexed-object'); -var toObject = require('../internals/to-object'); -var toPropertyKey = require('../internals/to-property-key'); -var lengthOfArrayLike = require('../internals/length-of-array-like'); -var objectCreate = require('../internals/object-create'); -var arrayFromConstructorAndList = require('../internals/array-from-constructor-and-list'); - -var $Array = Array; -var push = uncurryThis([].push); - -module.exports = function ($this, callbackfn, that, specificConstructor) { - var O = toObject($this); - var self = IndexedObject(O); - var boundFunction = bind(callbackfn, that); - var target = objectCreate(null); - var length = lengthOfArrayLike(self); - var index = 0; - var Constructor, key, value; - for (;length > index; index++) { - value = self[index]; - key = toPropertyKey(boundFunction(value, index, O)); - // in some IE versions, `hasOwnProperty` returns incorrect result on integer keys - // but since it's a `null` prototype object, we can safely use `in` - if (key in target) push(target[key], value); - else target[key] = [value]; - } - // TODO: Remove this block from `core-js@4` - if (specificConstructor) { - Constructor = specificConstructor(O); - if (Constructor !== $Array) { - for (key in target) target[key] = arrayFromConstructorAndList(Constructor, target[key]); - } - } return target; -}; diff --git a/node_modules/core-js/internals/array-includes.js b/node_modules/core-js/internals/array-includes.js deleted file mode 100644 index 7eac523..0000000 --- a/node_modules/core-js/internals/array-includes.js +++ /dev/null @@ -1,33 +0,0 @@ -'use strict'; -var toIndexedObject = require('../internals/to-indexed-object'); -var toAbsoluteIndex = require('../internals/to-absolute-index'); -var lengthOfArrayLike = require('../internals/length-of-array-like'); - -// `Array.prototype.{ indexOf, includes }` methods implementation -var createMethod = function (IS_INCLUDES) { - return function ($this, el, fromIndex) { - var O = toIndexedObject($this); - var length = lengthOfArrayLike(O); - var index = toAbsoluteIndex(fromIndex, length); - var value; - // Array#includes uses SameValueZero equality algorithm - // eslint-disable-next-line no-self-compare -- NaN check - if (IS_INCLUDES && el !== el) while (length > index) { - value = O[index++]; - // eslint-disable-next-line no-self-compare -- NaN check - if (value !== value) return true; - // Array#indexOf ignores holes, Array#includes - not - } else for (;length > index; index++) { - if ((IS_INCLUDES || index in O) && O[index] === el) return IS_INCLUDES || index || 0; - } return !IS_INCLUDES && -1; - }; -}; - -module.exports = { - // `Array.prototype.includes` method - // https://tc39.es/ecma262/#sec-array.prototype.includes - includes: createMethod(true), - // `Array.prototype.indexOf` method - // https://tc39.es/ecma262/#sec-array.prototype.indexof - indexOf: createMethod(false) -}; diff --git a/node_modules/core-js/internals/array-iteration-from-last.js b/node_modules/core-js/internals/array-iteration-from-last.js deleted file mode 100644 index aa79724..0000000 --- a/node_modules/core-js/internals/array-iteration-from-last.js +++ /dev/null @@ -1,35 +0,0 @@ -'use strict'; -var bind = require('../internals/function-bind-context'); -var IndexedObject = require('../internals/indexed-object'); -var toObject = require('../internals/to-object'); -var lengthOfArrayLike = require('../internals/length-of-array-like'); - -// `Array.prototype.{ findLast, findLastIndex }` methods implementation -var createMethod = function (TYPE) { - var IS_FIND_LAST_INDEX = TYPE === 1; - return function ($this, callbackfn, that) { - var O = toObject($this); - var self = IndexedObject(O); - var index = lengthOfArrayLike(self); - var boundFunction = bind(callbackfn, that); - var value, result; - while (index-- > 0) { - value = self[index]; - result = boundFunction(value, index, O); - if (result) switch (TYPE) { - case 0: return value; // findLast - case 1: return index; // findLastIndex - } - } - return IS_FIND_LAST_INDEX ? -1 : undefined; - }; -}; - -module.exports = { - // `Array.prototype.findLast` method - // https://github.com/tc39/proposal-array-find-from-last - findLast: createMethod(0), - // `Array.prototype.findLastIndex` method - // https://github.com/tc39/proposal-array-find-from-last - findLastIndex: createMethod(1) -}; diff --git a/node_modules/core-js/internals/array-iteration.js b/node_modules/core-js/internals/array-iteration.js deleted file mode 100644 index 689c885..0000000 --- a/node_modules/core-js/internals/array-iteration.js +++ /dev/null @@ -1,74 +0,0 @@ -'use strict'; -var bind = require('../internals/function-bind-context'); -var uncurryThis = require('../internals/function-uncurry-this'); -var IndexedObject = require('../internals/indexed-object'); -var toObject = require('../internals/to-object'); -var lengthOfArrayLike = require('../internals/length-of-array-like'); -var arraySpeciesCreate = require('../internals/array-species-create'); - -var push = uncurryThis([].push); - -// `Array.prototype.{ forEach, map, filter, some, every, find, findIndex, filterReject }` methods implementation -var createMethod = function (TYPE) { - var IS_MAP = TYPE === 1; - var IS_FILTER = TYPE === 2; - var IS_SOME = TYPE === 3; - var IS_EVERY = TYPE === 4; - var IS_FIND_INDEX = TYPE === 6; - var IS_FILTER_REJECT = TYPE === 7; - var NO_HOLES = TYPE === 5 || IS_FIND_INDEX; - return function ($this, callbackfn, that, specificCreate) { - var O = toObject($this); - var self = IndexedObject(O); - var length = lengthOfArrayLike(self); - var boundFunction = bind(callbackfn, that); - var index = 0; - var create = specificCreate || arraySpeciesCreate; - var target = IS_MAP ? create($this, length) : IS_FILTER || IS_FILTER_REJECT ? create($this, 0) : undefined; - var value, result; - for (;length > index; index++) if (NO_HOLES || index in self) { - value = self[index]; - result = boundFunction(value, index, O); - if (TYPE) { - if (IS_MAP) target[index] = result; // map - else if (result) switch (TYPE) { - case 3: return true; // some - case 5: return value; // find - case 6: return index; // findIndex - case 2: push(target, value); // filter - } else switch (TYPE) { - case 4: return false; // every - case 7: push(target, value); // filterReject - } - } - } - return IS_FIND_INDEX ? -1 : IS_SOME || IS_EVERY ? IS_EVERY : target; - }; -}; - -module.exports = { - // `Array.prototype.forEach` method - // https://tc39.es/ecma262/#sec-array.prototype.foreach - forEach: createMethod(0), - // `Array.prototype.map` method - // https://tc39.es/ecma262/#sec-array.prototype.map - map: createMethod(1), - // `Array.prototype.filter` method - // https://tc39.es/ecma262/#sec-array.prototype.filter - filter: createMethod(2), - // `Array.prototype.some` method - // https://tc39.es/ecma262/#sec-array.prototype.some - some: createMethod(3), - // `Array.prototype.every` method - // https://tc39.es/ecma262/#sec-array.prototype.every - every: createMethod(4), - // `Array.prototype.find` method - // https://tc39.es/ecma262/#sec-array.prototype.find - find: createMethod(5), - // `Array.prototype.findIndex` method - // https://tc39.es/ecma262/#sec-array.prototype.findIndex - findIndex: createMethod(6), - // `Array.prototype.filterReject` method - // https://github.com/tc39/proposal-array-filtering - filterReject: createMethod(7) -}; diff --git a/node_modules/core-js/internals/array-last-index-of.js b/node_modules/core-js/internals/array-last-index-of.js deleted file mode 100644 index e755554..0000000 --- a/node_modules/core-js/internals/array-last-index-of.js +++ /dev/null @@ -1,27 +0,0 @@ -'use strict'; -/* eslint-disable es/no-array-prototype-lastindexof -- safe */ -var apply = require('../internals/function-apply'); -var toIndexedObject = require('../internals/to-indexed-object'); -var toIntegerOrInfinity = require('../internals/to-integer-or-infinity'); -var lengthOfArrayLike = require('../internals/length-of-array-like'); -var arrayMethodIsStrict = require('../internals/array-method-is-strict'); - -var min = Math.min; -var $lastIndexOf = [].lastIndexOf; -var NEGATIVE_ZERO = !!$lastIndexOf && 1 / [1].lastIndexOf(1, -0) < 0; -var STRICT_METHOD = arrayMethodIsStrict('lastIndexOf'); -var FORCED = NEGATIVE_ZERO || !STRICT_METHOD; - -// `Array.prototype.lastIndexOf` method implementation -// https://tc39.es/ecma262/#sec-array.prototype.lastindexof -module.exports = FORCED ? function lastIndexOf(searchElement /* , fromIndex = @[*-1] */) { - // convert -0 to +0 - if (NEGATIVE_ZERO) return apply($lastIndexOf, this, arguments) || 0; - var O = toIndexedObject(this); - var length = lengthOfArrayLike(O); - var index = length - 1; - if (arguments.length > 1) index = min(index, toIntegerOrInfinity(arguments[1])); - if (index < 0) index = length + index; - for (;index >= 0; index--) if (index in O && O[index] === searchElement) return index || 0; - return -1; -} : $lastIndexOf; diff --git a/node_modules/core-js/internals/array-method-has-species-support.js b/node_modules/core-js/internals/array-method-has-species-support.js deleted file mode 100644 index 9c48186..0000000 --- a/node_modules/core-js/internals/array-method-has-species-support.js +++ /dev/null @@ -1,20 +0,0 @@ -'use strict'; -var fails = require('../internals/fails'); -var wellKnownSymbol = require('../internals/well-known-symbol'); -var V8_VERSION = require('../internals/engine-v8-version'); - -var SPECIES = wellKnownSymbol('species'); - -module.exports = function (METHOD_NAME) { - // We can't use this feature detection in V8 since it causes - // deoptimization and serious performance degradation - // https://github.com/zloirock/core-js/issues/677 - return V8_VERSION >= 51 || !fails(function () { - var array = []; - var constructor = array.constructor = {}; - constructor[SPECIES] = function () { - return { foo: 1 }; - }; - return array[METHOD_NAME](Boolean).foo !== 1; - }); -}; diff --git a/node_modules/core-js/internals/array-method-is-strict.js b/node_modules/core-js/internals/array-method-is-strict.js deleted file mode 100644 index 8259c2f..0000000 --- a/node_modules/core-js/internals/array-method-is-strict.js +++ /dev/null @@ -1,10 +0,0 @@ -'use strict'; -var fails = require('../internals/fails'); - -module.exports = function (METHOD_NAME, argument) { - var method = [][METHOD_NAME]; - return !!method && fails(function () { - // eslint-disable-next-line no-useless-call -- required for testing - method.call(null, argument || function () { return 1; }, 1); - }); -}; diff --git a/node_modules/core-js/internals/array-reduce.js b/node_modules/core-js/internals/array-reduce.js deleted file mode 100644 index 6bb4ab1..0000000 --- a/node_modules/core-js/internals/array-reduce.js +++ /dev/null @@ -1,43 +0,0 @@ -'use strict'; -var aCallable = require('../internals/a-callable'); -var toObject = require('../internals/to-object'); -var IndexedObject = require('../internals/indexed-object'); -var lengthOfArrayLike = require('../internals/length-of-array-like'); - -var $TypeError = TypeError; - -// `Array.prototype.{ reduce, reduceRight }` methods implementation -var createMethod = function (IS_RIGHT) { - return function (that, callbackfn, argumentsLength, memo) { - var O = toObject(that); - var self = IndexedObject(O); - var length = lengthOfArrayLike(O); - aCallable(callbackfn); - var index = IS_RIGHT ? length - 1 : 0; - var i = IS_RIGHT ? -1 : 1; - if (argumentsLength < 2) while (true) { - if (index in self) { - memo = self[index]; - index += i; - break; - } - index += i; - if (IS_RIGHT ? index < 0 : length <= index) { - throw new $TypeError('Reduce of empty array with no initial value'); - } - } - for (;IS_RIGHT ? index >= 0 : length > index; index += i) if (index in self) { - memo = callbackfn(memo, self[index], index, O); - } - return memo; - }; -}; - -module.exports = { - // `Array.prototype.reduce` method - // https://tc39.es/ecma262/#sec-array.prototype.reduce - left: createMethod(false), - // `Array.prototype.reduceRight` method - // https://tc39.es/ecma262/#sec-array.prototype.reduceright - right: createMethod(true) -}; diff --git a/node_modules/core-js/internals/array-set-length.js b/node_modules/core-js/internals/array-set-length.js deleted file mode 100644 index 5324280..0000000 --- a/node_modules/core-js/internals/array-set-length.js +++ /dev/null @@ -1,27 +0,0 @@ -'use strict'; -var DESCRIPTORS = require('../internals/descriptors'); -var isArray = require('../internals/is-array'); - -var $TypeError = TypeError; -// eslint-disable-next-line es/no-object-getownpropertydescriptor -- safe -var getOwnPropertyDescriptor = Object.getOwnPropertyDescriptor; - -// Safari < 13 does not throw an error in this case -var SILENT_ON_NON_WRITABLE_LENGTH_SET = DESCRIPTORS && !function () { - // makes no sense without proper strict mode support - if (this !== undefined) return true; - try { - // eslint-disable-next-line es/no-object-defineproperty -- safe - Object.defineProperty([], 'length', { writable: false }).length = 1; - } catch (error) { - return error instanceof TypeError; - } -}(); - -module.exports = SILENT_ON_NON_WRITABLE_LENGTH_SET ? function (O, length) { - if (isArray(O) && !getOwnPropertyDescriptor(O, 'length').writable) { - throw new $TypeError('Cannot set read only .length'); - } return O.length = length; -} : function (O, length) { - return O.length = length; -}; diff --git a/node_modules/core-js/internals/array-slice.js b/node_modules/core-js/internals/array-slice.js deleted file mode 100644 index b18786f..0000000 --- a/node_modules/core-js/internals/array-slice.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var uncurryThis = require('../internals/function-uncurry-this'); - -module.exports = uncurryThis([].slice); diff --git a/node_modules/core-js/internals/array-sort.js b/node_modules/core-js/internals/array-sort.js deleted file mode 100644 index c12faf1..0000000 --- a/node_modules/core-js/internals/array-sort.js +++ /dev/null @@ -1,42 +0,0 @@ -'use strict'; -var arraySlice = require('../internals/array-slice'); - -var floor = Math.floor; - -var sort = function (array, comparefn) { - var length = array.length; - - if (length < 8) { - // insertion sort - var i = 1; - var element, j; - - while (i < length) { - j = i; - element = array[i]; - while (j && comparefn(array[j - 1], element) > 0) { - array[j] = array[--j]; - } - if (j !== i++) array[j] = element; - } - } else { - // merge sort - var middle = floor(length / 2); - var left = sort(arraySlice(array, 0, middle), comparefn); - var right = sort(arraySlice(array, middle), comparefn); - var llength = left.length; - var rlength = right.length; - var lindex = 0; - var rindex = 0; - - while (lindex < llength || rindex < rlength) { - array[lindex + rindex] = (lindex < llength && rindex < rlength) - ? comparefn(left[lindex], right[rindex]) <= 0 ? left[lindex++] : right[rindex++] - : lindex < llength ? left[lindex++] : right[rindex++]; - } - } - - return array; -}; - -module.exports = sort; diff --git a/node_modules/core-js/internals/array-species-constructor.js b/node_modules/core-js/internals/array-species-constructor.js deleted file mode 100644 index db2f18c..0000000 --- a/node_modules/core-js/internals/array-species-constructor.js +++ /dev/null @@ -1,23 +0,0 @@ -'use strict'; -var isArray = require('../internals/is-array'); -var isConstructor = require('../internals/is-constructor'); -var isObject = require('../internals/is-object'); -var wellKnownSymbol = require('../internals/well-known-symbol'); - -var SPECIES = wellKnownSymbol('species'); -var $Array = Array; - -// a part of `ArraySpeciesCreate` abstract operation -// https://tc39.es/ecma262/#sec-arrayspeciescreate -module.exports = function (originalArray) { - var C; - if (isArray(originalArray)) { - C = originalArray.constructor; - // cross-realm fallback - if (isConstructor(C) && (C === $Array || isArray(C.prototype))) C = undefined; - else if (isObject(C)) { - C = C[SPECIES]; - if (C === null) C = undefined; - } - } return C === undefined ? $Array : C; -}; diff --git a/node_modules/core-js/internals/array-species-create.js b/node_modules/core-js/internals/array-species-create.js deleted file mode 100644 index 35d0291..0000000 --- a/node_modules/core-js/internals/array-species-create.js +++ /dev/null @@ -1,8 +0,0 @@ -'use strict'; -var arraySpeciesConstructor = require('../internals/array-species-constructor'); - -// `ArraySpeciesCreate` abstract operation -// https://tc39.es/ecma262/#sec-arrayspeciescreate -module.exports = function (originalArray, length) { - return new (arraySpeciesConstructor(originalArray))(length === 0 ? 0 : length); -}; diff --git a/node_modules/core-js/internals/array-to-reversed.js b/node_modules/core-js/internals/array-to-reversed.js deleted file mode 100644 index 0a1e9c7..0000000 --- a/node_modules/core-js/internals/array-to-reversed.js +++ /dev/null @@ -1,12 +0,0 @@ -'use strict'; -var lengthOfArrayLike = require('../internals/length-of-array-like'); - -// https://tc39.es/proposal-change-array-by-copy/#sec-array.prototype.toReversed -// https://tc39.es/proposal-change-array-by-copy/#sec-%typedarray%.prototype.toReversed -module.exports = function (O, C) { - var len = lengthOfArrayLike(O); - var A = new C(len); - var k = 0; - for (; k < len; k++) A[k] = O[len - k - 1]; - return A; -}; diff --git a/node_modules/core-js/internals/array-unique-by.js b/node_modules/core-js/internals/array-unique-by.js deleted file mode 100644 index 42f2425..0000000 --- a/node_modules/core-js/internals/array-unique-by.js +++ /dev/null @@ -1,35 +0,0 @@ -'use strict'; -var uncurryThis = require('../internals/function-uncurry-this'); -var aCallable = require('../internals/a-callable'); -var isNullOrUndefined = require('../internals/is-null-or-undefined'); -var lengthOfArrayLike = require('../internals/length-of-array-like'); -var toObject = require('../internals/to-object'); -var MapHelpers = require('../internals/map-helpers'); -var iterate = require('../internals/map-iterate'); - -var Map = MapHelpers.Map; -var mapHas = MapHelpers.has; -var mapSet = MapHelpers.set; -var push = uncurryThis([].push); - -// `Array.prototype.uniqueBy` method -// https://github.com/tc39/proposal-array-unique -module.exports = function uniqueBy(resolver) { - var that = toObject(this); - var length = lengthOfArrayLike(that); - var result = []; - var map = new Map(); - var resolverFunction = !isNullOrUndefined(resolver) ? aCallable(resolver) : function (value) { - return value; - }; - var index, item, key; - for (index = 0; index < length; index++) { - item = that[index]; - key = resolverFunction(item); - if (!mapHas(map, key)) mapSet(map, key, item); - } - iterate(map, function (value) { - push(result, value); - }); - return result; -}; diff --git a/node_modules/core-js/internals/array-with.js b/node_modules/core-js/internals/array-with.js deleted file mode 100644 index e4a825e..0000000 --- a/node_modules/core-js/internals/array-with.js +++ /dev/null @@ -1,18 +0,0 @@ -'use strict'; -var lengthOfArrayLike = require('../internals/length-of-array-like'); -var toIntegerOrInfinity = require('../internals/to-integer-or-infinity'); - -var $RangeError = RangeError; - -// https://tc39.es/proposal-change-array-by-copy/#sec-array.prototype.with -// https://tc39.es/proposal-change-array-by-copy/#sec-%typedarray%.prototype.with -module.exports = function (O, C, index, value) { - var len = lengthOfArrayLike(O); - var relativeIndex = toIntegerOrInfinity(index); - var actualIndex = relativeIndex < 0 ? len + relativeIndex : relativeIndex; - if (actualIndex >= len || actualIndex < 0) throw new $RangeError('Incorrect index'); - var A = new C(len); - var k = 0; - for (; k < len; k++) A[k] = k === actualIndex ? value : O[k]; - return A; -}; diff --git a/node_modules/core-js/internals/async-from-sync-iterator.js b/node_modules/core-js/internals/async-from-sync-iterator.js deleted file mode 100644 index b4ab017..0000000 --- a/node_modules/core-js/internals/async-from-sync-iterator.js +++ /dev/null @@ -1,49 +0,0 @@ -'use strict'; -var call = require('../internals/function-call'); -var anObject = require('../internals/an-object'); -var create = require('../internals/object-create'); -var getMethod = require('../internals/get-method'); -var defineBuiltIns = require('../internals/define-built-ins'); -var InternalStateModule = require('../internals/internal-state'); -var getBuiltIn = require('../internals/get-built-in'); -var AsyncIteratorPrototype = require('../internals/async-iterator-prototype'); -var createIterResultObject = require('../internals/create-iter-result-object'); - -var Promise = getBuiltIn('Promise'); - -var ASYNC_FROM_SYNC_ITERATOR = 'AsyncFromSyncIterator'; -var setInternalState = InternalStateModule.set; -var getInternalState = InternalStateModule.getterFor(ASYNC_FROM_SYNC_ITERATOR); - -var asyncFromSyncIteratorContinuation = function (result, resolve, reject) { - var done = result.done; - Promise.resolve(result.value).then(function (value) { - resolve(createIterResultObject(value, done)); - }, reject); -}; - -var AsyncFromSyncIterator = function AsyncIterator(iteratorRecord) { - iteratorRecord.type = ASYNC_FROM_SYNC_ITERATOR; - setInternalState(this, iteratorRecord); -}; - -AsyncFromSyncIterator.prototype = defineBuiltIns(create(AsyncIteratorPrototype), { - next: function next() { - var state = getInternalState(this); - return new Promise(function (resolve, reject) { - var result = anObject(call(state.next, state.iterator)); - asyncFromSyncIteratorContinuation(result, resolve, reject); - }); - }, - 'return': function () { - var iterator = getInternalState(this).iterator; - return new Promise(function (resolve, reject) { - var $return = getMethod(iterator, 'return'); - if ($return === undefined) return resolve(createIterResultObject(undefined, true)); - var result = anObject(call($return, iterator)); - asyncFromSyncIteratorContinuation(result, resolve, reject); - }); - } -}); - -module.exports = AsyncFromSyncIterator; diff --git a/node_modules/core-js/internals/async-iterator-close.js b/node_modules/core-js/internals/async-iterator-close.js deleted file mode 100644 index 30cc91a..0000000 --- a/node_modules/core-js/internals/async-iterator-close.js +++ /dev/null @@ -1,19 +0,0 @@ -'use strict'; -var call = require('../internals/function-call'); -var getBuiltIn = require('../internals/get-built-in'); -var getMethod = require('../internals/get-method'); - -module.exports = function (iterator, method, argument, reject) { - try { - var returnMethod = getMethod(iterator, 'return'); - if (returnMethod) { - return getBuiltIn('Promise').resolve(call(returnMethod, iterator)).then(function () { - method(argument); - }, function (error) { - reject(error); - }); - } - } catch (error2) { - return reject(error2); - } method(argument); -}; diff --git a/node_modules/core-js/internals/async-iterator-create-proxy.js b/node_modules/core-js/internals/async-iterator-create-proxy.js deleted file mode 100644 index 12f7c2d..0000000 --- a/node_modules/core-js/internals/async-iterator-create-proxy.js +++ /dev/null @@ -1,105 +0,0 @@ -'use strict'; -var call = require('../internals/function-call'); -var perform = require('../internals/perform'); -var anObject = require('../internals/an-object'); -var create = require('../internals/object-create'); -var createNonEnumerableProperty = require('../internals/create-non-enumerable-property'); -var defineBuiltIns = require('../internals/define-built-ins'); -var wellKnownSymbol = require('../internals/well-known-symbol'); -var InternalStateModule = require('../internals/internal-state'); -var getBuiltIn = require('../internals/get-built-in'); -var getMethod = require('../internals/get-method'); -var AsyncIteratorPrototype = require('../internals/async-iterator-prototype'); -var createIterResultObject = require('../internals/create-iter-result-object'); -var iteratorClose = require('../internals/iterator-close'); - -var Promise = getBuiltIn('Promise'); - -var TO_STRING_TAG = wellKnownSymbol('toStringTag'); -var ASYNC_ITERATOR_HELPER = 'AsyncIteratorHelper'; -var WRAP_FOR_VALID_ASYNC_ITERATOR = 'WrapForValidAsyncIterator'; -var setInternalState = InternalStateModule.set; - -var createAsyncIteratorProxyPrototype = function (IS_ITERATOR) { - var IS_GENERATOR = !IS_ITERATOR; - var getInternalState = InternalStateModule.getterFor(IS_ITERATOR ? WRAP_FOR_VALID_ASYNC_ITERATOR : ASYNC_ITERATOR_HELPER); - - var getStateOrEarlyExit = function (that) { - var stateCompletion = perform(function () { - return getInternalState(that); - }); - - var stateError = stateCompletion.error; - var state = stateCompletion.value; - - if (stateError || (IS_GENERATOR && state.done)) { - return { exit: true, value: stateError ? Promise.reject(state) : Promise.resolve(createIterResultObject(undefined, true)) }; - } return { exit: false, value: state }; - }; - - return defineBuiltIns(create(AsyncIteratorPrototype), { - next: function next() { - var stateCompletion = getStateOrEarlyExit(this); - var state = stateCompletion.value; - if (stateCompletion.exit) return state; - var handlerCompletion = perform(function () { - return anObject(state.nextHandler(Promise)); - }); - var handlerError = handlerCompletion.error; - var value = handlerCompletion.value; - if (handlerError) state.done = true; - return handlerError ? Promise.reject(value) : Promise.resolve(value); - }, - 'return': function () { - var stateCompletion = getStateOrEarlyExit(this); - var state = stateCompletion.value; - if (stateCompletion.exit) return state; - state.done = true; - var iterator = state.iterator; - var returnMethod, result; - var completion = perform(function () { - if (state.inner) try { - iteratorClose(state.inner.iterator, 'normal'); - } catch (error) { - return iteratorClose(iterator, 'throw', error); - } - return getMethod(iterator, 'return'); - }); - returnMethod = result = completion.value; - if (completion.error) return Promise.reject(result); - if (returnMethod === undefined) return Promise.resolve(createIterResultObject(undefined, true)); - completion = perform(function () { - return call(returnMethod, iterator); - }); - result = completion.value; - if (completion.error) return Promise.reject(result); - return IS_ITERATOR ? Promise.resolve(result) : Promise.resolve(result).then(function (resolved) { - anObject(resolved); - return createIterResultObject(undefined, true); - }); - } - }); -}; - -var WrapForValidAsyncIteratorPrototype = createAsyncIteratorProxyPrototype(true); -var AsyncIteratorHelperPrototype = createAsyncIteratorProxyPrototype(false); - -createNonEnumerableProperty(AsyncIteratorHelperPrototype, TO_STRING_TAG, 'Async Iterator Helper'); - -module.exports = function (nextHandler, IS_ITERATOR) { - var AsyncIteratorProxy = function AsyncIterator(record, state) { - if (state) { - state.iterator = record.iterator; - state.next = record.next; - } else state = record; - state.type = IS_ITERATOR ? WRAP_FOR_VALID_ASYNC_ITERATOR : ASYNC_ITERATOR_HELPER; - state.nextHandler = nextHandler; - state.counter = 0; - state.done = false; - setInternalState(this, state); - }; - - AsyncIteratorProxy.prototype = IS_ITERATOR ? WrapForValidAsyncIteratorPrototype : AsyncIteratorHelperPrototype; - - return AsyncIteratorProxy; -}; diff --git a/node_modules/core-js/internals/async-iterator-indexed.js b/node_modules/core-js/internals/async-iterator-indexed.js deleted file mode 100644 index 8ed6671..0000000 --- a/node_modules/core-js/internals/async-iterator-indexed.js +++ /dev/null @@ -1,13 +0,0 @@ -'use strict'; -var call = require('../internals/function-call'); -var map = require('../internals/async-iterator-map'); - -var callback = function (value, counter) { - return [counter, value]; -}; - -// `AsyncIterator.prototype.indexed` method -// https://github.com/tc39/proposal-iterator-helpers -module.exports = function indexed() { - return call(map, this, callback); -}; diff --git a/node_modules/core-js/internals/async-iterator-iteration.js b/node_modules/core-js/internals/async-iterator-iteration.js deleted file mode 100644 index 684c0bf..0000000 --- a/node_modules/core-js/internals/async-iterator-iteration.js +++ /dev/null @@ -1,90 +0,0 @@ -'use strict'; -// https://github.com/tc39/proposal-iterator-helpers -// https://github.com/tc39/proposal-array-from-async -var call = require('../internals/function-call'); -var aCallable = require('../internals/a-callable'); -var anObject = require('../internals/an-object'); -var isObject = require('../internals/is-object'); -var doesNotExceedSafeInteger = require('../internals/does-not-exceed-safe-integer'); -var getBuiltIn = require('../internals/get-built-in'); -var getIteratorDirect = require('../internals/get-iterator-direct'); -var closeAsyncIteration = require('../internals/async-iterator-close'); - -var createMethod = function (TYPE) { - var IS_TO_ARRAY = TYPE === 0; - var IS_FOR_EACH = TYPE === 1; - var IS_EVERY = TYPE === 2; - var IS_SOME = TYPE === 3; - return function (object, fn, target) { - anObject(object); - var MAPPING = fn !== undefined; - if (MAPPING || !IS_TO_ARRAY) aCallable(fn); - var record = getIteratorDirect(object); - var Promise = getBuiltIn('Promise'); - var iterator = record.iterator; - var next = record.next; - var counter = 0; - - return new Promise(function (resolve, reject) { - var ifAbruptCloseAsyncIterator = function (error) { - closeAsyncIteration(iterator, reject, error, reject); - }; - - var loop = function () { - try { - if (MAPPING) try { - doesNotExceedSafeInteger(counter); - } catch (error5) { ifAbruptCloseAsyncIterator(error5); } - Promise.resolve(anObject(call(next, iterator))).then(function (step) { - try { - if (anObject(step).done) { - if (IS_TO_ARRAY) { - target.length = counter; - resolve(target); - } else resolve(IS_SOME ? false : IS_EVERY || undefined); - } else { - var value = step.value; - try { - if (MAPPING) { - var result = fn(value, counter); - - var handler = function ($result) { - if (IS_FOR_EACH) { - loop(); - } else if (IS_EVERY) { - $result ? loop() : closeAsyncIteration(iterator, resolve, false, reject); - } else if (IS_TO_ARRAY) { - try { - target[counter++] = $result; - loop(); - } catch (error4) { ifAbruptCloseAsyncIterator(error4); } - } else { - $result ? closeAsyncIteration(iterator, resolve, IS_SOME || value, reject) : loop(); - } - }; - - if (isObject(result)) Promise.resolve(result).then(handler, ifAbruptCloseAsyncIterator); - else handler(result); - } else { - target[counter++] = value; - loop(); - } - } catch (error3) { ifAbruptCloseAsyncIterator(error3); } - } - } catch (error2) { reject(error2); } - }, reject); - } catch (error) { reject(error); } - }; - - loop(); - }); - }; -}; - -module.exports = { - toArray: createMethod(0), - forEach: createMethod(1), - every: createMethod(2), - some: createMethod(3), - find: createMethod(4) -}; diff --git a/node_modules/core-js/internals/async-iterator-map.js b/node_modules/core-js/internals/async-iterator-map.js deleted file mode 100644 index 6e333f9..0000000 --- a/node_modules/core-js/internals/async-iterator-map.js +++ /dev/null @@ -1,57 +0,0 @@ -'use strict'; -var call = require('../internals/function-call'); -var aCallable = require('../internals/a-callable'); -var anObject = require('../internals/an-object'); -var isObject = require('../internals/is-object'); -var getIteratorDirect = require('../internals/get-iterator-direct'); -var createAsyncIteratorProxy = require('../internals/async-iterator-create-proxy'); -var createIterResultObject = require('../internals/create-iter-result-object'); -var closeAsyncIteration = require('../internals/async-iterator-close'); - -var AsyncIteratorProxy = createAsyncIteratorProxy(function (Promise) { - var state = this; - var iterator = state.iterator; - var mapper = state.mapper; - - return new Promise(function (resolve, reject) { - var doneAndReject = function (error) { - state.done = true; - reject(error); - }; - - var ifAbruptCloseAsyncIterator = function (error) { - closeAsyncIteration(iterator, doneAndReject, error, doneAndReject); - }; - - Promise.resolve(anObject(call(state.next, iterator))).then(function (step) { - try { - if (anObject(step).done) { - state.done = true; - resolve(createIterResultObject(undefined, true)); - } else { - var value = step.value; - try { - var result = mapper(value, state.counter++); - - var handler = function (mapped) { - resolve(createIterResultObject(mapped, false)); - }; - - if (isObject(result)) Promise.resolve(result).then(handler, ifAbruptCloseAsyncIterator); - else handler(result); - } catch (error2) { ifAbruptCloseAsyncIterator(error2); } - } - } catch (error) { doneAndReject(error); } - }, doneAndReject); - }); -}); - -// `AsyncIterator.prototype.map` method -// https://github.com/tc39/proposal-iterator-helpers -module.exports = function map(mapper) { - anObject(this); - aCallable(mapper); - return new AsyncIteratorProxy(getIteratorDirect(this), { - mapper: mapper - }); -}; diff --git a/node_modules/core-js/internals/async-iterator-prototype.js b/node_modules/core-js/internals/async-iterator-prototype.js deleted file mode 100644 index d95a1ac..0000000 --- a/node_modules/core-js/internals/async-iterator-prototype.js +++ /dev/null @@ -1,38 +0,0 @@ -'use strict'; -var global = require('../internals/global'); -var shared = require('../internals/shared-store'); -var isCallable = require('../internals/is-callable'); -var create = require('../internals/object-create'); -var getPrototypeOf = require('../internals/object-get-prototype-of'); -var defineBuiltIn = require('../internals/define-built-in'); -var wellKnownSymbol = require('../internals/well-known-symbol'); -var IS_PURE = require('../internals/is-pure'); - -var USE_FUNCTION_CONSTRUCTOR = 'USE_FUNCTION_CONSTRUCTOR'; -var ASYNC_ITERATOR = wellKnownSymbol('asyncIterator'); -var AsyncIterator = global.AsyncIterator; -var PassedAsyncIteratorPrototype = shared.AsyncIteratorPrototype; -var AsyncIteratorPrototype, prototype; - -if (PassedAsyncIteratorPrototype) { - AsyncIteratorPrototype = PassedAsyncIteratorPrototype; -} else if (isCallable(AsyncIterator)) { - AsyncIteratorPrototype = AsyncIterator.prototype; -} else if (shared[USE_FUNCTION_CONSTRUCTOR] || global[USE_FUNCTION_CONSTRUCTOR]) { - try { - // eslint-disable-next-line no-new-func -- we have no alternatives without usage of modern syntax - prototype = getPrototypeOf(getPrototypeOf(getPrototypeOf(Function('return async function*(){}()')()))); - if (getPrototypeOf(prototype) === Object.prototype) AsyncIteratorPrototype = prototype; - } catch (error) { /* empty */ } -} - -if (!AsyncIteratorPrototype) AsyncIteratorPrototype = {}; -else if (IS_PURE) AsyncIteratorPrototype = create(AsyncIteratorPrototype); - -if (!isCallable(AsyncIteratorPrototype[ASYNC_ITERATOR])) { - defineBuiltIn(AsyncIteratorPrototype, ASYNC_ITERATOR, function () { - return this; - }); -} - -module.exports = AsyncIteratorPrototype; diff --git a/node_modules/core-js/internals/async-iterator-wrap.js b/node_modules/core-js/internals/async-iterator-wrap.js deleted file mode 100644 index 5836316..0000000 --- a/node_modules/core-js/internals/async-iterator-wrap.js +++ /dev/null @@ -1,7 +0,0 @@ -'use strict'; -var call = require('../internals/function-call'); -var createAsyncIteratorProxy = require('../internals/async-iterator-create-proxy'); - -module.exports = createAsyncIteratorProxy(function () { - return call(this.next, this.iterator); -}, true); diff --git a/node_modules/core-js/internals/base64-map.js b/node_modules/core-js/internals/base64-map.js deleted file mode 100644 index 2bda13a..0000000 --- a/node_modules/core-js/internals/base64-map.js +++ /dev/null @@ -1,19 +0,0 @@ -'use strict'; -var commonAlphabet = 'ABCDEFGHIJKLMNOPQRSTUVWXYZabcdefghijklmnopqrstuvwxyz0123456789'; -var base64Alphabet = commonAlphabet + '+/'; -var base64UrlAlphabet = commonAlphabet + '-_'; - -var inverse = function (characters) { - // TODO: use `Object.create(null)` in `core-js@4` - var result = {}; - var index = 0; - for (; index < 64; index++) result[characters.charAt(index)] = index; - return result; -}; - -module.exports = { - i2c: base64Alphabet, - c2i: inverse(base64Alphabet), - i2cUrl: base64UrlAlphabet, - c2iUrl: inverse(base64UrlAlphabet) -}; diff --git a/node_modules/core-js/internals/call-with-safe-iteration-closing.js b/node_modules/core-js/internals/call-with-safe-iteration-closing.js deleted file mode 100644 index b468c8f..0000000 --- a/node_modules/core-js/internals/call-with-safe-iteration-closing.js +++ /dev/null @@ -1,12 +0,0 @@ -'use strict'; -var anObject = require('../internals/an-object'); -var iteratorClose = require('../internals/iterator-close'); - -// call something on iterator step with safe closing on error -module.exports = function (iterator, fn, value, ENTRIES) { - try { - return ENTRIES ? fn(anObject(value)[0], value[1]) : fn(value); - } catch (error) { - iteratorClose(iterator, 'throw', error); - } -}; diff --git a/node_modules/core-js/internals/caller.js b/node_modules/core-js/internals/caller.js deleted file mode 100644 index c37987e..0000000 --- a/node_modules/core-js/internals/caller.js +++ /dev/null @@ -1,8 +0,0 @@ -'use strict'; -module.exports = function (methodName, numArgs) { - return numArgs === 1 ? function (object, arg) { - return object[methodName](arg); - } : function (object, arg1, arg2) { - return object[methodName](arg1, arg2); - }; -}; diff --git a/node_modules/core-js/internals/check-correctness-of-iteration.js b/node_modules/core-js/internals/check-correctness-of-iteration.js deleted file mode 100644 index ee9f092..0000000 --- a/node_modules/core-js/internals/check-correctness-of-iteration.js +++ /dev/null @@ -1,41 +0,0 @@ -'use strict'; -var wellKnownSymbol = require('../internals/well-known-symbol'); - -var ITERATOR = wellKnownSymbol('iterator'); -var SAFE_CLOSING = false; - -try { - var called = 0; - var iteratorWithReturn = { - next: function () { - return { done: !!called++ }; - }, - 'return': function () { - SAFE_CLOSING = true; - } - }; - iteratorWithReturn[ITERATOR] = function () { - return this; - }; - // eslint-disable-next-line es/no-array-from, no-throw-literal -- required for testing - Array.from(iteratorWithReturn, function () { throw 2; }); -} catch (error) { /* empty */ } - -module.exports = function (exec, SKIP_CLOSING) { - try { - if (!SKIP_CLOSING && !SAFE_CLOSING) return false; - } catch (error) { return false; } // workaround of old WebKit + `eval` bug - var ITERATION_SUPPORT = false; - try { - var object = {}; - object[ITERATOR] = function () { - return { - next: function () { - return { done: ITERATION_SUPPORT = true }; - } - }; - }; - exec(object); - } catch (error) { /* empty */ } - return ITERATION_SUPPORT; -}; diff --git a/node_modules/core-js/internals/classof-raw.js b/node_modules/core-js/internals/classof-raw.js deleted file mode 100644 index 3c3d430..0000000 --- a/node_modules/core-js/internals/classof-raw.js +++ /dev/null @@ -1,9 +0,0 @@ -'use strict'; -var uncurryThis = require('../internals/function-uncurry-this'); - -var toString = uncurryThis({}.toString); -var stringSlice = uncurryThis(''.slice); - -module.exports = function (it) { - return stringSlice(toString(it), 8, -1); -}; diff --git a/node_modules/core-js/internals/classof.js b/node_modules/core-js/internals/classof.js deleted file mode 100644 index 8c0fae6..0000000 --- a/node_modules/core-js/internals/classof.js +++ /dev/null @@ -1,30 +0,0 @@ -'use strict'; -var TO_STRING_TAG_SUPPORT = require('../internals/to-string-tag-support'); -var isCallable = require('../internals/is-callable'); -var classofRaw = require('../internals/classof-raw'); -var wellKnownSymbol = require('../internals/well-known-symbol'); - -var TO_STRING_TAG = wellKnownSymbol('toStringTag'); -var $Object = Object; - -// ES3 wrong here -var CORRECT_ARGUMENTS = classofRaw(function () { return arguments; }()) === 'Arguments'; - -// fallback for IE11 Script Access Denied error -var tryGet = function (it, key) { - try { - return it[key]; - } catch (error) { /* empty */ } -}; - -// getting tag from ES6+ `Object.prototype.toString` -module.exports = TO_STRING_TAG_SUPPORT ? classofRaw : function (it) { - var O, tag, result; - return it === undefined ? 'Undefined' : it === null ? 'Null' - // @@toStringTag case - : typeof (tag = tryGet(O = $Object(it), TO_STRING_TAG)) == 'string' ? tag - // builtinTag case - : CORRECT_ARGUMENTS ? classofRaw(O) - // ES3 arguments fallback - : (result = classofRaw(O)) === 'Object' && isCallable(O.callee) ? 'Arguments' : result; -}; diff --git a/node_modules/core-js/internals/collection-from.js b/node_modules/core-js/internals/collection-from.js deleted file mode 100644 index 06d7f98..0000000 --- a/node_modules/core-js/internals/collection-from.js +++ /dev/null @@ -1,24 +0,0 @@ -'use strict'; -// https://tc39.github.io/proposal-setmap-offrom/ -var bind = require('../internals/function-bind-context'); -var anObject = require('../internals/an-object'); -var toObject = require('../internals/to-object'); -var iterate = require('../internals/iterate'); - -module.exports = function (C, adder, ENTRY) { - return function from(source /* , mapFn, thisArg */) { - var O = toObject(source); - var length = arguments.length; - var mapFn = length > 1 ? arguments[1] : undefined; - var mapping = mapFn !== undefined; - var boundFunction = mapping ? bind(mapFn, length > 2 ? arguments[2] : undefined) : undefined; - var result = new C(); - var n = 0; - iterate(O, function (nextItem) { - var entry = mapping ? boundFunction(nextItem, n++) : nextItem; - if (ENTRY) adder(result, anObject(entry)[0], entry[1]); - else adder(result, entry); - }); - return result; - }; -}; diff --git a/node_modules/core-js/internals/collection-of.js b/node_modules/core-js/internals/collection-of.js deleted file mode 100644 index b23f18b..0000000 --- a/node_modules/core-js/internals/collection-of.js +++ /dev/null @@ -1,15 +0,0 @@ -'use strict'; -var anObject = require('../internals/an-object'); - -// https://tc39.github.io/proposal-setmap-offrom/ -module.exports = function (C, adder, ENTRY) { - return function of() { - var result = new C(); - var length = arguments.length; - for (var index = 0; index < length; index++) { - var entry = arguments[index]; - if (ENTRY) adder(result, anObject(entry)[0], entry[1]); - else adder(result, entry); - } return result; - }; -}; diff --git a/node_modules/core-js/internals/collection-strong.js b/node_modules/core-js/internals/collection-strong.js deleted file mode 100644 index 1b1341f..0000000 --- a/node_modules/core-js/internals/collection-strong.js +++ /dev/null @@ -1,206 +0,0 @@ -'use strict'; -var create = require('../internals/object-create'); -var defineBuiltInAccessor = require('../internals/define-built-in-accessor'); -var defineBuiltIns = require('../internals/define-built-ins'); -var bind = require('../internals/function-bind-context'); -var anInstance = require('../internals/an-instance'); -var isNullOrUndefined = require('../internals/is-null-or-undefined'); -var iterate = require('../internals/iterate'); -var defineIterator = require('../internals/iterator-define'); -var createIterResultObject = require('../internals/create-iter-result-object'); -var setSpecies = require('../internals/set-species'); -var DESCRIPTORS = require('../internals/descriptors'); -var fastKey = require('../internals/internal-metadata').fastKey; -var InternalStateModule = require('../internals/internal-state'); - -var setInternalState = InternalStateModule.set; -var internalStateGetterFor = InternalStateModule.getterFor; - -module.exports = { - getConstructor: function (wrapper, CONSTRUCTOR_NAME, IS_MAP, ADDER) { - var Constructor = wrapper(function (that, iterable) { - anInstance(that, Prototype); - setInternalState(that, { - type: CONSTRUCTOR_NAME, - index: create(null), - first: undefined, - last: undefined, - size: 0 - }); - if (!DESCRIPTORS) that.size = 0; - if (!isNullOrUndefined(iterable)) iterate(iterable, that[ADDER], { that: that, AS_ENTRIES: IS_MAP }); - }); - - var Prototype = Constructor.prototype; - - var getInternalState = internalStateGetterFor(CONSTRUCTOR_NAME); - - var define = function (that, key, value) { - var state = getInternalState(that); - var entry = getEntry(that, key); - var previous, index; - // change existing entry - if (entry) { - entry.value = value; - // create new entry - } else { - state.last = entry = { - index: index = fastKey(key, true), - key: key, - value: value, - previous: previous = state.last, - next: undefined, - removed: false - }; - if (!state.first) state.first = entry; - if (previous) previous.next = entry; - if (DESCRIPTORS) state.size++; - else that.size++; - // add to index - if (index !== 'F') state.index[index] = entry; - } return that; - }; - - var getEntry = function (that, key) { - var state = getInternalState(that); - // fast case - var index = fastKey(key); - var entry; - if (index !== 'F') return state.index[index]; - // frozen object case - for (entry = state.first; entry; entry = entry.next) { - if (entry.key === key) return entry; - } - }; - - defineBuiltIns(Prototype, { - // `{ Map, Set }.prototype.clear()` methods - // https://tc39.es/ecma262/#sec-map.prototype.clear - // https://tc39.es/ecma262/#sec-set.prototype.clear - clear: function clear() { - var that = this; - var state = getInternalState(that); - var entry = state.first; - while (entry) { - entry.removed = true; - if (entry.previous) entry.previous = entry.previous.next = undefined; - entry = entry.next; - } - state.first = state.last = undefined; - state.index = create(null); - if (DESCRIPTORS) state.size = 0; - else that.size = 0; - }, - // `{ Map, Set }.prototype.delete(key)` methods - // https://tc39.es/ecma262/#sec-map.prototype.delete - // https://tc39.es/ecma262/#sec-set.prototype.delete - 'delete': function (key) { - var that = this; - var state = getInternalState(that); - var entry = getEntry(that, key); - if (entry) { - var next = entry.next; - var prev = entry.previous; - delete state.index[entry.index]; - entry.removed = true; - if (prev) prev.next = next; - if (next) next.previous = prev; - if (state.first === entry) state.first = next; - if (state.last === entry) state.last = prev; - if (DESCRIPTORS) state.size--; - else that.size--; - } return !!entry; - }, - // `{ Map, Set }.prototype.forEach(callbackfn, thisArg = undefined)` methods - // https://tc39.es/ecma262/#sec-map.prototype.foreach - // https://tc39.es/ecma262/#sec-set.prototype.foreach - forEach: function forEach(callbackfn /* , that = undefined */) { - var state = getInternalState(this); - var boundFunction = bind(callbackfn, arguments.length > 1 ? arguments[1] : undefined); - var entry; - while (entry = entry ? entry.next : state.first) { - boundFunction(entry.value, entry.key, this); - // revert to the last existing entry - while (entry && entry.removed) entry = entry.previous; - } - }, - // `{ Map, Set}.prototype.has(key)` methods - // https://tc39.es/ecma262/#sec-map.prototype.has - // https://tc39.es/ecma262/#sec-set.prototype.has - has: function has(key) { - return !!getEntry(this, key); - } - }); - - defineBuiltIns(Prototype, IS_MAP ? { - // `Map.prototype.get(key)` method - // https://tc39.es/ecma262/#sec-map.prototype.get - get: function get(key) { - var entry = getEntry(this, key); - return entry && entry.value; - }, - // `Map.prototype.set(key, value)` method - // https://tc39.es/ecma262/#sec-map.prototype.set - set: function set(key, value) { - return define(this, key === 0 ? 0 : key, value); - } - } : { - // `Set.prototype.add(value)` method - // https://tc39.es/ecma262/#sec-set.prototype.add - add: function add(value) { - return define(this, value = value === 0 ? 0 : value, value); - } - }); - if (DESCRIPTORS) defineBuiltInAccessor(Prototype, 'size', { - configurable: true, - get: function () { - return getInternalState(this).size; - } - }); - return Constructor; - }, - setStrong: function (Constructor, CONSTRUCTOR_NAME, IS_MAP) { - var ITERATOR_NAME = CONSTRUCTOR_NAME + ' Iterator'; - var getInternalCollectionState = internalStateGetterFor(CONSTRUCTOR_NAME); - var getInternalIteratorState = internalStateGetterFor(ITERATOR_NAME); - // `{ Map, Set }.prototype.{ keys, values, entries, @@iterator }()` methods - // https://tc39.es/ecma262/#sec-map.prototype.entries - // https://tc39.es/ecma262/#sec-map.prototype.keys - // https://tc39.es/ecma262/#sec-map.prototype.values - // https://tc39.es/ecma262/#sec-map.prototype-@@iterator - // https://tc39.es/ecma262/#sec-set.prototype.entries - // https://tc39.es/ecma262/#sec-set.prototype.keys - // https://tc39.es/ecma262/#sec-set.prototype.values - // https://tc39.es/ecma262/#sec-set.prototype-@@iterator - defineIterator(Constructor, CONSTRUCTOR_NAME, function (iterated, kind) { - setInternalState(this, { - type: ITERATOR_NAME, - target: iterated, - state: getInternalCollectionState(iterated), - kind: kind, - last: undefined - }); - }, function () { - var state = getInternalIteratorState(this); - var kind = state.kind; - var entry = state.last; - // revert to the last existing entry - while (entry && entry.removed) entry = entry.previous; - // get next entry - if (!state.target || !(state.last = entry = entry ? entry.next : state.state.first)) { - // or finish the iteration - state.target = undefined; - return createIterResultObject(undefined, true); - } - // return step by kind - if (kind === 'keys') return createIterResultObject(entry.key, false); - if (kind === 'values') return createIterResultObject(entry.value, false); - return createIterResultObject([entry.key, entry.value], false); - }, IS_MAP ? 'entries' : 'values', !IS_MAP, true); - - // `{ Map, Set }.prototype[@@species]` accessors - // https://tc39.es/ecma262/#sec-get-map-@@species - // https://tc39.es/ecma262/#sec-get-set-@@species - setSpecies(CONSTRUCTOR_NAME); - } -}; diff --git a/node_modules/core-js/internals/collection-weak.js b/node_modules/core-js/internals/collection-weak.js deleted file mode 100644 index 6469740..0000000 --- a/node_modules/core-js/internals/collection-weak.js +++ /dev/null @@ -1,131 +0,0 @@ -'use strict'; -var uncurryThis = require('../internals/function-uncurry-this'); -var defineBuiltIns = require('../internals/define-built-ins'); -var getWeakData = require('../internals/internal-metadata').getWeakData; -var anInstance = require('../internals/an-instance'); -var anObject = require('../internals/an-object'); -var isNullOrUndefined = require('../internals/is-null-or-undefined'); -var isObject = require('../internals/is-object'); -var iterate = require('../internals/iterate'); -var ArrayIterationModule = require('../internals/array-iteration'); -var hasOwn = require('../internals/has-own-property'); -var InternalStateModule = require('../internals/internal-state'); - -var setInternalState = InternalStateModule.set; -var internalStateGetterFor = InternalStateModule.getterFor; -var find = ArrayIterationModule.find; -var findIndex = ArrayIterationModule.findIndex; -var splice = uncurryThis([].splice); -var id = 0; - -// fallback for uncaught frozen keys -var uncaughtFrozenStore = function (state) { - return state.frozen || (state.frozen = new UncaughtFrozenStore()); -}; - -var UncaughtFrozenStore = function () { - this.entries = []; -}; - -var findUncaughtFrozen = function (store, key) { - return find(store.entries, function (it) { - return it[0] === key; - }); -}; - -UncaughtFrozenStore.prototype = { - get: function (key) { - var entry = findUncaughtFrozen(this, key); - if (entry) return entry[1]; - }, - has: function (key) { - return !!findUncaughtFrozen(this, key); - }, - set: function (key, value) { - var entry = findUncaughtFrozen(this, key); - if (entry) entry[1] = value; - else this.entries.push([key, value]); - }, - 'delete': function (key) { - var index = findIndex(this.entries, function (it) { - return it[0] === key; - }); - if (~index) splice(this.entries, index, 1); - return !!~index; - } -}; - -module.exports = { - getConstructor: function (wrapper, CONSTRUCTOR_NAME, IS_MAP, ADDER) { - var Constructor = wrapper(function (that, iterable) { - anInstance(that, Prototype); - setInternalState(that, { - type: CONSTRUCTOR_NAME, - id: id++, - frozen: undefined - }); - if (!isNullOrUndefined(iterable)) iterate(iterable, that[ADDER], { that: that, AS_ENTRIES: IS_MAP }); - }); - - var Prototype = Constructor.prototype; - - var getInternalState = internalStateGetterFor(CONSTRUCTOR_NAME); - - var define = function (that, key, value) { - var state = getInternalState(that); - var data = getWeakData(anObject(key), true); - if (data === true) uncaughtFrozenStore(state).set(key, value); - else data[state.id] = value; - return that; - }; - - defineBuiltIns(Prototype, { - // `{ WeakMap, WeakSet }.prototype.delete(key)` methods - // https://tc39.es/ecma262/#sec-weakmap.prototype.delete - // https://tc39.es/ecma262/#sec-weakset.prototype.delete - 'delete': function (key) { - var state = getInternalState(this); - if (!isObject(key)) return false; - var data = getWeakData(key); - if (data === true) return uncaughtFrozenStore(state)['delete'](key); - return data && hasOwn(data, state.id) && delete data[state.id]; - }, - // `{ WeakMap, WeakSet }.prototype.has(key)` methods - // https://tc39.es/ecma262/#sec-weakmap.prototype.has - // https://tc39.es/ecma262/#sec-weakset.prototype.has - has: function has(key) { - var state = getInternalState(this); - if (!isObject(key)) return false; - var data = getWeakData(key); - if (data === true) return uncaughtFrozenStore(state).has(key); - return data && hasOwn(data, state.id); - } - }); - - defineBuiltIns(Prototype, IS_MAP ? { - // `WeakMap.prototype.get(key)` method - // https://tc39.es/ecma262/#sec-weakmap.prototype.get - get: function get(key) { - var state = getInternalState(this); - if (isObject(key)) { - var data = getWeakData(key); - if (data === true) return uncaughtFrozenStore(state).get(key); - return data ? data[state.id] : undefined; - } - }, - // `WeakMap.prototype.set(key, value)` method - // https://tc39.es/ecma262/#sec-weakmap.prototype.set - set: function set(key, value) { - return define(this, key, value); - } - } : { - // `WeakSet.prototype.add(value)` method - // https://tc39.es/ecma262/#sec-weakset.prototype.add - add: function add(value) { - return define(this, value, true); - } - }); - - return Constructor; - } -}; diff --git a/node_modules/core-js/internals/collection.js b/node_modules/core-js/internals/collection.js deleted file mode 100644 index 6566580..0000000 --- a/node_modules/core-js/internals/collection.js +++ /dev/null @@ -1,106 +0,0 @@ -'use strict'; -var $ = require('../internals/export'); -var global = require('../internals/global'); -var uncurryThis = require('../internals/function-uncurry-this'); -var isForced = require('../internals/is-forced'); -var defineBuiltIn = require('../internals/define-built-in'); -var InternalMetadataModule = require('../internals/internal-metadata'); -var iterate = require('../internals/iterate'); -var anInstance = require('../internals/an-instance'); -var isCallable = require('../internals/is-callable'); -var isNullOrUndefined = require('../internals/is-null-or-undefined'); -var isObject = require('../internals/is-object'); -var fails = require('../internals/fails'); -var checkCorrectnessOfIteration = require('../internals/check-correctness-of-iteration'); -var setToStringTag = require('../internals/set-to-string-tag'); -var inheritIfRequired = require('../internals/inherit-if-required'); - -module.exports = function (CONSTRUCTOR_NAME, wrapper, common) { - var IS_MAP = CONSTRUCTOR_NAME.indexOf('Map') !== -1; - var IS_WEAK = CONSTRUCTOR_NAME.indexOf('Weak') !== -1; - var ADDER = IS_MAP ? 'set' : 'add'; - var NativeConstructor = global[CONSTRUCTOR_NAME]; - var NativePrototype = NativeConstructor && NativeConstructor.prototype; - var Constructor = NativeConstructor; - var exported = {}; - - var fixMethod = function (KEY) { - var uncurriedNativeMethod = uncurryThis(NativePrototype[KEY]); - defineBuiltIn(NativePrototype, KEY, - KEY === 'add' ? function add(value) { - uncurriedNativeMethod(this, value === 0 ? 0 : value); - return this; - } : KEY === 'delete' ? function (key) { - return IS_WEAK && !isObject(key) ? false : uncurriedNativeMethod(this, key === 0 ? 0 : key); - } : KEY === 'get' ? function get(key) { - return IS_WEAK && !isObject(key) ? undefined : uncurriedNativeMethod(this, key === 0 ? 0 : key); - } : KEY === 'has' ? function has(key) { - return IS_WEAK && !isObject(key) ? false : uncurriedNativeMethod(this, key === 0 ? 0 : key); - } : function set(key, value) { - uncurriedNativeMethod(this, key === 0 ? 0 : key, value); - return this; - } - ); - }; - - var REPLACE = isForced( - CONSTRUCTOR_NAME, - !isCallable(NativeConstructor) || !(IS_WEAK || NativePrototype.forEach && !fails(function () { - new NativeConstructor().entries().next(); - })) - ); - - if (REPLACE) { - // create collection constructor - Constructor = common.getConstructor(wrapper, CONSTRUCTOR_NAME, IS_MAP, ADDER); - InternalMetadataModule.enable(); - } else if (isForced(CONSTRUCTOR_NAME, true)) { - var instance = new Constructor(); - // early implementations not supports chaining - var HASNT_CHAINING = instance[ADDER](IS_WEAK ? {} : -0, 1) !== instance; - // V8 ~ Chromium 40- weak-collections throws on primitives, but should return false - var THROWS_ON_PRIMITIVES = fails(function () { instance.has(1); }); - // most early implementations doesn't supports iterables, most modern - not close it correctly - // eslint-disable-next-line no-new -- required for testing - var ACCEPT_ITERABLES = checkCorrectnessOfIteration(function (iterable) { new NativeConstructor(iterable); }); - // for early implementations -0 and +0 not the same - var BUGGY_ZERO = !IS_WEAK && fails(function () { - // V8 ~ Chromium 42- fails only with 5+ elements - var $instance = new NativeConstructor(); - var index = 5; - while (index--) $instance[ADDER](index, index); - return !$instance.has(-0); - }); - - if (!ACCEPT_ITERABLES) { - Constructor = wrapper(function (dummy, iterable) { - anInstance(dummy, NativePrototype); - var that = inheritIfRequired(new NativeConstructor(), dummy, Constructor); - if (!isNullOrUndefined(iterable)) iterate(iterable, that[ADDER], { that: that, AS_ENTRIES: IS_MAP }); - return that; - }); - Constructor.prototype = NativePrototype; - NativePrototype.constructor = Constructor; - } - - if (THROWS_ON_PRIMITIVES || BUGGY_ZERO) { - fixMethod('delete'); - fixMethod('has'); - IS_MAP && fixMethod('get'); - } - - if (BUGGY_ZERO || HASNT_CHAINING) fixMethod(ADDER); - - // weak collections should not contains .clear method - if (IS_WEAK && NativePrototype.clear) delete NativePrototype.clear; - } - - exported[CONSTRUCTOR_NAME] = Constructor; - $({ global: true, constructor: true, forced: Constructor !== NativeConstructor }, exported); - - setToStringTag(Constructor, CONSTRUCTOR_NAME); - - if (!IS_WEAK) common.setStrong(Constructor, CONSTRUCTOR_NAME, IS_MAP); - - return Constructor; -}; diff --git a/node_modules/core-js/internals/composite-key.js b/node_modules/core-js/internals/composite-key.js deleted file mode 100644 index 6c44f20..0000000 --- a/node_modules/core-js/internals/composite-key.js +++ /dev/null @@ -1,50 +0,0 @@ -'use strict'; -// TODO: in core-js@4, move /modules/ dependencies to public entries for better optimization by tools like `preset-env` -require('../modules/es.map'); -require('../modules/es.weak-map'); -var getBuiltIn = require('../internals/get-built-in'); -var create = require('../internals/object-create'); -var isObject = require('../internals/is-object'); - -var $Object = Object; -var $TypeError = TypeError; -var Map = getBuiltIn('Map'); -var WeakMap = getBuiltIn('WeakMap'); - -var Node = function () { - // keys - this.object = null; - this.symbol = null; - // child nodes - this.primitives = null; - this.objectsByIndex = create(null); -}; - -Node.prototype.get = function (key, initializer) { - return this[key] || (this[key] = initializer()); -}; - -Node.prototype.next = function (i, it, IS_OBJECT) { - var store = IS_OBJECT - ? this.objectsByIndex[i] || (this.objectsByIndex[i] = new WeakMap()) - : this.primitives || (this.primitives = new Map()); - var entry = store.get(it); - if (!entry) store.set(it, entry = new Node()); - return entry; -}; - -var root = new Node(); - -module.exports = function () { - var active = root; - var length = arguments.length; - var i, it; - // for prevent leaking, start from objects - for (i = 0; i < length; i++) { - if (isObject(it = arguments[i])) active = active.next(i, it, true); - } - if (this === $Object && active === root) throw new $TypeError('Composite keys must contain a non-primitive component'); - for (i = 0; i < length; i++) { - if (!isObject(it = arguments[i])) active = active.next(i, it, false); - } return active; -}; diff --git a/node_modules/core-js/internals/copy-constructor-properties.js b/node_modules/core-js/internals/copy-constructor-properties.js deleted file mode 100644 index 8e73d46..0000000 --- a/node_modules/core-js/internals/copy-constructor-properties.js +++ /dev/null @@ -1,17 +0,0 @@ -'use strict'; -var hasOwn = require('../internals/has-own-property'); -var ownKeys = require('../internals/own-keys'); -var getOwnPropertyDescriptorModule = require('../internals/object-get-own-property-descriptor'); -var definePropertyModule = require('../internals/object-define-property'); - -module.exports = function (target, source, exceptions) { - var keys = ownKeys(source); - var defineProperty = definePropertyModule.f; - var getOwnPropertyDescriptor = getOwnPropertyDescriptorModule.f; - for (var i = 0; i < keys.length; i++) { - var key = keys[i]; - if (!hasOwn(target, key) && !(exceptions && hasOwn(exceptions, key))) { - defineProperty(target, key, getOwnPropertyDescriptor(source, key)); - } - } -}; diff --git a/node_modules/core-js/internals/correct-is-regexp-logic.js b/node_modules/core-js/internals/correct-is-regexp-logic.js deleted file mode 100644 index 2eb5233..0000000 --- a/node_modules/core-js/internals/correct-is-regexp-logic.js +++ /dev/null @@ -1,16 +0,0 @@ -'use strict'; -var wellKnownSymbol = require('../internals/well-known-symbol'); - -var MATCH = wellKnownSymbol('match'); - -module.exports = function (METHOD_NAME) { - var regexp = /./; - try { - '/./'[METHOD_NAME](regexp); - } catch (error1) { - try { - regexp[MATCH] = false; - return '/./'[METHOD_NAME](regexp); - } catch (error2) { /* empty */ } - } return false; -}; diff --git a/node_modules/core-js/internals/correct-prototype-getter.js b/node_modules/core-js/internals/correct-prototype-getter.js deleted file mode 100644 index e14d4af..0000000 --- a/node_modules/core-js/internals/correct-prototype-getter.js +++ /dev/null @@ -1,9 +0,0 @@ -'use strict'; -var fails = require('../internals/fails'); - -module.exports = !fails(function () { - function F() { /* empty */ } - F.prototype.constructor = null; - // eslint-disable-next-line es/no-object-getprototypeof -- required for testing - return Object.getPrototypeOf(new F()) !== F.prototype; -}); diff --git a/node_modules/core-js/internals/create-html.js b/node_modules/core-js/internals/create-html.js deleted file mode 100644 index 650c2a1..0000000 --- a/node_modules/core-js/internals/create-html.js +++ /dev/null @@ -1,16 +0,0 @@ -'use strict'; -var uncurryThis = require('../internals/function-uncurry-this'); -var requireObjectCoercible = require('../internals/require-object-coercible'); -var toString = require('../internals/to-string'); - -var quot = /"/g; -var replace = uncurryThis(''.replace); - -// `CreateHTML` abstract operation -// https://tc39.es/ecma262/#sec-createhtml -module.exports = function (string, tag, attribute, value) { - var S = toString(requireObjectCoercible(string)); - var p1 = '<' + tag; - if (attribute !== '') p1 += ' ' + attribute + '="' + replace(toString(value), quot, '"') + '"'; - return p1 + '>' + S + ''; -}; diff --git a/node_modules/core-js/internals/create-iter-result-object.js b/node_modules/core-js/internals/create-iter-result-object.js deleted file mode 100644 index a05d2d3..0000000 --- a/node_modules/core-js/internals/create-iter-result-object.js +++ /dev/null @@ -1,6 +0,0 @@ -'use strict'; -// `CreateIterResultObject` abstract operation -// https://tc39.es/ecma262/#sec-createiterresultobject -module.exports = function (value, done) { - return { value: value, done: done }; -}; diff --git a/node_modules/core-js/internals/create-non-enumerable-property.js b/node_modules/core-js/internals/create-non-enumerable-property.js deleted file mode 100644 index 718c3a5..0000000 --- a/node_modules/core-js/internals/create-non-enumerable-property.js +++ /dev/null @@ -1,11 +0,0 @@ -'use strict'; -var DESCRIPTORS = require('../internals/descriptors'); -var definePropertyModule = require('../internals/object-define-property'); -var createPropertyDescriptor = require('../internals/create-property-descriptor'); - -module.exports = DESCRIPTORS ? function (object, key, value) { - return definePropertyModule.f(object, key, createPropertyDescriptor(1, value)); -} : function (object, key, value) { - object[key] = value; - return object; -}; diff --git a/node_modules/core-js/internals/create-property-descriptor.js b/node_modules/core-js/internals/create-property-descriptor.js deleted file mode 100644 index 5ef2773..0000000 --- a/node_modules/core-js/internals/create-property-descriptor.js +++ /dev/null @@ -1,9 +0,0 @@ -'use strict'; -module.exports = function (bitmap, value) { - return { - enumerable: !(bitmap & 1), - configurable: !(bitmap & 2), - writable: !(bitmap & 4), - value: value - }; -}; diff --git a/node_modules/core-js/internals/create-property.js b/node_modules/core-js/internals/create-property.js deleted file mode 100644 index 9f81aa6..0000000 --- a/node_modules/core-js/internals/create-property.js +++ /dev/null @@ -1,10 +0,0 @@ -'use strict'; -var toPropertyKey = require('../internals/to-property-key'); -var definePropertyModule = require('../internals/object-define-property'); -var createPropertyDescriptor = require('../internals/create-property-descriptor'); - -module.exports = function (object, key, value) { - var propertyKey = toPropertyKey(key); - if (propertyKey in object) definePropertyModule.f(object, propertyKey, createPropertyDescriptor(0, value)); - else object[propertyKey] = value; -}; diff --git a/node_modules/core-js/internals/date-to-iso-string.js b/node_modules/core-js/internals/date-to-iso-string.js deleted file mode 100644 index 4fc47a1..0000000 --- a/node_modules/core-js/internals/date-to-iso-string.js +++ /dev/null @@ -1,41 +0,0 @@ -'use strict'; -var uncurryThis = require('../internals/function-uncurry-this'); -var fails = require('../internals/fails'); -var padStart = require('../internals/string-pad').start; - -var $RangeError = RangeError; -var $isFinite = isFinite; -var abs = Math.abs; -var DatePrototype = Date.prototype; -var nativeDateToISOString = DatePrototype.toISOString; -var thisTimeValue = uncurryThis(DatePrototype.getTime); -var getUTCDate = uncurryThis(DatePrototype.getUTCDate); -var getUTCFullYear = uncurryThis(DatePrototype.getUTCFullYear); -var getUTCHours = uncurryThis(DatePrototype.getUTCHours); -var getUTCMilliseconds = uncurryThis(DatePrototype.getUTCMilliseconds); -var getUTCMinutes = uncurryThis(DatePrototype.getUTCMinutes); -var getUTCMonth = uncurryThis(DatePrototype.getUTCMonth); -var getUTCSeconds = uncurryThis(DatePrototype.getUTCSeconds); - -// `Date.prototype.toISOString` method implementation -// https://tc39.es/ecma262/#sec-date.prototype.toisostring -// PhantomJS / old WebKit fails here: -module.exports = (fails(function () { - return nativeDateToISOString.call(new Date(-5e13 - 1)) !== '0385-07-25T07:06:39.999Z'; -}) || !fails(function () { - nativeDateToISOString.call(new Date(NaN)); -})) ? function toISOString() { - if (!$isFinite(thisTimeValue(this))) throw new $RangeError('Invalid time value'); - var date = this; - var year = getUTCFullYear(date); - var milliseconds = getUTCMilliseconds(date); - var sign = year < 0 ? '-' : year > 9999 ? '+' : ''; - return sign + padStart(abs(year), sign ? 6 : 4, 0) + - '-' + padStart(getUTCMonth(date) + 1, 2, 0) + - '-' + padStart(getUTCDate(date), 2, 0) + - 'T' + padStart(getUTCHours(date), 2, 0) + - ':' + padStart(getUTCMinutes(date), 2, 0) + - ':' + padStart(getUTCSeconds(date), 2, 0) + - '.' + padStart(milliseconds, 3, 0) + - 'Z'; -} : nativeDateToISOString; diff --git a/node_modules/core-js/internals/date-to-primitive.js b/node_modules/core-js/internals/date-to-primitive.js deleted file mode 100644 index b72e5df..0000000 --- a/node_modules/core-js/internals/date-to-primitive.js +++ /dev/null @@ -1,14 +0,0 @@ -'use strict'; -var anObject = require('../internals/an-object'); -var ordinaryToPrimitive = require('../internals/ordinary-to-primitive'); - -var $TypeError = TypeError; - -// `Date.prototype[@@toPrimitive](hint)` method implementation -// https://tc39.es/ecma262/#sec-date.prototype-@@toprimitive -module.exports = function (hint) { - anObject(this); - if (hint === 'string' || hint === 'default') hint = 'string'; - else if (hint !== 'number') throw new $TypeError('Incorrect hint'); - return ordinaryToPrimitive(this, hint); -}; diff --git a/node_modules/core-js/internals/define-built-in-accessor.js b/node_modules/core-js/internals/define-built-in-accessor.js deleted file mode 100644 index 17c9708..0000000 --- a/node_modules/core-js/internals/define-built-in-accessor.js +++ /dev/null @@ -1,9 +0,0 @@ -'use strict'; -var makeBuiltIn = require('../internals/make-built-in'); -var defineProperty = require('../internals/object-define-property'); - -module.exports = function (target, name, descriptor) { - if (descriptor.get) makeBuiltIn(descriptor.get, name, { getter: true }); - if (descriptor.set) makeBuiltIn(descriptor.set, name, { setter: true }); - return defineProperty.f(target, name, descriptor); -}; diff --git a/node_modules/core-js/internals/define-built-in.js b/node_modules/core-js/internals/define-built-in.js deleted file mode 100644 index 3594306..0000000 --- a/node_modules/core-js/internals/define-built-in.js +++ /dev/null @@ -1,28 +0,0 @@ -'use strict'; -var isCallable = require('../internals/is-callable'); -var definePropertyModule = require('../internals/object-define-property'); -var makeBuiltIn = require('../internals/make-built-in'); -var defineGlobalProperty = require('../internals/define-global-property'); - -module.exports = function (O, key, value, options) { - if (!options) options = {}; - var simple = options.enumerable; - var name = options.name !== undefined ? options.name : key; - if (isCallable(value)) makeBuiltIn(value, name, options); - if (options.global) { - if (simple) O[key] = value; - else defineGlobalProperty(key, value); - } else { - try { - if (!options.unsafe) delete O[key]; - else if (O[key]) simple = true; - } catch (error) { /* empty */ } - if (simple) O[key] = value; - else definePropertyModule.f(O, key, { - value: value, - enumerable: false, - configurable: !options.nonConfigurable, - writable: !options.nonWritable - }); - } return O; -}; diff --git a/node_modules/core-js/internals/define-built-ins.js b/node_modules/core-js/internals/define-built-ins.js deleted file mode 100644 index 1fbd53c..0000000 --- a/node_modules/core-js/internals/define-built-ins.js +++ /dev/null @@ -1,7 +0,0 @@ -'use strict'; -var defineBuiltIn = require('../internals/define-built-in'); - -module.exports = function (target, src, options) { - for (var key in src) defineBuiltIn(target, key, src[key], options); - return target; -}; diff --git a/node_modules/core-js/internals/define-global-property.js b/node_modules/core-js/internals/define-global-property.js deleted file mode 100644 index 8178ecc..0000000 --- a/node_modules/core-js/internals/define-global-property.js +++ /dev/null @@ -1,13 +0,0 @@ -'use strict'; -var global = require('../internals/global'); - -// eslint-disable-next-line es/no-object-defineproperty -- safe -var defineProperty = Object.defineProperty; - -module.exports = function (key, value) { - try { - defineProperty(global, key, { value: value, configurable: true, writable: true }); - } catch (error) { - global[key] = value; - } return value; -}; diff --git a/node_modules/core-js/internals/delete-property-or-throw.js b/node_modules/core-js/internals/delete-property-or-throw.js deleted file mode 100644 index 7265f6f..0000000 --- a/node_modules/core-js/internals/delete-property-or-throw.js +++ /dev/null @@ -1,8 +0,0 @@ -'use strict'; -var tryToString = require('../internals/try-to-string'); - -var $TypeError = TypeError; - -module.exports = function (O, P) { - if (!delete O[P]) throw new $TypeError('Cannot delete property ' + tryToString(P) + ' of ' + tryToString(O)); -}; diff --git a/node_modules/core-js/internals/descriptors.js b/node_modules/core-js/internals/descriptors.js deleted file mode 100644 index 7d6f24a..0000000 --- a/node_modules/core-js/internals/descriptors.js +++ /dev/null @@ -1,8 +0,0 @@ -'use strict'; -var fails = require('../internals/fails'); - -// Detect IE8's incomplete defineProperty implementation -module.exports = !fails(function () { - // eslint-disable-next-line es/no-object-defineproperty -- required for testing - return Object.defineProperty({}, 1, { get: function () { return 7; } })[1] !== 7; -}); diff --git a/node_modules/core-js/internals/detach-transferable.js b/node_modules/core-js/internals/detach-transferable.js deleted file mode 100644 index ea392e4..0000000 --- a/node_modules/core-js/internals/detach-transferable.js +++ /dev/null @@ -1,37 +0,0 @@ -'use strict'; -var global = require('../internals/global'); -var tryNodeRequire = require('../internals/try-node-require'); -var PROPER_STRUCTURED_CLONE_TRANSFER = require('../internals/structured-clone-proper-transfer'); - -var structuredClone = global.structuredClone; -var $ArrayBuffer = global.ArrayBuffer; -var $MessageChannel = global.MessageChannel; -var detach = false; -var WorkerThreads, channel, buffer, $detach; - -if (PROPER_STRUCTURED_CLONE_TRANSFER) { - detach = function (transferable) { - structuredClone(transferable, { transfer: [transferable] }); - }; -} else if ($ArrayBuffer) try { - if (!$MessageChannel) { - WorkerThreads = tryNodeRequire('worker_threads'); - if (WorkerThreads) $MessageChannel = WorkerThreads.MessageChannel; - } - - if ($MessageChannel) { - channel = new $MessageChannel(); - buffer = new $ArrayBuffer(2); - - $detach = function (transferable) { - channel.port1.postMessage(null, [transferable]); - }; - - if (buffer.byteLength === 2) { - $detach(buffer); - if (buffer.byteLength === 0) detach = $detach; - } - } -} catch (error) { /* empty */ } - -module.exports = detach; diff --git a/node_modules/core-js/internals/document-create-element.js b/node_modules/core-js/internals/document-create-element.js deleted file mode 100644 index dbbe49f..0000000 --- a/node_modules/core-js/internals/document-create-element.js +++ /dev/null @@ -1,11 +0,0 @@ -'use strict'; -var global = require('../internals/global'); -var isObject = require('../internals/is-object'); - -var document = global.document; -// typeof document.createElement is 'object' in old IE -var EXISTS = isObject(document) && isObject(document.createElement); - -module.exports = function (it) { - return EXISTS ? document.createElement(it) : {}; -}; diff --git a/node_modules/core-js/internals/does-not-exceed-safe-integer.js b/node_modules/core-js/internals/does-not-exceed-safe-integer.js deleted file mode 100644 index fff7beb..0000000 --- a/node_modules/core-js/internals/does-not-exceed-safe-integer.js +++ /dev/null @@ -1,8 +0,0 @@ -'use strict'; -var $TypeError = TypeError; -var MAX_SAFE_INTEGER = 0x1FFFFFFFFFFFFF; // 2 ** 53 - 1 == 9007199254740991 - -module.exports = function (it) { - if (it > MAX_SAFE_INTEGER) throw $TypeError('Maximum allowed index exceeded'); - return it; -}; diff --git a/node_modules/core-js/internals/dom-exception-constants.js b/node_modules/core-js/internals/dom-exception-constants.js deleted file mode 100644 index 1588953..0000000 --- a/node_modules/core-js/internals/dom-exception-constants.js +++ /dev/null @@ -1,28 +0,0 @@ -'use strict'; -module.exports = { - IndexSizeError: { s: 'INDEX_SIZE_ERR', c: 1, m: 1 }, - DOMStringSizeError: { s: 'DOMSTRING_SIZE_ERR', c: 2, m: 0 }, - HierarchyRequestError: { s: 'HIERARCHY_REQUEST_ERR', c: 3, m: 1 }, - WrongDocumentError: { s: 'WRONG_DOCUMENT_ERR', c: 4, m: 1 }, - InvalidCharacterError: { s: 'INVALID_CHARACTER_ERR', c: 5, m: 1 }, - NoDataAllowedError: { s: 'NO_DATA_ALLOWED_ERR', c: 6, m: 0 }, - NoModificationAllowedError: { s: 'NO_MODIFICATION_ALLOWED_ERR', c: 7, m: 1 }, - NotFoundError: { s: 'NOT_FOUND_ERR', c: 8, m: 1 }, - NotSupportedError: { s: 'NOT_SUPPORTED_ERR', c: 9, m: 1 }, - InUseAttributeError: { s: 'INUSE_ATTRIBUTE_ERR', c: 10, m: 1 }, - InvalidStateError: { s: 'INVALID_STATE_ERR', c: 11, m: 1 }, - SyntaxError: { s: 'SYNTAX_ERR', c: 12, m: 1 }, - InvalidModificationError: { s: 'INVALID_MODIFICATION_ERR', c: 13, m: 1 }, - NamespaceError: { s: 'NAMESPACE_ERR', c: 14, m: 1 }, - InvalidAccessError: { s: 'INVALID_ACCESS_ERR', c: 15, m: 1 }, - ValidationError: { s: 'VALIDATION_ERR', c: 16, m: 0 }, - TypeMismatchError: { s: 'TYPE_MISMATCH_ERR', c: 17, m: 1 }, - SecurityError: { s: 'SECURITY_ERR', c: 18, m: 1 }, - NetworkError: { s: 'NETWORK_ERR', c: 19, m: 1 }, - AbortError: { s: 'ABORT_ERR', c: 20, m: 1 }, - URLMismatchError: { s: 'URL_MISMATCH_ERR', c: 21, m: 1 }, - QuotaExceededError: { s: 'QUOTA_EXCEEDED_ERR', c: 22, m: 1 }, - TimeoutError: { s: 'TIMEOUT_ERR', c: 23, m: 1 }, - InvalidNodeTypeError: { s: 'INVALID_NODE_TYPE_ERR', c: 24, m: 1 }, - DataCloneError: { s: 'DATA_CLONE_ERR', c: 25, m: 1 } -}; diff --git a/node_modules/core-js/internals/dom-iterables.js b/node_modules/core-js/internals/dom-iterables.js deleted file mode 100644 index 1dbc1f7..0000000 --- a/node_modules/core-js/internals/dom-iterables.js +++ /dev/null @@ -1,36 +0,0 @@ -'use strict'; -// iterable DOM collections -// flag - `iterable` interface - 'entries', 'keys', 'values', 'forEach' methods -module.exports = { - CSSRuleList: 0, - CSSStyleDeclaration: 0, - CSSValueList: 0, - ClientRectList: 0, - DOMRectList: 0, - DOMStringList: 0, - DOMTokenList: 1, - DataTransferItemList: 0, - FileList: 0, - HTMLAllCollection: 0, - HTMLCollection: 0, - HTMLFormElement: 0, - HTMLSelectElement: 0, - MediaList: 0, - MimeTypeArray: 0, - NamedNodeMap: 0, - NodeList: 1, - PaintRequestList: 0, - Plugin: 0, - PluginArray: 0, - SVGLengthList: 0, - SVGNumberList: 0, - SVGPathSegList: 0, - SVGPointList: 0, - SVGStringList: 0, - SVGTransformList: 0, - SourceBufferList: 0, - StyleSheetList: 0, - TextTrackCueList: 0, - TextTrackList: 0, - TouchList: 0 -}; diff --git a/node_modules/core-js/internals/dom-token-list-prototype.js b/node_modules/core-js/internals/dom-token-list-prototype.js deleted file mode 100644 index a0c4071..0000000 --- a/node_modules/core-js/internals/dom-token-list-prototype.js +++ /dev/null @@ -1,8 +0,0 @@ -'use strict'; -// in old WebKit versions, `element.classList` is not an instance of global `DOMTokenList` -var documentCreateElement = require('../internals/document-create-element'); - -var classList = documentCreateElement('span').classList; -var DOMTokenListPrototype = classList && classList.constructor && classList.constructor.prototype; - -module.exports = DOMTokenListPrototype === Object.prototype ? undefined : DOMTokenListPrototype; diff --git a/node_modules/core-js/internals/engine-ff-version.js b/node_modules/core-js/internals/engine-ff-version.js deleted file mode 100644 index 19d9d4f..0000000 --- a/node_modules/core-js/internals/engine-ff-version.js +++ /dev/null @@ -1,6 +0,0 @@ -'use strict'; -var userAgent = require('../internals/engine-user-agent'); - -var firefox = userAgent.match(/firefox\/(\d+)/i); - -module.exports = !!firefox && +firefox[1]; diff --git a/node_modules/core-js/internals/engine-is-browser.js b/node_modules/core-js/internals/engine-is-browser.js deleted file mode 100644 index 0ce4e64..0000000 --- a/node_modules/core-js/internals/engine-is-browser.js +++ /dev/null @@ -1,7 +0,0 @@ -'use strict'; -var IS_DENO = require('../internals/engine-is-deno'); -var IS_NODE = require('../internals/engine-is-node'); - -module.exports = !IS_DENO && !IS_NODE - && typeof window == 'object' - && typeof document == 'object'; diff --git a/node_modules/core-js/internals/engine-is-bun.js b/node_modules/core-js/internals/engine-is-bun.js deleted file mode 100644 index 69a3656..0000000 --- a/node_modules/core-js/internals/engine-is-bun.js +++ /dev/null @@ -1,3 +0,0 @@ -'use strict'; -/* global Bun -- Bun case */ -module.exports = typeof Bun == 'function' && Bun && typeof Bun.version == 'string'; diff --git a/node_modules/core-js/internals/engine-is-deno.js b/node_modules/core-js/internals/engine-is-deno.js deleted file mode 100644 index 9c327e7..0000000 --- a/node_modules/core-js/internals/engine-is-deno.js +++ /dev/null @@ -1,3 +0,0 @@ -'use strict'; -/* global Deno -- Deno case */ -module.exports = typeof Deno == 'object' && Deno && typeof Deno.version == 'object'; diff --git a/node_modules/core-js/internals/engine-is-ie-or-edge.js b/node_modules/core-js/internals/engine-is-ie-or-edge.js deleted file mode 100644 index 5e58f69..0000000 --- a/node_modules/core-js/internals/engine-is-ie-or-edge.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var UA = require('../internals/engine-user-agent'); - -module.exports = /MSIE|Trident/.test(UA); diff --git a/node_modules/core-js/internals/engine-is-ios-pebble.js b/node_modules/core-js/internals/engine-is-ios-pebble.js deleted file mode 100644 index 5f0f747..0000000 --- a/node_modules/core-js/internals/engine-is-ios-pebble.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var userAgent = require('../internals/engine-user-agent'); - -module.exports = /ipad|iphone|ipod/i.test(userAgent) && typeof Pebble != 'undefined'; diff --git a/node_modules/core-js/internals/engine-is-ios.js b/node_modules/core-js/internals/engine-is-ios.js deleted file mode 100644 index d2164dc..0000000 --- a/node_modules/core-js/internals/engine-is-ios.js +++ /dev/null @@ -1,5 +0,0 @@ -'use strict'; -var userAgent = require('../internals/engine-user-agent'); - -// eslint-disable-next-line redos/no-vulnerable -- safe -module.exports = /(?:ipad|iphone|ipod).*applewebkit/i.test(userAgent); diff --git a/node_modules/core-js/internals/engine-is-node.js b/node_modules/core-js/internals/engine-is-node.js deleted file mode 100644 index a198ed8..0000000 --- a/node_modules/core-js/internals/engine-is-node.js +++ /dev/null @@ -1,5 +0,0 @@ -'use strict'; -var global = require('../internals/global'); -var classof = require('../internals/classof-raw'); - -module.exports = classof(global.process) === 'process'; diff --git a/node_modules/core-js/internals/engine-is-webos-webkit.js b/node_modules/core-js/internals/engine-is-webos-webkit.js deleted file mode 100644 index 0ab74f0..0000000 --- a/node_modules/core-js/internals/engine-is-webos-webkit.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var userAgent = require('../internals/engine-user-agent'); - -module.exports = /web0s(?!.*chrome)/i.test(userAgent); diff --git a/node_modules/core-js/internals/engine-user-agent.js b/node_modules/core-js/internals/engine-user-agent.js deleted file mode 100644 index 0966f77..0000000 --- a/node_modules/core-js/internals/engine-user-agent.js +++ /dev/null @@ -1,2 +0,0 @@ -'use strict'; -module.exports = typeof navigator != 'undefined' && String(navigator.userAgent) || ''; diff --git a/node_modules/core-js/internals/engine-v8-version.js b/node_modules/core-js/internals/engine-v8-version.js deleted file mode 100644 index fb94f9b..0000000 --- a/node_modules/core-js/internals/engine-v8-version.js +++ /dev/null @@ -1,28 +0,0 @@ -'use strict'; -var global = require('../internals/global'); -var userAgent = require('../internals/engine-user-agent'); - -var process = global.process; -var Deno = global.Deno; -var versions = process && process.versions || Deno && Deno.version; -var v8 = versions && versions.v8; -var match, version; - -if (v8) { - match = v8.split('.'); - // in old Chrome, versions of V8 isn't V8 = Chrome / 10 - // but their correct versions are not interesting for us - version = match[0] > 0 && match[0] < 4 ? 1 : +(match[0] + match[1]); -} - -// BrowserFS NodeJS `process` polyfill incorrectly set `.v8` to `0.0` -// so check `userAgent` even if `.v8` exists, but 0 -if (!version && userAgent) { - match = userAgent.match(/Edge\/(\d+)/); - if (!match || match[1] >= 74) { - match = userAgent.match(/Chrome\/(\d+)/); - if (match) version = +match[1]; - } -} - -module.exports = version; diff --git a/node_modules/core-js/internals/engine-webkit-version.js b/node_modules/core-js/internals/engine-webkit-version.js deleted file mode 100644 index e631aee..0000000 --- a/node_modules/core-js/internals/engine-webkit-version.js +++ /dev/null @@ -1,6 +0,0 @@ -'use strict'; -var userAgent = require('../internals/engine-user-agent'); - -var webkit = userAgent.match(/AppleWebKit\/(\d+)\./); - -module.exports = !!webkit && +webkit[1]; diff --git a/node_modules/core-js/internals/entry-unbind.js b/node_modules/core-js/internals/entry-unbind.js deleted file mode 100644 index 082fbe1..0000000 --- a/node_modules/core-js/internals/entry-unbind.js +++ /dev/null @@ -1,7 +0,0 @@ -'use strict'; -var global = require('../internals/global'); -var uncurryThis = require('../internals/function-uncurry-this'); - -module.exports = function (CONSTRUCTOR, METHOD) { - return uncurryThis(global[CONSTRUCTOR].prototype[METHOD]); -}; diff --git a/node_modules/core-js/internals/entry-virtual.js b/node_modules/core-js/internals/entry-virtual.js deleted file mode 100644 index 5a0be68..0000000 --- a/node_modules/core-js/internals/entry-virtual.js +++ /dev/null @@ -1,6 +0,0 @@ -'use strict'; -var global = require('../internals/global'); - -module.exports = function (CONSTRUCTOR) { - return global[CONSTRUCTOR].prototype; -}; diff --git a/node_modules/core-js/internals/enum-bug-keys.js b/node_modules/core-js/internals/enum-bug-keys.js deleted file mode 100644 index a99e8a0..0000000 --- a/node_modules/core-js/internals/enum-bug-keys.js +++ /dev/null @@ -1,11 +0,0 @@ -'use strict'; -// IE8- don't enum bug keys -module.exports = [ - 'constructor', - 'hasOwnProperty', - 'isPrototypeOf', - 'propertyIsEnumerable', - 'toLocaleString', - 'toString', - 'valueOf' -]; diff --git a/node_modules/core-js/internals/error-stack-clear.js b/node_modules/core-js/internals/error-stack-clear.js deleted file mode 100644 index 43b8cd2..0000000 --- a/node_modules/core-js/internals/error-stack-clear.js +++ /dev/null @@ -1,16 +0,0 @@ -'use strict'; -var uncurryThis = require('../internals/function-uncurry-this'); - -var $Error = Error; -var replace = uncurryThis(''.replace); - -var TEST = (function (arg) { return String(new $Error(arg).stack); })('zxcasd'); -// eslint-disable-next-line redos/no-vulnerable -- safe -var V8_OR_CHAKRA_STACK_ENTRY = /\n\s*at [^:]*:[^\n]*/; -var IS_V8_OR_CHAKRA_STACK = V8_OR_CHAKRA_STACK_ENTRY.test(TEST); - -module.exports = function (stack, dropEntries) { - if (IS_V8_OR_CHAKRA_STACK && typeof stack == 'string' && !$Error.prepareStackTrace) { - while (dropEntries--) stack = replace(stack, V8_OR_CHAKRA_STACK_ENTRY, ''); - } return stack; -}; diff --git a/node_modules/core-js/internals/error-stack-install.js b/node_modules/core-js/internals/error-stack-install.js deleted file mode 100644 index eef057b..0000000 --- a/node_modules/core-js/internals/error-stack-install.js +++ /dev/null @@ -1,14 +0,0 @@ -'use strict'; -var createNonEnumerableProperty = require('../internals/create-non-enumerable-property'); -var clearErrorStack = require('../internals/error-stack-clear'); -var ERROR_STACK_INSTALLABLE = require('../internals/error-stack-installable'); - -// non-standard V8 -var captureStackTrace = Error.captureStackTrace; - -module.exports = function (error, C, stack, dropEntries) { - if (ERROR_STACK_INSTALLABLE) { - if (captureStackTrace) captureStackTrace(error, C); - else createNonEnumerableProperty(error, 'stack', clearErrorStack(stack, dropEntries)); - } -}; diff --git a/node_modules/core-js/internals/error-stack-installable.js b/node_modules/core-js/internals/error-stack-installable.js deleted file mode 100644 index 96b987f..0000000 --- a/node_modules/core-js/internals/error-stack-installable.js +++ /dev/null @@ -1,11 +0,0 @@ -'use strict'; -var fails = require('../internals/fails'); -var createPropertyDescriptor = require('../internals/create-property-descriptor'); - -module.exports = !fails(function () { - var error = new Error('a'); - if (!('stack' in error)) return true; - // eslint-disable-next-line es/no-object-defineproperty -- safe - Object.defineProperty(error, 'stack', createPropertyDescriptor(1, 7)); - return error.stack !== 7; -}); diff --git a/node_modules/core-js/internals/error-to-string.js b/node_modules/core-js/internals/error-to-string.js deleted file mode 100644 index 0fdb8ee..0000000 --- a/node_modules/core-js/internals/error-to-string.js +++ /dev/null @@ -1,29 +0,0 @@ -'use strict'; -var DESCRIPTORS = require('../internals/descriptors'); -var fails = require('../internals/fails'); -var anObject = require('../internals/an-object'); -var normalizeStringArgument = require('../internals/normalize-string-argument'); - -var nativeErrorToString = Error.prototype.toString; - -var INCORRECT_TO_STRING = fails(function () { - if (DESCRIPTORS) { - // Chrome 32- incorrectly call accessor - // eslint-disable-next-line es/no-object-create, es/no-object-defineproperty -- safe - var object = Object.create(Object.defineProperty({}, 'name', { get: function () { - return this === object; - } })); - if (nativeErrorToString.call(object) !== 'true') return true; - } - // FF10- does not properly handle non-strings - return nativeErrorToString.call({ message: 1, name: 2 }) !== '2: 1' - // IE8 does not properly handle defaults - || nativeErrorToString.call({}) !== 'Error'; -}); - -module.exports = INCORRECT_TO_STRING ? function toString() { - var O = anObject(this); - var name = normalizeStringArgument(O.name, 'Error'); - var message = normalizeStringArgument(O.message); - return !name ? message : !message ? name : name + ': ' + message; -} : nativeErrorToString; diff --git a/node_modules/core-js/internals/export.js b/node_modules/core-js/internals/export.js deleted file mode 100644 index 8dde266..0000000 --- a/node_modules/core-js/internals/export.js +++ /dev/null @@ -1,55 +0,0 @@ -'use strict'; -var global = require('../internals/global'); -var getOwnPropertyDescriptor = require('../internals/object-get-own-property-descriptor').f; -var createNonEnumerableProperty = require('../internals/create-non-enumerable-property'); -var defineBuiltIn = require('../internals/define-built-in'); -var defineGlobalProperty = require('../internals/define-global-property'); -var copyConstructorProperties = require('../internals/copy-constructor-properties'); -var isForced = require('../internals/is-forced'); - -/* - options.target - name of the target object - options.global - target is the global object - options.stat - export as static methods of target - options.proto - export as prototype methods of target - options.real - real prototype method for the `pure` version - options.forced - export even if the native feature is available - options.bind - bind methods to the target, required for the `pure` version - options.wrap - wrap constructors to preventing global pollution, required for the `pure` version - options.unsafe - use the simple assignment of property instead of delete + defineProperty - options.sham - add a flag to not completely full polyfills - options.enumerable - export as enumerable property - options.dontCallGetSet - prevent calling a getter on target - options.name - the .name of the function if it does not match the key -*/ -module.exports = function (options, source) { - var TARGET = options.target; - var GLOBAL = options.global; - var STATIC = options.stat; - var FORCED, target, key, targetProperty, sourceProperty, descriptor; - if (GLOBAL) { - target = global; - } else if (STATIC) { - target = global[TARGET] || defineGlobalProperty(TARGET, {}); - } else { - target = (global[TARGET] || {}).prototype; - } - if (target) for (key in source) { - sourceProperty = source[key]; - if (options.dontCallGetSet) { - descriptor = getOwnPropertyDescriptor(target, key); - targetProperty = descriptor && descriptor.value; - } else targetProperty = target[key]; - FORCED = isForced(GLOBAL ? key : TARGET + (STATIC ? '.' : '#') + key, options.forced); - // contained in target - if (!FORCED && targetProperty !== undefined) { - if (typeof sourceProperty == typeof targetProperty) continue; - copyConstructorProperties(sourceProperty, targetProperty); - } - // add a flag to not completely full polyfills - if (options.sham || (targetProperty && targetProperty.sham)) { - createNonEnumerableProperty(sourceProperty, 'sham', true); - } - defineBuiltIn(target, key, sourceProperty, options); - } -}; diff --git a/node_modules/core-js/internals/fails.js b/node_modules/core-js/internals/fails.js deleted file mode 100644 index 7880c82..0000000 --- a/node_modules/core-js/internals/fails.js +++ /dev/null @@ -1,8 +0,0 @@ -'use strict'; -module.exports = function (exec) { - try { - return !!exec(); - } catch (error) { - return true; - } -}; diff --git a/node_modules/core-js/internals/fix-regexp-well-known-symbol-logic.js b/node_modules/core-js/internals/fix-regexp-well-known-symbol-logic.js deleted file mode 100644 index b34f76b..0000000 --- a/node_modules/core-js/internals/fix-regexp-well-known-symbol-logic.js +++ /dev/null @@ -1,77 +0,0 @@ -'use strict'; -// TODO: Remove from `core-js@4` since it's moved to entry points -require('../modules/es.regexp.exec'); -var uncurryThis = require('../internals/function-uncurry-this-clause'); -var defineBuiltIn = require('../internals/define-built-in'); -var regexpExec = require('../internals/regexp-exec'); -var fails = require('../internals/fails'); -var wellKnownSymbol = require('../internals/well-known-symbol'); -var createNonEnumerableProperty = require('../internals/create-non-enumerable-property'); - -var SPECIES = wellKnownSymbol('species'); -var RegExpPrototype = RegExp.prototype; - -module.exports = function (KEY, exec, FORCED, SHAM) { - var SYMBOL = wellKnownSymbol(KEY); - - var DELEGATES_TO_SYMBOL = !fails(function () { - // String methods call symbol-named RegEp methods - var O = {}; - O[SYMBOL] = function () { return 7; }; - return ''[KEY](O) !== 7; - }); - - var DELEGATES_TO_EXEC = DELEGATES_TO_SYMBOL && !fails(function () { - // Symbol-named RegExp methods call .exec - var execCalled = false; - var re = /a/; - - if (KEY === 'split') { - // We can't use real regex here since it causes deoptimization - // and serious performance degradation in V8 - // https://github.com/zloirock/core-js/issues/306 - re = {}; - // RegExp[@@split] doesn't call the regex's exec method, but first creates - // a new one. We need to return the patched regex when creating the new one. - re.constructor = {}; - re.constructor[SPECIES] = function () { return re; }; - re.flags = ''; - re[SYMBOL] = /./[SYMBOL]; - } - - re.exec = function () { - execCalled = true; - return null; - }; - - re[SYMBOL](''); - return !execCalled; - }); - - if ( - !DELEGATES_TO_SYMBOL || - !DELEGATES_TO_EXEC || - FORCED - ) { - var uncurriedNativeRegExpMethod = uncurryThis(/./[SYMBOL]); - var methods = exec(SYMBOL, ''[KEY], function (nativeMethod, regexp, str, arg2, forceStringMethod) { - var uncurriedNativeMethod = uncurryThis(nativeMethod); - var $exec = regexp.exec; - if ($exec === regexpExec || $exec === RegExpPrototype.exec) { - if (DELEGATES_TO_SYMBOL && !forceStringMethod) { - // The native String method already delegates to @@method (this - // polyfilled function), leasing to infinite recursion. - // We avoid it by directly calling the native @@method method. - return { done: true, value: uncurriedNativeRegExpMethod(regexp, str, arg2) }; - } - return { done: true, value: uncurriedNativeMethod(str, regexp, arg2) }; - } - return { done: false }; - }); - - defineBuiltIn(String.prototype, KEY, methods[0]); - defineBuiltIn(RegExpPrototype, SYMBOL, methods[1]); - } - - if (SHAM) createNonEnumerableProperty(RegExpPrototype[SYMBOL], 'sham', true); -}; diff --git a/node_modules/core-js/internals/flatten-into-array.js b/node_modules/core-js/internals/flatten-into-array.js deleted file mode 100644 index 04b2030..0000000 --- a/node_modules/core-js/internals/flatten-into-array.js +++ /dev/null @@ -1,34 +0,0 @@ -'use strict'; -var isArray = require('../internals/is-array'); -var lengthOfArrayLike = require('../internals/length-of-array-like'); -var doesNotExceedSafeInteger = require('../internals/does-not-exceed-safe-integer'); -var bind = require('../internals/function-bind-context'); - -// `FlattenIntoArray` abstract operation -// https://tc39.github.io/proposal-flatMap/#sec-FlattenIntoArray -var flattenIntoArray = function (target, original, source, sourceLen, start, depth, mapper, thisArg) { - var targetIndex = start; - var sourceIndex = 0; - var mapFn = mapper ? bind(mapper, thisArg) : false; - var element, elementLen; - - while (sourceIndex < sourceLen) { - if (sourceIndex in source) { - element = mapFn ? mapFn(source[sourceIndex], sourceIndex, original) : source[sourceIndex]; - - if (depth > 0 && isArray(element)) { - elementLen = lengthOfArrayLike(element); - targetIndex = flattenIntoArray(target, original, element, elementLen, targetIndex, depth - 1) - 1; - } else { - doesNotExceedSafeInteger(targetIndex + 1); - target[targetIndex] = element; - } - - targetIndex++; - } - sourceIndex++; - } - return targetIndex; -}; - -module.exports = flattenIntoArray; diff --git a/node_modules/core-js/internals/freezing.js b/node_modules/core-js/internals/freezing.js deleted file mode 100644 index 17212ad..0000000 --- a/node_modules/core-js/internals/freezing.js +++ /dev/null @@ -1,7 +0,0 @@ -'use strict'; -var fails = require('../internals/fails'); - -module.exports = !fails(function () { - // eslint-disable-next-line es/no-object-isextensible, es/no-object-preventextensions -- required for testing - return Object.isExtensible(Object.preventExtensions({})); -}); diff --git a/node_modules/core-js/internals/function-apply.js b/node_modules/core-js/internals/function-apply.js deleted file mode 100644 index 3d4e569..0000000 --- a/node_modules/core-js/internals/function-apply.js +++ /dev/null @@ -1,11 +0,0 @@ -'use strict'; -var NATIVE_BIND = require('../internals/function-bind-native'); - -var FunctionPrototype = Function.prototype; -var apply = FunctionPrototype.apply; -var call = FunctionPrototype.call; - -// eslint-disable-next-line es/no-reflect -- safe -module.exports = typeof Reflect == 'object' && Reflect.apply || (NATIVE_BIND ? call.bind(apply) : function () { - return call.apply(apply, arguments); -}); diff --git a/node_modules/core-js/internals/function-bind-context.js b/node_modules/core-js/internals/function-bind-context.js deleted file mode 100644 index 73378e8..0000000 --- a/node_modules/core-js/internals/function-bind-context.js +++ /dev/null @@ -1,14 +0,0 @@ -'use strict'; -var uncurryThis = require('../internals/function-uncurry-this-clause'); -var aCallable = require('../internals/a-callable'); -var NATIVE_BIND = require('../internals/function-bind-native'); - -var bind = uncurryThis(uncurryThis.bind); - -// optional / simple context binding -module.exports = function (fn, that) { - aCallable(fn); - return that === undefined ? fn : NATIVE_BIND ? bind(fn, that) : function (/* ...args */) { - return fn.apply(that, arguments); - }; -}; diff --git a/node_modules/core-js/internals/function-bind-native.js b/node_modules/core-js/internals/function-bind-native.js deleted file mode 100644 index 424f934..0000000 --- a/node_modules/core-js/internals/function-bind-native.js +++ /dev/null @@ -1,9 +0,0 @@ -'use strict'; -var fails = require('../internals/fails'); - -module.exports = !fails(function () { - // eslint-disable-next-line es/no-function-prototype-bind -- safe - var test = (function () { /* empty */ }).bind(); - // eslint-disable-next-line no-prototype-builtins -- safe - return typeof test != 'function' || test.hasOwnProperty('prototype'); -}); diff --git a/node_modules/core-js/internals/function-bind.js b/node_modules/core-js/internals/function-bind.js deleted file mode 100644 index fe22ec5..0000000 --- a/node_modules/core-js/internals/function-bind.js +++ /dev/null @@ -1,36 +0,0 @@ -'use strict'; -var uncurryThis = require('../internals/function-uncurry-this'); -var aCallable = require('../internals/a-callable'); -var isObject = require('../internals/is-object'); -var hasOwn = require('../internals/has-own-property'); -var arraySlice = require('../internals/array-slice'); -var NATIVE_BIND = require('../internals/function-bind-native'); - -var $Function = Function; -var concat = uncurryThis([].concat); -var join = uncurryThis([].join); -var factories = {}; - -var construct = function (C, argsLength, args) { - if (!hasOwn(factories, argsLength)) { - var list = []; - var i = 0; - for (; i < argsLength; i++) list[i] = 'a[' + i + ']'; - factories[argsLength] = $Function('C,a', 'return new C(' + join(list, ',') + ')'); - } return factories[argsLength](C, args); -}; - -// `Function.prototype.bind` method implementation -// https://tc39.es/ecma262/#sec-function.prototype.bind -// eslint-disable-next-line es/no-function-prototype-bind -- detection -module.exports = NATIVE_BIND ? $Function.bind : function bind(that /* , ...args */) { - var F = aCallable(this); - var Prototype = F.prototype; - var partArgs = arraySlice(arguments, 1); - var boundFunction = function bound(/* args... */) { - var args = concat(partArgs, arraySlice(arguments)); - return this instanceof boundFunction ? construct(F, args.length, args) : F.apply(that, args); - }; - if (isObject(Prototype)) boundFunction.prototype = Prototype; - return boundFunction; -}; diff --git a/node_modules/core-js/internals/function-call.js b/node_modules/core-js/internals/function-call.js deleted file mode 100644 index 998b4de..0000000 --- a/node_modules/core-js/internals/function-call.js +++ /dev/null @@ -1,8 +0,0 @@ -'use strict'; -var NATIVE_BIND = require('../internals/function-bind-native'); - -var call = Function.prototype.call; - -module.exports = NATIVE_BIND ? call.bind(call) : function () { - return call.apply(call, arguments); -}; diff --git a/node_modules/core-js/internals/function-demethodize.js b/node_modules/core-js/internals/function-demethodize.js deleted file mode 100644 index 0ba9d43..0000000 --- a/node_modules/core-js/internals/function-demethodize.js +++ /dev/null @@ -1,7 +0,0 @@ -'use strict'; -var uncurryThis = require('../internals/function-uncurry-this'); -var aCallable = require('../internals/a-callable'); - -module.exports = function demethodize() { - return uncurryThis(aCallable(this)); -}; diff --git a/node_modules/core-js/internals/function-name.js b/node_modules/core-js/internals/function-name.js deleted file mode 100644 index ce6fdd9..0000000 --- a/node_modules/core-js/internals/function-name.js +++ /dev/null @@ -1,18 +0,0 @@ -'use strict'; -var DESCRIPTORS = require('../internals/descriptors'); -var hasOwn = require('../internals/has-own-property'); - -var FunctionPrototype = Function.prototype; -// eslint-disable-next-line es/no-object-getownpropertydescriptor -- safe -var getDescriptor = DESCRIPTORS && Object.getOwnPropertyDescriptor; - -var EXISTS = hasOwn(FunctionPrototype, 'name'); -// additional protection from minified / mangled / dropped function names -var PROPER = EXISTS && (function something() { /* empty */ }).name === 'something'; -var CONFIGURABLE = EXISTS && (!DESCRIPTORS || (DESCRIPTORS && getDescriptor(FunctionPrototype, 'name').configurable)); - -module.exports = { - EXISTS: EXISTS, - PROPER: PROPER, - CONFIGURABLE: CONFIGURABLE -}; diff --git a/node_modules/core-js/internals/function-uncurry-this-accessor.js b/node_modules/core-js/internals/function-uncurry-this-accessor.js deleted file mode 100644 index 4d5ef18..0000000 --- a/node_modules/core-js/internals/function-uncurry-this-accessor.js +++ /dev/null @@ -1,10 +0,0 @@ -'use strict'; -var uncurryThis = require('../internals/function-uncurry-this'); -var aCallable = require('../internals/a-callable'); - -module.exports = function (object, key, method) { - try { - // eslint-disable-next-line es/no-object-getownpropertydescriptor -- safe - return uncurryThis(aCallable(Object.getOwnPropertyDescriptor(object, key)[method])); - } catch (error) { /* empty */ } -}; diff --git a/node_modules/core-js/internals/function-uncurry-this-clause.js b/node_modules/core-js/internals/function-uncurry-this-clause.js deleted file mode 100644 index 7589e4b..0000000 --- a/node_modules/core-js/internals/function-uncurry-this-clause.js +++ /dev/null @@ -1,10 +0,0 @@ -'use strict'; -var classofRaw = require('../internals/classof-raw'); -var uncurryThis = require('../internals/function-uncurry-this'); - -module.exports = function (fn) { - // Nashorn bug: - // https://github.com/zloirock/core-js/issues/1128 - // https://github.com/zloirock/core-js/issues/1130 - if (classofRaw(fn) === 'Function') return uncurryThis(fn); -}; diff --git a/node_modules/core-js/internals/function-uncurry-this.js b/node_modules/core-js/internals/function-uncurry-this.js deleted file mode 100644 index 2fd36ec..0000000 --- a/node_modules/core-js/internals/function-uncurry-this.js +++ /dev/null @@ -1,12 +0,0 @@ -'use strict'; -var NATIVE_BIND = require('../internals/function-bind-native'); - -var FunctionPrototype = Function.prototype; -var call = FunctionPrototype.call; -var uncurryThisWithBind = NATIVE_BIND && FunctionPrototype.bind.bind(call, call); - -module.exports = NATIVE_BIND ? uncurryThisWithBind : function (fn) { - return function () { - return call.apply(fn, arguments); - }; -}; diff --git a/node_modules/core-js/internals/get-alphabet-option.js b/node_modules/core-js/internals/get-alphabet-option.js deleted file mode 100644 index 216d169..0000000 --- a/node_modules/core-js/internals/get-alphabet-option.js +++ /dev/null @@ -1,8 +0,0 @@ -'use strict'; -var $TypeError = TypeError; - -module.exports = function (options) { - var alphabet = options && options.alphabet; - if (alphabet === undefined || alphabet === 'base64' || alphabet === 'base64url') return alphabet || 'base64'; - throw new $TypeError('Incorrect `alphabet` option'); -}; diff --git a/node_modules/core-js/internals/get-async-iterator-flattenable.js b/node_modules/core-js/internals/get-async-iterator-flattenable.js deleted file mode 100644 index 4cd7d04..0000000 --- a/node_modules/core-js/internals/get-async-iterator-flattenable.js +++ /dev/null @@ -1,30 +0,0 @@ -'use strict'; -var call = require('../internals/function-call'); -var isCallable = require('../internals/is-callable'); -var anObject = require('../internals/an-object'); -var getIteratorDirect = require('../internals/get-iterator-direct'); -var getIteratorMethod = require('../internals/get-iterator-method'); -var getMethod = require('../internals/get-method'); -var wellKnownSymbol = require('../internals/well-known-symbol'); -var AsyncFromSyncIterator = require('../internals/async-from-sync-iterator'); - -var ASYNC_ITERATOR = wellKnownSymbol('asyncIterator'); - -module.exports = function (obj) { - var object = anObject(obj); - var alreadyAsync = true; - var method = getMethod(object, ASYNC_ITERATOR); - var iterator; - if (!isCallable(method)) { - method = getIteratorMethod(object); - alreadyAsync = false; - } - if (method !== undefined) { - iterator = call(method, object); - } else { - iterator = object; - alreadyAsync = true; - } - anObject(iterator); - return getIteratorDirect(alreadyAsync ? iterator : new AsyncFromSyncIterator(getIteratorDirect(iterator))); -}; diff --git a/node_modules/core-js/internals/get-async-iterator.js b/node_modules/core-js/internals/get-async-iterator.js deleted file mode 100644 index b25b75f..0000000 --- a/node_modules/core-js/internals/get-async-iterator.js +++ /dev/null @@ -1,15 +0,0 @@ -'use strict'; -var call = require('../internals/function-call'); -var AsyncFromSyncIterator = require('../internals/async-from-sync-iterator'); -var anObject = require('../internals/an-object'); -var getIterator = require('../internals/get-iterator'); -var getIteratorDirect = require('../internals/get-iterator-direct'); -var getMethod = require('../internals/get-method'); -var wellKnownSymbol = require('../internals/well-known-symbol'); - -var ASYNC_ITERATOR = wellKnownSymbol('asyncIterator'); - -module.exports = function (it, usingIterator) { - var method = arguments.length < 2 ? getMethod(it, ASYNC_ITERATOR) : usingIterator; - return method ? anObject(call(method, it)) : new AsyncFromSyncIterator(getIteratorDirect(getIterator(it))); -}; diff --git a/node_modules/core-js/internals/get-built-in-prototype-method.js b/node_modules/core-js/internals/get-built-in-prototype-method.js deleted file mode 100644 index 1230be5..0000000 --- a/node_modules/core-js/internals/get-built-in-prototype-method.js +++ /dev/null @@ -1,8 +0,0 @@ -'use strict'; -var global = require('../internals/global'); - -module.exports = function (CONSTRUCTOR, METHOD) { - var Constructor = global[CONSTRUCTOR]; - var Prototype = Constructor && Constructor.prototype; - return Prototype && Prototype[METHOD]; -}; diff --git a/node_modules/core-js/internals/get-built-in.js b/node_modules/core-js/internals/get-built-in.js deleted file mode 100644 index f6a98b7..0000000 --- a/node_modules/core-js/internals/get-built-in.js +++ /dev/null @@ -1,11 +0,0 @@ -'use strict'; -var global = require('../internals/global'); -var isCallable = require('../internals/is-callable'); - -var aFunction = function (argument) { - return isCallable(argument) ? argument : undefined; -}; - -module.exports = function (namespace, method) { - return arguments.length < 2 ? aFunction(global[namespace]) : global[namespace] && global[namespace][method]; -}; diff --git a/node_modules/core-js/internals/get-iterator-direct.js b/node_modules/core-js/internals/get-iterator-direct.js deleted file mode 100644 index b321956..0000000 --- a/node_modules/core-js/internals/get-iterator-direct.js +++ /dev/null @@ -1,10 +0,0 @@ -'use strict'; -// `GetIteratorDirect(obj)` abstract operation -// https://tc39.es/proposal-iterator-helpers/#sec-getiteratordirect -module.exports = function (obj) { - return { - iterator: obj, - next: obj.next, - done: false - }; -}; diff --git a/node_modules/core-js/internals/get-iterator-flattenable.js b/node_modules/core-js/internals/get-iterator-flattenable.js deleted file mode 100644 index e9ea9c4..0000000 --- a/node_modules/core-js/internals/get-iterator-flattenable.js +++ /dev/null @@ -1,11 +0,0 @@ -'use strict'; -var call = require('../internals/function-call'); -var anObject = require('../internals/an-object'); -var getIteratorDirect = require('../internals/get-iterator-direct'); -var getIteratorMethod = require('../internals/get-iterator-method'); - -module.exports = function (obj, stringHandling) { - if (!stringHandling || typeof obj !== 'string') anObject(obj); - var method = getIteratorMethod(obj); - return getIteratorDirect(anObject(method !== undefined ? call(method, obj) : obj)); -}; diff --git a/node_modules/core-js/internals/get-iterator-method.js b/node_modules/core-js/internals/get-iterator-method.js deleted file mode 100644 index 7c1a58b..0000000 --- a/node_modules/core-js/internals/get-iterator-method.js +++ /dev/null @@ -1,14 +0,0 @@ -'use strict'; -var classof = require('../internals/classof'); -var getMethod = require('../internals/get-method'); -var isNullOrUndefined = require('../internals/is-null-or-undefined'); -var Iterators = require('../internals/iterators'); -var wellKnownSymbol = require('../internals/well-known-symbol'); - -var ITERATOR = wellKnownSymbol('iterator'); - -module.exports = function (it) { - if (!isNullOrUndefined(it)) return getMethod(it, ITERATOR) - || getMethod(it, '@@iterator') - || Iterators[classof(it)]; -}; diff --git a/node_modules/core-js/internals/get-iterator.js b/node_modules/core-js/internals/get-iterator.js deleted file mode 100644 index 2b4c53e..0000000 --- a/node_modules/core-js/internals/get-iterator.js +++ /dev/null @@ -1,14 +0,0 @@ -'use strict'; -var call = require('../internals/function-call'); -var aCallable = require('../internals/a-callable'); -var anObject = require('../internals/an-object'); -var tryToString = require('../internals/try-to-string'); -var getIteratorMethod = require('../internals/get-iterator-method'); - -var $TypeError = TypeError; - -module.exports = function (argument, usingIterator) { - var iteratorMethod = arguments.length < 2 ? getIteratorMethod(argument) : usingIterator; - if (aCallable(iteratorMethod)) return anObject(call(iteratorMethod, argument)); - throw new $TypeError(tryToString(argument) + ' is not iterable'); -}; diff --git a/node_modules/core-js/internals/get-json-replacer-function.js b/node_modules/core-js/internals/get-json-replacer-function.js deleted file mode 100644 index abfdce4..0000000 --- a/node_modules/core-js/internals/get-json-replacer-function.js +++ /dev/null @@ -1,30 +0,0 @@ -'use strict'; -var uncurryThis = require('../internals/function-uncurry-this'); -var isArray = require('../internals/is-array'); -var isCallable = require('../internals/is-callable'); -var classof = require('../internals/classof-raw'); -var toString = require('../internals/to-string'); - -var push = uncurryThis([].push); - -module.exports = function (replacer) { - if (isCallable(replacer)) return replacer; - if (!isArray(replacer)) return; - var rawLength = replacer.length; - var keys = []; - for (var i = 0; i < rawLength; i++) { - var element = replacer[i]; - if (typeof element == 'string') push(keys, element); - else if (typeof element == 'number' || classof(element) === 'Number' || classof(element) === 'String') push(keys, toString(element)); - } - var keysLength = keys.length; - var root = true; - return function (key, value) { - if (root) { - root = false; - return value; - } - if (isArray(this)) return value; - for (var j = 0; j < keysLength; j++) if (keys[j] === key) return value; - }; -}; diff --git a/node_modules/core-js/internals/get-method.js b/node_modules/core-js/internals/get-method.js deleted file mode 100644 index dd3c10c..0000000 --- a/node_modules/core-js/internals/get-method.js +++ /dev/null @@ -1,10 +0,0 @@ -'use strict'; -var aCallable = require('../internals/a-callable'); -var isNullOrUndefined = require('../internals/is-null-or-undefined'); - -// `GetMethod` abstract operation -// https://tc39.es/ecma262/#sec-getmethod -module.exports = function (V, P) { - var func = V[P]; - return isNullOrUndefined(func) ? undefined : aCallable(func); -}; diff --git a/node_modules/core-js/internals/get-set-record.js b/node_modules/core-js/internals/get-set-record.js deleted file mode 100644 index ab43f32..0000000 --- a/node_modules/core-js/internals/get-set-record.js +++ /dev/null @@ -1,40 +0,0 @@ -'use strict'; -var aCallable = require('../internals/a-callable'); -var anObject = require('../internals/an-object'); -var call = require('../internals/function-call'); -var toIntegerOrInfinity = require('../internals/to-integer-or-infinity'); -var getIteratorDirect = require('../internals/get-iterator-direct'); - -var INVALID_SIZE = 'Invalid size'; -var $RangeError = RangeError; -var $TypeError = TypeError; -var max = Math.max; - -var SetRecord = function (set, intSize) { - this.set = set; - this.size = max(intSize, 0); - this.has = aCallable(set.has); - this.keys = aCallable(set.keys); -}; - -SetRecord.prototype = { - getIterator: function () { - return getIteratorDirect(anObject(call(this.keys, this.set))); - }, - includes: function (it) { - return call(this.has, this.set, it); - } -}; - -// `GetSetRecord` abstract operation -// https://tc39.es/proposal-set-methods/#sec-getsetrecord -module.exports = function (obj) { - anObject(obj); - var numSize = +obj.size; - // NOTE: If size is undefined, then numSize will be NaN - // eslint-disable-next-line no-self-compare -- NaN check - if (numSize !== numSize) throw new $TypeError(INVALID_SIZE); - var intSize = toIntegerOrInfinity(numSize); - if (intSize < 0) throw new $RangeError(INVALID_SIZE); - return new SetRecord(obj, intSize); -}; diff --git a/node_modules/core-js/internals/get-substitution.js b/node_modules/core-js/internals/get-substitution.js deleted file mode 100644 index fcb8860..0000000 --- a/node_modules/core-js/internals/get-substitution.js +++ /dev/null @@ -1,46 +0,0 @@ -'use strict'; -var uncurryThis = require('../internals/function-uncurry-this'); -var toObject = require('../internals/to-object'); - -var floor = Math.floor; -var charAt = uncurryThis(''.charAt); -var replace = uncurryThis(''.replace); -var stringSlice = uncurryThis(''.slice); -// eslint-disable-next-line redos/no-vulnerable -- safe -var SUBSTITUTION_SYMBOLS = /\$([$&'`]|\d{1,2}|<[^>]*>)/g; -var SUBSTITUTION_SYMBOLS_NO_NAMED = /\$([$&'`]|\d{1,2})/g; - -// `GetSubstitution` abstract operation -// https://tc39.es/ecma262/#sec-getsubstitution -module.exports = function (matched, str, position, captures, namedCaptures, replacement) { - var tailPos = position + matched.length; - var m = captures.length; - var symbols = SUBSTITUTION_SYMBOLS_NO_NAMED; - if (namedCaptures !== undefined) { - namedCaptures = toObject(namedCaptures); - symbols = SUBSTITUTION_SYMBOLS; - } - return replace(replacement, symbols, function (match, ch) { - var capture; - switch (charAt(ch, 0)) { - case '$': return '$'; - case '&': return matched; - case '`': return stringSlice(str, 0, position); - case "'": return stringSlice(str, tailPos); - case '<': - capture = namedCaptures[stringSlice(ch, 1, -1)]; - break; - default: // \d\d? - var n = +ch; - if (n === 0) return match; - if (n > m) { - var f = floor(n / 10); - if (f === 0) return match; - if (f <= m) return captures[f - 1] === undefined ? charAt(ch, 1) : captures[f - 1] + charAt(ch, 1); - return match; - } - capture = captures[n - 1]; - } - return capture === undefined ? '' : capture; - }); -}; diff --git a/node_modules/core-js/internals/global.js b/node_modules/core-js/internals/global.js deleted file mode 100644 index a154678..0000000 --- a/node_modules/core-js/internals/global.js +++ /dev/null @@ -1,16 +0,0 @@ -'use strict'; -var check = function (it) { - return it && it.Math === Math && it; -}; - -// https://github.com/zloirock/core-js/issues/86#issuecomment-115759028 -module.exports = - // eslint-disable-next-line es/no-global-this -- safe - check(typeof globalThis == 'object' && globalThis) || - check(typeof window == 'object' && window) || - // eslint-disable-next-line no-restricted-globals -- safe - check(typeof self == 'object' && self) || - check(typeof global == 'object' && global) || - check(typeof this == 'object' && this) || - // eslint-disable-next-line no-new-func -- fallback - (function () { return this; })() || Function('return this')(); diff --git a/node_modules/core-js/internals/has-own-property.js b/node_modules/core-js/internals/has-own-property.js deleted file mode 100644 index 336d800..0000000 --- a/node_modules/core-js/internals/has-own-property.js +++ /dev/null @@ -1,12 +0,0 @@ -'use strict'; -var uncurryThis = require('../internals/function-uncurry-this'); -var toObject = require('../internals/to-object'); - -var hasOwnProperty = uncurryThis({}.hasOwnProperty); - -// `HasOwnProperty` abstract operation -// https://tc39.es/ecma262/#sec-hasownproperty -// eslint-disable-next-line es/no-object-hasown -- safe -module.exports = Object.hasOwn || function hasOwn(it, key) { - return hasOwnProperty(toObject(it), key); -}; diff --git a/node_modules/core-js/internals/hidden-keys.js b/node_modules/core-js/internals/hidden-keys.js deleted file mode 100644 index 648a166..0000000 --- a/node_modules/core-js/internals/hidden-keys.js +++ /dev/null @@ -1,2 +0,0 @@ -'use strict'; -module.exports = {}; diff --git a/node_modules/core-js/internals/host-report-errors.js b/node_modules/core-js/internals/host-report-errors.js deleted file mode 100644 index 1f3b26a..0000000 --- a/node_modules/core-js/internals/host-report-errors.js +++ /dev/null @@ -1,7 +0,0 @@ -'use strict'; -module.exports = function (a, b) { - try { - // eslint-disable-next-line no-console -- safe - arguments.length === 1 ? console.error(a) : console.error(a, b); - } catch (error) { /* empty */ } -}; diff --git a/node_modules/core-js/internals/html.js b/node_modules/core-js/internals/html.js deleted file mode 100644 index b8da90e..0000000 --- a/node_modules/core-js/internals/html.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var getBuiltIn = require('../internals/get-built-in'); - -module.exports = getBuiltIn('document', 'documentElement'); diff --git a/node_modules/core-js/internals/ie8-dom-define.js b/node_modules/core-js/internals/ie8-dom-define.js deleted file mode 100644 index 22719e8..0000000 --- a/node_modules/core-js/internals/ie8-dom-define.js +++ /dev/null @@ -1,12 +0,0 @@ -'use strict'; -var DESCRIPTORS = require('../internals/descriptors'); -var fails = require('../internals/fails'); -var createElement = require('../internals/document-create-element'); - -// Thanks to IE8 for its funny defineProperty -module.exports = !DESCRIPTORS && !fails(function () { - // eslint-disable-next-line es/no-object-defineproperty -- required for testing - return Object.defineProperty(createElement('div'), 'a', { - get: function () { return 7; } - }).a !== 7; -}); diff --git a/node_modules/core-js/internals/ieee754.js b/node_modules/core-js/internals/ieee754.js deleted file mode 100644 index 36775b0..0000000 --- a/node_modules/core-js/internals/ieee754.js +++ /dev/null @@ -1,103 +0,0 @@ -'use strict'; -// IEEE754 conversions based on https://github.com/feross/ieee754 -var $Array = Array; -var abs = Math.abs; -var pow = Math.pow; -var floor = Math.floor; -var log = Math.log; -var LN2 = Math.LN2; - -var pack = function (number, mantissaLength, bytes) { - var buffer = $Array(bytes); - var exponentLength = bytes * 8 - mantissaLength - 1; - var eMax = (1 << exponentLength) - 1; - var eBias = eMax >> 1; - var rt = mantissaLength === 23 ? pow(2, -24) - pow(2, -77) : 0; - var sign = number < 0 || number === 0 && 1 / number < 0 ? 1 : 0; - var index = 0; - var exponent, mantissa, c; - number = abs(number); - // eslint-disable-next-line no-self-compare -- NaN check - if (number !== number || number === Infinity) { - // eslint-disable-next-line no-self-compare -- NaN check - mantissa = number !== number ? 1 : 0; - exponent = eMax; - } else { - exponent = floor(log(number) / LN2); - c = pow(2, -exponent); - if (number * c < 1) { - exponent--; - c *= 2; - } - if (exponent + eBias >= 1) { - number += rt / c; - } else { - number += rt * pow(2, 1 - eBias); - } - if (number * c >= 2) { - exponent++; - c /= 2; - } - if (exponent + eBias >= eMax) { - mantissa = 0; - exponent = eMax; - } else if (exponent + eBias >= 1) { - mantissa = (number * c - 1) * pow(2, mantissaLength); - exponent += eBias; - } else { - mantissa = number * pow(2, eBias - 1) * pow(2, mantissaLength); - exponent = 0; - } - } - while (mantissaLength >= 8) { - buffer[index++] = mantissa & 255; - mantissa /= 256; - mantissaLength -= 8; - } - exponent = exponent << mantissaLength | mantissa; - exponentLength += mantissaLength; - while (exponentLength > 0) { - buffer[index++] = exponent & 255; - exponent /= 256; - exponentLength -= 8; - } - buffer[--index] |= sign * 128; - return buffer; -}; - -var unpack = function (buffer, mantissaLength) { - var bytes = buffer.length; - var exponentLength = bytes * 8 - mantissaLength - 1; - var eMax = (1 << exponentLength) - 1; - var eBias = eMax >> 1; - var nBits = exponentLength - 7; - var index = bytes - 1; - var sign = buffer[index--]; - var exponent = sign & 127; - var mantissa; - sign >>= 7; - while (nBits > 0) { - exponent = exponent * 256 + buffer[index--]; - nBits -= 8; - } - mantissa = exponent & (1 << -nBits) - 1; - exponent >>= -nBits; - nBits += mantissaLength; - while (nBits > 0) { - mantissa = mantissa * 256 + buffer[index--]; - nBits -= 8; - } - if (exponent === 0) { - exponent = 1 - eBias; - } else if (exponent === eMax) { - return mantissa ? NaN : sign ? -Infinity : Infinity; - } else { - mantissa += pow(2, mantissaLength); - exponent -= eBias; - } return (sign ? -1 : 1) * mantissa * pow(2, exponent - mantissaLength); -}; - -module.exports = { - pack: pack, - unpack: unpack -}; diff --git a/node_modules/core-js/internals/indexed-object.js b/node_modules/core-js/internals/indexed-object.js deleted file mode 100644 index cea2a9a..0000000 --- a/node_modules/core-js/internals/indexed-object.js +++ /dev/null @@ -1,16 +0,0 @@ -'use strict'; -var uncurryThis = require('../internals/function-uncurry-this'); -var fails = require('../internals/fails'); -var classof = require('../internals/classof-raw'); - -var $Object = Object; -var split = uncurryThis(''.split); - -// fallback for non-array-like ES3 and non-enumerable old V8 strings -module.exports = fails(function () { - // throws an error in rhino, see https://github.com/mozilla/rhino/issues/346 - // eslint-disable-next-line no-prototype-builtins -- safe - return !$Object('z').propertyIsEnumerable(0); -}) ? function (it) { - return classof(it) === 'String' ? split(it, '') : $Object(it); -} : $Object; diff --git a/node_modules/core-js/internals/inherit-if-required.js b/node_modules/core-js/internals/inherit-if-required.js deleted file mode 100644 index 248771d..0000000 --- a/node_modules/core-js/internals/inherit-if-required.js +++ /dev/null @@ -1,19 +0,0 @@ -'use strict'; -var isCallable = require('../internals/is-callable'); -var isObject = require('../internals/is-object'); -var setPrototypeOf = require('../internals/object-set-prototype-of'); - -// makes subclassing work correct for wrapped built-ins -module.exports = function ($this, dummy, Wrapper) { - var NewTarget, NewTargetPrototype; - if ( - // it can work only with native `setPrototypeOf` - setPrototypeOf && - // we haven't completely correct pre-ES6 way for getting `new.target`, so use this - isCallable(NewTarget = dummy.constructor) && - NewTarget !== Wrapper && - isObject(NewTargetPrototype = NewTarget.prototype) && - NewTargetPrototype !== Wrapper.prototype - ) setPrototypeOf($this, NewTargetPrototype); - return $this; -}; diff --git a/node_modules/core-js/internals/inspect-source.js b/node_modules/core-js/internals/inspect-source.js deleted file mode 100644 index eb9e80c..0000000 --- a/node_modules/core-js/internals/inspect-source.js +++ /dev/null @@ -1,15 +0,0 @@ -'use strict'; -var uncurryThis = require('../internals/function-uncurry-this'); -var isCallable = require('../internals/is-callable'); -var store = require('../internals/shared-store'); - -var functionToString = uncurryThis(Function.toString); - -// this helper broken in `core-js@3.4.1-3.4.4`, so we can't use `shared` helper -if (!isCallable(store.inspectSource)) { - store.inspectSource = function (it) { - return functionToString(it); - }; -} - -module.exports = store.inspectSource; diff --git a/node_modules/core-js/internals/install-error-cause.js b/node_modules/core-js/internals/install-error-cause.js deleted file mode 100644 index 35f3b93..0000000 --- a/node_modules/core-js/internals/install-error-cause.js +++ /dev/null @@ -1,11 +0,0 @@ -'use strict'; -var isObject = require('../internals/is-object'); -var createNonEnumerableProperty = require('../internals/create-non-enumerable-property'); - -// `InstallErrorCause` abstract operation -// https://tc39.es/proposal-error-cause/#sec-errorobjects-install-error-cause -module.exports = function (O, options) { - if (isObject(options) && 'cause' in options) { - createNonEnumerableProperty(O, 'cause', options.cause); - } -}; diff --git a/node_modules/core-js/internals/internal-metadata.js b/node_modules/core-js/internals/internal-metadata.js deleted file mode 100644 index df8b338..0000000 --- a/node_modules/core-js/internals/internal-metadata.js +++ /dev/null @@ -1,90 +0,0 @@ -'use strict'; -var $ = require('../internals/export'); -var uncurryThis = require('../internals/function-uncurry-this'); -var hiddenKeys = require('../internals/hidden-keys'); -var isObject = require('../internals/is-object'); -var hasOwn = require('../internals/has-own-property'); -var defineProperty = require('../internals/object-define-property').f; -var getOwnPropertyNamesModule = require('../internals/object-get-own-property-names'); -var getOwnPropertyNamesExternalModule = require('../internals/object-get-own-property-names-external'); -var isExtensible = require('../internals/object-is-extensible'); -var uid = require('../internals/uid'); -var FREEZING = require('../internals/freezing'); - -var REQUIRED = false; -var METADATA = uid('meta'); -var id = 0; - -var setMetadata = function (it) { - defineProperty(it, METADATA, { value: { - objectID: 'O' + id++, // object ID - weakData: {} // weak collections IDs - } }); -}; - -var fastKey = function (it, create) { - // return a primitive with prefix - if (!isObject(it)) return typeof it == 'symbol' ? it : (typeof it == 'string' ? 'S' : 'P') + it; - if (!hasOwn(it, METADATA)) { - // can't set metadata to uncaught frozen object - if (!isExtensible(it)) return 'F'; - // not necessary to add metadata - if (!create) return 'E'; - // add missing metadata - setMetadata(it); - // return object ID - } return it[METADATA].objectID; -}; - -var getWeakData = function (it, create) { - if (!hasOwn(it, METADATA)) { - // can't set metadata to uncaught frozen object - if (!isExtensible(it)) return true; - // not necessary to add metadata - if (!create) return false; - // add missing metadata - setMetadata(it); - // return the store of weak collections IDs - } return it[METADATA].weakData; -}; - -// add metadata on freeze-family methods calling -var onFreeze = function (it) { - if (FREEZING && REQUIRED && isExtensible(it) && !hasOwn(it, METADATA)) setMetadata(it); - return it; -}; - -var enable = function () { - meta.enable = function () { /* empty */ }; - REQUIRED = true; - var getOwnPropertyNames = getOwnPropertyNamesModule.f; - var splice = uncurryThis([].splice); - var test = {}; - test[METADATA] = 1; - - // prevent exposing of metadata key - if (getOwnPropertyNames(test).length) { - getOwnPropertyNamesModule.f = function (it) { - var result = getOwnPropertyNames(it); - for (var i = 0, length = result.length; i < length; i++) { - if (result[i] === METADATA) { - splice(result, i, 1); - break; - } - } return result; - }; - - $({ target: 'Object', stat: true, forced: true }, { - getOwnPropertyNames: getOwnPropertyNamesExternalModule.f - }); - } -}; - -var meta = module.exports = { - enable: enable, - fastKey: fastKey, - getWeakData: getWeakData, - onFreeze: onFreeze -}; - -hiddenKeys[METADATA] = true; diff --git a/node_modules/core-js/internals/internal-state.js b/node_modules/core-js/internals/internal-state.js deleted file mode 100644 index 15f3c44..0000000 --- a/node_modules/core-js/internals/internal-state.js +++ /dev/null @@ -1,71 +0,0 @@ -'use strict'; -var NATIVE_WEAK_MAP = require('../internals/weak-map-basic-detection'); -var global = require('../internals/global'); -var isObject = require('../internals/is-object'); -var createNonEnumerableProperty = require('../internals/create-non-enumerable-property'); -var hasOwn = require('../internals/has-own-property'); -var shared = require('../internals/shared-store'); -var sharedKey = require('../internals/shared-key'); -var hiddenKeys = require('../internals/hidden-keys'); - -var OBJECT_ALREADY_INITIALIZED = 'Object already initialized'; -var TypeError = global.TypeError; -var WeakMap = global.WeakMap; -var set, get, has; - -var enforce = function (it) { - return has(it) ? get(it) : set(it, {}); -}; - -var getterFor = function (TYPE) { - return function (it) { - var state; - if (!isObject(it) || (state = get(it)).type !== TYPE) { - throw new TypeError('Incompatible receiver, ' + TYPE + ' required'); - } return state; - }; -}; - -if (NATIVE_WEAK_MAP || shared.state) { - var store = shared.state || (shared.state = new WeakMap()); - /* eslint-disable no-self-assign -- prototype methods protection */ - store.get = store.get; - store.has = store.has; - store.set = store.set; - /* eslint-enable no-self-assign -- prototype methods protection */ - set = function (it, metadata) { - if (store.has(it)) throw new TypeError(OBJECT_ALREADY_INITIALIZED); - metadata.facade = it; - store.set(it, metadata); - return metadata; - }; - get = function (it) { - return store.get(it) || {}; - }; - has = function (it) { - return store.has(it); - }; -} else { - var STATE = sharedKey('state'); - hiddenKeys[STATE] = true; - set = function (it, metadata) { - if (hasOwn(it, STATE)) throw new TypeError(OBJECT_ALREADY_INITIALIZED); - metadata.facade = it; - createNonEnumerableProperty(it, STATE, metadata); - return metadata; - }; - get = function (it) { - return hasOwn(it, STATE) ? it[STATE] : {}; - }; - has = function (it) { - return hasOwn(it, STATE); - }; -} - -module.exports = { - set: set, - get: get, - has: has, - enforce: enforce, - getterFor: getterFor -}; diff --git a/node_modules/core-js/internals/is-array-iterator-method.js b/node_modules/core-js/internals/is-array-iterator-method.js deleted file mode 100644 index 6878983..0000000 --- a/node_modules/core-js/internals/is-array-iterator-method.js +++ /dev/null @@ -1,11 +0,0 @@ -'use strict'; -var wellKnownSymbol = require('../internals/well-known-symbol'); -var Iterators = require('../internals/iterators'); - -var ITERATOR = wellKnownSymbol('iterator'); -var ArrayPrototype = Array.prototype; - -// check on default Array iterator -module.exports = function (it) { - return it !== undefined && (Iterators.Array === it || ArrayPrototype[ITERATOR] === it); -}; diff --git a/node_modules/core-js/internals/is-array.js b/node_modules/core-js/internals/is-array.js deleted file mode 100644 index 14ea3b0..0000000 --- a/node_modules/core-js/internals/is-array.js +++ /dev/null @@ -1,9 +0,0 @@ -'use strict'; -var classof = require('../internals/classof-raw'); - -// `IsArray` abstract operation -// https://tc39.es/ecma262/#sec-isarray -// eslint-disable-next-line es/no-array-isarray -- safe -module.exports = Array.isArray || function isArray(argument) { - return classof(argument) === 'Array'; -}; diff --git a/node_modules/core-js/internals/is-big-int-array.js b/node_modules/core-js/internals/is-big-int-array.js deleted file mode 100644 index 7599b57..0000000 --- a/node_modules/core-js/internals/is-big-int-array.js +++ /dev/null @@ -1,7 +0,0 @@ -'use strict'; -var classof = require('../internals/classof'); - -module.exports = function (it) { - var klass = classof(it); - return klass === 'BigInt64Array' || klass === 'BigUint64Array'; -}; diff --git a/node_modules/core-js/internals/is-callable.js b/node_modules/core-js/internals/is-callable.js deleted file mode 100644 index bf80463..0000000 --- a/node_modules/core-js/internals/is-callable.js +++ /dev/null @@ -1,12 +0,0 @@ -'use strict'; -// https://tc39.es/ecma262/#sec-IsHTMLDDA-internal-slot -var documentAll = typeof document == 'object' && document.all; - -// `IsCallable` abstract operation -// https://tc39.es/ecma262/#sec-iscallable -// eslint-disable-next-line unicorn/no-typeof-undefined -- required for testing -module.exports = typeof documentAll == 'undefined' && documentAll !== undefined ? function (argument) { - return typeof argument == 'function' || argument === documentAll; -} : function (argument) { - return typeof argument == 'function'; -}; diff --git a/node_modules/core-js/internals/is-constructor.js b/node_modules/core-js/internals/is-constructor.js deleted file mode 100644 index 4db2d72..0000000 --- a/node_modules/core-js/internals/is-constructor.js +++ /dev/null @@ -1,53 +0,0 @@ -'use strict'; -var uncurryThis = require('../internals/function-uncurry-this'); -var fails = require('../internals/fails'); -var isCallable = require('../internals/is-callable'); -var classof = require('../internals/classof'); -var getBuiltIn = require('../internals/get-built-in'); -var inspectSource = require('../internals/inspect-source'); - -var noop = function () { /* empty */ }; -var empty = []; -var construct = getBuiltIn('Reflect', 'construct'); -var constructorRegExp = /^\s*(?:class|function)\b/; -var exec = uncurryThis(constructorRegExp.exec); -var INCORRECT_TO_STRING = !constructorRegExp.test(noop); - -var isConstructorModern = function isConstructor(argument) { - if (!isCallable(argument)) return false; - try { - construct(noop, empty, argument); - return true; - } catch (error) { - return false; - } -}; - -var isConstructorLegacy = function isConstructor(argument) { - if (!isCallable(argument)) return false; - switch (classof(argument)) { - case 'AsyncFunction': - case 'GeneratorFunction': - case 'AsyncGeneratorFunction': return false; - } - try { - // we can't check .prototype since constructors produced by .bind haven't it - // `Function#toString` throws on some built-it function in some legacy engines - // (for example, `DOMQuad` and similar in FF41-) - return INCORRECT_TO_STRING || !!exec(constructorRegExp, inspectSource(argument)); - } catch (error) { - return true; - } -}; - -isConstructorLegacy.sham = true; - -// `IsConstructor` abstract operation -// https://tc39.es/ecma262/#sec-isconstructor -module.exports = !construct || fails(function () { - var called; - return isConstructorModern(isConstructorModern.call) - || !isConstructorModern(Object) - || !isConstructorModern(function () { called = true; }) - || called; -}) ? isConstructorLegacy : isConstructorModern; diff --git a/node_modules/core-js/internals/is-data-descriptor.js b/node_modules/core-js/internals/is-data-descriptor.js deleted file mode 100644 index 201e35b..0000000 --- a/node_modules/core-js/internals/is-data-descriptor.js +++ /dev/null @@ -1,6 +0,0 @@ -'use strict'; -var hasOwn = require('../internals/has-own-property'); - -module.exports = function (descriptor) { - return descriptor !== undefined && (hasOwn(descriptor, 'value') || hasOwn(descriptor, 'writable')); -}; diff --git a/node_modules/core-js/internals/is-forced.js b/node_modules/core-js/internals/is-forced.js deleted file mode 100644 index acd8cc4..0000000 --- a/node_modules/core-js/internals/is-forced.js +++ /dev/null @@ -1,23 +0,0 @@ -'use strict'; -var fails = require('../internals/fails'); -var isCallable = require('../internals/is-callable'); - -var replacement = /#|\.prototype\./; - -var isForced = function (feature, detection) { - var value = data[normalize(feature)]; - return value === POLYFILL ? true - : value === NATIVE ? false - : isCallable(detection) ? fails(detection) - : !!detection; -}; - -var normalize = isForced.normalize = function (string) { - return String(string).replace(replacement, '.').toLowerCase(); -}; - -var data = isForced.data = {}; -var NATIVE = isForced.NATIVE = 'N'; -var POLYFILL = isForced.POLYFILL = 'P'; - -module.exports = isForced; diff --git a/node_modules/core-js/internals/is-integral-number.js b/node_modules/core-js/internals/is-integral-number.js deleted file mode 100644 index f2bbf69..0000000 --- a/node_modules/core-js/internals/is-integral-number.js +++ /dev/null @@ -1,11 +0,0 @@ -'use strict'; -var isObject = require('../internals/is-object'); - -var floor = Math.floor; - -// `IsIntegralNumber` abstract operation -// https://tc39.es/ecma262/#sec-isintegralnumber -// eslint-disable-next-line es/no-number-isinteger -- safe -module.exports = Number.isInteger || function isInteger(it) { - return !isObject(it) && isFinite(it) && floor(it) === it; -}; diff --git a/node_modules/core-js/internals/is-iterable.js b/node_modules/core-js/internals/is-iterable.js deleted file mode 100644 index 94560dc..0000000 --- a/node_modules/core-js/internals/is-iterable.js +++ /dev/null @@ -1,17 +0,0 @@ -'use strict'; -var classof = require('../internals/classof'); -var hasOwn = require('../internals/has-own-property'); -var isNullOrUndefined = require('../internals/is-null-or-undefined'); -var wellKnownSymbol = require('../internals/well-known-symbol'); -var Iterators = require('../internals/iterators'); - -var ITERATOR = wellKnownSymbol('iterator'); -var $Object = Object; - -module.exports = function (it) { - if (isNullOrUndefined(it)) return false; - var O = $Object(it); - return O[ITERATOR] !== undefined - || '@@iterator' in O - || hasOwn(Iterators, classof(O)); -}; diff --git a/node_modules/core-js/internals/is-null-or-undefined.js b/node_modules/core-js/internals/is-null-or-undefined.js deleted file mode 100644 index 8e687dd..0000000 --- a/node_modules/core-js/internals/is-null-or-undefined.js +++ /dev/null @@ -1,6 +0,0 @@ -'use strict'; -// we can't use just `it == null` since of `document.all` special case -// https://tc39.es/ecma262/#sec-IsHTMLDDA-internal-slot-aec -module.exports = function (it) { - return it === null || it === undefined; -}; diff --git a/node_modules/core-js/internals/is-object.js b/node_modules/core-js/internals/is-object.js deleted file mode 100644 index 8ed1588..0000000 --- a/node_modules/core-js/internals/is-object.js +++ /dev/null @@ -1,6 +0,0 @@ -'use strict'; -var isCallable = require('../internals/is-callable'); - -module.exports = function (it) { - return typeof it == 'object' ? it !== null : isCallable(it); -}; diff --git a/node_modules/core-js/internals/is-possible-prototype.js b/node_modules/core-js/internals/is-possible-prototype.js deleted file mode 100644 index 80e976d..0000000 --- a/node_modules/core-js/internals/is-possible-prototype.js +++ /dev/null @@ -1,6 +0,0 @@ -'use strict'; -var isObject = require('../internals/is-object'); - -module.exports = function (argument) { - return isObject(argument) || argument === null; -}; diff --git a/node_modules/core-js/internals/is-pure.js b/node_modules/core-js/internals/is-pure.js deleted file mode 100644 index ae7c87b..0000000 --- a/node_modules/core-js/internals/is-pure.js +++ /dev/null @@ -1,2 +0,0 @@ -'use strict'; -module.exports = false; diff --git a/node_modules/core-js/internals/is-raw-json.js b/node_modules/core-js/internals/is-raw-json.js deleted file mode 100644 index f6cab85..0000000 --- a/node_modules/core-js/internals/is-raw-json.js +++ /dev/null @@ -1,9 +0,0 @@ -'use strict'; -var isObject = require('../internals/is-object'); -var getInternalState = require('../internals/internal-state').get; - -module.exports = function isRawJSON(O) { - if (!isObject(O)) return false; - var state = getInternalState(O); - return !!state && state.type === 'RawJSON'; -}; diff --git a/node_modules/core-js/internals/is-regexp.js b/node_modules/core-js/internals/is-regexp.js deleted file mode 100644 index a4b287a..0000000 --- a/node_modules/core-js/internals/is-regexp.js +++ /dev/null @@ -1,13 +0,0 @@ -'use strict'; -var isObject = require('../internals/is-object'); -var classof = require('../internals/classof-raw'); -var wellKnownSymbol = require('../internals/well-known-symbol'); - -var MATCH = wellKnownSymbol('match'); - -// `IsRegExp` abstract operation -// https://tc39.es/ecma262/#sec-isregexp -module.exports = function (it) { - var isRegExp; - return isObject(it) && ((isRegExp = it[MATCH]) !== undefined ? !!isRegExp : classof(it) === 'RegExp'); -}; diff --git a/node_modules/core-js/internals/is-symbol.js b/node_modules/core-js/internals/is-symbol.js deleted file mode 100644 index 8c62ff9..0000000 --- a/node_modules/core-js/internals/is-symbol.js +++ /dev/null @@ -1,14 +0,0 @@ -'use strict'; -var getBuiltIn = require('../internals/get-built-in'); -var isCallable = require('../internals/is-callable'); -var isPrototypeOf = require('../internals/object-is-prototype-of'); -var USE_SYMBOL_AS_UID = require('../internals/use-symbol-as-uid'); - -var $Object = Object; - -module.exports = USE_SYMBOL_AS_UID ? function (it) { - return typeof it == 'symbol'; -} : function (it) { - var $Symbol = getBuiltIn('Symbol'); - return isCallable($Symbol) && isPrototypeOf($Symbol.prototype, $Object(it)); -}; diff --git a/node_modules/core-js/internals/iterate-simple.js b/node_modules/core-js/internals/iterate-simple.js deleted file mode 100644 index f940cc3..0000000 --- a/node_modules/core-js/internals/iterate-simple.js +++ /dev/null @@ -1,12 +0,0 @@ -'use strict'; -var call = require('../internals/function-call'); - -module.exports = function (record, fn, ITERATOR_INSTEAD_OF_RECORD) { - var iterator = ITERATOR_INSTEAD_OF_RECORD ? record : record.iterator; - var next = record.next; - var step, result; - while (!(step = call(next, iterator)).done) { - result = fn(step.value); - if (result !== undefined) return result; - } -}; diff --git a/node_modules/core-js/internals/iterate.js b/node_modules/core-js/internals/iterate.js deleted file mode 100644 index bcfa5cf..0000000 --- a/node_modules/core-js/internals/iterate.js +++ /dev/null @@ -1,69 +0,0 @@ -'use strict'; -var bind = require('../internals/function-bind-context'); -var call = require('../internals/function-call'); -var anObject = require('../internals/an-object'); -var tryToString = require('../internals/try-to-string'); -var isArrayIteratorMethod = require('../internals/is-array-iterator-method'); -var lengthOfArrayLike = require('../internals/length-of-array-like'); -var isPrototypeOf = require('../internals/object-is-prototype-of'); -var getIterator = require('../internals/get-iterator'); -var getIteratorMethod = require('../internals/get-iterator-method'); -var iteratorClose = require('../internals/iterator-close'); - -var $TypeError = TypeError; - -var Result = function (stopped, result) { - this.stopped = stopped; - this.result = result; -}; - -var ResultPrototype = Result.prototype; - -module.exports = function (iterable, unboundFunction, options) { - var that = options && options.that; - var AS_ENTRIES = !!(options && options.AS_ENTRIES); - var IS_RECORD = !!(options && options.IS_RECORD); - var IS_ITERATOR = !!(options && options.IS_ITERATOR); - var INTERRUPTED = !!(options && options.INTERRUPTED); - var fn = bind(unboundFunction, that); - var iterator, iterFn, index, length, result, next, step; - - var stop = function (condition) { - if (iterator) iteratorClose(iterator, 'normal', condition); - return new Result(true, condition); - }; - - var callFn = function (value) { - if (AS_ENTRIES) { - anObject(value); - return INTERRUPTED ? fn(value[0], value[1], stop) : fn(value[0], value[1]); - } return INTERRUPTED ? fn(value, stop) : fn(value); - }; - - if (IS_RECORD) { - iterator = iterable.iterator; - } else if (IS_ITERATOR) { - iterator = iterable; - } else { - iterFn = getIteratorMethod(iterable); - if (!iterFn) throw new $TypeError(tryToString(iterable) + ' is not iterable'); - // optimisation for array iterators - if (isArrayIteratorMethod(iterFn)) { - for (index = 0, length = lengthOfArrayLike(iterable); length > index; index++) { - result = callFn(iterable[index]); - if (result && isPrototypeOf(ResultPrototype, result)) return result; - } return new Result(false); - } - iterator = getIterator(iterable, iterFn); - } - - next = IS_RECORD ? iterable.next : iterator.next; - while (!(step = call(next, iterator)).done) { - try { - result = callFn(step.value); - } catch (error) { - iteratorClose(iterator, 'throw', error); - } - if (typeof result == 'object' && result && isPrototypeOf(ResultPrototype, result)) return result; - } return new Result(false); -}; diff --git a/node_modules/core-js/internals/iterator-close.js b/node_modules/core-js/internals/iterator-close.js deleted file mode 100644 index df2d1e0..0000000 --- a/node_modules/core-js/internals/iterator-close.js +++ /dev/null @@ -1,24 +0,0 @@ -'use strict'; -var call = require('../internals/function-call'); -var anObject = require('../internals/an-object'); -var getMethod = require('../internals/get-method'); - -module.exports = function (iterator, kind, value) { - var innerResult, innerError; - anObject(iterator); - try { - innerResult = getMethod(iterator, 'return'); - if (!innerResult) { - if (kind === 'throw') throw value; - return value; - } - innerResult = call(innerResult, iterator); - } catch (error) { - innerError = true; - innerResult = error; - } - if (kind === 'throw') throw value; - if (innerError) throw innerResult; - anObject(innerResult); - return value; -}; diff --git a/node_modules/core-js/internals/iterator-create-constructor.js b/node_modules/core-js/internals/iterator-create-constructor.js deleted file mode 100644 index e519c9f..0000000 --- a/node_modules/core-js/internals/iterator-create-constructor.js +++ /dev/null @@ -1,16 +0,0 @@ -'use strict'; -var IteratorPrototype = require('../internals/iterators-core').IteratorPrototype; -var create = require('../internals/object-create'); -var createPropertyDescriptor = require('../internals/create-property-descriptor'); -var setToStringTag = require('../internals/set-to-string-tag'); -var Iterators = require('../internals/iterators'); - -var returnThis = function () { return this; }; - -module.exports = function (IteratorConstructor, NAME, next, ENUMERABLE_NEXT) { - var TO_STRING_TAG = NAME + ' Iterator'; - IteratorConstructor.prototype = create(IteratorPrototype, { next: createPropertyDescriptor(+!ENUMERABLE_NEXT, next) }); - setToStringTag(IteratorConstructor, TO_STRING_TAG, false, true); - Iterators[TO_STRING_TAG] = returnThis; - return IteratorConstructor; -}; diff --git a/node_modules/core-js/internals/iterator-create-proxy.js b/node_modules/core-js/internals/iterator-create-proxy.js deleted file mode 100644 index ffb9d74..0000000 --- a/node_modules/core-js/internals/iterator-create-proxy.js +++ /dev/null @@ -1,76 +0,0 @@ -'use strict'; -var call = require('../internals/function-call'); -var create = require('../internals/object-create'); -var createNonEnumerableProperty = require('../internals/create-non-enumerable-property'); -var defineBuiltIns = require('../internals/define-built-ins'); -var wellKnownSymbol = require('../internals/well-known-symbol'); -var InternalStateModule = require('../internals/internal-state'); -var getMethod = require('../internals/get-method'); -var IteratorPrototype = require('../internals/iterators-core').IteratorPrototype; -var createIterResultObject = require('../internals/create-iter-result-object'); -var iteratorClose = require('../internals/iterator-close'); - -var TO_STRING_TAG = wellKnownSymbol('toStringTag'); -var ITERATOR_HELPER = 'IteratorHelper'; -var WRAP_FOR_VALID_ITERATOR = 'WrapForValidIterator'; -var setInternalState = InternalStateModule.set; - -var createIteratorProxyPrototype = function (IS_ITERATOR) { - var getInternalState = InternalStateModule.getterFor(IS_ITERATOR ? WRAP_FOR_VALID_ITERATOR : ITERATOR_HELPER); - - return defineBuiltIns(create(IteratorPrototype), { - next: function next() { - var state = getInternalState(this); - // for simplification: - // for `%WrapForValidIteratorPrototype%.next` our `nextHandler` returns `IterResultObject` - // for `%IteratorHelperPrototype%.next` - just a value - if (IS_ITERATOR) return state.nextHandler(); - try { - var result = state.done ? undefined : state.nextHandler(); - return createIterResultObject(result, state.done); - } catch (error) { - state.done = true; - throw error; - } - }, - 'return': function () { - var state = getInternalState(this); - var iterator = state.iterator; - state.done = true; - if (IS_ITERATOR) { - var returnMethod = getMethod(iterator, 'return'); - return returnMethod ? call(returnMethod, iterator) : createIterResultObject(undefined, true); - } - if (state.inner) try { - iteratorClose(state.inner.iterator, 'normal'); - } catch (error) { - return iteratorClose(iterator, 'throw', error); - } - iteratorClose(iterator, 'normal'); - return createIterResultObject(undefined, true); - } - }); -}; - -var WrapForValidIteratorPrototype = createIteratorProxyPrototype(true); -var IteratorHelperPrototype = createIteratorProxyPrototype(false); - -createNonEnumerableProperty(IteratorHelperPrototype, TO_STRING_TAG, 'Iterator Helper'); - -module.exports = function (nextHandler, IS_ITERATOR) { - var IteratorProxy = function Iterator(record, state) { - if (state) { - state.iterator = record.iterator; - state.next = record.next; - } else state = record; - state.type = IS_ITERATOR ? WRAP_FOR_VALID_ITERATOR : ITERATOR_HELPER; - state.nextHandler = nextHandler; - state.counter = 0; - state.done = false; - setInternalState(this, state); - }; - - IteratorProxy.prototype = IS_ITERATOR ? WrapForValidIteratorPrototype : IteratorHelperPrototype; - - return IteratorProxy; -}; diff --git a/node_modules/core-js/internals/iterator-define.js b/node_modules/core-js/internals/iterator-define.js deleted file mode 100644 index c1eebd4..0000000 --- a/node_modules/core-js/internals/iterator-define.js +++ /dev/null @@ -1,102 +0,0 @@ -'use strict'; -var $ = require('../internals/export'); -var call = require('../internals/function-call'); -var IS_PURE = require('../internals/is-pure'); -var FunctionName = require('../internals/function-name'); -var isCallable = require('../internals/is-callable'); -var createIteratorConstructor = require('../internals/iterator-create-constructor'); -var getPrototypeOf = require('../internals/object-get-prototype-of'); -var setPrototypeOf = require('../internals/object-set-prototype-of'); -var setToStringTag = require('../internals/set-to-string-tag'); -var createNonEnumerableProperty = require('../internals/create-non-enumerable-property'); -var defineBuiltIn = require('../internals/define-built-in'); -var wellKnownSymbol = require('../internals/well-known-symbol'); -var Iterators = require('../internals/iterators'); -var IteratorsCore = require('../internals/iterators-core'); - -var PROPER_FUNCTION_NAME = FunctionName.PROPER; -var CONFIGURABLE_FUNCTION_NAME = FunctionName.CONFIGURABLE; -var IteratorPrototype = IteratorsCore.IteratorPrototype; -var BUGGY_SAFARI_ITERATORS = IteratorsCore.BUGGY_SAFARI_ITERATORS; -var ITERATOR = wellKnownSymbol('iterator'); -var KEYS = 'keys'; -var VALUES = 'values'; -var ENTRIES = 'entries'; - -var returnThis = function () { return this; }; - -module.exports = function (Iterable, NAME, IteratorConstructor, next, DEFAULT, IS_SET, FORCED) { - createIteratorConstructor(IteratorConstructor, NAME, next); - - var getIterationMethod = function (KIND) { - if (KIND === DEFAULT && defaultIterator) return defaultIterator; - if (!BUGGY_SAFARI_ITERATORS && KIND && KIND in IterablePrototype) return IterablePrototype[KIND]; - - switch (KIND) { - case KEYS: return function keys() { return new IteratorConstructor(this, KIND); }; - case VALUES: return function values() { return new IteratorConstructor(this, KIND); }; - case ENTRIES: return function entries() { return new IteratorConstructor(this, KIND); }; - } - - return function () { return new IteratorConstructor(this); }; - }; - - var TO_STRING_TAG = NAME + ' Iterator'; - var INCORRECT_VALUES_NAME = false; - var IterablePrototype = Iterable.prototype; - var nativeIterator = IterablePrototype[ITERATOR] - || IterablePrototype['@@iterator'] - || DEFAULT && IterablePrototype[DEFAULT]; - var defaultIterator = !BUGGY_SAFARI_ITERATORS && nativeIterator || getIterationMethod(DEFAULT); - var anyNativeIterator = NAME === 'Array' ? IterablePrototype.entries || nativeIterator : nativeIterator; - var CurrentIteratorPrototype, methods, KEY; - - // fix native - if (anyNativeIterator) { - CurrentIteratorPrototype = getPrototypeOf(anyNativeIterator.call(new Iterable())); - if (CurrentIteratorPrototype !== Object.prototype && CurrentIteratorPrototype.next) { - if (!IS_PURE && getPrototypeOf(CurrentIteratorPrototype) !== IteratorPrototype) { - if (setPrototypeOf) { - setPrototypeOf(CurrentIteratorPrototype, IteratorPrototype); - } else if (!isCallable(CurrentIteratorPrototype[ITERATOR])) { - defineBuiltIn(CurrentIteratorPrototype, ITERATOR, returnThis); - } - } - // Set @@toStringTag to native iterators - setToStringTag(CurrentIteratorPrototype, TO_STRING_TAG, true, true); - if (IS_PURE) Iterators[TO_STRING_TAG] = returnThis; - } - } - - // fix Array.prototype.{ values, @@iterator }.name in V8 / FF - if (PROPER_FUNCTION_NAME && DEFAULT === VALUES && nativeIterator && nativeIterator.name !== VALUES) { - if (!IS_PURE && CONFIGURABLE_FUNCTION_NAME) { - createNonEnumerableProperty(IterablePrototype, 'name', VALUES); - } else { - INCORRECT_VALUES_NAME = true; - defaultIterator = function values() { return call(nativeIterator, this); }; - } - } - - // export additional methods - if (DEFAULT) { - methods = { - values: getIterationMethod(VALUES), - keys: IS_SET ? defaultIterator : getIterationMethod(KEYS), - entries: getIterationMethod(ENTRIES) - }; - if (FORCED) for (KEY in methods) { - if (BUGGY_SAFARI_ITERATORS || INCORRECT_VALUES_NAME || !(KEY in IterablePrototype)) { - defineBuiltIn(IterablePrototype, KEY, methods[KEY]); - } - } else $({ target: NAME, proto: true, forced: BUGGY_SAFARI_ITERATORS || INCORRECT_VALUES_NAME }, methods); - } - - // define iterator - if ((!IS_PURE || FORCED) && IterablePrototype[ITERATOR] !== defaultIterator) { - defineBuiltIn(IterablePrototype, ITERATOR, defaultIterator, { name: DEFAULT }); - } - Iterators[NAME] = defaultIterator; - - return methods; -}; diff --git a/node_modules/core-js/internals/iterator-indexed.js b/node_modules/core-js/internals/iterator-indexed.js deleted file mode 100644 index e7e6676..0000000 --- a/node_modules/core-js/internals/iterator-indexed.js +++ /dev/null @@ -1,13 +0,0 @@ -'use strict'; -var call = require('../internals/function-call'); -var map = require('../internals/iterator-map'); - -var callback = function (value, counter) { - return [counter, value]; -}; - -// `Iterator.prototype.indexed` method -// https://github.com/tc39/proposal-iterator-helpers -module.exports = function indexed() { - return call(map, this, callback); -}; diff --git a/node_modules/core-js/internals/iterator-map.js b/node_modules/core-js/internals/iterator-map.js deleted file mode 100644 index 005abe0..0000000 --- a/node_modules/core-js/internals/iterator-map.js +++ /dev/null @@ -1,24 +0,0 @@ -'use strict'; -var call = require('../internals/function-call'); -var aCallable = require('../internals/a-callable'); -var anObject = require('../internals/an-object'); -var getIteratorDirect = require('../internals/get-iterator-direct'); -var createIteratorProxy = require('../internals/iterator-create-proxy'); -var callWithSafeIterationClosing = require('../internals/call-with-safe-iteration-closing'); - -var IteratorProxy = createIteratorProxy(function () { - var iterator = this.iterator; - var result = anObject(call(this.next, iterator)); - var done = this.done = !!result.done; - if (!done) return callWithSafeIterationClosing(iterator, this.mapper, [result.value, this.counter++], true); -}); - -// `Iterator.prototype.map` method -// https://github.com/tc39/proposal-iterator-helpers -module.exports = function map(mapper) { - anObject(this); - aCallable(mapper); - return new IteratorProxy(getIteratorDirect(this), { - mapper: mapper - }); -}; diff --git a/node_modules/core-js/internals/iterators-core.js b/node_modules/core-js/internals/iterators-core.js deleted file mode 100644 index 9ebcaae..0000000 --- a/node_modules/core-js/internals/iterators-core.js +++ /dev/null @@ -1,49 +0,0 @@ -'use strict'; -var fails = require('../internals/fails'); -var isCallable = require('../internals/is-callable'); -var isObject = require('../internals/is-object'); -var create = require('../internals/object-create'); -var getPrototypeOf = require('../internals/object-get-prototype-of'); -var defineBuiltIn = require('../internals/define-built-in'); -var wellKnownSymbol = require('../internals/well-known-symbol'); -var IS_PURE = require('../internals/is-pure'); - -var ITERATOR = wellKnownSymbol('iterator'); -var BUGGY_SAFARI_ITERATORS = false; - -// `%IteratorPrototype%` object -// https://tc39.es/ecma262/#sec-%iteratorprototype%-object -var IteratorPrototype, PrototypeOfArrayIteratorPrototype, arrayIterator; - -/* eslint-disable es/no-array-prototype-keys -- safe */ -if ([].keys) { - arrayIterator = [].keys(); - // Safari 8 has buggy iterators w/o `next` - if (!('next' in arrayIterator)) BUGGY_SAFARI_ITERATORS = true; - else { - PrototypeOfArrayIteratorPrototype = getPrototypeOf(getPrototypeOf(arrayIterator)); - if (PrototypeOfArrayIteratorPrototype !== Object.prototype) IteratorPrototype = PrototypeOfArrayIteratorPrototype; - } -} - -var NEW_ITERATOR_PROTOTYPE = !isObject(IteratorPrototype) || fails(function () { - var test = {}; - // FF44- legacy iterators case - return IteratorPrototype[ITERATOR].call(test) !== test; -}); - -if (NEW_ITERATOR_PROTOTYPE) IteratorPrototype = {}; -else if (IS_PURE) IteratorPrototype = create(IteratorPrototype); - -// `%IteratorPrototype%[@@iterator]()` method -// https://tc39.es/ecma262/#sec-%iteratorprototype%-@@iterator -if (!isCallable(IteratorPrototype[ITERATOR])) { - defineBuiltIn(IteratorPrototype, ITERATOR, function () { - return this; - }); -} - -module.exports = { - IteratorPrototype: IteratorPrototype, - BUGGY_SAFARI_ITERATORS: BUGGY_SAFARI_ITERATORS -}; diff --git a/node_modules/core-js/internals/iterators.js b/node_modules/core-js/internals/iterators.js deleted file mode 100644 index 648a166..0000000 --- a/node_modules/core-js/internals/iterators.js +++ /dev/null @@ -1,2 +0,0 @@ -'use strict'; -module.exports = {}; diff --git a/node_modules/core-js/internals/length-of-array-like.js b/node_modules/core-js/internals/length-of-array-like.js deleted file mode 100644 index 8cddc2f..0000000 --- a/node_modules/core-js/internals/length-of-array-like.js +++ /dev/null @@ -1,8 +0,0 @@ -'use strict'; -var toLength = require('../internals/to-length'); - -// `LengthOfArrayLike` abstract operation -// https://tc39.es/ecma262/#sec-lengthofarraylike -module.exports = function (obj) { - return toLength(obj.length); -}; diff --git a/node_modules/core-js/internals/make-built-in.js b/node_modules/core-js/internals/make-built-in.js deleted file mode 100644 index bebf9fe..0000000 --- a/node_modules/core-js/internals/make-built-in.js +++ /dev/null @@ -1,55 +0,0 @@ -'use strict'; -var uncurryThis = require('../internals/function-uncurry-this'); -var fails = require('../internals/fails'); -var isCallable = require('../internals/is-callable'); -var hasOwn = require('../internals/has-own-property'); -var DESCRIPTORS = require('../internals/descriptors'); -var CONFIGURABLE_FUNCTION_NAME = require('../internals/function-name').CONFIGURABLE; -var inspectSource = require('../internals/inspect-source'); -var InternalStateModule = require('../internals/internal-state'); - -var enforceInternalState = InternalStateModule.enforce; -var getInternalState = InternalStateModule.get; -var $String = String; -// eslint-disable-next-line es/no-object-defineproperty -- safe -var defineProperty = Object.defineProperty; -var stringSlice = uncurryThis(''.slice); -var replace = uncurryThis(''.replace); -var join = uncurryThis([].join); - -var CONFIGURABLE_LENGTH = DESCRIPTORS && !fails(function () { - return defineProperty(function () { /* empty */ }, 'length', { value: 8 }).length !== 8; -}); - -var TEMPLATE = String(String).split('String'); - -var makeBuiltIn = module.exports = function (value, name, options) { - if (stringSlice($String(name), 0, 7) === 'Symbol(') { - name = '[' + replace($String(name), /^Symbol\(([^)]*)\)/, '$1') + ']'; - } - if (options && options.getter) name = 'get ' + name; - if (options && options.setter) name = 'set ' + name; - if (!hasOwn(value, 'name') || (CONFIGURABLE_FUNCTION_NAME && value.name !== name)) { - if (DESCRIPTORS) defineProperty(value, 'name', { value: name, configurable: true }); - else value.name = name; - } - if (CONFIGURABLE_LENGTH && options && hasOwn(options, 'arity') && value.length !== options.arity) { - defineProperty(value, 'length', { value: options.arity }); - } - try { - if (options && hasOwn(options, 'constructor') && options.constructor) { - if (DESCRIPTORS) defineProperty(value, 'prototype', { writable: false }); - // in V8 ~ Chrome 53, prototypes of some methods, like `Array.prototype.values`, are non-writable - } else if (value.prototype) value.prototype = undefined; - } catch (error) { /* empty */ } - var state = enforceInternalState(value); - if (!hasOwn(state, 'source')) { - state.source = join(TEMPLATE, typeof name == 'string' ? name : ''); - } return value; -}; - -// add fake Function#toString for correct work wrapped methods / constructors with methods like LoDash isNative -// eslint-disable-next-line no-extend-native -- required -Function.prototype.toString = makeBuiltIn(function toString() { - return isCallable(this) && getInternalState(this).source || inspectSource(this); -}, 'toString'); diff --git a/node_modules/core-js/internals/map-helpers.js b/node_modules/core-js/internals/map-helpers.js deleted file mode 100644 index 8120c7d..0000000 --- a/node_modules/core-js/internals/map-helpers.js +++ /dev/null @@ -1,15 +0,0 @@ -'use strict'; -var uncurryThis = require('../internals/function-uncurry-this'); - -// eslint-disable-next-line es/no-map -- safe -var MapPrototype = Map.prototype; - -module.exports = { - // eslint-disable-next-line es/no-map -- safe - Map: Map, - set: uncurryThis(MapPrototype.set), - get: uncurryThis(MapPrototype.get), - has: uncurryThis(MapPrototype.has), - remove: uncurryThis(MapPrototype['delete']), - proto: MapPrototype -}; diff --git a/node_modules/core-js/internals/map-iterate.js b/node_modules/core-js/internals/map-iterate.js deleted file mode 100644 index 2c56a0b..0000000 --- a/node_modules/core-js/internals/map-iterate.js +++ /dev/null @@ -1,16 +0,0 @@ -'use strict'; -var uncurryThis = require('../internals/function-uncurry-this'); -var iterateSimple = require('../internals/iterate-simple'); -var MapHelpers = require('../internals/map-helpers'); - -var Map = MapHelpers.Map; -var MapPrototype = MapHelpers.proto; -var forEach = uncurryThis(MapPrototype.forEach); -var entries = uncurryThis(MapPrototype.entries); -var next = entries(new Map()).next; - -module.exports = function (map, fn, interruptible) { - return interruptible ? iterateSimple({ iterator: entries(map), next: next }, function (entry) { - return fn(entry[1], entry[0]); - }) : forEach(map, fn); -}; diff --git a/node_modules/core-js/internals/map-upsert.js b/node_modules/core-js/internals/map-upsert.js deleted file mode 100644 index 28f17f3..0000000 --- a/node_modules/core-js/internals/map-upsert.js +++ /dev/null @@ -1,31 +0,0 @@ -'use strict'; -var call = require('../internals/function-call'); -var aCallable = require('../internals/a-callable'); -var isCallable = require('../internals/is-callable'); -var anObject = require('../internals/an-object'); - -var $TypeError = TypeError; - -// `Map.prototype.upsert` method -// https://github.com/tc39/proposal-upsert -module.exports = function upsert(key, updateFn /* , insertFn */) { - var map = anObject(this); - var get = aCallable(map.get); - var has = aCallable(map.has); - var set = aCallable(map.set); - var insertFn = arguments.length > 2 ? arguments[2] : undefined; - var value; - if (!isCallable(updateFn) && !isCallable(insertFn)) { - throw new $TypeError('At least one callback required'); - } - if (call(has, map, key)) { - value = call(get, map, key); - if (isCallable(updateFn)) { - value = updateFn(value); - call(set, map, key, value); - } - } else if (isCallable(insertFn)) { - value = insertFn(); - call(set, map, key, value); - } return value; -}; diff --git a/node_modules/core-js/internals/math-expm1.js b/node_modules/core-js/internals/math-expm1.js deleted file mode 100644 index f0a1a96..0000000 --- a/node_modules/core-js/internals/math-expm1.js +++ /dev/null @@ -1,17 +0,0 @@ -'use strict'; -// eslint-disable-next-line es/no-math-expm1 -- safe -var $expm1 = Math.expm1; -var exp = Math.exp; - -// `Math.expm1` method implementation -// https://tc39.es/ecma262/#sec-math.expm1 -module.exports = (!$expm1 - // Old FF bug - // eslint-disable-next-line no-loss-of-precision -- required for old engines - || $expm1(10) > 22025.465794806719 || $expm1(10) < 22025.4657948067165168 - // Tor Browser bug - || $expm1(-2e-17) !== -2e-17 -) ? function expm1(x) { - var n = +x; - return n === 0 ? n : n > -1e-6 && n < 1e-6 ? n + n * n / 2 : exp(n) - 1; -} : $expm1; diff --git a/node_modules/core-js/internals/math-f16round.js b/node_modules/core-js/internals/math-f16round.js deleted file mode 100644 index 89e450a..0000000 --- a/node_modules/core-js/internals/math-f16round.js +++ /dev/null @@ -1,12 +0,0 @@ -'use strict'; -var floatRound = require('../internals/math-float-round'); - -var FLOAT16_EPSILON = 0.0009765625; -var FLOAT16_MAX_VALUE = 65504; -var FLOAT16_MIN_VALUE = 6.103515625e-05; - -// `Math.f16round` method implementation -// https://github.com/tc39/proposal-float16array -module.exports = Math.f16round || function f16round(x) { - return floatRound(x, FLOAT16_EPSILON, FLOAT16_MAX_VALUE, FLOAT16_MIN_VALUE); -}; diff --git a/node_modules/core-js/internals/math-float-round.js b/node_modules/core-js/internals/math-float-round.js deleted file mode 100644 index 77c9492..0000000 --- a/node_modules/core-js/internals/math-float-round.js +++ /dev/null @@ -1,23 +0,0 @@ -'use strict'; -var sign = require('../internals/math-sign'); - -var abs = Math.abs; - -var EPSILON = 2.220446049250313e-16; // Number.EPSILON -var INVERSE_EPSILON = 1 / EPSILON; - -var roundTiesToEven = function (n) { - return n + INVERSE_EPSILON - INVERSE_EPSILON; -}; - -module.exports = function (x, FLOAT_EPSILON, FLOAT_MAX_VALUE, FLOAT_MIN_VALUE) { - var n = +x; - var absolute = abs(n); - var s = sign(n); - if (absolute < FLOAT_MIN_VALUE) return s * roundTiesToEven(absolute / FLOAT_MIN_VALUE / FLOAT_EPSILON) * FLOAT_MIN_VALUE * FLOAT_EPSILON; - var a = (1 + FLOAT_EPSILON / EPSILON) * absolute; - var result = a - (a - absolute); - // eslint-disable-next-line no-self-compare -- NaN check - if (result > FLOAT_MAX_VALUE || result !== result) return s * Infinity; - return s * result; -}; diff --git a/node_modules/core-js/internals/math-fround.js b/node_modules/core-js/internals/math-fround.js deleted file mode 100644 index 7fc1909..0000000 --- a/node_modules/core-js/internals/math-fround.js +++ /dev/null @@ -1,13 +0,0 @@ -'use strict'; -var floatRound = require('../internals/math-float-round'); - -var FLOAT32_EPSILON = 1.1920928955078125e-7; // 2 ** -23; -var FLOAT32_MAX_VALUE = 3.4028234663852886e+38; // 2 ** 128 - 2 ** 104 -var FLOAT32_MIN_VALUE = 1.1754943508222875e-38; // 2 ** -126; - -// `Math.fround` method implementation -// https://tc39.es/ecma262/#sec-math.fround -// eslint-disable-next-line es/no-math-fround -- safe -module.exports = Math.fround || function fround(x) { - return floatRound(x, FLOAT32_EPSILON, FLOAT32_MAX_VALUE, FLOAT32_MIN_VALUE); -}; diff --git a/node_modules/core-js/internals/math-log10.js b/node_modules/core-js/internals/math-log10.js deleted file mode 100644 index c6a47b2..0000000 --- a/node_modules/core-js/internals/math-log10.js +++ /dev/null @@ -1,8 +0,0 @@ -'use strict'; -var log = Math.log; -var LOG10E = Math.LOG10E; - -// eslint-disable-next-line es/no-math-log10 -- safe -module.exports = Math.log10 || function log10(x) { - return log(x) * LOG10E; -}; diff --git a/node_modules/core-js/internals/math-log1p.js b/node_modules/core-js/internals/math-log1p.js deleted file mode 100644 index 6917bf4..0000000 --- a/node_modules/core-js/internals/math-log1p.js +++ /dev/null @@ -1,10 +0,0 @@ -'use strict'; -var log = Math.log; - -// `Math.log1p` method implementation -// https://tc39.es/ecma262/#sec-math.log1p -// eslint-disable-next-line es/no-math-log1p -- safe -module.exports = Math.log1p || function log1p(x) { - var n = +x; - return n > -1e-8 && n < 1e-8 ? n - n * n / 2 : log(1 + n); -}; diff --git a/node_modules/core-js/internals/math-scale.js b/node_modules/core-js/internals/math-scale.js deleted file mode 100644 index 6a9087d..0000000 --- a/node_modules/core-js/internals/math-scale.js +++ /dev/null @@ -1,14 +0,0 @@ -'use strict'; -// `Math.scale` method implementation -// https://rwaldron.github.io/proposal-math-extensions/ -module.exports = Math.scale || function scale(x, inLow, inHigh, outLow, outHigh) { - var nx = +x; - var nInLow = +inLow; - var nInHigh = +inHigh; - var nOutLow = +outLow; - var nOutHigh = +outHigh; - // eslint-disable-next-line no-self-compare -- NaN check - if (nx !== nx || nInLow !== nInLow || nInHigh !== nInHigh || nOutLow !== nOutLow || nOutHigh !== nOutHigh) return NaN; - if (nx === Infinity || nx === -Infinity) return nx; - return (nx - nInLow) * (nOutHigh - nOutLow) / (nInHigh - nInLow) + nOutLow; -}; diff --git a/node_modules/core-js/internals/math-sign.js b/node_modules/core-js/internals/math-sign.js deleted file mode 100644 index d59578e..0000000 --- a/node_modules/core-js/internals/math-sign.js +++ /dev/null @@ -1,9 +0,0 @@ -'use strict'; -// `Math.sign` method implementation -// https://tc39.es/ecma262/#sec-math.sign -// eslint-disable-next-line es/no-math-sign -- safe -module.exports = Math.sign || function sign(x) { - var n = +x; - // eslint-disable-next-line no-self-compare -- NaN check - return n === 0 || n !== n ? n : n < 0 ? -1 : 1; -}; diff --git a/node_modules/core-js/internals/math-trunc.js b/node_modules/core-js/internals/math-trunc.js deleted file mode 100644 index 6d41e54..0000000 --- a/node_modules/core-js/internals/math-trunc.js +++ /dev/null @@ -1,11 +0,0 @@ -'use strict'; -var ceil = Math.ceil; -var floor = Math.floor; - -// `Math.trunc` method -// https://tc39.es/ecma262/#sec-math.trunc -// eslint-disable-next-line es/no-math-trunc -- safe -module.exports = Math.trunc || function trunc(x) { - var n = +x; - return (n > 0 ? floor : ceil)(n); -}; diff --git a/node_modules/core-js/internals/microtask.js b/node_modules/core-js/internals/microtask.js deleted file mode 100644 index 5e74dd7..0000000 --- a/node_modules/core-js/internals/microtask.js +++ /dev/null @@ -1,79 +0,0 @@ -'use strict'; -var global = require('../internals/global'); -var safeGetBuiltIn = require('../internals/safe-get-built-in'); -var bind = require('../internals/function-bind-context'); -var macrotask = require('../internals/task').set; -var Queue = require('../internals/queue'); -var IS_IOS = require('../internals/engine-is-ios'); -var IS_IOS_PEBBLE = require('../internals/engine-is-ios-pebble'); -var IS_WEBOS_WEBKIT = require('../internals/engine-is-webos-webkit'); -var IS_NODE = require('../internals/engine-is-node'); - -var MutationObserver = global.MutationObserver || global.WebKitMutationObserver; -var document = global.document; -var process = global.process; -var Promise = global.Promise; -var microtask = safeGetBuiltIn('queueMicrotask'); -var notify, toggle, node, promise, then; - -// modern engines have queueMicrotask method -if (!microtask) { - var queue = new Queue(); - - var flush = function () { - var parent, fn; - if (IS_NODE && (parent = process.domain)) parent.exit(); - while (fn = queue.get()) try { - fn(); - } catch (error) { - if (queue.head) notify(); - throw error; - } - if (parent) parent.enter(); - }; - - // browsers with MutationObserver, except iOS - https://github.com/zloirock/core-js/issues/339 - // also except WebOS Webkit https://github.com/zloirock/core-js/issues/898 - if (!IS_IOS && !IS_NODE && !IS_WEBOS_WEBKIT && MutationObserver && document) { - toggle = true; - node = document.createTextNode(''); - new MutationObserver(flush).observe(node, { characterData: true }); - notify = function () { - node.data = toggle = !toggle; - }; - // environments with maybe non-completely correct, but existent Promise - } else if (!IS_IOS_PEBBLE && Promise && Promise.resolve) { - // Promise.resolve without an argument throws an error in LG WebOS 2 - promise = Promise.resolve(undefined); - // workaround of WebKit ~ iOS Safari 10.1 bug - promise.constructor = Promise; - then = bind(promise.then, promise); - notify = function () { - then(flush); - }; - // Node.js without promises - } else if (IS_NODE) { - notify = function () { - process.nextTick(flush); - }; - // for other environments - macrotask based on: - // - setImmediate - // - MessageChannel - // - window.postMessage - // - onreadystatechange - // - setTimeout - } else { - // `webpack` dev server bug on IE global methods - use bind(fn, global) - macrotask = bind(macrotask, global); - notify = function () { - macrotask(flush); - }; - } - - microtask = function (fn) { - if (!queue.head) notify(); - queue.add(fn); - }; -} - -module.exports = microtask; diff --git a/node_modules/core-js/internals/native-raw-json.js b/node_modules/core-js/internals/native-raw-json.js deleted file mode 100644 index f37892e..0000000 --- a/node_modules/core-js/internals/native-raw-json.js +++ /dev/null @@ -1,9 +0,0 @@ -'use strict'; -/* eslint-disable es/no-json -- safe */ -var fails = require('../internals/fails'); - -module.exports = !fails(function () { - var unsafeInt = '9007199254740993'; - var raw = JSON.rawJSON(unsafeInt); - return !JSON.isRawJSON(raw) || JSON.stringify(raw) !== unsafeInt; -}); diff --git a/node_modules/core-js/internals/new-promise-capability.js b/node_modules/core-js/internals/new-promise-capability.js deleted file mode 100644 index dac6549..0000000 --- a/node_modules/core-js/internals/new-promise-capability.js +++ /dev/null @@ -1,21 +0,0 @@ -'use strict'; -var aCallable = require('../internals/a-callable'); - -var $TypeError = TypeError; - -var PromiseCapability = function (C) { - var resolve, reject; - this.promise = new C(function ($$resolve, $$reject) { - if (resolve !== undefined || reject !== undefined) throw new $TypeError('Bad Promise constructor'); - resolve = $$resolve; - reject = $$reject; - }); - this.resolve = aCallable(resolve); - this.reject = aCallable(reject); -}; - -// `NewPromiseCapability` abstract operation -// https://tc39.es/ecma262/#sec-newpromisecapability -module.exports.f = function (C) { - return new PromiseCapability(C); -}; diff --git a/node_modules/core-js/internals/normalize-string-argument.js b/node_modules/core-js/internals/normalize-string-argument.js deleted file mode 100644 index 83d4af7..0000000 --- a/node_modules/core-js/internals/normalize-string-argument.js +++ /dev/null @@ -1,6 +0,0 @@ -'use strict'; -var toString = require('../internals/to-string'); - -module.exports = function (argument, $default) { - return argument === undefined ? arguments.length < 2 ? '' : $default : toString(argument); -}; diff --git a/node_modules/core-js/internals/not-a-nan.js b/node_modules/core-js/internals/not-a-nan.js deleted file mode 100644 index 61ce8f1..0000000 --- a/node_modules/core-js/internals/not-a-nan.js +++ /dev/null @@ -1,8 +0,0 @@ -'use strict'; -var $RangeError = RangeError; - -module.exports = function (it) { - // eslint-disable-next-line no-self-compare -- NaN check - if (it === it) return it; - throw new $RangeError('NaN is not allowed'); -}; diff --git a/node_modules/core-js/internals/not-a-regexp.js b/node_modules/core-js/internals/not-a-regexp.js deleted file mode 100644 index 49c81fb..0000000 --- a/node_modules/core-js/internals/not-a-regexp.js +++ /dev/null @@ -1,10 +0,0 @@ -'use strict'; -var isRegExp = require('../internals/is-regexp'); - -var $TypeError = TypeError; - -module.exports = function (it) { - if (isRegExp(it)) { - throw new $TypeError("The method doesn't accept regular expressions"); - } return it; -}; diff --git a/node_modules/core-js/internals/number-is-finite.js b/node_modules/core-js/internals/number-is-finite.js deleted file mode 100644 index 50ed6cb..0000000 --- a/node_modules/core-js/internals/number-is-finite.js +++ /dev/null @@ -1,11 +0,0 @@ -'use strict'; -var global = require('../internals/global'); - -var globalIsFinite = global.isFinite; - -// `Number.isFinite` method -// https://tc39.es/ecma262/#sec-number.isfinite -// eslint-disable-next-line es/no-number-isfinite -- safe -module.exports = Number.isFinite || function isFinite(it) { - return typeof it == 'number' && globalIsFinite(it); -}; diff --git a/node_modules/core-js/internals/number-parse-float.js b/node_modules/core-js/internals/number-parse-float.js deleted file mode 100644 index f46ab43..0000000 --- a/node_modules/core-js/internals/number-parse-float.js +++ /dev/null @@ -1,23 +0,0 @@ -'use strict'; -var global = require('../internals/global'); -var fails = require('../internals/fails'); -var uncurryThis = require('../internals/function-uncurry-this'); -var toString = require('../internals/to-string'); -var trim = require('../internals/string-trim').trim; -var whitespaces = require('../internals/whitespaces'); - -var charAt = uncurryThis(''.charAt); -var $parseFloat = global.parseFloat; -var Symbol = global.Symbol; -var ITERATOR = Symbol && Symbol.iterator; -var FORCED = 1 / $parseFloat(whitespaces + '-0') !== -Infinity - // MS Edge 18- broken with boxed symbols - || (ITERATOR && !fails(function () { $parseFloat(Object(ITERATOR)); })); - -// `parseFloat` method -// https://tc39.es/ecma262/#sec-parsefloat-string -module.exports = FORCED ? function parseFloat(string) { - var trimmedString = trim(toString(string)); - var result = $parseFloat(trimmedString); - return result === 0 && charAt(trimmedString, 0) === '-' ? -0 : result; -} : $parseFloat; diff --git a/node_modules/core-js/internals/number-parse-int.js b/node_modules/core-js/internals/number-parse-int.js deleted file mode 100644 index d6c1987..0000000 --- a/node_modules/core-js/internals/number-parse-int.js +++ /dev/null @@ -1,23 +0,0 @@ -'use strict'; -var global = require('../internals/global'); -var fails = require('../internals/fails'); -var uncurryThis = require('../internals/function-uncurry-this'); -var toString = require('../internals/to-string'); -var trim = require('../internals/string-trim').trim; -var whitespaces = require('../internals/whitespaces'); - -var $parseInt = global.parseInt; -var Symbol = global.Symbol; -var ITERATOR = Symbol && Symbol.iterator; -var hex = /^[+-]?0x/i; -var exec = uncurryThis(hex.exec); -var FORCED = $parseInt(whitespaces + '08') !== 8 || $parseInt(whitespaces + '0x16') !== 22 - // MS Edge 18- broken with boxed symbols - || (ITERATOR && !fails(function () { $parseInt(Object(ITERATOR)); })); - -// `parseInt` method -// https://tc39.es/ecma262/#sec-parseint-string-radix -module.exports = FORCED ? function parseInt(string, radix) { - var S = trim(toString(string)); - return $parseInt(S, (radix >>> 0) || (exec(hex, S) ? 16 : 10)); -} : $parseInt; diff --git a/node_modules/core-js/internals/numeric-range-iterator.js b/node_modules/core-js/internals/numeric-range-iterator.js deleted file mode 100644 index 17830a2..0000000 --- a/node_modules/core-js/internals/numeric-range-iterator.js +++ /dev/null @@ -1,106 +0,0 @@ -'use strict'; -var InternalStateModule = require('../internals/internal-state'); -var createIteratorConstructor = require('../internals/iterator-create-constructor'); -var createIterResultObject = require('../internals/create-iter-result-object'); -var isNullOrUndefined = require('../internals/is-null-or-undefined'); -var isObject = require('../internals/is-object'); -var defineBuiltInAccessor = require('../internals/define-built-in-accessor'); -var DESCRIPTORS = require('../internals/descriptors'); - -var INCORRECT_RANGE = 'Incorrect Iterator.range arguments'; -var NUMERIC_RANGE_ITERATOR = 'NumericRangeIterator'; - -var setInternalState = InternalStateModule.set; -var getInternalState = InternalStateModule.getterFor(NUMERIC_RANGE_ITERATOR); - -var $RangeError = RangeError; -var $TypeError = TypeError; - -var $RangeIterator = createIteratorConstructor(function NumericRangeIterator(start, end, option, type, zero, one) { - // TODO: Drop the first `typeof` check after removing legacy methods in `core-js@4` - if (typeof start != type || (end !== Infinity && end !== -Infinity && typeof end != type)) { - throw new $TypeError(INCORRECT_RANGE); - } - if (start === Infinity || start === -Infinity) { - throw new $RangeError(INCORRECT_RANGE); - } - var ifIncrease = end > start; - var inclusiveEnd = false; - var step; - if (option === undefined) { - step = undefined; - } else if (isObject(option)) { - step = option.step; - inclusiveEnd = !!option.inclusive; - } else if (typeof option == type) { - step = option; - } else { - throw new $TypeError(INCORRECT_RANGE); - } - if (isNullOrUndefined(step)) { - step = ifIncrease ? one : -one; - } - if (typeof step != type) { - throw new $TypeError(INCORRECT_RANGE); - } - if (step === Infinity || step === -Infinity || (step === zero && start !== end)) { - throw new $RangeError(INCORRECT_RANGE); - } - // eslint-disable-next-line no-self-compare -- NaN check - var hitsEnd = start !== start || end !== end || step !== step || (end > start) !== (step > zero); - setInternalState(this, { - type: NUMERIC_RANGE_ITERATOR, - start: start, - end: end, - step: step, - inclusive: inclusiveEnd, - hitsEnd: hitsEnd, - currentCount: zero, - zero: zero - }); - if (!DESCRIPTORS) { - this.start = start; - this.end = end; - this.step = step; - this.inclusive = inclusiveEnd; - } -}, NUMERIC_RANGE_ITERATOR, function next() { - var state = getInternalState(this); - if (state.hitsEnd) return createIterResultObject(undefined, true); - var start = state.start; - var end = state.end; - var step = state.step; - var currentYieldingValue = start + (step * state.currentCount++); - if (currentYieldingValue === end) state.hitsEnd = true; - var inclusiveEnd = state.inclusive; - var endCondition; - if (end > start) { - endCondition = inclusiveEnd ? currentYieldingValue > end : currentYieldingValue >= end; - } else { - endCondition = inclusiveEnd ? end > currentYieldingValue : end >= currentYieldingValue; - } - if (endCondition) { - state.hitsEnd = true; - return createIterResultObject(undefined, true); - } return createIterResultObject(currentYieldingValue, false); -}); - -var addGetter = function (key) { - defineBuiltInAccessor($RangeIterator.prototype, key, { - get: function () { - return getInternalState(this)[key]; - }, - set: function () { /* empty */ }, - configurable: true, - enumerable: false - }); -}; - -if (DESCRIPTORS) { - addGetter('start'); - addGetter('end'); - addGetter('inclusive'); - addGetter('step'); -} - -module.exports = $RangeIterator; diff --git a/node_modules/core-js/internals/object-assign.js b/node_modules/core-js/internals/object-assign.js deleted file mode 100644 index 1a8947b..0000000 --- a/node_modules/core-js/internals/object-assign.js +++ /dev/null @@ -1,57 +0,0 @@ -'use strict'; -var DESCRIPTORS = require('../internals/descriptors'); -var uncurryThis = require('../internals/function-uncurry-this'); -var call = require('../internals/function-call'); -var fails = require('../internals/fails'); -var objectKeys = require('../internals/object-keys'); -var getOwnPropertySymbolsModule = require('../internals/object-get-own-property-symbols'); -var propertyIsEnumerableModule = require('../internals/object-property-is-enumerable'); -var toObject = require('../internals/to-object'); -var IndexedObject = require('../internals/indexed-object'); - -// eslint-disable-next-line es/no-object-assign -- safe -var $assign = Object.assign; -// eslint-disable-next-line es/no-object-defineproperty -- required for testing -var defineProperty = Object.defineProperty; -var concat = uncurryThis([].concat); - -// `Object.assign` method -// https://tc39.es/ecma262/#sec-object.assign -module.exports = !$assign || fails(function () { - // should have correct order of operations (Edge bug) - if (DESCRIPTORS && $assign({ b: 1 }, $assign(defineProperty({}, 'a', { - enumerable: true, - get: function () { - defineProperty(this, 'b', { - value: 3, - enumerable: false - }); - } - }), { b: 2 })).b !== 1) return true; - // should work with symbols and should have deterministic property order (V8 bug) - var A = {}; - var B = {}; - // eslint-disable-next-line es/no-symbol -- safe - var symbol = Symbol('assign detection'); - var alphabet = 'abcdefghijklmnopqrst'; - A[symbol] = 7; - alphabet.split('').forEach(function (chr) { B[chr] = chr; }); - return $assign({}, A)[symbol] !== 7 || objectKeys($assign({}, B)).join('') !== alphabet; -}) ? function assign(target, source) { // eslint-disable-line no-unused-vars -- required for `.length` - var T = toObject(target); - var argumentsLength = arguments.length; - var index = 1; - var getOwnPropertySymbols = getOwnPropertySymbolsModule.f; - var propertyIsEnumerable = propertyIsEnumerableModule.f; - while (argumentsLength > index) { - var S = IndexedObject(arguments[index++]); - var keys = getOwnPropertySymbols ? concat(objectKeys(S), getOwnPropertySymbols(S)) : objectKeys(S); - var length = keys.length; - var j = 0; - var key; - while (length > j) { - key = keys[j++]; - if (!DESCRIPTORS || call(propertyIsEnumerable, S, key)) T[key] = S[key]; - } - } return T; -} : $assign; diff --git a/node_modules/core-js/internals/object-create.js b/node_modules/core-js/internals/object-create.js deleted file mode 100644 index aee97bb..0000000 --- a/node_modules/core-js/internals/object-create.js +++ /dev/null @@ -1,84 +0,0 @@ -'use strict'; -/* global ActiveXObject -- old IE, WSH */ -var anObject = require('../internals/an-object'); -var definePropertiesModule = require('../internals/object-define-properties'); -var enumBugKeys = require('../internals/enum-bug-keys'); -var hiddenKeys = require('../internals/hidden-keys'); -var html = require('../internals/html'); -var documentCreateElement = require('../internals/document-create-element'); -var sharedKey = require('../internals/shared-key'); - -var GT = '>'; -var LT = '<'; -var PROTOTYPE = 'prototype'; -var SCRIPT = 'script'; -var IE_PROTO = sharedKey('IE_PROTO'); - -var EmptyConstructor = function () { /* empty */ }; - -var scriptTag = function (content) { - return LT + SCRIPT + GT + content + LT + '/' + SCRIPT + GT; -}; - -// Create object with fake `null` prototype: use ActiveX Object with cleared prototype -var NullProtoObjectViaActiveX = function (activeXDocument) { - activeXDocument.write(scriptTag('')); - activeXDocument.close(); - var temp = activeXDocument.parentWindow.Object; - activeXDocument = null; // avoid memory leak - return temp; -}; - -// Create object with fake `null` prototype: use iframe Object with cleared prototype -var NullProtoObjectViaIFrame = function () { - // Thrash, waste and sodomy: IE GC bug - var iframe = documentCreateElement('iframe'); - var JS = 'java' + SCRIPT + ':'; - var iframeDocument; - iframe.style.display = 'none'; - html.appendChild(iframe); - // https://github.com/zloirock/core-js/issues/475 - iframe.src = String(JS); - iframeDocument = iframe.contentWindow.document; - iframeDocument.open(); - iframeDocument.write(scriptTag('document.F=Object')); - iframeDocument.close(); - return iframeDocument.F; -}; - -// Check for document.domain and active x support -// No need to use active x approach when document.domain is not set -// see https://github.com/es-shims/es5-shim/issues/150 -// variation of https://github.com/kitcambridge/es5-shim/commit/4f738ac066346 -// avoid IE GC bug -var activeXDocument; -var NullProtoObject = function () { - try { - activeXDocument = new ActiveXObject('htmlfile'); - } catch (error) { /* ignore */ } - NullProtoObject = typeof document != 'undefined' - ? document.domain && activeXDocument - ? NullProtoObjectViaActiveX(activeXDocument) // old IE - : NullProtoObjectViaIFrame() - : NullProtoObjectViaActiveX(activeXDocument); // WSH - var length = enumBugKeys.length; - while (length--) delete NullProtoObject[PROTOTYPE][enumBugKeys[length]]; - return NullProtoObject(); -}; - -hiddenKeys[IE_PROTO] = true; - -// `Object.create` method -// https://tc39.es/ecma262/#sec-object.create -// eslint-disable-next-line es/no-object-create -- safe -module.exports = Object.create || function create(O, Properties) { - var result; - if (O !== null) { - EmptyConstructor[PROTOTYPE] = anObject(O); - result = new EmptyConstructor(); - EmptyConstructor[PROTOTYPE] = null; - // add "__proto__" for Object.getPrototypeOf polyfill - result[IE_PROTO] = O; - } else result = NullProtoObject(); - return Properties === undefined ? result : definePropertiesModule.f(result, Properties); -}; diff --git a/node_modules/core-js/internals/object-define-properties.js b/node_modules/core-js/internals/object-define-properties.js deleted file mode 100644 index 1a1d1bd..0000000 --- a/node_modules/core-js/internals/object-define-properties.js +++ /dev/null @@ -1,21 +0,0 @@ -'use strict'; -var DESCRIPTORS = require('../internals/descriptors'); -var V8_PROTOTYPE_DEFINE_BUG = require('../internals/v8-prototype-define-bug'); -var definePropertyModule = require('../internals/object-define-property'); -var anObject = require('../internals/an-object'); -var toIndexedObject = require('../internals/to-indexed-object'); -var objectKeys = require('../internals/object-keys'); - -// `Object.defineProperties` method -// https://tc39.es/ecma262/#sec-object.defineproperties -// eslint-disable-next-line es/no-object-defineproperties -- safe -exports.f = DESCRIPTORS && !V8_PROTOTYPE_DEFINE_BUG ? Object.defineProperties : function defineProperties(O, Properties) { - anObject(O); - var props = toIndexedObject(Properties); - var keys = objectKeys(Properties); - var length = keys.length; - var index = 0; - var key; - while (length > index) definePropertyModule.f(O, key = keys[index++], props[key]); - return O; -}; diff --git a/node_modules/core-js/internals/object-define-property.js b/node_modules/core-js/internals/object-define-property.js deleted file mode 100644 index 704d616..0000000 --- a/node_modules/core-js/internals/object-define-property.js +++ /dev/null @@ -1,44 +0,0 @@ -'use strict'; -var DESCRIPTORS = require('../internals/descriptors'); -var IE8_DOM_DEFINE = require('../internals/ie8-dom-define'); -var V8_PROTOTYPE_DEFINE_BUG = require('../internals/v8-prototype-define-bug'); -var anObject = require('../internals/an-object'); -var toPropertyKey = require('../internals/to-property-key'); - -var $TypeError = TypeError; -// eslint-disable-next-line es/no-object-defineproperty -- safe -var $defineProperty = Object.defineProperty; -// eslint-disable-next-line es/no-object-getownpropertydescriptor -- safe -var $getOwnPropertyDescriptor = Object.getOwnPropertyDescriptor; -var ENUMERABLE = 'enumerable'; -var CONFIGURABLE = 'configurable'; -var WRITABLE = 'writable'; - -// `Object.defineProperty` method -// https://tc39.es/ecma262/#sec-object.defineproperty -exports.f = DESCRIPTORS ? V8_PROTOTYPE_DEFINE_BUG ? function defineProperty(O, P, Attributes) { - anObject(O); - P = toPropertyKey(P); - anObject(Attributes); - if (typeof O === 'function' && P === 'prototype' && 'value' in Attributes && WRITABLE in Attributes && !Attributes[WRITABLE]) { - var current = $getOwnPropertyDescriptor(O, P); - if (current && current[WRITABLE]) { - O[P] = Attributes.value; - Attributes = { - configurable: CONFIGURABLE in Attributes ? Attributes[CONFIGURABLE] : current[CONFIGURABLE], - enumerable: ENUMERABLE in Attributes ? Attributes[ENUMERABLE] : current[ENUMERABLE], - writable: false - }; - } - } return $defineProperty(O, P, Attributes); -} : $defineProperty : function defineProperty(O, P, Attributes) { - anObject(O); - P = toPropertyKey(P); - anObject(Attributes); - if (IE8_DOM_DEFINE) try { - return $defineProperty(O, P, Attributes); - } catch (error) { /* empty */ } - if ('get' in Attributes || 'set' in Attributes) throw new $TypeError('Accessors not supported'); - if ('value' in Attributes) O[P] = Attributes.value; - return O; -}; diff --git a/node_modules/core-js/internals/object-get-own-property-descriptor.js b/node_modules/core-js/internals/object-get-own-property-descriptor.js deleted file mode 100644 index 1fd4181..0000000 --- a/node_modules/core-js/internals/object-get-own-property-descriptor.js +++ /dev/null @@ -1,23 +0,0 @@ -'use strict'; -var DESCRIPTORS = require('../internals/descriptors'); -var call = require('../internals/function-call'); -var propertyIsEnumerableModule = require('../internals/object-property-is-enumerable'); -var createPropertyDescriptor = require('../internals/create-property-descriptor'); -var toIndexedObject = require('../internals/to-indexed-object'); -var toPropertyKey = require('../internals/to-property-key'); -var hasOwn = require('../internals/has-own-property'); -var IE8_DOM_DEFINE = require('../internals/ie8-dom-define'); - -// eslint-disable-next-line es/no-object-getownpropertydescriptor -- safe -var $getOwnPropertyDescriptor = Object.getOwnPropertyDescriptor; - -// `Object.getOwnPropertyDescriptor` method -// https://tc39.es/ecma262/#sec-object.getownpropertydescriptor -exports.f = DESCRIPTORS ? $getOwnPropertyDescriptor : function getOwnPropertyDescriptor(O, P) { - O = toIndexedObject(O); - P = toPropertyKey(P); - if (IE8_DOM_DEFINE) try { - return $getOwnPropertyDescriptor(O, P); - } catch (error) { /* empty */ } - if (hasOwn(O, P)) return createPropertyDescriptor(!call(propertyIsEnumerableModule.f, O, P), O[P]); -}; diff --git a/node_modules/core-js/internals/object-get-own-property-names-external.js b/node_modules/core-js/internals/object-get-own-property-names-external.js deleted file mode 100644 index 9bafd9a..0000000 --- a/node_modules/core-js/internals/object-get-own-property-names-external.js +++ /dev/null @@ -1,24 +0,0 @@ -'use strict'; -/* eslint-disable es/no-object-getownpropertynames -- safe */ -var classof = require('../internals/classof-raw'); -var toIndexedObject = require('../internals/to-indexed-object'); -var $getOwnPropertyNames = require('../internals/object-get-own-property-names').f; -var arraySlice = require('../internals/array-slice'); - -var windowNames = typeof window == 'object' && window && Object.getOwnPropertyNames - ? Object.getOwnPropertyNames(window) : []; - -var getWindowNames = function (it) { - try { - return $getOwnPropertyNames(it); - } catch (error) { - return arraySlice(windowNames); - } -}; - -// fallback for IE11 buggy Object.getOwnPropertyNames with iframe and window -module.exports.f = function getOwnPropertyNames(it) { - return windowNames && classof(it) === 'Window' - ? getWindowNames(it) - : $getOwnPropertyNames(toIndexedObject(it)); -}; diff --git a/node_modules/core-js/internals/object-get-own-property-names.js b/node_modules/core-js/internals/object-get-own-property-names.js deleted file mode 100644 index 08c935d..0000000 --- a/node_modules/core-js/internals/object-get-own-property-names.js +++ /dev/null @@ -1,12 +0,0 @@ -'use strict'; -var internalObjectKeys = require('../internals/object-keys-internal'); -var enumBugKeys = require('../internals/enum-bug-keys'); - -var hiddenKeys = enumBugKeys.concat('length', 'prototype'); - -// `Object.getOwnPropertyNames` method -// https://tc39.es/ecma262/#sec-object.getownpropertynames -// eslint-disable-next-line es/no-object-getownpropertynames -- safe -exports.f = Object.getOwnPropertyNames || function getOwnPropertyNames(O) { - return internalObjectKeys(O, hiddenKeys); -}; diff --git a/node_modules/core-js/internals/object-get-own-property-symbols.js b/node_modules/core-js/internals/object-get-own-property-symbols.js deleted file mode 100644 index 9ee3730..0000000 --- a/node_modules/core-js/internals/object-get-own-property-symbols.js +++ /dev/null @@ -1,3 +0,0 @@ -'use strict'; -// eslint-disable-next-line es/no-object-getownpropertysymbols -- safe -exports.f = Object.getOwnPropertySymbols; diff --git a/node_modules/core-js/internals/object-get-prototype-of.js b/node_modules/core-js/internals/object-get-prototype-of.js deleted file mode 100644 index 75201d3..0000000 --- a/node_modules/core-js/internals/object-get-prototype-of.js +++ /dev/null @@ -1,22 +0,0 @@ -'use strict'; -var hasOwn = require('../internals/has-own-property'); -var isCallable = require('../internals/is-callable'); -var toObject = require('../internals/to-object'); -var sharedKey = require('../internals/shared-key'); -var CORRECT_PROTOTYPE_GETTER = require('../internals/correct-prototype-getter'); - -var IE_PROTO = sharedKey('IE_PROTO'); -var $Object = Object; -var ObjectPrototype = $Object.prototype; - -// `Object.getPrototypeOf` method -// https://tc39.es/ecma262/#sec-object.getprototypeof -// eslint-disable-next-line es/no-object-getprototypeof -- safe -module.exports = CORRECT_PROTOTYPE_GETTER ? $Object.getPrototypeOf : function (O) { - var object = toObject(O); - if (hasOwn(object, IE_PROTO)) return object[IE_PROTO]; - var constructor = object.constructor; - if (isCallable(constructor) && object instanceof constructor) { - return constructor.prototype; - } return object instanceof $Object ? ObjectPrototype : null; -}; diff --git a/node_modules/core-js/internals/object-is-extensible.js b/node_modules/core-js/internals/object-is-extensible.js deleted file mode 100644 index 1f3d628..0000000 --- a/node_modules/core-js/internals/object-is-extensible.js +++ /dev/null @@ -1,17 +0,0 @@ -'use strict'; -var fails = require('../internals/fails'); -var isObject = require('../internals/is-object'); -var classof = require('../internals/classof-raw'); -var ARRAY_BUFFER_NON_EXTENSIBLE = require('../internals/array-buffer-non-extensible'); - -// eslint-disable-next-line es/no-object-isextensible -- safe -var $isExtensible = Object.isExtensible; -var FAILS_ON_PRIMITIVES = fails(function () { $isExtensible(1); }); - -// `Object.isExtensible` method -// https://tc39.es/ecma262/#sec-object.isextensible -module.exports = (FAILS_ON_PRIMITIVES || ARRAY_BUFFER_NON_EXTENSIBLE) ? function isExtensible(it) { - if (!isObject(it)) return false; - if (ARRAY_BUFFER_NON_EXTENSIBLE && classof(it) === 'ArrayBuffer') return false; - return $isExtensible ? $isExtensible(it) : true; -} : $isExtensible; diff --git a/node_modules/core-js/internals/object-is-prototype-of.js b/node_modules/core-js/internals/object-is-prototype-of.js deleted file mode 100644 index 77cca1e..0000000 --- a/node_modules/core-js/internals/object-is-prototype-of.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var uncurryThis = require('../internals/function-uncurry-this'); - -module.exports = uncurryThis({}.isPrototypeOf); diff --git a/node_modules/core-js/internals/object-iterator.js b/node_modules/core-js/internals/object-iterator.js deleted file mode 100644 index a2f0443..0000000 --- a/node_modules/core-js/internals/object-iterator.js +++ /dev/null @@ -1,38 +0,0 @@ -'use strict'; -var InternalStateModule = require('../internals/internal-state'); -var createIteratorConstructor = require('../internals/iterator-create-constructor'); -var createIterResultObject = require('../internals/create-iter-result-object'); -var hasOwn = require('../internals/has-own-property'); -var objectKeys = require('../internals/object-keys'); -var toObject = require('../internals/to-object'); - -var OBJECT_ITERATOR = 'Object Iterator'; -var setInternalState = InternalStateModule.set; -var getInternalState = InternalStateModule.getterFor(OBJECT_ITERATOR); - -module.exports = createIteratorConstructor(function ObjectIterator(source, mode) { - var object = toObject(source); - setInternalState(this, { - type: OBJECT_ITERATOR, - mode: mode, - object: object, - keys: objectKeys(object), - index: 0 - }); -}, 'Object', function next() { - var state = getInternalState(this); - var keys = state.keys; - while (true) { - if (keys === null || state.index >= keys.length) { - state.object = state.keys = null; - return createIterResultObject(undefined, true); - } - var key = keys[state.index++]; - var object = state.object; - if (!hasOwn(object, key)) continue; - switch (state.mode) { - case 'keys': return createIterResultObject(key, false); - case 'values': return createIterResultObject(object[key], false); - } /* entries */ return createIterResultObject([key, object[key]], false); - } -}); diff --git a/node_modules/core-js/internals/object-keys-internal.js b/node_modules/core-js/internals/object-keys-internal.js deleted file mode 100644 index 42354cf..0000000 --- a/node_modules/core-js/internals/object-keys-internal.js +++ /dev/null @@ -1,21 +0,0 @@ -'use strict'; -var uncurryThis = require('../internals/function-uncurry-this'); -var hasOwn = require('../internals/has-own-property'); -var toIndexedObject = require('../internals/to-indexed-object'); -var indexOf = require('../internals/array-includes').indexOf; -var hiddenKeys = require('../internals/hidden-keys'); - -var push = uncurryThis([].push); - -module.exports = function (object, names) { - var O = toIndexedObject(object); - var i = 0; - var result = []; - var key; - for (key in O) !hasOwn(hiddenKeys, key) && hasOwn(O, key) && push(result, key); - // Don't enum bug & hidden keys - while (names.length > i) if (hasOwn(O, key = names[i++])) { - ~indexOf(result, key) || push(result, key); - } - return result; -}; diff --git a/node_modules/core-js/internals/object-keys.js b/node_modules/core-js/internals/object-keys.js deleted file mode 100644 index 0376135..0000000 --- a/node_modules/core-js/internals/object-keys.js +++ /dev/null @@ -1,10 +0,0 @@ -'use strict'; -var internalObjectKeys = require('../internals/object-keys-internal'); -var enumBugKeys = require('../internals/enum-bug-keys'); - -// `Object.keys` method -// https://tc39.es/ecma262/#sec-object.keys -// eslint-disable-next-line es/no-object-keys -- safe -module.exports = Object.keys || function keys(O) { - return internalObjectKeys(O, enumBugKeys); -}; diff --git a/node_modules/core-js/internals/object-property-is-enumerable.js b/node_modules/core-js/internals/object-property-is-enumerable.js deleted file mode 100644 index f262d10..0000000 --- a/node_modules/core-js/internals/object-property-is-enumerable.js +++ /dev/null @@ -1,14 +0,0 @@ -'use strict'; -var $propertyIsEnumerable = {}.propertyIsEnumerable; -// eslint-disable-next-line es/no-object-getownpropertydescriptor -- safe -var getOwnPropertyDescriptor = Object.getOwnPropertyDescriptor; - -// Nashorn ~ JDK8 bug -var NASHORN_BUG = getOwnPropertyDescriptor && !$propertyIsEnumerable.call({ 1: 2 }, 1); - -// `Object.prototype.propertyIsEnumerable` method implementation -// https://tc39.es/ecma262/#sec-object.prototype.propertyisenumerable -exports.f = NASHORN_BUG ? function propertyIsEnumerable(V) { - var descriptor = getOwnPropertyDescriptor(this, V); - return !!descriptor && descriptor.enumerable; -} : $propertyIsEnumerable; diff --git a/node_modules/core-js/internals/object-prototype-accessors-forced.js b/node_modules/core-js/internals/object-prototype-accessors-forced.js deleted file mode 100644 index 579bb78..0000000 --- a/node_modules/core-js/internals/object-prototype-accessors-forced.js +++ /dev/null @@ -1,17 +0,0 @@ -'use strict'; -var IS_PURE = require('../internals/is-pure'); -var global = require('../internals/global'); -var fails = require('../internals/fails'); -var WEBKIT = require('../internals/engine-webkit-version'); - -// Forced replacement object prototype accessors methods -module.exports = IS_PURE || !fails(function () { - // This feature detection crashes old WebKit - // https://github.com/zloirock/core-js/issues/232 - if (WEBKIT && WEBKIT < 535) return; - var key = Math.random(); - // In FF throws only define methods - // eslint-disable-next-line no-undef, no-useless-call, es/no-legacy-object-prototype-accessor-methods -- required for testing - __defineSetter__.call(null, key, function () { /* empty */ }); - delete global[key]; -}); diff --git a/node_modules/core-js/internals/object-set-prototype-of.js b/node_modules/core-js/internals/object-set-prototype-of.js deleted file mode 100644 index b966313..0000000 --- a/node_modules/core-js/internals/object-set-prototype-of.js +++ /dev/null @@ -1,27 +0,0 @@ -'use strict'; -/* eslint-disable no-proto -- safe */ -var uncurryThisAccessor = require('../internals/function-uncurry-this-accessor'); -var anObject = require('../internals/an-object'); -var aPossiblePrototype = require('../internals/a-possible-prototype'); - -// `Object.setPrototypeOf` method -// https://tc39.es/ecma262/#sec-object.setprototypeof -// Works with __proto__ only. Old v8 can't work with null proto objects. -// eslint-disable-next-line es/no-object-setprototypeof -- safe -module.exports = Object.setPrototypeOf || ('__proto__' in {} ? function () { - var CORRECT_SETTER = false; - var test = {}; - var setter; - try { - setter = uncurryThisAccessor(Object.prototype, '__proto__', 'set'); - setter(test, []); - CORRECT_SETTER = test instanceof Array; - } catch (error) { /* empty */ } - return function setPrototypeOf(O, proto) { - anObject(O); - aPossiblePrototype(proto); - if (CORRECT_SETTER) setter(O, proto); - else O.__proto__ = proto; - return O; - }; -}() : undefined); diff --git a/node_modules/core-js/internals/object-to-array.js b/node_modules/core-js/internals/object-to-array.js deleted file mode 100644 index 2a84f75..0000000 --- a/node_modules/core-js/internals/object-to-array.js +++ /dev/null @@ -1,49 +0,0 @@ -'use strict'; -var DESCRIPTORS = require('../internals/descriptors'); -var fails = require('../internals/fails'); -var uncurryThis = require('../internals/function-uncurry-this'); -var objectGetPrototypeOf = require('../internals/object-get-prototype-of'); -var objectKeys = require('../internals/object-keys'); -var toIndexedObject = require('../internals/to-indexed-object'); -var $propertyIsEnumerable = require('../internals/object-property-is-enumerable').f; - -var propertyIsEnumerable = uncurryThis($propertyIsEnumerable); -var push = uncurryThis([].push); - -// in some IE versions, `propertyIsEnumerable` returns incorrect result on integer keys -// of `null` prototype objects -var IE_BUG = DESCRIPTORS && fails(function () { - // eslint-disable-next-line es/no-object-create -- safe - var O = Object.create(null); - O[2] = 2; - return !propertyIsEnumerable(O, 2); -}); - -// `Object.{ entries, values }` methods implementation -var createMethod = function (TO_ENTRIES) { - return function (it) { - var O = toIndexedObject(it); - var keys = objectKeys(O); - var IE_WORKAROUND = IE_BUG && objectGetPrototypeOf(O) === null; - var length = keys.length; - var i = 0; - var result = []; - var key; - while (length > i) { - key = keys[i++]; - if (!DESCRIPTORS || (IE_WORKAROUND ? key in O : propertyIsEnumerable(O, key))) { - push(result, TO_ENTRIES ? [key, O[key]] : O[key]); - } - } - return result; - }; -}; - -module.exports = { - // `Object.entries` method - // https://tc39.es/ecma262/#sec-object.entries - entries: createMethod(true), - // `Object.values` method - // https://tc39.es/ecma262/#sec-object.values - values: createMethod(false) -}; diff --git a/node_modules/core-js/internals/object-to-string.js b/node_modules/core-js/internals/object-to-string.js deleted file mode 100644 index d624036..0000000 --- a/node_modules/core-js/internals/object-to-string.js +++ /dev/null @@ -1,9 +0,0 @@ -'use strict'; -var TO_STRING_TAG_SUPPORT = require('../internals/to-string-tag-support'); -var classof = require('../internals/classof'); - -// `Object.prototype.toString` method implementation -// https://tc39.es/ecma262/#sec-object.prototype.tostring -module.exports = TO_STRING_TAG_SUPPORT ? {}.toString : function toString() { - return '[object ' + classof(this) + ']'; -}; diff --git a/node_modules/core-js/internals/ordinary-to-primitive.js b/node_modules/core-js/internals/ordinary-to-primitive.js deleted file mode 100644 index f8acc2f..0000000 --- a/node_modules/core-js/internals/ordinary-to-primitive.js +++ /dev/null @@ -1,16 +0,0 @@ -'use strict'; -var call = require('../internals/function-call'); -var isCallable = require('../internals/is-callable'); -var isObject = require('../internals/is-object'); - -var $TypeError = TypeError; - -// `OrdinaryToPrimitive` abstract operation -// https://tc39.es/ecma262/#sec-ordinarytoprimitive -module.exports = function (input, pref) { - var fn, val; - if (pref === 'string' && isCallable(fn = input.toString) && !isObject(val = call(fn, input))) return val; - if (isCallable(fn = input.valueOf) && !isObject(val = call(fn, input))) return val; - if (pref !== 'string' && isCallable(fn = input.toString) && !isObject(val = call(fn, input))) return val; - throw new $TypeError("Can't convert object to primitive value"); -}; diff --git a/node_modules/core-js/internals/own-keys.js b/node_modules/core-js/internals/own-keys.js deleted file mode 100644 index bf4864d..0000000 --- a/node_modules/core-js/internals/own-keys.js +++ /dev/null @@ -1,15 +0,0 @@ -'use strict'; -var getBuiltIn = require('../internals/get-built-in'); -var uncurryThis = require('../internals/function-uncurry-this'); -var getOwnPropertyNamesModule = require('../internals/object-get-own-property-names'); -var getOwnPropertySymbolsModule = require('../internals/object-get-own-property-symbols'); -var anObject = require('../internals/an-object'); - -var concat = uncurryThis([].concat); - -// all object keys, includes non-enumerable and symbols -module.exports = getBuiltIn('Reflect', 'ownKeys') || function ownKeys(it) { - var keys = getOwnPropertyNamesModule.f(anObject(it)); - var getOwnPropertySymbols = getOwnPropertySymbolsModule.f; - return getOwnPropertySymbols ? concat(keys, getOwnPropertySymbols(it)) : keys; -}; diff --git a/node_modules/core-js/internals/parse-json-string.js b/node_modules/core-js/internals/parse-json-string.js deleted file mode 100644 index 741c0bd..0000000 --- a/node_modules/core-js/internals/parse-json-string.js +++ /dev/null @@ -1,56 +0,0 @@ -'use strict'; -var uncurryThis = require('../internals/function-uncurry-this'); -var hasOwn = require('../internals/has-own-property'); - -var $SyntaxError = SyntaxError; -var $parseInt = parseInt; -var fromCharCode = String.fromCharCode; -var at = uncurryThis(''.charAt); -var slice = uncurryThis(''.slice); -var exec = uncurryThis(/./.exec); - -var codePoints = { - '\\"': '"', - '\\\\': '\\', - '\\/': '/', - '\\b': '\b', - '\\f': '\f', - '\\n': '\n', - '\\r': '\r', - '\\t': '\t' -}; - -var IS_4_HEX_DIGITS = /^[\da-f]{4}$/i; -// eslint-disable-next-line regexp/no-control-character -- safe -var IS_C0_CONTROL_CODE = /^[\u0000-\u001F]$/; - -module.exports = function (source, i) { - var unterminated = true; - var value = ''; - while (i < source.length) { - var chr = at(source, i); - if (chr === '\\') { - var twoChars = slice(source, i, i + 2); - if (hasOwn(codePoints, twoChars)) { - value += codePoints[twoChars]; - i += 2; - } else if (twoChars === '\\u') { - i += 2; - var fourHexDigits = slice(source, i, i + 4); - if (!exec(IS_4_HEX_DIGITS, fourHexDigits)) throw new $SyntaxError('Bad Unicode escape at: ' + i); - value += fromCharCode($parseInt(fourHexDigits, 16)); - i += 4; - } else throw new $SyntaxError('Unknown escape sequence: "' + twoChars + '"'); - } else if (chr === '"') { - unterminated = false; - i++; - break; - } else { - if (exec(IS_C0_CONTROL_CODE, chr)) throw new $SyntaxError('Bad control character in string literal at: ' + i); - value += chr; - i++; - } - } - if (unterminated) throw new $SyntaxError('Unterminated string at: ' + i); - return { value: value, end: i }; -}; diff --git a/node_modules/core-js/internals/path.js b/node_modules/core-js/internals/path.js deleted file mode 100644 index d9eeb38..0000000 --- a/node_modules/core-js/internals/path.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var global = require('../internals/global'); - -module.exports = global; diff --git a/node_modules/core-js/internals/perform.js b/node_modules/core-js/internals/perform.js deleted file mode 100644 index 3100f09..0000000 --- a/node_modules/core-js/internals/perform.js +++ /dev/null @@ -1,8 +0,0 @@ -'use strict'; -module.exports = function (exec) { - try { - return { error: false, value: exec() }; - } catch (error) { - return { error: true, value: error }; - } -}; diff --git a/node_modules/core-js/internals/promise-constructor-detection.js b/node_modules/core-js/internals/promise-constructor-detection.js deleted file mode 100644 index c8d009d..0000000 --- a/node_modules/core-js/internals/promise-constructor-detection.js +++ /dev/null @@ -1,48 +0,0 @@ -'use strict'; -var global = require('../internals/global'); -var NativePromiseConstructor = require('../internals/promise-native-constructor'); -var isCallable = require('../internals/is-callable'); -var isForced = require('../internals/is-forced'); -var inspectSource = require('../internals/inspect-source'); -var wellKnownSymbol = require('../internals/well-known-symbol'); -var IS_BROWSER = require('../internals/engine-is-browser'); -var IS_DENO = require('../internals/engine-is-deno'); -var IS_PURE = require('../internals/is-pure'); -var V8_VERSION = require('../internals/engine-v8-version'); - -var NativePromisePrototype = NativePromiseConstructor && NativePromiseConstructor.prototype; -var SPECIES = wellKnownSymbol('species'); -var SUBCLASSING = false; -var NATIVE_PROMISE_REJECTION_EVENT = isCallable(global.PromiseRejectionEvent); - -var FORCED_PROMISE_CONSTRUCTOR = isForced('Promise', function () { - var PROMISE_CONSTRUCTOR_SOURCE = inspectSource(NativePromiseConstructor); - var GLOBAL_CORE_JS_PROMISE = PROMISE_CONSTRUCTOR_SOURCE !== String(NativePromiseConstructor); - // V8 6.6 (Node 10 and Chrome 66) have a bug with resolving custom thenables - // https://bugs.chromium.org/p/chromium/issues/detail?id=830565 - // We can't detect it synchronously, so just check versions - if (!GLOBAL_CORE_JS_PROMISE && V8_VERSION === 66) return true; - // We need Promise#{ catch, finally } in the pure version for preventing prototype pollution - if (IS_PURE && !(NativePromisePrototype['catch'] && NativePromisePrototype['finally'])) return true; - // We can't use @@species feature detection in V8 since it causes - // deoptimization and performance degradation - // https://github.com/zloirock/core-js/issues/679 - if (!V8_VERSION || V8_VERSION < 51 || !/native code/.test(PROMISE_CONSTRUCTOR_SOURCE)) { - // Detect correctness of subclassing with @@species support - var promise = new NativePromiseConstructor(function (resolve) { resolve(1); }); - var FakePromise = function (exec) { - exec(function () { /* empty */ }, function () { /* empty */ }); - }; - var constructor = promise.constructor = {}; - constructor[SPECIES] = FakePromise; - SUBCLASSING = promise.then(function () { /* empty */ }) instanceof FakePromise; - if (!SUBCLASSING) return true; - // Unhandled rejections tracking support, NodeJS Promise without it fails @@species test - } return !GLOBAL_CORE_JS_PROMISE && (IS_BROWSER || IS_DENO) && !NATIVE_PROMISE_REJECTION_EVENT; -}); - -module.exports = { - CONSTRUCTOR: FORCED_PROMISE_CONSTRUCTOR, - REJECTION_EVENT: NATIVE_PROMISE_REJECTION_EVENT, - SUBCLASSING: SUBCLASSING -}; diff --git a/node_modules/core-js/internals/promise-native-constructor.js b/node_modules/core-js/internals/promise-native-constructor.js deleted file mode 100644 index 67fe11a..0000000 --- a/node_modules/core-js/internals/promise-native-constructor.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var global = require('../internals/global'); - -module.exports = global.Promise; diff --git a/node_modules/core-js/internals/promise-resolve.js b/node_modules/core-js/internals/promise-resolve.js deleted file mode 100644 index c562d9c..0000000 --- a/node_modules/core-js/internals/promise-resolve.js +++ /dev/null @@ -1,13 +0,0 @@ -'use strict'; -var anObject = require('../internals/an-object'); -var isObject = require('../internals/is-object'); -var newPromiseCapability = require('../internals/new-promise-capability'); - -module.exports = function (C, x) { - anObject(C); - if (isObject(x) && x.constructor === C) return x; - var promiseCapability = newPromiseCapability.f(C); - var resolve = promiseCapability.resolve; - resolve(x); - return promiseCapability.promise; -}; diff --git a/node_modules/core-js/internals/promise-statics-incorrect-iteration.js b/node_modules/core-js/internals/promise-statics-incorrect-iteration.js deleted file mode 100644 index 21c0f22..0000000 --- a/node_modules/core-js/internals/promise-statics-incorrect-iteration.js +++ /dev/null @@ -1,8 +0,0 @@ -'use strict'; -var NativePromiseConstructor = require('../internals/promise-native-constructor'); -var checkCorrectnessOfIteration = require('../internals/check-correctness-of-iteration'); -var FORCED_PROMISE_CONSTRUCTOR = require('../internals/promise-constructor-detection').CONSTRUCTOR; - -module.exports = FORCED_PROMISE_CONSTRUCTOR || !checkCorrectnessOfIteration(function (iterable) { - NativePromiseConstructor.all(iterable).then(undefined, function () { /* empty */ }); -}); diff --git a/node_modules/core-js/internals/proxy-accessor.js b/node_modules/core-js/internals/proxy-accessor.js deleted file mode 100644 index 8718bb7..0000000 --- a/node_modules/core-js/internals/proxy-accessor.js +++ /dev/null @@ -1,10 +0,0 @@ -'use strict'; -var defineProperty = require('../internals/object-define-property').f; - -module.exports = function (Target, Source, key) { - key in Target || defineProperty(Target, key, { - configurable: true, - get: function () { return Source[key]; }, - set: function (it) { Source[key] = it; } - }); -}; diff --git a/node_modules/core-js/internals/queue.js b/node_modules/core-js/internals/queue.js deleted file mode 100644 index 0785558..0000000 --- a/node_modules/core-js/internals/queue.js +++ /dev/null @@ -1,25 +0,0 @@ -'use strict'; -var Queue = function () { - this.head = null; - this.tail = null; -}; - -Queue.prototype = { - add: function (item) { - var entry = { item: item, next: null }; - var tail = this.tail; - if (tail) tail.next = entry; - else this.head = entry; - this.tail = entry; - }, - get: function () { - var entry = this.head; - if (entry) { - var next = this.head = entry.next; - if (next === null) this.tail = null; - return entry.item; - } - } -}; - -module.exports = Queue; diff --git a/node_modules/core-js/internals/reflect-metadata.js b/node_modules/core-js/internals/reflect-metadata.js deleted file mode 100644 index 8041616..0000000 --- a/node_modules/core-js/internals/reflect-metadata.js +++ /dev/null @@ -1,62 +0,0 @@ -'use strict'; -// TODO: in core-js@4, move /modules/ dependencies to public entries for better optimization by tools like `preset-env` -require('../modules/es.map'); -require('../modules/es.weak-map'); -var getBuiltIn = require('../internals/get-built-in'); -var uncurryThis = require('../internals/function-uncurry-this'); -var shared = require('../internals/shared'); - -var Map = getBuiltIn('Map'); -var WeakMap = getBuiltIn('WeakMap'); -var push = uncurryThis([].push); - -var metadata = shared('metadata'); -var store = metadata.store || (metadata.store = new WeakMap()); - -var getOrCreateMetadataMap = function (target, targetKey, create) { - var targetMetadata = store.get(target); - if (!targetMetadata) { - if (!create) return; - store.set(target, targetMetadata = new Map()); - } - var keyMetadata = targetMetadata.get(targetKey); - if (!keyMetadata) { - if (!create) return; - targetMetadata.set(targetKey, keyMetadata = new Map()); - } return keyMetadata; -}; - -var ordinaryHasOwnMetadata = function (MetadataKey, O, P) { - var metadataMap = getOrCreateMetadataMap(O, P, false); - return metadataMap === undefined ? false : metadataMap.has(MetadataKey); -}; - -var ordinaryGetOwnMetadata = function (MetadataKey, O, P) { - var metadataMap = getOrCreateMetadataMap(O, P, false); - return metadataMap === undefined ? undefined : metadataMap.get(MetadataKey); -}; - -var ordinaryDefineOwnMetadata = function (MetadataKey, MetadataValue, O, P) { - getOrCreateMetadataMap(O, P, true).set(MetadataKey, MetadataValue); -}; - -var ordinaryOwnMetadataKeys = function (target, targetKey) { - var metadataMap = getOrCreateMetadataMap(target, targetKey, false); - var keys = []; - if (metadataMap) metadataMap.forEach(function (_, key) { push(keys, key); }); - return keys; -}; - -var toMetadataKey = function (it) { - return it === undefined || typeof it == 'symbol' ? it : String(it); -}; - -module.exports = { - store: store, - getMap: getOrCreateMetadataMap, - has: ordinaryHasOwnMetadata, - get: ordinaryGetOwnMetadata, - set: ordinaryDefineOwnMetadata, - keys: ordinaryOwnMetadataKeys, - toKey: toMetadataKey -}; diff --git a/node_modules/core-js/internals/regexp-exec-abstract.js b/node_modules/core-js/internals/regexp-exec-abstract.js deleted file mode 100644 index 630d605..0000000 --- a/node_modules/core-js/internals/regexp-exec-abstract.js +++ /dev/null @@ -1,21 +0,0 @@ -'use strict'; -var call = require('../internals/function-call'); -var anObject = require('../internals/an-object'); -var isCallable = require('../internals/is-callable'); -var classof = require('../internals/classof-raw'); -var regexpExec = require('../internals/regexp-exec'); - -var $TypeError = TypeError; - -// `RegExpExec` abstract operation -// https://tc39.es/ecma262/#sec-regexpexec -module.exports = function (R, S) { - var exec = R.exec; - if (isCallable(exec)) { - var result = call(exec, R, S); - if (result !== null) anObject(result); - return result; - } - if (classof(R) === 'RegExp') return call(regexpExec, R, S); - throw new $TypeError('RegExp#exec called on incompatible receiver'); -}; diff --git a/node_modules/core-js/internals/regexp-exec.js b/node_modules/core-js/internals/regexp-exec.js deleted file mode 100644 index a23cf2a..0000000 --- a/node_modules/core-js/internals/regexp-exec.js +++ /dev/null @@ -1,117 +0,0 @@ -'use strict'; -/* eslint-disable regexp/no-empty-capturing-group, regexp/no-empty-group, regexp/no-lazy-ends -- testing */ -/* eslint-disable regexp/no-useless-quantifier -- testing */ -var call = require('../internals/function-call'); -var uncurryThis = require('../internals/function-uncurry-this'); -var toString = require('../internals/to-string'); -var regexpFlags = require('../internals/regexp-flags'); -var stickyHelpers = require('../internals/regexp-sticky-helpers'); -var shared = require('../internals/shared'); -var create = require('../internals/object-create'); -var getInternalState = require('../internals/internal-state').get; -var UNSUPPORTED_DOT_ALL = require('../internals/regexp-unsupported-dot-all'); -var UNSUPPORTED_NCG = require('../internals/regexp-unsupported-ncg'); - -var nativeReplace = shared('native-string-replace', String.prototype.replace); -var nativeExec = RegExp.prototype.exec; -var patchedExec = nativeExec; -var charAt = uncurryThis(''.charAt); -var indexOf = uncurryThis(''.indexOf); -var replace = uncurryThis(''.replace); -var stringSlice = uncurryThis(''.slice); - -var UPDATES_LAST_INDEX_WRONG = (function () { - var re1 = /a/; - var re2 = /b*/g; - call(nativeExec, re1, 'a'); - call(nativeExec, re2, 'a'); - return re1.lastIndex !== 0 || re2.lastIndex !== 0; -})(); - -var UNSUPPORTED_Y = stickyHelpers.BROKEN_CARET; - -// nonparticipating capturing group, copied from es5-shim's String#split patch. -var NPCG_INCLUDED = /()??/.exec('')[1] !== undefined; - -var PATCH = UPDATES_LAST_INDEX_WRONG || NPCG_INCLUDED || UNSUPPORTED_Y || UNSUPPORTED_DOT_ALL || UNSUPPORTED_NCG; - -if (PATCH) { - patchedExec = function exec(string) { - var re = this; - var state = getInternalState(re); - var str = toString(string); - var raw = state.raw; - var result, reCopy, lastIndex, match, i, object, group; - - if (raw) { - raw.lastIndex = re.lastIndex; - result = call(patchedExec, raw, str); - re.lastIndex = raw.lastIndex; - return result; - } - - var groups = state.groups; - var sticky = UNSUPPORTED_Y && re.sticky; - var flags = call(regexpFlags, re); - var source = re.source; - var charsAdded = 0; - var strCopy = str; - - if (sticky) { - flags = replace(flags, 'y', ''); - if (indexOf(flags, 'g') === -1) { - flags += 'g'; - } - - strCopy = stringSlice(str, re.lastIndex); - // Support anchored sticky behavior. - if (re.lastIndex > 0 && (!re.multiline || re.multiline && charAt(str, re.lastIndex - 1) !== '\n')) { - source = '(?: ' + source + ')'; - strCopy = ' ' + strCopy; - charsAdded++; - } - // ^(? + rx + ) is needed, in combination with some str slicing, to - // simulate the 'y' flag. - reCopy = new RegExp('^(?:' + source + ')', flags); - } - - if (NPCG_INCLUDED) { - reCopy = new RegExp('^' + source + '$(?!\\s)', flags); - } - if (UPDATES_LAST_INDEX_WRONG) lastIndex = re.lastIndex; - - match = call(nativeExec, sticky ? reCopy : re, strCopy); - - if (sticky) { - if (match) { - match.input = stringSlice(match.input, charsAdded); - match[0] = stringSlice(match[0], charsAdded); - match.index = re.lastIndex; - re.lastIndex += match[0].length; - } else re.lastIndex = 0; - } else if (UPDATES_LAST_INDEX_WRONG && match) { - re.lastIndex = re.global ? match.index + match[0].length : lastIndex; - } - if (NPCG_INCLUDED && match && match.length > 1) { - // Fix browsers whose `exec` methods don't consistently return `undefined` - // for NPCG, like IE8. NOTE: This doesn't work for /(.?)?/ - call(nativeReplace, match[0], reCopy, function () { - for (i = 1; i < arguments.length - 2; i++) { - if (arguments[i] === undefined) match[i] = undefined; - } - }); - } - - if (match && groups) { - match.groups = object = create(null); - for (i = 0; i < groups.length; i++) { - group = groups[i]; - object[group[0]] = match[group[1]]; - } - } - - return match; - }; -} - -module.exports = patchedExec; diff --git a/node_modules/core-js/internals/regexp-flags.js b/node_modules/core-js/internals/regexp-flags.js deleted file mode 100644 index 6d73e1c..0000000 --- a/node_modules/core-js/internals/regexp-flags.js +++ /dev/null @@ -1,18 +0,0 @@ -'use strict'; -var anObject = require('../internals/an-object'); - -// `RegExp.prototype.flags` getter implementation -// https://tc39.es/ecma262/#sec-get-regexp.prototype.flags -module.exports = function () { - var that = anObject(this); - var result = ''; - if (that.hasIndices) result += 'd'; - if (that.global) result += 'g'; - if (that.ignoreCase) result += 'i'; - if (that.multiline) result += 'm'; - if (that.dotAll) result += 's'; - if (that.unicode) result += 'u'; - if (that.unicodeSets) result += 'v'; - if (that.sticky) result += 'y'; - return result; -}; diff --git a/node_modules/core-js/internals/regexp-get-flags.js b/node_modules/core-js/internals/regexp-get-flags.js deleted file mode 100644 index 134ff74..0000000 --- a/node_modules/core-js/internals/regexp-get-flags.js +++ /dev/null @@ -1,13 +0,0 @@ -'use strict'; -var call = require('../internals/function-call'); -var hasOwn = require('../internals/has-own-property'); -var isPrototypeOf = require('../internals/object-is-prototype-of'); -var regExpFlags = require('../internals/regexp-flags'); - -var RegExpPrototype = RegExp.prototype; - -module.exports = function (R) { - var flags = R.flags; - return flags === undefined && !('flags' in RegExpPrototype) && !hasOwn(R, 'flags') && isPrototypeOf(RegExpPrototype, R) - ? call(regExpFlags, R) : flags; -}; diff --git a/node_modules/core-js/internals/regexp-sticky-helpers.js b/node_modules/core-js/internals/regexp-sticky-helpers.js deleted file mode 100644 index 060e302..0000000 --- a/node_modules/core-js/internals/regexp-sticky-helpers.js +++ /dev/null @@ -1,31 +0,0 @@ -'use strict'; -var fails = require('../internals/fails'); -var global = require('../internals/global'); - -// babel-minify and Closure Compiler transpiles RegExp('a', 'y') -> /a/y and it causes SyntaxError -var $RegExp = global.RegExp; - -var UNSUPPORTED_Y = fails(function () { - var re = $RegExp('a', 'y'); - re.lastIndex = 2; - return re.exec('abcd') !== null; -}); - -// UC Browser bug -// https://github.com/zloirock/core-js/issues/1008 -var MISSED_STICKY = UNSUPPORTED_Y || fails(function () { - return !$RegExp('a', 'y').sticky; -}); - -var BROKEN_CARET = UNSUPPORTED_Y || fails(function () { - // https://bugzilla.mozilla.org/show_bug.cgi?id=773687 - var re = $RegExp('^r', 'gy'); - re.lastIndex = 2; - return re.exec('str') !== null; -}); - -module.exports = { - BROKEN_CARET: BROKEN_CARET, - MISSED_STICKY: MISSED_STICKY, - UNSUPPORTED_Y: UNSUPPORTED_Y -}; diff --git a/node_modules/core-js/internals/regexp-unsupported-dot-all.js b/node_modules/core-js/internals/regexp-unsupported-dot-all.js deleted file mode 100644 index cec5db5..0000000 --- a/node_modules/core-js/internals/regexp-unsupported-dot-all.js +++ /dev/null @@ -1,11 +0,0 @@ -'use strict'; -var fails = require('../internals/fails'); -var global = require('../internals/global'); - -// babel-minify and Closure Compiler transpiles RegExp('.', 's') -> /./s and it causes SyntaxError -var $RegExp = global.RegExp; - -module.exports = fails(function () { - var re = $RegExp('.', 's'); - return !(re.dotAll && re.test('\n') && re.flags === 's'); -}); diff --git a/node_modules/core-js/internals/regexp-unsupported-ncg.js b/node_modules/core-js/internals/regexp-unsupported-ncg.js deleted file mode 100644 index 09b581c..0000000 --- a/node_modules/core-js/internals/regexp-unsupported-ncg.js +++ /dev/null @@ -1,12 +0,0 @@ -'use strict'; -var fails = require('../internals/fails'); -var global = require('../internals/global'); - -// babel-minify and Closure Compiler transpiles RegExp('(?b)', 'g') -> /(?b)/g and it causes SyntaxError -var $RegExp = global.RegExp; - -module.exports = fails(function () { - var re = $RegExp('(?b)', 'g'); - return re.exec('b').groups.a !== 'b' || - 'b'.replace(re, '$c') !== 'bc'; -}); diff --git a/node_modules/core-js/internals/require-object-coercible.js b/node_modules/core-js/internals/require-object-coercible.js deleted file mode 100644 index 2a17058..0000000 --- a/node_modules/core-js/internals/require-object-coercible.js +++ /dev/null @@ -1,11 +0,0 @@ -'use strict'; -var isNullOrUndefined = require('../internals/is-null-or-undefined'); - -var $TypeError = TypeError; - -// `RequireObjectCoercible` abstract operation -// https://tc39.es/ecma262/#sec-requireobjectcoercible -module.exports = function (it) { - if (isNullOrUndefined(it)) throw new $TypeError("Can't call method on " + it); - return it; -}; diff --git a/node_modules/core-js/internals/safe-get-built-in.js b/node_modules/core-js/internals/safe-get-built-in.js deleted file mode 100644 index 04e49ef..0000000 --- a/node_modules/core-js/internals/safe-get-built-in.js +++ /dev/null @@ -1,13 +0,0 @@ -'use strict'; -var global = require('../internals/global'); -var DESCRIPTORS = require('../internals/descriptors'); - -// eslint-disable-next-line es/no-object-getownpropertydescriptor -- safe -var getOwnPropertyDescriptor = Object.getOwnPropertyDescriptor; - -// Avoid NodeJS experimental warning -module.exports = function (name) { - if (!DESCRIPTORS) return global[name]; - var descriptor = getOwnPropertyDescriptor(global, name); - return descriptor && descriptor.value; -}; diff --git a/node_modules/core-js/internals/same-value-zero.js b/node_modules/core-js/internals/same-value-zero.js deleted file mode 100644 index be23857..0000000 --- a/node_modules/core-js/internals/same-value-zero.js +++ /dev/null @@ -1,7 +0,0 @@ -'use strict'; -// `SameValueZero` abstract operation -// https://tc39.es/ecma262/#sec-samevaluezero -module.exports = function (x, y) { - // eslint-disable-next-line no-self-compare -- NaN check - return x === y || x !== x && y !== y; -}; diff --git a/node_modules/core-js/internals/same-value.js b/node_modules/core-js/internals/same-value.js deleted file mode 100644 index 7b0d1dd..0000000 --- a/node_modules/core-js/internals/same-value.js +++ /dev/null @@ -1,8 +0,0 @@ -'use strict'; -// `SameValue` abstract operation -// https://tc39.es/ecma262/#sec-samevalue -// eslint-disable-next-line es/no-object-is -- safe -module.exports = Object.is || function is(x, y) { - // eslint-disable-next-line no-self-compare -- NaN check - return x === y ? x !== 0 || 1 / x === 1 / y : x !== x && y !== y; -}; diff --git a/node_modules/core-js/internals/schedulers-fix.js b/node_modules/core-js/internals/schedulers-fix.js deleted file mode 100644 index 65ed89c..0000000 --- a/node_modules/core-js/internals/schedulers-fix.js +++ /dev/null @@ -1,31 +0,0 @@ -'use strict'; -var global = require('../internals/global'); -var apply = require('../internals/function-apply'); -var isCallable = require('../internals/is-callable'); -var ENGINE_IS_BUN = require('../internals/engine-is-bun'); -var USER_AGENT = require('../internals/engine-user-agent'); -var arraySlice = require('../internals/array-slice'); -var validateArgumentsLength = require('../internals/validate-arguments-length'); - -var Function = global.Function; -// dirty IE9- and Bun 0.3.0- checks -var WRAP = /MSIE .\./.test(USER_AGENT) || ENGINE_IS_BUN && (function () { - var version = global.Bun.version.split('.'); - return version.length < 3 || version[0] === '0' && (version[1] < 3 || version[1] === '3' && version[2] === '0'); -})(); - -// IE9- / Bun 0.3.0- setTimeout / setInterval / setImmediate additional parameters fix -// https://html.spec.whatwg.org/multipage/timers-and-user-prompts.html#timers -// https://github.com/oven-sh/bun/issues/1633 -module.exports = function (scheduler, hasTimeArg) { - var firstParamIndex = hasTimeArg ? 2 : 1; - return WRAP ? function (handler, timeout /* , ...arguments */) { - var boundArgs = validateArgumentsLength(arguments.length, 1) > firstParamIndex; - var fn = isCallable(handler) ? handler : Function(handler); - var params = boundArgs ? arraySlice(arguments, firstParamIndex) : []; - var callback = boundArgs ? function () { - apply(fn, this, params); - } : fn; - return hasTimeArg ? scheduler(callback, timeout) : scheduler(callback); - } : scheduler; -}; diff --git a/node_modules/core-js/internals/set-clone.js b/node_modules/core-js/internals/set-clone.js deleted file mode 100644 index 07329f4..0000000 --- a/node_modules/core-js/internals/set-clone.js +++ /dev/null @@ -1,14 +0,0 @@ -'use strict'; -var SetHelpers = require('../internals/set-helpers'); -var iterate = require('../internals/set-iterate'); - -var Set = SetHelpers.Set; -var add = SetHelpers.add; - -module.exports = function (set) { - var result = new Set(); - iterate(set, function (it) { - add(result, it); - }); - return result; -}; diff --git a/node_modules/core-js/internals/set-difference.js b/node_modules/core-js/internals/set-difference.js deleted file mode 100644 index cb21542..0000000 --- a/node_modules/core-js/internals/set-difference.js +++ /dev/null @@ -1,26 +0,0 @@ -'use strict'; -var aSet = require('../internals/a-set'); -var SetHelpers = require('../internals/set-helpers'); -var clone = require('../internals/set-clone'); -var size = require('../internals/set-size'); -var getSetRecord = require('../internals/get-set-record'); -var iterateSet = require('../internals/set-iterate'); -var iterateSimple = require('../internals/iterate-simple'); - -var has = SetHelpers.has; -var remove = SetHelpers.remove; - -// `Set.prototype.difference` method -// https://github.com/tc39/proposal-set-methods -module.exports = function difference(other) { - var O = aSet(this); - var otherRec = getSetRecord(other); - var result = clone(O); - if (size(O) <= otherRec.size) iterateSet(O, function (e) { - if (otherRec.includes(e)) remove(result, e); - }); - else iterateSimple(otherRec.getIterator(), function (e) { - if (has(O, e)) remove(result, e); - }); - return result; -}; diff --git a/node_modules/core-js/internals/set-helpers.js b/node_modules/core-js/internals/set-helpers.js deleted file mode 100644 index f474987..0000000 --- a/node_modules/core-js/internals/set-helpers.js +++ /dev/null @@ -1,14 +0,0 @@ -'use strict'; -var uncurryThis = require('../internals/function-uncurry-this'); - -// eslint-disable-next-line es/no-set -- safe -var SetPrototype = Set.prototype; - -module.exports = { - // eslint-disable-next-line es/no-set -- safe - Set: Set, - add: uncurryThis(SetPrototype.add), - has: uncurryThis(SetPrototype.has), - remove: uncurryThis(SetPrototype['delete']), - proto: SetPrototype -}; diff --git a/node_modules/core-js/internals/set-intersection.js b/node_modules/core-js/internals/set-intersection.js deleted file mode 100644 index fd926f2..0000000 --- a/node_modules/core-js/internals/set-intersection.js +++ /dev/null @@ -1,31 +0,0 @@ -'use strict'; -var aSet = require('../internals/a-set'); -var SetHelpers = require('../internals/set-helpers'); -var size = require('../internals/set-size'); -var getSetRecord = require('../internals/get-set-record'); -var iterateSet = require('../internals/set-iterate'); -var iterateSimple = require('../internals/iterate-simple'); - -var Set = SetHelpers.Set; -var add = SetHelpers.add; -var has = SetHelpers.has; - -// `Set.prototype.intersection` method -// https://github.com/tc39/proposal-set-methods -module.exports = function intersection(other) { - var O = aSet(this); - var otherRec = getSetRecord(other); - var result = new Set(); - - if (size(O) > otherRec.size) { - iterateSimple(otherRec.getIterator(), function (e) { - if (has(O, e)) add(result, e); - }); - } else { - iterateSet(O, function (e) { - if (otherRec.includes(e)) add(result, e); - }); - } - - return result; -}; diff --git a/node_modules/core-js/internals/set-is-disjoint-from.js b/node_modules/core-js/internals/set-is-disjoint-from.js deleted file mode 100644 index 9f3c7b5..0000000 --- a/node_modules/core-js/internals/set-is-disjoint-from.js +++ /dev/null @@ -1,22 +0,0 @@ -'use strict'; -var aSet = require('../internals/a-set'); -var has = require('../internals/set-helpers').has; -var size = require('../internals/set-size'); -var getSetRecord = require('../internals/get-set-record'); -var iterateSet = require('../internals/set-iterate'); -var iterateSimple = require('../internals/iterate-simple'); -var iteratorClose = require('../internals/iterator-close'); - -// `Set.prototype.isDisjointFrom` method -// https://tc39.github.io/proposal-set-methods/#Set.prototype.isDisjointFrom -module.exports = function isDisjointFrom(other) { - var O = aSet(this); - var otherRec = getSetRecord(other); - if (size(O) <= otherRec.size) return iterateSet(O, function (e) { - if (otherRec.includes(e)) return false; - }, true) !== false; - var iterator = otherRec.getIterator(); - return iterateSimple(iterator, function (e) { - if (has(O, e)) return iteratorClose(iterator, 'normal', false); - }) !== false; -}; diff --git a/node_modules/core-js/internals/set-is-subset-of.js b/node_modules/core-js/internals/set-is-subset-of.js deleted file mode 100644 index 541c007..0000000 --- a/node_modules/core-js/internals/set-is-subset-of.js +++ /dev/null @@ -1,16 +0,0 @@ -'use strict'; -var aSet = require('../internals/a-set'); -var size = require('../internals/set-size'); -var iterate = require('../internals/set-iterate'); -var getSetRecord = require('../internals/get-set-record'); - -// `Set.prototype.isSubsetOf` method -// https://tc39.github.io/proposal-set-methods/#Set.prototype.isSubsetOf -module.exports = function isSubsetOf(other) { - var O = aSet(this); - var otherRec = getSetRecord(other); - if (size(O) > otherRec.size) return false; - return iterate(O, function (e) { - if (!otherRec.includes(e)) return false; - }, true) !== false; -}; diff --git a/node_modules/core-js/internals/set-is-superset-of.js b/node_modules/core-js/internals/set-is-superset-of.js deleted file mode 100644 index 0907424..0000000 --- a/node_modules/core-js/internals/set-is-superset-of.js +++ /dev/null @@ -1,19 +0,0 @@ -'use strict'; -var aSet = require('../internals/a-set'); -var has = require('../internals/set-helpers').has; -var size = require('../internals/set-size'); -var getSetRecord = require('../internals/get-set-record'); -var iterateSimple = require('../internals/iterate-simple'); -var iteratorClose = require('../internals/iterator-close'); - -// `Set.prototype.isSupersetOf` method -// https://tc39.github.io/proposal-set-methods/#Set.prototype.isSupersetOf -module.exports = function isSupersetOf(other) { - var O = aSet(this); - var otherRec = getSetRecord(other); - if (size(O) < otherRec.size) return false; - var iterator = otherRec.getIterator(); - return iterateSimple(iterator, function (e) { - if (!has(O, e)) return iteratorClose(iterator, 'normal', false); - }) !== false; -}; diff --git a/node_modules/core-js/internals/set-iterate.js b/node_modules/core-js/internals/set-iterate.js deleted file mode 100644 index afbf910..0000000 --- a/node_modules/core-js/internals/set-iterate.js +++ /dev/null @@ -1,14 +0,0 @@ -'use strict'; -var uncurryThis = require('../internals/function-uncurry-this'); -var iterateSimple = require('../internals/iterate-simple'); -var SetHelpers = require('../internals/set-helpers'); - -var Set = SetHelpers.Set; -var SetPrototype = SetHelpers.proto; -var forEach = uncurryThis(SetPrototype.forEach); -var keys = uncurryThis(SetPrototype.keys); -var next = keys(new Set()).next; - -module.exports = function (set, fn, interruptible) { - return interruptible ? iterateSimple({ iterator: keys(set), next: next }, fn) : forEach(set, fn); -}; diff --git a/node_modules/core-js/internals/set-method-accept-set-like.js b/node_modules/core-js/internals/set-method-accept-set-like.js deleted file mode 100644 index 6790879..0000000 --- a/node_modules/core-js/internals/set-method-accept-set-like.js +++ /dev/null @@ -1,35 +0,0 @@ -'use strict'; -var getBuiltIn = require('../internals/get-built-in'); - -var createSetLike = function (size) { - return { - size: size, - has: function () { - return false; - }, - keys: function () { - return { - next: function () { - return { done: true }; - } - }; - } - }; -}; - -module.exports = function (name) { - var Set = getBuiltIn('Set'); - try { - new Set()[name](createSetLike(0)); - try { - // late spec change, early WebKit ~ Safari 17.0 beta implementation does not pass it - // https://github.com/tc39/proposal-set-methods/pull/88 - new Set()[name](createSetLike(-1)); - return false; - } catch (error2) { - return true; - } - } catch (error) { - return false; - } -}; diff --git a/node_modules/core-js/internals/set-size.js b/node_modules/core-js/internals/set-size.js deleted file mode 100644 index 19df5c8..0000000 --- a/node_modules/core-js/internals/set-size.js +++ /dev/null @@ -1,7 +0,0 @@ -'use strict'; -var uncurryThisAccessor = require('../internals/function-uncurry-this-accessor'); -var SetHelpers = require('../internals/set-helpers'); - -module.exports = uncurryThisAccessor(SetHelpers.proto, 'size', 'get') || function (set) { - return set.size; -}; diff --git a/node_modules/core-js/internals/set-species.js b/node_modules/core-js/internals/set-species.js deleted file mode 100644 index fd92a4d..0000000 --- a/node_modules/core-js/internals/set-species.js +++ /dev/null @@ -1,18 +0,0 @@ -'use strict'; -var getBuiltIn = require('../internals/get-built-in'); -var defineBuiltInAccessor = require('../internals/define-built-in-accessor'); -var wellKnownSymbol = require('../internals/well-known-symbol'); -var DESCRIPTORS = require('../internals/descriptors'); - -var SPECIES = wellKnownSymbol('species'); - -module.exports = function (CONSTRUCTOR_NAME) { - var Constructor = getBuiltIn(CONSTRUCTOR_NAME); - - if (DESCRIPTORS && Constructor && !Constructor[SPECIES]) { - defineBuiltInAccessor(Constructor, SPECIES, { - configurable: true, - get: function () { return this; } - }); - } -}; diff --git a/node_modules/core-js/internals/set-symmetric-difference.js b/node_modules/core-js/internals/set-symmetric-difference.js deleted file mode 100644 index acd1c46..0000000 --- a/node_modules/core-js/internals/set-symmetric-difference.js +++ /dev/null @@ -1,23 +0,0 @@ -'use strict'; -var aSet = require('../internals/a-set'); -var SetHelpers = require('../internals/set-helpers'); -var clone = require('../internals/set-clone'); -var getSetRecord = require('../internals/get-set-record'); -var iterateSimple = require('../internals/iterate-simple'); - -var add = SetHelpers.add; -var has = SetHelpers.has; -var remove = SetHelpers.remove; - -// `Set.prototype.symmetricDifference` method -// https://github.com/tc39/proposal-set-methods -module.exports = function symmetricDifference(other) { - var O = aSet(this); - var keysIter = getSetRecord(other).getIterator(); - var result = clone(O); - iterateSimple(keysIter, function (e) { - if (has(O, e)) remove(result, e); - else add(result, e); - }); - return result; -}; diff --git a/node_modules/core-js/internals/set-to-string-tag.js b/node_modules/core-js/internals/set-to-string-tag.js deleted file mode 100644 index 1dd0052..0000000 --- a/node_modules/core-js/internals/set-to-string-tag.js +++ /dev/null @@ -1,13 +0,0 @@ -'use strict'; -var defineProperty = require('../internals/object-define-property').f; -var hasOwn = require('../internals/has-own-property'); -var wellKnownSymbol = require('../internals/well-known-symbol'); - -var TO_STRING_TAG = wellKnownSymbol('toStringTag'); - -module.exports = function (target, TAG, STATIC) { - if (target && !STATIC) target = target.prototype; - if (target && !hasOwn(target, TO_STRING_TAG)) { - defineProperty(target, TO_STRING_TAG, { configurable: true, value: TAG }); - } -}; diff --git a/node_modules/core-js/internals/set-union.js b/node_modules/core-js/internals/set-union.js deleted file mode 100644 index 51e38d0..0000000 --- a/node_modules/core-js/internals/set-union.js +++ /dev/null @@ -1,18 +0,0 @@ -'use strict'; -var aSet = require('../internals/a-set'); -var add = require('../internals/set-helpers').add; -var clone = require('../internals/set-clone'); -var getSetRecord = require('../internals/get-set-record'); -var iterateSimple = require('../internals/iterate-simple'); - -// `Set.prototype.union` method -// https://github.com/tc39/proposal-set-methods -module.exports = function union(other) { - var O = aSet(this); - var keysIter = getSetRecord(other).getIterator(); - var result = clone(O); - iterateSimple(keysIter, function (it) { - add(result, it); - }); - return result; -}; diff --git a/node_modules/core-js/internals/shared-key.js b/node_modules/core-js/internals/shared-key.js deleted file mode 100644 index 157f98e..0000000 --- a/node_modules/core-js/internals/shared-key.js +++ /dev/null @@ -1,9 +0,0 @@ -'use strict'; -var shared = require('../internals/shared'); -var uid = require('../internals/uid'); - -var keys = shared('keys'); - -module.exports = function (key) { - return keys[key] || (keys[key] = uid(key)); -}; diff --git a/node_modules/core-js/internals/shared-store.js b/node_modules/core-js/internals/shared-store.js deleted file mode 100644 index 2a0f7d6..0000000 --- a/node_modules/core-js/internals/shared-store.js +++ /dev/null @@ -1,8 +0,0 @@ -'use strict'; -var global = require('../internals/global'); -var defineGlobalProperty = require('../internals/define-global-property'); - -var SHARED = '__core-js_shared__'; -var store = global[SHARED] || defineGlobalProperty(SHARED, {}); - -module.exports = store; diff --git a/node_modules/core-js/internals/shared.js b/node_modules/core-js/internals/shared.js deleted file mode 100644 index db76869..0000000 --- a/node_modules/core-js/internals/shared.js +++ /dev/null @@ -1,13 +0,0 @@ -'use strict'; -var IS_PURE = require('../internals/is-pure'); -var store = require('../internals/shared-store'); - -(module.exports = function (key, value) { - return store[key] || (store[key] = value !== undefined ? value : {}); -})('versions', []).push({ - version: '3.35.0', - mode: IS_PURE ? 'pure' : 'global', - copyright: '© 2014-2023 Denis Pushkarev (zloirock.ru)', - license: 'https://github.com/zloirock/core-js/blob/v3.35.0/LICENSE', - source: 'https://github.com/zloirock/core-js' -}); diff --git a/node_modules/core-js/internals/species-constructor.js b/node_modules/core-js/internals/species-constructor.js deleted file mode 100644 index 5627cde..0000000 --- a/node_modules/core-js/internals/species-constructor.js +++ /dev/null @@ -1,15 +0,0 @@ -'use strict'; -var anObject = require('../internals/an-object'); -var aConstructor = require('../internals/a-constructor'); -var isNullOrUndefined = require('../internals/is-null-or-undefined'); -var wellKnownSymbol = require('../internals/well-known-symbol'); - -var SPECIES = wellKnownSymbol('species'); - -// `SpeciesConstructor` abstract operation -// https://tc39.es/ecma262/#sec-speciesconstructor -module.exports = function (O, defaultConstructor) { - var C = anObject(O).constructor; - var S; - return C === undefined || isNullOrUndefined(S = anObject(C)[SPECIES]) ? defaultConstructor : aConstructor(S); -}; diff --git a/node_modules/core-js/internals/string-cooked.js b/node_modules/core-js/internals/string-cooked.js deleted file mode 100644 index c0b58ea..0000000 --- a/node_modules/core-js/internals/string-cooked.js +++ /dev/null @@ -1,27 +0,0 @@ -'use strict'; -var uncurryThis = require('../internals/function-uncurry-this'); -var toIndexedObject = require('../internals/to-indexed-object'); -var toString = require('../internals/to-string'); -var lengthOfArrayLike = require('../internals/length-of-array-like'); - -var $TypeError = TypeError; -var push = uncurryThis([].push); -var join = uncurryThis([].join); - -// `String.cooked` method -// https://tc39.es/proposal-string-cooked/ -module.exports = function cooked(template /* , ...substitutions */) { - var cookedTemplate = toIndexedObject(template); - var literalSegments = lengthOfArrayLike(cookedTemplate); - if (!literalSegments) return ''; - var argumentsLength = arguments.length; - var elements = []; - var i = 0; - while (true) { - var nextVal = cookedTemplate[i++]; - if (nextVal === undefined) throw new $TypeError('Incorrect template'); - push(elements, toString(nextVal)); - if (i === literalSegments) return join(elements, ''); - if (i < argumentsLength) push(elements, toString(arguments[i])); - } -}; diff --git a/node_modules/core-js/internals/string-html-forced.js b/node_modules/core-js/internals/string-html-forced.js deleted file mode 100644 index d6470d0..0000000 --- a/node_modules/core-js/internals/string-html-forced.js +++ /dev/null @@ -1,11 +0,0 @@ -'use strict'; -var fails = require('../internals/fails'); - -// check the existence of a method, lowercase -// of a tag and escaping quotes in arguments -module.exports = function (METHOD_NAME) { - return fails(function () { - var test = ''[METHOD_NAME]('"'); - return test !== test.toLowerCase() || test.split('"').length > 3; - }); -}; diff --git a/node_modules/core-js/internals/string-multibyte.js b/node_modules/core-js/internals/string-multibyte.js deleted file mode 100644 index d4093a7..0000000 --- a/node_modules/core-js/internals/string-multibyte.js +++ /dev/null @@ -1,37 +0,0 @@ -'use strict'; -var uncurryThis = require('../internals/function-uncurry-this'); -var toIntegerOrInfinity = require('../internals/to-integer-or-infinity'); -var toString = require('../internals/to-string'); -var requireObjectCoercible = require('../internals/require-object-coercible'); - -var charAt = uncurryThis(''.charAt); -var charCodeAt = uncurryThis(''.charCodeAt); -var stringSlice = uncurryThis(''.slice); - -var createMethod = function (CONVERT_TO_STRING) { - return function ($this, pos) { - var S = toString(requireObjectCoercible($this)); - var position = toIntegerOrInfinity(pos); - var size = S.length; - var first, second; - if (position < 0 || position >= size) return CONVERT_TO_STRING ? '' : undefined; - first = charCodeAt(S, position); - return first < 0xD800 || first > 0xDBFF || position + 1 === size - || (second = charCodeAt(S, position + 1)) < 0xDC00 || second > 0xDFFF - ? CONVERT_TO_STRING - ? charAt(S, position) - : first - : CONVERT_TO_STRING - ? stringSlice(S, position, position + 2) - : (first - 0xD800 << 10) + (second - 0xDC00) + 0x10000; - }; -}; - -module.exports = { - // `String.prototype.codePointAt` method - // https://tc39.es/ecma262/#sec-string.prototype.codepointat - codeAt: createMethod(false), - // `String.prototype.at` method - // https://github.com/mathiasbynens/String.prototype.at - charAt: createMethod(true) -}; diff --git a/node_modules/core-js/internals/string-pad-webkit-bug.js b/node_modules/core-js/internals/string-pad-webkit-bug.js deleted file mode 100644 index 0f6ae01..0000000 --- a/node_modules/core-js/internals/string-pad-webkit-bug.js +++ /dev/null @@ -1,5 +0,0 @@ -'use strict'; -// https://github.com/zloirock/core-js/issues/280 -var userAgent = require('../internals/engine-user-agent'); - -module.exports = /Version\/10(?:\.\d+){1,2}(?: [\w./]+)?(?: Mobile\/\w+)? Safari\//.test(userAgent); diff --git a/node_modules/core-js/internals/string-pad.js b/node_modules/core-js/internals/string-pad.js deleted file mode 100644 index 419e904..0000000 --- a/node_modules/core-js/internals/string-pad.js +++ /dev/null @@ -1,36 +0,0 @@ -'use strict'; -// https://github.com/tc39/proposal-string-pad-start-end -var uncurryThis = require('../internals/function-uncurry-this'); -var toLength = require('../internals/to-length'); -var toString = require('../internals/to-string'); -var $repeat = require('../internals/string-repeat'); -var requireObjectCoercible = require('../internals/require-object-coercible'); - -var repeat = uncurryThis($repeat); -var stringSlice = uncurryThis(''.slice); -var ceil = Math.ceil; - -// `String.prototype.{ padStart, padEnd }` methods implementation -var createMethod = function (IS_END) { - return function ($this, maxLength, fillString) { - var S = toString(requireObjectCoercible($this)); - var intMaxLength = toLength(maxLength); - var stringLength = S.length; - var fillStr = fillString === undefined ? ' ' : toString(fillString); - var fillLen, stringFiller; - if (intMaxLength <= stringLength || fillStr === '') return S; - fillLen = intMaxLength - stringLength; - stringFiller = repeat(fillStr, ceil(fillLen / fillStr.length)); - if (stringFiller.length > fillLen) stringFiller = stringSlice(stringFiller, 0, fillLen); - return IS_END ? S + stringFiller : stringFiller + S; - }; -}; - -module.exports = { - // `String.prototype.padStart` method - // https://tc39.es/ecma262/#sec-string.prototype.padstart - start: createMethod(false), - // `String.prototype.padEnd` method - // https://tc39.es/ecma262/#sec-string.prototype.padend - end: createMethod(true) -}; diff --git a/node_modules/core-js/internals/string-parse.js b/node_modules/core-js/internals/string-parse.js deleted file mode 100644 index e7196f4..0000000 --- a/node_modules/core-js/internals/string-parse.js +++ /dev/null @@ -1,119 +0,0 @@ -'use strict'; -// adapted from https://github.com/jridgewell/string-dedent -var getBuiltIn = require('../internals/get-built-in'); -var uncurryThis = require('../internals/function-uncurry-this'); - -var fromCharCode = String.fromCharCode; -var fromCodePoint = getBuiltIn('String', 'fromCodePoint'); -var charAt = uncurryThis(''.charAt); -var charCodeAt = uncurryThis(''.charCodeAt); -var stringIndexOf = uncurryThis(''.indexOf); -var stringSlice = uncurryThis(''.slice); - -var ZERO_CODE = 48; -var NINE_CODE = 57; -var LOWER_A_CODE = 97; -var LOWER_F_CODE = 102; -var UPPER_A_CODE = 65; -var UPPER_F_CODE = 70; - -var isDigit = function (str, index) { - var c = charCodeAt(str, index); - return c >= ZERO_CODE && c <= NINE_CODE; -}; - -var parseHex = function (str, index, end) { - if (end >= str.length) return -1; - var n = 0; - for (; index < end; index++) { - var c = hexToInt(charCodeAt(str, index)); - if (c === -1) return -1; - n = n * 16 + c; - } - return n; -}; - -var hexToInt = function (c) { - if (c >= ZERO_CODE && c <= NINE_CODE) return c - ZERO_CODE; - if (c >= LOWER_A_CODE && c <= LOWER_F_CODE) return c - LOWER_A_CODE + 10; - if (c >= UPPER_A_CODE && c <= UPPER_F_CODE) return c - UPPER_A_CODE + 10; - return -1; -}; - -module.exports = function (raw) { - var out = ''; - var start = 0; - // We need to find every backslash escape sequence, and cook the escape into a real char. - var i = 0; - var n; - while ((i = stringIndexOf(raw, '\\', i)) > -1) { - out += stringSlice(raw, start, i); - // If the backslash is the last char of the string, then it was an invalid sequence. - // This can't actually happen in a tagged template literal, but could happen if you manually - // invoked the tag with an array. - if (++i === raw.length) return; - var next = charAt(raw, i++); - switch (next) { - // Escaped control codes need to be individually processed. - case 'b': - out += '\b'; - break; - case 't': - out += '\t'; - break; - case 'n': - out += '\n'; - break; - case 'v': - out += '\v'; - break; - case 'f': - out += '\f'; - break; - case 'r': - out += '\r'; - break; - // Escaped line terminators just skip the char. - case '\r': - // Treat `\r\n` as a single terminator. - if (i < raw.length && charAt(raw, i) === '\n') ++i; - // break omitted - case '\n': - case '\u2028': - case '\u2029': - break; - // `\0` is a null control char, but `\0` followed by another digit is an illegal octal escape. - case '0': - if (isDigit(raw, i)) return; - out += '\0'; - break; - // Hex escapes must contain 2 hex chars. - case 'x': - n = parseHex(raw, i, i + 2); - if (n === -1) return; - i += 2; - out += fromCharCode(n); - break; - // Unicode escapes contain either 4 chars, or an unlimited number between `{` and `}`. - // The hex value must not overflow 0x10FFFF. - case 'u': - if (i < raw.length && charAt(raw, i) === '{') { - var end = stringIndexOf(raw, '}', ++i); - if (end === -1) return; - n = parseHex(raw, i, end); - i = end + 1; - } else { - n = parseHex(raw, i, i + 4); - i += 4; - } - if (n === -1 || n > 0x10FFFF) return; - out += fromCodePoint(n); - break; - default: - if (isDigit(next, 0)) return; - out += next; - } - start = i; - } - return out + stringSlice(raw, start); -}; diff --git a/node_modules/core-js/internals/string-punycode-to-ascii.js b/node_modules/core-js/internals/string-punycode-to-ascii.js deleted file mode 100644 index 6e39746..0000000 --- a/node_modules/core-js/internals/string-punycode-to-ascii.js +++ /dev/null @@ -1,181 +0,0 @@ -'use strict'; -// based on https://github.com/bestiejs/punycode.js/blob/master/punycode.js -var uncurryThis = require('../internals/function-uncurry-this'); - -var maxInt = 2147483647; // aka. 0x7FFFFFFF or 2^31-1 -var base = 36; -var tMin = 1; -var tMax = 26; -var skew = 38; -var damp = 700; -var initialBias = 72; -var initialN = 128; // 0x80 -var delimiter = '-'; // '\x2D' -var regexNonASCII = /[^\0-\u007E]/; // non-ASCII chars -var regexSeparators = /[.\u3002\uFF0E\uFF61]/g; // RFC 3490 separators -var OVERFLOW_ERROR = 'Overflow: input needs wider integers to process'; -var baseMinusTMin = base - tMin; - -var $RangeError = RangeError; -var exec = uncurryThis(regexSeparators.exec); -var floor = Math.floor; -var fromCharCode = String.fromCharCode; -var charCodeAt = uncurryThis(''.charCodeAt); -var join = uncurryThis([].join); -var push = uncurryThis([].push); -var replace = uncurryThis(''.replace); -var split = uncurryThis(''.split); -var toLowerCase = uncurryThis(''.toLowerCase); - -/** - * Creates an array containing the numeric code points of each Unicode - * character in the string. While JavaScript uses UCS-2 internally, - * this function will convert a pair of surrogate halves (each of which - * UCS-2 exposes as separate characters) into a single code point, - * matching UTF-16. - */ -var ucs2decode = function (string) { - var output = []; - var counter = 0; - var length = string.length; - while (counter < length) { - var value = charCodeAt(string, counter++); - if (value >= 0xD800 && value <= 0xDBFF && counter < length) { - // It's a high surrogate, and there is a next character. - var extra = charCodeAt(string, counter++); - if ((extra & 0xFC00) === 0xDC00) { // Low surrogate. - push(output, ((value & 0x3FF) << 10) + (extra & 0x3FF) + 0x10000); - } else { - // It's an unmatched surrogate; only append this code unit, in case the - // next code unit is the high surrogate of a surrogate pair. - push(output, value); - counter--; - } - } else { - push(output, value); - } - } - return output; -}; - -/** - * Converts a digit/integer into a basic code point. - */ -var digitToBasic = function (digit) { - // 0..25 map to ASCII a..z or A..Z - // 26..35 map to ASCII 0..9 - return digit + 22 + 75 * (digit < 26); -}; - -/** - * Bias adaptation function as per section 3.4 of RFC 3492. - * https://tools.ietf.org/html/rfc3492#section-3.4 - */ -var adapt = function (delta, numPoints, firstTime) { - var k = 0; - delta = firstTime ? floor(delta / damp) : delta >> 1; - delta += floor(delta / numPoints); - while (delta > baseMinusTMin * tMax >> 1) { - delta = floor(delta / baseMinusTMin); - k += base; - } - return floor(k + (baseMinusTMin + 1) * delta / (delta + skew)); -}; - -/** - * Converts a string of Unicode symbols (e.g. a domain name label) to a - * Punycode string of ASCII-only symbols. - */ -var encode = function (input) { - var output = []; - - // Convert the input in UCS-2 to an array of Unicode code points. - input = ucs2decode(input); - - // Cache the length. - var inputLength = input.length; - - // Initialize the state. - var n = initialN; - var delta = 0; - var bias = initialBias; - var i, currentValue; - - // Handle the basic code points. - for (i = 0; i < input.length; i++) { - currentValue = input[i]; - if (currentValue < 0x80) { - push(output, fromCharCode(currentValue)); - } - } - - var basicLength = output.length; // number of basic code points. - var handledCPCount = basicLength; // number of code points that have been handled; - - // Finish the basic string with a delimiter unless it's empty. - if (basicLength) { - push(output, delimiter); - } - - // Main encoding loop: - while (handledCPCount < inputLength) { - // All non-basic code points < n have been handled already. Find the next larger one: - var m = maxInt; - for (i = 0; i < input.length; i++) { - currentValue = input[i]; - if (currentValue >= n && currentValue < m) { - m = currentValue; - } - } - - // Increase `delta` enough to advance the decoder's state to , but guard against overflow. - var handledCPCountPlusOne = handledCPCount + 1; - if (m - n > floor((maxInt - delta) / handledCPCountPlusOne)) { - throw new $RangeError(OVERFLOW_ERROR); - } - - delta += (m - n) * handledCPCountPlusOne; - n = m; - - for (i = 0; i < input.length; i++) { - currentValue = input[i]; - if (currentValue < n && ++delta > maxInt) { - throw new $RangeError(OVERFLOW_ERROR); - } - if (currentValue === n) { - // Represent delta as a generalized variable-length integer. - var q = delta; - var k = base; - while (true) { - var t = k <= bias ? tMin : k >= bias + tMax ? tMax : k - bias; - if (q < t) break; - var qMinusT = q - t; - var baseMinusT = base - t; - push(output, fromCharCode(digitToBasic(t + qMinusT % baseMinusT))); - q = floor(qMinusT / baseMinusT); - k += base; - } - - push(output, fromCharCode(digitToBasic(q))); - bias = adapt(delta, handledCPCountPlusOne, handledCPCount === basicLength); - delta = 0; - handledCPCount++; - } - } - - delta++; - n++; - } - return join(output, ''); -}; - -module.exports = function (input) { - var encoded = []; - var labels = split(replace(toLowerCase(input), regexSeparators, '\u002E'), '.'); - var i, label; - for (i = 0; i < labels.length; i++) { - label = labels[i]; - push(encoded, exec(regexNonASCII, label) ? 'xn--' + encode(label) : label); - } - return join(encoded, '.'); -}; diff --git a/node_modules/core-js/internals/string-repeat.js b/node_modules/core-js/internals/string-repeat.js deleted file mode 100644 index 5d0460e..0000000 --- a/node_modules/core-js/internals/string-repeat.js +++ /dev/null @@ -1,17 +0,0 @@ -'use strict'; -var toIntegerOrInfinity = require('../internals/to-integer-or-infinity'); -var toString = require('../internals/to-string'); -var requireObjectCoercible = require('../internals/require-object-coercible'); - -var $RangeError = RangeError; - -// `String.prototype.repeat` method implementation -// https://tc39.es/ecma262/#sec-string.prototype.repeat -module.exports = function repeat(count) { - var str = toString(requireObjectCoercible(this)); - var result = ''; - var n = toIntegerOrInfinity(count); - if (n < 0 || n === Infinity) throw new $RangeError('Wrong number of repetitions'); - for (;n > 0; (n >>>= 1) && (str += str)) if (n & 1) result += str; - return result; -}; diff --git a/node_modules/core-js/internals/string-trim-end.js b/node_modules/core-js/internals/string-trim-end.js deleted file mode 100644 index a57c7d6..0000000 --- a/node_modules/core-js/internals/string-trim-end.js +++ /dev/null @@ -1,11 +0,0 @@ -'use strict'; -var $trimEnd = require('../internals/string-trim').end; -var forcedStringTrimMethod = require('../internals/string-trim-forced'); - -// `String.prototype.{ trimEnd, trimRight }` method -// https://tc39.es/ecma262/#sec-string.prototype.trimend -// https://tc39.es/ecma262/#String.prototype.trimright -module.exports = forcedStringTrimMethod('trimEnd') ? function trimEnd() { - return $trimEnd(this); -// eslint-disable-next-line es/no-string-prototype-trimstart-trimend -- safe -} : ''.trimEnd; diff --git a/node_modules/core-js/internals/string-trim-forced.js b/node_modules/core-js/internals/string-trim-forced.js deleted file mode 100644 index 86b7160..0000000 --- a/node_modules/core-js/internals/string-trim-forced.js +++ /dev/null @@ -1,16 +0,0 @@ -'use strict'; -var PROPER_FUNCTION_NAME = require('../internals/function-name').PROPER; -var fails = require('../internals/fails'); -var whitespaces = require('../internals/whitespaces'); - -var non = '\u200B\u0085\u180E'; - -// check that a method works with the correct list -// of whitespaces and has a correct name -module.exports = function (METHOD_NAME) { - return fails(function () { - return !!whitespaces[METHOD_NAME]() - || non[METHOD_NAME]() !== non - || (PROPER_FUNCTION_NAME && whitespaces[METHOD_NAME].name !== METHOD_NAME); - }); -}; diff --git a/node_modules/core-js/internals/string-trim-start.js b/node_modules/core-js/internals/string-trim-start.js deleted file mode 100644 index b1e16cf..0000000 --- a/node_modules/core-js/internals/string-trim-start.js +++ /dev/null @@ -1,11 +0,0 @@ -'use strict'; -var $trimStart = require('../internals/string-trim').start; -var forcedStringTrimMethod = require('../internals/string-trim-forced'); - -// `String.prototype.{ trimStart, trimLeft }` method -// https://tc39.es/ecma262/#sec-string.prototype.trimstart -// https://tc39.es/ecma262/#String.prototype.trimleft -module.exports = forcedStringTrimMethod('trimStart') ? function trimStart() { - return $trimStart(this); -// eslint-disable-next-line es/no-string-prototype-trimstart-trimend -- safe -} : ''.trimStart; diff --git a/node_modules/core-js/internals/string-trim.js b/node_modules/core-js/internals/string-trim.js deleted file mode 100644 index 01379b5..0000000 --- a/node_modules/core-js/internals/string-trim.js +++ /dev/null @@ -1,31 +0,0 @@ -'use strict'; -var uncurryThis = require('../internals/function-uncurry-this'); -var requireObjectCoercible = require('../internals/require-object-coercible'); -var toString = require('../internals/to-string'); -var whitespaces = require('../internals/whitespaces'); - -var replace = uncurryThis(''.replace); -var ltrim = RegExp('^[' + whitespaces + ']+'); -var rtrim = RegExp('(^|[^' + whitespaces + '])[' + whitespaces + ']+$'); - -// `String.prototype.{ trim, trimStart, trimEnd, trimLeft, trimRight }` methods implementation -var createMethod = function (TYPE) { - return function ($this) { - var string = toString(requireObjectCoercible($this)); - if (TYPE & 1) string = replace(string, ltrim, ''); - if (TYPE & 2) string = replace(string, rtrim, '$1'); - return string; - }; -}; - -module.exports = { - // `String.prototype.{ trimLeft, trimStart }` methods - // https://tc39.es/ecma262/#sec-string.prototype.trimstart - start: createMethod(1), - // `String.prototype.{ trimRight, trimEnd }` methods - // https://tc39.es/ecma262/#sec-string.prototype.trimend - end: createMethod(2), - // `String.prototype.trim` method - // https://tc39.es/ecma262/#sec-string.prototype.trim - trim: createMethod(3) -}; diff --git a/node_modules/core-js/internals/structured-clone-proper-transfer.js b/node_modules/core-js/internals/structured-clone-proper-transfer.js deleted file mode 100644 index d2dafb5..0000000 --- a/node_modules/core-js/internals/structured-clone-proper-transfer.js +++ /dev/null @@ -1,18 +0,0 @@ -'use strict'; -var global = require('../internals/global'); -var fails = require('../internals/fails'); -var V8 = require('../internals/engine-v8-version'); -var IS_BROWSER = require('../internals/engine-is-browser'); -var IS_DENO = require('../internals/engine-is-deno'); -var IS_NODE = require('../internals/engine-is-node'); - -var structuredClone = global.structuredClone; - -module.exports = !!structuredClone && !fails(function () { - // prevent V8 ArrayBufferDetaching protector cell invalidation and performance degradation - // https://github.com/zloirock/core-js/issues/679 - if ((IS_DENO && V8 > 92) || (IS_NODE && V8 > 94) || (IS_BROWSER && V8 > 97)) return false; - var buffer = new ArrayBuffer(8); - var clone = structuredClone(buffer, { transfer: [buffer] }); - return buffer.byteLength !== 0 || clone.byteLength !== 8; -}); diff --git a/node_modules/core-js/internals/symbol-constructor-detection.js b/node_modules/core-js/internals/symbol-constructor-detection.js deleted file mode 100644 index d77be07..0000000 --- a/node_modules/core-js/internals/symbol-constructor-detection.js +++ /dev/null @@ -1,19 +0,0 @@ -'use strict'; -/* eslint-disable es/no-symbol -- required for testing */ -var V8_VERSION = require('../internals/engine-v8-version'); -var fails = require('../internals/fails'); -var global = require('../internals/global'); - -var $String = global.String; - -// eslint-disable-next-line es/no-object-getownpropertysymbols -- required for testing -module.exports = !!Object.getOwnPropertySymbols && !fails(function () { - var symbol = Symbol('symbol detection'); - // Chrome 38 Symbol has incorrect toString conversion - // `get-own-property-symbols` polyfill symbols converted to object are not Symbol instances - // nb: Do not call `String` directly to avoid this being optimized out to `symbol+''` which will, - // of course, fail. - return !$String(symbol) || !(Object(symbol) instanceof Symbol) || - // Chrome 38-40 symbols are not inherited from DOM collections prototypes to instances - !Symbol.sham && V8_VERSION && V8_VERSION < 41; -}); diff --git a/node_modules/core-js/internals/symbol-define-to-primitive.js b/node_modules/core-js/internals/symbol-define-to-primitive.js deleted file mode 100644 index 67fb785..0000000 --- a/node_modules/core-js/internals/symbol-define-to-primitive.js +++ /dev/null @@ -1,21 +0,0 @@ -'use strict'; -var call = require('../internals/function-call'); -var getBuiltIn = require('../internals/get-built-in'); -var wellKnownSymbol = require('../internals/well-known-symbol'); -var defineBuiltIn = require('../internals/define-built-in'); - -module.exports = function () { - var Symbol = getBuiltIn('Symbol'); - var SymbolPrototype = Symbol && Symbol.prototype; - var valueOf = SymbolPrototype && SymbolPrototype.valueOf; - var TO_PRIMITIVE = wellKnownSymbol('toPrimitive'); - - if (SymbolPrototype && !SymbolPrototype[TO_PRIMITIVE]) { - // `Symbol.prototype[@@toPrimitive]` method - // https://tc39.es/ecma262/#sec-symbol.prototype-@@toprimitive - // eslint-disable-next-line no-unused-vars -- required for .length - defineBuiltIn(SymbolPrototype, TO_PRIMITIVE, function (hint) { - return call(valueOf, this); - }, { arity: 1 }); - } -}; diff --git a/node_modules/core-js/internals/symbol-is-registered.js b/node_modules/core-js/internals/symbol-is-registered.js deleted file mode 100644 index 9c35d70..0000000 --- a/node_modules/core-js/internals/symbol-is-registered.js +++ /dev/null @@ -1,17 +0,0 @@ -'use strict'; -var getBuiltIn = require('../internals/get-built-in'); -var uncurryThis = require('../internals/function-uncurry-this'); - -var Symbol = getBuiltIn('Symbol'); -var keyFor = Symbol.keyFor; -var thisSymbolValue = uncurryThis(Symbol.prototype.valueOf); - -// `Symbol.isRegisteredSymbol` method -// https://tc39.es/proposal-symbol-predicates/#sec-symbol-isregisteredsymbol -module.exports = Symbol.isRegisteredSymbol || function isRegisteredSymbol(value) { - try { - return keyFor(thisSymbolValue(value)) !== undefined; - } catch (error) { - return false; - } -}; diff --git a/node_modules/core-js/internals/symbol-is-well-known.js b/node_modules/core-js/internals/symbol-is-well-known.js deleted file mode 100644 index 50ec53e..0000000 --- a/node_modules/core-js/internals/symbol-is-well-known.js +++ /dev/null @@ -1,35 +0,0 @@ -'use strict'; -var shared = require('../internals/shared'); -var getBuiltIn = require('../internals/get-built-in'); -var uncurryThis = require('../internals/function-uncurry-this'); -var isSymbol = require('../internals/is-symbol'); -var wellKnownSymbol = require('../internals/well-known-symbol'); - -var Symbol = getBuiltIn('Symbol'); -var $isWellKnownSymbol = Symbol.isWellKnownSymbol; -var getOwnPropertyNames = getBuiltIn('Object', 'getOwnPropertyNames'); -var thisSymbolValue = uncurryThis(Symbol.prototype.valueOf); -var WellKnownSymbolsStore = shared('wks'); - -for (var i = 0, symbolKeys = getOwnPropertyNames(Symbol), symbolKeysLength = symbolKeys.length; i < symbolKeysLength; i++) { - // some old engines throws on access to some keys like `arguments` or `caller` - try { - var symbolKey = symbolKeys[i]; - if (isSymbol(Symbol[symbolKey])) wellKnownSymbol(symbolKey); - } catch (error) { /* empty */ } -} - -// `Symbol.isWellKnownSymbol` method -// https://tc39.es/proposal-symbol-predicates/#sec-symbol-iswellknownsymbol -// We should patch it for newly added well-known symbols. If it's not required, this module just will not be injected -module.exports = function isWellKnownSymbol(value) { - if ($isWellKnownSymbol && $isWellKnownSymbol(value)) return true; - try { - var symbol = thisSymbolValue(value); - for (var j = 0, keys = getOwnPropertyNames(WellKnownSymbolsStore), keysLength = keys.length; j < keysLength; j++) { - // eslint-disable-next-line eqeqeq -- polyfilled symbols case - if (WellKnownSymbolsStore[keys[j]] == symbol) return true; - } - } catch (error) { /* empty */ } - return false; -}; diff --git a/node_modules/core-js/internals/symbol-registry-detection.js b/node_modules/core-js/internals/symbol-registry-detection.js deleted file mode 100644 index d6fec44..0000000 --- a/node_modules/core-js/internals/symbol-registry-detection.js +++ /dev/null @@ -1,5 +0,0 @@ -'use strict'; -var NATIVE_SYMBOL = require('../internals/symbol-constructor-detection'); - -/* eslint-disable es/no-symbol -- safe */ -module.exports = NATIVE_SYMBOL && !!Symbol['for'] && !!Symbol.keyFor; diff --git a/node_modules/core-js/internals/task.js b/node_modules/core-js/internals/task.js deleted file mode 100644 index d961f40..0000000 --- a/node_modules/core-js/internals/task.js +++ /dev/null @@ -1,117 +0,0 @@ -'use strict'; -var global = require('../internals/global'); -var apply = require('../internals/function-apply'); -var bind = require('../internals/function-bind-context'); -var isCallable = require('../internals/is-callable'); -var hasOwn = require('../internals/has-own-property'); -var fails = require('../internals/fails'); -var html = require('../internals/html'); -var arraySlice = require('../internals/array-slice'); -var createElement = require('../internals/document-create-element'); -var validateArgumentsLength = require('../internals/validate-arguments-length'); -var IS_IOS = require('../internals/engine-is-ios'); -var IS_NODE = require('../internals/engine-is-node'); - -var set = global.setImmediate; -var clear = global.clearImmediate; -var process = global.process; -var Dispatch = global.Dispatch; -var Function = global.Function; -var MessageChannel = global.MessageChannel; -var String = global.String; -var counter = 0; -var queue = {}; -var ONREADYSTATECHANGE = 'onreadystatechange'; -var $location, defer, channel, port; - -fails(function () { - // Deno throws a ReferenceError on `location` access without `--location` flag - $location = global.location; -}); - -var run = function (id) { - if (hasOwn(queue, id)) { - var fn = queue[id]; - delete queue[id]; - fn(); - } -}; - -var runner = function (id) { - return function () { - run(id); - }; -}; - -var eventListener = function (event) { - run(event.data); -}; - -var globalPostMessageDefer = function (id) { - // old engines have not location.origin - global.postMessage(String(id), $location.protocol + '//' + $location.host); -}; - -// Node.js 0.9+ & IE10+ has setImmediate, otherwise: -if (!set || !clear) { - set = function setImmediate(handler) { - validateArgumentsLength(arguments.length, 1); - var fn = isCallable(handler) ? handler : Function(handler); - var args = arraySlice(arguments, 1); - queue[++counter] = function () { - apply(fn, undefined, args); - }; - defer(counter); - return counter; - }; - clear = function clearImmediate(id) { - delete queue[id]; - }; - // Node.js 0.8- - if (IS_NODE) { - defer = function (id) { - process.nextTick(runner(id)); - }; - // Sphere (JS game engine) Dispatch API - } else if (Dispatch && Dispatch.now) { - defer = function (id) { - Dispatch.now(runner(id)); - }; - // Browsers with MessageChannel, includes WebWorkers - // except iOS - https://github.com/zloirock/core-js/issues/624 - } else if (MessageChannel && !IS_IOS) { - channel = new MessageChannel(); - port = channel.port2; - channel.port1.onmessage = eventListener; - defer = bind(port.postMessage, port); - // Browsers with postMessage, skip WebWorkers - // IE8 has postMessage, but it's sync & typeof its postMessage is 'object' - } else if ( - global.addEventListener && - isCallable(global.postMessage) && - !global.importScripts && - $location && $location.protocol !== 'file:' && - !fails(globalPostMessageDefer) - ) { - defer = globalPostMessageDefer; - global.addEventListener('message', eventListener, false); - // IE8- - } else if (ONREADYSTATECHANGE in createElement('script')) { - defer = function (id) { - html.appendChild(createElement('script'))[ONREADYSTATECHANGE] = function () { - html.removeChild(this); - run(id); - }; - }; - // Rest old browsers - } else { - defer = function (id) { - setTimeout(runner(id), 0); - }; - } -} - -module.exports = { - set: set, - clear: clear -}; diff --git a/node_modules/core-js/internals/this-number-value.js b/node_modules/core-js/internals/this-number-value.js deleted file mode 100644 index 9bd6e3d..0000000 --- a/node_modules/core-js/internals/this-number-value.js +++ /dev/null @@ -1,6 +0,0 @@ -'use strict'; -var uncurryThis = require('../internals/function-uncurry-this'); - -// `thisNumberValue` abstract operation -// https://tc39.es/ecma262/#sec-thisnumbervalue -module.exports = uncurryThis(1.0.valueOf); diff --git a/node_modules/core-js/internals/to-absolute-index.js b/node_modules/core-js/internals/to-absolute-index.js deleted file mode 100644 index 11899b3..0000000 --- a/node_modules/core-js/internals/to-absolute-index.js +++ /dev/null @@ -1,13 +0,0 @@ -'use strict'; -var toIntegerOrInfinity = require('../internals/to-integer-or-infinity'); - -var max = Math.max; -var min = Math.min; - -// Helper for a popular repeating case of the spec: -// Let integer be ? ToInteger(index). -// If integer < 0, let result be max((length + integer), 0); else let result be min(integer, length). -module.exports = function (index, length) { - var integer = toIntegerOrInfinity(index); - return integer < 0 ? max(integer + length, 0) : min(integer, length); -}; diff --git a/node_modules/core-js/internals/to-big-int.js b/node_modules/core-js/internals/to-big-int.js deleted file mode 100644 index 4e36df9..0000000 --- a/node_modules/core-js/internals/to-big-int.js +++ /dev/null @@ -1,13 +0,0 @@ -'use strict'; -var toPrimitive = require('../internals/to-primitive'); - -var $TypeError = TypeError; - -// `ToBigInt` abstract operation -// https://tc39.es/ecma262/#sec-tobigint -module.exports = function (argument) { - var prim = toPrimitive(argument, 'number'); - if (typeof prim == 'number') throw new $TypeError("Can't convert number to bigint"); - // eslint-disable-next-line es/no-bigint -- safe - return BigInt(prim); -}; diff --git a/node_modules/core-js/internals/to-index.js b/node_modules/core-js/internals/to-index.js deleted file mode 100644 index 6333381..0000000 --- a/node_modules/core-js/internals/to-index.js +++ /dev/null @@ -1,15 +0,0 @@ -'use strict'; -var toIntegerOrInfinity = require('../internals/to-integer-or-infinity'); -var toLength = require('../internals/to-length'); - -var $RangeError = RangeError; - -// `ToIndex` abstract operation -// https://tc39.es/ecma262/#sec-toindex -module.exports = function (it) { - if (it === undefined) return 0; - var number = toIntegerOrInfinity(it); - var length = toLength(number); - if (number !== length) throw new $RangeError('Wrong length or index'); - return length; -}; diff --git a/node_modules/core-js/internals/to-indexed-object.js b/node_modules/core-js/internals/to-indexed-object.js deleted file mode 100644 index 74d66d2..0000000 --- a/node_modules/core-js/internals/to-indexed-object.js +++ /dev/null @@ -1,8 +0,0 @@ -'use strict'; -// toObject with fallback for non-array-like ES3 strings -var IndexedObject = require('../internals/indexed-object'); -var requireObjectCoercible = require('../internals/require-object-coercible'); - -module.exports = function (it) { - return IndexedObject(requireObjectCoercible(it)); -}; diff --git a/node_modules/core-js/internals/to-integer-or-infinity.js b/node_modules/core-js/internals/to-integer-or-infinity.js deleted file mode 100644 index 8b27797..0000000 --- a/node_modules/core-js/internals/to-integer-or-infinity.js +++ /dev/null @@ -1,10 +0,0 @@ -'use strict'; -var trunc = require('../internals/math-trunc'); - -// `ToIntegerOrInfinity` abstract operation -// https://tc39.es/ecma262/#sec-tointegerorinfinity -module.exports = function (argument) { - var number = +argument; - // eslint-disable-next-line no-self-compare -- NaN check - return number !== number || number === 0 ? 0 : trunc(number); -}; diff --git a/node_modules/core-js/internals/to-length.js b/node_modules/core-js/internals/to-length.js deleted file mode 100644 index 5cf8615..0000000 --- a/node_modules/core-js/internals/to-length.js +++ /dev/null @@ -1,10 +0,0 @@ -'use strict'; -var toIntegerOrInfinity = require('../internals/to-integer-or-infinity'); - -var min = Math.min; - -// `ToLength` abstract operation -// https://tc39.es/ecma262/#sec-tolength -module.exports = function (argument) { - return argument > 0 ? min(toIntegerOrInfinity(argument), 0x1FFFFFFFFFFFFF) : 0; // 2 ** 53 - 1 == 9007199254740991 -}; diff --git a/node_modules/core-js/internals/to-object.js b/node_modules/core-js/internals/to-object.js deleted file mode 100644 index e5c736a..0000000 --- a/node_modules/core-js/internals/to-object.js +++ /dev/null @@ -1,10 +0,0 @@ -'use strict'; -var requireObjectCoercible = require('../internals/require-object-coercible'); - -var $Object = Object; - -// `ToObject` abstract operation -// https://tc39.es/ecma262/#sec-toobject -module.exports = function (argument) { - return $Object(requireObjectCoercible(argument)); -}; diff --git a/node_modules/core-js/internals/to-offset.js b/node_modules/core-js/internals/to-offset.js deleted file mode 100644 index 7376f6f..0000000 --- a/node_modules/core-js/internals/to-offset.js +++ /dev/null @@ -1,10 +0,0 @@ -'use strict'; -var toPositiveInteger = require('../internals/to-positive-integer'); - -var $RangeError = RangeError; - -module.exports = function (it, BYTES) { - var offset = toPositiveInteger(it); - if (offset % BYTES) throw new $RangeError('Wrong offset'); - return offset; -}; diff --git a/node_modules/core-js/internals/to-positive-integer.js b/node_modules/core-js/internals/to-positive-integer.js deleted file mode 100644 index 5376f51..0000000 --- a/node_modules/core-js/internals/to-positive-integer.js +++ /dev/null @@ -1,10 +0,0 @@ -'use strict'; -var toIntegerOrInfinity = require('../internals/to-integer-or-infinity'); - -var $RangeError = RangeError; - -module.exports = function (it) { - var result = toIntegerOrInfinity(it); - if (result < 0) throw new $RangeError("The argument can't be less than 0"); - return result; -}; diff --git a/node_modules/core-js/internals/to-primitive.js b/node_modules/core-js/internals/to-primitive.js deleted file mode 100644 index a751843..0000000 --- a/node_modules/core-js/internals/to-primitive.js +++ /dev/null @@ -1,26 +0,0 @@ -'use strict'; -var call = require('../internals/function-call'); -var isObject = require('../internals/is-object'); -var isSymbol = require('../internals/is-symbol'); -var getMethod = require('../internals/get-method'); -var ordinaryToPrimitive = require('../internals/ordinary-to-primitive'); -var wellKnownSymbol = require('../internals/well-known-symbol'); - -var $TypeError = TypeError; -var TO_PRIMITIVE = wellKnownSymbol('toPrimitive'); - -// `ToPrimitive` abstract operation -// https://tc39.es/ecma262/#sec-toprimitive -module.exports = function (input, pref) { - if (!isObject(input) || isSymbol(input)) return input; - var exoticToPrim = getMethod(input, TO_PRIMITIVE); - var result; - if (exoticToPrim) { - if (pref === undefined) pref = 'default'; - result = call(exoticToPrim, input, pref); - if (!isObject(result) || isSymbol(result)) return result; - throw new $TypeError("Can't convert object to primitive value"); - } - if (pref === undefined) pref = 'number'; - return ordinaryToPrimitive(input, pref); -}; diff --git a/node_modules/core-js/internals/to-property-key.js b/node_modules/core-js/internals/to-property-key.js deleted file mode 100644 index f11cf99..0000000 --- a/node_modules/core-js/internals/to-property-key.js +++ /dev/null @@ -1,10 +0,0 @@ -'use strict'; -var toPrimitive = require('../internals/to-primitive'); -var isSymbol = require('../internals/is-symbol'); - -// `ToPropertyKey` abstract operation -// https://tc39.es/ecma262/#sec-topropertykey -module.exports = function (argument) { - var key = toPrimitive(argument, 'string'); - return isSymbol(key) ? key : key + ''; -}; diff --git a/node_modules/core-js/internals/to-set-like.js b/node_modules/core-js/internals/to-set-like.js deleted file mode 100644 index dcdbda3..0000000 --- a/node_modules/core-js/internals/to-set-like.js +++ /dev/null @@ -1,20 +0,0 @@ -'use strict'; -var getBuiltIn = require('../internals/get-built-in'); -var isCallable = require('../internals/is-callable'); -var isIterable = require('../internals/is-iterable'); -var isObject = require('../internals/is-object'); - -var Set = getBuiltIn('Set'); - -var isSetLike = function (it) { - return isObject(it) - && typeof it.size == 'number' - && isCallable(it.has) - && isCallable(it.keys); -}; - -// fallback old -> new set methods proposal arguments -module.exports = function (it) { - if (isSetLike(it)) return it; - return isIterable(it) ? new Set(it) : it; -}; diff --git a/node_modules/core-js/internals/to-string-tag-support.js b/node_modules/core-js/internals/to-string-tag-support.js deleted file mode 100644 index 916a788..0000000 --- a/node_modules/core-js/internals/to-string-tag-support.js +++ /dev/null @@ -1,9 +0,0 @@ -'use strict'; -var wellKnownSymbol = require('../internals/well-known-symbol'); - -var TO_STRING_TAG = wellKnownSymbol('toStringTag'); -var test = {}; - -test[TO_STRING_TAG] = 'z'; - -module.exports = String(test) === '[object z]'; diff --git a/node_modules/core-js/internals/to-string.js b/node_modules/core-js/internals/to-string.js deleted file mode 100644 index 0b0fae5..0000000 --- a/node_modules/core-js/internals/to-string.js +++ /dev/null @@ -1,9 +0,0 @@ -'use strict'; -var classof = require('../internals/classof'); - -var $String = String; - -module.exports = function (argument) { - if (classof(argument) === 'Symbol') throw new TypeError('Cannot convert a Symbol value to a string'); - return $String(argument); -}; diff --git a/node_modules/core-js/internals/to-uint8-clamped.js b/node_modules/core-js/internals/to-uint8-clamped.js deleted file mode 100644 index f4bda19..0000000 --- a/node_modules/core-js/internals/to-uint8-clamped.js +++ /dev/null @@ -1,7 +0,0 @@ -'use strict'; -var round = Math.round; - -module.exports = function (it) { - var value = round(it); - return value < 0 ? 0 : value > 0xFF ? 0xFF : value & 0xFF; -}; diff --git a/node_modules/core-js/internals/try-node-require.js b/node_modules/core-js/internals/try-node-require.js deleted file mode 100644 index 4c12620..0000000 --- a/node_modules/core-js/internals/try-node-require.js +++ /dev/null @@ -1,9 +0,0 @@ -'use strict'; -var IS_NODE = require('../internals/engine-is-node'); - -module.exports = function (name) { - try { - // eslint-disable-next-line no-new-func -- safe - if (IS_NODE) return Function('return require("' + name + '")')(); - } catch (error) { /* empty */ } -}; diff --git a/node_modules/core-js/internals/try-to-string.js b/node_modules/core-js/internals/try-to-string.js deleted file mode 100644 index 8f2357d..0000000 --- a/node_modules/core-js/internals/try-to-string.js +++ /dev/null @@ -1,10 +0,0 @@ -'use strict'; -var $String = String; - -module.exports = function (argument) { - try { - return $String(argument); - } catch (error) { - return 'Object'; - } -}; diff --git a/node_modules/core-js/internals/typed-array-constructor.js b/node_modules/core-js/internals/typed-array-constructor.js deleted file mode 100644 index c09ff39..0000000 --- a/node_modules/core-js/internals/typed-array-constructor.js +++ /dev/null @@ -1,236 +0,0 @@ -'use strict'; -var $ = require('../internals/export'); -var global = require('../internals/global'); -var call = require('../internals/function-call'); -var DESCRIPTORS = require('../internals/descriptors'); -var TYPED_ARRAYS_CONSTRUCTORS_REQUIRES_WRAPPERS = require('../internals/typed-array-constructors-require-wrappers'); -var ArrayBufferViewCore = require('../internals/array-buffer-view-core'); -var ArrayBufferModule = require('../internals/array-buffer'); -var anInstance = require('../internals/an-instance'); -var createPropertyDescriptor = require('../internals/create-property-descriptor'); -var createNonEnumerableProperty = require('../internals/create-non-enumerable-property'); -var isIntegralNumber = require('../internals/is-integral-number'); -var toLength = require('../internals/to-length'); -var toIndex = require('../internals/to-index'); -var toOffset = require('../internals/to-offset'); -var toUint8Clamped = require('../internals/to-uint8-clamped'); -var toPropertyKey = require('../internals/to-property-key'); -var hasOwn = require('../internals/has-own-property'); -var classof = require('../internals/classof'); -var isObject = require('../internals/is-object'); -var isSymbol = require('../internals/is-symbol'); -var create = require('../internals/object-create'); -var isPrototypeOf = require('../internals/object-is-prototype-of'); -var setPrototypeOf = require('../internals/object-set-prototype-of'); -var getOwnPropertyNames = require('../internals/object-get-own-property-names').f; -var typedArrayFrom = require('../internals/typed-array-from'); -var forEach = require('../internals/array-iteration').forEach; -var setSpecies = require('../internals/set-species'); -var defineBuiltInAccessor = require('../internals/define-built-in-accessor'); -var definePropertyModule = require('../internals/object-define-property'); -var getOwnPropertyDescriptorModule = require('../internals/object-get-own-property-descriptor'); -var arrayFromConstructorAndList = require('../internals/array-from-constructor-and-list'); -var InternalStateModule = require('../internals/internal-state'); -var inheritIfRequired = require('../internals/inherit-if-required'); - -var getInternalState = InternalStateModule.get; -var setInternalState = InternalStateModule.set; -var enforceInternalState = InternalStateModule.enforce; -var nativeDefineProperty = definePropertyModule.f; -var nativeGetOwnPropertyDescriptor = getOwnPropertyDescriptorModule.f; -var RangeError = global.RangeError; -var ArrayBuffer = ArrayBufferModule.ArrayBuffer; -var ArrayBufferPrototype = ArrayBuffer.prototype; -var DataView = ArrayBufferModule.DataView; -var NATIVE_ARRAY_BUFFER_VIEWS = ArrayBufferViewCore.NATIVE_ARRAY_BUFFER_VIEWS; -var TYPED_ARRAY_TAG = ArrayBufferViewCore.TYPED_ARRAY_TAG; -var TypedArray = ArrayBufferViewCore.TypedArray; -var TypedArrayPrototype = ArrayBufferViewCore.TypedArrayPrototype; -var isTypedArray = ArrayBufferViewCore.isTypedArray; -var BYTES_PER_ELEMENT = 'BYTES_PER_ELEMENT'; -var WRONG_LENGTH = 'Wrong length'; - -var addGetter = function (it, key) { - defineBuiltInAccessor(it, key, { - configurable: true, - get: function () { - return getInternalState(this)[key]; - } - }); -}; - -var isArrayBuffer = function (it) { - var klass; - return isPrototypeOf(ArrayBufferPrototype, it) || (klass = classof(it)) === 'ArrayBuffer' || klass === 'SharedArrayBuffer'; -}; - -var isTypedArrayIndex = function (target, key) { - return isTypedArray(target) - && !isSymbol(key) - && key in target - && isIntegralNumber(+key) - && key >= 0; -}; - -var wrappedGetOwnPropertyDescriptor = function getOwnPropertyDescriptor(target, key) { - key = toPropertyKey(key); - return isTypedArrayIndex(target, key) - ? createPropertyDescriptor(2, target[key]) - : nativeGetOwnPropertyDescriptor(target, key); -}; - -var wrappedDefineProperty = function defineProperty(target, key, descriptor) { - key = toPropertyKey(key); - if (isTypedArrayIndex(target, key) - && isObject(descriptor) - && hasOwn(descriptor, 'value') - && !hasOwn(descriptor, 'get') - && !hasOwn(descriptor, 'set') - // TODO: add validation descriptor w/o calling accessors - && !descriptor.configurable - && (!hasOwn(descriptor, 'writable') || descriptor.writable) - && (!hasOwn(descriptor, 'enumerable') || descriptor.enumerable) - ) { - target[key] = descriptor.value; - return target; - } return nativeDefineProperty(target, key, descriptor); -}; - -if (DESCRIPTORS) { - if (!NATIVE_ARRAY_BUFFER_VIEWS) { - getOwnPropertyDescriptorModule.f = wrappedGetOwnPropertyDescriptor; - definePropertyModule.f = wrappedDefineProperty; - addGetter(TypedArrayPrototype, 'buffer'); - addGetter(TypedArrayPrototype, 'byteOffset'); - addGetter(TypedArrayPrototype, 'byteLength'); - addGetter(TypedArrayPrototype, 'length'); - } - - $({ target: 'Object', stat: true, forced: !NATIVE_ARRAY_BUFFER_VIEWS }, { - getOwnPropertyDescriptor: wrappedGetOwnPropertyDescriptor, - defineProperty: wrappedDefineProperty - }); - - module.exports = function (TYPE, wrapper, CLAMPED) { - var BYTES = TYPE.match(/\d+/)[0] / 8; - var CONSTRUCTOR_NAME = TYPE + (CLAMPED ? 'Clamped' : '') + 'Array'; - var GETTER = 'get' + TYPE; - var SETTER = 'set' + TYPE; - var NativeTypedArrayConstructor = global[CONSTRUCTOR_NAME]; - var TypedArrayConstructor = NativeTypedArrayConstructor; - var TypedArrayConstructorPrototype = TypedArrayConstructor && TypedArrayConstructor.prototype; - var exported = {}; - - var getter = function (that, index) { - var data = getInternalState(that); - return data.view[GETTER](index * BYTES + data.byteOffset, true); - }; - - var setter = function (that, index, value) { - var data = getInternalState(that); - data.view[SETTER](index * BYTES + data.byteOffset, CLAMPED ? toUint8Clamped(value) : value, true); - }; - - var addElement = function (that, index) { - nativeDefineProperty(that, index, { - get: function () { - return getter(this, index); - }, - set: function (value) { - return setter(this, index, value); - }, - enumerable: true - }); - }; - - if (!NATIVE_ARRAY_BUFFER_VIEWS) { - TypedArrayConstructor = wrapper(function (that, data, offset, $length) { - anInstance(that, TypedArrayConstructorPrototype); - var index = 0; - var byteOffset = 0; - var buffer, byteLength, length; - if (!isObject(data)) { - length = toIndex(data); - byteLength = length * BYTES; - buffer = new ArrayBuffer(byteLength); - } else if (isArrayBuffer(data)) { - buffer = data; - byteOffset = toOffset(offset, BYTES); - var $len = data.byteLength; - if ($length === undefined) { - if ($len % BYTES) throw new RangeError(WRONG_LENGTH); - byteLength = $len - byteOffset; - if (byteLength < 0) throw new RangeError(WRONG_LENGTH); - } else { - byteLength = toLength($length) * BYTES; - if (byteLength + byteOffset > $len) throw new RangeError(WRONG_LENGTH); - } - length = byteLength / BYTES; - } else if (isTypedArray(data)) { - return arrayFromConstructorAndList(TypedArrayConstructor, data); - } else { - return call(typedArrayFrom, TypedArrayConstructor, data); - } - setInternalState(that, { - buffer: buffer, - byteOffset: byteOffset, - byteLength: byteLength, - length: length, - view: new DataView(buffer) - }); - while (index < length) addElement(that, index++); - }); - - if (setPrototypeOf) setPrototypeOf(TypedArrayConstructor, TypedArray); - TypedArrayConstructorPrototype = TypedArrayConstructor.prototype = create(TypedArrayPrototype); - } else if (TYPED_ARRAYS_CONSTRUCTORS_REQUIRES_WRAPPERS) { - TypedArrayConstructor = wrapper(function (dummy, data, typedArrayOffset, $length) { - anInstance(dummy, TypedArrayConstructorPrototype); - return inheritIfRequired(function () { - if (!isObject(data)) return new NativeTypedArrayConstructor(toIndex(data)); - if (isArrayBuffer(data)) return $length !== undefined - ? new NativeTypedArrayConstructor(data, toOffset(typedArrayOffset, BYTES), $length) - : typedArrayOffset !== undefined - ? new NativeTypedArrayConstructor(data, toOffset(typedArrayOffset, BYTES)) - : new NativeTypedArrayConstructor(data); - if (isTypedArray(data)) return arrayFromConstructorAndList(TypedArrayConstructor, data); - return call(typedArrayFrom, TypedArrayConstructor, data); - }(), dummy, TypedArrayConstructor); - }); - - if (setPrototypeOf) setPrototypeOf(TypedArrayConstructor, TypedArray); - forEach(getOwnPropertyNames(NativeTypedArrayConstructor), function (key) { - if (!(key in TypedArrayConstructor)) { - createNonEnumerableProperty(TypedArrayConstructor, key, NativeTypedArrayConstructor[key]); - } - }); - TypedArrayConstructor.prototype = TypedArrayConstructorPrototype; - } - - if (TypedArrayConstructorPrototype.constructor !== TypedArrayConstructor) { - createNonEnumerableProperty(TypedArrayConstructorPrototype, 'constructor', TypedArrayConstructor); - } - - enforceInternalState(TypedArrayConstructorPrototype).TypedArrayConstructor = TypedArrayConstructor; - - if (TYPED_ARRAY_TAG) { - createNonEnumerableProperty(TypedArrayConstructorPrototype, TYPED_ARRAY_TAG, CONSTRUCTOR_NAME); - } - - var FORCED = TypedArrayConstructor !== NativeTypedArrayConstructor; - - exported[CONSTRUCTOR_NAME] = TypedArrayConstructor; - - $({ global: true, constructor: true, forced: FORCED, sham: !NATIVE_ARRAY_BUFFER_VIEWS }, exported); - - if (!(BYTES_PER_ELEMENT in TypedArrayConstructor)) { - createNonEnumerableProperty(TypedArrayConstructor, BYTES_PER_ELEMENT, BYTES); - } - - if (!(BYTES_PER_ELEMENT in TypedArrayConstructorPrototype)) { - createNonEnumerableProperty(TypedArrayConstructorPrototype, BYTES_PER_ELEMENT, BYTES); - } - - setSpecies(CONSTRUCTOR_NAME); - }; -} else module.exports = function () { /* empty */ }; diff --git a/node_modules/core-js/internals/typed-array-constructors-require-wrappers.js b/node_modules/core-js/internals/typed-array-constructors-require-wrappers.js deleted file mode 100644 index 7dc44c1..0000000 --- a/node_modules/core-js/internals/typed-array-constructors-require-wrappers.js +++ /dev/null @@ -1,23 +0,0 @@ -'use strict'; -/* eslint-disable no-new -- required for testing */ -var global = require('../internals/global'); -var fails = require('../internals/fails'); -var checkCorrectnessOfIteration = require('../internals/check-correctness-of-iteration'); -var NATIVE_ARRAY_BUFFER_VIEWS = require('../internals/array-buffer-view-core').NATIVE_ARRAY_BUFFER_VIEWS; - -var ArrayBuffer = global.ArrayBuffer; -var Int8Array = global.Int8Array; - -module.exports = !NATIVE_ARRAY_BUFFER_VIEWS || !fails(function () { - Int8Array(1); -}) || !fails(function () { - new Int8Array(-1); -}) || !checkCorrectnessOfIteration(function (iterable) { - new Int8Array(); - new Int8Array(null); - new Int8Array(1.5); - new Int8Array(iterable); -}, true) || fails(function () { - // Safari (11+) bug - a reason why even Safari 13 should load a typed array polyfill - return new Int8Array(new ArrayBuffer(2), 1, undefined).length !== 1; -}); diff --git a/node_modules/core-js/internals/typed-array-from-species-and-list.js b/node_modules/core-js/internals/typed-array-from-species-and-list.js deleted file mode 100644 index 9417080..0000000 --- a/node_modules/core-js/internals/typed-array-from-species-and-list.js +++ /dev/null @@ -1,7 +0,0 @@ -'use strict'; -var arrayFromConstructorAndList = require('../internals/array-from-constructor-and-list'); -var typedArraySpeciesConstructor = require('../internals/typed-array-species-constructor'); - -module.exports = function (instance, list) { - return arrayFromConstructorAndList(typedArraySpeciesConstructor(instance), list); -}; diff --git a/node_modules/core-js/internals/typed-array-from.js b/node_modules/core-js/internals/typed-array-from.js deleted file mode 100644 index f9cf1da..0000000 --- a/node_modules/core-js/internals/typed-array-from.js +++ /dev/null @@ -1,42 +0,0 @@ -'use strict'; -var bind = require('../internals/function-bind-context'); -var call = require('../internals/function-call'); -var aConstructor = require('../internals/a-constructor'); -var toObject = require('../internals/to-object'); -var lengthOfArrayLike = require('../internals/length-of-array-like'); -var getIterator = require('../internals/get-iterator'); -var getIteratorMethod = require('../internals/get-iterator-method'); -var isArrayIteratorMethod = require('../internals/is-array-iterator-method'); -var isBigIntArray = require('../internals/is-big-int-array'); -var aTypedArrayConstructor = require('../internals/array-buffer-view-core').aTypedArrayConstructor; -var toBigInt = require('../internals/to-big-int'); - -module.exports = function from(source /* , mapfn, thisArg */) { - var C = aConstructor(this); - var O = toObject(source); - var argumentsLength = arguments.length; - var mapfn = argumentsLength > 1 ? arguments[1] : undefined; - var mapping = mapfn !== undefined; - var iteratorMethod = getIteratorMethod(O); - var i, length, result, thisIsBigIntArray, value, step, iterator, next; - if (iteratorMethod && !isArrayIteratorMethod(iteratorMethod)) { - iterator = getIterator(O, iteratorMethod); - next = iterator.next; - O = []; - while (!(step = call(next, iterator)).done) { - O.push(step.value); - } - } - if (mapping && argumentsLength > 2) { - mapfn = bind(mapfn, arguments[2]); - } - length = lengthOfArrayLike(O); - result = new (aTypedArrayConstructor(C))(length); - thisIsBigIntArray = isBigIntArray(result); - for (i = 0; length > i; i++) { - value = mapping ? mapfn(O[i], i) : O[i]; - // FF30- typed arrays doesn't properly convert objects to typed array values - result[i] = thisIsBigIntArray ? toBigInt(value) : +value; - } - return result; -}; diff --git a/node_modules/core-js/internals/typed-array-species-constructor.js b/node_modules/core-js/internals/typed-array-species-constructor.js deleted file mode 100644 index 4e1e235..0000000 --- a/node_modules/core-js/internals/typed-array-species-constructor.js +++ /dev/null @@ -1,12 +0,0 @@ -'use strict'; -var ArrayBufferViewCore = require('../internals/array-buffer-view-core'); -var speciesConstructor = require('../internals/species-constructor'); - -var aTypedArrayConstructor = ArrayBufferViewCore.aTypedArrayConstructor; -var getTypedArrayConstructor = ArrayBufferViewCore.getTypedArrayConstructor; - -// a part of `TypedArraySpeciesCreate` abstract operation -// https://tc39.es/ecma262/#typedarray-species-create -module.exports = function (originalArray) { - return aTypedArrayConstructor(speciesConstructor(originalArray, getTypedArrayConstructor(originalArray))); -}; diff --git a/node_modules/core-js/internals/uid.js b/node_modules/core-js/internals/uid.js deleted file mode 100644 index c02c401..0000000 --- a/node_modules/core-js/internals/uid.js +++ /dev/null @@ -1,10 +0,0 @@ -'use strict'; -var uncurryThis = require('../internals/function-uncurry-this'); - -var id = 0; -var postfix = Math.random(); -var toString = uncurryThis(1.0.toString); - -module.exports = function (key) { - return 'Symbol(' + (key === undefined ? '' : key) + ')_' + toString(++id + postfix, 36); -}; diff --git a/node_modules/core-js/internals/url-constructor-detection.js b/node_modules/core-js/internals/url-constructor-detection.js deleted file mode 100644 index fd828f8..0000000 --- a/node_modules/core-js/internals/url-constructor-detection.js +++ /dev/null @@ -1,42 +0,0 @@ -'use strict'; -var fails = require('../internals/fails'); -var wellKnownSymbol = require('../internals/well-known-symbol'); -var DESCRIPTORS = require('../internals/descriptors'); -var IS_PURE = require('../internals/is-pure'); - -var ITERATOR = wellKnownSymbol('iterator'); - -module.exports = !fails(function () { - // eslint-disable-next-line unicorn/relative-url-style -- required for testing - var url = new URL('b?a=1&b=2&c=3', 'http://a'); - var params = url.searchParams; - var params2 = new URLSearchParams('a=1&a=2&b=3'); - var result = ''; - url.pathname = 'c%20d'; - params.forEach(function (value, key) { - params['delete']('b'); - result += key + value; - }); - params2['delete']('a', 2); - // `undefined` case is a Chromium 117 bug - // https://bugs.chromium.org/p/v8/issues/detail?id=14222 - params2['delete']('b', undefined); - return (IS_PURE && (!url.toJSON || !params2.has('a', 1) || params2.has('a', 2) || !params2.has('a', undefined) || params2.has('b'))) - || (!params.size && (IS_PURE || !DESCRIPTORS)) - || !params.sort - || url.href !== 'http://a/c%20d?a=1&c=3' - || params.get('c') !== '3' - || String(new URLSearchParams('?a=1')) !== 'a=1' - || !params[ITERATOR] - // throws in Edge - || new URL('https://a@b').username !== 'a' - || new URLSearchParams(new URLSearchParams('a=b')).get('a') !== 'b' - // not punycoded in Edge - || new URL('http://тест').host !== 'xn--e1aybc' - // not escaped in Chrome 62- - || new URL('http://a#б').hash !== '#%D0%B1' - // fails in Chrome 66- - || result !== 'a1c3' - // throws in Safari - || new URL('http://x', undefined).host !== 'x'; -}); diff --git a/node_modules/core-js/internals/use-symbol-as-uid.js b/node_modules/core-js/internals/use-symbol-as-uid.js deleted file mode 100644 index 677b0c9..0000000 --- a/node_modules/core-js/internals/use-symbol-as-uid.js +++ /dev/null @@ -1,7 +0,0 @@ -'use strict'; -/* eslint-disable es/no-symbol -- required for testing */ -var NATIVE_SYMBOL = require('../internals/symbol-constructor-detection'); - -module.exports = NATIVE_SYMBOL - && !Symbol.sham - && typeof Symbol.iterator == 'symbol'; diff --git a/node_modules/core-js/internals/v8-prototype-define-bug.js b/node_modules/core-js/internals/v8-prototype-define-bug.js deleted file mode 100644 index 278d2bf..0000000 --- a/node_modules/core-js/internals/v8-prototype-define-bug.js +++ /dev/null @@ -1,13 +0,0 @@ -'use strict'; -var DESCRIPTORS = require('../internals/descriptors'); -var fails = require('../internals/fails'); - -// V8 ~ Chrome 36- -// https://bugs.chromium.org/p/v8/issues/detail?id=3334 -module.exports = DESCRIPTORS && fails(function () { - // eslint-disable-next-line es/no-object-defineproperty -- required for testing - return Object.defineProperty(function () { /* empty */ }, 'prototype', { - value: 42, - writable: false - }).prototype !== 42; -}); diff --git a/node_modules/core-js/internals/validate-arguments-length.js b/node_modules/core-js/internals/validate-arguments-length.js deleted file mode 100644 index b3a67b1..0000000 --- a/node_modules/core-js/internals/validate-arguments-length.js +++ /dev/null @@ -1,7 +0,0 @@ -'use strict'; -var $TypeError = TypeError; - -module.exports = function (passed, required) { - if (passed < required) throw new $TypeError('Not enough arguments'); - return passed; -}; diff --git a/node_modules/core-js/internals/weak-map-basic-detection.js b/node_modules/core-js/internals/weak-map-basic-detection.js deleted file mode 100644 index d4f87f4..0000000 --- a/node_modules/core-js/internals/weak-map-basic-detection.js +++ /dev/null @@ -1,7 +0,0 @@ -'use strict'; -var global = require('../internals/global'); -var isCallable = require('../internals/is-callable'); - -var WeakMap = global.WeakMap; - -module.exports = isCallable(WeakMap) && /native code/.test(String(WeakMap)); diff --git a/node_modules/core-js/internals/weak-map-helpers.js b/node_modules/core-js/internals/weak-map-helpers.js deleted file mode 100644 index a58bc82..0000000 --- a/node_modules/core-js/internals/weak-map-helpers.js +++ /dev/null @@ -1,14 +0,0 @@ -'use strict'; -var uncurryThis = require('../internals/function-uncurry-this'); - -// eslint-disable-next-line es/no-weak-map -- safe -var WeakMapPrototype = WeakMap.prototype; - -module.exports = { - // eslint-disable-next-line es/no-weak-map -- safe - WeakMap: WeakMap, - set: uncurryThis(WeakMapPrototype.set), - get: uncurryThis(WeakMapPrototype.get), - has: uncurryThis(WeakMapPrototype.has), - remove: uncurryThis(WeakMapPrototype['delete']) -}; diff --git a/node_modules/core-js/internals/weak-set-helpers.js b/node_modules/core-js/internals/weak-set-helpers.js deleted file mode 100644 index 1714de9..0000000 --- a/node_modules/core-js/internals/weak-set-helpers.js +++ /dev/null @@ -1,13 +0,0 @@ -'use strict'; -var uncurryThis = require('../internals/function-uncurry-this'); - -// eslint-disable-next-line es/no-weak-set -- safe -var WeakSetPrototype = WeakSet.prototype; - -module.exports = { - // eslint-disable-next-line es/no-weak-set -- safe - WeakSet: WeakSet, - add: uncurryThis(WeakSetPrototype.add), - has: uncurryThis(WeakSetPrototype.has), - remove: uncurryThis(WeakSetPrototype['delete']) -}; diff --git a/node_modules/core-js/internals/well-known-symbol-define.js b/node_modules/core-js/internals/well-known-symbol-define.js deleted file mode 100644 index f17892c..0000000 --- a/node_modules/core-js/internals/well-known-symbol-define.js +++ /dev/null @@ -1,12 +0,0 @@ -'use strict'; -var path = require('../internals/path'); -var hasOwn = require('../internals/has-own-property'); -var wrappedWellKnownSymbolModule = require('../internals/well-known-symbol-wrapped'); -var defineProperty = require('../internals/object-define-property').f; - -module.exports = function (NAME) { - var Symbol = path.Symbol || (path.Symbol = {}); - if (!hasOwn(Symbol, NAME)) defineProperty(Symbol, NAME, { - value: wrappedWellKnownSymbolModule.f(NAME) - }); -}; diff --git a/node_modules/core-js/internals/well-known-symbol-wrapped.js b/node_modules/core-js/internals/well-known-symbol-wrapped.js deleted file mode 100644 index 41d3b77..0000000 --- a/node_modules/core-js/internals/well-known-symbol-wrapped.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var wellKnownSymbol = require('../internals/well-known-symbol'); - -exports.f = wellKnownSymbol; diff --git a/node_modules/core-js/internals/well-known-symbol.js b/node_modules/core-js/internals/well-known-symbol.js deleted file mode 100644 index 7e629a5..0000000 --- a/node_modules/core-js/internals/well-known-symbol.js +++ /dev/null @@ -1,19 +0,0 @@ -'use strict'; -var global = require('../internals/global'); -var shared = require('../internals/shared'); -var hasOwn = require('../internals/has-own-property'); -var uid = require('../internals/uid'); -var NATIVE_SYMBOL = require('../internals/symbol-constructor-detection'); -var USE_SYMBOL_AS_UID = require('../internals/use-symbol-as-uid'); - -var Symbol = global.Symbol; -var WellKnownSymbolsStore = shared('wks'); -var createWellKnownSymbol = USE_SYMBOL_AS_UID ? Symbol['for'] || Symbol : Symbol && Symbol.withoutSetter || uid; - -module.exports = function (name) { - if (!hasOwn(WellKnownSymbolsStore, name)) { - WellKnownSymbolsStore[name] = NATIVE_SYMBOL && hasOwn(Symbol, name) - ? Symbol[name] - : createWellKnownSymbol('Symbol.' + name); - } return WellKnownSymbolsStore[name]; -}; diff --git a/node_modules/core-js/internals/whitespaces.js b/node_modules/core-js/internals/whitespaces.js deleted file mode 100644 index 916b2fe..0000000 --- a/node_modules/core-js/internals/whitespaces.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -// a string of all valid unicode whitespaces -module.exports = '\u0009\u000A\u000B\u000C\u000D\u0020\u00A0\u1680\u2000\u2001\u2002' + - '\u2003\u2004\u2005\u2006\u2007\u2008\u2009\u200A\u202F\u205F\u3000\u2028\u2029\uFEFF'; diff --git a/node_modules/core-js/internals/wrap-error-constructor-with-cause.js b/node_modules/core-js/internals/wrap-error-constructor-with-cause.js deleted file mode 100644 index 5431c5b..0000000 --- a/node_modules/core-js/internals/wrap-error-constructor-with-cause.js +++ /dev/null @@ -1,65 +0,0 @@ -'use strict'; -var getBuiltIn = require('../internals/get-built-in'); -var hasOwn = require('../internals/has-own-property'); -var createNonEnumerableProperty = require('../internals/create-non-enumerable-property'); -var isPrototypeOf = require('../internals/object-is-prototype-of'); -var setPrototypeOf = require('../internals/object-set-prototype-of'); -var copyConstructorProperties = require('../internals/copy-constructor-properties'); -var proxyAccessor = require('../internals/proxy-accessor'); -var inheritIfRequired = require('../internals/inherit-if-required'); -var normalizeStringArgument = require('../internals/normalize-string-argument'); -var installErrorCause = require('../internals/install-error-cause'); -var installErrorStack = require('../internals/error-stack-install'); -var DESCRIPTORS = require('../internals/descriptors'); -var IS_PURE = require('../internals/is-pure'); - -module.exports = function (FULL_NAME, wrapper, FORCED, IS_AGGREGATE_ERROR) { - var STACK_TRACE_LIMIT = 'stackTraceLimit'; - var OPTIONS_POSITION = IS_AGGREGATE_ERROR ? 2 : 1; - var path = FULL_NAME.split('.'); - var ERROR_NAME = path[path.length - 1]; - var OriginalError = getBuiltIn.apply(null, path); - - if (!OriginalError) return; - - var OriginalErrorPrototype = OriginalError.prototype; - - // V8 9.3- bug https://bugs.chromium.org/p/v8/issues/detail?id=12006 - if (!IS_PURE && hasOwn(OriginalErrorPrototype, 'cause')) delete OriginalErrorPrototype.cause; - - if (!FORCED) return OriginalError; - - var BaseError = getBuiltIn('Error'); - - var WrappedError = wrapper(function (a, b) { - var message = normalizeStringArgument(IS_AGGREGATE_ERROR ? b : a, undefined); - var result = IS_AGGREGATE_ERROR ? new OriginalError(a) : new OriginalError(); - if (message !== undefined) createNonEnumerableProperty(result, 'message', message); - installErrorStack(result, WrappedError, result.stack, 2); - if (this && isPrototypeOf(OriginalErrorPrototype, this)) inheritIfRequired(result, this, WrappedError); - if (arguments.length > OPTIONS_POSITION) installErrorCause(result, arguments[OPTIONS_POSITION]); - return result; - }); - - WrappedError.prototype = OriginalErrorPrototype; - - if (ERROR_NAME !== 'Error') { - if (setPrototypeOf) setPrototypeOf(WrappedError, BaseError); - else copyConstructorProperties(WrappedError, BaseError, { name: true }); - } else if (DESCRIPTORS && STACK_TRACE_LIMIT in OriginalError) { - proxyAccessor(WrappedError, OriginalError, STACK_TRACE_LIMIT); - proxyAccessor(WrappedError, OriginalError, 'prepareStackTrace'); - } - - copyConstructorProperties(WrappedError, OriginalError); - - if (!IS_PURE) try { - // Safari 13- bug: WebAssembly errors does not have a proper `.name` - if (OriginalErrorPrototype.name !== ERROR_NAME) { - createNonEnumerableProperty(OriginalErrorPrototype, 'name', ERROR_NAME); - } - OriginalErrorPrototype.constructor = WrappedError; - } catch (error) { /* empty */ } - - return WrappedError; -}; diff --git a/node_modules/core-js/modules/README.md b/node_modules/core-js/modules/README.md deleted file mode 100644 index 0d6b3cb..0000000 --- a/node_modules/core-js/modules/README.md +++ /dev/null @@ -1 +0,0 @@ -This folder contains implementations of polyfills. It's not recommended to include in your projects directly if you don't completely understand what are you doing. diff --git a/node_modules/core-js/modules/es.aggregate-error.cause.js b/node_modules/core-js/modules/es.aggregate-error.cause.js deleted file mode 100644 index dfc3b38..0000000 --- a/node_modules/core-js/modules/es.aggregate-error.cause.js +++ /dev/null @@ -1,23 +0,0 @@ -'use strict'; -var $ = require('../internals/export'); -var getBuiltIn = require('../internals/get-built-in'); -var apply = require('../internals/function-apply'); -var fails = require('../internals/fails'); -var wrapErrorConstructorWithCause = require('../internals/wrap-error-constructor-with-cause'); - -var AGGREGATE_ERROR = 'AggregateError'; -var $AggregateError = getBuiltIn(AGGREGATE_ERROR); - -var FORCED = !fails(function () { - return $AggregateError([1]).errors[0] !== 1; -}) && fails(function () { - return $AggregateError([1], AGGREGATE_ERROR, { cause: 7 }).cause !== 7; -}); - -// https://tc39.es/ecma262/#sec-aggregate-error -$({ global: true, constructor: true, arity: 2, forced: FORCED }, { - AggregateError: wrapErrorConstructorWithCause(AGGREGATE_ERROR, function (init) { - // eslint-disable-next-line no-unused-vars -- required for functions `.length` - return function AggregateError(errors, message) { return apply(init, this, arguments); }; - }, FORCED, true) -}); diff --git a/node_modules/core-js/modules/es.aggregate-error.constructor.js b/node_modules/core-js/modules/es.aggregate-error.constructor.js deleted file mode 100644 index 0d76dd0..0000000 --- a/node_modules/core-js/modules/es.aggregate-error.constructor.js +++ /dev/null @@ -1,51 +0,0 @@ -'use strict'; -var $ = require('../internals/export'); -var isPrototypeOf = require('../internals/object-is-prototype-of'); -var getPrototypeOf = require('../internals/object-get-prototype-of'); -var setPrototypeOf = require('../internals/object-set-prototype-of'); -var copyConstructorProperties = require('../internals/copy-constructor-properties'); -var create = require('../internals/object-create'); -var createNonEnumerableProperty = require('../internals/create-non-enumerable-property'); -var createPropertyDescriptor = require('../internals/create-property-descriptor'); -var installErrorCause = require('../internals/install-error-cause'); -var installErrorStack = require('../internals/error-stack-install'); -var iterate = require('../internals/iterate'); -var normalizeStringArgument = require('../internals/normalize-string-argument'); -var wellKnownSymbol = require('../internals/well-known-symbol'); - -var TO_STRING_TAG = wellKnownSymbol('toStringTag'); -var $Error = Error; -var push = [].push; - -var $AggregateError = function AggregateError(errors, message /* , options */) { - var isInstance = isPrototypeOf(AggregateErrorPrototype, this); - var that; - if (setPrototypeOf) { - that = setPrototypeOf(new $Error(), isInstance ? getPrototypeOf(this) : AggregateErrorPrototype); - } else { - that = isInstance ? this : create(AggregateErrorPrototype); - createNonEnumerableProperty(that, TO_STRING_TAG, 'Error'); - } - if (message !== undefined) createNonEnumerableProperty(that, 'message', normalizeStringArgument(message)); - installErrorStack(that, $AggregateError, that.stack, 1); - if (arguments.length > 2) installErrorCause(that, arguments[2]); - var errorsArray = []; - iterate(errors, push, { that: errorsArray }); - createNonEnumerableProperty(that, 'errors', errorsArray); - return that; -}; - -if (setPrototypeOf) setPrototypeOf($AggregateError, $Error); -else copyConstructorProperties($AggregateError, $Error, { name: true }); - -var AggregateErrorPrototype = $AggregateError.prototype = create($Error.prototype, { - constructor: createPropertyDescriptor(1, $AggregateError), - message: createPropertyDescriptor(1, ''), - name: createPropertyDescriptor(1, 'AggregateError') -}); - -// `AggregateError` constructor -// https://tc39.es/ecma262/#sec-aggregate-error-constructor -$({ global: true, constructor: true, arity: 2 }, { - AggregateError: $AggregateError -}); diff --git a/node_modules/core-js/modules/es.aggregate-error.js b/node_modules/core-js/modules/es.aggregate-error.js deleted file mode 100644 index 649517e..0000000 --- a/node_modules/core-js/modules/es.aggregate-error.js +++ /dev/null @@ -1,3 +0,0 @@ -'use strict'; -// TODO: Remove this module from `core-js@4` since it's replaced to module below -require('../modules/es.aggregate-error.constructor'); diff --git a/node_modules/core-js/modules/es.array-buffer.constructor.js b/node_modules/core-js/modules/es.array-buffer.constructor.js deleted file mode 100644 index 7af8885..0000000 --- a/node_modules/core-js/modules/es.array-buffer.constructor.js +++ /dev/null @@ -1,17 +0,0 @@ -'use strict'; -var $ = require('../internals/export'); -var global = require('../internals/global'); -var arrayBufferModule = require('../internals/array-buffer'); -var setSpecies = require('../internals/set-species'); - -var ARRAY_BUFFER = 'ArrayBuffer'; -var ArrayBuffer = arrayBufferModule[ARRAY_BUFFER]; -var NativeArrayBuffer = global[ARRAY_BUFFER]; - -// `ArrayBuffer` constructor -// https://tc39.es/ecma262/#sec-arraybuffer-constructor -$({ global: true, constructor: true, forced: NativeArrayBuffer !== ArrayBuffer }, { - ArrayBuffer: ArrayBuffer -}); - -setSpecies(ARRAY_BUFFER); diff --git a/node_modules/core-js/modules/es.array-buffer.is-view.js b/node_modules/core-js/modules/es.array-buffer.is-view.js deleted file mode 100644 index b83a614..0000000 --- a/node_modules/core-js/modules/es.array-buffer.is-view.js +++ /dev/null @@ -1,11 +0,0 @@ -'use strict'; -var $ = require('../internals/export'); -var ArrayBufferViewCore = require('../internals/array-buffer-view-core'); - -var NATIVE_ARRAY_BUFFER_VIEWS = ArrayBufferViewCore.NATIVE_ARRAY_BUFFER_VIEWS; - -// `ArrayBuffer.isView` method -// https://tc39.es/ecma262/#sec-arraybuffer.isview -$({ target: 'ArrayBuffer', stat: true, forced: !NATIVE_ARRAY_BUFFER_VIEWS }, { - isView: ArrayBufferViewCore.isView -}); diff --git a/node_modules/core-js/modules/es.array-buffer.slice.js b/node_modules/core-js/modules/es.array-buffer.slice.js deleted file mode 100644 index 52af48c..0000000 --- a/node_modules/core-js/modules/es.array-buffer.slice.js +++ /dev/null @@ -1,40 +0,0 @@ -'use strict'; -var $ = require('../internals/export'); -var uncurryThis = require('../internals/function-uncurry-this-clause'); -var fails = require('../internals/fails'); -var ArrayBufferModule = require('../internals/array-buffer'); -var anObject = require('../internals/an-object'); -var toAbsoluteIndex = require('../internals/to-absolute-index'); -var toLength = require('../internals/to-length'); -var speciesConstructor = require('../internals/species-constructor'); - -var ArrayBuffer = ArrayBufferModule.ArrayBuffer; -var DataView = ArrayBufferModule.DataView; -var DataViewPrototype = DataView.prototype; -var nativeArrayBufferSlice = uncurryThis(ArrayBuffer.prototype.slice); -var getUint8 = uncurryThis(DataViewPrototype.getUint8); -var setUint8 = uncurryThis(DataViewPrototype.setUint8); - -var INCORRECT_SLICE = fails(function () { - return !new ArrayBuffer(2).slice(1, undefined).byteLength; -}); - -// `ArrayBuffer.prototype.slice` method -// https://tc39.es/ecma262/#sec-arraybuffer.prototype.slice -$({ target: 'ArrayBuffer', proto: true, unsafe: true, forced: INCORRECT_SLICE }, { - slice: function slice(start, end) { - if (nativeArrayBufferSlice && end === undefined) { - return nativeArrayBufferSlice(anObject(this), start); // FF fix - } - var length = anObject(this).byteLength; - var first = toAbsoluteIndex(start, length); - var fin = toAbsoluteIndex(end === undefined ? length : end, length); - var result = new (speciesConstructor(this, ArrayBuffer))(toLength(fin - first)); - var viewSource = new DataView(this); - var viewTarget = new DataView(result); - var index = 0; - while (first < fin) { - setUint8(viewTarget, index++, getUint8(viewSource, first++)); - } return result; - } -}); diff --git a/node_modules/core-js/modules/es.array.at.js b/node_modules/core-js/modules/es.array.at.js deleted file mode 100644 index 965c266..0000000 --- a/node_modules/core-js/modules/es.array.at.js +++ /dev/null @@ -1,20 +0,0 @@ -'use strict'; -var $ = require('../internals/export'); -var toObject = require('../internals/to-object'); -var lengthOfArrayLike = require('../internals/length-of-array-like'); -var toIntegerOrInfinity = require('../internals/to-integer-or-infinity'); -var addToUnscopables = require('../internals/add-to-unscopables'); - -// `Array.prototype.at` method -// https://tc39.es/ecma262/#sec-array.prototype.at -$({ target: 'Array', proto: true }, { - at: function at(index) { - var O = toObject(this); - var len = lengthOfArrayLike(O); - var relativeIndex = toIntegerOrInfinity(index); - var k = relativeIndex >= 0 ? relativeIndex : len + relativeIndex; - return (k < 0 || k >= len) ? undefined : O[k]; - } -}); - -addToUnscopables('at'); diff --git a/node_modules/core-js/modules/es.array.concat.js b/node_modules/core-js/modules/es.array.concat.js deleted file mode 100644 index e1a0193..0000000 --- a/node_modules/core-js/modules/es.array.concat.js +++ /dev/null @@ -1,58 +0,0 @@ -'use strict'; -var $ = require('../internals/export'); -var fails = require('../internals/fails'); -var isArray = require('../internals/is-array'); -var isObject = require('../internals/is-object'); -var toObject = require('../internals/to-object'); -var lengthOfArrayLike = require('../internals/length-of-array-like'); -var doesNotExceedSafeInteger = require('../internals/does-not-exceed-safe-integer'); -var createProperty = require('../internals/create-property'); -var arraySpeciesCreate = require('../internals/array-species-create'); -var arrayMethodHasSpeciesSupport = require('../internals/array-method-has-species-support'); -var wellKnownSymbol = require('../internals/well-known-symbol'); -var V8_VERSION = require('../internals/engine-v8-version'); - -var IS_CONCAT_SPREADABLE = wellKnownSymbol('isConcatSpreadable'); - -// We can't use this feature detection in V8 since it causes -// deoptimization and serious performance degradation -// https://github.com/zloirock/core-js/issues/679 -var IS_CONCAT_SPREADABLE_SUPPORT = V8_VERSION >= 51 || !fails(function () { - var array = []; - array[IS_CONCAT_SPREADABLE] = false; - return array.concat()[0] !== array; -}); - -var isConcatSpreadable = function (O) { - if (!isObject(O)) return false; - var spreadable = O[IS_CONCAT_SPREADABLE]; - return spreadable !== undefined ? !!spreadable : isArray(O); -}; - -var FORCED = !IS_CONCAT_SPREADABLE_SUPPORT || !arrayMethodHasSpeciesSupport('concat'); - -// `Array.prototype.concat` method -// https://tc39.es/ecma262/#sec-array.prototype.concat -// with adding support of @@isConcatSpreadable and @@species -$({ target: 'Array', proto: true, arity: 1, forced: FORCED }, { - // eslint-disable-next-line no-unused-vars -- required for `.length` - concat: function concat(arg) { - var O = toObject(this); - var A = arraySpeciesCreate(O, 0); - var n = 0; - var i, k, length, len, E; - for (i = -1, length = arguments.length; i < length; i++) { - E = i === -1 ? O : arguments[i]; - if (isConcatSpreadable(E)) { - len = lengthOfArrayLike(E); - doesNotExceedSafeInteger(n + len); - for (k = 0; k < len; k++, n++) if (k in E) createProperty(A, n, E[k]); - } else { - doesNotExceedSafeInteger(n + 1); - createProperty(A, n++, E); - } - } - A.length = n; - return A; - } -}); diff --git a/node_modules/core-js/modules/es.array.copy-within.js b/node_modules/core-js/modules/es.array.copy-within.js deleted file mode 100644 index 021ca3c..0000000 --- a/node_modules/core-js/modules/es.array.copy-within.js +++ /dev/null @@ -1,13 +0,0 @@ -'use strict'; -var $ = require('../internals/export'); -var copyWithin = require('../internals/array-copy-within'); -var addToUnscopables = require('../internals/add-to-unscopables'); - -// `Array.prototype.copyWithin` method -// https://tc39.es/ecma262/#sec-array.prototype.copywithin -$({ target: 'Array', proto: true }, { - copyWithin: copyWithin -}); - -// https://tc39.es/ecma262/#sec-array.prototype-@@unscopables -addToUnscopables('copyWithin'); diff --git a/node_modules/core-js/modules/es.array.every.js b/node_modules/core-js/modules/es.array.every.js deleted file mode 100644 index 61b526e..0000000 --- a/node_modules/core-js/modules/es.array.every.js +++ /dev/null @@ -1,14 +0,0 @@ -'use strict'; -var $ = require('../internals/export'); -var $every = require('../internals/array-iteration').every; -var arrayMethodIsStrict = require('../internals/array-method-is-strict'); - -var STRICT_METHOD = arrayMethodIsStrict('every'); - -// `Array.prototype.every` method -// https://tc39.es/ecma262/#sec-array.prototype.every -$({ target: 'Array', proto: true, forced: !STRICT_METHOD }, { - every: function every(callbackfn /* , thisArg */) { - return $every(this, callbackfn, arguments.length > 1 ? arguments[1] : undefined); - } -}); diff --git a/node_modules/core-js/modules/es.array.fill.js b/node_modules/core-js/modules/es.array.fill.js deleted file mode 100644 index 31e640e..0000000 --- a/node_modules/core-js/modules/es.array.fill.js +++ /dev/null @@ -1,13 +0,0 @@ -'use strict'; -var $ = require('../internals/export'); -var fill = require('../internals/array-fill'); -var addToUnscopables = require('../internals/add-to-unscopables'); - -// `Array.prototype.fill` method -// https://tc39.es/ecma262/#sec-array.prototype.fill -$({ target: 'Array', proto: true }, { - fill: fill -}); - -// https://tc39.es/ecma262/#sec-array.prototype-@@unscopables -addToUnscopables('fill'); diff --git a/node_modules/core-js/modules/es.array.filter.js b/node_modules/core-js/modules/es.array.filter.js deleted file mode 100644 index beb43a5..0000000 --- a/node_modules/core-js/modules/es.array.filter.js +++ /dev/null @@ -1,15 +0,0 @@ -'use strict'; -var $ = require('../internals/export'); -var $filter = require('../internals/array-iteration').filter; -var arrayMethodHasSpeciesSupport = require('../internals/array-method-has-species-support'); - -var HAS_SPECIES_SUPPORT = arrayMethodHasSpeciesSupport('filter'); - -// `Array.prototype.filter` method -// https://tc39.es/ecma262/#sec-array.prototype.filter -// with adding support of @@species -$({ target: 'Array', proto: true, forced: !HAS_SPECIES_SUPPORT }, { - filter: function filter(callbackfn /* , thisArg */) { - return $filter(this, callbackfn, arguments.length > 1 ? arguments[1] : undefined); - } -}); diff --git a/node_modules/core-js/modules/es.array.find-index.js b/node_modules/core-js/modules/es.array.find-index.js deleted file mode 100644 index ba3fd9f..0000000 --- a/node_modules/core-js/modules/es.array.find-index.js +++ /dev/null @@ -1,22 +0,0 @@ -'use strict'; -var $ = require('../internals/export'); -var $findIndex = require('../internals/array-iteration').findIndex; -var addToUnscopables = require('../internals/add-to-unscopables'); - -var FIND_INDEX = 'findIndex'; -var SKIPS_HOLES = true; - -// Shouldn't skip holes -// eslint-disable-next-line es/no-array-prototype-findindex -- testing -if (FIND_INDEX in []) Array(1)[FIND_INDEX](function () { SKIPS_HOLES = false; }); - -// `Array.prototype.findIndex` method -// https://tc39.es/ecma262/#sec-array.prototype.findindex -$({ target: 'Array', proto: true, forced: SKIPS_HOLES }, { - findIndex: function findIndex(callbackfn /* , that = undefined */) { - return $findIndex(this, callbackfn, arguments.length > 1 ? arguments[1] : undefined); - } -}); - -// https://tc39.es/ecma262/#sec-array.prototype-@@unscopables -addToUnscopables(FIND_INDEX); diff --git a/node_modules/core-js/modules/es.array.find-last-index.js b/node_modules/core-js/modules/es.array.find-last-index.js deleted file mode 100644 index 82d8984..0000000 --- a/node_modules/core-js/modules/es.array.find-last-index.js +++ /dev/null @@ -1,14 +0,0 @@ -'use strict'; -var $ = require('../internals/export'); -var $findLastIndex = require('../internals/array-iteration-from-last').findLastIndex; -var addToUnscopables = require('../internals/add-to-unscopables'); - -// `Array.prototype.findLastIndex` method -// https://tc39.es/ecma262/#sec-array.prototype.findlastindex -$({ target: 'Array', proto: true }, { - findLastIndex: function findLastIndex(callbackfn /* , that = undefined */) { - return $findLastIndex(this, callbackfn, arguments.length > 1 ? arguments[1] : undefined); - } -}); - -addToUnscopables('findLastIndex'); diff --git a/node_modules/core-js/modules/es.array.find-last.js b/node_modules/core-js/modules/es.array.find-last.js deleted file mode 100644 index 479c173..0000000 --- a/node_modules/core-js/modules/es.array.find-last.js +++ /dev/null @@ -1,14 +0,0 @@ -'use strict'; -var $ = require('../internals/export'); -var $findLast = require('../internals/array-iteration-from-last').findLast; -var addToUnscopables = require('../internals/add-to-unscopables'); - -// `Array.prototype.findLast` method -// https://tc39.es/ecma262/#sec-array.prototype.findlast -$({ target: 'Array', proto: true }, { - findLast: function findLast(callbackfn /* , that = undefined */) { - return $findLast(this, callbackfn, arguments.length > 1 ? arguments[1] : undefined); - } -}); - -addToUnscopables('findLast'); diff --git a/node_modules/core-js/modules/es.array.find.js b/node_modules/core-js/modules/es.array.find.js deleted file mode 100644 index f7fab66..0000000 --- a/node_modules/core-js/modules/es.array.find.js +++ /dev/null @@ -1,22 +0,0 @@ -'use strict'; -var $ = require('../internals/export'); -var $find = require('../internals/array-iteration').find; -var addToUnscopables = require('../internals/add-to-unscopables'); - -var FIND = 'find'; -var SKIPS_HOLES = true; - -// Shouldn't skip holes -// eslint-disable-next-line es/no-array-prototype-find -- testing -if (FIND in []) Array(1)[FIND](function () { SKIPS_HOLES = false; }); - -// `Array.prototype.find` method -// https://tc39.es/ecma262/#sec-array.prototype.find -$({ target: 'Array', proto: true, forced: SKIPS_HOLES }, { - find: function find(callbackfn /* , that = undefined */) { - return $find(this, callbackfn, arguments.length > 1 ? arguments[1] : undefined); - } -}); - -// https://tc39.es/ecma262/#sec-array.prototype-@@unscopables -addToUnscopables(FIND); diff --git a/node_modules/core-js/modules/es.array.flat-map.js b/node_modules/core-js/modules/es.array.flat-map.js deleted file mode 100644 index 9b177de..0000000 --- a/node_modules/core-js/modules/es.array.flat-map.js +++ /dev/null @@ -1,21 +0,0 @@ -'use strict'; -var $ = require('../internals/export'); -var flattenIntoArray = require('../internals/flatten-into-array'); -var aCallable = require('../internals/a-callable'); -var toObject = require('../internals/to-object'); -var lengthOfArrayLike = require('../internals/length-of-array-like'); -var arraySpeciesCreate = require('../internals/array-species-create'); - -// `Array.prototype.flatMap` method -// https://tc39.es/ecma262/#sec-array.prototype.flatmap -$({ target: 'Array', proto: true }, { - flatMap: function flatMap(callbackfn /* , thisArg */) { - var O = toObject(this); - var sourceLen = lengthOfArrayLike(O); - var A; - aCallable(callbackfn); - A = arraySpeciesCreate(O, 0); - A.length = flattenIntoArray(A, O, O, sourceLen, 0, 1, callbackfn, arguments.length > 1 ? arguments[1] : undefined); - return A; - } -}); diff --git a/node_modules/core-js/modules/es.array.flat.js b/node_modules/core-js/modules/es.array.flat.js deleted file mode 100644 index 146adec..0000000 --- a/node_modules/core-js/modules/es.array.flat.js +++ /dev/null @@ -1,20 +0,0 @@ -'use strict'; -var $ = require('../internals/export'); -var flattenIntoArray = require('../internals/flatten-into-array'); -var toObject = require('../internals/to-object'); -var lengthOfArrayLike = require('../internals/length-of-array-like'); -var toIntegerOrInfinity = require('../internals/to-integer-or-infinity'); -var arraySpeciesCreate = require('../internals/array-species-create'); - -// `Array.prototype.flat` method -// https://tc39.es/ecma262/#sec-array.prototype.flat -$({ target: 'Array', proto: true }, { - flat: function flat(/* depthArg = 1 */) { - var depthArg = arguments.length ? arguments[0] : undefined; - var O = toObject(this); - var sourceLen = lengthOfArrayLike(O); - var A = arraySpeciesCreate(O, 0); - A.length = flattenIntoArray(A, O, O, sourceLen, 0, depthArg === undefined ? 1 : toIntegerOrInfinity(depthArg)); - return A; - } -}); diff --git a/node_modules/core-js/modules/es.array.for-each.js b/node_modules/core-js/modules/es.array.for-each.js deleted file mode 100644 index 6f45b51..0000000 --- a/node_modules/core-js/modules/es.array.for-each.js +++ /dev/null @@ -1,10 +0,0 @@ -'use strict'; -var $ = require('../internals/export'); -var forEach = require('../internals/array-for-each'); - -// `Array.prototype.forEach` method -// https://tc39.es/ecma262/#sec-array.prototype.foreach -// eslint-disable-next-line es/no-array-prototype-foreach -- safe -$({ target: 'Array', proto: true, forced: [].forEach !== forEach }, { - forEach: forEach -}); diff --git a/node_modules/core-js/modules/es.array.from.js b/node_modules/core-js/modules/es.array.from.js deleted file mode 100644 index 0015b09..0000000 --- a/node_modules/core-js/modules/es.array.from.js +++ /dev/null @@ -1,15 +0,0 @@ -'use strict'; -var $ = require('../internals/export'); -var from = require('../internals/array-from'); -var checkCorrectnessOfIteration = require('../internals/check-correctness-of-iteration'); - -var INCORRECT_ITERATION = !checkCorrectnessOfIteration(function (iterable) { - // eslint-disable-next-line es/no-array-from -- required for testing - Array.from(iterable); -}); - -// `Array.from` method -// https://tc39.es/ecma262/#sec-array.from -$({ target: 'Array', stat: true, forced: INCORRECT_ITERATION }, { - from: from -}); diff --git a/node_modules/core-js/modules/es.array.includes.js b/node_modules/core-js/modules/es.array.includes.js deleted file mode 100644 index 7ada6d9..0000000 --- a/node_modules/core-js/modules/es.array.includes.js +++ /dev/null @@ -1,22 +0,0 @@ -'use strict'; -var $ = require('../internals/export'); -var $includes = require('../internals/array-includes').includes; -var fails = require('../internals/fails'); -var addToUnscopables = require('../internals/add-to-unscopables'); - -// FF99+ bug -var BROKEN_ON_SPARSE = fails(function () { - // eslint-disable-next-line es/no-array-prototype-includes -- detection - return !Array(1).includes(); -}); - -// `Array.prototype.includes` method -// https://tc39.es/ecma262/#sec-array.prototype.includes -$({ target: 'Array', proto: true, forced: BROKEN_ON_SPARSE }, { - includes: function includes(el /* , fromIndex = 0 */) { - return $includes(this, el, arguments.length > 1 ? arguments[1] : undefined); - } -}); - -// https://tc39.es/ecma262/#sec-array.prototype-@@unscopables -addToUnscopables('includes'); diff --git a/node_modules/core-js/modules/es.array.index-of.js b/node_modules/core-js/modules/es.array.index-of.js deleted file mode 100644 index 9cca611..0000000 --- a/node_modules/core-js/modules/es.array.index-of.js +++ /dev/null @@ -1,23 +0,0 @@ -'use strict'; -/* eslint-disable es/no-array-prototype-indexof -- required for testing */ -var $ = require('../internals/export'); -var uncurryThis = require('../internals/function-uncurry-this-clause'); -var $indexOf = require('../internals/array-includes').indexOf; -var arrayMethodIsStrict = require('../internals/array-method-is-strict'); - -var nativeIndexOf = uncurryThis([].indexOf); - -var NEGATIVE_ZERO = !!nativeIndexOf && 1 / nativeIndexOf([1], 1, -0) < 0; -var FORCED = NEGATIVE_ZERO || !arrayMethodIsStrict('indexOf'); - -// `Array.prototype.indexOf` method -// https://tc39.es/ecma262/#sec-array.prototype.indexof -$({ target: 'Array', proto: true, forced: FORCED }, { - indexOf: function indexOf(searchElement /* , fromIndex = 0 */) { - var fromIndex = arguments.length > 1 ? arguments[1] : undefined; - return NEGATIVE_ZERO - // convert -0 to +0 - ? nativeIndexOf(this, searchElement, fromIndex) || 0 - : $indexOf(this, searchElement, fromIndex); - } -}); diff --git a/node_modules/core-js/modules/es.array.is-array.js b/node_modules/core-js/modules/es.array.is-array.js deleted file mode 100644 index 4482427..0000000 --- a/node_modules/core-js/modules/es.array.is-array.js +++ /dev/null @@ -1,9 +0,0 @@ -'use strict'; -var $ = require('../internals/export'); -var isArray = require('../internals/is-array'); - -// `Array.isArray` method -// https://tc39.es/ecma262/#sec-array.isarray -$({ target: 'Array', stat: true }, { - isArray: isArray -}); diff --git a/node_modules/core-js/modules/es.array.iterator.js b/node_modules/core-js/modules/es.array.iterator.js deleted file mode 100644 index bffdb84..0000000 --- a/node_modules/core-js/modules/es.array.iterator.js +++ /dev/null @@ -1,62 +0,0 @@ -'use strict'; -var toIndexedObject = require('../internals/to-indexed-object'); -var addToUnscopables = require('../internals/add-to-unscopables'); -var Iterators = require('../internals/iterators'); -var InternalStateModule = require('../internals/internal-state'); -var defineProperty = require('../internals/object-define-property').f; -var defineIterator = require('../internals/iterator-define'); -var createIterResultObject = require('../internals/create-iter-result-object'); -var IS_PURE = require('../internals/is-pure'); -var DESCRIPTORS = require('../internals/descriptors'); - -var ARRAY_ITERATOR = 'Array Iterator'; -var setInternalState = InternalStateModule.set; -var getInternalState = InternalStateModule.getterFor(ARRAY_ITERATOR); - -// `Array.prototype.entries` method -// https://tc39.es/ecma262/#sec-array.prototype.entries -// `Array.prototype.keys` method -// https://tc39.es/ecma262/#sec-array.prototype.keys -// `Array.prototype.values` method -// https://tc39.es/ecma262/#sec-array.prototype.values -// `Array.prototype[@@iterator]` method -// https://tc39.es/ecma262/#sec-array.prototype-@@iterator -// `CreateArrayIterator` internal method -// https://tc39.es/ecma262/#sec-createarrayiterator -module.exports = defineIterator(Array, 'Array', function (iterated, kind) { - setInternalState(this, { - type: ARRAY_ITERATOR, - target: toIndexedObject(iterated), // target - index: 0, // next index - kind: kind // kind - }); -// `%ArrayIteratorPrototype%.next` method -// https://tc39.es/ecma262/#sec-%arrayiteratorprototype%.next -}, function () { - var state = getInternalState(this); - var target = state.target; - var index = state.index++; - if (!target || index >= target.length) { - state.target = undefined; - return createIterResultObject(undefined, true); - } - switch (state.kind) { - case 'keys': return createIterResultObject(index, false); - case 'values': return createIterResultObject(target[index], false); - } return createIterResultObject([index, target[index]], false); -}, 'values'); - -// argumentsList[@@iterator] is %ArrayProto_values% -// https://tc39.es/ecma262/#sec-createunmappedargumentsobject -// https://tc39.es/ecma262/#sec-createmappedargumentsobject -var values = Iterators.Arguments = Iterators.Array; - -// https://tc39.es/ecma262/#sec-array.prototype-@@unscopables -addToUnscopables('keys'); -addToUnscopables('values'); -addToUnscopables('entries'); - -// V8 ~ Chrome 45- bug -if (!IS_PURE && DESCRIPTORS && values.name !== 'values') try { - defineProperty(values, 'name', { value: 'values' }); -} catch (error) { /* empty */ } diff --git a/node_modules/core-js/modules/es.array.join.js b/node_modules/core-js/modules/es.array.join.js deleted file mode 100644 index 9f2ebf2..0000000 --- a/node_modules/core-js/modules/es.array.join.js +++ /dev/null @@ -1,19 +0,0 @@ -'use strict'; -var $ = require('../internals/export'); -var uncurryThis = require('../internals/function-uncurry-this'); -var IndexedObject = require('../internals/indexed-object'); -var toIndexedObject = require('../internals/to-indexed-object'); -var arrayMethodIsStrict = require('../internals/array-method-is-strict'); - -var nativeJoin = uncurryThis([].join); - -var ES3_STRINGS = IndexedObject !== Object; -var FORCED = ES3_STRINGS || !arrayMethodIsStrict('join', ','); - -// `Array.prototype.join` method -// https://tc39.es/ecma262/#sec-array.prototype.join -$({ target: 'Array', proto: true, forced: FORCED }, { - join: function join(separator) { - return nativeJoin(toIndexedObject(this), separator === undefined ? ',' : separator); - } -}); diff --git a/node_modules/core-js/modules/es.array.last-index-of.js b/node_modules/core-js/modules/es.array.last-index-of.js deleted file mode 100644 index 0f3cfc5..0000000 --- a/node_modules/core-js/modules/es.array.last-index-of.js +++ /dev/null @@ -1,10 +0,0 @@ -'use strict'; -var $ = require('../internals/export'); -var lastIndexOf = require('../internals/array-last-index-of'); - -// `Array.prototype.lastIndexOf` method -// https://tc39.es/ecma262/#sec-array.prototype.lastindexof -// eslint-disable-next-line es/no-array-prototype-lastindexof -- required for testing -$({ target: 'Array', proto: true, forced: lastIndexOf !== [].lastIndexOf }, { - lastIndexOf: lastIndexOf -}); diff --git a/node_modules/core-js/modules/es.array.map.js b/node_modules/core-js/modules/es.array.map.js deleted file mode 100644 index 4419a0b..0000000 --- a/node_modules/core-js/modules/es.array.map.js +++ /dev/null @@ -1,15 +0,0 @@ -'use strict'; -var $ = require('../internals/export'); -var $map = require('../internals/array-iteration').map; -var arrayMethodHasSpeciesSupport = require('../internals/array-method-has-species-support'); - -var HAS_SPECIES_SUPPORT = arrayMethodHasSpeciesSupport('map'); - -// `Array.prototype.map` method -// https://tc39.es/ecma262/#sec-array.prototype.map -// with adding support of @@species -$({ target: 'Array', proto: true, forced: !HAS_SPECIES_SUPPORT }, { - map: function map(callbackfn /* , thisArg */) { - return $map(this, callbackfn, arguments.length > 1 ? arguments[1] : undefined); - } -}); diff --git a/node_modules/core-js/modules/es.array.of.js b/node_modules/core-js/modules/es.array.of.js deleted file mode 100644 index 4dbb234..0000000 --- a/node_modules/core-js/modules/es.array.of.js +++ /dev/null @@ -1,27 +0,0 @@ -'use strict'; -var $ = require('../internals/export'); -var fails = require('../internals/fails'); -var isConstructor = require('../internals/is-constructor'); -var createProperty = require('../internals/create-property'); - -var $Array = Array; - -var ISNT_GENERIC = fails(function () { - function F() { /* empty */ } - // eslint-disable-next-line es/no-array-of -- safe - return !($Array.of.call(F) instanceof F); -}); - -// `Array.of` method -// https://tc39.es/ecma262/#sec-array.of -// WebKit Array.of isn't generic -$({ target: 'Array', stat: true, forced: ISNT_GENERIC }, { - of: function of(/* ...args */) { - var index = 0; - var argumentsLength = arguments.length; - var result = new (isConstructor(this) ? this : $Array)(argumentsLength); - while (argumentsLength > index) createProperty(result, index, arguments[index++]); - result.length = argumentsLength; - return result; - } -}); diff --git a/node_modules/core-js/modules/es.array.push.js b/node_modules/core-js/modules/es.array.push.js deleted file mode 100644 index 71db976..0000000 --- a/node_modules/core-js/modules/es.array.push.js +++ /dev/null @@ -1,42 +0,0 @@ -'use strict'; -var $ = require('../internals/export'); -var toObject = require('../internals/to-object'); -var lengthOfArrayLike = require('../internals/length-of-array-like'); -var setArrayLength = require('../internals/array-set-length'); -var doesNotExceedSafeInteger = require('../internals/does-not-exceed-safe-integer'); -var fails = require('../internals/fails'); - -var INCORRECT_TO_LENGTH = fails(function () { - return [].push.call({ length: 0x100000000 }, 1) !== 4294967297; -}); - -// V8 <= 121 and Safari <= 15.4; FF < 23 throws InternalError -// https://bugs.chromium.org/p/v8/issues/detail?id=12681 -var properErrorOnNonWritableLength = function () { - try { - // eslint-disable-next-line es/no-object-defineproperty -- safe - Object.defineProperty([], 'length', { writable: false }).push(); - } catch (error) { - return error instanceof TypeError; - } -}; - -var FORCED = INCORRECT_TO_LENGTH || !properErrorOnNonWritableLength(); - -// `Array.prototype.push` method -// https://tc39.es/ecma262/#sec-array.prototype.push -$({ target: 'Array', proto: true, arity: 1, forced: FORCED }, { - // eslint-disable-next-line no-unused-vars -- required for `.length` - push: function push(item) { - var O = toObject(this); - var len = lengthOfArrayLike(O); - var argCount = arguments.length; - doesNotExceedSafeInteger(len + argCount); - for (var i = 0; i < argCount; i++) { - O[len] = arguments[i]; - len++; - } - setArrayLength(O, len); - return len; - } -}); diff --git a/node_modules/core-js/modules/es.array.reduce-right.js b/node_modules/core-js/modules/es.array.reduce-right.js deleted file mode 100644 index c9ed112..0000000 --- a/node_modules/core-js/modules/es.array.reduce-right.js +++ /dev/null @@ -1,19 +0,0 @@ -'use strict'; -var $ = require('../internals/export'); -var $reduceRight = require('../internals/array-reduce').right; -var arrayMethodIsStrict = require('../internals/array-method-is-strict'); -var CHROME_VERSION = require('../internals/engine-v8-version'); -var IS_NODE = require('../internals/engine-is-node'); - -// Chrome 80-82 has a critical bug -// https://bugs.chromium.org/p/chromium/issues/detail?id=1049982 -var CHROME_BUG = !IS_NODE && CHROME_VERSION > 79 && CHROME_VERSION < 83; -var FORCED = CHROME_BUG || !arrayMethodIsStrict('reduceRight'); - -// `Array.prototype.reduceRight` method -// https://tc39.es/ecma262/#sec-array.prototype.reduceright -$({ target: 'Array', proto: true, forced: FORCED }, { - reduceRight: function reduceRight(callbackfn /* , initialValue */) { - return $reduceRight(this, callbackfn, arguments.length, arguments.length > 1 ? arguments[1] : undefined); - } -}); diff --git a/node_modules/core-js/modules/es.array.reduce.js b/node_modules/core-js/modules/es.array.reduce.js deleted file mode 100644 index 0c29907..0000000 --- a/node_modules/core-js/modules/es.array.reduce.js +++ /dev/null @@ -1,20 +0,0 @@ -'use strict'; -var $ = require('../internals/export'); -var $reduce = require('../internals/array-reduce').left; -var arrayMethodIsStrict = require('../internals/array-method-is-strict'); -var CHROME_VERSION = require('../internals/engine-v8-version'); -var IS_NODE = require('../internals/engine-is-node'); - -// Chrome 80-82 has a critical bug -// https://bugs.chromium.org/p/chromium/issues/detail?id=1049982 -var CHROME_BUG = !IS_NODE && CHROME_VERSION > 79 && CHROME_VERSION < 83; -var FORCED = CHROME_BUG || !arrayMethodIsStrict('reduce'); - -// `Array.prototype.reduce` method -// https://tc39.es/ecma262/#sec-array.prototype.reduce -$({ target: 'Array', proto: true, forced: FORCED }, { - reduce: function reduce(callbackfn /* , initialValue */) { - var length = arguments.length; - return $reduce(this, callbackfn, length, length > 1 ? arguments[1] : undefined); - } -}); diff --git a/node_modules/core-js/modules/es.array.reverse.js b/node_modules/core-js/modules/es.array.reverse.js deleted file mode 100644 index 7904758..0000000 --- a/node_modules/core-js/modules/es.array.reverse.js +++ /dev/null @@ -1,19 +0,0 @@ -'use strict'; -var $ = require('../internals/export'); -var uncurryThis = require('../internals/function-uncurry-this'); -var isArray = require('../internals/is-array'); - -var nativeReverse = uncurryThis([].reverse); -var test = [1, 2]; - -// `Array.prototype.reverse` method -// https://tc39.es/ecma262/#sec-array.prototype.reverse -// fix for Safari 12.0 bug -// https://bugs.webkit.org/show_bug.cgi?id=188794 -$({ target: 'Array', proto: true, forced: String(test) === String(test.reverse()) }, { - reverse: function reverse() { - // eslint-disable-next-line no-self-assign -- dirty hack - if (isArray(this)) this.length = this.length; - return nativeReverse(this); - } -}); diff --git a/node_modules/core-js/modules/es.array.slice.js b/node_modules/core-js/modules/es.array.slice.js deleted file mode 100644 index 373cab5..0000000 --- a/node_modules/core-js/modules/es.array.slice.js +++ /dev/null @@ -1,49 +0,0 @@ -'use strict'; -var $ = require('../internals/export'); -var isArray = require('../internals/is-array'); -var isConstructor = require('../internals/is-constructor'); -var isObject = require('../internals/is-object'); -var toAbsoluteIndex = require('../internals/to-absolute-index'); -var lengthOfArrayLike = require('../internals/length-of-array-like'); -var toIndexedObject = require('../internals/to-indexed-object'); -var createProperty = require('../internals/create-property'); -var wellKnownSymbol = require('../internals/well-known-symbol'); -var arrayMethodHasSpeciesSupport = require('../internals/array-method-has-species-support'); -var nativeSlice = require('../internals/array-slice'); - -var HAS_SPECIES_SUPPORT = arrayMethodHasSpeciesSupport('slice'); - -var SPECIES = wellKnownSymbol('species'); -var $Array = Array; -var max = Math.max; - -// `Array.prototype.slice` method -// https://tc39.es/ecma262/#sec-array.prototype.slice -// fallback for not array-like ES3 strings and DOM objects -$({ target: 'Array', proto: true, forced: !HAS_SPECIES_SUPPORT }, { - slice: function slice(start, end) { - var O = toIndexedObject(this); - var length = lengthOfArrayLike(O); - var k = toAbsoluteIndex(start, length); - var fin = toAbsoluteIndex(end === undefined ? length : end, length); - // inline `ArraySpeciesCreate` for usage native `Array#slice` where it's possible - var Constructor, result, n; - if (isArray(O)) { - Constructor = O.constructor; - // cross-realm fallback - if (isConstructor(Constructor) && (Constructor === $Array || isArray(Constructor.prototype))) { - Constructor = undefined; - } else if (isObject(Constructor)) { - Constructor = Constructor[SPECIES]; - if (Constructor === null) Constructor = undefined; - } - if (Constructor === $Array || Constructor === undefined) { - return nativeSlice(O, k, fin); - } - } - result = new (Constructor === undefined ? $Array : Constructor)(max(fin - k, 0)); - for (n = 0; k < fin; k++, n++) if (k in O) createProperty(result, n, O[k]); - result.length = n; - return result; - } -}); diff --git a/node_modules/core-js/modules/es.array.some.js b/node_modules/core-js/modules/es.array.some.js deleted file mode 100644 index f1b4462..0000000 --- a/node_modules/core-js/modules/es.array.some.js +++ /dev/null @@ -1,14 +0,0 @@ -'use strict'; -var $ = require('../internals/export'); -var $some = require('../internals/array-iteration').some; -var arrayMethodIsStrict = require('../internals/array-method-is-strict'); - -var STRICT_METHOD = arrayMethodIsStrict('some'); - -// `Array.prototype.some` method -// https://tc39.es/ecma262/#sec-array.prototype.some -$({ target: 'Array', proto: true, forced: !STRICT_METHOD }, { - some: function some(callbackfn /* , thisArg */) { - return $some(this, callbackfn, arguments.length > 1 ? arguments[1] : undefined); - } -}); diff --git a/node_modules/core-js/modules/es.array.sort.js b/node_modules/core-js/modules/es.array.sort.js deleted file mode 100644 index b5c012b..0000000 --- a/node_modules/core-js/modules/es.array.sort.js +++ /dev/null @@ -1,106 +0,0 @@ -'use strict'; -var $ = require('../internals/export'); -var uncurryThis = require('../internals/function-uncurry-this'); -var aCallable = require('../internals/a-callable'); -var toObject = require('../internals/to-object'); -var lengthOfArrayLike = require('../internals/length-of-array-like'); -var deletePropertyOrThrow = require('../internals/delete-property-or-throw'); -var toString = require('../internals/to-string'); -var fails = require('../internals/fails'); -var internalSort = require('../internals/array-sort'); -var arrayMethodIsStrict = require('../internals/array-method-is-strict'); -var FF = require('../internals/engine-ff-version'); -var IE_OR_EDGE = require('../internals/engine-is-ie-or-edge'); -var V8 = require('../internals/engine-v8-version'); -var WEBKIT = require('../internals/engine-webkit-version'); - -var test = []; -var nativeSort = uncurryThis(test.sort); -var push = uncurryThis(test.push); - -// IE8- -var FAILS_ON_UNDEFINED = fails(function () { - test.sort(undefined); -}); -// V8 bug -var FAILS_ON_NULL = fails(function () { - test.sort(null); -}); -// Old WebKit -var STRICT_METHOD = arrayMethodIsStrict('sort'); - -var STABLE_SORT = !fails(function () { - // feature detection can be too slow, so check engines versions - if (V8) return V8 < 70; - if (FF && FF > 3) return; - if (IE_OR_EDGE) return true; - if (WEBKIT) return WEBKIT < 603; - - var result = ''; - var code, chr, value, index; - - // generate an array with more 512 elements (Chakra and old V8 fails only in this case) - for (code = 65; code < 76; code++) { - chr = String.fromCharCode(code); - - switch (code) { - case 66: case 69: case 70: case 72: value = 3; break; - case 68: case 71: value = 4; break; - default: value = 2; - } - - for (index = 0; index < 47; index++) { - test.push({ k: chr + index, v: value }); - } - } - - test.sort(function (a, b) { return b.v - a.v; }); - - for (index = 0; index < test.length; index++) { - chr = test[index].k.charAt(0); - if (result.charAt(result.length - 1) !== chr) result += chr; - } - - return result !== 'DGBEFHACIJK'; -}); - -var FORCED = FAILS_ON_UNDEFINED || !FAILS_ON_NULL || !STRICT_METHOD || !STABLE_SORT; - -var getSortCompare = function (comparefn) { - return function (x, y) { - if (y === undefined) return -1; - if (x === undefined) return 1; - if (comparefn !== undefined) return +comparefn(x, y) || 0; - return toString(x) > toString(y) ? 1 : -1; - }; -}; - -// `Array.prototype.sort` method -// https://tc39.es/ecma262/#sec-array.prototype.sort -$({ target: 'Array', proto: true, forced: FORCED }, { - sort: function sort(comparefn) { - if (comparefn !== undefined) aCallable(comparefn); - - var array = toObject(this); - - if (STABLE_SORT) return comparefn === undefined ? nativeSort(array) : nativeSort(array, comparefn); - - var items = []; - var arrayLength = lengthOfArrayLike(array); - var itemsLength, index; - - for (index = 0; index < arrayLength; index++) { - if (index in array) push(items, array[index]); - } - - internalSort(items, getSortCompare(comparefn)); - - itemsLength = lengthOfArrayLike(items); - index = 0; - - while (index < itemsLength) array[index] = items[index++]; - while (index < arrayLength) deletePropertyOrThrow(array, index++); - - return array; - } -}); diff --git a/node_modules/core-js/modules/es.array.species.js b/node_modules/core-js/modules/es.array.species.js deleted file mode 100644 index 11ada49..0000000 --- a/node_modules/core-js/modules/es.array.species.js +++ /dev/null @@ -1,6 +0,0 @@ -'use strict'; -var setSpecies = require('../internals/set-species'); - -// `Array[@@species]` getter -// https://tc39.es/ecma262/#sec-get-array-@@species -setSpecies('Array'); diff --git a/node_modules/core-js/modules/es.array.splice.js b/node_modules/core-js/modules/es.array.splice.js deleted file mode 100644 index 2da6a79..0000000 --- a/node_modules/core-js/modules/es.array.splice.js +++ /dev/null @@ -1,67 +0,0 @@ -'use strict'; -var $ = require('../internals/export'); -var toObject = require('../internals/to-object'); -var toAbsoluteIndex = require('../internals/to-absolute-index'); -var toIntegerOrInfinity = require('../internals/to-integer-or-infinity'); -var lengthOfArrayLike = require('../internals/length-of-array-like'); -var setArrayLength = require('../internals/array-set-length'); -var doesNotExceedSafeInteger = require('../internals/does-not-exceed-safe-integer'); -var arraySpeciesCreate = require('../internals/array-species-create'); -var createProperty = require('../internals/create-property'); -var deletePropertyOrThrow = require('../internals/delete-property-or-throw'); -var arrayMethodHasSpeciesSupport = require('../internals/array-method-has-species-support'); - -var HAS_SPECIES_SUPPORT = arrayMethodHasSpeciesSupport('splice'); - -var max = Math.max; -var min = Math.min; - -// `Array.prototype.splice` method -// https://tc39.es/ecma262/#sec-array.prototype.splice -// with adding support of @@species -$({ target: 'Array', proto: true, forced: !HAS_SPECIES_SUPPORT }, { - splice: function splice(start, deleteCount /* , ...items */) { - var O = toObject(this); - var len = lengthOfArrayLike(O); - var actualStart = toAbsoluteIndex(start, len); - var argumentsLength = arguments.length; - var insertCount, actualDeleteCount, A, k, from, to; - if (argumentsLength === 0) { - insertCount = actualDeleteCount = 0; - } else if (argumentsLength === 1) { - insertCount = 0; - actualDeleteCount = len - actualStart; - } else { - insertCount = argumentsLength - 2; - actualDeleteCount = min(max(toIntegerOrInfinity(deleteCount), 0), len - actualStart); - } - doesNotExceedSafeInteger(len + insertCount - actualDeleteCount); - A = arraySpeciesCreate(O, actualDeleteCount); - for (k = 0; k < actualDeleteCount; k++) { - from = actualStart + k; - if (from in O) createProperty(A, k, O[from]); - } - A.length = actualDeleteCount; - if (insertCount < actualDeleteCount) { - for (k = actualStart; k < len - actualDeleteCount; k++) { - from = k + actualDeleteCount; - to = k + insertCount; - if (from in O) O[to] = O[from]; - else deletePropertyOrThrow(O, to); - } - for (k = len; k > len - actualDeleteCount + insertCount; k--) deletePropertyOrThrow(O, k - 1); - } else if (insertCount > actualDeleteCount) { - for (k = len - actualDeleteCount; k > actualStart; k--) { - from = k + actualDeleteCount - 1; - to = k + insertCount - 1; - if (from in O) O[to] = O[from]; - else deletePropertyOrThrow(O, to); - } - } - for (k = 0; k < insertCount; k++) { - O[k + actualStart] = arguments[k + 2]; - } - setArrayLength(O, len - actualDeleteCount + insertCount); - return A; - } -}); diff --git a/node_modules/core-js/modules/es.array.to-reversed.js b/node_modules/core-js/modules/es.array.to-reversed.js deleted file mode 100644 index 00c5d0d..0000000 --- a/node_modules/core-js/modules/es.array.to-reversed.js +++ /dev/null @@ -1,17 +0,0 @@ -'use strict'; -var $ = require('../internals/export'); -var arrayToReversed = require('../internals/array-to-reversed'); -var toIndexedObject = require('../internals/to-indexed-object'); -var addToUnscopables = require('../internals/add-to-unscopables'); - -var $Array = Array; - -// `Array.prototype.toReversed` method -// https://tc39.es/ecma262/#sec-array.prototype.toreversed -$({ target: 'Array', proto: true }, { - toReversed: function toReversed() { - return arrayToReversed(toIndexedObject(this), $Array); - } -}); - -addToUnscopables('toReversed'); diff --git a/node_modules/core-js/modules/es.array.to-sorted.js b/node_modules/core-js/modules/es.array.to-sorted.js deleted file mode 100644 index b3ce478..0000000 --- a/node_modules/core-js/modules/es.array.to-sorted.js +++ /dev/null @@ -1,24 +0,0 @@ -'use strict'; -var $ = require('../internals/export'); -var uncurryThis = require('../internals/function-uncurry-this'); -var aCallable = require('../internals/a-callable'); -var toIndexedObject = require('../internals/to-indexed-object'); -var arrayFromConstructorAndList = require('../internals/array-from-constructor-and-list'); -var getBuiltInPrototypeMethod = require('../internals/get-built-in-prototype-method'); -var addToUnscopables = require('../internals/add-to-unscopables'); - -var $Array = Array; -var sort = uncurryThis(getBuiltInPrototypeMethod('Array', 'sort')); - -// `Array.prototype.toSorted` method -// https://tc39.es/ecma262/#sec-array.prototype.tosorted -$({ target: 'Array', proto: true }, { - toSorted: function toSorted(compareFn) { - if (compareFn !== undefined) aCallable(compareFn); - var O = toIndexedObject(this); - var A = arrayFromConstructorAndList($Array, O); - return sort(A, compareFn); - } -}); - -addToUnscopables('toSorted'); diff --git a/node_modules/core-js/modules/es.array.to-spliced.js b/node_modules/core-js/modules/es.array.to-spliced.js deleted file mode 100644 index cad654e..0000000 --- a/node_modules/core-js/modules/es.array.to-spliced.js +++ /dev/null @@ -1,44 +0,0 @@ -'use strict'; -var $ = require('../internals/export'); -var addToUnscopables = require('../internals/add-to-unscopables'); -var doesNotExceedSafeInteger = require('../internals/does-not-exceed-safe-integer'); -var lengthOfArrayLike = require('../internals/length-of-array-like'); -var toAbsoluteIndex = require('../internals/to-absolute-index'); -var toIndexedObject = require('../internals/to-indexed-object'); -var toIntegerOrInfinity = require('../internals/to-integer-or-infinity'); - -var $Array = Array; -var max = Math.max; -var min = Math.min; - -// `Array.prototype.toSpliced` method -// https://tc39.es/ecma262/#sec-array.prototype.tospliced -$({ target: 'Array', proto: true }, { - toSpliced: function toSpliced(start, deleteCount /* , ...items */) { - var O = toIndexedObject(this); - var len = lengthOfArrayLike(O); - var actualStart = toAbsoluteIndex(start, len); - var argumentsLength = arguments.length; - var k = 0; - var insertCount, actualDeleteCount, newLen, A; - if (argumentsLength === 0) { - insertCount = actualDeleteCount = 0; - } else if (argumentsLength === 1) { - insertCount = 0; - actualDeleteCount = len - actualStart; - } else { - insertCount = argumentsLength - 2; - actualDeleteCount = min(max(toIntegerOrInfinity(deleteCount), 0), len - actualStart); - } - newLen = doesNotExceedSafeInteger(len + insertCount - actualDeleteCount); - A = $Array(newLen); - - for (; k < actualStart; k++) A[k] = O[k]; - for (; k < actualStart + insertCount; k++) A[k] = arguments[k - actualStart + 2]; - for (; k < newLen; k++) A[k] = O[k + actualDeleteCount - insertCount]; - - return A; - } -}); - -addToUnscopables('toSpliced'); diff --git a/node_modules/core-js/modules/es.array.unscopables.flat-map.js b/node_modules/core-js/modules/es.array.unscopables.flat-map.js deleted file mode 100644 index 788076d..0000000 --- a/node_modules/core-js/modules/es.array.unscopables.flat-map.js +++ /dev/null @@ -1,7 +0,0 @@ -'use strict'; -// this method was added to unscopables after implementation -// in popular engines, so it's moved to a separate module -var addToUnscopables = require('../internals/add-to-unscopables'); - -// https://tc39.es/ecma262/#sec-array.prototype-@@unscopables -addToUnscopables('flatMap'); diff --git a/node_modules/core-js/modules/es.array.unscopables.flat.js b/node_modules/core-js/modules/es.array.unscopables.flat.js deleted file mode 100644 index 4fa66a8..0000000 --- a/node_modules/core-js/modules/es.array.unscopables.flat.js +++ /dev/null @@ -1,7 +0,0 @@ -'use strict'; -// this method was added to unscopables after implementation -// in popular engines, so it's moved to a separate module -var addToUnscopables = require('../internals/add-to-unscopables'); - -// https://tc39.es/ecma262/#sec-array.prototype-@@unscopables -addToUnscopables('flat'); diff --git a/node_modules/core-js/modules/es.array.unshift.js b/node_modules/core-js/modules/es.array.unshift.js deleted file mode 100644 index 4d31cd8..0000000 --- a/node_modules/core-js/modules/es.array.unshift.js +++ /dev/null @@ -1,45 +0,0 @@ -'use strict'; -var $ = require('../internals/export'); -var toObject = require('../internals/to-object'); -var lengthOfArrayLike = require('../internals/length-of-array-like'); -var setArrayLength = require('../internals/array-set-length'); -var deletePropertyOrThrow = require('../internals/delete-property-or-throw'); -var doesNotExceedSafeInteger = require('../internals/does-not-exceed-safe-integer'); - -// IE8- -var INCORRECT_RESULT = [].unshift(0) !== 1; - -// V8 ~ Chrome < 71 and Safari <= 15.4, FF < 23 throws InternalError -var properErrorOnNonWritableLength = function () { - try { - // eslint-disable-next-line es/no-object-defineproperty -- safe - Object.defineProperty([], 'length', { writable: false }).unshift(); - } catch (error) { - return error instanceof TypeError; - } -}; - -var FORCED = INCORRECT_RESULT || !properErrorOnNonWritableLength(); - -// `Array.prototype.unshift` method -// https://tc39.es/ecma262/#sec-array.prototype.unshift -$({ target: 'Array', proto: true, arity: 1, forced: FORCED }, { - // eslint-disable-next-line no-unused-vars -- required for `.length` - unshift: function unshift(item) { - var O = toObject(this); - var len = lengthOfArrayLike(O); - var argCount = arguments.length; - if (argCount) { - doesNotExceedSafeInteger(len + argCount); - var k = len; - while (k--) { - var to = k + argCount; - if (k in O) O[to] = O[k]; - else deletePropertyOrThrow(O, to); - } - for (var j = 0; j < argCount; j++) { - O[j] = arguments[j]; - } - } return setArrayLength(O, len + argCount); - } -}); diff --git a/node_modules/core-js/modules/es.array.with.js b/node_modules/core-js/modules/es.array.with.js deleted file mode 100644 index 77fd99f..0000000 --- a/node_modules/core-js/modules/es.array.with.js +++ /dev/null @@ -1,14 +0,0 @@ -'use strict'; -var $ = require('../internals/export'); -var arrayWith = require('../internals/array-with'); -var toIndexedObject = require('../internals/to-indexed-object'); - -var $Array = Array; - -// `Array.prototype.with` method -// https://tc39.es/ecma262/#sec-array.prototype.with -$({ target: 'Array', proto: true }, { - 'with': function (index, value) { - return arrayWith(toIndexedObject(this), $Array, index, value); - } -}); diff --git a/node_modules/core-js/modules/es.data-view.constructor.js b/node_modules/core-js/modules/es.data-view.constructor.js deleted file mode 100644 index 0c33e76..0000000 --- a/node_modules/core-js/modules/es.data-view.constructor.js +++ /dev/null @@ -1,10 +0,0 @@ -'use strict'; -var $ = require('../internals/export'); -var ArrayBufferModule = require('../internals/array-buffer'); -var NATIVE_ARRAY_BUFFER = require('../internals/array-buffer-basic-detection'); - -// `DataView` constructor -// https://tc39.es/ecma262/#sec-dataview-constructor -$({ global: true, constructor: true, forced: !NATIVE_ARRAY_BUFFER }, { - DataView: ArrayBufferModule.DataView -}); diff --git a/node_modules/core-js/modules/es.data-view.js b/node_modules/core-js/modules/es.data-view.js deleted file mode 100644 index 9772849..0000000 --- a/node_modules/core-js/modules/es.data-view.js +++ /dev/null @@ -1,3 +0,0 @@ -'use strict'; -// TODO: Remove this module from `core-js@4` since it's replaced to module below -require('../modules/es.data-view.constructor'); diff --git a/node_modules/core-js/modules/es.date.get-year.js b/node_modules/core-js/modules/es.date.get-year.js deleted file mode 100644 index 3558c19..0000000 --- a/node_modules/core-js/modules/es.date.get-year.js +++ /dev/null @@ -1,20 +0,0 @@ -'use strict'; -var $ = require('../internals/export'); -var uncurryThis = require('../internals/function-uncurry-this'); -var fails = require('../internals/fails'); - -// IE8- non-standard case -var FORCED = fails(function () { - // eslint-disable-next-line es/no-date-prototype-getyear-setyear -- detection - return new Date(16e11).getYear() !== 120; -}); - -var getFullYear = uncurryThis(Date.prototype.getFullYear); - -// `Date.prototype.getYear` method -// https://tc39.es/ecma262/#sec-date.prototype.getyear -$({ target: 'Date', proto: true, forced: FORCED }, { - getYear: function getYear() { - return getFullYear(this) - 1900; - } -}); diff --git a/node_modules/core-js/modules/es.date.now.js b/node_modules/core-js/modules/es.date.now.js deleted file mode 100644 index df018fe..0000000 --- a/node_modules/core-js/modules/es.date.now.js +++ /dev/null @@ -1,15 +0,0 @@ -'use strict'; -// TODO: Remove from `core-js@4` -var $ = require('../internals/export'); -var uncurryThis = require('../internals/function-uncurry-this'); - -var $Date = Date; -var thisTimeValue = uncurryThis($Date.prototype.getTime); - -// `Date.now` method -// https://tc39.es/ecma262/#sec-date.now -$({ target: 'Date', stat: true }, { - now: function now() { - return thisTimeValue(new $Date()); - } -}); diff --git a/node_modules/core-js/modules/es.date.set-year.js b/node_modules/core-js/modules/es.date.set-year.js deleted file mode 100644 index 0ee20fc..0000000 --- a/node_modules/core-js/modules/es.date.set-year.js +++ /dev/null @@ -1,20 +0,0 @@ -'use strict'; -var $ = require('../internals/export'); -var uncurryThis = require('../internals/function-uncurry-this'); -var toIntegerOrInfinity = require('../internals/to-integer-or-infinity'); - -var DatePrototype = Date.prototype; -var thisTimeValue = uncurryThis(DatePrototype.getTime); -var setFullYear = uncurryThis(DatePrototype.setFullYear); - -// `Date.prototype.setYear` method -// https://tc39.es/ecma262/#sec-date.prototype.setyear -$({ target: 'Date', proto: true }, { - setYear: function setYear(year) { - // validate - thisTimeValue(this); - var yi = toIntegerOrInfinity(year); - var yyyy = yi >= 0 && yi <= 99 ? yi + 1900 : yi; - return setFullYear(this, yyyy); - } -}); diff --git a/node_modules/core-js/modules/es.date.to-gmt-string.js b/node_modules/core-js/modules/es.date.to-gmt-string.js deleted file mode 100644 index 7be854e..0000000 --- a/node_modules/core-js/modules/es.date.to-gmt-string.js +++ /dev/null @@ -1,8 +0,0 @@ -'use strict'; -var $ = require('../internals/export'); - -// `Date.prototype.toGMTString` method -// https://tc39.es/ecma262/#sec-date.prototype.togmtstring -$({ target: 'Date', proto: true }, { - toGMTString: Date.prototype.toUTCString -}); diff --git a/node_modules/core-js/modules/es.date.to-iso-string.js b/node_modules/core-js/modules/es.date.to-iso-string.js deleted file mode 100644 index d22cd27..0000000 --- a/node_modules/core-js/modules/es.date.to-iso-string.js +++ /dev/null @@ -1,10 +0,0 @@ -'use strict'; -var $ = require('../internals/export'); -var toISOString = require('../internals/date-to-iso-string'); - -// `Date.prototype.toISOString` method -// https://tc39.es/ecma262/#sec-date.prototype.toisostring -// PhantomJS / old WebKit has a broken implementations -$({ target: 'Date', proto: true, forced: Date.prototype.toISOString !== toISOString }, { - toISOString: toISOString -}); diff --git a/node_modules/core-js/modules/es.date.to-json.js b/node_modules/core-js/modules/es.date.to-json.js deleted file mode 100644 index 328ee26..0000000 --- a/node_modules/core-js/modules/es.date.to-json.js +++ /dev/null @@ -1,21 +0,0 @@ -'use strict'; -var $ = require('../internals/export'); -var fails = require('../internals/fails'); -var toObject = require('../internals/to-object'); -var toPrimitive = require('../internals/to-primitive'); - -var FORCED = fails(function () { - return new Date(NaN).toJSON() !== null - || Date.prototype.toJSON.call({ toISOString: function () { return 1; } }) !== 1; -}); - -// `Date.prototype.toJSON` method -// https://tc39.es/ecma262/#sec-date.prototype.tojson -$({ target: 'Date', proto: true, arity: 1, forced: FORCED }, { - // eslint-disable-next-line no-unused-vars -- required for `.length` - toJSON: function toJSON(key) { - var O = toObject(this); - var pv = toPrimitive(O, 'number'); - return typeof pv == 'number' && !isFinite(pv) ? null : O.toISOString(); - } -}); diff --git a/node_modules/core-js/modules/es.date.to-primitive.js b/node_modules/core-js/modules/es.date.to-primitive.js deleted file mode 100644 index 6e20634..0000000 --- a/node_modules/core-js/modules/es.date.to-primitive.js +++ /dev/null @@ -1,14 +0,0 @@ -'use strict'; -var hasOwn = require('../internals/has-own-property'); -var defineBuiltIn = require('../internals/define-built-in'); -var dateToPrimitive = require('../internals/date-to-primitive'); -var wellKnownSymbol = require('../internals/well-known-symbol'); - -var TO_PRIMITIVE = wellKnownSymbol('toPrimitive'); -var DatePrototype = Date.prototype; - -// `Date.prototype[@@toPrimitive]` method -// https://tc39.es/ecma262/#sec-date.prototype-@@toprimitive -if (!hasOwn(DatePrototype, TO_PRIMITIVE)) { - defineBuiltIn(DatePrototype, TO_PRIMITIVE, dateToPrimitive); -} diff --git a/node_modules/core-js/modules/es.date.to-string.js b/node_modules/core-js/modules/es.date.to-string.js deleted file mode 100644 index 32e0d52..0000000 --- a/node_modules/core-js/modules/es.date.to-string.js +++ /dev/null @@ -1,20 +0,0 @@ -'use strict'; -// TODO: Remove from `core-js@4` -var uncurryThis = require('../internals/function-uncurry-this'); -var defineBuiltIn = require('../internals/define-built-in'); - -var DatePrototype = Date.prototype; -var INVALID_DATE = 'Invalid Date'; -var TO_STRING = 'toString'; -var nativeDateToString = uncurryThis(DatePrototype[TO_STRING]); -var thisTimeValue = uncurryThis(DatePrototype.getTime); - -// `Date.prototype.toString` method -// https://tc39.es/ecma262/#sec-date.prototype.tostring -if (String(new Date(NaN)) !== INVALID_DATE) { - defineBuiltIn(DatePrototype, TO_STRING, function toString() { - var value = thisTimeValue(this); - // eslint-disable-next-line no-self-compare -- NaN check - return value === value ? nativeDateToString(this) : INVALID_DATE; - }); -} diff --git a/node_modules/core-js/modules/es.error.cause.js b/node_modules/core-js/modules/es.error.cause.js deleted file mode 100644 index 1aa11d0..0000000 --- a/node_modules/core-js/modules/es.error.cause.js +++ /dev/null @@ -1,58 +0,0 @@ -'use strict'; -/* eslint-disable no-unused-vars -- required for functions `.length` */ -var $ = require('../internals/export'); -var global = require('../internals/global'); -var apply = require('../internals/function-apply'); -var wrapErrorConstructorWithCause = require('../internals/wrap-error-constructor-with-cause'); - -var WEB_ASSEMBLY = 'WebAssembly'; -var WebAssembly = global[WEB_ASSEMBLY]; - -// eslint-disable-next-line es/no-error-cause -- feature detection -var FORCED = new Error('e', { cause: 7 }).cause !== 7; - -var exportGlobalErrorCauseWrapper = function (ERROR_NAME, wrapper) { - var O = {}; - O[ERROR_NAME] = wrapErrorConstructorWithCause(ERROR_NAME, wrapper, FORCED); - $({ global: true, constructor: true, arity: 1, forced: FORCED }, O); -}; - -var exportWebAssemblyErrorCauseWrapper = function (ERROR_NAME, wrapper) { - if (WebAssembly && WebAssembly[ERROR_NAME]) { - var O = {}; - O[ERROR_NAME] = wrapErrorConstructorWithCause(WEB_ASSEMBLY + '.' + ERROR_NAME, wrapper, FORCED); - $({ target: WEB_ASSEMBLY, stat: true, constructor: true, arity: 1, forced: FORCED }, O); - } -}; - -// https://tc39.es/ecma262/#sec-nativeerror -exportGlobalErrorCauseWrapper('Error', function (init) { - return function Error(message) { return apply(init, this, arguments); }; -}); -exportGlobalErrorCauseWrapper('EvalError', function (init) { - return function EvalError(message) { return apply(init, this, arguments); }; -}); -exportGlobalErrorCauseWrapper('RangeError', function (init) { - return function RangeError(message) { return apply(init, this, arguments); }; -}); -exportGlobalErrorCauseWrapper('ReferenceError', function (init) { - return function ReferenceError(message) { return apply(init, this, arguments); }; -}); -exportGlobalErrorCauseWrapper('SyntaxError', function (init) { - return function SyntaxError(message) { return apply(init, this, arguments); }; -}); -exportGlobalErrorCauseWrapper('TypeError', function (init) { - return function TypeError(message) { return apply(init, this, arguments); }; -}); -exportGlobalErrorCauseWrapper('URIError', function (init) { - return function URIError(message) { return apply(init, this, arguments); }; -}); -exportWebAssemblyErrorCauseWrapper('CompileError', function (init) { - return function CompileError(message) { return apply(init, this, arguments); }; -}); -exportWebAssemblyErrorCauseWrapper('LinkError', function (init) { - return function LinkError(message) { return apply(init, this, arguments); }; -}); -exportWebAssemblyErrorCauseWrapper('RuntimeError', function (init) { - return function RuntimeError(message) { return apply(init, this, arguments); }; -}); diff --git a/node_modules/core-js/modules/es.error.to-string.js b/node_modules/core-js/modules/es.error.to-string.js deleted file mode 100644 index 490c273..0000000 --- a/node_modules/core-js/modules/es.error.to-string.js +++ /dev/null @@ -1,11 +0,0 @@ -'use strict'; -var defineBuiltIn = require('../internals/define-built-in'); -var errorToString = require('../internals/error-to-string'); - -var ErrorPrototype = Error.prototype; - -// `Error.prototype.toString` method fix -// https://tc39.es/ecma262/#sec-error.prototype.tostring -if (ErrorPrototype.toString !== errorToString) { - defineBuiltIn(ErrorPrototype, 'toString', errorToString); -} diff --git a/node_modules/core-js/modules/es.escape.js b/node_modules/core-js/modules/es.escape.js deleted file mode 100644 index 20e1b99..0000000 --- a/node_modules/core-js/modules/es.escape.js +++ /dev/null @@ -1,43 +0,0 @@ -'use strict'; -var $ = require('../internals/export'); -var uncurryThis = require('../internals/function-uncurry-this'); -var toString = require('../internals/to-string'); - -var charAt = uncurryThis(''.charAt); -var charCodeAt = uncurryThis(''.charCodeAt); -var exec = uncurryThis(/./.exec); -var numberToString = uncurryThis(1.0.toString); -var toUpperCase = uncurryThis(''.toUpperCase); - -var raw = /[\w*+\-./@]/; - -var hex = function (code, length) { - var result = numberToString(code, 16); - while (result.length < length) result = '0' + result; - return result; -}; - -// `escape` method -// https://tc39.es/ecma262/#sec-escape-string -$({ global: true }, { - escape: function escape(string) { - var str = toString(string); - var result = ''; - var length = str.length; - var index = 0; - var chr, code; - while (index < length) { - chr = charAt(str, index++); - if (exec(raw, chr)) { - result += chr; - } else { - code = charCodeAt(chr, 0); - if (code < 256) { - result += '%' + hex(code, 2); - } else { - result += '%u' + toUpperCase(hex(code, 4)); - } - } - } return result; - } -}); diff --git a/node_modules/core-js/modules/es.function.bind.js b/node_modules/core-js/modules/es.function.bind.js deleted file mode 100644 index f8650c2..0000000 --- a/node_modules/core-js/modules/es.function.bind.js +++ /dev/null @@ -1,11 +0,0 @@ -'use strict'; -// TODO: Remove from `core-js@4` -var $ = require('../internals/export'); -var bind = require('../internals/function-bind'); - -// `Function.prototype.bind` method -// https://tc39.es/ecma262/#sec-function.prototype.bind -// eslint-disable-next-line es/no-function-prototype-bind -- detection -$({ target: 'Function', proto: true, forced: Function.bind !== bind }, { - bind: bind -}); diff --git a/node_modules/core-js/modules/es.function.has-instance.js b/node_modules/core-js/modules/es.function.has-instance.js deleted file mode 100644 index 8038eed..0000000 --- a/node_modules/core-js/modules/es.function.has-instance.js +++ /dev/null @@ -1,20 +0,0 @@ -'use strict'; -var isCallable = require('../internals/is-callable'); -var isObject = require('../internals/is-object'); -var definePropertyModule = require('../internals/object-define-property'); -var isPrototypeOf = require('../internals/object-is-prototype-of'); -var wellKnownSymbol = require('../internals/well-known-symbol'); -var makeBuiltIn = require('../internals/make-built-in'); - -var HAS_INSTANCE = wellKnownSymbol('hasInstance'); -var FunctionPrototype = Function.prototype; - -// `Function.prototype[@@hasInstance]` method -// https://tc39.es/ecma262/#sec-function.prototype-@@hasinstance -if (!(HAS_INSTANCE in FunctionPrototype)) { - definePropertyModule.f(FunctionPrototype, HAS_INSTANCE, { value: makeBuiltIn(function (O) { - if (!isCallable(this) || !isObject(O)) return false; - var P = this.prototype; - return isObject(P) ? isPrototypeOf(P, O) : O instanceof this; - }, HAS_INSTANCE) }); -} diff --git a/node_modules/core-js/modules/es.function.name.js b/node_modules/core-js/modules/es.function.name.js deleted file mode 100644 index aa833e4..0000000 --- a/node_modules/core-js/modules/es.function.name.js +++ /dev/null @@ -1,26 +0,0 @@ -'use strict'; -var DESCRIPTORS = require('../internals/descriptors'); -var FUNCTION_NAME_EXISTS = require('../internals/function-name').EXISTS; -var uncurryThis = require('../internals/function-uncurry-this'); -var defineBuiltInAccessor = require('../internals/define-built-in-accessor'); - -var FunctionPrototype = Function.prototype; -var functionToString = uncurryThis(FunctionPrototype.toString); -var nameRE = /function\b(?:\s|\/\*[\S\s]*?\*\/|\/\/[^\n\r]*[\n\r]+)*([^\s(/]*)/; -var regExpExec = uncurryThis(nameRE.exec); -var NAME = 'name'; - -// Function instances `.name` property -// https://tc39.es/ecma262/#sec-function-instances-name -if (DESCRIPTORS && !FUNCTION_NAME_EXISTS) { - defineBuiltInAccessor(FunctionPrototype, NAME, { - configurable: true, - get: function () { - try { - return regExpExec(nameRE, functionToString(this))[1]; - } catch (error) { - return ''; - } - } - }); -} diff --git a/node_modules/core-js/modules/es.global-this.js b/node_modules/core-js/modules/es.global-this.js deleted file mode 100644 index aacb400..0000000 --- a/node_modules/core-js/modules/es.global-this.js +++ /dev/null @@ -1,9 +0,0 @@ -'use strict'; -var $ = require('../internals/export'); -var global = require('../internals/global'); - -// `globalThis` object -// https://tc39.es/ecma262/#sec-globalthis -$({ global: true, forced: global.globalThis !== global }, { - globalThis: global -}); diff --git a/node_modules/core-js/modules/es.json.stringify.js b/node_modules/core-js/modules/es.json.stringify.js deleted file mode 100644 index 3c62efc..0000000 --- a/node_modules/core-js/modules/es.json.stringify.js +++ /dev/null @@ -1,73 +0,0 @@ -'use strict'; -var $ = require('../internals/export'); -var getBuiltIn = require('../internals/get-built-in'); -var apply = require('../internals/function-apply'); -var call = require('../internals/function-call'); -var uncurryThis = require('../internals/function-uncurry-this'); -var fails = require('../internals/fails'); -var isCallable = require('../internals/is-callable'); -var isSymbol = require('../internals/is-symbol'); -var arraySlice = require('../internals/array-slice'); -var getReplacerFunction = require('../internals/get-json-replacer-function'); -var NATIVE_SYMBOL = require('../internals/symbol-constructor-detection'); - -var $String = String; -var $stringify = getBuiltIn('JSON', 'stringify'); -var exec = uncurryThis(/./.exec); -var charAt = uncurryThis(''.charAt); -var charCodeAt = uncurryThis(''.charCodeAt); -var replace = uncurryThis(''.replace); -var numberToString = uncurryThis(1.0.toString); - -var tester = /[\uD800-\uDFFF]/g; -var low = /^[\uD800-\uDBFF]$/; -var hi = /^[\uDC00-\uDFFF]$/; - -var WRONG_SYMBOLS_CONVERSION = !NATIVE_SYMBOL || fails(function () { - var symbol = getBuiltIn('Symbol')('stringify detection'); - // MS Edge converts symbol values to JSON as {} - return $stringify([symbol]) !== '[null]' - // WebKit converts symbol values to JSON as null - || $stringify({ a: symbol }) !== '{}' - // V8 throws on boxed symbols - || $stringify(Object(symbol)) !== '{}'; -}); - -// https://github.com/tc39/proposal-well-formed-stringify -var ILL_FORMED_UNICODE = fails(function () { - return $stringify('\uDF06\uD834') !== '"\\udf06\\ud834"' - || $stringify('\uDEAD') !== '"\\udead"'; -}); - -var stringifyWithSymbolsFix = function (it, replacer) { - var args = arraySlice(arguments); - var $replacer = getReplacerFunction(replacer); - if (!isCallable($replacer) && (it === undefined || isSymbol(it))) return; // IE8 returns string on undefined - args[1] = function (key, value) { - // some old implementations (like WebKit) could pass numbers as keys - if (isCallable($replacer)) value = call($replacer, this, $String(key), value); - if (!isSymbol(value)) return value; - }; - return apply($stringify, null, args); -}; - -var fixIllFormed = function (match, offset, string) { - var prev = charAt(string, offset - 1); - var next = charAt(string, offset + 1); - if ((exec(low, match) && !exec(hi, next)) || (exec(hi, match) && !exec(low, prev))) { - return '\\u' + numberToString(charCodeAt(match, 0), 16); - } return match; -}; - -if ($stringify) { - // `JSON.stringify` method - // https://tc39.es/ecma262/#sec-json.stringify - $({ target: 'JSON', stat: true, arity: 3, forced: WRONG_SYMBOLS_CONVERSION || ILL_FORMED_UNICODE }, { - // eslint-disable-next-line no-unused-vars -- required for `.length` - stringify: function stringify(it, replacer, space) { - var args = arraySlice(arguments); - var result = apply(WRONG_SYMBOLS_CONVERSION ? stringifyWithSymbolsFix : $stringify, null, args); - return ILL_FORMED_UNICODE && typeof result == 'string' ? replace(result, tester, fixIllFormed) : result; - } - }); -} diff --git a/node_modules/core-js/modules/es.json.to-string-tag.js b/node_modules/core-js/modules/es.json.to-string-tag.js deleted file mode 100644 index 358d446..0000000 --- a/node_modules/core-js/modules/es.json.to-string-tag.js +++ /dev/null @@ -1,7 +0,0 @@ -'use strict'; -var global = require('../internals/global'); -var setToStringTag = require('../internals/set-to-string-tag'); - -// JSON[@@toStringTag] property -// https://tc39.es/ecma262/#sec-json-@@tostringtag -setToStringTag(global.JSON, 'JSON', true); diff --git a/node_modules/core-js/modules/es.map.constructor.js b/node_modules/core-js/modules/es.map.constructor.js deleted file mode 100644 index c78dcf6..0000000 --- a/node_modules/core-js/modules/es.map.constructor.js +++ /dev/null @@ -1,9 +0,0 @@ -'use strict'; -var collection = require('../internals/collection'); -var collectionStrong = require('../internals/collection-strong'); - -// `Map` constructor -// https://tc39.es/ecma262/#sec-map-objects -collection('Map', function (init) { - return function Map() { return init(this, arguments.length ? arguments[0] : undefined); }; -}, collectionStrong); diff --git a/node_modules/core-js/modules/es.map.group-by.js b/node_modules/core-js/modules/es.map.group-by.js deleted file mode 100644 index badc332..0000000 --- a/node_modules/core-js/modules/es.map.group-by.js +++ /dev/null @@ -1,31 +0,0 @@ -'use strict'; -var $ = require('../internals/export'); -var uncurryThis = require('../internals/function-uncurry-this'); -var aCallable = require('../internals/a-callable'); -var requireObjectCoercible = require('../internals/require-object-coercible'); -var iterate = require('../internals/iterate'); -var MapHelpers = require('../internals/map-helpers'); -var IS_PURE = require('../internals/is-pure'); - -var Map = MapHelpers.Map; -var has = MapHelpers.has; -var get = MapHelpers.get; -var set = MapHelpers.set; -var push = uncurryThis([].push); - -// `Map.groupBy` method -// https://github.com/tc39/proposal-array-grouping -$({ target: 'Map', stat: true, forced: IS_PURE }, { - groupBy: function groupBy(items, callbackfn) { - requireObjectCoercible(items); - aCallable(callbackfn); - var map = new Map(); - var k = 0; - iterate(items, function (value) { - var key = callbackfn(value, k++); - if (!has(map, key)) set(map, key, [value]); - else push(get(map, key), value); - }); - return map; - } -}); diff --git a/node_modules/core-js/modules/es.map.js b/node_modules/core-js/modules/es.map.js deleted file mode 100644 index abe2fe5..0000000 --- a/node_modules/core-js/modules/es.map.js +++ /dev/null @@ -1,3 +0,0 @@ -'use strict'; -// TODO: Remove this module from `core-js@4` since it's replaced to module below -require('../modules/es.map.constructor'); diff --git a/node_modules/core-js/modules/es.math.acosh.js b/node_modules/core-js/modules/es.math.acosh.js deleted file mode 100644 index d49bb77..0000000 --- a/node_modules/core-js/modules/es.math.acosh.js +++ /dev/null @@ -1,26 +0,0 @@ -'use strict'; -var $ = require('../internals/export'); -var log1p = require('../internals/math-log1p'); - -// eslint-disable-next-line es/no-math-acosh -- required for testing -var $acosh = Math.acosh; -var log = Math.log; -var sqrt = Math.sqrt; -var LN2 = Math.LN2; - -var FORCED = !$acosh - // V8 bug: https://code.google.com/p/v8/issues/detail?id=3509 - || Math.floor($acosh(Number.MAX_VALUE)) !== 710 - // Tor Browser bug: Math.acosh(Infinity) -> NaN - || $acosh(Infinity) !== Infinity; - -// `Math.acosh` method -// https://tc39.es/ecma262/#sec-math.acosh -$({ target: 'Math', stat: true, forced: FORCED }, { - acosh: function acosh(x) { - var n = +x; - return n < 1 ? NaN : n > 94906265.62425156 - ? log(n) + LN2 - : log1p(n - 1 + sqrt(n - 1) * sqrt(n + 1)); - } -}); diff --git a/node_modules/core-js/modules/es.math.asinh.js b/node_modules/core-js/modules/es.math.asinh.js deleted file mode 100644 index 0069392..0000000 --- a/node_modules/core-js/modules/es.math.asinh.js +++ /dev/null @@ -1,21 +0,0 @@ -'use strict'; -var $ = require('../internals/export'); - -// eslint-disable-next-line es/no-math-asinh -- required for testing -var $asinh = Math.asinh; -var log = Math.log; -var sqrt = Math.sqrt; - -function asinh(x) { - var n = +x; - return !isFinite(n) || n === 0 ? n : n < 0 ? -asinh(-n) : log(n + sqrt(n * n + 1)); -} - -var FORCED = !($asinh && 1 / $asinh(0) > 0); - -// `Math.asinh` method -// https://tc39.es/ecma262/#sec-math.asinh -// Tor Browser bug: Math.asinh(0) -> -0 -$({ target: 'Math', stat: true, forced: FORCED }, { - asinh: asinh -}); diff --git a/node_modules/core-js/modules/es.math.atanh.js b/node_modules/core-js/modules/es.math.atanh.js deleted file mode 100644 index 125a1b7..0000000 --- a/node_modules/core-js/modules/es.math.atanh.js +++ /dev/null @@ -1,18 +0,0 @@ -'use strict'; -var $ = require('../internals/export'); - -// eslint-disable-next-line es/no-math-atanh -- required for testing -var $atanh = Math.atanh; -var log = Math.log; - -var FORCED = !($atanh && 1 / $atanh(-0) < 0); - -// `Math.atanh` method -// https://tc39.es/ecma262/#sec-math.atanh -// Tor Browser bug: Math.atanh(-0) -> 0 -$({ target: 'Math', stat: true, forced: FORCED }, { - atanh: function atanh(x) { - var n = +x; - return n === 0 ? n : log((1 + n) / (1 - n)) / 2; - } -}); diff --git a/node_modules/core-js/modules/es.math.cbrt.js b/node_modules/core-js/modules/es.math.cbrt.js deleted file mode 100644 index 1c634cf..0000000 --- a/node_modules/core-js/modules/es.math.cbrt.js +++ /dev/null @@ -1,15 +0,0 @@ -'use strict'; -var $ = require('../internals/export'); -var sign = require('../internals/math-sign'); - -var abs = Math.abs; -var pow = Math.pow; - -// `Math.cbrt` method -// https://tc39.es/ecma262/#sec-math.cbrt -$({ target: 'Math', stat: true }, { - cbrt: function cbrt(x) { - var n = +x; - return sign(n) * pow(abs(n), 1 / 3); - } -}); diff --git a/node_modules/core-js/modules/es.math.clz32.js b/node_modules/core-js/modules/es.math.clz32.js deleted file mode 100644 index 65f7ffc..0000000 --- a/node_modules/core-js/modules/es.math.clz32.js +++ /dev/null @@ -1,15 +0,0 @@ -'use strict'; -var $ = require('../internals/export'); - -var floor = Math.floor; -var log = Math.log; -var LOG2E = Math.LOG2E; - -// `Math.clz32` method -// https://tc39.es/ecma262/#sec-math.clz32 -$({ target: 'Math', stat: true }, { - clz32: function clz32(x) { - var n = x >>> 0; - return n ? 31 - floor(log(n + 0.5) * LOG2E) : 32; - } -}); diff --git a/node_modules/core-js/modules/es.math.cosh.js b/node_modules/core-js/modules/es.math.cosh.js deleted file mode 100644 index 6846ead..0000000 --- a/node_modules/core-js/modules/es.math.cosh.js +++ /dev/null @@ -1,19 +0,0 @@ -'use strict'; -var $ = require('../internals/export'); -var expm1 = require('../internals/math-expm1'); - -// eslint-disable-next-line es/no-math-cosh -- required for testing -var $cosh = Math.cosh; -var abs = Math.abs; -var E = Math.E; - -var FORCED = !$cosh || $cosh(710) === Infinity; - -// `Math.cosh` method -// https://tc39.es/ecma262/#sec-math.cosh -$({ target: 'Math', stat: true, forced: FORCED }, { - cosh: function cosh(x) { - var t = expm1(abs(x) - 1) + 1; - return (t + 1 / (t * E * E)) * (E / 2); - } -}); diff --git a/node_modules/core-js/modules/es.math.expm1.js b/node_modules/core-js/modules/es.math.expm1.js deleted file mode 100644 index cc9f174..0000000 --- a/node_modules/core-js/modules/es.math.expm1.js +++ /dev/null @@ -1,8 +0,0 @@ -'use strict'; -var $ = require('../internals/export'); -var expm1 = require('../internals/math-expm1'); - -// `Math.expm1` method -// https://tc39.es/ecma262/#sec-math.expm1 -// eslint-disable-next-line es/no-math-expm1 -- required for testing -$({ target: 'Math', stat: true, forced: expm1 !== Math.expm1 }, { expm1: expm1 }); diff --git a/node_modules/core-js/modules/es.math.fround.js b/node_modules/core-js/modules/es.math.fround.js deleted file mode 100644 index dedce41..0000000 --- a/node_modules/core-js/modules/es.math.fround.js +++ /dev/null @@ -1,7 +0,0 @@ -'use strict'; -var $ = require('../internals/export'); -var fround = require('../internals/math-fround'); - -// `Math.fround` method -// https://tc39.es/ecma262/#sec-math.fround -$({ target: 'Math', stat: true }, { fround: fround }); diff --git a/node_modules/core-js/modules/es.math.hypot.js b/node_modules/core-js/modules/es.math.hypot.js deleted file mode 100644 index 0c15598..0000000 --- a/node_modules/core-js/modules/es.math.hypot.js +++ /dev/null @@ -1,36 +0,0 @@ -'use strict'; -var $ = require('../internals/export'); - -// eslint-disable-next-line es/no-math-hypot -- required for testing -var $hypot = Math.hypot; -var abs = Math.abs; -var sqrt = Math.sqrt; - -// Chrome 77 bug -// https://bugs.chromium.org/p/v8/issues/detail?id=9546 -var FORCED = !!$hypot && $hypot(Infinity, NaN) !== Infinity; - -// `Math.hypot` method -// https://tc39.es/ecma262/#sec-math.hypot -$({ target: 'Math', stat: true, arity: 2, forced: FORCED }, { - // eslint-disable-next-line no-unused-vars -- required for `.length` - hypot: function hypot(value1, value2) { - var sum = 0; - var i = 0; - var aLen = arguments.length; - var larg = 0; - var arg, div; - while (i < aLen) { - arg = abs(arguments[i++]); - if (larg < arg) { - div = larg / arg; - sum = sum * div * div + 1; - larg = arg; - } else if (arg > 0) { - div = arg / larg; - sum += div * div; - } else sum += arg; - } - return larg === Infinity ? Infinity : larg * sqrt(sum); - } -}); diff --git a/node_modules/core-js/modules/es.math.imul.js b/node_modules/core-js/modules/es.math.imul.js deleted file mode 100644 index 23e73b6..0000000 --- a/node_modules/core-js/modules/es.math.imul.js +++ /dev/null @@ -1,24 +0,0 @@ -'use strict'; -var $ = require('../internals/export'); -var fails = require('../internals/fails'); - -// eslint-disable-next-line es/no-math-imul -- required for testing -var $imul = Math.imul; - -var FORCED = fails(function () { - return $imul(0xFFFFFFFF, 5) !== -5 || $imul.length !== 2; -}); - -// `Math.imul` method -// https://tc39.es/ecma262/#sec-math.imul -// some WebKit versions fails with big numbers, some has wrong arity -$({ target: 'Math', stat: true, forced: FORCED }, { - imul: function imul(x, y) { - var UINT16 = 0xFFFF; - var xn = +x; - var yn = +y; - var xl = UINT16 & xn; - var yl = UINT16 & yn; - return 0 | xl * yl + ((UINT16 & xn >>> 16) * yl + xl * (UINT16 & yn >>> 16) << 16 >>> 0); - } -}); diff --git a/node_modules/core-js/modules/es.math.log10.js b/node_modules/core-js/modules/es.math.log10.js deleted file mode 100644 index ebdcea3..0000000 --- a/node_modules/core-js/modules/es.math.log10.js +++ /dev/null @@ -1,9 +0,0 @@ -'use strict'; -var $ = require('../internals/export'); -var log10 = require('../internals/math-log10'); - -// `Math.log10` method -// https://tc39.es/ecma262/#sec-math.log10 -$({ target: 'Math', stat: true }, { - log10: log10 -}); diff --git a/node_modules/core-js/modules/es.math.log1p.js b/node_modules/core-js/modules/es.math.log1p.js deleted file mode 100644 index 951bb34..0000000 --- a/node_modules/core-js/modules/es.math.log1p.js +++ /dev/null @@ -1,7 +0,0 @@ -'use strict'; -var $ = require('../internals/export'); -var log1p = require('../internals/math-log1p'); - -// `Math.log1p` method -// https://tc39.es/ecma262/#sec-math.log1p -$({ target: 'Math', stat: true }, { log1p: log1p }); diff --git a/node_modules/core-js/modules/es.math.log2.js b/node_modules/core-js/modules/es.math.log2.js deleted file mode 100644 index 95cb4f9..0000000 --- a/node_modules/core-js/modules/es.math.log2.js +++ /dev/null @@ -1,13 +0,0 @@ -'use strict'; -var $ = require('../internals/export'); - -var log = Math.log; -var LN2 = Math.LN2; - -// `Math.log2` method -// https://tc39.es/ecma262/#sec-math.log2 -$({ target: 'Math', stat: true }, { - log2: function log2(x) { - return log(x) / LN2; - } -}); diff --git a/node_modules/core-js/modules/es.math.sign.js b/node_modules/core-js/modules/es.math.sign.js deleted file mode 100644 index f28f17f..0000000 --- a/node_modules/core-js/modules/es.math.sign.js +++ /dev/null @@ -1,9 +0,0 @@ -'use strict'; -var $ = require('../internals/export'); -var sign = require('../internals/math-sign'); - -// `Math.sign` method -// https://tc39.es/ecma262/#sec-math.sign -$({ target: 'Math', stat: true }, { - sign: sign -}); diff --git a/node_modules/core-js/modules/es.math.sinh.js b/node_modules/core-js/modules/es.math.sinh.js deleted file mode 100644 index 6e80ba0..0000000 --- a/node_modules/core-js/modules/es.math.sinh.js +++ /dev/null @@ -1,23 +0,0 @@ -'use strict'; -var $ = require('../internals/export'); -var fails = require('../internals/fails'); -var expm1 = require('../internals/math-expm1'); - -var abs = Math.abs; -var exp = Math.exp; -var E = Math.E; - -var FORCED = fails(function () { - // eslint-disable-next-line es/no-math-sinh -- required for testing - return Math.sinh(-2e-17) !== -2e-17; -}); - -// `Math.sinh` method -// https://tc39.es/ecma262/#sec-math.sinh -// V8 near Chromium 38 has a problem with very small numbers -$({ target: 'Math', stat: true, forced: FORCED }, { - sinh: function sinh(x) { - var n = +x; - return abs(n) < 1 ? (expm1(n) - expm1(-n)) / 2 : (exp(n - 1) - exp(-n - 1)) * (E / 2); - } -}); diff --git a/node_modules/core-js/modules/es.math.tanh.js b/node_modules/core-js/modules/es.math.tanh.js deleted file mode 100644 index a93da24..0000000 --- a/node_modules/core-js/modules/es.math.tanh.js +++ /dev/null @@ -1,16 +0,0 @@ -'use strict'; -var $ = require('../internals/export'); -var expm1 = require('../internals/math-expm1'); - -var exp = Math.exp; - -// `Math.tanh` method -// https://tc39.es/ecma262/#sec-math.tanh -$({ target: 'Math', stat: true }, { - tanh: function tanh(x) { - var n = +x; - var a = expm1(n); - var b = expm1(-n); - return a === Infinity ? 1 : b === Infinity ? -1 : (a - b) / (exp(n) + exp(-n)); - } -}); diff --git a/node_modules/core-js/modules/es.math.to-string-tag.js b/node_modules/core-js/modules/es.math.to-string-tag.js deleted file mode 100644 index 183b9b8..0000000 --- a/node_modules/core-js/modules/es.math.to-string-tag.js +++ /dev/null @@ -1,6 +0,0 @@ -'use strict'; -var setToStringTag = require('../internals/set-to-string-tag'); - -// Math[@@toStringTag] property -// https://tc39.es/ecma262/#sec-math-@@tostringtag -setToStringTag(Math, 'Math', true); diff --git a/node_modules/core-js/modules/es.math.trunc.js b/node_modules/core-js/modules/es.math.trunc.js deleted file mode 100644 index 68d9921..0000000 --- a/node_modules/core-js/modules/es.math.trunc.js +++ /dev/null @@ -1,9 +0,0 @@ -'use strict'; -var $ = require('../internals/export'); -var trunc = require('../internals/math-trunc'); - -// `Math.trunc` method -// https://tc39.es/ecma262/#sec-math.trunc -$({ target: 'Math', stat: true }, { - trunc: trunc -}); diff --git a/node_modules/core-js/modules/es.number.constructor.js b/node_modules/core-js/modules/es.number.constructor.js deleted file mode 100644 index 975159b..0000000 --- a/node_modules/core-js/modules/es.number.constructor.js +++ /dev/null @@ -1,115 +0,0 @@ -'use strict'; -var $ = require('../internals/export'); -var IS_PURE = require('../internals/is-pure'); -var DESCRIPTORS = require('../internals/descriptors'); -var global = require('../internals/global'); -var path = require('../internals/path'); -var uncurryThis = require('../internals/function-uncurry-this'); -var isForced = require('../internals/is-forced'); -var hasOwn = require('../internals/has-own-property'); -var inheritIfRequired = require('../internals/inherit-if-required'); -var isPrototypeOf = require('../internals/object-is-prototype-of'); -var isSymbol = require('../internals/is-symbol'); -var toPrimitive = require('../internals/to-primitive'); -var fails = require('../internals/fails'); -var getOwnPropertyNames = require('../internals/object-get-own-property-names').f; -var getOwnPropertyDescriptor = require('../internals/object-get-own-property-descriptor').f; -var defineProperty = require('../internals/object-define-property').f; -var thisNumberValue = require('../internals/this-number-value'); -var trim = require('../internals/string-trim').trim; - -var NUMBER = 'Number'; -var NativeNumber = global[NUMBER]; -var PureNumberNamespace = path[NUMBER]; -var NumberPrototype = NativeNumber.prototype; -var TypeError = global.TypeError; -var stringSlice = uncurryThis(''.slice); -var charCodeAt = uncurryThis(''.charCodeAt); - -// `ToNumeric` abstract operation -// https://tc39.es/ecma262/#sec-tonumeric -var toNumeric = function (value) { - var primValue = toPrimitive(value, 'number'); - return typeof primValue == 'bigint' ? primValue : toNumber(primValue); -}; - -// `ToNumber` abstract operation -// https://tc39.es/ecma262/#sec-tonumber -var toNumber = function (argument) { - var it = toPrimitive(argument, 'number'); - var first, third, radix, maxCode, digits, length, index, code; - if (isSymbol(it)) throw new TypeError('Cannot convert a Symbol value to a number'); - if (typeof it == 'string' && it.length > 2) { - it = trim(it); - first = charCodeAt(it, 0); - if (first === 43 || first === 45) { - third = charCodeAt(it, 2); - if (third === 88 || third === 120) return NaN; // Number('+0x1') should be NaN, old V8 fix - } else if (first === 48) { - switch (charCodeAt(it, 1)) { - // fast equal of /^0b[01]+$/i - case 66: - case 98: - radix = 2; - maxCode = 49; - break; - // fast equal of /^0o[0-7]+$/i - case 79: - case 111: - radix = 8; - maxCode = 55; - break; - default: - return +it; - } - digits = stringSlice(it, 2); - length = digits.length; - for (index = 0; index < length; index++) { - code = charCodeAt(digits, index); - // parseInt parses a string to a first unavailable symbol - // but ToNumber should return NaN if a string contains unavailable symbols - if (code < 48 || code > maxCode) return NaN; - } return parseInt(digits, radix); - } - } return +it; -}; - -var FORCED = isForced(NUMBER, !NativeNumber(' 0o1') || !NativeNumber('0b1') || NativeNumber('+0x1')); - -var calledWithNew = function (dummy) { - // includes check on 1..constructor(foo) case - return isPrototypeOf(NumberPrototype, dummy) && fails(function () { thisNumberValue(dummy); }); -}; - -// `Number` constructor -// https://tc39.es/ecma262/#sec-number-constructor -var NumberWrapper = function Number(value) { - var n = arguments.length < 1 ? 0 : NativeNumber(toNumeric(value)); - return calledWithNew(this) ? inheritIfRequired(Object(n), this, NumberWrapper) : n; -}; - -NumberWrapper.prototype = NumberPrototype; -if (FORCED && !IS_PURE) NumberPrototype.constructor = NumberWrapper; - -$({ global: true, constructor: true, wrap: true, forced: FORCED }, { - Number: NumberWrapper -}); - -// Use `internal/copy-constructor-properties` helper in `core-js@4` -var copyConstructorProperties = function (target, source) { - for (var keys = DESCRIPTORS ? getOwnPropertyNames(source) : ( - // ES3: - 'MAX_VALUE,MIN_VALUE,NaN,NEGATIVE_INFINITY,POSITIVE_INFINITY,' + - // ES2015 (in case, if modules with ES2015 Number statics required before): - 'EPSILON,MAX_SAFE_INTEGER,MIN_SAFE_INTEGER,isFinite,isInteger,isNaN,isSafeInteger,parseFloat,parseInt,' + - // ESNext - 'fromString,range' - ).split(','), j = 0, key; keys.length > j; j++) { - if (hasOwn(source, key = keys[j]) && !hasOwn(target, key)) { - defineProperty(target, key, getOwnPropertyDescriptor(source, key)); - } - } -}; - -if (IS_PURE && PureNumberNamespace) copyConstructorProperties(path[NUMBER], PureNumberNamespace); -if (FORCED || IS_PURE) copyConstructorProperties(path[NUMBER], NativeNumber); diff --git a/node_modules/core-js/modules/es.number.epsilon.js b/node_modules/core-js/modules/es.number.epsilon.js deleted file mode 100644 index 30aa42a..0000000 --- a/node_modules/core-js/modules/es.number.epsilon.js +++ /dev/null @@ -1,8 +0,0 @@ -'use strict'; -var $ = require('../internals/export'); - -// `Number.EPSILON` constant -// https://tc39.es/ecma262/#sec-number.epsilon -$({ target: 'Number', stat: true, nonConfigurable: true, nonWritable: true }, { - EPSILON: Math.pow(2, -52) -}); diff --git a/node_modules/core-js/modules/es.number.is-finite.js b/node_modules/core-js/modules/es.number.is-finite.js deleted file mode 100644 index 61e10e7..0000000 --- a/node_modules/core-js/modules/es.number.is-finite.js +++ /dev/null @@ -1,7 +0,0 @@ -'use strict'; -var $ = require('../internals/export'); -var numberIsFinite = require('../internals/number-is-finite'); - -// `Number.isFinite` method -// https://tc39.es/ecma262/#sec-number.isfinite -$({ target: 'Number', stat: true }, { isFinite: numberIsFinite }); diff --git a/node_modules/core-js/modules/es.number.is-integer.js b/node_modules/core-js/modules/es.number.is-integer.js deleted file mode 100644 index 57620df..0000000 --- a/node_modules/core-js/modules/es.number.is-integer.js +++ /dev/null @@ -1,9 +0,0 @@ -'use strict'; -var $ = require('../internals/export'); -var isIntegralNumber = require('../internals/is-integral-number'); - -// `Number.isInteger` method -// https://tc39.es/ecma262/#sec-number.isinteger -$({ target: 'Number', stat: true }, { - isInteger: isIntegralNumber -}); diff --git a/node_modules/core-js/modules/es.number.is-nan.js b/node_modules/core-js/modules/es.number.is-nan.js deleted file mode 100644 index d12d708..0000000 --- a/node_modules/core-js/modules/es.number.is-nan.js +++ /dev/null @@ -1,11 +0,0 @@ -'use strict'; -var $ = require('../internals/export'); - -// `Number.isNaN` method -// https://tc39.es/ecma262/#sec-number.isnan -$({ target: 'Number', stat: true }, { - isNaN: function isNaN(number) { - // eslint-disable-next-line no-self-compare -- NaN check - return number !== number; - } -}); diff --git a/node_modules/core-js/modules/es.number.is-safe-integer.js b/node_modules/core-js/modules/es.number.is-safe-integer.js deleted file mode 100644 index 5720637..0000000 --- a/node_modules/core-js/modules/es.number.is-safe-integer.js +++ /dev/null @@ -1,13 +0,0 @@ -'use strict'; -var $ = require('../internals/export'); -var isIntegralNumber = require('../internals/is-integral-number'); - -var abs = Math.abs; - -// `Number.isSafeInteger` method -// https://tc39.es/ecma262/#sec-number.issafeinteger -$({ target: 'Number', stat: true }, { - isSafeInteger: function isSafeInteger(number) { - return isIntegralNumber(number) && abs(number) <= 0x1FFFFFFFFFFFFF; - } -}); diff --git a/node_modules/core-js/modules/es.number.max-safe-integer.js b/node_modules/core-js/modules/es.number.max-safe-integer.js deleted file mode 100644 index 44e1cbb..0000000 --- a/node_modules/core-js/modules/es.number.max-safe-integer.js +++ /dev/null @@ -1,8 +0,0 @@ -'use strict'; -var $ = require('../internals/export'); - -// `Number.MAX_SAFE_INTEGER` constant -// https://tc39.es/ecma262/#sec-number.max_safe_integer -$({ target: 'Number', stat: true, nonConfigurable: true, nonWritable: true }, { - MAX_SAFE_INTEGER: 0x1FFFFFFFFFFFFF -}); diff --git a/node_modules/core-js/modules/es.number.min-safe-integer.js b/node_modules/core-js/modules/es.number.min-safe-integer.js deleted file mode 100644 index 1d6a871..0000000 --- a/node_modules/core-js/modules/es.number.min-safe-integer.js +++ /dev/null @@ -1,8 +0,0 @@ -'use strict'; -var $ = require('../internals/export'); - -// `Number.MIN_SAFE_INTEGER` constant -// https://tc39.es/ecma262/#sec-number.min_safe_integer -$({ target: 'Number', stat: true, nonConfigurable: true, nonWritable: true }, { - MIN_SAFE_INTEGER: -0x1FFFFFFFFFFFFF -}); diff --git a/node_modules/core-js/modules/es.number.parse-float.js b/node_modules/core-js/modules/es.number.parse-float.js deleted file mode 100644 index 754bed7..0000000 --- a/node_modules/core-js/modules/es.number.parse-float.js +++ /dev/null @@ -1,10 +0,0 @@ -'use strict'; -var $ = require('../internals/export'); -var parseFloat = require('../internals/number-parse-float'); - -// `Number.parseFloat` method -// https://tc39.es/ecma262/#sec-number.parseFloat -// eslint-disable-next-line es/no-number-parsefloat -- required for testing -$({ target: 'Number', stat: true, forced: Number.parseFloat !== parseFloat }, { - parseFloat: parseFloat -}); diff --git a/node_modules/core-js/modules/es.number.parse-int.js b/node_modules/core-js/modules/es.number.parse-int.js deleted file mode 100644 index 9cd6813..0000000 --- a/node_modules/core-js/modules/es.number.parse-int.js +++ /dev/null @@ -1,10 +0,0 @@ -'use strict'; -var $ = require('../internals/export'); -var parseInt = require('../internals/number-parse-int'); - -// `Number.parseInt` method -// https://tc39.es/ecma262/#sec-number.parseint -// eslint-disable-next-line es/no-number-parseint -- required for testing -$({ target: 'Number', stat: true, forced: Number.parseInt !== parseInt }, { - parseInt: parseInt -}); diff --git a/node_modules/core-js/modules/es.number.to-exponential.js b/node_modules/core-js/modules/es.number.to-exponential.js deleted file mode 100644 index 47ca23b..0000000 --- a/node_modules/core-js/modules/es.number.to-exponential.js +++ /dev/null @@ -1,102 +0,0 @@ -'use strict'; -var $ = require('../internals/export'); -var uncurryThis = require('../internals/function-uncurry-this'); -var toIntegerOrInfinity = require('../internals/to-integer-or-infinity'); -var thisNumberValue = require('../internals/this-number-value'); -var $repeat = require('../internals/string-repeat'); -var log10 = require('../internals/math-log10'); -var fails = require('../internals/fails'); - -var $RangeError = RangeError; -var $String = String; -var $isFinite = isFinite; -var abs = Math.abs; -var floor = Math.floor; -var pow = Math.pow; -var round = Math.round; -var nativeToExponential = uncurryThis(1.0.toExponential); -var repeat = uncurryThis($repeat); -var stringSlice = uncurryThis(''.slice); - -// Edge 17- -var ROUNDS_PROPERLY = nativeToExponential(-6.9e-11, 4) === '-6.9000e-11' - // IE11- && Edge 14- - && nativeToExponential(1.255, 2) === '1.25e+0' - // FF86-, V8 ~ Chrome 49-50 - && nativeToExponential(12345, 3) === '1.235e+4' - // FF86-, V8 ~ Chrome 49-50 - && nativeToExponential(25, 0) === '3e+1'; - -// IE8- -var throwsOnInfinityFraction = function () { - return fails(function () { - nativeToExponential(1, Infinity); - }) && fails(function () { - nativeToExponential(1, -Infinity); - }); -}; - -// Safari <11 && FF <50 -var properNonFiniteThisCheck = function () { - return !fails(function () { - nativeToExponential(Infinity, Infinity); - nativeToExponential(NaN, Infinity); - }); -}; - -var FORCED = !ROUNDS_PROPERLY || !throwsOnInfinityFraction() || !properNonFiniteThisCheck(); - -// `Number.prototype.toExponential` method -// https://tc39.es/ecma262/#sec-number.prototype.toexponential -$({ target: 'Number', proto: true, forced: FORCED }, { - toExponential: function toExponential(fractionDigits) { - var x = thisNumberValue(this); - if (fractionDigits === undefined) return nativeToExponential(x); - var f = toIntegerOrInfinity(fractionDigits); - if (!$isFinite(x)) return String(x); - // TODO: ES2018 increased the maximum number of fraction digits to 100, need to improve the implementation - if (f < 0 || f > 20) throw new $RangeError('Incorrect fraction digits'); - if (ROUNDS_PROPERLY) return nativeToExponential(x, f); - var s = ''; - var m = ''; - var e = 0; - var c = ''; - var d = ''; - if (x < 0) { - s = '-'; - x = -x; - } - if (x === 0) { - e = 0; - m = repeat('0', f + 1); - } else { - // this block is based on https://gist.github.com/SheetJSDev/1100ad56b9f856c95299ed0e068eea08 - // TODO: improve accuracy with big fraction digits - var l = log10(x); - e = floor(l); - var n = 0; - var w = pow(10, e - f); - n = round(x / w); - if (2 * x >= (2 * n + 1) * w) { - n += 1; - } - if (n >= pow(10, f + 1)) { - n /= 10; - e += 1; - } - m = $String(n); - } - if (f !== 0) { - m = stringSlice(m, 0, 1) + '.' + stringSlice(m, 1); - } - if (e === 0) { - c = '+'; - d = '0'; - } else { - c = e > 0 ? '+' : '-'; - d = $String(abs(e)); - } - m += 'e' + c + d; - return s + m; - } -}); diff --git a/node_modules/core-js/modules/es.number.to-fixed.js b/node_modules/core-js/modules/es.number.to-fixed.js deleted file mode 100644 index 2ac36b0..0000000 --- a/node_modules/core-js/modules/es.number.to-fixed.js +++ /dev/null @@ -1,131 +0,0 @@ -'use strict'; -var $ = require('../internals/export'); -var uncurryThis = require('../internals/function-uncurry-this'); -var toIntegerOrInfinity = require('../internals/to-integer-or-infinity'); -var thisNumberValue = require('../internals/this-number-value'); -var $repeat = require('../internals/string-repeat'); -var fails = require('../internals/fails'); - -var $RangeError = RangeError; -var $String = String; -var floor = Math.floor; -var repeat = uncurryThis($repeat); -var stringSlice = uncurryThis(''.slice); -var nativeToFixed = uncurryThis(1.0.toFixed); - -var pow = function (x, n, acc) { - return n === 0 ? acc : n % 2 === 1 ? pow(x, n - 1, acc * x) : pow(x * x, n / 2, acc); -}; - -var log = function (x) { - var n = 0; - var x2 = x; - while (x2 >= 4096) { - n += 12; - x2 /= 4096; - } - while (x2 >= 2) { - n += 1; - x2 /= 2; - } return n; -}; - -var multiply = function (data, n, c) { - var index = -1; - var c2 = c; - while (++index < 6) { - c2 += n * data[index]; - data[index] = c2 % 1e7; - c2 = floor(c2 / 1e7); - } -}; - -var divide = function (data, n) { - var index = 6; - var c = 0; - while (--index >= 0) { - c += data[index]; - data[index] = floor(c / n); - c = (c % n) * 1e7; - } -}; - -var dataToString = function (data) { - var index = 6; - var s = ''; - while (--index >= 0) { - if (s !== '' || index === 0 || data[index] !== 0) { - var t = $String(data[index]); - s = s === '' ? t : s + repeat('0', 7 - t.length) + t; - } - } return s; -}; - -var FORCED = fails(function () { - return nativeToFixed(0.00008, 3) !== '0.000' || - nativeToFixed(0.9, 0) !== '1' || - nativeToFixed(1.255, 2) !== '1.25' || - nativeToFixed(1000000000000000128.0, 0) !== '1000000000000000128'; -}) || !fails(function () { - // V8 ~ Android 4.3- - nativeToFixed({}); -}); - -// `Number.prototype.toFixed` method -// https://tc39.es/ecma262/#sec-number.prototype.tofixed -$({ target: 'Number', proto: true, forced: FORCED }, { - toFixed: function toFixed(fractionDigits) { - var number = thisNumberValue(this); - var fractDigits = toIntegerOrInfinity(fractionDigits); - var data = [0, 0, 0, 0, 0, 0]; - var sign = ''; - var result = '0'; - var e, z, j, k; - - // TODO: ES2018 increased the maximum number of fraction digits to 100, need to improve the implementation - if (fractDigits < 0 || fractDigits > 20) throw new $RangeError('Incorrect fraction digits'); - // eslint-disable-next-line no-self-compare -- NaN check - if (number !== number) return 'NaN'; - if (number <= -1e21 || number >= 1e21) return $String(number); - if (number < 0) { - sign = '-'; - number = -number; - } - if (number > 1e-21) { - e = log(number * pow(2, 69, 1)) - 69; - z = e < 0 ? number * pow(2, -e, 1) : number / pow(2, e, 1); - z *= 0x10000000000000; - e = 52 - e; - if (e > 0) { - multiply(data, 0, z); - j = fractDigits; - while (j >= 7) { - multiply(data, 1e7, 0); - j -= 7; - } - multiply(data, pow(10, j, 1), 0); - j = e - 1; - while (j >= 23) { - divide(data, 1 << 23); - j -= 23; - } - divide(data, 1 << j); - multiply(data, 1, 1); - divide(data, 2); - result = dataToString(data); - } else { - multiply(data, 0, z); - multiply(data, 1 << -e, 0); - result = dataToString(data) + repeat('0', fractDigits); - } - } - if (fractDigits > 0) { - k = result.length; - result = sign + (k <= fractDigits - ? '0.' + repeat('0', fractDigits - k) + result - : stringSlice(result, 0, k - fractDigits) + '.' + stringSlice(result, k - fractDigits)); - } else { - result = sign + result; - } return result; - } -}); diff --git a/node_modules/core-js/modules/es.number.to-precision.js b/node_modules/core-js/modules/es.number.to-precision.js deleted file mode 100644 index 9e49e53..0000000 --- a/node_modules/core-js/modules/es.number.to-precision.js +++ /dev/null @@ -1,25 +0,0 @@ -'use strict'; -var $ = require('../internals/export'); -var uncurryThis = require('../internals/function-uncurry-this'); -var fails = require('../internals/fails'); -var thisNumberValue = require('../internals/this-number-value'); - -var nativeToPrecision = uncurryThis(1.0.toPrecision); - -var FORCED = fails(function () { - // IE7- - return nativeToPrecision(1, undefined) !== '1'; -}) || !fails(function () { - // V8 ~ Android 4.3- - nativeToPrecision({}); -}); - -// `Number.prototype.toPrecision` method -// https://tc39.es/ecma262/#sec-number.prototype.toprecision -$({ target: 'Number', proto: true, forced: FORCED }, { - toPrecision: function toPrecision(precision) { - return precision === undefined - ? nativeToPrecision(thisNumberValue(this)) - : nativeToPrecision(thisNumberValue(this), precision); - } -}); diff --git a/node_modules/core-js/modules/es.object.assign.js b/node_modules/core-js/modules/es.object.assign.js deleted file mode 100644 index 88b1072..0000000 --- a/node_modules/core-js/modules/es.object.assign.js +++ /dev/null @@ -1,10 +0,0 @@ -'use strict'; -var $ = require('../internals/export'); -var assign = require('../internals/object-assign'); - -// `Object.assign` method -// https://tc39.es/ecma262/#sec-object.assign -// eslint-disable-next-line es/no-object-assign -- required for testing -$({ target: 'Object', stat: true, arity: 2, forced: Object.assign !== assign }, { - assign: assign -}); diff --git a/node_modules/core-js/modules/es.object.create.js b/node_modules/core-js/modules/es.object.create.js deleted file mode 100644 index 5522f62..0000000 --- a/node_modules/core-js/modules/es.object.create.js +++ /dev/null @@ -1,11 +0,0 @@ -'use strict'; -// TODO: Remove from `core-js@4` -var $ = require('../internals/export'); -var DESCRIPTORS = require('../internals/descriptors'); -var create = require('../internals/object-create'); - -// `Object.create` method -// https://tc39.es/ecma262/#sec-object.create -$({ target: 'Object', stat: true, sham: !DESCRIPTORS }, { - create: create -}); diff --git a/node_modules/core-js/modules/es.object.define-getter.js b/node_modules/core-js/modules/es.object.define-getter.js deleted file mode 100644 index 50fd442..0000000 --- a/node_modules/core-js/modules/es.object.define-getter.js +++ /dev/null @@ -1,17 +0,0 @@ -'use strict'; -var $ = require('../internals/export'); -var DESCRIPTORS = require('../internals/descriptors'); -var FORCED = require('../internals/object-prototype-accessors-forced'); -var aCallable = require('../internals/a-callable'); -var toObject = require('../internals/to-object'); -var definePropertyModule = require('../internals/object-define-property'); - -// `Object.prototype.__defineGetter__` method -// https://tc39.es/ecma262/#sec-object.prototype.__defineGetter__ -if (DESCRIPTORS) { - $({ target: 'Object', proto: true, forced: FORCED }, { - __defineGetter__: function __defineGetter__(P, getter) { - definePropertyModule.f(toObject(this), P, { get: aCallable(getter), enumerable: true, configurable: true }); - } - }); -} diff --git a/node_modules/core-js/modules/es.object.define-properties.js b/node_modules/core-js/modules/es.object.define-properties.js deleted file mode 100644 index b19cc60..0000000 --- a/node_modules/core-js/modules/es.object.define-properties.js +++ /dev/null @@ -1,11 +0,0 @@ -'use strict'; -var $ = require('../internals/export'); -var DESCRIPTORS = require('../internals/descriptors'); -var defineProperties = require('../internals/object-define-properties').f; - -// `Object.defineProperties` method -// https://tc39.es/ecma262/#sec-object.defineproperties -// eslint-disable-next-line es/no-object-defineproperties -- safe -$({ target: 'Object', stat: true, forced: Object.defineProperties !== defineProperties, sham: !DESCRIPTORS }, { - defineProperties: defineProperties -}); diff --git a/node_modules/core-js/modules/es.object.define-property.js b/node_modules/core-js/modules/es.object.define-property.js deleted file mode 100644 index 691c9c4..0000000 --- a/node_modules/core-js/modules/es.object.define-property.js +++ /dev/null @@ -1,11 +0,0 @@ -'use strict'; -var $ = require('../internals/export'); -var DESCRIPTORS = require('../internals/descriptors'); -var defineProperty = require('../internals/object-define-property').f; - -// `Object.defineProperty` method -// https://tc39.es/ecma262/#sec-object.defineproperty -// eslint-disable-next-line es/no-object-defineproperty -- safe -$({ target: 'Object', stat: true, forced: Object.defineProperty !== defineProperty, sham: !DESCRIPTORS }, { - defineProperty: defineProperty -}); diff --git a/node_modules/core-js/modules/es.object.define-setter.js b/node_modules/core-js/modules/es.object.define-setter.js deleted file mode 100644 index 186976f..0000000 --- a/node_modules/core-js/modules/es.object.define-setter.js +++ /dev/null @@ -1,17 +0,0 @@ -'use strict'; -var $ = require('../internals/export'); -var DESCRIPTORS = require('../internals/descriptors'); -var FORCED = require('../internals/object-prototype-accessors-forced'); -var aCallable = require('../internals/a-callable'); -var toObject = require('../internals/to-object'); -var definePropertyModule = require('../internals/object-define-property'); - -// `Object.prototype.__defineSetter__` method -// https://tc39.es/ecma262/#sec-object.prototype.__defineSetter__ -if (DESCRIPTORS) { - $({ target: 'Object', proto: true, forced: FORCED }, { - __defineSetter__: function __defineSetter__(P, setter) { - definePropertyModule.f(toObject(this), P, { set: aCallable(setter), enumerable: true, configurable: true }); - } - }); -} diff --git a/node_modules/core-js/modules/es.object.entries.js b/node_modules/core-js/modules/es.object.entries.js deleted file mode 100644 index 41b6ad2..0000000 --- a/node_modules/core-js/modules/es.object.entries.js +++ /dev/null @@ -1,11 +0,0 @@ -'use strict'; -var $ = require('../internals/export'); -var $entries = require('../internals/object-to-array').entries; - -// `Object.entries` method -// https://tc39.es/ecma262/#sec-object.entries -$({ target: 'Object', stat: true }, { - entries: function entries(O) { - return $entries(O); - } -}); diff --git a/node_modules/core-js/modules/es.object.freeze.js b/node_modules/core-js/modules/es.object.freeze.js deleted file mode 100644 index bd48bc7..0000000 --- a/node_modules/core-js/modules/es.object.freeze.js +++ /dev/null @@ -1,18 +0,0 @@ -'use strict'; -var $ = require('../internals/export'); -var FREEZING = require('../internals/freezing'); -var fails = require('../internals/fails'); -var isObject = require('../internals/is-object'); -var onFreeze = require('../internals/internal-metadata').onFreeze; - -// eslint-disable-next-line es/no-object-freeze -- safe -var $freeze = Object.freeze; -var FAILS_ON_PRIMITIVES = fails(function () { $freeze(1); }); - -// `Object.freeze` method -// https://tc39.es/ecma262/#sec-object.freeze -$({ target: 'Object', stat: true, forced: FAILS_ON_PRIMITIVES, sham: !FREEZING }, { - freeze: function freeze(it) { - return $freeze && isObject(it) ? $freeze(onFreeze(it)) : it; - } -}); diff --git a/node_modules/core-js/modules/es.object.from-entries.js b/node_modules/core-js/modules/es.object.from-entries.js deleted file mode 100644 index 12332a8..0000000 --- a/node_modules/core-js/modules/es.object.from-entries.js +++ /dev/null @@ -1,16 +0,0 @@ -'use strict'; -var $ = require('../internals/export'); -var iterate = require('../internals/iterate'); -var createProperty = require('../internals/create-property'); - -// `Object.fromEntries` method -// https://github.com/tc39/proposal-object-from-entries -$({ target: 'Object', stat: true }, { - fromEntries: function fromEntries(iterable) { - var obj = {}; - iterate(iterable, function (k, v) { - createProperty(obj, k, v); - }, { AS_ENTRIES: true }); - return obj; - } -}); diff --git a/node_modules/core-js/modules/es.object.get-own-property-descriptor.js b/node_modules/core-js/modules/es.object.get-own-property-descriptor.js deleted file mode 100644 index 44606a4..0000000 --- a/node_modules/core-js/modules/es.object.get-own-property-descriptor.js +++ /dev/null @@ -1,16 +0,0 @@ -'use strict'; -var $ = require('../internals/export'); -var fails = require('../internals/fails'); -var toIndexedObject = require('../internals/to-indexed-object'); -var nativeGetOwnPropertyDescriptor = require('../internals/object-get-own-property-descriptor').f; -var DESCRIPTORS = require('../internals/descriptors'); - -var FORCED = !DESCRIPTORS || fails(function () { nativeGetOwnPropertyDescriptor(1); }); - -// `Object.getOwnPropertyDescriptor` method -// https://tc39.es/ecma262/#sec-object.getownpropertydescriptor -$({ target: 'Object', stat: true, forced: FORCED, sham: !DESCRIPTORS }, { - getOwnPropertyDescriptor: function getOwnPropertyDescriptor(it, key) { - return nativeGetOwnPropertyDescriptor(toIndexedObject(it), key); - } -}); diff --git a/node_modules/core-js/modules/es.object.get-own-property-descriptors.js b/node_modules/core-js/modules/es.object.get-own-property-descriptors.js deleted file mode 100644 index 7c1a22c..0000000 --- a/node_modules/core-js/modules/es.object.get-own-property-descriptors.js +++ /dev/null @@ -1,25 +0,0 @@ -'use strict'; -var $ = require('../internals/export'); -var DESCRIPTORS = require('../internals/descriptors'); -var ownKeys = require('../internals/own-keys'); -var toIndexedObject = require('../internals/to-indexed-object'); -var getOwnPropertyDescriptorModule = require('../internals/object-get-own-property-descriptor'); -var createProperty = require('../internals/create-property'); - -// `Object.getOwnPropertyDescriptors` method -// https://tc39.es/ecma262/#sec-object.getownpropertydescriptors -$({ target: 'Object', stat: true, sham: !DESCRIPTORS }, { - getOwnPropertyDescriptors: function getOwnPropertyDescriptors(object) { - var O = toIndexedObject(object); - var getOwnPropertyDescriptor = getOwnPropertyDescriptorModule.f; - var keys = ownKeys(O); - var result = {}; - var index = 0; - var key, descriptor; - while (keys.length > index) { - descriptor = getOwnPropertyDescriptor(O, key = keys[index++]); - if (descriptor !== undefined) createProperty(result, key, descriptor); - } - return result; - } -}); diff --git a/node_modules/core-js/modules/es.object.get-own-property-names.js b/node_modules/core-js/modules/es.object.get-own-property-names.js deleted file mode 100644 index c076a51..0000000 --- a/node_modules/core-js/modules/es.object.get-own-property-names.js +++ /dev/null @@ -1,13 +0,0 @@ -'use strict'; -var $ = require('../internals/export'); -var fails = require('../internals/fails'); -var getOwnPropertyNames = require('../internals/object-get-own-property-names-external').f; - -// eslint-disable-next-line es/no-object-getownpropertynames -- required for testing -var FAILS_ON_PRIMITIVES = fails(function () { return !Object.getOwnPropertyNames(1); }); - -// `Object.getOwnPropertyNames` method -// https://tc39.es/ecma262/#sec-object.getownpropertynames -$({ target: 'Object', stat: true, forced: FAILS_ON_PRIMITIVES }, { - getOwnPropertyNames: getOwnPropertyNames -}); diff --git a/node_modules/core-js/modules/es.object.get-own-property-symbols.js b/node_modules/core-js/modules/es.object.get-own-property-symbols.js deleted file mode 100644 index 62ebd30..0000000 --- a/node_modules/core-js/modules/es.object.get-own-property-symbols.js +++ /dev/null @@ -1,19 +0,0 @@ -'use strict'; -var $ = require('../internals/export'); -var NATIVE_SYMBOL = require('../internals/symbol-constructor-detection'); -var fails = require('../internals/fails'); -var getOwnPropertySymbolsModule = require('../internals/object-get-own-property-symbols'); -var toObject = require('../internals/to-object'); - -// V8 ~ Chrome 38 and 39 `Object.getOwnPropertySymbols` fails on primitives -// https://bugs.chromium.org/p/v8/issues/detail?id=3443 -var FORCED = !NATIVE_SYMBOL || fails(function () { getOwnPropertySymbolsModule.f(1); }); - -// `Object.getOwnPropertySymbols` method -// https://tc39.es/ecma262/#sec-object.getownpropertysymbols -$({ target: 'Object', stat: true, forced: FORCED }, { - getOwnPropertySymbols: function getOwnPropertySymbols(it) { - var $getOwnPropertySymbols = getOwnPropertySymbolsModule.f; - return $getOwnPropertySymbols ? $getOwnPropertySymbols(toObject(it)) : []; - } -}); diff --git a/node_modules/core-js/modules/es.object.get-prototype-of.js b/node_modules/core-js/modules/es.object.get-prototype-of.js deleted file mode 100644 index e8b5316..0000000 --- a/node_modules/core-js/modules/es.object.get-prototype-of.js +++ /dev/null @@ -1,17 +0,0 @@ -'use strict'; -var $ = require('../internals/export'); -var fails = require('../internals/fails'); -var toObject = require('../internals/to-object'); -var nativeGetPrototypeOf = require('../internals/object-get-prototype-of'); -var CORRECT_PROTOTYPE_GETTER = require('../internals/correct-prototype-getter'); - -var FAILS_ON_PRIMITIVES = fails(function () { nativeGetPrototypeOf(1); }); - -// `Object.getPrototypeOf` method -// https://tc39.es/ecma262/#sec-object.getprototypeof -$({ target: 'Object', stat: true, forced: FAILS_ON_PRIMITIVES, sham: !CORRECT_PROTOTYPE_GETTER }, { - getPrototypeOf: function getPrototypeOf(it) { - return nativeGetPrototypeOf(toObject(it)); - } -}); - diff --git a/node_modules/core-js/modules/es.object.group-by.js b/node_modules/core-js/modules/es.object.group-by.js deleted file mode 100644 index aa2464c..0000000 --- a/node_modules/core-js/modules/es.object.group-by.js +++ /dev/null @@ -1,30 +0,0 @@ -'use strict'; -var $ = require('../internals/export'); -var getBuiltIn = require('../internals/get-built-in'); -var uncurryThis = require('../internals/function-uncurry-this'); -var aCallable = require('../internals/a-callable'); -var requireObjectCoercible = require('../internals/require-object-coercible'); -var toPropertyKey = require('../internals/to-property-key'); -var iterate = require('../internals/iterate'); - -var create = getBuiltIn('Object', 'create'); -var push = uncurryThis([].push); - -// `Object.groupBy` method -// https://github.com/tc39/proposal-array-grouping -$({ target: 'Object', stat: true }, { - groupBy: function groupBy(items, callbackfn) { - requireObjectCoercible(items); - aCallable(callbackfn); - var obj = create(null); - var k = 0; - iterate(items, function (value) { - var key = toPropertyKey(callbackfn(value, k++)); - // in some IE versions, `hasOwnProperty` returns incorrect result on integer keys - // but since it's a `null` prototype object, we can safely use `in` - if (key in obj) push(obj[key], value); - else obj[key] = [value]; - }); - return obj; - } -}); diff --git a/node_modules/core-js/modules/es.object.has-own.js b/node_modules/core-js/modules/es.object.has-own.js deleted file mode 100644 index 0723a80..0000000 --- a/node_modules/core-js/modules/es.object.has-own.js +++ /dev/null @@ -1,9 +0,0 @@ -'use strict'; -var $ = require('../internals/export'); -var hasOwn = require('../internals/has-own-property'); - -// `Object.hasOwn` method -// https://tc39.es/ecma262/#sec-object.hasown -$({ target: 'Object', stat: true }, { - hasOwn: hasOwn -}); diff --git a/node_modules/core-js/modules/es.object.is-extensible.js b/node_modules/core-js/modules/es.object.is-extensible.js deleted file mode 100644 index 4b05a29..0000000 --- a/node_modules/core-js/modules/es.object.is-extensible.js +++ /dev/null @@ -1,10 +0,0 @@ -'use strict'; -var $ = require('../internals/export'); -var $isExtensible = require('../internals/object-is-extensible'); - -// `Object.isExtensible` method -// https://tc39.es/ecma262/#sec-object.isextensible -// eslint-disable-next-line es/no-object-isextensible -- safe -$({ target: 'Object', stat: true, forced: Object.isExtensible !== $isExtensible }, { - isExtensible: $isExtensible -}); diff --git a/node_modules/core-js/modules/es.object.is-frozen.js b/node_modules/core-js/modules/es.object.is-frozen.js deleted file mode 100644 index 4cd6ddb..0000000 --- a/node_modules/core-js/modules/es.object.is-frozen.js +++ /dev/null @@ -1,21 +0,0 @@ -'use strict'; -var $ = require('../internals/export'); -var fails = require('../internals/fails'); -var isObject = require('../internals/is-object'); -var classof = require('../internals/classof-raw'); -var ARRAY_BUFFER_NON_EXTENSIBLE = require('../internals/array-buffer-non-extensible'); - -// eslint-disable-next-line es/no-object-isfrozen -- safe -var $isFrozen = Object.isFrozen; - -var FORCED = ARRAY_BUFFER_NON_EXTENSIBLE || fails(function () { $isFrozen(1); }); - -// `Object.isFrozen` method -// https://tc39.es/ecma262/#sec-object.isfrozen -$({ target: 'Object', stat: true, forced: FORCED }, { - isFrozen: function isFrozen(it) { - if (!isObject(it)) return true; - if (ARRAY_BUFFER_NON_EXTENSIBLE && classof(it) === 'ArrayBuffer') return true; - return $isFrozen ? $isFrozen(it) : false; - } -}); diff --git a/node_modules/core-js/modules/es.object.is-sealed.js b/node_modules/core-js/modules/es.object.is-sealed.js deleted file mode 100644 index cf3a787..0000000 --- a/node_modules/core-js/modules/es.object.is-sealed.js +++ /dev/null @@ -1,21 +0,0 @@ -'use strict'; -var $ = require('../internals/export'); -var fails = require('../internals/fails'); -var isObject = require('../internals/is-object'); -var classof = require('../internals/classof-raw'); -var ARRAY_BUFFER_NON_EXTENSIBLE = require('../internals/array-buffer-non-extensible'); - -// eslint-disable-next-line es/no-object-issealed -- safe -var $isSealed = Object.isSealed; - -var FORCED = ARRAY_BUFFER_NON_EXTENSIBLE || fails(function () { $isSealed(1); }); - -// `Object.isSealed` method -// https://tc39.es/ecma262/#sec-object.issealed -$({ target: 'Object', stat: true, forced: FORCED }, { - isSealed: function isSealed(it) { - if (!isObject(it)) return true; - if (ARRAY_BUFFER_NON_EXTENSIBLE && classof(it) === 'ArrayBuffer') return true; - return $isSealed ? $isSealed(it) : false; - } -}); diff --git a/node_modules/core-js/modules/es.object.is.js b/node_modules/core-js/modules/es.object.is.js deleted file mode 100644 index 7478e2d..0000000 --- a/node_modules/core-js/modules/es.object.is.js +++ /dev/null @@ -1,9 +0,0 @@ -'use strict'; -var $ = require('../internals/export'); -var is = require('../internals/same-value'); - -// `Object.is` method -// https://tc39.es/ecma262/#sec-object.is -$({ target: 'Object', stat: true }, { - is: is -}); diff --git a/node_modules/core-js/modules/es.object.keys.js b/node_modules/core-js/modules/es.object.keys.js deleted file mode 100644 index 92356b7..0000000 --- a/node_modules/core-js/modules/es.object.keys.js +++ /dev/null @@ -1,15 +0,0 @@ -'use strict'; -var $ = require('../internals/export'); -var toObject = require('../internals/to-object'); -var nativeKeys = require('../internals/object-keys'); -var fails = require('../internals/fails'); - -var FAILS_ON_PRIMITIVES = fails(function () { nativeKeys(1); }); - -// `Object.keys` method -// https://tc39.es/ecma262/#sec-object.keys -$({ target: 'Object', stat: true, forced: FAILS_ON_PRIMITIVES }, { - keys: function keys(it) { - return nativeKeys(toObject(it)); - } -}); diff --git a/node_modules/core-js/modules/es.object.lookup-getter.js b/node_modules/core-js/modules/es.object.lookup-getter.js deleted file mode 100644 index d7f59fe..0000000 --- a/node_modules/core-js/modules/es.object.lookup-getter.js +++ /dev/null @@ -1,23 +0,0 @@ -'use strict'; -var $ = require('../internals/export'); -var DESCRIPTORS = require('../internals/descriptors'); -var FORCED = require('../internals/object-prototype-accessors-forced'); -var toObject = require('../internals/to-object'); -var toPropertyKey = require('../internals/to-property-key'); -var getPrototypeOf = require('../internals/object-get-prototype-of'); -var getOwnPropertyDescriptor = require('../internals/object-get-own-property-descriptor').f; - -// `Object.prototype.__lookupGetter__` method -// https://tc39.es/ecma262/#sec-object.prototype.__lookupGetter__ -if (DESCRIPTORS) { - $({ target: 'Object', proto: true, forced: FORCED }, { - __lookupGetter__: function __lookupGetter__(P) { - var O = toObject(this); - var key = toPropertyKey(P); - var desc; - do { - if (desc = getOwnPropertyDescriptor(O, key)) return desc.get; - } while (O = getPrototypeOf(O)); - } - }); -} diff --git a/node_modules/core-js/modules/es.object.lookup-setter.js b/node_modules/core-js/modules/es.object.lookup-setter.js deleted file mode 100644 index 7739713..0000000 --- a/node_modules/core-js/modules/es.object.lookup-setter.js +++ /dev/null @@ -1,23 +0,0 @@ -'use strict'; -var $ = require('../internals/export'); -var DESCRIPTORS = require('../internals/descriptors'); -var FORCED = require('../internals/object-prototype-accessors-forced'); -var toObject = require('../internals/to-object'); -var toPropertyKey = require('../internals/to-property-key'); -var getPrototypeOf = require('../internals/object-get-prototype-of'); -var getOwnPropertyDescriptor = require('../internals/object-get-own-property-descriptor').f; - -// `Object.prototype.__lookupSetter__` method -// https://tc39.es/ecma262/#sec-object.prototype.__lookupSetter__ -if (DESCRIPTORS) { - $({ target: 'Object', proto: true, forced: FORCED }, { - __lookupSetter__: function __lookupSetter__(P) { - var O = toObject(this); - var key = toPropertyKey(P); - var desc; - do { - if (desc = getOwnPropertyDescriptor(O, key)) return desc.set; - } while (O = getPrototypeOf(O)); - } - }); -} diff --git a/node_modules/core-js/modules/es.object.prevent-extensions.js b/node_modules/core-js/modules/es.object.prevent-extensions.js deleted file mode 100644 index 0f826f8..0000000 --- a/node_modules/core-js/modules/es.object.prevent-extensions.js +++ /dev/null @@ -1,18 +0,0 @@ -'use strict'; -var $ = require('../internals/export'); -var isObject = require('../internals/is-object'); -var onFreeze = require('../internals/internal-metadata').onFreeze; -var FREEZING = require('../internals/freezing'); -var fails = require('../internals/fails'); - -// eslint-disable-next-line es/no-object-preventextensions -- safe -var $preventExtensions = Object.preventExtensions; -var FAILS_ON_PRIMITIVES = fails(function () { $preventExtensions(1); }); - -// `Object.preventExtensions` method -// https://tc39.es/ecma262/#sec-object.preventextensions -$({ target: 'Object', stat: true, forced: FAILS_ON_PRIMITIVES, sham: !FREEZING }, { - preventExtensions: function preventExtensions(it) { - return $preventExtensions && isObject(it) ? $preventExtensions(onFreeze(it)) : it; - } -}); diff --git a/node_modules/core-js/modules/es.object.proto.js b/node_modules/core-js/modules/es.object.proto.js deleted file mode 100644 index 9954885..0000000 --- a/node_modules/core-js/modules/es.object.proto.js +++ /dev/null @@ -1,31 +0,0 @@ -'use strict'; -var DESCRIPTORS = require('../internals/descriptors'); -var defineBuiltInAccessor = require('../internals/define-built-in-accessor'); -var isObject = require('../internals/is-object'); -var isPossiblePrototype = require('../internals/is-possible-prototype'); -var toObject = require('../internals/to-object'); -var requireObjectCoercible = require('../internals/require-object-coercible'); - -// eslint-disable-next-line es/no-object-getprototypeof -- safe -var getPrototypeOf = Object.getPrototypeOf; -// eslint-disable-next-line es/no-object-setprototypeof -- safe -var setPrototypeOf = Object.setPrototypeOf; -var ObjectPrototype = Object.prototype; -var PROTO = '__proto__'; - -// `Object.prototype.__proto__` accessor -// https://tc39.es/ecma262/#sec-object.prototype.__proto__ -if (DESCRIPTORS && getPrototypeOf && setPrototypeOf && !(PROTO in ObjectPrototype)) try { - defineBuiltInAccessor(ObjectPrototype, PROTO, { - configurable: true, - get: function __proto__() { - return getPrototypeOf(toObject(this)); - }, - set: function __proto__(proto) { - var O = requireObjectCoercible(this); - if (isPossiblePrototype(proto) && isObject(O)) { - setPrototypeOf(O, proto); - } - } - }); -} catch (error) { /* empty */ } diff --git a/node_modules/core-js/modules/es.object.seal.js b/node_modules/core-js/modules/es.object.seal.js deleted file mode 100644 index b77983b..0000000 --- a/node_modules/core-js/modules/es.object.seal.js +++ /dev/null @@ -1,18 +0,0 @@ -'use strict'; -var $ = require('../internals/export'); -var isObject = require('../internals/is-object'); -var onFreeze = require('../internals/internal-metadata').onFreeze; -var FREEZING = require('../internals/freezing'); -var fails = require('../internals/fails'); - -// eslint-disable-next-line es/no-object-seal -- safe -var $seal = Object.seal; -var FAILS_ON_PRIMITIVES = fails(function () { $seal(1); }); - -// `Object.seal` method -// https://tc39.es/ecma262/#sec-object.seal -$({ target: 'Object', stat: true, forced: FAILS_ON_PRIMITIVES, sham: !FREEZING }, { - seal: function seal(it) { - return $seal && isObject(it) ? $seal(onFreeze(it)) : it; - } -}); diff --git a/node_modules/core-js/modules/es.object.set-prototype-of.js b/node_modules/core-js/modules/es.object.set-prototype-of.js deleted file mode 100644 index 3d0952e..0000000 --- a/node_modules/core-js/modules/es.object.set-prototype-of.js +++ /dev/null @@ -1,9 +0,0 @@ -'use strict'; -var $ = require('../internals/export'); -var setPrototypeOf = require('../internals/object-set-prototype-of'); - -// `Object.setPrototypeOf` method -// https://tc39.es/ecma262/#sec-object.setprototypeof -$({ target: 'Object', stat: true }, { - setPrototypeOf: setPrototypeOf -}); diff --git a/node_modules/core-js/modules/es.object.to-string.js b/node_modules/core-js/modules/es.object.to-string.js deleted file mode 100644 index 63253be..0000000 --- a/node_modules/core-js/modules/es.object.to-string.js +++ /dev/null @@ -1,10 +0,0 @@ -'use strict'; -var TO_STRING_TAG_SUPPORT = require('../internals/to-string-tag-support'); -var defineBuiltIn = require('../internals/define-built-in'); -var toString = require('../internals/object-to-string'); - -// `Object.prototype.toString` method -// https://tc39.es/ecma262/#sec-object.prototype.tostring -if (!TO_STRING_TAG_SUPPORT) { - defineBuiltIn(Object.prototype, 'toString', toString, { unsafe: true }); -} diff --git a/node_modules/core-js/modules/es.object.values.js b/node_modules/core-js/modules/es.object.values.js deleted file mode 100644 index e35348e..0000000 --- a/node_modules/core-js/modules/es.object.values.js +++ /dev/null @@ -1,11 +0,0 @@ -'use strict'; -var $ = require('../internals/export'); -var $values = require('../internals/object-to-array').values; - -// `Object.values` method -// https://tc39.es/ecma262/#sec-object.values -$({ target: 'Object', stat: true }, { - values: function values(O) { - return $values(O); - } -}); diff --git a/node_modules/core-js/modules/es.parse-float.js b/node_modules/core-js/modules/es.parse-float.js deleted file mode 100644 index 109e075..0000000 --- a/node_modules/core-js/modules/es.parse-float.js +++ /dev/null @@ -1,9 +0,0 @@ -'use strict'; -var $ = require('../internals/export'); -var $parseFloat = require('../internals/number-parse-float'); - -// `parseFloat` method -// https://tc39.es/ecma262/#sec-parsefloat-string -$({ global: true, forced: parseFloat !== $parseFloat }, { - parseFloat: $parseFloat -}); diff --git a/node_modules/core-js/modules/es.parse-int.js b/node_modules/core-js/modules/es.parse-int.js deleted file mode 100644 index 7422a73..0000000 --- a/node_modules/core-js/modules/es.parse-int.js +++ /dev/null @@ -1,9 +0,0 @@ -'use strict'; -var $ = require('../internals/export'); -var $parseInt = require('../internals/number-parse-int'); - -// `parseInt` method -// https://tc39.es/ecma262/#sec-parseint-string-radix -$({ global: true, forced: parseInt !== $parseInt }, { - parseInt: $parseInt -}); diff --git a/node_modules/core-js/modules/es.promise.all-settled.js b/node_modules/core-js/modules/es.promise.all-settled.js deleted file mode 100644 index 73b282a..0000000 --- a/node_modules/core-js/modules/es.promise.all-settled.js +++ /dev/null @@ -1,44 +0,0 @@ -'use strict'; -var $ = require('../internals/export'); -var call = require('../internals/function-call'); -var aCallable = require('../internals/a-callable'); -var newPromiseCapabilityModule = require('../internals/new-promise-capability'); -var perform = require('../internals/perform'); -var iterate = require('../internals/iterate'); -var PROMISE_STATICS_INCORRECT_ITERATION = require('../internals/promise-statics-incorrect-iteration'); - -// `Promise.allSettled` method -// https://tc39.es/ecma262/#sec-promise.allsettled -$({ target: 'Promise', stat: true, forced: PROMISE_STATICS_INCORRECT_ITERATION }, { - allSettled: function allSettled(iterable) { - var C = this; - var capability = newPromiseCapabilityModule.f(C); - var resolve = capability.resolve; - var reject = capability.reject; - var result = perform(function () { - var promiseResolve = aCallable(C.resolve); - var values = []; - var counter = 0; - var remaining = 1; - iterate(iterable, function (promise) { - var index = counter++; - var alreadyCalled = false; - remaining++; - call(promiseResolve, C, promise).then(function (value) { - if (alreadyCalled) return; - alreadyCalled = true; - values[index] = { status: 'fulfilled', value: value }; - --remaining || resolve(values); - }, function (error) { - if (alreadyCalled) return; - alreadyCalled = true; - values[index] = { status: 'rejected', reason: error }; - --remaining || resolve(values); - }); - }); - --remaining || resolve(values); - }); - if (result.error) reject(result.value); - return capability.promise; - } -}); diff --git a/node_modules/core-js/modules/es.promise.all.js b/node_modules/core-js/modules/es.promise.all.js deleted file mode 100644 index 77e81c9..0000000 --- a/node_modules/core-js/modules/es.promise.all.js +++ /dev/null @@ -1,39 +0,0 @@ -'use strict'; -var $ = require('../internals/export'); -var call = require('../internals/function-call'); -var aCallable = require('../internals/a-callable'); -var newPromiseCapabilityModule = require('../internals/new-promise-capability'); -var perform = require('../internals/perform'); -var iterate = require('../internals/iterate'); -var PROMISE_STATICS_INCORRECT_ITERATION = require('../internals/promise-statics-incorrect-iteration'); - -// `Promise.all` method -// https://tc39.es/ecma262/#sec-promise.all -$({ target: 'Promise', stat: true, forced: PROMISE_STATICS_INCORRECT_ITERATION }, { - all: function all(iterable) { - var C = this; - var capability = newPromiseCapabilityModule.f(C); - var resolve = capability.resolve; - var reject = capability.reject; - var result = perform(function () { - var $promiseResolve = aCallable(C.resolve); - var values = []; - var counter = 0; - var remaining = 1; - iterate(iterable, function (promise) { - var index = counter++; - var alreadyCalled = false; - remaining++; - call($promiseResolve, C, promise).then(function (value) { - if (alreadyCalled) return; - alreadyCalled = true; - values[index] = value; - --remaining || resolve(values); - }, reject); - }); - --remaining || resolve(values); - }); - if (result.error) reject(result.value); - return capability.promise; - } -}); diff --git a/node_modules/core-js/modules/es.promise.any.js b/node_modules/core-js/modules/es.promise.any.js deleted file mode 100644 index dd92bd7..0000000 --- a/node_modules/core-js/modules/es.promise.any.js +++ /dev/null @@ -1,48 +0,0 @@ -'use strict'; -var $ = require('../internals/export'); -var call = require('../internals/function-call'); -var aCallable = require('../internals/a-callable'); -var getBuiltIn = require('../internals/get-built-in'); -var newPromiseCapabilityModule = require('../internals/new-promise-capability'); -var perform = require('../internals/perform'); -var iterate = require('../internals/iterate'); -var PROMISE_STATICS_INCORRECT_ITERATION = require('../internals/promise-statics-incorrect-iteration'); - -var PROMISE_ANY_ERROR = 'No one promise resolved'; - -// `Promise.any` method -// https://tc39.es/ecma262/#sec-promise.any -$({ target: 'Promise', stat: true, forced: PROMISE_STATICS_INCORRECT_ITERATION }, { - any: function any(iterable) { - var C = this; - var AggregateError = getBuiltIn('AggregateError'); - var capability = newPromiseCapabilityModule.f(C); - var resolve = capability.resolve; - var reject = capability.reject; - var result = perform(function () { - var promiseResolve = aCallable(C.resolve); - var errors = []; - var counter = 0; - var remaining = 1; - var alreadyResolved = false; - iterate(iterable, function (promise) { - var index = counter++; - var alreadyRejected = false; - remaining++; - call(promiseResolve, C, promise).then(function (value) { - if (alreadyRejected || alreadyResolved) return; - alreadyResolved = true; - resolve(value); - }, function (error) { - if (alreadyRejected || alreadyResolved) return; - alreadyRejected = true; - errors[index] = error; - --remaining || reject(new AggregateError(errors, PROMISE_ANY_ERROR)); - }); - }); - --remaining || reject(new AggregateError(errors, PROMISE_ANY_ERROR)); - }); - if (result.error) reject(result.value); - return capability.promise; - } -}); diff --git a/node_modules/core-js/modules/es.promise.catch.js b/node_modules/core-js/modules/es.promise.catch.js deleted file mode 100644 index c4947fd..0000000 --- a/node_modules/core-js/modules/es.promise.catch.js +++ /dev/null @@ -1,26 +0,0 @@ -'use strict'; -var $ = require('../internals/export'); -var IS_PURE = require('../internals/is-pure'); -var FORCED_PROMISE_CONSTRUCTOR = require('../internals/promise-constructor-detection').CONSTRUCTOR; -var NativePromiseConstructor = require('../internals/promise-native-constructor'); -var getBuiltIn = require('../internals/get-built-in'); -var isCallable = require('../internals/is-callable'); -var defineBuiltIn = require('../internals/define-built-in'); - -var NativePromisePrototype = NativePromiseConstructor && NativePromiseConstructor.prototype; - -// `Promise.prototype.catch` method -// https://tc39.es/ecma262/#sec-promise.prototype.catch -$({ target: 'Promise', proto: true, forced: FORCED_PROMISE_CONSTRUCTOR, real: true }, { - 'catch': function (onRejected) { - return this.then(undefined, onRejected); - } -}); - -// makes sure that native promise-based APIs `Promise#catch` properly works with patched `Promise#then` -if (!IS_PURE && isCallable(NativePromiseConstructor)) { - var method = getBuiltIn('Promise').prototype['catch']; - if (NativePromisePrototype['catch'] !== method) { - defineBuiltIn(NativePromisePrototype, 'catch', method, { unsafe: true }); - } -} diff --git a/node_modules/core-js/modules/es.promise.constructor.js b/node_modules/core-js/modules/es.promise.constructor.js deleted file mode 100644 index 44a8017..0000000 --- a/node_modules/core-js/modules/es.promise.constructor.js +++ /dev/null @@ -1,288 +0,0 @@ -'use strict'; -var $ = require('../internals/export'); -var IS_PURE = require('../internals/is-pure'); -var IS_NODE = require('../internals/engine-is-node'); -var global = require('../internals/global'); -var call = require('../internals/function-call'); -var defineBuiltIn = require('../internals/define-built-in'); -var setPrototypeOf = require('../internals/object-set-prototype-of'); -var setToStringTag = require('../internals/set-to-string-tag'); -var setSpecies = require('../internals/set-species'); -var aCallable = require('../internals/a-callable'); -var isCallable = require('../internals/is-callable'); -var isObject = require('../internals/is-object'); -var anInstance = require('../internals/an-instance'); -var speciesConstructor = require('../internals/species-constructor'); -var task = require('../internals/task').set; -var microtask = require('../internals/microtask'); -var hostReportErrors = require('../internals/host-report-errors'); -var perform = require('../internals/perform'); -var Queue = require('../internals/queue'); -var InternalStateModule = require('../internals/internal-state'); -var NativePromiseConstructor = require('../internals/promise-native-constructor'); -var PromiseConstructorDetection = require('../internals/promise-constructor-detection'); -var newPromiseCapabilityModule = require('../internals/new-promise-capability'); - -var PROMISE = 'Promise'; -var FORCED_PROMISE_CONSTRUCTOR = PromiseConstructorDetection.CONSTRUCTOR; -var NATIVE_PROMISE_REJECTION_EVENT = PromiseConstructorDetection.REJECTION_EVENT; -var NATIVE_PROMISE_SUBCLASSING = PromiseConstructorDetection.SUBCLASSING; -var getInternalPromiseState = InternalStateModule.getterFor(PROMISE); -var setInternalState = InternalStateModule.set; -var NativePromisePrototype = NativePromiseConstructor && NativePromiseConstructor.prototype; -var PromiseConstructor = NativePromiseConstructor; -var PromisePrototype = NativePromisePrototype; -var TypeError = global.TypeError; -var document = global.document; -var process = global.process; -var newPromiseCapability = newPromiseCapabilityModule.f; -var newGenericPromiseCapability = newPromiseCapability; - -var DISPATCH_EVENT = !!(document && document.createEvent && global.dispatchEvent); -var UNHANDLED_REJECTION = 'unhandledrejection'; -var REJECTION_HANDLED = 'rejectionhandled'; -var PENDING = 0; -var FULFILLED = 1; -var REJECTED = 2; -var HANDLED = 1; -var UNHANDLED = 2; - -var Internal, OwnPromiseCapability, PromiseWrapper, nativeThen; - -// helpers -var isThenable = function (it) { - var then; - return isObject(it) && isCallable(then = it.then) ? then : false; -}; - -var callReaction = function (reaction, state) { - var value = state.value; - var ok = state.state === FULFILLED; - var handler = ok ? reaction.ok : reaction.fail; - var resolve = reaction.resolve; - var reject = reaction.reject; - var domain = reaction.domain; - var result, then, exited; - try { - if (handler) { - if (!ok) { - if (state.rejection === UNHANDLED) onHandleUnhandled(state); - state.rejection = HANDLED; - } - if (handler === true) result = value; - else { - if (domain) domain.enter(); - result = handler(value); // can throw - if (domain) { - domain.exit(); - exited = true; - } - } - if (result === reaction.promise) { - reject(new TypeError('Promise-chain cycle')); - } else if (then = isThenable(result)) { - call(then, result, resolve, reject); - } else resolve(result); - } else reject(value); - } catch (error) { - if (domain && !exited) domain.exit(); - reject(error); - } -}; - -var notify = function (state, isReject) { - if (state.notified) return; - state.notified = true; - microtask(function () { - var reactions = state.reactions; - var reaction; - while (reaction = reactions.get()) { - callReaction(reaction, state); - } - state.notified = false; - if (isReject && !state.rejection) onUnhandled(state); - }); -}; - -var dispatchEvent = function (name, promise, reason) { - var event, handler; - if (DISPATCH_EVENT) { - event = document.createEvent('Event'); - event.promise = promise; - event.reason = reason; - event.initEvent(name, false, true); - global.dispatchEvent(event); - } else event = { promise: promise, reason: reason }; - if (!NATIVE_PROMISE_REJECTION_EVENT && (handler = global['on' + name])) handler(event); - else if (name === UNHANDLED_REJECTION) hostReportErrors('Unhandled promise rejection', reason); -}; - -var onUnhandled = function (state) { - call(task, global, function () { - var promise = state.facade; - var value = state.value; - var IS_UNHANDLED = isUnhandled(state); - var result; - if (IS_UNHANDLED) { - result = perform(function () { - if (IS_NODE) { - process.emit('unhandledRejection', value, promise); - } else dispatchEvent(UNHANDLED_REJECTION, promise, value); - }); - // Browsers should not trigger `rejectionHandled` event if it was handled here, NodeJS - should - state.rejection = IS_NODE || isUnhandled(state) ? UNHANDLED : HANDLED; - if (result.error) throw result.value; - } - }); -}; - -var isUnhandled = function (state) { - return state.rejection !== HANDLED && !state.parent; -}; - -var onHandleUnhandled = function (state) { - call(task, global, function () { - var promise = state.facade; - if (IS_NODE) { - process.emit('rejectionHandled', promise); - } else dispatchEvent(REJECTION_HANDLED, promise, state.value); - }); -}; - -var bind = function (fn, state, unwrap) { - return function (value) { - fn(state, value, unwrap); - }; -}; - -var internalReject = function (state, value, unwrap) { - if (state.done) return; - state.done = true; - if (unwrap) state = unwrap; - state.value = value; - state.state = REJECTED; - notify(state, true); -}; - -var internalResolve = function (state, value, unwrap) { - if (state.done) return; - state.done = true; - if (unwrap) state = unwrap; - try { - if (state.facade === value) throw new TypeError("Promise can't be resolved itself"); - var then = isThenable(value); - if (then) { - microtask(function () { - var wrapper = { done: false }; - try { - call(then, value, - bind(internalResolve, wrapper, state), - bind(internalReject, wrapper, state) - ); - } catch (error) { - internalReject(wrapper, error, state); - } - }); - } else { - state.value = value; - state.state = FULFILLED; - notify(state, false); - } - } catch (error) { - internalReject({ done: false }, error, state); - } -}; - -// constructor polyfill -if (FORCED_PROMISE_CONSTRUCTOR) { - // 25.4.3.1 Promise(executor) - PromiseConstructor = function Promise(executor) { - anInstance(this, PromisePrototype); - aCallable(executor); - call(Internal, this); - var state = getInternalPromiseState(this); - try { - executor(bind(internalResolve, state), bind(internalReject, state)); - } catch (error) { - internalReject(state, error); - } - }; - - PromisePrototype = PromiseConstructor.prototype; - - // eslint-disable-next-line no-unused-vars -- required for `.length` - Internal = function Promise(executor) { - setInternalState(this, { - type: PROMISE, - done: false, - notified: false, - parent: false, - reactions: new Queue(), - rejection: false, - state: PENDING, - value: undefined - }); - }; - - // `Promise.prototype.then` method - // https://tc39.es/ecma262/#sec-promise.prototype.then - Internal.prototype = defineBuiltIn(PromisePrototype, 'then', function then(onFulfilled, onRejected) { - var state = getInternalPromiseState(this); - var reaction = newPromiseCapability(speciesConstructor(this, PromiseConstructor)); - state.parent = true; - reaction.ok = isCallable(onFulfilled) ? onFulfilled : true; - reaction.fail = isCallable(onRejected) && onRejected; - reaction.domain = IS_NODE ? process.domain : undefined; - if (state.state === PENDING) state.reactions.add(reaction); - else microtask(function () { - callReaction(reaction, state); - }); - return reaction.promise; - }); - - OwnPromiseCapability = function () { - var promise = new Internal(); - var state = getInternalPromiseState(promise); - this.promise = promise; - this.resolve = bind(internalResolve, state); - this.reject = bind(internalReject, state); - }; - - newPromiseCapabilityModule.f = newPromiseCapability = function (C) { - return C === PromiseConstructor || C === PromiseWrapper - ? new OwnPromiseCapability(C) - : newGenericPromiseCapability(C); - }; - - if (!IS_PURE && isCallable(NativePromiseConstructor) && NativePromisePrototype !== Object.prototype) { - nativeThen = NativePromisePrototype.then; - - if (!NATIVE_PROMISE_SUBCLASSING) { - // make `Promise#then` return a polyfilled `Promise` for native promise-based APIs - defineBuiltIn(NativePromisePrototype, 'then', function then(onFulfilled, onRejected) { - var that = this; - return new PromiseConstructor(function (resolve, reject) { - call(nativeThen, that, resolve, reject); - }).then(onFulfilled, onRejected); - // https://github.com/zloirock/core-js/issues/640 - }, { unsafe: true }); - } - - // make `.constructor === Promise` work for native promise-based APIs - try { - delete NativePromisePrototype.constructor; - } catch (error) { /* empty */ } - - // make `instanceof Promise` work for native promise-based APIs - if (setPrototypeOf) { - setPrototypeOf(NativePromisePrototype, PromisePrototype); - } - } -} - -$({ global: true, constructor: true, wrap: true, forced: FORCED_PROMISE_CONSTRUCTOR }, { - Promise: PromiseConstructor -}); - -setToStringTag(PromiseConstructor, PROMISE, false, true); -setSpecies(PROMISE); diff --git a/node_modules/core-js/modules/es.promise.finally.js b/node_modules/core-js/modules/es.promise.finally.js deleted file mode 100644 index d5644b6..0000000 --- a/node_modules/core-js/modules/es.promise.finally.js +++ /dev/null @@ -1,43 +0,0 @@ -'use strict'; -var $ = require('../internals/export'); -var IS_PURE = require('../internals/is-pure'); -var NativePromiseConstructor = require('../internals/promise-native-constructor'); -var fails = require('../internals/fails'); -var getBuiltIn = require('../internals/get-built-in'); -var isCallable = require('../internals/is-callable'); -var speciesConstructor = require('../internals/species-constructor'); -var promiseResolve = require('../internals/promise-resolve'); -var defineBuiltIn = require('../internals/define-built-in'); - -var NativePromisePrototype = NativePromiseConstructor && NativePromiseConstructor.prototype; - -// Safari bug https://bugs.webkit.org/show_bug.cgi?id=200829 -var NON_GENERIC = !!NativePromiseConstructor && fails(function () { - // eslint-disable-next-line unicorn/no-thenable -- required for testing - NativePromisePrototype['finally'].call({ then: function () { /* empty */ } }, function () { /* empty */ }); -}); - -// `Promise.prototype.finally` method -// https://tc39.es/ecma262/#sec-promise.prototype.finally -$({ target: 'Promise', proto: true, real: true, forced: NON_GENERIC }, { - 'finally': function (onFinally) { - var C = speciesConstructor(this, getBuiltIn('Promise')); - var isFunction = isCallable(onFinally); - return this.then( - isFunction ? function (x) { - return promiseResolve(C, onFinally()).then(function () { return x; }); - } : onFinally, - isFunction ? function (e) { - return promiseResolve(C, onFinally()).then(function () { throw e; }); - } : onFinally - ); - } -}); - -// makes sure that native promise-based APIs `Promise#finally` properly works with patched `Promise#then` -if (!IS_PURE && isCallable(NativePromiseConstructor)) { - var method = getBuiltIn('Promise').prototype['finally']; - if (NativePromisePrototype['finally'] !== method) { - defineBuiltIn(NativePromisePrototype, 'finally', method, { unsafe: true }); - } -} diff --git a/node_modules/core-js/modules/es.promise.js b/node_modules/core-js/modules/es.promise.js deleted file mode 100644 index 8606778..0000000 --- a/node_modules/core-js/modules/es.promise.js +++ /dev/null @@ -1,8 +0,0 @@ -'use strict'; -// TODO: Remove this module from `core-js@4` since it's split to modules listed below -require('../modules/es.promise.constructor'); -require('../modules/es.promise.all'); -require('../modules/es.promise.catch'); -require('../modules/es.promise.race'); -require('../modules/es.promise.reject'); -require('../modules/es.promise.resolve'); diff --git a/node_modules/core-js/modules/es.promise.race.js b/node_modules/core-js/modules/es.promise.race.js deleted file mode 100644 index 2fb470d..0000000 --- a/node_modules/core-js/modules/es.promise.race.js +++ /dev/null @@ -1,26 +0,0 @@ -'use strict'; -var $ = require('../internals/export'); -var call = require('../internals/function-call'); -var aCallable = require('../internals/a-callable'); -var newPromiseCapabilityModule = require('../internals/new-promise-capability'); -var perform = require('../internals/perform'); -var iterate = require('../internals/iterate'); -var PROMISE_STATICS_INCORRECT_ITERATION = require('../internals/promise-statics-incorrect-iteration'); - -// `Promise.race` method -// https://tc39.es/ecma262/#sec-promise.race -$({ target: 'Promise', stat: true, forced: PROMISE_STATICS_INCORRECT_ITERATION }, { - race: function race(iterable) { - var C = this; - var capability = newPromiseCapabilityModule.f(C); - var reject = capability.reject; - var result = perform(function () { - var $promiseResolve = aCallable(C.resolve); - iterate(iterable, function (promise) { - call($promiseResolve, C, promise).then(capability.resolve, reject); - }); - }); - if (result.error) reject(result.value); - return capability.promise; - } -}); diff --git a/node_modules/core-js/modules/es.promise.reject.js b/node_modules/core-js/modules/es.promise.reject.js deleted file mode 100644 index 44e1456..0000000 --- a/node_modules/core-js/modules/es.promise.reject.js +++ /dev/null @@ -1,15 +0,0 @@ -'use strict'; -var $ = require('../internals/export'); -var newPromiseCapabilityModule = require('../internals/new-promise-capability'); -var FORCED_PROMISE_CONSTRUCTOR = require('../internals/promise-constructor-detection').CONSTRUCTOR; - -// `Promise.reject` method -// https://tc39.es/ecma262/#sec-promise.reject -$({ target: 'Promise', stat: true, forced: FORCED_PROMISE_CONSTRUCTOR }, { - reject: function reject(r) { - var capability = newPromiseCapabilityModule.f(this); - var capabilityReject = capability.reject; - capabilityReject(r); - return capability.promise; - } -}); diff --git a/node_modules/core-js/modules/es.promise.resolve.js b/node_modules/core-js/modules/es.promise.resolve.js deleted file mode 100644 index f1a0a0e..0000000 --- a/node_modules/core-js/modules/es.promise.resolve.js +++ /dev/null @@ -1,18 +0,0 @@ -'use strict'; -var $ = require('../internals/export'); -var getBuiltIn = require('../internals/get-built-in'); -var IS_PURE = require('../internals/is-pure'); -var NativePromiseConstructor = require('../internals/promise-native-constructor'); -var FORCED_PROMISE_CONSTRUCTOR = require('../internals/promise-constructor-detection').CONSTRUCTOR; -var promiseResolve = require('../internals/promise-resolve'); - -var PromiseConstructorWrapper = getBuiltIn('Promise'); -var CHECK_WRAPPER = IS_PURE && !FORCED_PROMISE_CONSTRUCTOR; - -// `Promise.resolve` method -// https://tc39.es/ecma262/#sec-promise.resolve -$({ target: 'Promise', stat: true, forced: IS_PURE || FORCED_PROMISE_CONSTRUCTOR }, { - resolve: function resolve(x) { - return promiseResolve(CHECK_WRAPPER && this === PromiseConstructorWrapper ? NativePromiseConstructor : this, x); - } -}); diff --git a/node_modules/core-js/modules/es.promise.with-resolvers.js b/node_modules/core-js/modules/es.promise.with-resolvers.js deleted file mode 100644 index 2dc0f4f..0000000 --- a/node_modules/core-js/modules/es.promise.with-resolvers.js +++ /dev/null @@ -1,16 +0,0 @@ -'use strict'; -var $ = require('../internals/export'); -var newPromiseCapabilityModule = require('../internals/new-promise-capability'); - -// `Promise.withResolvers` method -// https://github.com/tc39/proposal-promise-with-resolvers -$({ target: 'Promise', stat: true }, { - withResolvers: function withResolvers() { - var promiseCapability = newPromiseCapabilityModule.f(this); - return { - promise: promiseCapability.promise, - resolve: promiseCapability.resolve, - reject: promiseCapability.reject - }; - } -}); diff --git a/node_modules/core-js/modules/es.reflect.apply.js b/node_modules/core-js/modules/es.reflect.apply.js deleted file mode 100644 index 2e19c8f..0000000 --- a/node_modules/core-js/modules/es.reflect.apply.js +++ /dev/null @@ -1,20 +0,0 @@ -'use strict'; -var $ = require('../internals/export'); -var functionApply = require('../internals/function-apply'); -var aCallable = require('../internals/a-callable'); -var anObject = require('../internals/an-object'); -var fails = require('../internals/fails'); - -// MS Edge argumentsList argument is optional -var OPTIONAL_ARGUMENTS_LIST = !fails(function () { - // eslint-disable-next-line es/no-reflect -- required for testing - Reflect.apply(function () { /* empty */ }); -}); - -// `Reflect.apply` method -// https://tc39.es/ecma262/#sec-reflect.apply -$({ target: 'Reflect', stat: true, forced: OPTIONAL_ARGUMENTS_LIST }, { - apply: function apply(target, thisArgument, argumentsList) { - return functionApply(aCallable(target), thisArgument, anObject(argumentsList)); - } -}); diff --git a/node_modules/core-js/modules/es.reflect.construct.js b/node_modules/core-js/modules/es.reflect.construct.js deleted file mode 100644 index d2283e3..0000000 --- a/node_modules/core-js/modules/es.reflect.construct.js +++ /dev/null @@ -1,57 +0,0 @@ -'use strict'; -var $ = require('../internals/export'); -var getBuiltIn = require('../internals/get-built-in'); -var apply = require('../internals/function-apply'); -var bind = require('../internals/function-bind'); -var aConstructor = require('../internals/a-constructor'); -var anObject = require('../internals/an-object'); -var isObject = require('../internals/is-object'); -var create = require('../internals/object-create'); -var fails = require('../internals/fails'); - -var nativeConstruct = getBuiltIn('Reflect', 'construct'); -var ObjectPrototype = Object.prototype; -var push = [].push; - -// `Reflect.construct` method -// https://tc39.es/ecma262/#sec-reflect.construct -// MS Edge supports only 2 arguments and argumentsList argument is optional -// FF Nightly sets third argument as `new.target`, but does not create `this` from it -var NEW_TARGET_BUG = fails(function () { - function F() { /* empty */ } - return !(nativeConstruct(function () { /* empty */ }, [], F) instanceof F); -}); - -var ARGS_BUG = !fails(function () { - nativeConstruct(function () { /* empty */ }); -}); - -var FORCED = NEW_TARGET_BUG || ARGS_BUG; - -$({ target: 'Reflect', stat: true, forced: FORCED, sham: FORCED }, { - construct: function construct(Target, args /* , newTarget */) { - aConstructor(Target); - anObject(args); - var newTarget = arguments.length < 3 ? Target : aConstructor(arguments[2]); - if (ARGS_BUG && !NEW_TARGET_BUG) return nativeConstruct(Target, args, newTarget); - if (Target === newTarget) { - // w/o altered newTarget, optimization for 0-4 arguments - switch (args.length) { - case 0: return new Target(); - case 1: return new Target(args[0]); - case 2: return new Target(args[0], args[1]); - case 3: return new Target(args[0], args[1], args[2]); - case 4: return new Target(args[0], args[1], args[2], args[3]); - } - // w/o altered newTarget, lot of arguments case - var $args = [null]; - apply(push, $args, args); - return new (apply(bind, Target, $args))(); - } - // with altered newTarget, not support built-in constructors - var proto = newTarget.prototype; - var instance = create(isObject(proto) ? proto : ObjectPrototype); - var result = apply(Target, instance, args); - return isObject(result) ? result : instance; - } -}); diff --git a/node_modules/core-js/modules/es.reflect.define-property.js b/node_modules/core-js/modules/es.reflect.define-property.js deleted file mode 100644 index c01ee5a..0000000 --- a/node_modules/core-js/modules/es.reflect.define-property.js +++ /dev/null @@ -1,29 +0,0 @@ -'use strict'; -var $ = require('../internals/export'); -var DESCRIPTORS = require('../internals/descriptors'); -var anObject = require('../internals/an-object'); -var toPropertyKey = require('../internals/to-property-key'); -var definePropertyModule = require('../internals/object-define-property'); -var fails = require('../internals/fails'); - -// MS Edge has broken Reflect.defineProperty - throwing instead of returning false -var ERROR_INSTEAD_OF_FALSE = fails(function () { - // eslint-disable-next-line es/no-reflect -- required for testing - Reflect.defineProperty(definePropertyModule.f({}, 1, { value: 1 }), 1, { value: 2 }); -}); - -// `Reflect.defineProperty` method -// https://tc39.es/ecma262/#sec-reflect.defineproperty -$({ target: 'Reflect', stat: true, forced: ERROR_INSTEAD_OF_FALSE, sham: !DESCRIPTORS }, { - defineProperty: function defineProperty(target, propertyKey, attributes) { - anObject(target); - var key = toPropertyKey(propertyKey); - anObject(attributes); - try { - definePropertyModule.f(target, key, attributes); - return true; - } catch (error) { - return false; - } - } -}); diff --git a/node_modules/core-js/modules/es.reflect.delete-property.js b/node_modules/core-js/modules/es.reflect.delete-property.js deleted file mode 100644 index fa9c1e6..0000000 --- a/node_modules/core-js/modules/es.reflect.delete-property.js +++ /dev/null @@ -1,13 +0,0 @@ -'use strict'; -var $ = require('../internals/export'); -var anObject = require('../internals/an-object'); -var getOwnPropertyDescriptor = require('../internals/object-get-own-property-descriptor').f; - -// `Reflect.deleteProperty` method -// https://tc39.es/ecma262/#sec-reflect.deleteproperty -$({ target: 'Reflect', stat: true }, { - deleteProperty: function deleteProperty(target, propertyKey) { - var descriptor = getOwnPropertyDescriptor(anObject(target), propertyKey); - return descriptor && !descriptor.configurable ? false : delete target[propertyKey]; - } -}); diff --git a/node_modules/core-js/modules/es.reflect.get-own-property-descriptor.js b/node_modules/core-js/modules/es.reflect.get-own-property-descriptor.js deleted file mode 100644 index 2e978bf..0000000 --- a/node_modules/core-js/modules/es.reflect.get-own-property-descriptor.js +++ /dev/null @@ -1,13 +0,0 @@ -'use strict'; -var $ = require('../internals/export'); -var DESCRIPTORS = require('../internals/descriptors'); -var anObject = require('../internals/an-object'); -var getOwnPropertyDescriptorModule = require('../internals/object-get-own-property-descriptor'); - -// `Reflect.getOwnPropertyDescriptor` method -// https://tc39.es/ecma262/#sec-reflect.getownpropertydescriptor -$({ target: 'Reflect', stat: true, sham: !DESCRIPTORS }, { - getOwnPropertyDescriptor: function getOwnPropertyDescriptor(target, propertyKey) { - return getOwnPropertyDescriptorModule.f(anObject(target), propertyKey); - } -}); diff --git a/node_modules/core-js/modules/es.reflect.get-prototype-of.js b/node_modules/core-js/modules/es.reflect.get-prototype-of.js deleted file mode 100644 index 1fef329..0000000 --- a/node_modules/core-js/modules/es.reflect.get-prototype-of.js +++ /dev/null @@ -1,13 +0,0 @@ -'use strict'; -var $ = require('../internals/export'); -var anObject = require('../internals/an-object'); -var objectGetPrototypeOf = require('../internals/object-get-prototype-of'); -var CORRECT_PROTOTYPE_GETTER = require('../internals/correct-prototype-getter'); - -// `Reflect.getPrototypeOf` method -// https://tc39.es/ecma262/#sec-reflect.getprototypeof -$({ target: 'Reflect', stat: true, sham: !CORRECT_PROTOTYPE_GETTER }, { - getPrototypeOf: function getPrototypeOf(target) { - return objectGetPrototypeOf(anObject(target)); - } -}); diff --git a/node_modules/core-js/modules/es.reflect.get.js b/node_modules/core-js/modules/es.reflect.get.js deleted file mode 100644 index e5fc8d1..0000000 --- a/node_modules/core-js/modules/es.reflect.get.js +++ /dev/null @@ -1,25 +0,0 @@ -'use strict'; -var $ = require('../internals/export'); -var call = require('../internals/function-call'); -var isObject = require('../internals/is-object'); -var anObject = require('../internals/an-object'); -var isDataDescriptor = require('../internals/is-data-descriptor'); -var getOwnPropertyDescriptorModule = require('../internals/object-get-own-property-descriptor'); -var getPrototypeOf = require('../internals/object-get-prototype-of'); - -// `Reflect.get` method -// https://tc39.es/ecma262/#sec-reflect.get -function get(target, propertyKey /* , receiver */) { - var receiver = arguments.length < 3 ? target : arguments[2]; - var descriptor, prototype; - if (anObject(target) === receiver) return target[propertyKey]; - descriptor = getOwnPropertyDescriptorModule.f(target, propertyKey); - if (descriptor) return isDataDescriptor(descriptor) - ? descriptor.value - : descriptor.get === undefined ? undefined : call(descriptor.get, receiver); - if (isObject(prototype = getPrototypeOf(target))) return get(prototype, propertyKey, receiver); -} - -$({ target: 'Reflect', stat: true }, { - get: get -}); diff --git a/node_modules/core-js/modules/es.reflect.has.js b/node_modules/core-js/modules/es.reflect.has.js deleted file mode 100644 index 5d4a7f2..0000000 --- a/node_modules/core-js/modules/es.reflect.has.js +++ /dev/null @@ -1,10 +0,0 @@ -'use strict'; -var $ = require('../internals/export'); - -// `Reflect.has` method -// https://tc39.es/ecma262/#sec-reflect.has -$({ target: 'Reflect', stat: true }, { - has: function has(target, propertyKey) { - return propertyKey in target; - } -}); diff --git a/node_modules/core-js/modules/es.reflect.is-extensible.js b/node_modules/core-js/modules/es.reflect.is-extensible.js deleted file mode 100644 index 35480ba..0000000 --- a/node_modules/core-js/modules/es.reflect.is-extensible.js +++ /dev/null @@ -1,13 +0,0 @@ -'use strict'; -var $ = require('../internals/export'); -var anObject = require('../internals/an-object'); -var $isExtensible = require('../internals/object-is-extensible'); - -// `Reflect.isExtensible` method -// https://tc39.es/ecma262/#sec-reflect.isextensible -$({ target: 'Reflect', stat: true }, { - isExtensible: function isExtensible(target) { - anObject(target); - return $isExtensible(target); - } -}); diff --git a/node_modules/core-js/modules/es.reflect.own-keys.js b/node_modules/core-js/modules/es.reflect.own-keys.js deleted file mode 100644 index 1764652..0000000 --- a/node_modules/core-js/modules/es.reflect.own-keys.js +++ /dev/null @@ -1,9 +0,0 @@ -'use strict'; -var $ = require('../internals/export'); -var ownKeys = require('../internals/own-keys'); - -// `Reflect.ownKeys` method -// https://tc39.es/ecma262/#sec-reflect.ownkeys -$({ target: 'Reflect', stat: true }, { - ownKeys: ownKeys -}); diff --git a/node_modules/core-js/modules/es.reflect.prevent-extensions.js b/node_modules/core-js/modules/es.reflect.prevent-extensions.js deleted file mode 100644 index 57b298d..0000000 --- a/node_modules/core-js/modules/es.reflect.prevent-extensions.js +++ /dev/null @@ -1,20 +0,0 @@ -'use strict'; -var $ = require('../internals/export'); -var getBuiltIn = require('../internals/get-built-in'); -var anObject = require('../internals/an-object'); -var FREEZING = require('../internals/freezing'); - -// `Reflect.preventExtensions` method -// https://tc39.es/ecma262/#sec-reflect.preventextensions -$({ target: 'Reflect', stat: true, sham: !FREEZING }, { - preventExtensions: function preventExtensions(target) { - anObject(target); - try { - var objectPreventExtensions = getBuiltIn('Object', 'preventExtensions'); - if (objectPreventExtensions) objectPreventExtensions(target); - return true; - } catch (error) { - return false; - } - } -}); diff --git a/node_modules/core-js/modules/es.reflect.set-prototype-of.js b/node_modules/core-js/modules/es.reflect.set-prototype-of.js deleted file mode 100644 index 4b7faff..0000000 --- a/node_modules/core-js/modules/es.reflect.set-prototype-of.js +++ /dev/null @@ -1,20 +0,0 @@ -'use strict'; -var $ = require('../internals/export'); -var anObject = require('../internals/an-object'); -var aPossiblePrototype = require('../internals/a-possible-prototype'); -var objectSetPrototypeOf = require('../internals/object-set-prototype-of'); - -// `Reflect.setPrototypeOf` method -// https://tc39.es/ecma262/#sec-reflect.setprototypeof -if (objectSetPrototypeOf) $({ target: 'Reflect', stat: true }, { - setPrototypeOf: function setPrototypeOf(target, proto) { - anObject(target); - aPossiblePrototype(proto); - try { - objectSetPrototypeOf(target, proto); - return true; - } catch (error) { - return false; - } - } -}); diff --git a/node_modules/core-js/modules/es.reflect.set.js b/node_modules/core-js/modules/es.reflect.set.js deleted file mode 100644 index 5a0d3b1..0000000 --- a/node_modules/core-js/modules/es.reflect.set.js +++ /dev/null @@ -1,50 +0,0 @@ -'use strict'; -var $ = require('../internals/export'); -var call = require('../internals/function-call'); -var anObject = require('../internals/an-object'); -var isObject = require('../internals/is-object'); -var isDataDescriptor = require('../internals/is-data-descriptor'); -var fails = require('../internals/fails'); -var definePropertyModule = require('../internals/object-define-property'); -var getOwnPropertyDescriptorModule = require('../internals/object-get-own-property-descriptor'); -var getPrototypeOf = require('../internals/object-get-prototype-of'); -var createPropertyDescriptor = require('../internals/create-property-descriptor'); - -// `Reflect.set` method -// https://tc39.es/ecma262/#sec-reflect.set -function set(target, propertyKey, V /* , receiver */) { - var receiver = arguments.length < 4 ? target : arguments[3]; - var ownDescriptor = getOwnPropertyDescriptorModule.f(anObject(target), propertyKey); - var existingDescriptor, prototype, setter; - if (!ownDescriptor) { - if (isObject(prototype = getPrototypeOf(target))) { - return set(prototype, propertyKey, V, receiver); - } - ownDescriptor = createPropertyDescriptor(0); - } - if (isDataDescriptor(ownDescriptor)) { - if (ownDescriptor.writable === false || !isObject(receiver)) return false; - if (existingDescriptor = getOwnPropertyDescriptorModule.f(receiver, propertyKey)) { - if (existingDescriptor.get || existingDescriptor.set || existingDescriptor.writable === false) return false; - existingDescriptor.value = V; - definePropertyModule.f(receiver, propertyKey, existingDescriptor); - } else definePropertyModule.f(receiver, propertyKey, createPropertyDescriptor(0, V)); - } else { - setter = ownDescriptor.set; - if (setter === undefined) return false; - call(setter, receiver, V); - } return true; -} - -// MS Edge 17-18 Reflect.set allows setting the property to object -// with non-writable property on the prototype -var MS_EDGE_BUG = fails(function () { - var Constructor = function () { /* empty */ }; - var object = definePropertyModule.f(new Constructor(), 'a', { configurable: true }); - // eslint-disable-next-line es/no-reflect -- required for testing - return Reflect.set(Constructor.prototype, 'a', 1, object) !== false; -}); - -$({ target: 'Reflect', stat: true, forced: MS_EDGE_BUG }, { - set: set -}); diff --git a/node_modules/core-js/modules/es.reflect.to-string-tag.js b/node_modules/core-js/modules/es.reflect.to-string-tag.js deleted file mode 100644 index 14f2716..0000000 --- a/node_modules/core-js/modules/es.reflect.to-string-tag.js +++ /dev/null @@ -1,10 +0,0 @@ -'use strict'; -var $ = require('../internals/export'); -var global = require('../internals/global'); -var setToStringTag = require('../internals/set-to-string-tag'); - -$({ global: true }, { Reflect: {} }); - -// Reflect[@@toStringTag] property -// https://tc39.es/ecma262/#sec-reflect-@@tostringtag -setToStringTag(global.Reflect, 'Reflect', true); diff --git a/node_modules/core-js/modules/es.regexp.constructor.js b/node_modules/core-js/modules/es.regexp.constructor.js deleted file mode 100644 index a12a5a3..0000000 --- a/node_modules/core-js/modules/es.regexp.constructor.js +++ /dev/null @@ -1,192 +0,0 @@ -'use strict'; -var DESCRIPTORS = require('../internals/descriptors'); -var global = require('../internals/global'); -var uncurryThis = require('../internals/function-uncurry-this'); -var isForced = require('../internals/is-forced'); -var inheritIfRequired = require('../internals/inherit-if-required'); -var createNonEnumerableProperty = require('../internals/create-non-enumerable-property'); -var create = require('../internals/object-create'); -var getOwnPropertyNames = require('../internals/object-get-own-property-names').f; -var isPrototypeOf = require('../internals/object-is-prototype-of'); -var isRegExp = require('../internals/is-regexp'); -var toString = require('../internals/to-string'); -var getRegExpFlags = require('../internals/regexp-get-flags'); -var stickyHelpers = require('../internals/regexp-sticky-helpers'); -var proxyAccessor = require('../internals/proxy-accessor'); -var defineBuiltIn = require('../internals/define-built-in'); -var fails = require('../internals/fails'); -var hasOwn = require('../internals/has-own-property'); -var enforceInternalState = require('../internals/internal-state').enforce; -var setSpecies = require('../internals/set-species'); -var wellKnownSymbol = require('../internals/well-known-symbol'); -var UNSUPPORTED_DOT_ALL = require('../internals/regexp-unsupported-dot-all'); -var UNSUPPORTED_NCG = require('../internals/regexp-unsupported-ncg'); - -var MATCH = wellKnownSymbol('match'); -var NativeRegExp = global.RegExp; -var RegExpPrototype = NativeRegExp.prototype; -var SyntaxError = global.SyntaxError; -var exec = uncurryThis(RegExpPrototype.exec); -var charAt = uncurryThis(''.charAt); -var replace = uncurryThis(''.replace); -var stringIndexOf = uncurryThis(''.indexOf); -var stringSlice = uncurryThis(''.slice); -// TODO: Use only proper RegExpIdentifierName -var IS_NCG = /^\?<[^\s\d!#%&*+<=>@^][^\s!#%&*+<=>@^]*>/; -var re1 = /a/g; -var re2 = /a/g; - -// "new" should create a new object, old webkit bug -var CORRECT_NEW = new NativeRegExp(re1) !== re1; - -var MISSED_STICKY = stickyHelpers.MISSED_STICKY; -var UNSUPPORTED_Y = stickyHelpers.UNSUPPORTED_Y; - -var BASE_FORCED = DESCRIPTORS && - (!CORRECT_NEW || MISSED_STICKY || UNSUPPORTED_DOT_ALL || UNSUPPORTED_NCG || fails(function () { - re2[MATCH] = false; - // RegExp constructor can alter flags and IsRegExp works correct with @@match - return NativeRegExp(re1) !== re1 || NativeRegExp(re2) === re2 || String(NativeRegExp(re1, 'i')) !== '/a/i'; - })); - -var handleDotAll = function (string) { - var length = string.length; - var index = 0; - var result = ''; - var brackets = false; - var chr; - for (; index <= length; index++) { - chr = charAt(string, index); - if (chr === '\\') { - result += chr + charAt(string, ++index); - continue; - } - if (!brackets && chr === '.') { - result += '[\\s\\S]'; - } else { - if (chr === '[') { - brackets = true; - } else if (chr === ']') { - brackets = false; - } result += chr; - } - } return result; -}; - -var handleNCG = function (string) { - var length = string.length; - var index = 0; - var result = ''; - var named = []; - var names = create(null); - var brackets = false; - var ncg = false; - var groupid = 0; - var groupname = ''; - var chr; - for (; index <= length; index++) { - chr = charAt(string, index); - if (chr === '\\') { - chr += charAt(string, ++index); - } else if (chr === ']') { - brackets = false; - } else if (!brackets) switch (true) { - case chr === '[': - brackets = true; - break; - case chr === '(': - if (exec(IS_NCG, stringSlice(string, index + 1))) { - index += 2; - ncg = true; - } - result += chr; - groupid++; - continue; - case chr === '>' && ncg: - if (groupname === '' || hasOwn(names, groupname)) { - throw new SyntaxError('Invalid capture group name'); - } - names[groupname] = true; - named[named.length] = [groupname, groupid]; - ncg = false; - groupname = ''; - continue; - } - if (ncg) groupname += chr; - else result += chr; - } return [result, named]; -}; - -// `RegExp` constructor -// https://tc39.es/ecma262/#sec-regexp-constructor -if (isForced('RegExp', BASE_FORCED)) { - var RegExpWrapper = function RegExp(pattern, flags) { - var thisIsRegExp = isPrototypeOf(RegExpPrototype, this); - var patternIsRegExp = isRegExp(pattern); - var flagsAreUndefined = flags === undefined; - var groups = []; - var rawPattern = pattern; - var rawFlags, dotAll, sticky, handled, result, state; - - if (!thisIsRegExp && patternIsRegExp && flagsAreUndefined && pattern.constructor === RegExpWrapper) { - return pattern; - } - - if (patternIsRegExp || isPrototypeOf(RegExpPrototype, pattern)) { - pattern = pattern.source; - if (flagsAreUndefined) flags = getRegExpFlags(rawPattern); - } - - pattern = pattern === undefined ? '' : toString(pattern); - flags = flags === undefined ? '' : toString(flags); - rawPattern = pattern; - - if (UNSUPPORTED_DOT_ALL && 'dotAll' in re1) { - dotAll = !!flags && stringIndexOf(flags, 's') > -1; - if (dotAll) flags = replace(flags, /s/g, ''); - } - - rawFlags = flags; - - if (MISSED_STICKY && 'sticky' in re1) { - sticky = !!flags && stringIndexOf(flags, 'y') > -1; - if (sticky && UNSUPPORTED_Y) flags = replace(flags, /y/g, ''); - } - - if (UNSUPPORTED_NCG) { - handled = handleNCG(pattern); - pattern = handled[0]; - groups = handled[1]; - } - - result = inheritIfRequired(NativeRegExp(pattern, flags), thisIsRegExp ? this : RegExpPrototype, RegExpWrapper); - - if (dotAll || sticky || groups.length) { - state = enforceInternalState(result); - if (dotAll) { - state.dotAll = true; - state.raw = RegExpWrapper(handleDotAll(pattern), rawFlags); - } - if (sticky) state.sticky = true; - if (groups.length) state.groups = groups; - } - - if (pattern !== rawPattern) try { - // fails in old engines, but we have no alternatives for unsupported regex syntax - createNonEnumerableProperty(result, 'source', rawPattern === '' ? '(?:)' : rawPattern); - } catch (error) { /* empty */ } - - return result; - }; - - for (var keys = getOwnPropertyNames(NativeRegExp), index = 0; keys.length > index;) { - proxyAccessor(RegExpWrapper, NativeRegExp, keys[index++]); - } - - RegExpPrototype.constructor = RegExpWrapper; - RegExpWrapper.prototype = RegExpPrototype; - defineBuiltIn(global, 'RegExp', RegExpWrapper, { constructor: true }); -} - -// https://tc39.es/ecma262/#sec-get-regexp-@@species -setSpecies('RegExp'); diff --git a/node_modules/core-js/modules/es.regexp.dot-all.js b/node_modules/core-js/modules/es.regexp.dot-all.js deleted file mode 100644 index 7ad0f58..0000000 --- a/node_modules/core-js/modules/es.regexp.dot-all.js +++ /dev/null @@ -1,26 +0,0 @@ -'use strict'; -var DESCRIPTORS = require('../internals/descriptors'); -var UNSUPPORTED_DOT_ALL = require('../internals/regexp-unsupported-dot-all'); -var classof = require('../internals/classof-raw'); -var defineBuiltInAccessor = require('../internals/define-built-in-accessor'); -var getInternalState = require('../internals/internal-state').get; - -var RegExpPrototype = RegExp.prototype; -var $TypeError = TypeError; - -// `RegExp.prototype.dotAll` getter -// https://tc39.es/ecma262/#sec-get-regexp.prototype.dotall -if (DESCRIPTORS && UNSUPPORTED_DOT_ALL) { - defineBuiltInAccessor(RegExpPrototype, 'dotAll', { - configurable: true, - get: function dotAll() { - if (this === RegExpPrototype) return; - // We can't use InternalStateModule.getterFor because - // we don't add metadata for regexps created by a literal. - if (classof(this) === 'RegExp') { - return !!getInternalState(this).dotAll; - } - throw new $TypeError('Incompatible receiver, RegExp required'); - } - }); -} diff --git a/node_modules/core-js/modules/es.regexp.exec.js b/node_modules/core-js/modules/es.regexp.exec.js deleted file mode 100644 index 072f2be..0000000 --- a/node_modules/core-js/modules/es.regexp.exec.js +++ /dev/null @@ -1,9 +0,0 @@ -'use strict'; -var $ = require('../internals/export'); -var exec = require('../internals/regexp-exec'); - -// `RegExp.prototype.exec` method -// https://tc39.es/ecma262/#sec-regexp.prototype.exec -$({ target: 'RegExp', proto: true, forced: /./.exec !== exec }, { - exec: exec -}); diff --git a/node_modules/core-js/modules/es.regexp.flags.js b/node_modules/core-js/modules/es.regexp.flags.js deleted file mode 100644 index d42b8cb..0000000 --- a/node_modules/core-js/modules/es.regexp.flags.js +++ /dev/null @@ -1,56 +0,0 @@ -'use strict'; -var global = require('../internals/global'); -var DESCRIPTORS = require('../internals/descriptors'); -var defineBuiltInAccessor = require('../internals/define-built-in-accessor'); -var regExpFlags = require('../internals/regexp-flags'); -var fails = require('../internals/fails'); - -// babel-minify and Closure Compiler transpiles RegExp('.', 'd') -> /./d and it causes SyntaxError -var RegExp = global.RegExp; -var RegExpPrototype = RegExp.prototype; - -var FORCED = DESCRIPTORS && fails(function () { - var INDICES_SUPPORT = true; - try { - RegExp('.', 'd'); - } catch (error) { - INDICES_SUPPORT = false; - } - - var O = {}; - // modern V8 bug - var calls = ''; - var expected = INDICES_SUPPORT ? 'dgimsy' : 'gimsy'; - - var addGetter = function (key, chr) { - // eslint-disable-next-line es/no-object-defineproperty -- safe - Object.defineProperty(O, key, { get: function () { - calls += chr; - return true; - } }); - }; - - var pairs = { - dotAll: 's', - global: 'g', - ignoreCase: 'i', - multiline: 'm', - sticky: 'y' - }; - - if (INDICES_SUPPORT) pairs.hasIndices = 'd'; - - for (var key in pairs) addGetter(key, pairs[key]); - - // eslint-disable-next-line es/no-object-getownpropertydescriptor -- safe - var result = Object.getOwnPropertyDescriptor(RegExpPrototype, 'flags').get.call(O); - - return result !== expected || calls !== expected; -}); - -// `RegExp.prototype.flags` getter -// https://tc39.es/ecma262/#sec-get-regexp.prototype.flags -if (FORCED) defineBuiltInAccessor(RegExpPrototype, 'flags', { - configurable: true, - get: regExpFlags -}); diff --git a/node_modules/core-js/modules/es.regexp.sticky.js b/node_modules/core-js/modules/es.regexp.sticky.js deleted file mode 100644 index 7a7d2bd..0000000 --- a/node_modules/core-js/modules/es.regexp.sticky.js +++ /dev/null @@ -1,26 +0,0 @@ -'use strict'; -var DESCRIPTORS = require('../internals/descriptors'); -var MISSED_STICKY = require('../internals/regexp-sticky-helpers').MISSED_STICKY; -var classof = require('../internals/classof-raw'); -var defineBuiltInAccessor = require('../internals/define-built-in-accessor'); -var getInternalState = require('../internals/internal-state').get; - -var RegExpPrototype = RegExp.prototype; -var $TypeError = TypeError; - -// `RegExp.prototype.sticky` getter -// https://tc39.es/ecma262/#sec-get-regexp.prototype.sticky -if (DESCRIPTORS && MISSED_STICKY) { - defineBuiltInAccessor(RegExpPrototype, 'sticky', { - configurable: true, - get: function sticky() { - if (this === RegExpPrototype) return; - // We can't use InternalStateModule.getterFor because - // we don't add metadata for regexps created by a literal. - if (classof(this) === 'RegExp') { - return !!getInternalState(this).sticky; - } - throw new $TypeError('Incompatible receiver, RegExp required'); - } - }); -} diff --git a/node_modules/core-js/modules/es.regexp.test.js b/node_modules/core-js/modules/es.regexp.test.js deleted file mode 100644 index 20daaa0..0000000 --- a/node_modules/core-js/modules/es.regexp.test.js +++ /dev/null @@ -1,35 +0,0 @@ -'use strict'; -// TODO: Remove from `core-js@4` since it's moved to entry points -require('../modules/es.regexp.exec'); -var $ = require('../internals/export'); -var call = require('../internals/function-call'); -var isCallable = require('../internals/is-callable'); -var anObject = require('../internals/an-object'); -var toString = require('../internals/to-string'); - -var DELEGATES_TO_EXEC = function () { - var execCalled = false; - var re = /[ac]/; - re.exec = function () { - execCalled = true; - return /./.exec.apply(this, arguments); - }; - return re.test('abc') === true && execCalled; -}(); - -var nativeTest = /./.test; - -// `RegExp.prototype.test` method -// https://tc39.es/ecma262/#sec-regexp.prototype.test -$({ target: 'RegExp', proto: true, forced: !DELEGATES_TO_EXEC }, { - test: function (S) { - var R = anObject(this); - var string = toString(S); - var exec = R.exec; - if (!isCallable(exec)) return call(nativeTest, R, string); - var result = call(exec, R, string); - if (result === null) return false; - anObject(result); - return true; - } -}); diff --git a/node_modules/core-js/modules/es.regexp.to-string.js b/node_modules/core-js/modules/es.regexp.to-string.js deleted file mode 100644 index 05c763e..0000000 --- a/node_modules/core-js/modules/es.regexp.to-string.js +++ /dev/null @@ -1,26 +0,0 @@ -'use strict'; -var PROPER_FUNCTION_NAME = require('../internals/function-name').PROPER; -var defineBuiltIn = require('../internals/define-built-in'); -var anObject = require('../internals/an-object'); -var $toString = require('../internals/to-string'); -var fails = require('../internals/fails'); -var getRegExpFlags = require('../internals/regexp-get-flags'); - -var TO_STRING = 'toString'; -var RegExpPrototype = RegExp.prototype; -var nativeToString = RegExpPrototype[TO_STRING]; - -var NOT_GENERIC = fails(function () { return nativeToString.call({ source: 'a', flags: 'b' }) !== '/a/b'; }); -// FF44- RegExp#toString has a wrong name -var INCORRECT_NAME = PROPER_FUNCTION_NAME && nativeToString.name !== TO_STRING; - -// `RegExp.prototype.toString` method -// https://tc39.es/ecma262/#sec-regexp.prototype.tostring -if (NOT_GENERIC || INCORRECT_NAME) { - defineBuiltIn(RegExpPrototype, TO_STRING, function toString() { - var R = anObject(this); - var pattern = $toString(R.source); - var flags = $toString(getRegExpFlags(R)); - return '/' + pattern + '/' + flags; - }, { unsafe: true }); -} diff --git a/node_modules/core-js/modules/es.set.constructor.js b/node_modules/core-js/modules/es.set.constructor.js deleted file mode 100644 index a35ebe1..0000000 --- a/node_modules/core-js/modules/es.set.constructor.js +++ /dev/null @@ -1,9 +0,0 @@ -'use strict'; -var collection = require('../internals/collection'); -var collectionStrong = require('../internals/collection-strong'); - -// `Set` constructor -// https://tc39.es/ecma262/#sec-set-objects -collection('Set', function (init) { - return function Set() { return init(this, arguments.length ? arguments[0] : undefined); }; -}, collectionStrong); diff --git a/node_modules/core-js/modules/es.set.js b/node_modules/core-js/modules/es.set.js deleted file mode 100644 index ff66f70..0000000 --- a/node_modules/core-js/modules/es.set.js +++ /dev/null @@ -1,3 +0,0 @@ -'use strict'; -// TODO: Remove this module from `core-js@4` since it's replaced to module below -require('../modules/es.set.constructor'); diff --git a/node_modules/core-js/modules/es.string.anchor.js b/node_modules/core-js/modules/es.string.anchor.js deleted file mode 100644 index 9c0f0da..0000000 --- a/node_modules/core-js/modules/es.string.anchor.js +++ /dev/null @@ -1,12 +0,0 @@ -'use strict'; -var $ = require('../internals/export'); -var createHTML = require('../internals/create-html'); -var forcedStringHTMLMethod = require('../internals/string-html-forced'); - -// `String.prototype.anchor` method -// https://tc39.es/ecma262/#sec-string.prototype.anchor -$({ target: 'String', proto: true, forced: forcedStringHTMLMethod('anchor') }, { - anchor: function anchor(name) { - return createHTML(this, 'a', 'name', name); - } -}); diff --git a/node_modules/core-js/modules/es.string.at-alternative.js b/node_modules/core-js/modules/es.string.at-alternative.js deleted file mode 100644 index 63a5e63..0000000 --- a/node_modules/core-js/modules/es.string.at-alternative.js +++ /dev/null @@ -1,26 +0,0 @@ -'use strict'; -var $ = require('../internals/export'); -var uncurryThis = require('../internals/function-uncurry-this'); -var requireObjectCoercible = require('../internals/require-object-coercible'); -var toIntegerOrInfinity = require('../internals/to-integer-or-infinity'); -var toString = require('../internals/to-string'); -var fails = require('../internals/fails'); - -var charAt = uncurryThis(''.charAt); - -var FORCED = fails(function () { - // eslint-disable-next-line es/no-array-string-prototype-at -- safe - return '𠮷'.at(-2) !== '\uD842'; -}); - -// `String.prototype.at` method -// https://tc39.es/ecma262/#sec-string.prototype.at -$({ target: 'String', proto: true, forced: FORCED }, { - at: function at(index) { - var S = toString(requireObjectCoercible(this)); - var len = S.length; - var relativeIndex = toIntegerOrInfinity(index); - var k = relativeIndex >= 0 ? relativeIndex : len + relativeIndex; - return (k < 0 || k >= len) ? undefined : charAt(S, k); - } -}); diff --git a/node_modules/core-js/modules/es.string.big.js b/node_modules/core-js/modules/es.string.big.js deleted file mode 100644 index 478a31c..0000000 --- a/node_modules/core-js/modules/es.string.big.js +++ /dev/null @@ -1,12 +0,0 @@ -'use strict'; -var $ = require('../internals/export'); -var createHTML = require('../internals/create-html'); -var forcedStringHTMLMethod = require('../internals/string-html-forced'); - -// `String.prototype.big` method -// https://tc39.es/ecma262/#sec-string.prototype.big -$({ target: 'String', proto: true, forced: forcedStringHTMLMethod('big') }, { - big: function big() { - return createHTML(this, 'big', '', ''); - } -}); diff --git a/node_modules/core-js/modules/es.string.blink.js b/node_modules/core-js/modules/es.string.blink.js deleted file mode 100644 index 2599a0f..0000000 --- a/node_modules/core-js/modules/es.string.blink.js +++ /dev/null @@ -1,12 +0,0 @@ -'use strict'; -var $ = require('../internals/export'); -var createHTML = require('../internals/create-html'); -var forcedStringHTMLMethod = require('../internals/string-html-forced'); - -// `String.prototype.blink` method -// https://tc39.es/ecma262/#sec-string.prototype.blink -$({ target: 'String', proto: true, forced: forcedStringHTMLMethod('blink') }, { - blink: function blink() { - return createHTML(this, 'blink', '', ''); - } -}); diff --git a/node_modules/core-js/modules/es.string.bold.js b/node_modules/core-js/modules/es.string.bold.js deleted file mode 100644 index ed15e72..0000000 --- a/node_modules/core-js/modules/es.string.bold.js +++ /dev/null @@ -1,12 +0,0 @@ -'use strict'; -var $ = require('../internals/export'); -var createHTML = require('../internals/create-html'); -var forcedStringHTMLMethod = require('../internals/string-html-forced'); - -// `String.prototype.bold` method -// https://tc39.es/ecma262/#sec-string.prototype.bold -$({ target: 'String', proto: true, forced: forcedStringHTMLMethod('bold') }, { - bold: function bold() { - return createHTML(this, 'b', '', ''); - } -}); diff --git a/node_modules/core-js/modules/es.string.code-point-at.js b/node_modules/core-js/modules/es.string.code-point-at.js deleted file mode 100644 index 927e413..0000000 --- a/node_modules/core-js/modules/es.string.code-point-at.js +++ /dev/null @@ -1,11 +0,0 @@ -'use strict'; -var $ = require('../internals/export'); -var codeAt = require('../internals/string-multibyte').codeAt; - -// `String.prototype.codePointAt` method -// https://tc39.es/ecma262/#sec-string.prototype.codepointat -$({ target: 'String', proto: true }, { - codePointAt: function codePointAt(pos) { - return codeAt(this, pos); - } -}); diff --git a/node_modules/core-js/modules/es.string.ends-with.js b/node_modules/core-js/modules/es.string.ends-with.js deleted file mode 100644 index 04913f8..0000000 --- a/node_modules/core-js/modules/es.string.ends-with.js +++ /dev/null @@ -1,34 +0,0 @@ -'use strict'; -var $ = require('../internals/export'); -var uncurryThis = require('../internals/function-uncurry-this-clause'); -var getOwnPropertyDescriptor = require('../internals/object-get-own-property-descriptor').f; -var toLength = require('../internals/to-length'); -var toString = require('../internals/to-string'); -var notARegExp = require('../internals/not-a-regexp'); -var requireObjectCoercible = require('../internals/require-object-coercible'); -var correctIsRegExpLogic = require('../internals/correct-is-regexp-logic'); -var IS_PURE = require('../internals/is-pure'); - -var slice = uncurryThis(''.slice); -var min = Math.min; - -var CORRECT_IS_REGEXP_LOGIC = correctIsRegExpLogic('endsWith'); -// https://github.com/zloirock/core-js/pull/702 -var MDN_POLYFILL_BUG = !IS_PURE && !CORRECT_IS_REGEXP_LOGIC && !!function () { - var descriptor = getOwnPropertyDescriptor(String.prototype, 'endsWith'); - return descriptor && !descriptor.writable; -}(); - -// `String.prototype.endsWith` method -// https://tc39.es/ecma262/#sec-string.prototype.endswith -$({ target: 'String', proto: true, forced: !MDN_POLYFILL_BUG && !CORRECT_IS_REGEXP_LOGIC }, { - endsWith: function endsWith(searchString /* , endPosition = @length */) { - var that = toString(requireObjectCoercible(this)); - notARegExp(searchString); - var endPosition = arguments.length > 1 ? arguments[1] : undefined; - var len = that.length; - var end = endPosition === undefined ? len : min(toLength(endPosition), len); - var search = toString(searchString); - return slice(that, end - search.length, end) === search; - } -}); diff --git a/node_modules/core-js/modules/es.string.fixed.js b/node_modules/core-js/modules/es.string.fixed.js deleted file mode 100644 index 9f9b87d..0000000 --- a/node_modules/core-js/modules/es.string.fixed.js +++ /dev/null @@ -1,12 +0,0 @@ -'use strict'; -var $ = require('../internals/export'); -var createHTML = require('../internals/create-html'); -var forcedStringHTMLMethod = require('../internals/string-html-forced'); - -// `String.prototype.fixed` method -// https://tc39.es/ecma262/#sec-string.prototype.fixed -$({ target: 'String', proto: true, forced: forcedStringHTMLMethod('fixed') }, { - fixed: function fixed() { - return createHTML(this, 'tt', '', ''); - } -}); diff --git a/node_modules/core-js/modules/es.string.fontcolor.js b/node_modules/core-js/modules/es.string.fontcolor.js deleted file mode 100644 index f96ebb4..0000000 --- a/node_modules/core-js/modules/es.string.fontcolor.js +++ /dev/null @@ -1,12 +0,0 @@ -'use strict'; -var $ = require('../internals/export'); -var createHTML = require('../internals/create-html'); -var forcedStringHTMLMethod = require('../internals/string-html-forced'); - -// `String.prototype.fontcolor` method -// https://tc39.es/ecma262/#sec-string.prototype.fontcolor -$({ target: 'String', proto: true, forced: forcedStringHTMLMethod('fontcolor') }, { - fontcolor: function fontcolor(color) { - return createHTML(this, 'font', 'color', color); - } -}); diff --git a/node_modules/core-js/modules/es.string.fontsize.js b/node_modules/core-js/modules/es.string.fontsize.js deleted file mode 100644 index e576046..0000000 --- a/node_modules/core-js/modules/es.string.fontsize.js +++ /dev/null @@ -1,12 +0,0 @@ -'use strict'; -var $ = require('../internals/export'); -var createHTML = require('../internals/create-html'); -var forcedStringHTMLMethod = require('../internals/string-html-forced'); - -// `String.prototype.fontsize` method -// https://tc39.es/ecma262/#sec-string.prototype.fontsize -$({ target: 'String', proto: true, forced: forcedStringHTMLMethod('fontsize') }, { - fontsize: function fontsize(size) { - return createHTML(this, 'font', 'size', size); - } -}); diff --git a/node_modules/core-js/modules/es.string.from-code-point.js b/node_modules/core-js/modules/es.string.from-code-point.js deleted file mode 100644 index 112f39a..0000000 --- a/node_modules/core-js/modules/es.string.from-code-point.js +++ /dev/null @@ -1,32 +0,0 @@ -'use strict'; -var $ = require('../internals/export'); -var uncurryThis = require('../internals/function-uncurry-this'); -var toAbsoluteIndex = require('../internals/to-absolute-index'); - -var $RangeError = RangeError; -var fromCharCode = String.fromCharCode; -// eslint-disable-next-line es/no-string-fromcodepoint -- required for testing -var $fromCodePoint = String.fromCodePoint; -var join = uncurryThis([].join); - -// length should be 1, old FF problem -var INCORRECT_LENGTH = !!$fromCodePoint && $fromCodePoint.length !== 1; - -// `String.fromCodePoint` method -// https://tc39.es/ecma262/#sec-string.fromcodepoint -$({ target: 'String', stat: true, arity: 1, forced: INCORRECT_LENGTH }, { - // eslint-disable-next-line no-unused-vars -- required for `.length` - fromCodePoint: function fromCodePoint(x) { - var elements = []; - var length = arguments.length; - var i = 0; - var code; - while (length > i) { - code = +arguments[i++]; - if (toAbsoluteIndex(code, 0x10FFFF) !== code) throw new $RangeError(code + ' is not a valid code point'); - elements[i] = code < 0x10000 - ? fromCharCode(code) - : fromCharCode(((code -= 0x10000) >> 10) + 0xD800, code % 0x400 + 0xDC00); - } return join(elements, ''); - } -}); diff --git a/node_modules/core-js/modules/es.string.includes.js b/node_modules/core-js/modules/es.string.includes.js deleted file mode 100644 index 22afdca..0000000 --- a/node_modules/core-js/modules/es.string.includes.js +++ /dev/null @@ -1,21 +0,0 @@ -'use strict'; -var $ = require('../internals/export'); -var uncurryThis = require('../internals/function-uncurry-this'); -var notARegExp = require('../internals/not-a-regexp'); -var requireObjectCoercible = require('../internals/require-object-coercible'); -var toString = require('../internals/to-string'); -var correctIsRegExpLogic = require('../internals/correct-is-regexp-logic'); - -var stringIndexOf = uncurryThis(''.indexOf); - -// `String.prototype.includes` method -// https://tc39.es/ecma262/#sec-string.prototype.includes -$({ target: 'String', proto: true, forced: !correctIsRegExpLogic('includes') }, { - includes: function includes(searchString /* , position = 0 */) { - return !!~stringIndexOf( - toString(requireObjectCoercible(this)), - toString(notARegExp(searchString)), - arguments.length > 1 ? arguments[1] : undefined - ); - } -}); diff --git a/node_modules/core-js/modules/es.string.is-well-formed.js b/node_modules/core-js/modules/es.string.is-well-formed.js deleted file mode 100644 index 5fbdfa8..0000000 --- a/node_modules/core-js/modules/es.string.is-well-formed.js +++ /dev/null @@ -1,23 +0,0 @@ -'use strict'; -var $ = require('../internals/export'); -var uncurryThis = require('../internals/function-uncurry-this'); -var requireObjectCoercible = require('../internals/require-object-coercible'); -var toString = require('../internals/to-string'); - -var charCodeAt = uncurryThis(''.charCodeAt); - -// `String.prototype.isWellFormed` method -// https://github.com/tc39/proposal-is-usv-string -$({ target: 'String', proto: true }, { - isWellFormed: function isWellFormed() { - var S = toString(requireObjectCoercible(this)); - var length = S.length; - for (var i = 0; i < length; i++) { - var charCode = charCodeAt(S, i); - // single UTF-16 code unit - if ((charCode & 0xF800) !== 0xD800) continue; - // unpaired surrogate - if (charCode >= 0xDC00 || ++i >= length || (charCodeAt(S, i) & 0xFC00) !== 0xDC00) return false; - } return true; - } -}); diff --git a/node_modules/core-js/modules/es.string.italics.js b/node_modules/core-js/modules/es.string.italics.js deleted file mode 100644 index fca5e06..0000000 --- a/node_modules/core-js/modules/es.string.italics.js +++ /dev/null @@ -1,12 +0,0 @@ -'use strict'; -var $ = require('../internals/export'); -var createHTML = require('../internals/create-html'); -var forcedStringHTMLMethod = require('../internals/string-html-forced'); - -// `String.prototype.italics` method -// https://tc39.es/ecma262/#sec-string.prototype.italics -$({ target: 'String', proto: true, forced: forcedStringHTMLMethod('italics') }, { - italics: function italics() { - return createHTML(this, 'i', '', ''); - } -}); diff --git a/node_modules/core-js/modules/es.string.iterator.js b/node_modules/core-js/modules/es.string.iterator.js deleted file mode 100644 index cfd486c..0000000 --- a/node_modules/core-js/modules/es.string.iterator.js +++ /dev/null @@ -1,31 +0,0 @@ -'use strict'; -var charAt = require('../internals/string-multibyte').charAt; -var toString = require('../internals/to-string'); -var InternalStateModule = require('../internals/internal-state'); -var defineIterator = require('../internals/iterator-define'); -var createIterResultObject = require('../internals/create-iter-result-object'); - -var STRING_ITERATOR = 'String Iterator'; -var setInternalState = InternalStateModule.set; -var getInternalState = InternalStateModule.getterFor(STRING_ITERATOR); - -// `String.prototype[@@iterator]` method -// https://tc39.es/ecma262/#sec-string.prototype-@@iterator -defineIterator(String, 'String', function (iterated) { - setInternalState(this, { - type: STRING_ITERATOR, - string: toString(iterated), - index: 0 - }); -// `%StringIteratorPrototype%.next` method -// https://tc39.es/ecma262/#sec-%stringiteratorprototype%.next -}, function next() { - var state = getInternalState(this); - var string = state.string; - var index = state.index; - var point; - if (index >= string.length) return createIterResultObject(undefined, true); - point = charAt(string, index); - state.index += point.length; - return createIterResultObject(point, false); -}); diff --git a/node_modules/core-js/modules/es.string.link.js b/node_modules/core-js/modules/es.string.link.js deleted file mode 100644 index 0d12891..0000000 --- a/node_modules/core-js/modules/es.string.link.js +++ /dev/null @@ -1,12 +0,0 @@ -'use strict'; -var $ = require('../internals/export'); -var createHTML = require('../internals/create-html'); -var forcedStringHTMLMethod = require('../internals/string-html-forced'); - -// `String.prototype.link` method -// https://tc39.es/ecma262/#sec-string.prototype.link -$({ target: 'String', proto: true, forced: forcedStringHTMLMethod('link') }, { - link: function link(url) { - return createHTML(this, 'a', 'href', url); - } -}); diff --git a/node_modules/core-js/modules/es.string.match-all.js b/node_modules/core-js/modules/es.string.match-all.js deleted file mode 100644 index 3d1cce1..0000000 --- a/node_modules/core-js/modules/es.string.match-all.js +++ /dev/null @@ -1,102 +0,0 @@ -'use strict'; -/* eslint-disable es/no-string-prototype-matchall -- safe */ -var $ = require('../internals/export'); -var call = require('../internals/function-call'); -var uncurryThis = require('../internals/function-uncurry-this-clause'); -var createIteratorConstructor = require('../internals/iterator-create-constructor'); -var createIterResultObject = require('../internals/create-iter-result-object'); -var requireObjectCoercible = require('../internals/require-object-coercible'); -var toLength = require('../internals/to-length'); -var toString = require('../internals/to-string'); -var anObject = require('../internals/an-object'); -var isNullOrUndefined = require('../internals/is-null-or-undefined'); -var classof = require('../internals/classof-raw'); -var isRegExp = require('../internals/is-regexp'); -var getRegExpFlags = require('../internals/regexp-get-flags'); -var getMethod = require('../internals/get-method'); -var defineBuiltIn = require('../internals/define-built-in'); -var fails = require('../internals/fails'); -var wellKnownSymbol = require('../internals/well-known-symbol'); -var speciesConstructor = require('../internals/species-constructor'); -var advanceStringIndex = require('../internals/advance-string-index'); -var regExpExec = require('../internals/regexp-exec-abstract'); -var InternalStateModule = require('../internals/internal-state'); -var IS_PURE = require('../internals/is-pure'); - -var MATCH_ALL = wellKnownSymbol('matchAll'); -var REGEXP_STRING = 'RegExp String'; -var REGEXP_STRING_ITERATOR = REGEXP_STRING + ' Iterator'; -var setInternalState = InternalStateModule.set; -var getInternalState = InternalStateModule.getterFor(REGEXP_STRING_ITERATOR); -var RegExpPrototype = RegExp.prototype; -var $TypeError = TypeError; -var stringIndexOf = uncurryThis(''.indexOf); -var nativeMatchAll = uncurryThis(''.matchAll); - -var WORKS_WITH_NON_GLOBAL_REGEX = !!nativeMatchAll && !fails(function () { - nativeMatchAll('a', /./); -}); - -var $RegExpStringIterator = createIteratorConstructor(function RegExpStringIterator(regexp, string, $global, fullUnicode) { - setInternalState(this, { - type: REGEXP_STRING_ITERATOR, - regexp: regexp, - string: string, - global: $global, - unicode: fullUnicode, - done: false - }); -}, REGEXP_STRING, function next() { - var state = getInternalState(this); - if (state.done) return createIterResultObject(undefined, true); - var R = state.regexp; - var S = state.string; - var match = regExpExec(R, S); - if (match === null) { - state.done = true; - return createIterResultObject(undefined, true); - } - if (state.global) { - if (toString(match[0]) === '') R.lastIndex = advanceStringIndex(S, toLength(R.lastIndex), state.unicode); - return createIterResultObject(match, false); - } - state.done = true; - return createIterResultObject(match, false); -}); - -var $matchAll = function (string) { - var R = anObject(this); - var S = toString(string); - var C = speciesConstructor(R, RegExp); - var flags = toString(getRegExpFlags(R)); - var matcher, $global, fullUnicode; - matcher = new C(C === RegExp ? R.source : R, flags); - $global = !!~stringIndexOf(flags, 'g'); - fullUnicode = !!~stringIndexOf(flags, 'u'); - matcher.lastIndex = toLength(R.lastIndex); - return new $RegExpStringIterator(matcher, S, $global, fullUnicode); -}; - -// `String.prototype.matchAll` method -// https://tc39.es/ecma262/#sec-string.prototype.matchall -$({ target: 'String', proto: true, forced: WORKS_WITH_NON_GLOBAL_REGEX }, { - matchAll: function matchAll(regexp) { - var O = requireObjectCoercible(this); - var flags, S, matcher, rx; - if (!isNullOrUndefined(regexp)) { - if (isRegExp(regexp)) { - flags = toString(requireObjectCoercible(getRegExpFlags(regexp))); - if (!~stringIndexOf(flags, 'g')) throw new $TypeError('`.matchAll` does not allow non-global regexes'); - } - if (WORKS_WITH_NON_GLOBAL_REGEX) return nativeMatchAll(O, regexp); - matcher = getMethod(regexp, MATCH_ALL); - if (matcher === undefined && IS_PURE && classof(regexp) === 'RegExp') matcher = $matchAll; - if (matcher) return call(matcher, regexp, O); - } else if (WORKS_WITH_NON_GLOBAL_REGEX) return nativeMatchAll(O, regexp); - S = toString(O); - rx = new RegExp(regexp, 'g'); - return IS_PURE ? call($matchAll, rx, S) : rx[MATCH_ALL](S); - } -}); - -IS_PURE || MATCH_ALL in RegExpPrototype || defineBuiltIn(RegExpPrototype, MATCH_ALL, $matchAll); diff --git a/node_modules/core-js/modules/es.string.match.js b/node_modules/core-js/modules/es.string.match.js deleted file mode 100644 index 354c40f..0000000 --- a/node_modules/core-js/modules/es.string.match.js +++ /dev/null @@ -1,48 +0,0 @@ -'use strict'; -var call = require('../internals/function-call'); -var fixRegExpWellKnownSymbolLogic = require('../internals/fix-regexp-well-known-symbol-logic'); -var anObject = require('../internals/an-object'); -var isNullOrUndefined = require('../internals/is-null-or-undefined'); -var toLength = require('../internals/to-length'); -var toString = require('../internals/to-string'); -var requireObjectCoercible = require('../internals/require-object-coercible'); -var getMethod = require('../internals/get-method'); -var advanceStringIndex = require('../internals/advance-string-index'); -var regExpExec = require('../internals/regexp-exec-abstract'); - -// @@match logic -fixRegExpWellKnownSymbolLogic('match', function (MATCH, nativeMatch, maybeCallNative) { - return [ - // `String.prototype.match` method - // https://tc39.es/ecma262/#sec-string.prototype.match - function match(regexp) { - var O = requireObjectCoercible(this); - var matcher = isNullOrUndefined(regexp) ? undefined : getMethod(regexp, MATCH); - return matcher ? call(matcher, regexp, O) : new RegExp(regexp)[MATCH](toString(O)); - }, - // `RegExp.prototype[@@match]` method - // https://tc39.es/ecma262/#sec-regexp.prototype-@@match - function (string) { - var rx = anObject(this); - var S = toString(string); - var res = maybeCallNative(nativeMatch, rx, S); - - if (res.done) return res.value; - - if (!rx.global) return regExpExec(rx, S); - - var fullUnicode = rx.unicode; - rx.lastIndex = 0; - var A = []; - var n = 0; - var result; - while ((result = regExpExec(rx, S)) !== null) { - var matchStr = toString(result[0]); - A[n] = matchStr; - if (matchStr === '') rx.lastIndex = advanceStringIndex(S, toLength(rx.lastIndex), fullUnicode); - n++; - } - return n === 0 ? null : A; - } - ]; -}); diff --git a/node_modules/core-js/modules/es.string.pad-end.js b/node_modules/core-js/modules/es.string.pad-end.js deleted file mode 100644 index f770a85..0000000 --- a/node_modules/core-js/modules/es.string.pad-end.js +++ /dev/null @@ -1,12 +0,0 @@ -'use strict'; -var $ = require('../internals/export'); -var $padEnd = require('../internals/string-pad').end; -var WEBKIT_BUG = require('../internals/string-pad-webkit-bug'); - -// `String.prototype.padEnd` method -// https://tc39.es/ecma262/#sec-string.prototype.padend -$({ target: 'String', proto: true, forced: WEBKIT_BUG }, { - padEnd: function padEnd(maxLength /* , fillString = ' ' */) { - return $padEnd(this, maxLength, arguments.length > 1 ? arguments[1] : undefined); - } -}); diff --git a/node_modules/core-js/modules/es.string.pad-start.js b/node_modules/core-js/modules/es.string.pad-start.js deleted file mode 100644 index d213b46..0000000 --- a/node_modules/core-js/modules/es.string.pad-start.js +++ /dev/null @@ -1,12 +0,0 @@ -'use strict'; -var $ = require('../internals/export'); -var $padStart = require('../internals/string-pad').start; -var WEBKIT_BUG = require('../internals/string-pad-webkit-bug'); - -// `String.prototype.padStart` method -// https://tc39.es/ecma262/#sec-string.prototype.padstart -$({ target: 'String', proto: true, forced: WEBKIT_BUG }, { - padStart: function padStart(maxLength /* , fillString = ' ' */) { - return $padStart(this, maxLength, arguments.length > 1 ? arguments[1] : undefined); - } -}); diff --git a/node_modules/core-js/modules/es.string.raw.js b/node_modules/core-js/modules/es.string.raw.js deleted file mode 100644 index 65ed7c8..0000000 --- a/node_modules/core-js/modules/es.string.raw.js +++ /dev/null @@ -1,28 +0,0 @@ -'use strict'; -var $ = require('../internals/export'); -var uncurryThis = require('../internals/function-uncurry-this'); -var toIndexedObject = require('../internals/to-indexed-object'); -var toObject = require('../internals/to-object'); -var toString = require('../internals/to-string'); -var lengthOfArrayLike = require('../internals/length-of-array-like'); - -var push = uncurryThis([].push); -var join = uncurryThis([].join); - -// `String.raw` method -// https://tc39.es/ecma262/#sec-string.raw -$({ target: 'String', stat: true }, { - raw: function raw(template) { - var rawTemplate = toIndexedObject(toObject(template).raw); - var literalSegments = lengthOfArrayLike(rawTemplate); - if (!literalSegments) return ''; - var argumentsLength = arguments.length; - var elements = []; - var i = 0; - while (true) { - push(elements, toString(rawTemplate[i++])); - if (i === literalSegments) return join(elements, ''); - if (i < argumentsLength) push(elements, toString(arguments[i])); - } - } -}); diff --git a/node_modules/core-js/modules/es.string.repeat.js b/node_modules/core-js/modules/es.string.repeat.js deleted file mode 100644 index 7ec1c2b..0000000 --- a/node_modules/core-js/modules/es.string.repeat.js +++ /dev/null @@ -1,9 +0,0 @@ -'use strict'; -var $ = require('../internals/export'); -var repeat = require('../internals/string-repeat'); - -// `String.prototype.repeat` method -// https://tc39.es/ecma262/#sec-string.prototype.repeat -$({ target: 'String', proto: true }, { - repeat: repeat -}); diff --git a/node_modules/core-js/modules/es.string.replace-all.js b/node_modules/core-js/modules/es.string.replace-all.js deleted file mode 100644 index ddaf64e..0000000 --- a/node_modules/core-js/modules/es.string.replace-all.js +++ /dev/null @@ -1,71 +0,0 @@ -'use strict'; -var $ = require('../internals/export'); -var call = require('../internals/function-call'); -var uncurryThis = require('../internals/function-uncurry-this'); -var requireObjectCoercible = require('../internals/require-object-coercible'); -var isCallable = require('../internals/is-callable'); -var isNullOrUndefined = require('../internals/is-null-or-undefined'); -var isRegExp = require('../internals/is-regexp'); -var toString = require('../internals/to-string'); -var getMethod = require('../internals/get-method'); -var getRegExpFlags = require('../internals/regexp-get-flags'); -var getSubstitution = require('../internals/get-substitution'); -var wellKnownSymbol = require('../internals/well-known-symbol'); -var IS_PURE = require('../internals/is-pure'); - -var REPLACE = wellKnownSymbol('replace'); -var $TypeError = TypeError; -var indexOf = uncurryThis(''.indexOf); -var replace = uncurryThis(''.replace); -var stringSlice = uncurryThis(''.slice); -var max = Math.max; - -var stringIndexOf = function (string, searchValue, fromIndex) { - if (fromIndex > string.length) return -1; - if (searchValue === '') return fromIndex; - return indexOf(string, searchValue, fromIndex); -}; - -// `String.prototype.replaceAll` method -// https://tc39.es/ecma262/#sec-string.prototype.replaceall -$({ target: 'String', proto: true }, { - replaceAll: function replaceAll(searchValue, replaceValue) { - var O = requireObjectCoercible(this); - var IS_REG_EXP, flags, replacer, string, searchString, functionalReplace, searchLength, advanceBy, replacement; - var position = 0; - var endOfLastMatch = 0; - var result = ''; - if (!isNullOrUndefined(searchValue)) { - IS_REG_EXP = isRegExp(searchValue); - if (IS_REG_EXP) { - flags = toString(requireObjectCoercible(getRegExpFlags(searchValue))); - if (!~indexOf(flags, 'g')) throw new $TypeError('`.replaceAll` does not allow non-global regexes'); - } - replacer = getMethod(searchValue, REPLACE); - if (replacer) { - return call(replacer, searchValue, O, replaceValue); - } else if (IS_PURE && IS_REG_EXP) { - return replace(toString(O), searchValue, replaceValue); - } - } - string = toString(O); - searchString = toString(searchValue); - functionalReplace = isCallable(replaceValue); - if (!functionalReplace) replaceValue = toString(replaceValue); - searchLength = searchString.length; - advanceBy = max(1, searchLength); - position = stringIndexOf(string, searchString, 0); - while (position !== -1) { - replacement = functionalReplace - ? toString(replaceValue(searchString, position, string)) - : getSubstitution(searchString, string, position, [], undefined, replaceValue); - result += stringSlice(string, endOfLastMatch, position) + replacement; - endOfLastMatch = position + searchLength; - position = stringIndexOf(string, searchString, position + advanceBy); - } - if (endOfLastMatch < string.length) { - result += stringSlice(string, endOfLastMatch); - } - return result; - } -}); diff --git a/node_modules/core-js/modules/es.string.replace.js b/node_modules/core-js/modules/es.string.replace.js deleted file mode 100644 index c3b8c65..0000000 --- a/node_modules/core-js/modules/es.string.replace.js +++ /dev/null @@ -1,142 +0,0 @@ -'use strict'; -var apply = require('../internals/function-apply'); -var call = require('../internals/function-call'); -var uncurryThis = require('../internals/function-uncurry-this'); -var fixRegExpWellKnownSymbolLogic = require('../internals/fix-regexp-well-known-symbol-logic'); -var fails = require('../internals/fails'); -var anObject = require('../internals/an-object'); -var isCallable = require('../internals/is-callable'); -var isNullOrUndefined = require('../internals/is-null-or-undefined'); -var toIntegerOrInfinity = require('../internals/to-integer-or-infinity'); -var toLength = require('../internals/to-length'); -var toString = require('../internals/to-string'); -var requireObjectCoercible = require('../internals/require-object-coercible'); -var advanceStringIndex = require('../internals/advance-string-index'); -var getMethod = require('../internals/get-method'); -var getSubstitution = require('../internals/get-substitution'); -var regExpExec = require('../internals/regexp-exec-abstract'); -var wellKnownSymbol = require('../internals/well-known-symbol'); - -var REPLACE = wellKnownSymbol('replace'); -var max = Math.max; -var min = Math.min; -var concat = uncurryThis([].concat); -var push = uncurryThis([].push); -var stringIndexOf = uncurryThis(''.indexOf); -var stringSlice = uncurryThis(''.slice); - -var maybeToString = function (it) { - return it === undefined ? it : String(it); -}; - -// IE <= 11 replaces $0 with the whole match, as if it was $& -// https://stackoverflow.com/questions/6024666/getting-ie-to-replace-a-regex-with-the-literal-string-0 -var REPLACE_KEEPS_$0 = (function () { - // eslint-disable-next-line regexp/prefer-escape-replacement-dollar-char -- required for testing - return 'a'.replace(/./, '$0') === '$0'; -})(); - -// Safari <= 13.0.3(?) substitutes nth capture where n>m with an empty string -var REGEXP_REPLACE_SUBSTITUTES_UNDEFINED_CAPTURE = (function () { - if (/./[REPLACE]) { - return /./[REPLACE]('a', '$0') === ''; - } - return false; -})(); - -var REPLACE_SUPPORTS_NAMED_GROUPS = !fails(function () { - var re = /./; - re.exec = function () { - var result = []; - result.groups = { a: '7' }; - return result; - }; - // eslint-disable-next-line regexp/no-useless-dollar-replacements -- false positive - return ''.replace(re, '$') !== '7'; -}); - -// @@replace logic -fixRegExpWellKnownSymbolLogic('replace', function (_, nativeReplace, maybeCallNative) { - var UNSAFE_SUBSTITUTE = REGEXP_REPLACE_SUBSTITUTES_UNDEFINED_CAPTURE ? '$' : '$0'; - - return [ - // `String.prototype.replace` method - // https://tc39.es/ecma262/#sec-string.prototype.replace - function replace(searchValue, replaceValue) { - var O = requireObjectCoercible(this); - var replacer = isNullOrUndefined(searchValue) ? undefined : getMethod(searchValue, REPLACE); - return replacer - ? call(replacer, searchValue, O, replaceValue) - : call(nativeReplace, toString(O), searchValue, replaceValue); - }, - // `RegExp.prototype[@@replace]` method - // https://tc39.es/ecma262/#sec-regexp.prototype-@@replace - function (string, replaceValue) { - var rx = anObject(this); - var S = toString(string); - - if ( - typeof replaceValue == 'string' && - stringIndexOf(replaceValue, UNSAFE_SUBSTITUTE) === -1 && - stringIndexOf(replaceValue, '$<') === -1 - ) { - var res = maybeCallNative(nativeReplace, rx, S, replaceValue); - if (res.done) return res.value; - } - - var functionalReplace = isCallable(replaceValue); - if (!functionalReplace) replaceValue = toString(replaceValue); - - var global = rx.global; - var fullUnicode; - if (global) { - fullUnicode = rx.unicode; - rx.lastIndex = 0; - } - - var results = []; - var result; - while (true) { - result = regExpExec(rx, S); - if (result === null) break; - - push(results, result); - if (!global) break; - - var matchStr = toString(result[0]); - if (matchStr === '') rx.lastIndex = advanceStringIndex(S, toLength(rx.lastIndex), fullUnicode); - } - - var accumulatedResult = ''; - var nextSourcePosition = 0; - for (var i = 0; i < results.length; i++) { - result = results[i]; - - var matched = toString(result[0]); - var position = max(min(toIntegerOrInfinity(result.index), S.length), 0); - var captures = []; - var replacement; - // NOTE: This is equivalent to - // captures = result.slice(1).map(maybeToString) - // but for some reason `nativeSlice.call(result, 1, result.length)` (called in - // the slice polyfill when slicing native arrays) "doesn't work" in safari 9 and - // causes a crash (https://pastebin.com/N21QzeQA) when trying to debug it. - for (var j = 1; j < result.length; j++) push(captures, maybeToString(result[j])); - var namedCaptures = result.groups; - if (functionalReplace) { - var replacerArgs = concat([matched], captures, position, S); - if (namedCaptures !== undefined) push(replacerArgs, namedCaptures); - replacement = toString(apply(replaceValue, undefined, replacerArgs)); - } else { - replacement = getSubstitution(matched, S, position, captures, namedCaptures, replaceValue); - } - if (position >= nextSourcePosition) { - accumulatedResult += stringSlice(S, nextSourcePosition, position) + replacement; - nextSourcePosition = position + matched.length; - } - } - - return accumulatedResult + stringSlice(S, nextSourcePosition); - } - ]; -}, !REPLACE_SUPPORTS_NAMED_GROUPS || !REPLACE_KEEPS_$0 || REGEXP_REPLACE_SUBSTITUTES_UNDEFINED_CAPTURE); diff --git a/node_modules/core-js/modules/es.string.search.js b/node_modules/core-js/modules/es.string.search.js deleted file mode 100644 index 17bf7ba..0000000 --- a/node_modules/core-js/modules/es.string.search.js +++ /dev/null @@ -1,38 +0,0 @@ -'use strict'; -var call = require('../internals/function-call'); -var fixRegExpWellKnownSymbolLogic = require('../internals/fix-regexp-well-known-symbol-logic'); -var anObject = require('../internals/an-object'); -var isNullOrUndefined = require('../internals/is-null-or-undefined'); -var requireObjectCoercible = require('../internals/require-object-coercible'); -var sameValue = require('../internals/same-value'); -var toString = require('../internals/to-string'); -var getMethod = require('../internals/get-method'); -var regExpExec = require('../internals/regexp-exec-abstract'); - -// @@search logic -fixRegExpWellKnownSymbolLogic('search', function (SEARCH, nativeSearch, maybeCallNative) { - return [ - // `String.prototype.search` method - // https://tc39.es/ecma262/#sec-string.prototype.search - function search(regexp) { - var O = requireObjectCoercible(this); - var searcher = isNullOrUndefined(regexp) ? undefined : getMethod(regexp, SEARCH); - return searcher ? call(searcher, regexp, O) : new RegExp(regexp)[SEARCH](toString(O)); - }, - // `RegExp.prototype[@@search]` method - // https://tc39.es/ecma262/#sec-regexp.prototype-@@search - function (string) { - var rx = anObject(this); - var S = toString(string); - var res = maybeCallNative(nativeSearch, rx, S); - - if (res.done) return res.value; - - var previousLastIndex = rx.lastIndex; - if (!sameValue(previousLastIndex, 0)) rx.lastIndex = 0; - var result = regExpExec(rx, S); - if (!sameValue(rx.lastIndex, previousLastIndex)) rx.lastIndex = previousLastIndex; - return result === null ? -1 : result.index; - } - ]; -}); diff --git a/node_modules/core-js/modules/es.string.small.js b/node_modules/core-js/modules/es.string.small.js deleted file mode 100644 index ab9f665..0000000 --- a/node_modules/core-js/modules/es.string.small.js +++ /dev/null @@ -1,12 +0,0 @@ -'use strict'; -var $ = require('../internals/export'); -var createHTML = require('../internals/create-html'); -var forcedStringHTMLMethod = require('../internals/string-html-forced'); - -// `String.prototype.small` method -// https://tc39.es/ecma262/#sec-string.prototype.small -$({ target: 'String', proto: true, forced: forcedStringHTMLMethod('small') }, { - small: function small() { - return createHTML(this, 'small', '', ''); - } -}); diff --git a/node_modules/core-js/modules/es.string.split.js b/node_modules/core-js/modules/es.string.split.js deleted file mode 100644 index 11a434a..0000000 --- a/node_modules/core-js/modules/es.string.split.js +++ /dev/null @@ -1,157 +0,0 @@ -'use strict'; -var apply = require('../internals/function-apply'); -var call = require('../internals/function-call'); -var uncurryThis = require('../internals/function-uncurry-this'); -var fixRegExpWellKnownSymbolLogic = require('../internals/fix-regexp-well-known-symbol-logic'); -var anObject = require('../internals/an-object'); -var isNullOrUndefined = require('../internals/is-null-or-undefined'); -var isRegExp = require('../internals/is-regexp'); -var requireObjectCoercible = require('../internals/require-object-coercible'); -var speciesConstructor = require('../internals/species-constructor'); -var advanceStringIndex = require('../internals/advance-string-index'); -var toLength = require('../internals/to-length'); -var toString = require('../internals/to-string'); -var getMethod = require('../internals/get-method'); -var arraySlice = require('../internals/array-slice'); -var callRegExpExec = require('../internals/regexp-exec-abstract'); -var regexpExec = require('../internals/regexp-exec'); -var stickyHelpers = require('../internals/regexp-sticky-helpers'); -var fails = require('../internals/fails'); - -var UNSUPPORTED_Y = stickyHelpers.UNSUPPORTED_Y; -var MAX_UINT32 = 0xFFFFFFFF; -var min = Math.min; -var $push = [].push; -var exec = uncurryThis(/./.exec); -var push = uncurryThis($push); -var stringSlice = uncurryThis(''.slice); - -// Chrome 51 has a buggy "split" implementation when RegExp#exec !== nativeExec -// Weex JS has frozen built-in prototypes, so use try / catch wrapper -var SPLIT_WORKS_WITH_OVERWRITTEN_EXEC = !fails(function () { - // eslint-disable-next-line regexp/no-empty-group -- required for testing - var re = /(?:)/; - var originalExec = re.exec; - re.exec = function () { return originalExec.apply(this, arguments); }; - var result = 'ab'.split(re); - return result.length !== 2 || result[0] !== 'a' || result[1] !== 'b'; -}); - -// @@split logic -fixRegExpWellKnownSymbolLogic('split', function (SPLIT, nativeSplit, maybeCallNative) { - var internalSplit; - if ( - 'abbc'.split(/(b)*/)[1] === 'c' || - // eslint-disable-next-line regexp/no-empty-group -- required for testing - 'test'.split(/(?:)/, -1).length !== 4 || - 'ab'.split(/(?:ab)*/).length !== 2 || - '.'.split(/(.?)(.?)/).length !== 4 || - // eslint-disable-next-line regexp/no-empty-capturing-group, regexp/no-empty-group -- required for testing - '.'.split(/()()/).length > 1 || - ''.split(/.?/).length - ) { - // based on es5-shim implementation, need to rework it - internalSplit = function (separator, limit) { - var string = toString(requireObjectCoercible(this)); - var lim = limit === undefined ? MAX_UINT32 : limit >>> 0; - if (lim === 0) return []; - if (separator === undefined) return [string]; - // If `separator` is not a regex, use native split - if (!isRegExp(separator)) { - return call(nativeSplit, string, separator, lim); - } - var output = []; - var flags = (separator.ignoreCase ? 'i' : '') + - (separator.multiline ? 'm' : '') + - (separator.unicode ? 'u' : '') + - (separator.sticky ? 'y' : ''); - var lastLastIndex = 0; - // Make `global` and avoid `lastIndex` issues by working with a copy - var separatorCopy = new RegExp(separator.source, flags + 'g'); - var match, lastIndex, lastLength; - while (match = call(regexpExec, separatorCopy, string)) { - lastIndex = separatorCopy.lastIndex; - if (lastIndex > lastLastIndex) { - push(output, stringSlice(string, lastLastIndex, match.index)); - if (match.length > 1 && match.index < string.length) apply($push, output, arraySlice(match, 1)); - lastLength = match[0].length; - lastLastIndex = lastIndex; - if (output.length >= lim) break; - } - if (separatorCopy.lastIndex === match.index) separatorCopy.lastIndex++; // Avoid an infinite loop - } - if (lastLastIndex === string.length) { - if (lastLength || !exec(separatorCopy, '')) push(output, ''); - } else push(output, stringSlice(string, lastLastIndex)); - return output.length > lim ? arraySlice(output, 0, lim) : output; - }; - // Chakra, V8 - } else if ('0'.split(undefined, 0).length) { - internalSplit = function (separator, limit) { - return separator === undefined && limit === 0 ? [] : call(nativeSplit, this, separator, limit); - }; - } else internalSplit = nativeSplit; - - return [ - // `String.prototype.split` method - // https://tc39.es/ecma262/#sec-string.prototype.split - function split(separator, limit) { - var O = requireObjectCoercible(this); - var splitter = isNullOrUndefined(separator) ? undefined : getMethod(separator, SPLIT); - return splitter - ? call(splitter, separator, O, limit) - : call(internalSplit, toString(O), separator, limit); - }, - // `RegExp.prototype[@@split]` method - // https://tc39.es/ecma262/#sec-regexp.prototype-@@split - // - // NOTE: This cannot be properly polyfilled in engines that don't support - // the 'y' flag. - function (string, limit) { - var rx = anObject(this); - var S = toString(string); - var res = maybeCallNative(internalSplit, rx, S, limit, internalSplit !== nativeSplit); - - if (res.done) return res.value; - - var C = speciesConstructor(rx, RegExp); - - var unicodeMatching = rx.unicode; - var flags = (rx.ignoreCase ? 'i' : '') + - (rx.multiline ? 'm' : '') + - (rx.unicode ? 'u' : '') + - (UNSUPPORTED_Y ? 'g' : 'y'); - - // ^(? + rx + ) is needed, in combination with some S slicing, to - // simulate the 'y' flag. - var splitter = new C(UNSUPPORTED_Y ? '^(?:' + rx.source + ')' : rx, flags); - var lim = limit === undefined ? MAX_UINT32 : limit >>> 0; - if (lim === 0) return []; - if (S.length === 0) return callRegExpExec(splitter, S) === null ? [S] : []; - var p = 0; - var q = 0; - var A = []; - while (q < S.length) { - splitter.lastIndex = UNSUPPORTED_Y ? 0 : q; - var z = callRegExpExec(splitter, UNSUPPORTED_Y ? stringSlice(S, q) : S); - var e; - if ( - z === null || - (e = min(toLength(splitter.lastIndex + (UNSUPPORTED_Y ? q : 0)), S.length)) === p - ) { - q = advanceStringIndex(S, q, unicodeMatching); - } else { - push(A, stringSlice(S, p, q)); - if (A.length === lim) return A; - for (var i = 1; i <= z.length - 1; i++) { - push(A, z[i]); - if (A.length === lim) return A; - } - q = p = e; - } - } - push(A, stringSlice(S, p)); - return A; - } - ]; -}, !SPLIT_WORKS_WITH_OVERWRITTEN_EXEC, UNSUPPORTED_Y); diff --git a/node_modules/core-js/modules/es.string.starts-with.js b/node_modules/core-js/modules/es.string.starts-with.js deleted file mode 100644 index c95bc91..0000000 --- a/node_modules/core-js/modules/es.string.starts-with.js +++ /dev/null @@ -1,32 +0,0 @@ -'use strict'; -var $ = require('../internals/export'); -var uncurryThis = require('../internals/function-uncurry-this-clause'); -var getOwnPropertyDescriptor = require('../internals/object-get-own-property-descriptor').f; -var toLength = require('../internals/to-length'); -var toString = require('../internals/to-string'); -var notARegExp = require('../internals/not-a-regexp'); -var requireObjectCoercible = require('../internals/require-object-coercible'); -var correctIsRegExpLogic = require('../internals/correct-is-regexp-logic'); -var IS_PURE = require('../internals/is-pure'); - -var stringSlice = uncurryThis(''.slice); -var min = Math.min; - -var CORRECT_IS_REGEXP_LOGIC = correctIsRegExpLogic('startsWith'); -// https://github.com/zloirock/core-js/pull/702 -var MDN_POLYFILL_BUG = !IS_PURE && !CORRECT_IS_REGEXP_LOGIC && !!function () { - var descriptor = getOwnPropertyDescriptor(String.prototype, 'startsWith'); - return descriptor && !descriptor.writable; -}(); - -// `String.prototype.startsWith` method -// https://tc39.es/ecma262/#sec-string.prototype.startswith -$({ target: 'String', proto: true, forced: !MDN_POLYFILL_BUG && !CORRECT_IS_REGEXP_LOGIC }, { - startsWith: function startsWith(searchString /* , position = 0 */) { - var that = toString(requireObjectCoercible(this)); - notARegExp(searchString); - var index = toLength(min(arguments.length > 1 ? arguments[1] : undefined, that.length)); - var search = toString(searchString); - return stringSlice(that, index, index + search.length) === search; - } -}); diff --git a/node_modules/core-js/modules/es.string.strike.js b/node_modules/core-js/modules/es.string.strike.js deleted file mode 100644 index f78a222..0000000 --- a/node_modules/core-js/modules/es.string.strike.js +++ /dev/null @@ -1,12 +0,0 @@ -'use strict'; -var $ = require('../internals/export'); -var createHTML = require('../internals/create-html'); -var forcedStringHTMLMethod = require('../internals/string-html-forced'); - -// `String.prototype.strike` method -// https://tc39.es/ecma262/#sec-string.prototype.strike -$({ target: 'String', proto: true, forced: forcedStringHTMLMethod('strike') }, { - strike: function strike() { - return createHTML(this, 'strike', '', ''); - } -}); diff --git a/node_modules/core-js/modules/es.string.sub.js b/node_modules/core-js/modules/es.string.sub.js deleted file mode 100644 index bc62879..0000000 --- a/node_modules/core-js/modules/es.string.sub.js +++ /dev/null @@ -1,12 +0,0 @@ -'use strict'; -var $ = require('../internals/export'); -var createHTML = require('../internals/create-html'); -var forcedStringHTMLMethod = require('../internals/string-html-forced'); - -// `String.prototype.sub` method -// https://tc39.es/ecma262/#sec-string.prototype.sub -$({ target: 'String', proto: true, forced: forcedStringHTMLMethod('sub') }, { - sub: function sub() { - return createHTML(this, 'sub', '', ''); - } -}); diff --git a/node_modules/core-js/modules/es.string.substr.js b/node_modules/core-js/modules/es.string.substr.js deleted file mode 100644 index 57595da..0000000 --- a/node_modules/core-js/modules/es.string.substr.js +++ /dev/null @@ -1,30 +0,0 @@ -'use strict'; -var $ = require('../internals/export'); -var uncurryThis = require('../internals/function-uncurry-this'); -var requireObjectCoercible = require('../internals/require-object-coercible'); -var toIntegerOrInfinity = require('../internals/to-integer-or-infinity'); -var toString = require('../internals/to-string'); - -var stringSlice = uncurryThis(''.slice); -var max = Math.max; -var min = Math.min; - -// eslint-disable-next-line unicorn/prefer-string-slice -- required for testing -var FORCED = !''.substr || 'ab'.substr(-1) !== 'b'; - -// `String.prototype.substr` method -// https://tc39.es/ecma262/#sec-string.prototype.substr -$({ target: 'String', proto: true, forced: FORCED }, { - substr: function substr(start, length) { - var that = toString(requireObjectCoercible(this)); - var size = that.length; - var intStart = toIntegerOrInfinity(start); - var intLength, intEnd; - if (intStart === Infinity) intStart = 0; - if (intStart < 0) intStart = max(size + intStart, 0); - intLength = length === undefined ? size : toIntegerOrInfinity(length); - if (intLength <= 0 || intLength === Infinity) return ''; - intEnd = min(intStart + intLength, size); - return intStart >= intEnd ? '' : stringSlice(that, intStart, intEnd); - } -}); diff --git a/node_modules/core-js/modules/es.string.sup.js b/node_modules/core-js/modules/es.string.sup.js deleted file mode 100644 index 6e1e5cb..0000000 --- a/node_modules/core-js/modules/es.string.sup.js +++ /dev/null @@ -1,12 +0,0 @@ -'use strict'; -var $ = require('../internals/export'); -var createHTML = require('../internals/create-html'); -var forcedStringHTMLMethod = require('../internals/string-html-forced'); - -// `String.prototype.sup` method -// https://tc39.es/ecma262/#sec-string.prototype.sup -$({ target: 'String', proto: true, forced: forcedStringHTMLMethod('sup') }, { - sup: function sup() { - return createHTML(this, 'sup', '', ''); - } -}); diff --git a/node_modules/core-js/modules/es.string.to-well-formed.js b/node_modules/core-js/modules/es.string.to-well-formed.js deleted file mode 100644 index 58ea953..0000000 --- a/node_modules/core-js/modules/es.string.to-well-formed.js +++ /dev/null @@ -1,43 +0,0 @@ -'use strict'; -var $ = require('../internals/export'); -var call = require('../internals/function-call'); -var uncurryThis = require('../internals/function-uncurry-this'); -var requireObjectCoercible = require('../internals/require-object-coercible'); -var toString = require('../internals/to-string'); -var fails = require('../internals/fails'); - -var $Array = Array; -var charAt = uncurryThis(''.charAt); -var charCodeAt = uncurryThis(''.charCodeAt); -var join = uncurryThis([].join); -// eslint-disable-next-line es/no-string-prototype-iswellformed-towellformed -- safe -var $toWellFormed = ''.toWellFormed; -var REPLACEMENT_CHARACTER = '\uFFFD'; - -// Safari bug -var TO_STRING_CONVERSION_BUG = $toWellFormed && fails(function () { - return call($toWellFormed, 1) !== '1'; -}); - -// `String.prototype.toWellFormed` method -// https://github.com/tc39/proposal-is-usv-string -$({ target: 'String', proto: true, forced: TO_STRING_CONVERSION_BUG }, { - toWellFormed: function toWellFormed() { - var S = toString(requireObjectCoercible(this)); - if (TO_STRING_CONVERSION_BUG) return call($toWellFormed, S); - var length = S.length; - var result = $Array(length); - for (var i = 0; i < length; i++) { - var charCode = charCodeAt(S, i); - // single UTF-16 code unit - if ((charCode & 0xF800) !== 0xD800) result[i] = charAt(S, i); - // unpaired surrogate - else if (charCode >= 0xDC00 || i + 1 >= length || (charCodeAt(S, i + 1) & 0xFC00) !== 0xDC00) result[i] = REPLACEMENT_CHARACTER; - // surrogate pair - else { - result[i] = charAt(S, i); - result[++i] = charAt(S, i); - } - } return join(result, ''); - } -}); diff --git a/node_modules/core-js/modules/es.string.trim-end.js b/node_modules/core-js/modules/es.string.trim-end.js deleted file mode 100644 index 7d218db..0000000 --- a/node_modules/core-js/modules/es.string.trim-end.js +++ /dev/null @@ -1,12 +0,0 @@ -'use strict'; -// TODO: Remove this line from `core-js@4` -require('../modules/es.string.trim-right'); -var $ = require('../internals/export'); -var trimEnd = require('../internals/string-trim-end'); - -// `String.prototype.trimEnd` method -// https://tc39.es/ecma262/#sec-string.prototype.trimend -// eslint-disable-next-line es/no-string-prototype-trimstart-trimend -- safe -$({ target: 'String', proto: true, name: 'trimEnd', forced: ''.trimEnd !== trimEnd }, { - trimEnd: trimEnd -}); diff --git a/node_modules/core-js/modules/es.string.trim-left.js b/node_modules/core-js/modules/es.string.trim-left.js deleted file mode 100644 index 55a38f4..0000000 --- a/node_modules/core-js/modules/es.string.trim-left.js +++ /dev/null @@ -1,10 +0,0 @@ -'use strict'; -var $ = require('../internals/export'); -var trimStart = require('../internals/string-trim-start'); - -// `String.prototype.trimLeft` method -// https://tc39.es/ecma262/#sec-string.prototype.trimleft -// eslint-disable-next-line es/no-string-prototype-trimleft-trimright -- safe -$({ target: 'String', proto: true, name: 'trimStart', forced: ''.trimLeft !== trimStart }, { - trimLeft: trimStart -}); diff --git a/node_modules/core-js/modules/es.string.trim-right.js b/node_modules/core-js/modules/es.string.trim-right.js deleted file mode 100644 index eb33758..0000000 --- a/node_modules/core-js/modules/es.string.trim-right.js +++ /dev/null @@ -1,10 +0,0 @@ -'use strict'; -var $ = require('../internals/export'); -var trimEnd = require('../internals/string-trim-end'); - -// `String.prototype.trimRight` method -// https://tc39.es/ecma262/#sec-string.prototype.trimend -// eslint-disable-next-line es/no-string-prototype-trimleft-trimright -- safe -$({ target: 'String', proto: true, name: 'trimEnd', forced: ''.trimRight !== trimEnd }, { - trimRight: trimEnd -}); diff --git a/node_modules/core-js/modules/es.string.trim-start.js b/node_modules/core-js/modules/es.string.trim-start.js deleted file mode 100644 index c09ce7a..0000000 --- a/node_modules/core-js/modules/es.string.trim-start.js +++ /dev/null @@ -1,12 +0,0 @@ -'use strict'; -// TODO: Remove this line from `core-js@4` -require('../modules/es.string.trim-left'); -var $ = require('../internals/export'); -var trimStart = require('../internals/string-trim-start'); - -// `String.prototype.trimStart` method -// https://tc39.es/ecma262/#sec-string.prototype.trimstart -// eslint-disable-next-line es/no-string-prototype-trimstart-trimend -- safe -$({ target: 'String', proto: true, name: 'trimStart', forced: ''.trimStart !== trimStart }, { - trimStart: trimStart -}); diff --git a/node_modules/core-js/modules/es.string.trim.js b/node_modules/core-js/modules/es.string.trim.js deleted file mode 100644 index e9cfb4b..0000000 --- a/node_modules/core-js/modules/es.string.trim.js +++ /dev/null @@ -1,12 +0,0 @@ -'use strict'; -var $ = require('../internals/export'); -var $trim = require('../internals/string-trim').trim; -var forcedStringTrimMethod = require('../internals/string-trim-forced'); - -// `String.prototype.trim` method -// https://tc39.es/ecma262/#sec-string.prototype.trim -$({ target: 'String', proto: true, forced: forcedStringTrimMethod('trim') }, { - trim: function trim() { - return $trim(this); - } -}); diff --git a/node_modules/core-js/modules/es.symbol.async-iterator.js b/node_modules/core-js/modules/es.symbol.async-iterator.js deleted file mode 100644 index 40d1930..0000000 --- a/node_modules/core-js/modules/es.symbol.async-iterator.js +++ /dev/null @@ -1,6 +0,0 @@ -'use strict'; -var defineWellKnownSymbol = require('../internals/well-known-symbol-define'); - -// `Symbol.asyncIterator` well-known symbol -// https://tc39.es/ecma262/#sec-symbol.asynciterator -defineWellKnownSymbol('asyncIterator'); diff --git a/node_modules/core-js/modules/es.symbol.constructor.js b/node_modules/core-js/modules/es.symbol.constructor.js deleted file mode 100644 index e3982a9..0000000 --- a/node_modules/core-js/modules/es.symbol.constructor.js +++ /dev/null @@ -1,263 +0,0 @@ -'use strict'; -var $ = require('../internals/export'); -var global = require('../internals/global'); -var call = require('../internals/function-call'); -var uncurryThis = require('../internals/function-uncurry-this'); -var IS_PURE = require('../internals/is-pure'); -var DESCRIPTORS = require('../internals/descriptors'); -var NATIVE_SYMBOL = require('../internals/symbol-constructor-detection'); -var fails = require('../internals/fails'); -var hasOwn = require('../internals/has-own-property'); -var isPrototypeOf = require('../internals/object-is-prototype-of'); -var anObject = require('../internals/an-object'); -var toIndexedObject = require('../internals/to-indexed-object'); -var toPropertyKey = require('../internals/to-property-key'); -var $toString = require('../internals/to-string'); -var createPropertyDescriptor = require('../internals/create-property-descriptor'); -var nativeObjectCreate = require('../internals/object-create'); -var objectKeys = require('../internals/object-keys'); -var getOwnPropertyNamesModule = require('../internals/object-get-own-property-names'); -var getOwnPropertyNamesExternal = require('../internals/object-get-own-property-names-external'); -var getOwnPropertySymbolsModule = require('../internals/object-get-own-property-symbols'); -var getOwnPropertyDescriptorModule = require('../internals/object-get-own-property-descriptor'); -var definePropertyModule = require('../internals/object-define-property'); -var definePropertiesModule = require('../internals/object-define-properties'); -var propertyIsEnumerableModule = require('../internals/object-property-is-enumerable'); -var defineBuiltIn = require('../internals/define-built-in'); -var defineBuiltInAccessor = require('../internals/define-built-in-accessor'); -var shared = require('../internals/shared'); -var sharedKey = require('../internals/shared-key'); -var hiddenKeys = require('../internals/hidden-keys'); -var uid = require('../internals/uid'); -var wellKnownSymbol = require('../internals/well-known-symbol'); -var wrappedWellKnownSymbolModule = require('../internals/well-known-symbol-wrapped'); -var defineWellKnownSymbol = require('../internals/well-known-symbol-define'); -var defineSymbolToPrimitive = require('../internals/symbol-define-to-primitive'); -var setToStringTag = require('../internals/set-to-string-tag'); -var InternalStateModule = require('../internals/internal-state'); -var $forEach = require('../internals/array-iteration').forEach; - -var HIDDEN = sharedKey('hidden'); -var SYMBOL = 'Symbol'; -var PROTOTYPE = 'prototype'; - -var setInternalState = InternalStateModule.set; -var getInternalState = InternalStateModule.getterFor(SYMBOL); - -var ObjectPrototype = Object[PROTOTYPE]; -var $Symbol = global.Symbol; -var SymbolPrototype = $Symbol && $Symbol[PROTOTYPE]; -var RangeError = global.RangeError; -var TypeError = global.TypeError; -var QObject = global.QObject; -var nativeGetOwnPropertyDescriptor = getOwnPropertyDescriptorModule.f; -var nativeDefineProperty = definePropertyModule.f; -var nativeGetOwnPropertyNames = getOwnPropertyNamesExternal.f; -var nativePropertyIsEnumerable = propertyIsEnumerableModule.f; -var push = uncurryThis([].push); - -var AllSymbols = shared('symbols'); -var ObjectPrototypeSymbols = shared('op-symbols'); -var WellKnownSymbolsStore = shared('wks'); - -// Don't use setters in Qt Script, https://github.com/zloirock/core-js/issues/173 -var USE_SETTER = !QObject || !QObject[PROTOTYPE] || !QObject[PROTOTYPE].findChild; - -// fallback for old Android, https://code.google.com/p/v8/issues/detail?id=687 -var fallbackDefineProperty = function (O, P, Attributes) { - var ObjectPrototypeDescriptor = nativeGetOwnPropertyDescriptor(ObjectPrototype, P); - if (ObjectPrototypeDescriptor) delete ObjectPrototype[P]; - nativeDefineProperty(O, P, Attributes); - if (ObjectPrototypeDescriptor && O !== ObjectPrototype) { - nativeDefineProperty(ObjectPrototype, P, ObjectPrototypeDescriptor); - } -}; - -var setSymbolDescriptor = DESCRIPTORS && fails(function () { - return nativeObjectCreate(nativeDefineProperty({}, 'a', { - get: function () { return nativeDefineProperty(this, 'a', { value: 7 }).a; } - })).a !== 7; -}) ? fallbackDefineProperty : nativeDefineProperty; - -var wrap = function (tag, description) { - var symbol = AllSymbols[tag] = nativeObjectCreate(SymbolPrototype); - setInternalState(symbol, { - type: SYMBOL, - tag: tag, - description: description - }); - if (!DESCRIPTORS) symbol.description = description; - return symbol; -}; - -var $defineProperty = function defineProperty(O, P, Attributes) { - if (O === ObjectPrototype) $defineProperty(ObjectPrototypeSymbols, P, Attributes); - anObject(O); - var key = toPropertyKey(P); - anObject(Attributes); - if (hasOwn(AllSymbols, key)) { - if (!Attributes.enumerable) { - if (!hasOwn(O, HIDDEN)) nativeDefineProperty(O, HIDDEN, createPropertyDescriptor(1, nativeObjectCreate(null))); - O[HIDDEN][key] = true; - } else { - if (hasOwn(O, HIDDEN) && O[HIDDEN][key]) O[HIDDEN][key] = false; - Attributes = nativeObjectCreate(Attributes, { enumerable: createPropertyDescriptor(0, false) }); - } return setSymbolDescriptor(O, key, Attributes); - } return nativeDefineProperty(O, key, Attributes); -}; - -var $defineProperties = function defineProperties(O, Properties) { - anObject(O); - var properties = toIndexedObject(Properties); - var keys = objectKeys(properties).concat($getOwnPropertySymbols(properties)); - $forEach(keys, function (key) { - if (!DESCRIPTORS || call($propertyIsEnumerable, properties, key)) $defineProperty(O, key, properties[key]); - }); - return O; -}; - -var $create = function create(O, Properties) { - return Properties === undefined ? nativeObjectCreate(O) : $defineProperties(nativeObjectCreate(O), Properties); -}; - -var $propertyIsEnumerable = function propertyIsEnumerable(V) { - var P = toPropertyKey(V); - var enumerable = call(nativePropertyIsEnumerable, this, P); - if (this === ObjectPrototype && hasOwn(AllSymbols, P) && !hasOwn(ObjectPrototypeSymbols, P)) return false; - return enumerable || !hasOwn(this, P) || !hasOwn(AllSymbols, P) || hasOwn(this, HIDDEN) && this[HIDDEN][P] - ? enumerable : true; -}; - -var $getOwnPropertyDescriptor = function getOwnPropertyDescriptor(O, P) { - var it = toIndexedObject(O); - var key = toPropertyKey(P); - if (it === ObjectPrototype && hasOwn(AllSymbols, key) && !hasOwn(ObjectPrototypeSymbols, key)) return; - var descriptor = nativeGetOwnPropertyDescriptor(it, key); - if (descriptor && hasOwn(AllSymbols, key) && !(hasOwn(it, HIDDEN) && it[HIDDEN][key])) { - descriptor.enumerable = true; - } - return descriptor; -}; - -var $getOwnPropertyNames = function getOwnPropertyNames(O) { - var names = nativeGetOwnPropertyNames(toIndexedObject(O)); - var result = []; - $forEach(names, function (key) { - if (!hasOwn(AllSymbols, key) && !hasOwn(hiddenKeys, key)) push(result, key); - }); - return result; -}; - -var $getOwnPropertySymbols = function (O) { - var IS_OBJECT_PROTOTYPE = O === ObjectPrototype; - var names = nativeGetOwnPropertyNames(IS_OBJECT_PROTOTYPE ? ObjectPrototypeSymbols : toIndexedObject(O)); - var result = []; - $forEach(names, function (key) { - if (hasOwn(AllSymbols, key) && (!IS_OBJECT_PROTOTYPE || hasOwn(ObjectPrototype, key))) { - push(result, AllSymbols[key]); - } - }); - return result; -}; - -// `Symbol` constructor -// https://tc39.es/ecma262/#sec-symbol-constructor -if (!NATIVE_SYMBOL) { - $Symbol = function Symbol() { - if (isPrototypeOf(SymbolPrototype, this)) throw new TypeError('Symbol is not a constructor'); - var description = !arguments.length || arguments[0] === undefined ? undefined : $toString(arguments[0]); - var tag = uid(description); - var setter = function (value) { - var $this = this === undefined ? global : this; - if ($this === ObjectPrototype) call(setter, ObjectPrototypeSymbols, value); - if (hasOwn($this, HIDDEN) && hasOwn($this[HIDDEN], tag)) $this[HIDDEN][tag] = false; - var descriptor = createPropertyDescriptor(1, value); - try { - setSymbolDescriptor($this, tag, descriptor); - } catch (error) { - if (!(error instanceof RangeError)) throw error; - fallbackDefineProperty($this, tag, descriptor); - } - }; - if (DESCRIPTORS && USE_SETTER) setSymbolDescriptor(ObjectPrototype, tag, { configurable: true, set: setter }); - return wrap(tag, description); - }; - - SymbolPrototype = $Symbol[PROTOTYPE]; - - defineBuiltIn(SymbolPrototype, 'toString', function toString() { - return getInternalState(this).tag; - }); - - defineBuiltIn($Symbol, 'withoutSetter', function (description) { - return wrap(uid(description), description); - }); - - propertyIsEnumerableModule.f = $propertyIsEnumerable; - definePropertyModule.f = $defineProperty; - definePropertiesModule.f = $defineProperties; - getOwnPropertyDescriptorModule.f = $getOwnPropertyDescriptor; - getOwnPropertyNamesModule.f = getOwnPropertyNamesExternal.f = $getOwnPropertyNames; - getOwnPropertySymbolsModule.f = $getOwnPropertySymbols; - - wrappedWellKnownSymbolModule.f = function (name) { - return wrap(wellKnownSymbol(name), name); - }; - - if (DESCRIPTORS) { - // https://github.com/tc39/proposal-Symbol-description - defineBuiltInAccessor(SymbolPrototype, 'description', { - configurable: true, - get: function description() { - return getInternalState(this).description; - } - }); - if (!IS_PURE) { - defineBuiltIn(ObjectPrototype, 'propertyIsEnumerable', $propertyIsEnumerable, { unsafe: true }); - } - } -} - -$({ global: true, constructor: true, wrap: true, forced: !NATIVE_SYMBOL, sham: !NATIVE_SYMBOL }, { - Symbol: $Symbol -}); - -$forEach(objectKeys(WellKnownSymbolsStore), function (name) { - defineWellKnownSymbol(name); -}); - -$({ target: SYMBOL, stat: true, forced: !NATIVE_SYMBOL }, { - useSetter: function () { USE_SETTER = true; }, - useSimple: function () { USE_SETTER = false; } -}); - -$({ target: 'Object', stat: true, forced: !NATIVE_SYMBOL, sham: !DESCRIPTORS }, { - // `Object.create` method - // https://tc39.es/ecma262/#sec-object.create - create: $create, - // `Object.defineProperty` method - // https://tc39.es/ecma262/#sec-object.defineproperty - defineProperty: $defineProperty, - // `Object.defineProperties` method - // https://tc39.es/ecma262/#sec-object.defineproperties - defineProperties: $defineProperties, - // `Object.getOwnPropertyDescriptor` method - // https://tc39.es/ecma262/#sec-object.getownpropertydescriptors - getOwnPropertyDescriptor: $getOwnPropertyDescriptor -}); - -$({ target: 'Object', stat: true, forced: !NATIVE_SYMBOL }, { - // `Object.getOwnPropertyNames` method - // https://tc39.es/ecma262/#sec-object.getownpropertynames - getOwnPropertyNames: $getOwnPropertyNames -}); - -// `Symbol.prototype[@@toPrimitive]` method -// https://tc39.es/ecma262/#sec-symbol.prototype-@@toprimitive -defineSymbolToPrimitive(); - -// `Symbol.prototype[@@toStringTag]` property -// https://tc39.es/ecma262/#sec-symbol.prototype-@@tostringtag -setToStringTag($Symbol, SYMBOL); - -hiddenKeys[HIDDEN] = true; diff --git a/node_modules/core-js/modules/es.symbol.description.js b/node_modules/core-js/modules/es.symbol.description.js deleted file mode 100644 index 4f36b50..0000000 --- a/node_modules/core-js/modules/es.symbol.description.js +++ /dev/null @@ -1,59 +0,0 @@ -// `Symbol.prototype.description` getter -// https://tc39.es/ecma262/#sec-symbol.prototype.description -'use strict'; -var $ = require('../internals/export'); -var DESCRIPTORS = require('../internals/descriptors'); -var global = require('../internals/global'); -var uncurryThis = require('../internals/function-uncurry-this'); -var hasOwn = require('../internals/has-own-property'); -var isCallable = require('../internals/is-callable'); -var isPrototypeOf = require('../internals/object-is-prototype-of'); -var toString = require('../internals/to-string'); -var defineBuiltInAccessor = require('../internals/define-built-in-accessor'); -var copyConstructorProperties = require('../internals/copy-constructor-properties'); - -var NativeSymbol = global.Symbol; -var SymbolPrototype = NativeSymbol && NativeSymbol.prototype; - -if (DESCRIPTORS && isCallable(NativeSymbol) && (!('description' in SymbolPrototype) || - // Safari 12 bug - NativeSymbol().description !== undefined -)) { - var EmptyStringDescriptionStore = {}; - // wrap Symbol constructor for correct work with undefined description - var SymbolWrapper = function Symbol() { - var description = arguments.length < 1 || arguments[0] === undefined ? undefined : toString(arguments[0]); - var result = isPrototypeOf(SymbolPrototype, this) - ? new NativeSymbol(description) - // in Edge 13, String(Symbol(undefined)) === 'Symbol(undefined)' - : description === undefined ? NativeSymbol() : NativeSymbol(description); - if (description === '') EmptyStringDescriptionStore[result] = true; - return result; - }; - - copyConstructorProperties(SymbolWrapper, NativeSymbol); - SymbolWrapper.prototype = SymbolPrototype; - SymbolPrototype.constructor = SymbolWrapper; - - var NATIVE_SYMBOL = String(NativeSymbol('description detection')) === 'Symbol(description detection)'; - var thisSymbolValue = uncurryThis(SymbolPrototype.valueOf); - var symbolDescriptiveString = uncurryThis(SymbolPrototype.toString); - var regexp = /^Symbol\((.*)\)[^)]+$/; - var replace = uncurryThis(''.replace); - var stringSlice = uncurryThis(''.slice); - - defineBuiltInAccessor(SymbolPrototype, 'description', { - configurable: true, - get: function description() { - var symbol = thisSymbolValue(this); - if (hasOwn(EmptyStringDescriptionStore, symbol)) return ''; - var string = symbolDescriptiveString(symbol); - var desc = NATIVE_SYMBOL ? stringSlice(string, 7, -1) : replace(string, regexp, '$1'); - return desc === '' ? undefined : desc; - } - }); - - $({ global: true, constructor: true, forced: true }, { - Symbol: SymbolWrapper - }); -} diff --git a/node_modules/core-js/modules/es.symbol.for.js b/node_modules/core-js/modules/es.symbol.for.js deleted file mode 100644 index e056b6b..0000000 --- a/node_modules/core-js/modules/es.symbol.for.js +++ /dev/null @@ -1,23 +0,0 @@ -'use strict'; -var $ = require('../internals/export'); -var getBuiltIn = require('../internals/get-built-in'); -var hasOwn = require('../internals/has-own-property'); -var toString = require('../internals/to-string'); -var shared = require('../internals/shared'); -var NATIVE_SYMBOL_REGISTRY = require('../internals/symbol-registry-detection'); - -var StringToSymbolRegistry = shared('string-to-symbol-registry'); -var SymbolToStringRegistry = shared('symbol-to-string-registry'); - -// `Symbol.for` method -// https://tc39.es/ecma262/#sec-symbol.for -$({ target: 'Symbol', stat: true, forced: !NATIVE_SYMBOL_REGISTRY }, { - 'for': function (key) { - var string = toString(key); - if (hasOwn(StringToSymbolRegistry, string)) return StringToSymbolRegistry[string]; - var symbol = getBuiltIn('Symbol')(string); - StringToSymbolRegistry[string] = symbol; - SymbolToStringRegistry[symbol] = string; - return symbol; - } -}); diff --git a/node_modules/core-js/modules/es.symbol.has-instance.js b/node_modules/core-js/modules/es.symbol.has-instance.js deleted file mode 100644 index a37c666..0000000 --- a/node_modules/core-js/modules/es.symbol.has-instance.js +++ /dev/null @@ -1,6 +0,0 @@ -'use strict'; -var defineWellKnownSymbol = require('../internals/well-known-symbol-define'); - -// `Symbol.hasInstance` well-known symbol -// https://tc39.es/ecma262/#sec-symbol.hasinstance -defineWellKnownSymbol('hasInstance'); diff --git a/node_modules/core-js/modules/es.symbol.is-concat-spreadable.js b/node_modules/core-js/modules/es.symbol.is-concat-spreadable.js deleted file mode 100644 index f449e79..0000000 --- a/node_modules/core-js/modules/es.symbol.is-concat-spreadable.js +++ /dev/null @@ -1,6 +0,0 @@ -'use strict'; -var defineWellKnownSymbol = require('../internals/well-known-symbol-define'); - -// `Symbol.isConcatSpreadable` well-known symbol -// https://tc39.es/ecma262/#sec-symbol.isconcatspreadable -defineWellKnownSymbol('isConcatSpreadable'); diff --git a/node_modules/core-js/modules/es.symbol.iterator.js b/node_modules/core-js/modules/es.symbol.iterator.js deleted file mode 100644 index 545ad97..0000000 --- a/node_modules/core-js/modules/es.symbol.iterator.js +++ /dev/null @@ -1,6 +0,0 @@ -'use strict'; -var defineWellKnownSymbol = require('../internals/well-known-symbol-define'); - -// `Symbol.iterator` well-known symbol -// https://tc39.es/ecma262/#sec-symbol.iterator -defineWellKnownSymbol('iterator'); diff --git a/node_modules/core-js/modules/es.symbol.js b/node_modules/core-js/modules/es.symbol.js deleted file mode 100644 index aaef3c1..0000000 --- a/node_modules/core-js/modules/es.symbol.js +++ /dev/null @@ -1,7 +0,0 @@ -'use strict'; -// TODO: Remove this module from `core-js@4` since it's split to modules listed below -require('../modules/es.symbol.constructor'); -require('../modules/es.symbol.for'); -require('../modules/es.symbol.key-for'); -require('../modules/es.json.stringify'); -require('../modules/es.object.get-own-property-symbols'); diff --git a/node_modules/core-js/modules/es.symbol.key-for.js b/node_modules/core-js/modules/es.symbol.key-for.js deleted file mode 100644 index c7f4d25..0000000 --- a/node_modules/core-js/modules/es.symbol.key-for.js +++ /dev/null @@ -1,18 +0,0 @@ -'use strict'; -var $ = require('../internals/export'); -var hasOwn = require('../internals/has-own-property'); -var isSymbol = require('../internals/is-symbol'); -var tryToString = require('../internals/try-to-string'); -var shared = require('../internals/shared'); -var NATIVE_SYMBOL_REGISTRY = require('../internals/symbol-registry-detection'); - -var SymbolToStringRegistry = shared('symbol-to-string-registry'); - -// `Symbol.keyFor` method -// https://tc39.es/ecma262/#sec-symbol.keyfor -$({ target: 'Symbol', stat: true, forced: !NATIVE_SYMBOL_REGISTRY }, { - keyFor: function keyFor(sym) { - if (!isSymbol(sym)) throw new TypeError(tryToString(sym) + ' is not a symbol'); - if (hasOwn(SymbolToStringRegistry, sym)) return SymbolToStringRegistry[sym]; - } -}); diff --git a/node_modules/core-js/modules/es.symbol.match-all.js b/node_modules/core-js/modules/es.symbol.match-all.js deleted file mode 100644 index 19a3bd0..0000000 --- a/node_modules/core-js/modules/es.symbol.match-all.js +++ /dev/null @@ -1,6 +0,0 @@ -'use strict'; -var defineWellKnownSymbol = require('../internals/well-known-symbol-define'); - -// `Symbol.matchAll` well-known symbol -// https://tc39.es/ecma262/#sec-symbol.matchall -defineWellKnownSymbol('matchAll'); diff --git a/node_modules/core-js/modules/es.symbol.match.js b/node_modules/core-js/modules/es.symbol.match.js deleted file mode 100644 index 4947d02..0000000 --- a/node_modules/core-js/modules/es.symbol.match.js +++ /dev/null @@ -1,6 +0,0 @@ -'use strict'; -var defineWellKnownSymbol = require('../internals/well-known-symbol-define'); - -// `Symbol.match` well-known symbol -// https://tc39.es/ecma262/#sec-symbol.match -defineWellKnownSymbol('match'); diff --git a/node_modules/core-js/modules/es.symbol.replace.js b/node_modules/core-js/modules/es.symbol.replace.js deleted file mode 100644 index 7306209..0000000 --- a/node_modules/core-js/modules/es.symbol.replace.js +++ /dev/null @@ -1,6 +0,0 @@ -'use strict'; -var defineWellKnownSymbol = require('../internals/well-known-symbol-define'); - -// `Symbol.replace` well-known symbol -// https://tc39.es/ecma262/#sec-symbol.replace -defineWellKnownSymbol('replace'); diff --git a/node_modules/core-js/modules/es.symbol.search.js b/node_modules/core-js/modules/es.symbol.search.js deleted file mode 100644 index 61bdf8a..0000000 --- a/node_modules/core-js/modules/es.symbol.search.js +++ /dev/null @@ -1,6 +0,0 @@ -'use strict'; -var defineWellKnownSymbol = require('../internals/well-known-symbol-define'); - -// `Symbol.search` well-known symbol -// https://tc39.es/ecma262/#sec-symbol.search -defineWellKnownSymbol('search'); diff --git a/node_modules/core-js/modules/es.symbol.species.js b/node_modules/core-js/modules/es.symbol.species.js deleted file mode 100644 index 67b995c..0000000 --- a/node_modules/core-js/modules/es.symbol.species.js +++ /dev/null @@ -1,6 +0,0 @@ -'use strict'; -var defineWellKnownSymbol = require('../internals/well-known-symbol-define'); - -// `Symbol.species` well-known symbol -// https://tc39.es/ecma262/#sec-symbol.species -defineWellKnownSymbol('species'); diff --git a/node_modules/core-js/modules/es.symbol.split.js b/node_modules/core-js/modules/es.symbol.split.js deleted file mode 100644 index 926e02c..0000000 --- a/node_modules/core-js/modules/es.symbol.split.js +++ /dev/null @@ -1,6 +0,0 @@ -'use strict'; -var defineWellKnownSymbol = require('../internals/well-known-symbol-define'); - -// `Symbol.split` well-known symbol -// https://tc39.es/ecma262/#sec-symbol.split -defineWellKnownSymbol('split'); diff --git a/node_modules/core-js/modules/es.symbol.to-primitive.js b/node_modules/core-js/modules/es.symbol.to-primitive.js deleted file mode 100644 index c263093..0000000 --- a/node_modules/core-js/modules/es.symbol.to-primitive.js +++ /dev/null @@ -1,11 +0,0 @@ -'use strict'; -var defineWellKnownSymbol = require('../internals/well-known-symbol-define'); -var defineSymbolToPrimitive = require('../internals/symbol-define-to-primitive'); - -// `Symbol.toPrimitive` well-known symbol -// https://tc39.es/ecma262/#sec-symbol.toprimitive -defineWellKnownSymbol('toPrimitive'); - -// `Symbol.prototype[@@toPrimitive]` method -// https://tc39.es/ecma262/#sec-symbol.prototype-@@toprimitive -defineSymbolToPrimitive(); diff --git a/node_modules/core-js/modules/es.symbol.to-string-tag.js b/node_modules/core-js/modules/es.symbol.to-string-tag.js deleted file mode 100644 index 4a09f11..0000000 --- a/node_modules/core-js/modules/es.symbol.to-string-tag.js +++ /dev/null @@ -1,12 +0,0 @@ -'use strict'; -var getBuiltIn = require('../internals/get-built-in'); -var defineWellKnownSymbol = require('../internals/well-known-symbol-define'); -var setToStringTag = require('../internals/set-to-string-tag'); - -// `Symbol.toStringTag` well-known symbol -// https://tc39.es/ecma262/#sec-symbol.tostringtag -defineWellKnownSymbol('toStringTag'); - -// `Symbol.prototype[@@toStringTag]` property -// https://tc39.es/ecma262/#sec-symbol.prototype-@@tostringtag -setToStringTag(getBuiltIn('Symbol'), 'Symbol'); diff --git a/node_modules/core-js/modules/es.symbol.unscopables.js b/node_modules/core-js/modules/es.symbol.unscopables.js deleted file mode 100644 index e5df05e..0000000 --- a/node_modules/core-js/modules/es.symbol.unscopables.js +++ /dev/null @@ -1,6 +0,0 @@ -'use strict'; -var defineWellKnownSymbol = require('../internals/well-known-symbol-define'); - -// `Symbol.unscopables` well-known symbol -// https://tc39.es/ecma262/#sec-symbol.unscopables -defineWellKnownSymbol('unscopables'); diff --git a/node_modules/core-js/modules/es.typed-array.at.js b/node_modules/core-js/modules/es.typed-array.at.js deleted file mode 100644 index c2c2208..0000000 --- a/node_modules/core-js/modules/es.typed-array.at.js +++ /dev/null @@ -1,17 +0,0 @@ -'use strict'; -var ArrayBufferViewCore = require('../internals/array-buffer-view-core'); -var lengthOfArrayLike = require('../internals/length-of-array-like'); -var toIntegerOrInfinity = require('../internals/to-integer-or-infinity'); - -var aTypedArray = ArrayBufferViewCore.aTypedArray; -var exportTypedArrayMethod = ArrayBufferViewCore.exportTypedArrayMethod; - -// `%TypedArray%.prototype.at` method -// https://tc39.es/ecma262/#sec-%typedarray%.prototype.at -exportTypedArrayMethod('at', function at(index) { - var O = aTypedArray(this); - var len = lengthOfArrayLike(O); - var relativeIndex = toIntegerOrInfinity(index); - var k = relativeIndex >= 0 ? relativeIndex : len + relativeIndex; - return (k < 0 || k >= len) ? undefined : O[k]; -}); diff --git a/node_modules/core-js/modules/es.typed-array.copy-within.js b/node_modules/core-js/modules/es.typed-array.copy-within.js deleted file mode 100644 index ec0baff..0000000 --- a/node_modules/core-js/modules/es.typed-array.copy-within.js +++ /dev/null @@ -1,14 +0,0 @@ -'use strict'; -var uncurryThis = require('../internals/function-uncurry-this'); -var ArrayBufferViewCore = require('../internals/array-buffer-view-core'); -var $ArrayCopyWithin = require('../internals/array-copy-within'); - -var u$ArrayCopyWithin = uncurryThis($ArrayCopyWithin); -var aTypedArray = ArrayBufferViewCore.aTypedArray; -var exportTypedArrayMethod = ArrayBufferViewCore.exportTypedArrayMethod; - -// `%TypedArray%.prototype.copyWithin` method -// https://tc39.es/ecma262/#sec-%typedarray%.prototype.copywithin -exportTypedArrayMethod('copyWithin', function copyWithin(target, start /* , end */) { - return u$ArrayCopyWithin(aTypedArray(this), target, start, arguments.length > 2 ? arguments[2] : undefined); -}); diff --git a/node_modules/core-js/modules/es.typed-array.every.js b/node_modules/core-js/modules/es.typed-array.every.js deleted file mode 100644 index 625a0c5..0000000 --- a/node_modules/core-js/modules/es.typed-array.every.js +++ /dev/null @@ -1,12 +0,0 @@ -'use strict'; -var ArrayBufferViewCore = require('../internals/array-buffer-view-core'); -var $every = require('../internals/array-iteration').every; - -var aTypedArray = ArrayBufferViewCore.aTypedArray; -var exportTypedArrayMethod = ArrayBufferViewCore.exportTypedArrayMethod; - -// `%TypedArray%.prototype.every` method -// https://tc39.es/ecma262/#sec-%typedarray%.prototype.every -exportTypedArrayMethod('every', function every(callbackfn /* , thisArg */) { - return $every(aTypedArray(this), callbackfn, arguments.length > 1 ? arguments[1] : undefined); -}); diff --git a/node_modules/core-js/modules/es.typed-array.fill.js b/node_modules/core-js/modules/es.typed-array.fill.js deleted file mode 100644 index 3fa8a87..0000000 --- a/node_modules/core-js/modules/es.typed-array.fill.js +++ /dev/null @@ -1,29 +0,0 @@ -'use strict'; -var ArrayBufferViewCore = require('../internals/array-buffer-view-core'); -var $fill = require('../internals/array-fill'); -var toBigInt = require('../internals/to-big-int'); -var classof = require('../internals/classof'); -var call = require('../internals/function-call'); -var uncurryThis = require('../internals/function-uncurry-this'); -var fails = require('../internals/fails'); - -var aTypedArray = ArrayBufferViewCore.aTypedArray; -var exportTypedArrayMethod = ArrayBufferViewCore.exportTypedArrayMethod; -var slice = uncurryThis(''.slice); - -// V8 ~ Chrome < 59, Safari < 14.1, FF < 55, Edge <=18 -var CONVERSION_BUG = fails(function () { - var count = 0; - // eslint-disable-next-line es/no-typed-arrays -- safe - new Int8Array(2).fill({ valueOf: function () { return count++; } }); - return count !== 1; -}); - -// `%TypedArray%.prototype.fill` method -// https://tc39.es/ecma262/#sec-%typedarray%.prototype.fill -exportTypedArrayMethod('fill', function fill(value /* , start, end */) { - var length = arguments.length; - aTypedArray(this); - var actualValue = slice(classof(this), 0, 3) === 'Big' ? toBigInt(value) : +value; - return call($fill, this, actualValue, length > 1 ? arguments[1] : undefined, length > 2 ? arguments[2] : undefined); -}, CONVERSION_BUG); diff --git a/node_modules/core-js/modules/es.typed-array.filter.js b/node_modules/core-js/modules/es.typed-array.filter.js deleted file mode 100644 index 9d22eef..0000000 --- a/node_modules/core-js/modules/es.typed-array.filter.js +++ /dev/null @@ -1,14 +0,0 @@ -'use strict'; -var ArrayBufferViewCore = require('../internals/array-buffer-view-core'); -var $filter = require('../internals/array-iteration').filter; -var fromSpeciesAndList = require('../internals/typed-array-from-species-and-list'); - -var aTypedArray = ArrayBufferViewCore.aTypedArray; -var exportTypedArrayMethod = ArrayBufferViewCore.exportTypedArrayMethod; - -// `%TypedArray%.prototype.filter` method -// https://tc39.es/ecma262/#sec-%typedarray%.prototype.filter -exportTypedArrayMethod('filter', function filter(callbackfn /* , thisArg */) { - var list = $filter(aTypedArray(this), callbackfn, arguments.length > 1 ? arguments[1] : undefined); - return fromSpeciesAndList(this, list); -}); diff --git a/node_modules/core-js/modules/es.typed-array.find-index.js b/node_modules/core-js/modules/es.typed-array.find-index.js deleted file mode 100644 index b126656..0000000 --- a/node_modules/core-js/modules/es.typed-array.find-index.js +++ /dev/null @@ -1,12 +0,0 @@ -'use strict'; -var ArrayBufferViewCore = require('../internals/array-buffer-view-core'); -var $findIndex = require('../internals/array-iteration').findIndex; - -var aTypedArray = ArrayBufferViewCore.aTypedArray; -var exportTypedArrayMethod = ArrayBufferViewCore.exportTypedArrayMethod; - -// `%TypedArray%.prototype.findIndex` method -// https://tc39.es/ecma262/#sec-%typedarray%.prototype.findindex -exportTypedArrayMethod('findIndex', function findIndex(predicate /* , thisArg */) { - return $findIndex(aTypedArray(this), predicate, arguments.length > 1 ? arguments[1] : undefined); -}); diff --git a/node_modules/core-js/modules/es.typed-array.find-last-index.js b/node_modules/core-js/modules/es.typed-array.find-last-index.js deleted file mode 100644 index 5e8b501..0000000 --- a/node_modules/core-js/modules/es.typed-array.find-last-index.js +++ /dev/null @@ -1,12 +0,0 @@ -'use strict'; -var ArrayBufferViewCore = require('../internals/array-buffer-view-core'); -var $findLastIndex = require('../internals/array-iteration-from-last').findLastIndex; - -var aTypedArray = ArrayBufferViewCore.aTypedArray; -var exportTypedArrayMethod = ArrayBufferViewCore.exportTypedArrayMethod; - -// `%TypedArray%.prototype.findLastIndex` method -// https://tc39.es/ecma262/#sec-%typedarray%.prototype.findlastindex -exportTypedArrayMethod('findLastIndex', function findLastIndex(predicate /* , thisArg */) { - return $findLastIndex(aTypedArray(this), predicate, arguments.length > 1 ? arguments[1] : undefined); -}); diff --git a/node_modules/core-js/modules/es.typed-array.find-last.js b/node_modules/core-js/modules/es.typed-array.find-last.js deleted file mode 100644 index 2b124cf..0000000 --- a/node_modules/core-js/modules/es.typed-array.find-last.js +++ /dev/null @@ -1,12 +0,0 @@ -'use strict'; -var ArrayBufferViewCore = require('../internals/array-buffer-view-core'); -var $findLast = require('../internals/array-iteration-from-last').findLast; - -var aTypedArray = ArrayBufferViewCore.aTypedArray; -var exportTypedArrayMethod = ArrayBufferViewCore.exportTypedArrayMethod; - -// `%TypedArray%.prototype.findLast` method -// https://tc39.es/ecma262/#sec-%typedarray%.prototype.findlast -exportTypedArrayMethod('findLast', function findLast(predicate /* , thisArg */) { - return $findLast(aTypedArray(this), predicate, arguments.length > 1 ? arguments[1] : undefined); -}); diff --git a/node_modules/core-js/modules/es.typed-array.find.js b/node_modules/core-js/modules/es.typed-array.find.js deleted file mode 100644 index db7ee3f..0000000 --- a/node_modules/core-js/modules/es.typed-array.find.js +++ /dev/null @@ -1,12 +0,0 @@ -'use strict'; -var ArrayBufferViewCore = require('../internals/array-buffer-view-core'); -var $find = require('../internals/array-iteration').find; - -var aTypedArray = ArrayBufferViewCore.aTypedArray; -var exportTypedArrayMethod = ArrayBufferViewCore.exportTypedArrayMethod; - -// `%TypedArray%.prototype.find` method -// https://tc39.es/ecma262/#sec-%typedarray%.prototype.find -exportTypedArrayMethod('find', function find(predicate /* , thisArg */) { - return $find(aTypedArray(this), predicate, arguments.length > 1 ? arguments[1] : undefined); -}); diff --git a/node_modules/core-js/modules/es.typed-array.float32-array.js b/node_modules/core-js/modules/es.typed-array.float32-array.js deleted file mode 100644 index 95b8481..0000000 --- a/node_modules/core-js/modules/es.typed-array.float32-array.js +++ /dev/null @@ -1,10 +0,0 @@ -'use strict'; -var createTypedArrayConstructor = require('../internals/typed-array-constructor'); - -// `Float32Array` constructor -// https://tc39.es/ecma262/#sec-typedarray-objects -createTypedArrayConstructor('Float32', function (init) { - return function Float32Array(data, byteOffset, length) { - return init(this, data, byteOffset, length); - }; -}); diff --git a/node_modules/core-js/modules/es.typed-array.float64-array.js b/node_modules/core-js/modules/es.typed-array.float64-array.js deleted file mode 100644 index da82da2..0000000 --- a/node_modules/core-js/modules/es.typed-array.float64-array.js +++ /dev/null @@ -1,10 +0,0 @@ -'use strict'; -var createTypedArrayConstructor = require('../internals/typed-array-constructor'); - -// `Float64Array` constructor -// https://tc39.es/ecma262/#sec-typedarray-objects -createTypedArrayConstructor('Float64', function (init) { - return function Float64Array(data, byteOffset, length) { - return init(this, data, byteOffset, length); - }; -}); diff --git a/node_modules/core-js/modules/es.typed-array.for-each.js b/node_modules/core-js/modules/es.typed-array.for-each.js deleted file mode 100644 index bc2f28f..0000000 --- a/node_modules/core-js/modules/es.typed-array.for-each.js +++ /dev/null @@ -1,12 +0,0 @@ -'use strict'; -var ArrayBufferViewCore = require('../internals/array-buffer-view-core'); -var $forEach = require('../internals/array-iteration').forEach; - -var aTypedArray = ArrayBufferViewCore.aTypedArray; -var exportTypedArrayMethod = ArrayBufferViewCore.exportTypedArrayMethod; - -// `%TypedArray%.prototype.forEach` method -// https://tc39.es/ecma262/#sec-%typedarray%.prototype.foreach -exportTypedArrayMethod('forEach', function forEach(callbackfn /* , thisArg */) { - $forEach(aTypedArray(this), callbackfn, arguments.length > 1 ? arguments[1] : undefined); -}); diff --git a/node_modules/core-js/modules/es.typed-array.from.js b/node_modules/core-js/modules/es.typed-array.from.js deleted file mode 100644 index 79ad0f1..0000000 --- a/node_modules/core-js/modules/es.typed-array.from.js +++ /dev/null @@ -1,8 +0,0 @@ -'use strict'; -var TYPED_ARRAYS_CONSTRUCTORS_REQUIRES_WRAPPERS = require('../internals/typed-array-constructors-require-wrappers'); -var exportTypedArrayStaticMethod = require('../internals/array-buffer-view-core').exportTypedArrayStaticMethod; -var typedArrayFrom = require('../internals/typed-array-from'); - -// `%TypedArray%.from` method -// https://tc39.es/ecma262/#sec-%typedarray%.from -exportTypedArrayStaticMethod('from', typedArrayFrom, TYPED_ARRAYS_CONSTRUCTORS_REQUIRES_WRAPPERS); diff --git a/node_modules/core-js/modules/es.typed-array.includes.js b/node_modules/core-js/modules/es.typed-array.includes.js deleted file mode 100644 index b465840..0000000 --- a/node_modules/core-js/modules/es.typed-array.includes.js +++ /dev/null @@ -1,12 +0,0 @@ -'use strict'; -var ArrayBufferViewCore = require('../internals/array-buffer-view-core'); -var $includes = require('../internals/array-includes').includes; - -var aTypedArray = ArrayBufferViewCore.aTypedArray; -var exportTypedArrayMethod = ArrayBufferViewCore.exportTypedArrayMethod; - -// `%TypedArray%.prototype.includes` method -// https://tc39.es/ecma262/#sec-%typedarray%.prototype.includes -exportTypedArrayMethod('includes', function includes(searchElement /* , fromIndex */) { - return $includes(aTypedArray(this), searchElement, arguments.length > 1 ? arguments[1] : undefined); -}); diff --git a/node_modules/core-js/modules/es.typed-array.index-of.js b/node_modules/core-js/modules/es.typed-array.index-of.js deleted file mode 100644 index b369f5c..0000000 --- a/node_modules/core-js/modules/es.typed-array.index-of.js +++ /dev/null @@ -1,12 +0,0 @@ -'use strict'; -var ArrayBufferViewCore = require('../internals/array-buffer-view-core'); -var $indexOf = require('../internals/array-includes').indexOf; - -var aTypedArray = ArrayBufferViewCore.aTypedArray; -var exportTypedArrayMethod = ArrayBufferViewCore.exportTypedArrayMethod; - -// `%TypedArray%.prototype.indexOf` method -// https://tc39.es/ecma262/#sec-%typedarray%.prototype.indexof -exportTypedArrayMethod('indexOf', function indexOf(searchElement /* , fromIndex */) { - return $indexOf(aTypedArray(this), searchElement, arguments.length > 1 ? arguments[1] : undefined); -}); diff --git a/node_modules/core-js/modules/es.typed-array.int16-array.js b/node_modules/core-js/modules/es.typed-array.int16-array.js deleted file mode 100644 index fe3da1d..0000000 --- a/node_modules/core-js/modules/es.typed-array.int16-array.js +++ /dev/null @@ -1,10 +0,0 @@ -'use strict'; -var createTypedArrayConstructor = require('../internals/typed-array-constructor'); - -// `Int16Array` constructor -// https://tc39.es/ecma262/#sec-typedarray-objects -createTypedArrayConstructor('Int16', function (init) { - return function Int16Array(data, byteOffset, length) { - return init(this, data, byteOffset, length); - }; -}); diff --git a/node_modules/core-js/modules/es.typed-array.int32-array.js b/node_modules/core-js/modules/es.typed-array.int32-array.js deleted file mode 100644 index 38afed5..0000000 --- a/node_modules/core-js/modules/es.typed-array.int32-array.js +++ /dev/null @@ -1,10 +0,0 @@ -'use strict'; -var createTypedArrayConstructor = require('../internals/typed-array-constructor'); - -// `Int32Array` constructor -// https://tc39.es/ecma262/#sec-typedarray-objects -createTypedArrayConstructor('Int32', function (init) { - return function Int32Array(data, byteOffset, length) { - return init(this, data, byteOffset, length); - }; -}); diff --git a/node_modules/core-js/modules/es.typed-array.int8-array.js b/node_modules/core-js/modules/es.typed-array.int8-array.js deleted file mode 100644 index dda9bd4..0000000 --- a/node_modules/core-js/modules/es.typed-array.int8-array.js +++ /dev/null @@ -1,10 +0,0 @@ -'use strict'; -var createTypedArrayConstructor = require('../internals/typed-array-constructor'); - -// `Int8Array` constructor -// https://tc39.es/ecma262/#sec-typedarray-objects -createTypedArrayConstructor('Int8', function (init) { - return function Int8Array(data, byteOffset, length) { - return init(this, data, byteOffset, length); - }; -}); diff --git a/node_modules/core-js/modules/es.typed-array.iterator.js b/node_modules/core-js/modules/es.typed-array.iterator.js deleted file mode 100644 index 0995027..0000000 --- a/node_modules/core-js/modules/es.typed-array.iterator.js +++ /dev/null @@ -1,46 +0,0 @@ -'use strict'; -var global = require('../internals/global'); -var fails = require('../internals/fails'); -var uncurryThis = require('../internals/function-uncurry-this'); -var ArrayBufferViewCore = require('../internals/array-buffer-view-core'); -var ArrayIterators = require('../modules/es.array.iterator'); -var wellKnownSymbol = require('../internals/well-known-symbol'); - -var ITERATOR = wellKnownSymbol('iterator'); -var Uint8Array = global.Uint8Array; -var arrayValues = uncurryThis(ArrayIterators.values); -var arrayKeys = uncurryThis(ArrayIterators.keys); -var arrayEntries = uncurryThis(ArrayIterators.entries); -var aTypedArray = ArrayBufferViewCore.aTypedArray; -var exportTypedArrayMethod = ArrayBufferViewCore.exportTypedArrayMethod; -var TypedArrayPrototype = Uint8Array && Uint8Array.prototype; - -var GENERIC = !fails(function () { - TypedArrayPrototype[ITERATOR].call([1]); -}); - -var ITERATOR_IS_VALUES = !!TypedArrayPrototype - && TypedArrayPrototype.values - && TypedArrayPrototype[ITERATOR] === TypedArrayPrototype.values - && TypedArrayPrototype.values.name === 'values'; - -var typedArrayValues = function values() { - return arrayValues(aTypedArray(this)); -}; - -// `%TypedArray%.prototype.entries` method -// https://tc39.es/ecma262/#sec-%typedarray%.prototype.entries -exportTypedArrayMethod('entries', function entries() { - return arrayEntries(aTypedArray(this)); -}, GENERIC); -// `%TypedArray%.prototype.keys` method -// https://tc39.es/ecma262/#sec-%typedarray%.prototype.keys -exportTypedArrayMethod('keys', function keys() { - return arrayKeys(aTypedArray(this)); -}, GENERIC); -// `%TypedArray%.prototype.values` method -// https://tc39.es/ecma262/#sec-%typedarray%.prototype.values -exportTypedArrayMethod('values', typedArrayValues, GENERIC || !ITERATOR_IS_VALUES, { name: 'values' }); -// `%TypedArray%.prototype[@@iterator]` method -// https://tc39.es/ecma262/#sec-%typedarray%.prototype-@@iterator -exportTypedArrayMethod(ITERATOR, typedArrayValues, GENERIC || !ITERATOR_IS_VALUES, { name: 'values' }); diff --git a/node_modules/core-js/modules/es.typed-array.join.js b/node_modules/core-js/modules/es.typed-array.join.js deleted file mode 100644 index e8e7720..0000000 --- a/node_modules/core-js/modules/es.typed-array.join.js +++ /dev/null @@ -1,13 +0,0 @@ -'use strict'; -var ArrayBufferViewCore = require('../internals/array-buffer-view-core'); -var uncurryThis = require('../internals/function-uncurry-this'); - -var aTypedArray = ArrayBufferViewCore.aTypedArray; -var exportTypedArrayMethod = ArrayBufferViewCore.exportTypedArrayMethod; -var $join = uncurryThis([].join); - -// `%TypedArray%.prototype.join` method -// https://tc39.es/ecma262/#sec-%typedarray%.prototype.join -exportTypedArrayMethod('join', function join(separator) { - return $join(aTypedArray(this), separator); -}); diff --git a/node_modules/core-js/modules/es.typed-array.last-index-of.js b/node_modules/core-js/modules/es.typed-array.last-index-of.js deleted file mode 100644 index 89c2fc2..0000000 --- a/node_modules/core-js/modules/es.typed-array.last-index-of.js +++ /dev/null @@ -1,14 +0,0 @@ -'use strict'; -var ArrayBufferViewCore = require('../internals/array-buffer-view-core'); -var apply = require('../internals/function-apply'); -var $lastIndexOf = require('../internals/array-last-index-of'); - -var aTypedArray = ArrayBufferViewCore.aTypedArray; -var exportTypedArrayMethod = ArrayBufferViewCore.exportTypedArrayMethod; - -// `%TypedArray%.prototype.lastIndexOf` method -// https://tc39.es/ecma262/#sec-%typedarray%.prototype.lastindexof -exportTypedArrayMethod('lastIndexOf', function lastIndexOf(searchElement /* , fromIndex */) { - var length = arguments.length; - return apply($lastIndexOf, aTypedArray(this), length > 1 ? [searchElement, arguments[1]] : [searchElement]); -}); diff --git a/node_modules/core-js/modules/es.typed-array.map.js b/node_modules/core-js/modules/es.typed-array.map.js deleted file mode 100644 index 92dd062..0000000 --- a/node_modules/core-js/modules/es.typed-array.map.js +++ /dev/null @@ -1,15 +0,0 @@ -'use strict'; -var ArrayBufferViewCore = require('../internals/array-buffer-view-core'); -var $map = require('../internals/array-iteration').map; -var typedArraySpeciesConstructor = require('../internals/typed-array-species-constructor'); - -var aTypedArray = ArrayBufferViewCore.aTypedArray; -var exportTypedArrayMethod = ArrayBufferViewCore.exportTypedArrayMethod; - -// `%TypedArray%.prototype.map` method -// https://tc39.es/ecma262/#sec-%typedarray%.prototype.map -exportTypedArrayMethod('map', function map(mapfn /* , thisArg */) { - return $map(aTypedArray(this), mapfn, arguments.length > 1 ? arguments[1] : undefined, function (O, length) { - return new (typedArraySpeciesConstructor(O))(length); - }); -}); diff --git a/node_modules/core-js/modules/es.typed-array.of.js b/node_modules/core-js/modules/es.typed-array.of.js deleted file mode 100644 index 2c9064b..0000000 --- a/node_modules/core-js/modules/es.typed-array.of.js +++ /dev/null @@ -1,16 +0,0 @@ -'use strict'; -var ArrayBufferViewCore = require('../internals/array-buffer-view-core'); -var TYPED_ARRAYS_CONSTRUCTORS_REQUIRES_WRAPPERS = require('../internals/typed-array-constructors-require-wrappers'); - -var aTypedArrayConstructor = ArrayBufferViewCore.aTypedArrayConstructor; -var exportTypedArrayStaticMethod = ArrayBufferViewCore.exportTypedArrayStaticMethod; - -// `%TypedArray%.of` method -// https://tc39.es/ecma262/#sec-%typedarray%.of -exportTypedArrayStaticMethod('of', function of(/* ...items */) { - var index = 0; - var length = arguments.length; - var result = new (aTypedArrayConstructor(this))(length); - while (length > index) result[index] = arguments[index++]; - return result; -}, TYPED_ARRAYS_CONSTRUCTORS_REQUIRES_WRAPPERS); diff --git a/node_modules/core-js/modules/es.typed-array.reduce-right.js b/node_modules/core-js/modules/es.typed-array.reduce-right.js deleted file mode 100644 index 5df1ca1..0000000 --- a/node_modules/core-js/modules/es.typed-array.reduce-right.js +++ /dev/null @@ -1,13 +0,0 @@ -'use strict'; -var ArrayBufferViewCore = require('../internals/array-buffer-view-core'); -var $reduceRight = require('../internals/array-reduce').right; - -var aTypedArray = ArrayBufferViewCore.aTypedArray; -var exportTypedArrayMethod = ArrayBufferViewCore.exportTypedArrayMethod; - -// `%TypedArray%.prototype.reduceRight` method -// https://tc39.es/ecma262/#sec-%typedarray%.prototype.reduceright -exportTypedArrayMethod('reduceRight', function reduceRight(callbackfn /* , initialValue */) { - var length = arguments.length; - return $reduceRight(aTypedArray(this), callbackfn, length, length > 1 ? arguments[1] : undefined); -}); diff --git a/node_modules/core-js/modules/es.typed-array.reduce.js b/node_modules/core-js/modules/es.typed-array.reduce.js deleted file mode 100644 index 4a71707..0000000 --- a/node_modules/core-js/modules/es.typed-array.reduce.js +++ /dev/null @@ -1,13 +0,0 @@ -'use strict'; -var ArrayBufferViewCore = require('../internals/array-buffer-view-core'); -var $reduce = require('../internals/array-reduce').left; - -var aTypedArray = ArrayBufferViewCore.aTypedArray; -var exportTypedArrayMethod = ArrayBufferViewCore.exportTypedArrayMethod; - -// `%TypedArray%.prototype.reduce` method -// https://tc39.es/ecma262/#sec-%typedarray%.prototype.reduce -exportTypedArrayMethod('reduce', function reduce(callbackfn /* , initialValue */) { - var length = arguments.length; - return $reduce(aTypedArray(this), callbackfn, length, length > 1 ? arguments[1] : undefined); -}); diff --git a/node_modules/core-js/modules/es.typed-array.reverse.js b/node_modules/core-js/modules/es.typed-array.reverse.js deleted file mode 100644 index 4a5a870..0000000 --- a/node_modules/core-js/modules/es.typed-array.reverse.js +++ /dev/null @@ -1,21 +0,0 @@ -'use strict'; -var ArrayBufferViewCore = require('../internals/array-buffer-view-core'); - -var aTypedArray = ArrayBufferViewCore.aTypedArray; -var exportTypedArrayMethod = ArrayBufferViewCore.exportTypedArrayMethod; -var floor = Math.floor; - -// `%TypedArray%.prototype.reverse` method -// https://tc39.es/ecma262/#sec-%typedarray%.prototype.reverse -exportTypedArrayMethod('reverse', function reverse() { - var that = this; - var length = aTypedArray(that).length; - var middle = floor(length / 2); - var index = 0; - var value; - while (index < middle) { - value = that[index]; - that[index++] = that[--length]; - that[length] = value; - } return that; -}); diff --git a/node_modules/core-js/modules/es.typed-array.set.js b/node_modules/core-js/modules/es.typed-array.set.js deleted file mode 100644 index ec89248..0000000 --- a/node_modules/core-js/modules/es.typed-array.set.js +++ /dev/null @@ -1,44 +0,0 @@ -'use strict'; -var global = require('../internals/global'); -var call = require('../internals/function-call'); -var ArrayBufferViewCore = require('../internals/array-buffer-view-core'); -var lengthOfArrayLike = require('../internals/length-of-array-like'); -var toOffset = require('../internals/to-offset'); -var toIndexedObject = require('../internals/to-object'); -var fails = require('../internals/fails'); - -var RangeError = global.RangeError; -var Int8Array = global.Int8Array; -var Int8ArrayPrototype = Int8Array && Int8Array.prototype; -var $set = Int8ArrayPrototype && Int8ArrayPrototype.set; -var aTypedArray = ArrayBufferViewCore.aTypedArray; -var exportTypedArrayMethod = ArrayBufferViewCore.exportTypedArrayMethod; - -var WORKS_WITH_OBJECTS_AND_GENERIC_ON_TYPED_ARRAYS = !fails(function () { - // eslint-disable-next-line es/no-typed-arrays -- required for testing - var array = new Uint8ClampedArray(2); - call($set, array, { length: 1, 0: 3 }, 1); - return array[1] !== 3; -}); - -// https://bugs.chromium.org/p/v8/issues/detail?id=11294 and other -var TO_OBJECT_BUG = WORKS_WITH_OBJECTS_AND_GENERIC_ON_TYPED_ARRAYS && ArrayBufferViewCore.NATIVE_ARRAY_BUFFER_VIEWS && fails(function () { - var array = new Int8Array(2); - array.set(1); - array.set('2', 1); - return array[0] !== 0 || array[1] !== 2; -}); - -// `%TypedArray%.prototype.set` method -// https://tc39.es/ecma262/#sec-%typedarray%.prototype.set -exportTypedArrayMethod('set', function set(arrayLike /* , offset */) { - aTypedArray(this); - var offset = toOffset(arguments.length > 1 ? arguments[1] : undefined, 1); - var src = toIndexedObject(arrayLike); - if (WORKS_WITH_OBJECTS_AND_GENERIC_ON_TYPED_ARRAYS) return call($set, this, src, offset); - var length = this.length; - var len = lengthOfArrayLike(src); - var index = 0; - if (len + offset > length) throw new RangeError('Wrong length'); - while (index < len) this[offset + index] = src[index++]; -}, !WORKS_WITH_OBJECTS_AND_GENERIC_ON_TYPED_ARRAYS || TO_OBJECT_BUG); diff --git a/node_modules/core-js/modules/es.typed-array.slice.js b/node_modules/core-js/modules/es.typed-array.slice.js deleted file mode 100644 index 33dc2b9..0000000 --- a/node_modules/core-js/modules/es.typed-array.slice.js +++ /dev/null @@ -1,25 +0,0 @@ -'use strict'; -var ArrayBufferViewCore = require('../internals/array-buffer-view-core'); -var typedArraySpeciesConstructor = require('../internals/typed-array-species-constructor'); -var fails = require('../internals/fails'); -var arraySlice = require('../internals/array-slice'); - -var aTypedArray = ArrayBufferViewCore.aTypedArray; -var exportTypedArrayMethod = ArrayBufferViewCore.exportTypedArrayMethod; - -var FORCED = fails(function () { - // eslint-disable-next-line es/no-typed-arrays -- required for testing - new Int8Array(1).slice(); -}); - -// `%TypedArray%.prototype.slice` method -// https://tc39.es/ecma262/#sec-%typedarray%.prototype.slice -exportTypedArrayMethod('slice', function slice(start, end) { - var list = arraySlice(aTypedArray(this), start, end); - var C = typedArraySpeciesConstructor(this); - var index = 0; - var length = list.length; - var result = new C(length); - while (length > index) result[index] = list[index++]; - return result; -}, FORCED); diff --git a/node_modules/core-js/modules/es.typed-array.some.js b/node_modules/core-js/modules/es.typed-array.some.js deleted file mode 100644 index 214115b..0000000 --- a/node_modules/core-js/modules/es.typed-array.some.js +++ /dev/null @@ -1,12 +0,0 @@ -'use strict'; -var ArrayBufferViewCore = require('../internals/array-buffer-view-core'); -var $some = require('../internals/array-iteration').some; - -var aTypedArray = ArrayBufferViewCore.aTypedArray; -var exportTypedArrayMethod = ArrayBufferViewCore.exportTypedArrayMethod; - -// `%TypedArray%.prototype.some` method -// https://tc39.es/ecma262/#sec-%typedarray%.prototype.some -exportTypedArrayMethod('some', function some(callbackfn /* , thisArg */) { - return $some(aTypedArray(this), callbackfn, arguments.length > 1 ? arguments[1] : undefined); -}); diff --git a/node_modules/core-js/modules/es.typed-array.sort.js b/node_modules/core-js/modules/es.typed-array.sort.js deleted file mode 100644 index 40cfcbb..0000000 --- a/node_modules/core-js/modules/es.typed-array.sort.js +++ /dev/null @@ -1,70 +0,0 @@ -'use strict'; -var global = require('../internals/global'); -var uncurryThis = require('../internals/function-uncurry-this-clause'); -var fails = require('../internals/fails'); -var aCallable = require('../internals/a-callable'); -var internalSort = require('../internals/array-sort'); -var ArrayBufferViewCore = require('../internals/array-buffer-view-core'); -var FF = require('../internals/engine-ff-version'); -var IE_OR_EDGE = require('../internals/engine-is-ie-or-edge'); -var V8 = require('../internals/engine-v8-version'); -var WEBKIT = require('../internals/engine-webkit-version'); - -var aTypedArray = ArrayBufferViewCore.aTypedArray; -var exportTypedArrayMethod = ArrayBufferViewCore.exportTypedArrayMethod; -var Uint16Array = global.Uint16Array; -var nativeSort = Uint16Array && uncurryThis(Uint16Array.prototype.sort); - -// WebKit -var ACCEPT_INCORRECT_ARGUMENTS = !!nativeSort && !(fails(function () { - nativeSort(new Uint16Array(2), null); -}) && fails(function () { - nativeSort(new Uint16Array(2), {}); -})); - -var STABLE_SORT = !!nativeSort && !fails(function () { - // feature detection can be too slow, so check engines versions - if (V8) return V8 < 74; - if (FF) return FF < 67; - if (IE_OR_EDGE) return true; - if (WEBKIT) return WEBKIT < 602; - - var array = new Uint16Array(516); - var expected = Array(516); - var index, mod; - - for (index = 0; index < 516; index++) { - mod = index % 4; - array[index] = 515 - index; - expected[index] = index - 2 * mod + 3; - } - - nativeSort(array, function (a, b) { - return (a / 4 | 0) - (b / 4 | 0); - }); - - for (index = 0; index < 516; index++) { - if (array[index] !== expected[index]) return true; - } -}); - -var getSortCompare = function (comparefn) { - return function (x, y) { - if (comparefn !== undefined) return +comparefn(x, y) || 0; - // eslint-disable-next-line no-self-compare -- NaN check - if (y !== y) return -1; - // eslint-disable-next-line no-self-compare -- NaN check - if (x !== x) return 1; - if (x === 0 && y === 0) return 1 / x > 0 && 1 / y < 0 ? 1 : -1; - return x > y; - }; -}; - -// `%TypedArray%.prototype.sort` method -// https://tc39.es/ecma262/#sec-%typedarray%.prototype.sort -exportTypedArrayMethod('sort', function sort(comparefn) { - if (comparefn !== undefined) aCallable(comparefn); - if (STABLE_SORT) return nativeSort(this, comparefn); - - return internalSort(aTypedArray(this), getSortCompare(comparefn)); -}, !STABLE_SORT || ACCEPT_INCORRECT_ARGUMENTS); diff --git a/node_modules/core-js/modules/es.typed-array.subarray.js b/node_modules/core-js/modules/es.typed-array.subarray.js deleted file mode 100644 index f2e1ae5..0000000 --- a/node_modules/core-js/modules/es.typed-array.subarray.js +++ /dev/null @@ -1,22 +0,0 @@ -'use strict'; -var ArrayBufferViewCore = require('../internals/array-buffer-view-core'); -var toLength = require('../internals/to-length'); -var toAbsoluteIndex = require('../internals/to-absolute-index'); -var typedArraySpeciesConstructor = require('../internals/typed-array-species-constructor'); - -var aTypedArray = ArrayBufferViewCore.aTypedArray; -var exportTypedArrayMethod = ArrayBufferViewCore.exportTypedArrayMethod; - -// `%TypedArray%.prototype.subarray` method -// https://tc39.es/ecma262/#sec-%typedarray%.prototype.subarray -exportTypedArrayMethod('subarray', function subarray(begin, end) { - var O = aTypedArray(this); - var length = O.length; - var beginIndex = toAbsoluteIndex(begin, length); - var C = typedArraySpeciesConstructor(O); - return new C( - O.buffer, - O.byteOffset + beginIndex * O.BYTES_PER_ELEMENT, - toLength((end === undefined ? length : toAbsoluteIndex(end, length)) - beginIndex) - ); -}); diff --git a/node_modules/core-js/modules/es.typed-array.to-locale-string.js b/node_modules/core-js/modules/es.typed-array.to-locale-string.js deleted file mode 100644 index 32e6c2f..0000000 --- a/node_modules/core-js/modules/es.typed-array.to-locale-string.js +++ /dev/null @@ -1,32 +0,0 @@ -'use strict'; -var global = require('../internals/global'); -var apply = require('../internals/function-apply'); -var ArrayBufferViewCore = require('../internals/array-buffer-view-core'); -var fails = require('../internals/fails'); -var arraySlice = require('../internals/array-slice'); - -var Int8Array = global.Int8Array; -var aTypedArray = ArrayBufferViewCore.aTypedArray; -var exportTypedArrayMethod = ArrayBufferViewCore.exportTypedArrayMethod; -var $toLocaleString = [].toLocaleString; - -// iOS Safari 6.x fails here -var TO_LOCALE_STRING_BUG = !!Int8Array && fails(function () { - $toLocaleString.call(new Int8Array(1)); -}); - -var FORCED = fails(function () { - return [1, 2].toLocaleString() !== new Int8Array([1, 2]).toLocaleString(); -}) || !fails(function () { - Int8Array.prototype.toLocaleString.call([1, 2]); -}); - -// `%TypedArray%.prototype.toLocaleString` method -// https://tc39.es/ecma262/#sec-%typedarray%.prototype.tolocalestring -exportTypedArrayMethod('toLocaleString', function toLocaleString() { - return apply( - $toLocaleString, - TO_LOCALE_STRING_BUG ? arraySlice(aTypedArray(this)) : aTypedArray(this), - arraySlice(arguments) - ); -}, FORCED); diff --git a/node_modules/core-js/modules/es.typed-array.to-reversed.js b/node_modules/core-js/modules/es.typed-array.to-reversed.js deleted file mode 100644 index 500d44f..0000000 --- a/node_modules/core-js/modules/es.typed-array.to-reversed.js +++ /dev/null @@ -1,13 +0,0 @@ -'use strict'; -var arrayToReversed = require('../internals/array-to-reversed'); -var ArrayBufferViewCore = require('../internals/array-buffer-view-core'); - -var aTypedArray = ArrayBufferViewCore.aTypedArray; -var exportTypedArrayMethod = ArrayBufferViewCore.exportTypedArrayMethod; -var getTypedArrayConstructor = ArrayBufferViewCore.getTypedArrayConstructor; - -// `%TypedArray%.prototype.toReversed` method -// https://tc39.es/ecma262/#sec-%typedarray%.prototype.toreversed -exportTypedArrayMethod('toReversed', function toReversed() { - return arrayToReversed(aTypedArray(this), getTypedArrayConstructor(this)); -}); diff --git a/node_modules/core-js/modules/es.typed-array.to-sorted.js b/node_modules/core-js/modules/es.typed-array.to-sorted.js deleted file mode 100644 index 09b9afd..0000000 --- a/node_modules/core-js/modules/es.typed-array.to-sorted.js +++ /dev/null @@ -1,19 +0,0 @@ -'use strict'; -var ArrayBufferViewCore = require('../internals/array-buffer-view-core'); -var uncurryThis = require('../internals/function-uncurry-this'); -var aCallable = require('../internals/a-callable'); -var arrayFromConstructorAndList = require('../internals/array-from-constructor-and-list'); - -var aTypedArray = ArrayBufferViewCore.aTypedArray; -var getTypedArrayConstructor = ArrayBufferViewCore.getTypedArrayConstructor; -var exportTypedArrayMethod = ArrayBufferViewCore.exportTypedArrayMethod; -var sort = uncurryThis(ArrayBufferViewCore.TypedArrayPrototype.sort); - -// `%TypedArray%.prototype.toSorted` method -// https://tc39.es/ecma262/#sec-%typedarray%.prototype.tosorted -exportTypedArrayMethod('toSorted', function toSorted(compareFn) { - if (compareFn !== undefined) aCallable(compareFn); - var O = aTypedArray(this); - var A = arrayFromConstructorAndList(getTypedArrayConstructor(O), O); - return sort(A, compareFn); -}); diff --git a/node_modules/core-js/modules/es.typed-array.to-string.js b/node_modules/core-js/modules/es.typed-array.to-string.js deleted file mode 100644 index 735a527..0000000 --- a/node_modules/core-js/modules/es.typed-array.to-string.js +++ /dev/null @@ -1,22 +0,0 @@ -'use strict'; -var exportTypedArrayMethod = require('../internals/array-buffer-view-core').exportTypedArrayMethod; -var fails = require('../internals/fails'); -var global = require('../internals/global'); -var uncurryThis = require('../internals/function-uncurry-this'); - -var Uint8Array = global.Uint8Array; -var Uint8ArrayPrototype = Uint8Array && Uint8Array.prototype || {}; -var arrayToString = [].toString; -var join = uncurryThis([].join); - -if (fails(function () { arrayToString.call({}); })) { - arrayToString = function toString() { - return join(this); - }; -} - -var IS_NOT_ARRAY_METHOD = Uint8ArrayPrototype.toString !== arrayToString; - -// `%TypedArray%.prototype.toString` method -// https://tc39.es/ecma262/#sec-%typedarray%.prototype.tostring -exportTypedArrayMethod('toString', arrayToString, IS_NOT_ARRAY_METHOD); diff --git a/node_modules/core-js/modules/es.typed-array.uint16-array.js b/node_modules/core-js/modules/es.typed-array.uint16-array.js deleted file mode 100644 index 81750e1..0000000 --- a/node_modules/core-js/modules/es.typed-array.uint16-array.js +++ /dev/null @@ -1,10 +0,0 @@ -'use strict'; -var createTypedArrayConstructor = require('../internals/typed-array-constructor'); - -// `Uint16Array` constructor -// https://tc39.es/ecma262/#sec-typedarray-objects -createTypedArrayConstructor('Uint16', function (init) { - return function Uint16Array(data, byteOffset, length) { - return init(this, data, byteOffset, length); - }; -}); diff --git a/node_modules/core-js/modules/es.typed-array.uint32-array.js b/node_modules/core-js/modules/es.typed-array.uint32-array.js deleted file mode 100644 index eb3e9d1..0000000 --- a/node_modules/core-js/modules/es.typed-array.uint32-array.js +++ /dev/null @@ -1,10 +0,0 @@ -'use strict'; -var createTypedArrayConstructor = require('../internals/typed-array-constructor'); - -// `Uint32Array` constructor -// https://tc39.es/ecma262/#sec-typedarray-objects -createTypedArrayConstructor('Uint32', function (init) { - return function Uint32Array(data, byteOffset, length) { - return init(this, data, byteOffset, length); - }; -}); diff --git a/node_modules/core-js/modules/es.typed-array.uint8-array.js b/node_modules/core-js/modules/es.typed-array.uint8-array.js deleted file mode 100644 index 24a1830..0000000 --- a/node_modules/core-js/modules/es.typed-array.uint8-array.js +++ /dev/null @@ -1,10 +0,0 @@ -'use strict'; -var createTypedArrayConstructor = require('../internals/typed-array-constructor'); - -// `Uint8Array` constructor -// https://tc39.es/ecma262/#sec-typedarray-objects -createTypedArrayConstructor('Uint8', function (init) { - return function Uint8Array(data, byteOffset, length) { - return init(this, data, byteOffset, length); - }; -}); diff --git a/node_modules/core-js/modules/es.typed-array.uint8-clamped-array.js b/node_modules/core-js/modules/es.typed-array.uint8-clamped-array.js deleted file mode 100644 index 46103ce..0000000 --- a/node_modules/core-js/modules/es.typed-array.uint8-clamped-array.js +++ /dev/null @@ -1,10 +0,0 @@ -'use strict'; -var createTypedArrayConstructor = require('../internals/typed-array-constructor'); - -// `Uint8ClampedArray` constructor -// https://tc39.es/ecma262/#sec-typedarray-objects -createTypedArrayConstructor('Uint8', function (init) { - return function Uint8ClampedArray(data, byteOffset, length) { - return init(this, data, byteOffset, length); - }; -}, true); diff --git a/node_modules/core-js/modules/es.typed-array.with.js b/node_modules/core-js/modules/es.typed-array.with.js deleted file mode 100644 index f9e83cd..0000000 --- a/node_modules/core-js/modules/es.typed-array.with.js +++ /dev/null @@ -1,30 +0,0 @@ -'use strict'; -var arrayWith = require('../internals/array-with'); -var ArrayBufferViewCore = require('../internals/array-buffer-view-core'); -var isBigIntArray = require('../internals/is-big-int-array'); -var toIntegerOrInfinity = require('../internals/to-integer-or-infinity'); -var toBigInt = require('../internals/to-big-int'); - -var aTypedArray = ArrayBufferViewCore.aTypedArray; -var getTypedArrayConstructor = ArrayBufferViewCore.getTypedArrayConstructor; -var exportTypedArrayMethod = ArrayBufferViewCore.exportTypedArrayMethod; - -var PROPER_ORDER = !!function () { - try { - // eslint-disable-next-line no-throw-literal, es/no-typed-arrays, es/no-array-prototype-with -- required for testing - new Int8Array(1)['with'](2, { valueOf: function () { throw 8; } }); - } catch (error) { - // some early implementations, like WebKit, does not follow the final semantic - // https://github.com/tc39/proposal-change-array-by-copy/pull/86 - return error === 8; - } -}(); - -// `%TypedArray%.prototype.with` method -// https://tc39.es/ecma262/#sec-%typedarray%.prototype.with -exportTypedArrayMethod('with', { 'with': function (index, value) { - var O = aTypedArray(this); - var relativeIndex = toIntegerOrInfinity(index); - var actualValue = isBigIntArray(O) ? toBigInt(value) : +value; - return arrayWith(O, getTypedArrayConstructor(O), relativeIndex, actualValue); -} }['with'], !PROPER_ORDER); diff --git a/node_modules/core-js/modules/es.unescape.js b/node_modules/core-js/modules/es.unescape.js deleted file mode 100644 index c23b68c..0000000 --- a/node_modules/core-js/modules/es.unescape.js +++ /dev/null @@ -1,45 +0,0 @@ -'use strict'; -var $ = require('../internals/export'); -var uncurryThis = require('../internals/function-uncurry-this'); -var toString = require('../internals/to-string'); - -var fromCharCode = String.fromCharCode; -var charAt = uncurryThis(''.charAt); -var exec = uncurryThis(/./.exec); -var stringSlice = uncurryThis(''.slice); - -var hex2 = /^[\da-f]{2}$/i; -var hex4 = /^[\da-f]{4}$/i; - -// `unescape` method -// https://tc39.es/ecma262/#sec-unescape-string -$({ global: true }, { - unescape: function unescape(string) { - var str = toString(string); - var result = ''; - var length = str.length; - var index = 0; - var chr, part; - while (index < length) { - chr = charAt(str, index++); - if (chr === '%') { - if (charAt(str, index) === 'u') { - part = stringSlice(str, index + 1, index + 5); - if (exec(hex4, part)) { - result += fromCharCode(parseInt(part, 16)); - index += 5; - continue; - } - } else { - part = stringSlice(str, index, index + 2); - if (exec(hex2, part)) { - result += fromCharCode(parseInt(part, 16)); - index += 2; - continue; - } - } - } - result += chr; - } return result; - } -}); diff --git a/node_modules/core-js/modules/es.weak-map.constructor.js b/node_modules/core-js/modules/es.weak-map.constructor.js deleted file mode 100644 index 15314b8..0000000 --- a/node_modules/core-js/modules/es.weak-map.constructor.js +++ /dev/null @@ -1,106 +0,0 @@ -'use strict'; -var FREEZING = require('../internals/freezing'); -var global = require('../internals/global'); -var uncurryThis = require('../internals/function-uncurry-this'); -var defineBuiltIns = require('../internals/define-built-ins'); -var InternalMetadataModule = require('../internals/internal-metadata'); -var collection = require('../internals/collection'); -var collectionWeak = require('../internals/collection-weak'); -var isObject = require('../internals/is-object'); -var enforceInternalState = require('../internals/internal-state').enforce; -var fails = require('../internals/fails'); -var NATIVE_WEAK_MAP = require('../internals/weak-map-basic-detection'); - -var $Object = Object; -// eslint-disable-next-line es/no-array-isarray -- safe -var isArray = Array.isArray; -// eslint-disable-next-line es/no-object-isextensible -- safe -var isExtensible = $Object.isExtensible; -// eslint-disable-next-line es/no-object-isfrozen -- safe -var isFrozen = $Object.isFrozen; -// eslint-disable-next-line es/no-object-issealed -- safe -var isSealed = $Object.isSealed; -// eslint-disable-next-line es/no-object-freeze -- safe -var freeze = $Object.freeze; -// eslint-disable-next-line es/no-object-seal -- safe -var seal = $Object.seal; - -var IS_IE11 = !global.ActiveXObject && 'ActiveXObject' in global; -var InternalWeakMap; - -var wrapper = function (init) { - return function WeakMap() { - return init(this, arguments.length ? arguments[0] : undefined); - }; -}; - -// `WeakMap` constructor -// https://tc39.es/ecma262/#sec-weakmap-constructor -var $WeakMap = collection('WeakMap', wrapper, collectionWeak); -var WeakMapPrototype = $WeakMap.prototype; -var nativeSet = uncurryThis(WeakMapPrototype.set); - -// Chakra Edge bug: adding frozen arrays to WeakMap unfreeze them -var hasMSEdgeFreezingBug = function () { - return FREEZING && fails(function () { - var frozenArray = freeze([]); - nativeSet(new $WeakMap(), frozenArray, 1); - return !isFrozen(frozenArray); - }); -}; - -// IE11 WeakMap frozen keys fix -// We can't use feature detection because it crash some old IE builds -// https://github.com/zloirock/core-js/issues/485 -if (NATIVE_WEAK_MAP) if (IS_IE11) { - InternalWeakMap = collectionWeak.getConstructor(wrapper, 'WeakMap', true); - InternalMetadataModule.enable(); - var nativeDelete = uncurryThis(WeakMapPrototype['delete']); - var nativeHas = uncurryThis(WeakMapPrototype.has); - var nativeGet = uncurryThis(WeakMapPrototype.get); - defineBuiltIns(WeakMapPrototype, { - 'delete': function (key) { - if (isObject(key) && !isExtensible(key)) { - var state = enforceInternalState(this); - if (!state.frozen) state.frozen = new InternalWeakMap(); - return nativeDelete(this, key) || state.frozen['delete'](key); - } return nativeDelete(this, key); - }, - has: function has(key) { - if (isObject(key) && !isExtensible(key)) { - var state = enforceInternalState(this); - if (!state.frozen) state.frozen = new InternalWeakMap(); - return nativeHas(this, key) || state.frozen.has(key); - } return nativeHas(this, key); - }, - get: function get(key) { - if (isObject(key) && !isExtensible(key)) { - var state = enforceInternalState(this); - if (!state.frozen) state.frozen = new InternalWeakMap(); - return nativeHas(this, key) ? nativeGet(this, key) : state.frozen.get(key); - } return nativeGet(this, key); - }, - set: function set(key, value) { - if (isObject(key) && !isExtensible(key)) { - var state = enforceInternalState(this); - if (!state.frozen) state.frozen = new InternalWeakMap(); - nativeHas(this, key) ? nativeSet(this, key, value) : state.frozen.set(key, value); - } else nativeSet(this, key, value); - return this; - } - }); -// Chakra Edge frozen keys fix -} else if (hasMSEdgeFreezingBug()) { - defineBuiltIns(WeakMapPrototype, { - set: function set(key, value) { - var arrayIntegrityLevel; - if (isArray(key)) { - if (isFrozen(key)) arrayIntegrityLevel = freeze; - else if (isSealed(key)) arrayIntegrityLevel = seal; - } - nativeSet(this, key, value); - if (arrayIntegrityLevel) arrayIntegrityLevel(key); - return this; - } - }); -} diff --git a/node_modules/core-js/modules/es.weak-map.js b/node_modules/core-js/modules/es.weak-map.js deleted file mode 100644 index d59a49f..0000000 --- a/node_modules/core-js/modules/es.weak-map.js +++ /dev/null @@ -1,3 +0,0 @@ -'use strict'; -// TODO: Remove this module from `core-js@4` since it's replaced to module below -require('../modules/es.weak-map.constructor'); diff --git a/node_modules/core-js/modules/es.weak-set.constructor.js b/node_modules/core-js/modules/es.weak-set.constructor.js deleted file mode 100644 index 80d9c34..0000000 --- a/node_modules/core-js/modules/es.weak-set.constructor.js +++ /dev/null @@ -1,9 +0,0 @@ -'use strict'; -var collection = require('../internals/collection'); -var collectionWeak = require('../internals/collection-weak'); - -// `WeakSet` constructor -// https://tc39.es/ecma262/#sec-weakset-constructor -collection('WeakSet', function (init) { - return function WeakSet() { return init(this, arguments.length ? arguments[0] : undefined); }; -}, collectionWeak); diff --git a/node_modules/core-js/modules/es.weak-set.js b/node_modules/core-js/modules/es.weak-set.js deleted file mode 100644 index 7d3d93e..0000000 --- a/node_modules/core-js/modules/es.weak-set.js +++ /dev/null @@ -1,3 +0,0 @@ -'use strict'; -// TODO: Remove this module from `core-js@4` since it's replaced to module below -require('../modules/es.weak-set.constructor'); diff --git a/node_modules/core-js/modules/esnext.aggregate-error.js b/node_modules/core-js/modules/esnext.aggregate-error.js deleted file mode 100644 index 677193d..0000000 --- a/node_modules/core-js/modules/esnext.aggregate-error.js +++ /dev/null @@ -1,3 +0,0 @@ -'use strict'; -// TODO: Remove from `core-js@4` -require('../modules/es.aggregate-error'); diff --git a/node_modules/core-js/modules/esnext.array-buffer.detached.js b/node_modules/core-js/modules/esnext.array-buffer.detached.js deleted file mode 100644 index 3aa6d9c..0000000 --- a/node_modules/core-js/modules/esnext.array-buffer.detached.js +++ /dev/null @@ -1,15 +0,0 @@ -'use strict'; -var DESCRIPTORS = require('../internals/descriptors'); -var defineBuiltInAccessor = require('../internals/define-built-in-accessor'); -var isDetached = require('../internals/array-buffer-is-detached'); - -var ArrayBufferPrototype = ArrayBuffer.prototype; - -if (DESCRIPTORS && !('detached' in ArrayBufferPrototype)) { - defineBuiltInAccessor(ArrayBufferPrototype, 'detached', { - configurable: true, - get: function detached() { - return isDetached(this); - } - }); -} diff --git a/node_modules/core-js/modules/esnext.array-buffer.transfer-to-fixed-length.js b/node_modules/core-js/modules/esnext.array-buffer.transfer-to-fixed-length.js deleted file mode 100644 index 55a9f8a..0000000 --- a/node_modules/core-js/modules/esnext.array-buffer.transfer-to-fixed-length.js +++ /dev/null @@ -1,11 +0,0 @@ -'use strict'; -var $ = require('../internals/export'); -var $transfer = require('../internals/array-buffer-transfer'); - -// `ArrayBuffer.prototype.transferToFixedLength` method -// https://tc39.es/proposal-arraybuffer-transfer/#sec-arraybuffer.prototype.transfertofixedlength -if ($transfer) $({ target: 'ArrayBuffer', proto: true }, { - transferToFixedLength: function transferToFixedLength() { - return $transfer(this, arguments.length ? arguments[0] : undefined, false); - } -}); diff --git a/node_modules/core-js/modules/esnext.array-buffer.transfer.js b/node_modules/core-js/modules/esnext.array-buffer.transfer.js deleted file mode 100644 index 197658d..0000000 --- a/node_modules/core-js/modules/esnext.array-buffer.transfer.js +++ /dev/null @@ -1,11 +0,0 @@ -'use strict'; -var $ = require('../internals/export'); -var $transfer = require('../internals/array-buffer-transfer'); - -// `ArrayBuffer.prototype.transfer` method -// https://tc39.es/proposal-arraybuffer-transfer/#sec-arraybuffer.prototype.transfer -if ($transfer) $({ target: 'ArrayBuffer', proto: true }, { - transfer: function transfer() { - return $transfer(this, arguments.length ? arguments[0] : undefined, true); - } -}); diff --git a/node_modules/core-js/modules/esnext.array.at.js b/node_modules/core-js/modules/esnext.array.at.js deleted file mode 100644 index 13a671b..0000000 --- a/node_modules/core-js/modules/esnext.array.at.js +++ /dev/null @@ -1,3 +0,0 @@ -'use strict'; -// TODO: Remove from `core-js@4` -require('../modules/es.array.at'); diff --git a/node_modules/core-js/modules/esnext.array.filter-out.js b/node_modules/core-js/modules/esnext.array.filter-out.js deleted file mode 100644 index fc737f2..0000000 --- a/node_modules/core-js/modules/esnext.array.filter-out.js +++ /dev/null @@ -1,15 +0,0 @@ -'use strict'; -// TODO: remove from `core-js@4` -var $ = require('../internals/export'); -var $filterReject = require('../internals/array-iteration').filterReject; -var addToUnscopables = require('../internals/add-to-unscopables'); - -// `Array.prototype.filterOut` method -// https://github.com/tc39/proposal-array-filtering -$({ target: 'Array', proto: true, forced: true }, { - filterOut: function filterOut(callbackfn /* , thisArg */) { - return $filterReject(this, callbackfn, arguments.length > 1 ? arguments[1] : undefined); - } -}); - -addToUnscopables('filterOut'); diff --git a/node_modules/core-js/modules/esnext.array.filter-reject.js b/node_modules/core-js/modules/esnext.array.filter-reject.js deleted file mode 100644 index 8a9ee56..0000000 --- a/node_modules/core-js/modules/esnext.array.filter-reject.js +++ /dev/null @@ -1,14 +0,0 @@ -'use strict'; -var $ = require('../internals/export'); -var $filterReject = require('../internals/array-iteration').filterReject; -var addToUnscopables = require('../internals/add-to-unscopables'); - -// `Array.prototype.filterReject` method -// https://github.com/tc39/proposal-array-filtering -$({ target: 'Array', proto: true, forced: true }, { - filterReject: function filterReject(callbackfn /* , thisArg */) { - return $filterReject(this, callbackfn, arguments.length > 1 ? arguments[1] : undefined); - } -}); - -addToUnscopables('filterReject'); diff --git a/node_modules/core-js/modules/esnext.array.find-last-index.js b/node_modules/core-js/modules/esnext.array.find-last-index.js deleted file mode 100644 index bc997fe..0000000 --- a/node_modules/core-js/modules/esnext.array.find-last-index.js +++ /dev/null @@ -1,3 +0,0 @@ -'use strict'; -// TODO: Remove from `core-js@4` -require('../modules/es.array.find-last-index'); diff --git a/node_modules/core-js/modules/esnext.array.find-last.js b/node_modules/core-js/modules/esnext.array.find-last.js deleted file mode 100644 index 04f1cd8..0000000 --- a/node_modules/core-js/modules/esnext.array.find-last.js +++ /dev/null @@ -1,3 +0,0 @@ -'use strict'; -// TODO: Remove from `core-js@4` -require('../modules/es.array.find-last'); diff --git a/node_modules/core-js/modules/esnext.array.from-async.js b/node_modules/core-js/modules/esnext.array.from-async.js deleted file mode 100644 index 10c22e7..0000000 --- a/node_modules/core-js/modules/esnext.array.from-async.js +++ /dev/null @@ -1,9 +0,0 @@ -'use strict'; -var $ = require('../internals/export'); -var fromAsync = require('../internals/array-from-async'); - -// `Array.fromAsync` method -// https://github.com/tc39/proposal-array-from-async -$({ target: 'Array', stat: true }, { - fromAsync: fromAsync -}); diff --git a/node_modules/core-js/modules/esnext.array.group-by-to-map.js b/node_modules/core-js/modules/esnext.array.group-by-to-map.js deleted file mode 100644 index f2919a2..0000000 --- a/node_modules/core-js/modules/esnext.array.group-by-to-map.js +++ /dev/null @@ -1,16 +0,0 @@ -'use strict'; -// TODO: Remove from `core-js@4` -var $ = require('../internals/export'); -var arrayMethodIsStrict = require('../internals/array-method-is-strict'); -var addToUnscopables = require('../internals/add-to-unscopables'); -var $groupToMap = require('../internals/array-group-to-map'); -var IS_PURE = require('../internals/is-pure'); - -// `Array.prototype.groupByToMap` method -// https://github.com/tc39/proposal-array-grouping -// https://bugs.webkit.org/show_bug.cgi?id=236541 -$({ target: 'Array', proto: true, name: 'groupToMap', forced: IS_PURE || !arrayMethodIsStrict('groupByToMap') }, { - groupByToMap: $groupToMap -}); - -addToUnscopables('groupByToMap'); diff --git a/node_modules/core-js/modules/esnext.array.group-by.js b/node_modules/core-js/modules/esnext.array.group-by.js deleted file mode 100644 index f5b9abf..0000000 --- a/node_modules/core-js/modules/esnext.array.group-by.js +++ /dev/null @@ -1,18 +0,0 @@ -'use strict'; -// TODO: Remove from `core-js@4` -var $ = require('../internals/export'); -var $group = require('../internals/array-group'); -var arrayMethodIsStrict = require('../internals/array-method-is-strict'); -var addToUnscopables = require('../internals/add-to-unscopables'); - -// `Array.prototype.groupBy` method -// https://github.com/tc39/proposal-array-grouping -// https://bugs.webkit.org/show_bug.cgi?id=236541 -$({ target: 'Array', proto: true, forced: !arrayMethodIsStrict('groupBy') }, { - groupBy: function groupBy(callbackfn /* , thisArg */) { - var thisArg = arguments.length > 1 ? arguments[1] : undefined; - return $group(this, callbackfn, thisArg); - } -}); - -addToUnscopables('groupBy'); diff --git a/node_modules/core-js/modules/esnext.array.group-to-map.js b/node_modules/core-js/modules/esnext.array.group-to-map.js deleted file mode 100644 index 4250264..0000000 --- a/node_modules/core-js/modules/esnext.array.group-to-map.js +++ /dev/null @@ -1,13 +0,0 @@ -'use strict'; -var $ = require('../internals/export'); -var addToUnscopables = require('../internals/add-to-unscopables'); -var $groupToMap = require('../internals/array-group-to-map'); -var IS_PURE = require('../internals/is-pure'); - -// `Array.prototype.groupToMap` method -// https://github.com/tc39/proposal-array-grouping -$({ target: 'Array', proto: true, forced: IS_PURE }, { - groupToMap: $groupToMap -}); - -addToUnscopables('groupToMap'); diff --git a/node_modules/core-js/modules/esnext.array.group.js b/node_modules/core-js/modules/esnext.array.group.js deleted file mode 100644 index 9afca8c..0000000 --- a/node_modules/core-js/modules/esnext.array.group.js +++ /dev/null @@ -1,15 +0,0 @@ -'use strict'; -var $ = require('../internals/export'); -var $group = require('../internals/array-group'); -var addToUnscopables = require('../internals/add-to-unscopables'); - -// `Array.prototype.group` method -// https://github.com/tc39/proposal-array-grouping -$({ target: 'Array', proto: true }, { - group: function group(callbackfn /* , thisArg */) { - var thisArg = arguments.length > 1 ? arguments[1] : undefined; - return $group(this, callbackfn, thisArg); - } -}); - -addToUnscopables('group'); diff --git a/node_modules/core-js/modules/esnext.array.is-template-object.js b/node_modules/core-js/modules/esnext.array.is-template-object.js deleted file mode 100644 index 0f1a826..0000000 --- a/node_modules/core-js/modules/esnext.array.is-template-object.js +++ /dev/null @@ -1,29 +0,0 @@ -'use strict'; -var $ = require('../internals/export'); -var isArray = require('../internals/is-array'); - -// eslint-disable-next-line es/no-object-isfrozen -- safe -var isFrozen = Object.isFrozen; - -var isFrozenStringArray = function (array, allowUndefined) { - if (!isFrozen || !isArray(array) || !isFrozen(array)) return false; - var index = 0; - var length = array.length; - var element; - while (index < length) { - element = array[index++]; - if (!(typeof element == 'string' || (allowUndefined && element === undefined))) { - return false; - } - } return length !== 0; -}; - -// `Array.isTemplateObject` method -// https://github.com/tc39/proposal-array-is-template-object -$({ target: 'Array', stat: true, sham: true, forced: true }, { - isTemplateObject: function isTemplateObject(value) { - if (!isFrozenStringArray(value, true)) return false; - var raw = value.raw; - return raw.length === value.length && isFrozenStringArray(raw, false); - } -}); diff --git a/node_modules/core-js/modules/esnext.array.last-index.js b/node_modules/core-js/modules/esnext.array.last-index.js deleted file mode 100644 index 48d4997..0000000 --- a/node_modules/core-js/modules/esnext.array.last-index.js +++ /dev/null @@ -1,22 +0,0 @@ -'use strict'; -// TODO: Remove from `core-js@4` -var DESCRIPTORS = require('../internals/descriptors'); -var addToUnscopables = require('../internals/add-to-unscopables'); -var toObject = require('../internals/to-object'); -var lengthOfArrayLike = require('../internals/length-of-array-like'); -var defineBuiltInAccessor = require('../internals/define-built-in-accessor'); - -// `Array.prototype.lastIndex` getter -// https://github.com/keithamus/proposal-array-last -if (DESCRIPTORS) { - defineBuiltInAccessor(Array.prototype, 'lastIndex', { - configurable: true, - get: function lastIndex() { - var O = toObject(this); - var len = lengthOfArrayLike(O); - return len === 0 ? 0 : len - 1; - } - }); - - addToUnscopables('lastIndex'); -} diff --git a/node_modules/core-js/modules/esnext.array.last-item.js b/node_modules/core-js/modules/esnext.array.last-item.js deleted file mode 100644 index c1704cb..0000000 --- a/node_modules/core-js/modules/esnext.array.last-item.js +++ /dev/null @@ -1,27 +0,0 @@ -'use strict'; -// TODO: Remove from `core-js@4` -var DESCRIPTORS = require('../internals/descriptors'); -var addToUnscopables = require('../internals/add-to-unscopables'); -var toObject = require('../internals/to-object'); -var lengthOfArrayLike = require('../internals/length-of-array-like'); -var defineBuiltInAccessor = require('../internals/define-built-in-accessor'); - -// `Array.prototype.lastIndex` accessor -// https://github.com/keithamus/proposal-array-last -if (DESCRIPTORS) { - defineBuiltInAccessor(Array.prototype, 'lastItem', { - configurable: true, - get: function lastItem() { - var O = toObject(this); - var len = lengthOfArrayLike(O); - return len === 0 ? undefined : O[len - 1]; - }, - set: function lastItem(value) { - var O = toObject(this); - var len = lengthOfArrayLike(O); - return O[len === 0 ? 0 : len - 1] = value; - } - }); - - addToUnscopables('lastItem'); -} diff --git a/node_modules/core-js/modules/esnext.array.to-reversed.js b/node_modules/core-js/modules/esnext.array.to-reversed.js deleted file mode 100644 index 258a90a..0000000 --- a/node_modules/core-js/modules/esnext.array.to-reversed.js +++ /dev/null @@ -1,3 +0,0 @@ -'use strict'; -// TODO: Remove from `core-js@4` -require('../modules/es.array.to-reversed'); diff --git a/node_modules/core-js/modules/esnext.array.to-sorted.js b/node_modules/core-js/modules/esnext.array.to-sorted.js deleted file mode 100644 index 4ef39e5..0000000 --- a/node_modules/core-js/modules/esnext.array.to-sorted.js +++ /dev/null @@ -1,3 +0,0 @@ -'use strict'; -// TODO: Remove from `core-js@4` -require('../modules/es.array.to-sorted'); diff --git a/node_modules/core-js/modules/esnext.array.to-spliced.js b/node_modules/core-js/modules/esnext.array.to-spliced.js deleted file mode 100644 index f8d18fb..0000000 --- a/node_modules/core-js/modules/esnext.array.to-spliced.js +++ /dev/null @@ -1,3 +0,0 @@ -'use strict'; -// TODO: Remove from `core-js@4` -require('../modules/es.array.to-spliced'); diff --git a/node_modules/core-js/modules/esnext.array.unique-by.js b/node_modules/core-js/modules/esnext.array.unique-by.js deleted file mode 100644 index ea8f4f9..0000000 --- a/node_modules/core-js/modules/esnext.array.unique-by.js +++ /dev/null @@ -1,12 +0,0 @@ -'use strict'; -var $ = require('../internals/export'); -var addToUnscopables = require('../internals/add-to-unscopables'); -var uniqueBy = require('../internals/array-unique-by'); - -// `Array.prototype.uniqueBy` method -// https://github.com/tc39/proposal-array-unique -$({ target: 'Array', proto: true, forced: true }, { - uniqueBy: uniqueBy -}); - -addToUnscopables('uniqueBy'); diff --git a/node_modules/core-js/modules/esnext.array.with.js b/node_modules/core-js/modules/esnext.array.with.js deleted file mode 100644 index a1e20a1..0000000 --- a/node_modules/core-js/modules/esnext.array.with.js +++ /dev/null @@ -1,3 +0,0 @@ -'use strict'; -// TODO: Remove from `core-js@4` -require('../modules/es.array.with'); diff --git a/node_modules/core-js/modules/esnext.async-disposable-stack.constructor.js b/node_modules/core-js/modules/esnext.async-disposable-stack.constructor.js deleted file mode 100644 index 0b9ca39..0000000 --- a/node_modules/core-js/modules/esnext.async-disposable-stack.constructor.js +++ /dev/null @@ -1,130 +0,0 @@ -'use strict'; -// https://github.com/tc39/proposal-async-explicit-resource-management -var $ = require('../internals/export'); -var DESCRIPTORS = require('../internals/descriptors'); -var getBuiltIn = require('../internals/get-built-in'); -var aCallable = require('../internals/a-callable'); -var anInstance = require('../internals/an-instance'); -var defineBuiltIn = require('../internals/define-built-in'); -var defineBuiltIns = require('../internals/define-built-ins'); -var defineBuiltInAccessor = require('../internals/define-built-in-accessor'); -var wellKnownSymbol = require('../internals/well-known-symbol'); -var InternalStateModule = require('../internals/internal-state'); -var addDisposableResource = require('../internals/add-disposable-resource'); - -var Promise = getBuiltIn('Promise'); -var SuppressedError = getBuiltIn('SuppressedError'); -var $ReferenceError = ReferenceError; - -var ASYNC_DISPOSE = wellKnownSymbol('asyncDispose'); -var TO_STRING_TAG = wellKnownSymbol('toStringTag'); - -var ASYNC_DISPOSABLE_STACK = 'AsyncDisposableStack'; -var setInternalState = InternalStateModule.set; -var getAsyncDisposableStackInternalState = InternalStateModule.getterFor(ASYNC_DISPOSABLE_STACK); - -var HINT = 'async-dispose'; -var DISPOSED = 'disposed'; -var PENDING = 'pending'; - -var getPendingAsyncDisposableStackInternalState = function (stack) { - var internalState = getAsyncDisposableStackInternalState(stack); - if (internalState.state === DISPOSED) throw new $ReferenceError(ASYNC_DISPOSABLE_STACK + ' already disposed'); - return internalState; -}; - -var $AsyncDisposableStack = function AsyncDisposableStack() { - setInternalState(anInstance(this, AsyncDisposableStackPrototype), { - type: ASYNC_DISPOSABLE_STACK, - state: PENDING, - stack: [] - }); - - if (!DESCRIPTORS) this.disposed = false; -}; - -var AsyncDisposableStackPrototype = $AsyncDisposableStack.prototype; - -defineBuiltIns(AsyncDisposableStackPrototype, { - disposeAsync: function disposeAsync() { - var asyncDisposableStack = this; - return new Promise(function (resolve, reject) { - var internalState = getAsyncDisposableStackInternalState(asyncDisposableStack); - if (internalState.state === DISPOSED) return resolve(undefined); - internalState.state = DISPOSED; - if (!DESCRIPTORS) asyncDisposableStack.disposed = true; - var stack = internalState.stack; - var i = stack.length; - var thrown = false; - var suppressed; - - var handleError = function (result) { - if (thrown) { - suppressed = new SuppressedError(result, suppressed); - } else { - thrown = true; - suppressed = result; - } - - loop(); - }; - - var loop = function () { - if (i) { - var disposeMethod = stack[--i]; - stack[i] = null; - try { - Promise.resolve(disposeMethod()).then(loop, handleError); - } catch (error) { - handleError(error); - } - } else { - internalState.stack = null; - thrown ? reject(suppressed) : resolve(undefined); - } - }; - - loop(); - }); - }, - use: function use(value) { - addDisposableResource(getPendingAsyncDisposableStackInternalState(this), value, HINT); - return value; - }, - adopt: function adopt(value, onDispose) { - var internalState = getPendingAsyncDisposableStackInternalState(this); - aCallable(onDispose); - addDisposableResource(internalState, undefined, HINT, function () { - return onDispose(value); - }); - return value; - }, - defer: function defer(onDispose) { - var internalState = getPendingAsyncDisposableStackInternalState(this); - aCallable(onDispose); - addDisposableResource(internalState, undefined, HINT, onDispose); - }, - move: function move() { - var internalState = getPendingAsyncDisposableStackInternalState(this); - var newAsyncDisposableStack = new $AsyncDisposableStack(); - getAsyncDisposableStackInternalState(newAsyncDisposableStack).stack = internalState.stack; - internalState.stack = []; - internalState.state = DISPOSED; - if (!DESCRIPTORS) this.disposed = true; - return newAsyncDisposableStack; - } -}); - -if (DESCRIPTORS) defineBuiltInAccessor(AsyncDisposableStackPrototype, 'disposed', { - configurable: true, - get: function disposed() { - return getAsyncDisposableStackInternalState(this).state === DISPOSED; - } -}); - -defineBuiltIn(AsyncDisposableStackPrototype, ASYNC_DISPOSE, AsyncDisposableStackPrototype.disposeAsync, { name: 'disposeAsync' }); -defineBuiltIn(AsyncDisposableStackPrototype, TO_STRING_TAG, ASYNC_DISPOSABLE_STACK, { nonWritable: true }); - -$({ global: true, constructor: true }, { - AsyncDisposableStack: $AsyncDisposableStack -}); diff --git a/node_modules/core-js/modules/esnext.async-iterator.as-indexed-pairs.js b/node_modules/core-js/modules/esnext.async-iterator.as-indexed-pairs.js deleted file mode 100644 index bd4e3d8..0000000 --- a/node_modules/core-js/modules/esnext.async-iterator.as-indexed-pairs.js +++ /dev/null @@ -1,10 +0,0 @@ -'use strict'; -// TODO: Remove from `core-js@4` -var $ = require('../internals/export'); -var indexed = require('../internals/async-iterator-indexed'); - -// `AsyncIterator.prototype.asIndexedPairs` method -// https://github.com/tc39/proposal-iterator-helpers -$({ target: 'AsyncIterator', name: 'indexed', proto: true, real: true, forced: true }, { - asIndexedPairs: indexed -}); diff --git a/node_modules/core-js/modules/esnext.async-iterator.async-dispose.js b/node_modules/core-js/modules/esnext.async-iterator.async-dispose.js deleted file mode 100644 index d6c1cd1..0000000 --- a/node_modules/core-js/modules/esnext.async-iterator.async-dispose.js +++ /dev/null @@ -1,26 +0,0 @@ -'use strict'; -// https://github.com/tc39/proposal-async-explicit-resource-management -var call = require('../internals/function-call'); -var defineBuiltIn = require('../internals/define-built-in'); -var getBuiltIn = require('../internals/get-built-in'); -var getMethod = require('../internals/get-method'); -var hasOwn = require('../internals/has-own-property'); -var wellKnownSymbol = require('../internals/well-known-symbol'); -var AsyncIteratorPrototype = require('../internals/async-iterator-prototype'); - -var ASYNC_DISPOSE = wellKnownSymbol('asyncDispose'); -var Promise = getBuiltIn('Promise'); - -if (!hasOwn(AsyncIteratorPrototype, ASYNC_DISPOSE)) { - defineBuiltIn(AsyncIteratorPrototype, ASYNC_DISPOSE, function () { - var O = this; - return new Promise(function (resolve, reject) { - var $return = getMethod(O, 'return'); - if ($return) { - Promise.resolve(call($return, O)).then(function () { - resolve(undefined); - }, reject); - } else resolve(undefined); - }); - }); -} diff --git a/node_modules/core-js/modules/esnext.async-iterator.constructor.js b/node_modules/core-js/modules/esnext.async-iterator.constructor.js deleted file mode 100644 index b82b373..0000000 --- a/node_modules/core-js/modules/esnext.async-iterator.constructor.js +++ /dev/null @@ -1,34 +0,0 @@ -'use strict'; -var $ = require('../internals/export'); -var anInstance = require('../internals/an-instance'); -var getPrototypeOf = require('../internals/object-get-prototype-of'); -var createNonEnumerableProperty = require('../internals/create-non-enumerable-property'); -var hasOwn = require('../internals/has-own-property'); -var wellKnownSymbol = require('../internals/well-known-symbol'); -var AsyncIteratorPrototype = require('../internals/async-iterator-prototype'); -var IS_PURE = require('../internals/is-pure'); - -var TO_STRING_TAG = wellKnownSymbol('toStringTag'); - -var $TypeError = TypeError; - -var AsyncIteratorConstructor = function AsyncIterator() { - anInstance(this, AsyncIteratorPrototype); - if (getPrototypeOf(this) === AsyncIteratorPrototype) throw new $TypeError('Abstract class AsyncIterator not directly constructable'); -}; - -AsyncIteratorConstructor.prototype = AsyncIteratorPrototype; - -if (!hasOwn(AsyncIteratorPrototype, TO_STRING_TAG)) { - createNonEnumerableProperty(AsyncIteratorPrototype, TO_STRING_TAG, 'AsyncIterator'); -} - -if (IS_PURE || !hasOwn(AsyncIteratorPrototype, 'constructor') || AsyncIteratorPrototype.constructor === Object) { - createNonEnumerableProperty(AsyncIteratorPrototype, 'constructor', AsyncIteratorConstructor); -} - -// `AsyncIterator` constructor -// https://github.com/tc39/proposal-async-iterator-helpers -$({ global: true, constructor: true, forced: IS_PURE }, { - AsyncIterator: AsyncIteratorConstructor -}); diff --git a/node_modules/core-js/modules/esnext.async-iterator.drop.js b/node_modules/core-js/modules/esnext.async-iterator.drop.js deleted file mode 100644 index f6535ba..0000000 --- a/node_modules/core-js/modules/esnext.async-iterator.drop.js +++ /dev/null @@ -1,51 +0,0 @@ -'use strict'; -var $ = require('../internals/export'); -var call = require('../internals/function-call'); -var anObject = require('../internals/an-object'); -var getIteratorDirect = require('../internals/get-iterator-direct'); -var notANaN = require('../internals/not-a-nan'); -var toPositiveInteger = require('../internals/to-positive-integer'); -var createAsyncIteratorProxy = require('../internals/async-iterator-create-proxy'); -var createIterResultObject = require('../internals/create-iter-result-object'); -var IS_PURE = require('../internals/is-pure'); - -var AsyncIteratorProxy = createAsyncIteratorProxy(function (Promise) { - var state = this; - - return new Promise(function (resolve, reject) { - var doneAndReject = function (error) { - state.done = true; - reject(error); - }; - - var loop = function () { - try { - Promise.resolve(anObject(call(state.next, state.iterator))).then(function (step) { - try { - if (anObject(step).done) { - state.done = true; - resolve(createIterResultObject(undefined, true)); - } else if (state.remaining) { - state.remaining--; - loop(); - } else resolve(createIterResultObject(step.value, false)); - } catch (err) { doneAndReject(err); } - }, doneAndReject); - } catch (error) { doneAndReject(error); } - }; - - loop(); - }); -}); - -// `AsyncIterator.prototype.drop` method -// https://github.com/tc39/proposal-async-iterator-helpers -$({ target: 'AsyncIterator', proto: true, real: true, forced: IS_PURE }, { - drop: function drop(limit) { - anObject(this); - var remaining = toPositiveInteger(notANaN(+limit)); - return new AsyncIteratorProxy(getIteratorDirect(this), { - remaining: remaining - }); - } -}); diff --git a/node_modules/core-js/modules/esnext.async-iterator.every.js b/node_modules/core-js/modules/esnext.async-iterator.every.js deleted file mode 100644 index f8a7773..0000000 --- a/node_modules/core-js/modules/esnext.async-iterator.every.js +++ /dev/null @@ -1,11 +0,0 @@ -'use strict'; -var $ = require('../internals/export'); -var $every = require('../internals/async-iterator-iteration').every; - -// `AsyncIterator.prototype.every` method -// https://github.com/tc39/proposal-async-iterator-helpers -$({ target: 'AsyncIterator', proto: true, real: true }, { - every: function every(predicate) { - return $every(this, predicate); - } -}); diff --git a/node_modules/core-js/modules/esnext.async-iterator.filter.js b/node_modules/core-js/modules/esnext.async-iterator.filter.js deleted file mode 100644 index 1455504..0000000 --- a/node_modules/core-js/modules/esnext.async-iterator.filter.js +++ /dev/null @@ -1,67 +0,0 @@ -'use strict'; -var $ = require('../internals/export'); -var call = require('../internals/function-call'); -var aCallable = require('../internals/a-callable'); -var anObject = require('../internals/an-object'); -var isObject = require('../internals/is-object'); -var getIteratorDirect = require('../internals/get-iterator-direct'); -var createAsyncIteratorProxy = require('../internals/async-iterator-create-proxy'); -var createIterResultObject = require('../internals/create-iter-result-object'); -var closeAsyncIteration = require('../internals/async-iterator-close'); -var IS_PURE = require('../internals/is-pure'); - -var AsyncIteratorProxy = createAsyncIteratorProxy(function (Promise) { - var state = this; - var iterator = state.iterator; - var predicate = state.predicate; - - return new Promise(function (resolve, reject) { - var doneAndReject = function (error) { - state.done = true; - reject(error); - }; - - var ifAbruptCloseAsyncIterator = function (error) { - closeAsyncIteration(iterator, doneAndReject, error, doneAndReject); - }; - - var loop = function () { - try { - Promise.resolve(anObject(call(state.next, iterator))).then(function (step) { - try { - if (anObject(step).done) { - state.done = true; - resolve(createIterResultObject(undefined, true)); - } else { - var value = step.value; - try { - var result = predicate(value, state.counter++); - - var handler = function (selected) { - selected ? resolve(createIterResultObject(value, false)) : loop(); - }; - - if (isObject(result)) Promise.resolve(result).then(handler, ifAbruptCloseAsyncIterator); - else handler(result); - } catch (error3) { ifAbruptCloseAsyncIterator(error3); } - } - } catch (error2) { doneAndReject(error2); } - }, doneAndReject); - } catch (error) { doneAndReject(error); } - }; - - loop(); - }); -}); - -// `AsyncIterator.prototype.filter` method -// https://github.com/tc39/proposal-async-iterator-helpers -$({ target: 'AsyncIterator', proto: true, real: true, forced: IS_PURE }, { - filter: function filter(predicate) { - anObject(this); - aCallable(predicate); - return new AsyncIteratorProxy(getIteratorDirect(this), { - predicate: predicate - }); - } -}); diff --git a/node_modules/core-js/modules/esnext.async-iterator.find.js b/node_modules/core-js/modules/esnext.async-iterator.find.js deleted file mode 100644 index beb6946..0000000 --- a/node_modules/core-js/modules/esnext.async-iterator.find.js +++ /dev/null @@ -1,11 +0,0 @@ -'use strict'; -var $ = require('../internals/export'); -var $find = require('../internals/async-iterator-iteration').find; - -// `AsyncIterator.prototype.find` method -// https://github.com/tc39/proposal-async-iterator-helpers -$({ target: 'AsyncIterator', proto: true, real: true }, { - find: function find(predicate) { - return $find(this, predicate); - } -}); diff --git a/node_modules/core-js/modules/esnext.async-iterator.flat-map.js b/node_modules/core-js/modules/esnext.async-iterator.flat-map.js deleted file mode 100644 index 50195b6..0000000 --- a/node_modules/core-js/modules/esnext.async-iterator.flat-map.js +++ /dev/null @@ -1,88 +0,0 @@ -'use strict'; -var $ = require('../internals/export'); -var call = require('../internals/function-call'); -var aCallable = require('../internals/a-callable'); -var anObject = require('../internals/an-object'); -var isObject = require('../internals/is-object'); -var getIteratorDirect = require('../internals/get-iterator-direct'); -var createAsyncIteratorProxy = require('../internals/async-iterator-create-proxy'); -var createIterResultObject = require('../internals/create-iter-result-object'); -var getAsyncIteratorFlattenable = require('../internals/get-async-iterator-flattenable'); -var closeAsyncIteration = require('../internals/async-iterator-close'); -var IS_PURE = require('../internals/is-pure'); - -var AsyncIteratorProxy = createAsyncIteratorProxy(function (Promise) { - var state = this; - var iterator = state.iterator; - var mapper = state.mapper; - - return new Promise(function (resolve, reject) { - var doneAndReject = function (error) { - state.done = true; - reject(error); - }; - - var ifAbruptCloseAsyncIterator = function (error) { - closeAsyncIteration(iterator, doneAndReject, error, doneAndReject); - }; - - var outerLoop = function () { - try { - Promise.resolve(anObject(call(state.next, iterator))).then(function (step) { - try { - if (anObject(step).done) { - state.done = true; - resolve(createIterResultObject(undefined, true)); - } else { - var value = step.value; - try { - var result = mapper(value, state.counter++); - - var handler = function (mapped) { - try { - state.inner = getAsyncIteratorFlattenable(mapped); - innerLoop(); - } catch (error4) { ifAbruptCloseAsyncIterator(error4); } - }; - - if (isObject(result)) Promise.resolve(result).then(handler, ifAbruptCloseAsyncIterator); - else handler(result); - } catch (error3) { ifAbruptCloseAsyncIterator(error3); } - } - } catch (error2) { doneAndReject(error2); } - }, doneAndReject); - } catch (error) { doneAndReject(error); } - }; - - var innerLoop = function () { - var inner = state.inner; - if (inner) { - try { - Promise.resolve(anObject(call(inner.next, inner.iterator))).then(function (result) { - try { - if (anObject(result).done) { - state.inner = null; - outerLoop(); - } else resolve(createIterResultObject(result.value, false)); - } catch (error1) { ifAbruptCloseAsyncIterator(error1); } - }, ifAbruptCloseAsyncIterator); - } catch (error) { ifAbruptCloseAsyncIterator(error); } - } else outerLoop(); - }; - - innerLoop(); - }); -}); - -// `AsyncIterator.prototype.flaMap` method -// https://github.com/tc39/proposal-async-iterator-helpers -$({ target: 'AsyncIterator', proto: true, real: true, forced: IS_PURE }, { - flatMap: function flatMap(mapper) { - anObject(this); - aCallable(mapper); - return new AsyncIteratorProxy(getIteratorDirect(this), { - mapper: mapper, - inner: null - }); - } -}); diff --git a/node_modules/core-js/modules/esnext.async-iterator.for-each.js b/node_modules/core-js/modules/esnext.async-iterator.for-each.js deleted file mode 100644 index c56ad13..0000000 --- a/node_modules/core-js/modules/esnext.async-iterator.for-each.js +++ /dev/null @@ -1,11 +0,0 @@ -'use strict'; -var $ = require('../internals/export'); -var $forEach = require('../internals/async-iterator-iteration').forEach; - -// `AsyncIterator.prototype.forEach` method -// https://github.com/tc39/proposal-async-iterator-helpers -$({ target: 'AsyncIterator', proto: true, real: true }, { - forEach: function forEach(fn) { - return $forEach(this, fn); - } -}); diff --git a/node_modules/core-js/modules/esnext.async-iterator.from.js b/node_modules/core-js/modules/esnext.async-iterator.from.js deleted file mode 100644 index 8eed980..0000000 --- a/node_modules/core-js/modules/esnext.async-iterator.from.js +++ /dev/null @@ -1,19 +0,0 @@ -'use strict'; -var $ = require('../internals/export'); -var toObject = require('../internals/to-object'); -var isPrototypeOf = require('../internals/object-is-prototype-of'); -var getAsyncIteratorFlattenable = require('../internals/get-async-iterator-flattenable'); -var AsyncIteratorPrototype = require('../internals/async-iterator-prototype'); -var WrapAsyncIterator = require('../internals/async-iterator-wrap'); -var IS_PURE = require('../internals/is-pure'); - -// `AsyncIterator.from` method -// https://github.com/tc39/proposal-async-iterator-helpers -$({ target: 'AsyncIterator', stat: true, forced: IS_PURE }, { - from: function from(O) { - var iteratorRecord = getAsyncIteratorFlattenable(typeof O == 'string' ? toObject(O) : O); - return isPrototypeOf(AsyncIteratorPrototype, iteratorRecord.iterator) - ? iteratorRecord.iterator - : new WrapAsyncIterator(iteratorRecord); - } -}); diff --git a/node_modules/core-js/modules/esnext.async-iterator.indexed.js b/node_modules/core-js/modules/esnext.async-iterator.indexed.js deleted file mode 100644 index 6601822..0000000 --- a/node_modules/core-js/modules/esnext.async-iterator.indexed.js +++ /dev/null @@ -1,10 +0,0 @@ -'use strict'; -// TODO: Remove from `core-js@4` -var $ = require('../internals/export'); -var indexed = require('../internals/async-iterator-indexed'); - -// `AsyncIterator.prototype.indexed` method -// https://github.com/tc39/proposal-iterator-helpers -$({ target: 'AsyncIterator', proto: true, real: true, forced: true }, { - indexed: indexed -}); diff --git a/node_modules/core-js/modules/esnext.async-iterator.map.js b/node_modules/core-js/modules/esnext.async-iterator.map.js deleted file mode 100644 index da1a330..0000000 --- a/node_modules/core-js/modules/esnext.async-iterator.map.js +++ /dev/null @@ -1,11 +0,0 @@ -'use strict'; -var $ = require('../internals/export'); -var map = require('../internals/async-iterator-map'); -var IS_PURE = require('../internals/is-pure'); - -// `AsyncIterator.prototype.map` method -// https://github.com/tc39/proposal-async-iterator-helpers -$({ target: 'AsyncIterator', proto: true, real: true, forced: IS_PURE }, { - map: map -}); - diff --git a/node_modules/core-js/modules/esnext.async-iterator.reduce.js b/node_modules/core-js/modules/esnext.async-iterator.reduce.js deleted file mode 100644 index b417a51..0000000 --- a/node_modules/core-js/modules/esnext.async-iterator.reduce.js +++ /dev/null @@ -1,65 +0,0 @@ -'use strict'; -var $ = require('../internals/export'); -var call = require('../internals/function-call'); -var aCallable = require('../internals/a-callable'); -var anObject = require('../internals/an-object'); -var isObject = require('../internals/is-object'); -var getBuiltIn = require('../internals/get-built-in'); -var getIteratorDirect = require('../internals/get-iterator-direct'); -var closeAsyncIteration = require('../internals/async-iterator-close'); - -var Promise = getBuiltIn('Promise'); -var $TypeError = TypeError; - -// `AsyncIterator.prototype.reduce` method -// https://github.com/tc39/proposal-async-iterator-helpers -$({ target: 'AsyncIterator', proto: true, real: true }, { - reduce: function reduce(reducer /* , initialValue */) { - anObject(this); - aCallable(reducer); - var record = getIteratorDirect(this); - var iterator = record.iterator; - var next = record.next; - var noInitial = arguments.length < 2; - var accumulator = noInitial ? undefined : arguments[1]; - var counter = 0; - - return new Promise(function (resolve, reject) { - var ifAbruptCloseAsyncIterator = function (error) { - closeAsyncIteration(iterator, reject, error, reject); - }; - - var loop = function () { - try { - Promise.resolve(anObject(call(next, iterator))).then(function (step) { - try { - if (anObject(step).done) { - noInitial ? reject(new $TypeError('Reduce of empty iterator with no initial value')) : resolve(accumulator); - } else { - var value = step.value; - if (noInitial) { - noInitial = false; - accumulator = value; - loop(); - } else try { - var result = reducer(accumulator, value, counter); - - var handler = function ($result) { - accumulator = $result; - loop(); - }; - - if (isObject(result)) Promise.resolve(result).then(handler, ifAbruptCloseAsyncIterator); - else handler(result); - } catch (error3) { ifAbruptCloseAsyncIterator(error3); } - } - counter++; - } catch (error2) { reject(error2); } - }, reject); - } catch (error) { reject(error); } - }; - - loop(); - }); - } -}); diff --git a/node_modules/core-js/modules/esnext.async-iterator.some.js b/node_modules/core-js/modules/esnext.async-iterator.some.js deleted file mode 100644 index 1dc324d..0000000 --- a/node_modules/core-js/modules/esnext.async-iterator.some.js +++ /dev/null @@ -1,11 +0,0 @@ -'use strict'; -var $ = require('../internals/export'); -var $some = require('../internals/async-iterator-iteration').some; - -// `AsyncIterator.prototype.some` method -// https://github.com/tc39/proposal-async-iterator-helpers -$({ target: 'AsyncIterator', proto: true, real: true }, { - some: function some(predicate) { - return $some(this, predicate); - } -}); diff --git a/node_modules/core-js/modules/esnext.async-iterator.take.js b/node_modules/core-js/modules/esnext.async-iterator.take.js deleted file mode 100644 index 977feba..0000000 --- a/node_modules/core-js/modules/esnext.async-iterator.take.js +++ /dev/null @@ -1,48 +0,0 @@ -'use strict'; -var $ = require('../internals/export'); -var call = require('../internals/function-call'); -var anObject = require('../internals/an-object'); -var getIteratorDirect = require('../internals/get-iterator-direct'); -var notANaN = require('../internals/not-a-nan'); -var toPositiveInteger = require('../internals/to-positive-integer'); -var createAsyncIteratorProxy = require('../internals/async-iterator-create-proxy'); -var createIterResultObject = require('../internals/create-iter-result-object'); -var IS_PURE = require('../internals/is-pure'); - -var AsyncIteratorProxy = createAsyncIteratorProxy(function (Promise) { - var state = this; - var iterator = state.iterator; - var returnMethod; - - if (!state.remaining--) { - var resultDone = createIterResultObject(undefined, true); - state.done = true; - returnMethod = iterator['return']; - if (returnMethod !== undefined) { - return Promise.resolve(call(returnMethod, iterator, undefined)).then(function () { - return resultDone; - }); - } - return resultDone; - } return Promise.resolve(call(state.next, iterator)).then(function (step) { - if (anObject(step).done) { - state.done = true; - return createIterResultObject(undefined, true); - } return createIterResultObject(step.value, false); - }).then(null, function (error) { - state.done = true; - throw error; - }); -}); - -// `AsyncIterator.prototype.take` method -// https://github.com/tc39/proposal-async-iterator-helpers -$({ target: 'AsyncIterator', proto: true, real: true, forced: IS_PURE }, { - take: function take(limit) { - anObject(this); - var remaining = toPositiveInteger(notANaN(+limit)); - return new AsyncIteratorProxy(getIteratorDirect(this), { - remaining: remaining - }); - } -}); diff --git a/node_modules/core-js/modules/esnext.async-iterator.to-array.js b/node_modules/core-js/modules/esnext.async-iterator.to-array.js deleted file mode 100644 index 4476457..0000000 --- a/node_modules/core-js/modules/esnext.async-iterator.to-array.js +++ /dev/null @@ -1,11 +0,0 @@ -'use strict'; -var $ = require('../internals/export'); -var $toArray = require('../internals/async-iterator-iteration').toArray; - -// `AsyncIterator.prototype.toArray` method -// https://github.com/tc39/proposal-async-iterator-helpers -$({ target: 'AsyncIterator', proto: true, real: true }, { - toArray: function toArray() { - return $toArray(this, undefined, []); - } -}); diff --git a/node_modules/core-js/modules/esnext.bigint.range.js b/node_modules/core-js/modules/esnext.bigint.range.js deleted file mode 100644 index 1e86869..0000000 --- a/node_modules/core-js/modules/esnext.bigint.range.js +++ /dev/null @@ -1,15 +0,0 @@ -'use strict'; -/* eslint-disable es/no-bigint -- safe */ -var $ = require('../internals/export'); -var NumericRangeIterator = require('../internals/numeric-range-iterator'); - -// `BigInt.range` method -// https://github.com/tc39/proposal-Number.range -// TODO: Remove from `core-js@4` -if (typeof BigInt == 'function') { - $({ target: 'BigInt', stat: true, forced: true }, { - range: function range(start, end, option) { - return new NumericRangeIterator(start, end, option, 'bigint', BigInt(0), BigInt(1)); - } - }); -} diff --git a/node_modules/core-js/modules/esnext.composite-key.js b/node_modules/core-js/modules/esnext.composite-key.js deleted file mode 100644 index 5eeacfb..0000000 --- a/node_modules/core-js/modules/esnext.composite-key.js +++ /dev/null @@ -1,20 +0,0 @@ -'use strict'; -var $ = require('../internals/export'); -var apply = require('../internals/function-apply'); -var getCompositeKeyNode = require('../internals/composite-key'); -var getBuiltIn = require('../internals/get-built-in'); -var create = require('../internals/object-create'); - -var $Object = Object; - -var initializer = function () { - var freeze = getBuiltIn('Object', 'freeze'); - return freeze ? freeze(create(null)) : create(null); -}; - -// https://github.com/tc39/proposal-richer-keys/tree/master/compositeKey -$({ global: true, forced: true }, { - compositeKey: function compositeKey() { - return apply(getCompositeKeyNode, $Object, arguments).get('object', initializer); - } -}); diff --git a/node_modules/core-js/modules/esnext.composite-symbol.js b/node_modules/core-js/modules/esnext.composite-symbol.js deleted file mode 100644 index 93f5a08..0000000 --- a/node_modules/core-js/modules/esnext.composite-symbol.js +++ /dev/null @@ -1,13 +0,0 @@ -'use strict'; -var $ = require('../internals/export'); -var getCompositeKeyNode = require('../internals/composite-key'); -var getBuiltIn = require('../internals/get-built-in'); -var apply = require('../internals/function-apply'); - -// https://github.com/tc39/proposal-richer-keys/tree/master/compositeKey -$({ global: true, forced: true }, { - compositeSymbol: function compositeSymbol() { - if (arguments.length === 1 && typeof arguments[0] == 'string') return getBuiltIn('Symbol')['for'](arguments[0]); - return apply(getCompositeKeyNode, null, arguments).get('symbol', getBuiltIn('Symbol')); - } -}); diff --git a/node_modules/core-js/modules/esnext.data-view.get-float16.js b/node_modules/core-js/modules/esnext.data-view.get-float16.js deleted file mode 100644 index eac608c..0000000 --- a/node_modules/core-js/modules/esnext.data-view.get-float16.js +++ /dev/null @@ -1,16 +0,0 @@ -'use strict'; -var $ = require('../internals/export'); -var uncurryThis = require('../internals/function-uncurry-this'); -var unpackIEEE754 = require('../internals/ieee754').unpack; - -// eslint-disable-next-line es/no-typed-arrays -- safe -var getUint16 = uncurryThis(DataView.prototype.getUint16); - -// `DataView.prototype.getFloat16` method -// https://github.com/tc39/proposal-float16array -$({ target: 'DataView', proto: true }, { - getFloat16: function getFloat16(byteOffset /* , littleEndian */) { - var uint16 = getUint16(this, byteOffset, arguments.length > 1 ? arguments[1] : false); - return unpackIEEE754([uint16 & 0xFF, uint16 >> 8 & 0xFF], 10); - } -}); diff --git a/node_modules/core-js/modules/esnext.data-view.get-uint8-clamped.js b/node_modules/core-js/modules/esnext.data-view.get-uint8-clamped.js deleted file mode 100644 index a292082..0000000 --- a/node_modules/core-js/modules/esnext.data-view.get-uint8-clamped.js +++ /dev/null @@ -1,14 +0,0 @@ -'use strict'; -var $ = require('../internals/export'); -var uncurryThis = require('../internals/function-uncurry-this'); - -// eslint-disable-next-line es/no-typed-arrays -- safe -var getUint8 = uncurryThis(DataView.prototype.getUint8); - -// `DataView.prototype.getUint8Clamped` method -// https://github.com/tc39/proposal-dataview-get-set-uint8clamped -$({ target: 'DataView', proto: true, forced: true }, { - getUint8Clamped: function getUint8Clamped(byteOffset) { - return getUint8(this, byteOffset); - } -}); diff --git a/node_modules/core-js/modules/esnext.data-view.set-float16.js b/node_modules/core-js/modules/esnext.data-view.set-float16.js deleted file mode 100644 index 28d0862..0000000 --- a/node_modules/core-js/modules/esnext.data-view.set-float16.js +++ /dev/null @@ -1,21 +0,0 @@ -'use strict'; -var $ = require('../internals/export'); -var uncurryThis = require('../internals/function-uncurry-this'); -var aDataView = require('../internals/a-data-view'); -var toIndex = require('../internals/to-index'); -var packIEEE754 = require('../internals/ieee754').pack; -var f16round = require('../internals/math-f16round'); - -// eslint-disable-next-line es/no-typed-arrays -- safe -var setUint16 = uncurryThis(DataView.prototype.setUint16); - -// `DataView.prototype.setFloat16` method -// https://github.com/tc39/proposal-float16array -$({ target: 'DataView', proto: true }, { - setFloat16: function setFloat16(byteOffset, value /* , littleEndian */) { - aDataView(this); - var offset = toIndex(byteOffset); - var bytes = packIEEE754(f16round(value), 10, 2); - return setUint16(this, offset, bytes[1] << 8 | bytes[0], arguments.length > 2 ? arguments[2] : false); - } -}); diff --git a/node_modules/core-js/modules/esnext.data-view.set-uint8-clamped.js b/node_modules/core-js/modules/esnext.data-view.set-uint8-clamped.js deleted file mode 100644 index ec60716..0000000 --- a/node_modules/core-js/modules/esnext.data-view.set-uint8-clamped.js +++ /dev/null @@ -1,19 +0,0 @@ -'use strict'; -var $ = require('../internals/export'); -var uncurryThis = require('../internals/function-uncurry-this'); -var aDataView = require('../internals/a-data-view'); -var toIndex = require('../internals/to-index'); -var toUint8Clamped = require('../internals/to-uint8-clamped'); - -// eslint-disable-next-line es/no-typed-arrays -- safe -var setUint8 = uncurryThis(DataView.prototype.setUint8); - -// `DataView.prototype.setUint8Clamped` method -// https://github.com/tc39/proposal-dataview-get-set-uint8clamped -$({ target: 'DataView', proto: true, forced: true }, { - setUint8Clamped: function setUint8Clamped(byteOffset, value) { - aDataView(this); - var offset = toIndex(byteOffset); - return setUint8(this, offset, toUint8Clamped(value)); - } -}); diff --git a/node_modules/core-js/modules/esnext.disposable-stack.constructor.js b/node_modules/core-js/modules/esnext.disposable-stack.constructor.js deleted file mode 100644 index 435e21f..0000000 --- a/node_modules/core-js/modules/esnext.disposable-stack.constructor.js +++ /dev/null @@ -1,114 +0,0 @@ -'use strict'; -// https://github.com/tc39/proposal-explicit-resource-management -var $ = require('../internals/export'); -var DESCRIPTORS = require('../internals/descriptors'); -var getBuiltIn = require('../internals/get-built-in'); -var aCallable = require('../internals/a-callable'); -var anInstance = require('../internals/an-instance'); -var defineBuiltIn = require('../internals/define-built-in'); -var defineBuiltIns = require('../internals/define-built-ins'); -var defineBuiltInAccessor = require('../internals/define-built-in-accessor'); -var wellKnownSymbol = require('../internals/well-known-symbol'); -var InternalStateModule = require('../internals/internal-state'); -var addDisposableResource = require('../internals/add-disposable-resource'); - -var SuppressedError = getBuiltIn('SuppressedError'); -var $ReferenceError = ReferenceError; - -var DISPOSE = wellKnownSymbol('dispose'); -var TO_STRING_TAG = wellKnownSymbol('toStringTag'); - -var DISPOSABLE_STACK = 'DisposableStack'; -var setInternalState = InternalStateModule.set; -var getDisposableStackInternalState = InternalStateModule.getterFor(DISPOSABLE_STACK); - -var HINT = 'sync-dispose'; -var DISPOSED = 'disposed'; -var PENDING = 'pending'; - -var getPendingDisposableStackInternalState = function (stack) { - var internalState = getDisposableStackInternalState(stack); - if (internalState.state === DISPOSED) throw new $ReferenceError(DISPOSABLE_STACK + ' already disposed'); - return internalState; -}; - -var $DisposableStack = function DisposableStack() { - setInternalState(anInstance(this, DisposableStackPrototype), { - type: DISPOSABLE_STACK, - state: PENDING, - stack: [] - }); - - if (!DESCRIPTORS) this.disposed = false; -}; - -var DisposableStackPrototype = $DisposableStack.prototype; - -defineBuiltIns(DisposableStackPrototype, { - dispose: function dispose() { - var internalState = getDisposableStackInternalState(this); - if (internalState.state === DISPOSED) return; - internalState.state = DISPOSED; - if (!DESCRIPTORS) this.disposed = true; - var stack = internalState.stack; - var i = stack.length; - var thrown = false; - var suppressed; - while (i) { - var disposeMethod = stack[--i]; - stack[i] = null; - try { - disposeMethod(); - } catch (errorResult) { - if (thrown) { - suppressed = new SuppressedError(errorResult, suppressed); - } else { - thrown = true; - suppressed = errorResult; - } - } - } - internalState.stack = null; - if (thrown) throw suppressed; - }, - use: function use(value) { - addDisposableResource(getPendingDisposableStackInternalState(this), value, HINT); - return value; - }, - adopt: function adopt(value, onDispose) { - var internalState = getPendingDisposableStackInternalState(this); - aCallable(onDispose); - addDisposableResource(internalState, undefined, HINT, function () { - onDispose(value); - }); - return value; - }, - defer: function defer(onDispose) { - var internalState = getPendingDisposableStackInternalState(this); - aCallable(onDispose); - addDisposableResource(internalState, undefined, HINT, onDispose); - }, - move: function move() { - var internalState = getPendingDisposableStackInternalState(this); - var newDisposableStack = new $DisposableStack(); - getDisposableStackInternalState(newDisposableStack).stack = internalState.stack; - internalState.stack = []; - internalState.state = DISPOSED; - if (!DESCRIPTORS) this.disposed = true; - return newDisposableStack; - } -}); - -if (DESCRIPTORS) defineBuiltInAccessor(DisposableStackPrototype, 'disposed', { - configurable: true, - get: function disposed() { - return getDisposableStackInternalState(this).state === DISPOSED; - } -}); - -defineBuiltIn(DisposableStackPrototype, DISPOSE, DisposableStackPrototype.dispose, { name: 'dispose' }); -defineBuiltIn(DisposableStackPrototype, TO_STRING_TAG, DISPOSABLE_STACK, { nonWritable: true }); - -$({ global: true, constructor: true }, { - DisposableStack: $DisposableStack -}); diff --git a/node_modules/core-js/modules/esnext.function.demethodize.js b/node_modules/core-js/modules/esnext.function.demethodize.js deleted file mode 100644 index 2e17f65..0000000 --- a/node_modules/core-js/modules/esnext.function.demethodize.js +++ /dev/null @@ -1,9 +0,0 @@ -'use strict'; -var $ = require('../internals/export'); -var demethodize = require('../internals/function-demethodize'); - -// `Function.prototype.demethodize` method -// https://github.com/js-choi/proposal-function-demethodize -$({ target: 'Function', proto: true, forced: true }, { - demethodize: demethodize -}); diff --git a/node_modules/core-js/modules/esnext.function.is-callable.js b/node_modules/core-js/modules/esnext.function.is-callable.js deleted file mode 100644 index 6dac60c..0000000 --- a/node_modules/core-js/modules/esnext.function.is-callable.js +++ /dev/null @@ -1,30 +0,0 @@ -'use strict'; -var $ = require('../internals/export'); -var uncurryThis = require('../internals/function-uncurry-this'); -var $isCallable = require('../internals/is-callable'); -var inspectSource = require('../internals/inspect-source'); -var hasOwn = require('../internals/has-own-property'); -var DESCRIPTORS = require('../internals/descriptors'); - -// eslint-disable-next-line es/no-object-getownpropertydescriptor -- safe -var getOwnPropertyDescriptor = Object.getOwnPropertyDescriptor; -var classRegExp = /^\s*class\b/; -var exec = uncurryThis(classRegExp.exec); - -var isClassConstructor = function (argument) { - try { - // `Function#toString` throws on some built-it function in some legacy engines - // (for example, `DOMQuad` and similar in FF41-) - if (!DESCRIPTORS || !exec(classRegExp, inspectSource(argument))) return false; - } catch (error) { /* empty */ } - var prototype = getOwnPropertyDescriptor(argument, 'prototype'); - return !!prototype && hasOwn(prototype, 'writable') && !prototype.writable; -}; - -// `Function.isCallable` method -// https://github.com/caitp/TC39-Proposals/blob/trunk/tc39-reflect-isconstructor-iscallable.md -$({ target: 'Function', stat: true, sham: true, forced: true }, { - isCallable: function isCallable(argument) { - return $isCallable(argument) && !isClassConstructor(argument); - } -}); diff --git a/node_modules/core-js/modules/esnext.function.is-constructor.js b/node_modules/core-js/modules/esnext.function.is-constructor.js deleted file mode 100644 index 5ad81e1..0000000 --- a/node_modules/core-js/modules/esnext.function.is-constructor.js +++ /dev/null @@ -1,9 +0,0 @@ -'use strict'; -var $ = require('../internals/export'); -var isConstructor = require('../internals/is-constructor'); - -// `Function.isConstructor` method -// https://github.com/caitp/TC39-Proposals/blob/trunk/tc39-reflect-isconstructor-iscallable.md -$({ target: 'Function', stat: true, forced: true }, { - isConstructor: isConstructor -}); diff --git a/node_modules/core-js/modules/esnext.function.metadata.js b/node_modules/core-js/modules/esnext.function.metadata.js deleted file mode 100644 index 58dfa7a..0000000 --- a/node_modules/core-js/modules/esnext.function.metadata.js +++ /dev/null @@ -1,14 +0,0 @@ -'use strict'; -var wellKnownSymbol = require('../internals/well-known-symbol'); -var defineProperty = require('../internals/object-define-property').f; - -var METADATA = wellKnownSymbol('metadata'); -var FunctionPrototype = Function.prototype; - -// Function.prototype[@@metadata] -// https://github.com/tc39/proposal-decorator-metadata -if (FunctionPrototype[METADATA] === undefined) { - defineProperty(FunctionPrototype, METADATA, { - value: null - }); -} diff --git a/node_modules/core-js/modules/esnext.function.un-this.js b/node_modules/core-js/modules/esnext.function.un-this.js deleted file mode 100644 index 020539b..0000000 --- a/node_modules/core-js/modules/esnext.function.un-this.js +++ /dev/null @@ -1,10 +0,0 @@ -'use strict'; -var $ = require('../internals/export'); -var demethodize = require('../internals/function-demethodize'); - -// `Function.prototype.unThis` method -// https://github.com/js-choi/proposal-function-demethodize -// TODO: Remove from `core-js@4` -$({ target: 'Function', proto: true, forced: true, name: 'demethodize' }, { - unThis: demethodize -}); diff --git a/node_modules/core-js/modules/esnext.global-this.js b/node_modules/core-js/modules/esnext.global-this.js deleted file mode 100644 index 1115dfa..0000000 --- a/node_modules/core-js/modules/esnext.global-this.js +++ /dev/null @@ -1,3 +0,0 @@ -'use strict'; -// TODO: Remove from `core-js@4` -require('../modules/es.global-this'); diff --git a/node_modules/core-js/modules/esnext.iterator.as-indexed-pairs.js b/node_modules/core-js/modules/esnext.iterator.as-indexed-pairs.js deleted file mode 100644 index 6cc3792..0000000 --- a/node_modules/core-js/modules/esnext.iterator.as-indexed-pairs.js +++ /dev/null @@ -1,10 +0,0 @@ -'use strict'; -// TODO: Remove from `core-js@4` -var $ = require('../internals/export'); -var indexed = require('../internals/iterator-indexed'); - -// `Iterator.prototype.asIndexedPairs` method -// https://github.com/tc39/proposal-iterator-helpers -$({ target: 'Iterator', name: 'indexed', proto: true, real: true, forced: true }, { - asIndexedPairs: indexed -}); diff --git a/node_modules/core-js/modules/esnext.iterator.constructor.js b/node_modules/core-js/modules/esnext.iterator.constructor.js deleted file mode 100644 index df222d9..0000000 --- a/node_modules/core-js/modules/esnext.iterator.constructor.js +++ /dev/null @@ -1,65 +0,0 @@ -'use strict'; -var $ = require('../internals/export'); -var global = require('../internals/global'); -var anInstance = require('../internals/an-instance'); -var anObject = require('../internals/an-object'); -var isCallable = require('../internals/is-callable'); -var getPrototypeOf = require('../internals/object-get-prototype-of'); -var defineBuiltInAccessor = require('../internals/define-built-in-accessor'); -var createProperty = require('../internals/create-property'); -var fails = require('../internals/fails'); -var hasOwn = require('../internals/has-own-property'); -var wellKnownSymbol = require('../internals/well-known-symbol'); -var IteratorPrototype = require('../internals/iterators-core').IteratorPrototype; -var DESCRIPTORS = require('../internals/descriptors'); -var IS_PURE = require('../internals/is-pure'); - -var CONSTRUCTOR = 'constructor'; -var ITERATOR = 'Iterator'; -var TO_STRING_TAG = wellKnownSymbol('toStringTag'); - -var $TypeError = TypeError; -var NativeIterator = global[ITERATOR]; - -// FF56- have non-standard global helper `Iterator` -var FORCED = IS_PURE - || !isCallable(NativeIterator) - || NativeIterator.prototype !== IteratorPrototype - // FF44- non-standard `Iterator` passes previous tests - || !fails(function () { NativeIterator({}); }); - -var IteratorConstructor = function Iterator() { - anInstance(this, IteratorPrototype); - if (getPrototypeOf(this) === IteratorPrototype) throw new $TypeError('Abstract class Iterator not directly constructable'); -}; - -var defineIteratorPrototypeAccessor = function (key, value) { - if (DESCRIPTORS) { - defineBuiltInAccessor(IteratorPrototype, key, { - configurable: true, - get: function () { - return value; - }, - set: function (replacement) { - anObject(this); - if (this === IteratorPrototype) throw new $TypeError("You can't redefine this property"); - if (hasOwn(this, key)) this[key] = replacement; - else createProperty(this, key, replacement); - } - }); - } else IteratorPrototype[key] = value; -}; - -if (!hasOwn(IteratorPrototype, TO_STRING_TAG)) defineIteratorPrototypeAccessor(TO_STRING_TAG, ITERATOR); - -if (FORCED || !hasOwn(IteratorPrototype, CONSTRUCTOR) || IteratorPrototype[CONSTRUCTOR] === Object) { - defineIteratorPrototypeAccessor(CONSTRUCTOR, IteratorConstructor); -} - -IteratorConstructor.prototype = IteratorPrototype; - -// `Iterator` constructor -// https://github.com/tc39/proposal-iterator-helpers -$({ global: true, constructor: true, forced: FORCED }, { - Iterator: IteratorConstructor -}); diff --git a/node_modules/core-js/modules/esnext.iterator.dispose.js b/node_modules/core-js/modules/esnext.iterator.dispose.js deleted file mode 100644 index ac463ee..0000000 --- a/node_modules/core-js/modules/esnext.iterator.dispose.js +++ /dev/null @@ -1,17 +0,0 @@ -'use strict'; -// https://github.com/tc39/proposal-explicit-resource-management -var call = require('../internals/function-call'); -var defineBuiltIn = require('../internals/define-built-in'); -var getMethod = require('../internals/get-method'); -var hasOwn = require('../internals/has-own-property'); -var wellKnownSymbol = require('../internals/well-known-symbol'); -var IteratorPrototype = require('../internals/iterators-core').IteratorPrototype; - -var DISPOSE = wellKnownSymbol('dispose'); - -if (!hasOwn(IteratorPrototype, DISPOSE)) { - defineBuiltIn(IteratorPrototype, DISPOSE, function () { - var $return = getMethod(this, 'return'); - if ($return) call($return, this); - }); -} diff --git a/node_modules/core-js/modules/esnext.iterator.drop.js b/node_modules/core-js/modules/esnext.iterator.drop.js deleted file mode 100644 index 3e7a093..0000000 --- a/node_modules/core-js/modules/esnext.iterator.drop.js +++ /dev/null @@ -1,36 +0,0 @@ -'use strict'; -var $ = require('../internals/export'); -var call = require('../internals/function-call'); -var anObject = require('../internals/an-object'); -var getIteratorDirect = require('../internals/get-iterator-direct'); -var notANaN = require('../internals/not-a-nan'); -var toPositiveInteger = require('../internals/to-positive-integer'); -var createIteratorProxy = require('../internals/iterator-create-proxy'); -var IS_PURE = require('../internals/is-pure'); - -var IteratorProxy = createIteratorProxy(function () { - var iterator = this.iterator; - var next = this.next; - var result, done; - while (this.remaining) { - this.remaining--; - result = anObject(call(next, iterator)); - done = this.done = !!result.done; - if (done) return; - } - result = anObject(call(next, iterator)); - done = this.done = !!result.done; - if (!done) return result.value; -}); - -// `Iterator.prototype.drop` method -// https://github.com/tc39/proposal-iterator-helpers -$({ target: 'Iterator', proto: true, real: true, forced: IS_PURE }, { - drop: function drop(limit) { - anObject(this); - var remaining = toPositiveInteger(notANaN(+limit)); - return new IteratorProxy(getIteratorDirect(this), { - remaining: remaining - }); - } -}); diff --git a/node_modules/core-js/modules/esnext.iterator.every.js b/node_modules/core-js/modules/esnext.iterator.every.js deleted file mode 100644 index 32f470e..0000000 --- a/node_modules/core-js/modules/esnext.iterator.every.js +++ /dev/null @@ -1,20 +0,0 @@ -'use strict'; -var $ = require('../internals/export'); -var iterate = require('../internals/iterate'); -var aCallable = require('../internals/a-callable'); -var anObject = require('../internals/an-object'); -var getIteratorDirect = require('../internals/get-iterator-direct'); - -// `Iterator.prototype.every` method -// https://github.com/tc39/proposal-iterator-helpers -$({ target: 'Iterator', proto: true, real: true }, { - every: function every(predicate) { - anObject(this); - aCallable(predicate); - var record = getIteratorDirect(this); - var counter = 0; - return !iterate(record, function (value, stop) { - if (!predicate(value, counter++)) return stop(); - }, { IS_RECORD: true, INTERRUPTED: true }).stopped; - } -}); diff --git a/node_modules/core-js/modules/esnext.iterator.filter.js b/node_modules/core-js/modules/esnext.iterator.filter.js deleted file mode 100644 index 981d68d..0000000 --- a/node_modules/core-js/modules/esnext.iterator.filter.js +++ /dev/null @@ -1,35 +0,0 @@ -'use strict'; -var $ = require('../internals/export'); -var call = require('../internals/function-call'); -var aCallable = require('../internals/a-callable'); -var anObject = require('../internals/an-object'); -var getIteratorDirect = require('../internals/get-iterator-direct'); -var createIteratorProxy = require('../internals/iterator-create-proxy'); -var callWithSafeIterationClosing = require('../internals/call-with-safe-iteration-closing'); -var IS_PURE = require('../internals/is-pure'); - -var IteratorProxy = createIteratorProxy(function () { - var iterator = this.iterator; - var predicate = this.predicate; - var next = this.next; - var result, done, value; - while (true) { - result = anObject(call(next, iterator)); - done = this.done = !!result.done; - if (done) return; - value = result.value; - if (callWithSafeIterationClosing(iterator, predicate, [value, this.counter++], true)) return value; - } -}); - -// `Iterator.prototype.filter` method -// https://github.com/tc39/proposal-iterator-helpers -$({ target: 'Iterator', proto: true, real: true, forced: IS_PURE }, { - filter: function filter(predicate) { - anObject(this); - aCallable(predicate); - return new IteratorProxy(getIteratorDirect(this), { - predicate: predicate - }); - } -}); diff --git a/node_modules/core-js/modules/esnext.iterator.find.js b/node_modules/core-js/modules/esnext.iterator.find.js deleted file mode 100644 index 37a717b..0000000 --- a/node_modules/core-js/modules/esnext.iterator.find.js +++ /dev/null @@ -1,20 +0,0 @@ -'use strict'; -var $ = require('../internals/export'); -var iterate = require('../internals/iterate'); -var aCallable = require('../internals/a-callable'); -var anObject = require('../internals/an-object'); -var getIteratorDirect = require('../internals/get-iterator-direct'); - -// `Iterator.prototype.find` method -// https://github.com/tc39/proposal-iterator-helpers -$({ target: 'Iterator', proto: true, real: true }, { - find: function find(predicate) { - anObject(this); - aCallable(predicate); - var record = getIteratorDirect(this); - var counter = 0; - return iterate(record, function (value, stop) { - if (predicate(value, counter++)) return stop(value); - }, { IS_RECORD: true, INTERRUPTED: true }).result; - } -}); diff --git a/node_modules/core-js/modules/esnext.iterator.flat-map.js b/node_modules/core-js/modules/esnext.iterator.flat-map.js deleted file mode 100644 index 3e616ec..0000000 --- a/node_modules/core-js/modules/esnext.iterator.flat-map.js +++ /dev/null @@ -1,45 +0,0 @@ -'use strict'; -var $ = require('../internals/export'); -var call = require('../internals/function-call'); -var aCallable = require('../internals/a-callable'); -var anObject = require('../internals/an-object'); -var getIteratorDirect = require('../internals/get-iterator-direct'); -var getIteratorFlattenable = require('../internals/get-iterator-flattenable'); -var createIteratorProxy = require('../internals/iterator-create-proxy'); -var iteratorClose = require('../internals/iterator-close'); -var IS_PURE = require('../internals/is-pure'); - -var IteratorProxy = createIteratorProxy(function () { - var iterator = this.iterator; - var mapper = this.mapper; - var result, inner; - - while (true) { - if (inner = this.inner) try { - result = anObject(call(inner.next, inner.iterator)); - if (!result.done) return result.value; - this.inner = null; - } catch (error) { iteratorClose(iterator, 'throw', error); } - - result = anObject(call(this.next, iterator)); - - if (this.done = !!result.done) return; - - try { - this.inner = getIteratorFlattenable(mapper(result.value, this.counter++), false); - } catch (error) { iteratorClose(iterator, 'throw', error); } - } -}); - -// `Iterator.prototype.flatMap` method -// https://github.com/tc39/proposal-iterator-helpers -$({ target: 'Iterator', proto: true, real: true, forced: IS_PURE }, { - flatMap: function flatMap(mapper) { - anObject(this); - aCallable(mapper); - return new IteratorProxy(getIteratorDirect(this), { - mapper: mapper, - inner: null - }); - } -}); diff --git a/node_modules/core-js/modules/esnext.iterator.for-each.js b/node_modules/core-js/modules/esnext.iterator.for-each.js deleted file mode 100644 index 6fa7bc0..0000000 --- a/node_modules/core-js/modules/esnext.iterator.for-each.js +++ /dev/null @@ -1,20 +0,0 @@ -'use strict'; -var $ = require('../internals/export'); -var iterate = require('../internals/iterate'); -var aCallable = require('../internals/a-callable'); -var anObject = require('../internals/an-object'); -var getIteratorDirect = require('../internals/get-iterator-direct'); - -// `Iterator.prototype.forEach` method -// https://github.com/tc39/proposal-iterator-helpers -$({ target: 'Iterator', proto: true, real: true }, { - forEach: function forEach(fn) { - anObject(this); - aCallable(fn); - var record = getIteratorDirect(this); - var counter = 0; - iterate(record, function (value) { - fn(value, counter++); - }, { IS_RECORD: true }); - } -}); diff --git a/node_modules/core-js/modules/esnext.iterator.from.js b/node_modules/core-js/modules/esnext.iterator.from.js deleted file mode 100644 index 323db55..0000000 --- a/node_modules/core-js/modules/esnext.iterator.from.js +++ /dev/null @@ -1,24 +0,0 @@ -'use strict'; -var $ = require('../internals/export'); -var call = require('../internals/function-call'); -var toObject = require('../internals/to-object'); -var isPrototypeOf = require('../internals/object-is-prototype-of'); -var IteratorPrototype = require('../internals/iterators-core').IteratorPrototype; -var createIteratorProxy = require('../internals/iterator-create-proxy'); -var getIteratorFlattenable = require('../internals/get-iterator-flattenable'); -var IS_PURE = require('../internals/is-pure'); - -var IteratorProxy = createIteratorProxy(function () { - return call(this.next, this.iterator); -}, true); - -// `Iterator.from` method -// https://github.com/tc39/proposal-iterator-helpers -$({ target: 'Iterator', stat: true, forced: IS_PURE }, { - from: function from(O) { - var iteratorRecord = getIteratorFlattenable(typeof O == 'string' ? toObject(O) : O, true); - return isPrototypeOf(IteratorPrototype, iteratorRecord.iterator) - ? iteratorRecord.iterator - : new IteratorProxy(iteratorRecord); - } -}); diff --git a/node_modules/core-js/modules/esnext.iterator.indexed.js b/node_modules/core-js/modules/esnext.iterator.indexed.js deleted file mode 100644 index 3d44a3c..0000000 --- a/node_modules/core-js/modules/esnext.iterator.indexed.js +++ /dev/null @@ -1,10 +0,0 @@ -'use strict'; -// TODO: Remove from `core-js@4` -var $ = require('../internals/export'); -var indexed = require('../internals/iterator-indexed'); - -// `Iterator.prototype.indexed` method -// https://github.com/tc39/proposal-iterator-helpers -$({ target: 'Iterator', proto: true, real: true, forced: true }, { - indexed: indexed -}); diff --git a/node_modules/core-js/modules/esnext.iterator.map.js b/node_modules/core-js/modules/esnext.iterator.map.js deleted file mode 100644 index 1204e67..0000000 --- a/node_modules/core-js/modules/esnext.iterator.map.js +++ /dev/null @@ -1,10 +0,0 @@ -'use strict'; -var $ = require('../internals/export'); -var map = require('../internals/iterator-map'); -var IS_PURE = require('../internals/is-pure'); - -// `Iterator.prototype.map` method -// https://github.com/tc39/proposal-iterator-helpers -$({ target: 'Iterator', proto: true, real: true, forced: IS_PURE }, { - map: map -}); diff --git a/node_modules/core-js/modules/esnext.iterator.range.js b/node_modules/core-js/modules/esnext.iterator.range.js deleted file mode 100644 index 876940b..0000000 --- a/node_modules/core-js/modules/esnext.iterator.range.js +++ /dev/null @@ -1,16 +0,0 @@ -'use strict'; -/* eslint-disable es/no-bigint -- safe */ -var $ = require('../internals/export'); -var NumericRangeIterator = require('../internals/numeric-range-iterator'); - -var $TypeError = TypeError; - -// `Iterator.range` method -// https://github.com/tc39/proposal-Number.range -$({ target: 'Iterator', stat: true, forced: true }, { - range: function range(start, end, option) { - if (typeof start == 'number') return new NumericRangeIterator(start, end, option, 'number', 0, 1); - if (typeof start == 'bigint') return new NumericRangeIterator(start, end, option, 'bigint', BigInt(0), BigInt(1)); - throw new $TypeError('Incorrect Iterator.range arguments'); - } -}); diff --git a/node_modules/core-js/modules/esnext.iterator.reduce.js b/node_modules/core-js/modules/esnext.iterator.reduce.js deleted file mode 100644 index 6516a4b..0000000 --- a/node_modules/core-js/modules/esnext.iterator.reduce.js +++ /dev/null @@ -1,32 +0,0 @@ -'use strict'; -var $ = require('../internals/export'); -var iterate = require('../internals/iterate'); -var aCallable = require('../internals/a-callable'); -var anObject = require('../internals/an-object'); -var getIteratorDirect = require('../internals/get-iterator-direct'); - -var $TypeError = TypeError; - -// `Iterator.prototype.reduce` method -// https://github.com/tc39/proposal-iterator-helpers -$({ target: 'Iterator', proto: true, real: true }, { - reduce: function reduce(reducer /* , initialValue */) { - anObject(this); - aCallable(reducer); - var record = getIteratorDirect(this); - var noInitial = arguments.length < 2; - var accumulator = noInitial ? undefined : arguments[1]; - var counter = 0; - iterate(record, function (value) { - if (noInitial) { - noInitial = false; - accumulator = value; - } else { - accumulator = reducer(accumulator, value, counter); - } - counter++; - }, { IS_RECORD: true }); - if (noInitial) throw new $TypeError('Reduce of empty iterator with no initial value'); - return accumulator; - } -}); diff --git a/node_modules/core-js/modules/esnext.iterator.some.js b/node_modules/core-js/modules/esnext.iterator.some.js deleted file mode 100644 index 7d44549..0000000 --- a/node_modules/core-js/modules/esnext.iterator.some.js +++ /dev/null @@ -1,20 +0,0 @@ -'use strict'; -var $ = require('../internals/export'); -var iterate = require('../internals/iterate'); -var aCallable = require('../internals/a-callable'); -var anObject = require('../internals/an-object'); -var getIteratorDirect = require('../internals/get-iterator-direct'); - -// `Iterator.prototype.some` method -// https://github.com/tc39/proposal-iterator-helpers -$({ target: 'Iterator', proto: true, real: true }, { - some: function some(predicate) { - anObject(this); - aCallable(predicate); - var record = getIteratorDirect(this); - var counter = 0; - return iterate(record, function (value, stop) { - if (predicate(value, counter++)) return stop(); - }, { IS_RECORD: true, INTERRUPTED: true }).stopped; - } -}); diff --git a/node_modules/core-js/modules/esnext.iterator.take.js b/node_modules/core-js/modules/esnext.iterator.take.js deleted file mode 100644 index b2c9302..0000000 --- a/node_modules/core-js/modules/esnext.iterator.take.js +++ /dev/null @@ -1,33 +0,0 @@ -'use strict'; -var $ = require('../internals/export'); -var call = require('../internals/function-call'); -var anObject = require('../internals/an-object'); -var getIteratorDirect = require('../internals/get-iterator-direct'); -var notANaN = require('../internals/not-a-nan'); -var toPositiveInteger = require('../internals/to-positive-integer'); -var createIteratorProxy = require('../internals/iterator-create-proxy'); -var iteratorClose = require('../internals/iterator-close'); -var IS_PURE = require('../internals/is-pure'); - -var IteratorProxy = createIteratorProxy(function () { - var iterator = this.iterator; - if (!this.remaining--) { - this.done = true; - return iteratorClose(iterator, 'normal', undefined); - } - var result = anObject(call(this.next, iterator)); - var done = this.done = !!result.done; - if (!done) return result.value; -}); - -// `Iterator.prototype.take` method -// https://github.com/tc39/proposal-iterator-helpers -$({ target: 'Iterator', proto: true, real: true, forced: IS_PURE }, { - take: function take(limit) { - anObject(this); - var remaining = toPositiveInteger(notANaN(+limit)); - return new IteratorProxy(getIteratorDirect(this), { - remaining: remaining - }); - } -}); diff --git a/node_modules/core-js/modules/esnext.iterator.to-array.js b/node_modules/core-js/modules/esnext.iterator.to-array.js deleted file mode 100644 index e34c35b..0000000 --- a/node_modules/core-js/modules/esnext.iterator.to-array.js +++ /dev/null @@ -1,17 +0,0 @@ -'use strict'; -var $ = require('../internals/export'); -var anObject = require('../internals/an-object'); -var iterate = require('../internals/iterate'); -var getIteratorDirect = require('../internals/get-iterator-direct'); - -var push = [].push; - -// `Iterator.prototype.toArray` method -// https://github.com/tc39/proposal-iterator-helpers -$({ target: 'Iterator', proto: true, real: true }, { - toArray: function toArray() { - var result = []; - iterate(getIteratorDirect(anObject(this)), push, { that: result, IS_RECORD: true }); - return result; - } -}); diff --git a/node_modules/core-js/modules/esnext.iterator.to-async.js b/node_modules/core-js/modules/esnext.iterator.to-async.js deleted file mode 100644 index fa7ee2e..0000000 --- a/node_modules/core-js/modules/esnext.iterator.to-async.js +++ /dev/null @@ -1,15 +0,0 @@ -'use strict'; -var $ = require('../internals/export'); -var anObject = require('../internals/an-object'); -var AsyncFromSyncIterator = require('../internals/async-from-sync-iterator'); -var WrapAsyncIterator = require('../internals/async-iterator-wrap'); -var getIteratorDirect = require('../internals/get-iterator-direct'); -var IS_PURE = require('../internals/is-pure'); - -// `Iterator.prototype.toAsync` method -// https://github.com/tc39/proposal-async-iterator-helpers -$({ target: 'Iterator', proto: true, real: true, forced: IS_PURE }, { - toAsync: function toAsync() { - return new WrapAsyncIterator(getIteratorDirect(new AsyncFromSyncIterator(getIteratorDirect(anObject(this))))); - } -}); diff --git a/node_modules/core-js/modules/esnext.json.is-raw-json.js b/node_modules/core-js/modules/esnext.json.is-raw-json.js deleted file mode 100644 index 2fbc950..0000000 --- a/node_modules/core-js/modules/esnext.json.is-raw-json.js +++ /dev/null @@ -1,11 +0,0 @@ -'use strict'; -var $ = require('../internals/export'); -var NATIVE_RAW_JSON = require('../internals/native-raw-json'); -var isRawJSON = require('../internals/is-raw-json'); - -// `JSON.parse` method -// https://tc39.es/proposal-json-parse-with-source/#sec-json.israwjson -// https://github.com/tc39/proposal-json-parse-with-source -$({ target: 'JSON', stat: true, forced: !NATIVE_RAW_JSON }, { - isRawJSON: isRawJSON -}); diff --git a/node_modules/core-js/modules/esnext.json.parse.js b/node_modules/core-js/modules/esnext.json.parse.js deleted file mode 100644 index f2b22cd..0000000 --- a/node_modules/core-js/modules/esnext.json.parse.js +++ /dev/null @@ -1,251 +0,0 @@ -'use strict'; -var $ = require('../internals/export'); -var DESCRIPTORS = require('../internals/descriptors'); -var global = require('../internals/global'); -var getBuiltIn = require('../internals/get-built-in'); -var uncurryThis = require('../internals/function-uncurry-this'); -var call = require('../internals/function-call'); -var isCallable = require('../internals/is-callable'); -var isObject = require('../internals/is-object'); -var isArray = require('../internals/is-array'); -var hasOwn = require('../internals/has-own-property'); -var toString = require('../internals/to-string'); -var lengthOfArrayLike = require('../internals/length-of-array-like'); -var createProperty = require('../internals/create-property'); -var fails = require('../internals/fails'); -var parseJSONString = require('../internals/parse-json-string'); -var NATIVE_SYMBOL = require('../internals/symbol-constructor-detection'); - -var JSON = global.JSON; -var Number = global.Number; -var SyntaxError = global.SyntaxError; -var nativeParse = JSON && JSON.parse; -var enumerableOwnProperties = getBuiltIn('Object', 'keys'); -// eslint-disable-next-line es/no-object-getownpropertydescriptor -- safe -var getOwnPropertyDescriptor = Object.getOwnPropertyDescriptor; -var at = uncurryThis(''.charAt); -var slice = uncurryThis(''.slice); -var exec = uncurryThis(/./.exec); -var push = uncurryThis([].push); - -var IS_DIGIT = /^\d$/; -var IS_NON_ZERO_DIGIT = /^[1-9]$/; -var IS_NUMBER_START = /^(?:-|\d)$/; -var IS_WHITESPACE = /^[\t\n\r ]$/; - -var PRIMITIVE = 0; -var OBJECT = 1; - -var $parse = function (source, reviver) { - source = toString(source); - var context = new Context(source, 0, ''); - var root = context.parse(); - var value = root.value; - var endIndex = context.skip(IS_WHITESPACE, root.end); - if (endIndex < source.length) { - throw new SyntaxError('Unexpected extra character: "' + at(source, endIndex) + '" after the parsed data at: ' + endIndex); - } - return isCallable(reviver) ? internalize({ '': value }, '', reviver, root) : value; -}; - -var internalize = function (holder, name, reviver, node) { - var val = holder[name]; - var unmodified = node && val === node.value; - var context = unmodified && typeof node.source == 'string' ? { source: node.source } : {}; - var elementRecordsLen, keys, len, i, P; - if (isObject(val)) { - var nodeIsArray = isArray(val); - var nodes = unmodified ? node.nodes : nodeIsArray ? [] : {}; - if (nodeIsArray) { - elementRecordsLen = nodes.length; - len = lengthOfArrayLike(val); - for (i = 0; i < len; i++) { - internalizeProperty(val, i, internalize(val, '' + i, reviver, i < elementRecordsLen ? nodes[i] : undefined)); - } - } else { - keys = enumerableOwnProperties(val); - len = lengthOfArrayLike(keys); - for (i = 0; i < len; i++) { - P = keys[i]; - internalizeProperty(val, P, internalize(val, P, reviver, hasOwn(nodes, P) ? nodes[P] : undefined)); - } - } - } - return call(reviver, holder, name, val, context); -}; - -var internalizeProperty = function (object, key, value) { - if (DESCRIPTORS) { - var descriptor = getOwnPropertyDescriptor(object, key); - if (descriptor && !descriptor.configurable) return; - } - if (value === undefined) delete object[key]; - else createProperty(object, key, value); -}; - -var Node = function (value, end, source, nodes) { - this.value = value; - this.end = end; - this.source = source; - this.nodes = nodes; -}; - -var Context = function (source, index) { - this.source = source; - this.index = index; -}; - -// https://www.json.org/json-en.html -Context.prototype = { - fork: function (nextIndex) { - return new Context(this.source, nextIndex); - }, - parse: function () { - var source = this.source; - var i = this.skip(IS_WHITESPACE, this.index); - var fork = this.fork(i); - var chr = at(source, i); - if (exec(IS_NUMBER_START, chr)) return fork.number(); - switch (chr) { - case '{': - return fork.object(); - case '[': - return fork.array(); - case '"': - return fork.string(); - case 't': - return fork.keyword(true); - case 'f': - return fork.keyword(false); - case 'n': - return fork.keyword(null); - } throw new SyntaxError('Unexpected character: "' + chr + '" at: ' + i); - }, - node: function (type, value, start, end, nodes) { - return new Node(value, end, type ? null : slice(this.source, start, end), nodes); - }, - object: function () { - var source = this.source; - var i = this.index + 1; - var expectKeypair = false; - var object = {}; - var nodes = {}; - while (i < source.length) { - i = this.until(['"', '}'], i); - if (at(source, i) === '}' && !expectKeypair) { - i++; - break; - } - // Parsing the key - var result = this.fork(i).string(); - var key = result.value; - i = result.end; - i = this.until([':'], i) + 1; - // Parsing value - i = this.skip(IS_WHITESPACE, i); - result = this.fork(i).parse(); - createProperty(nodes, key, result); - createProperty(object, key, result.value); - i = this.until([',', '}'], result.end); - var chr = at(source, i); - if (chr === ',') { - expectKeypair = true; - i++; - } else if (chr === '}') { - i++; - break; - } - } - return this.node(OBJECT, object, this.index, i, nodes); - }, - array: function () { - var source = this.source; - var i = this.index + 1; - var expectElement = false; - var array = []; - var nodes = []; - while (i < source.length) { - i = this.skip(IS_WHITESPACE, i); - if (at(source, i) === ']' && !expectElement) { - i++; - break; - } - var result = this.fork(i).parse(); - push(nodes, result); - push(array, result.value); - i = this.until([',', ']'], result.end); - if (at(source, i) === ',') { - expectElement = true; - i++; - } else if (at(source, i) === ']') { - i++; - break; - } - } - return this.node(OBJECT, array, this.index, i, nodes); - }, - string: function () { - var index = this.index; - var parsed = parseJSONString(this.source, this.index + 1); - return this.node(PRIMITIVE, parsed.value, index, parsed.end); - }, - number: function () { - var source = this.source; - var startIndex = this.index; - var i = startIndex; - if (at(source, i) === '-') i++; - if (at(source, i) === '0') i++; - else if (exec(IS_NON_ZERO_DIGIT, at(source, i))) i = this.skip(IS_DIGIT, ++i); - else throw new SyntaxError('Failed to parse number at: ' + i); - if (at(source, i) === '.') i = this.skip(IS_DIGIT, ++i); - if (at(source, i) === 'e' || at(source, i) === 'E') { - i++; - if (at(source, i) === '+' || at(source, i) === '-') i++; - var exponentStartIndex = i; - i = this.skip(IS_DIGIT, i); - if (exponentStartIndex === i) throw new SyntaxError("Failed to parse number's exponent value at: " + i); - } - return this.node(PRIMITIVE, Number(slice(source, startIndex, i)), startIndex, i); - }, - keyword: function (value) { - var keyword = '' + value; - var index = this.index; - var endIndex = index + keyword.length; - if (slice(this.source, index, endIndex) !== keyword) throw new SyntaxError('Failed to parse value at: ' + index); - return this.node(PRIMITIVE, value, index, endIndex); - }, - skip: function (regex, i) { - var source = this.source; - for (; i < source.length; i++) if (!exec(regex, at(source, i))) break; - return i; - }, - until: function (array, i) { - i = this.skip(IS_WHITESPACE, i); - var chr = at(this.source, i); - for (var j = 0; j < array.length; j++) if (array[j] === chr) return i; - throw new SyntaxError('Unexpected character: "' + chr + '" at: ' + i); - } -}; - -var NO_SOURCE_SUPPORT = fails(function () { - var unsafeInt = '9007199254740993'; - var source; - nativeParse(unsafeInt, function (key, value, context) { - source = context.source; - }); - return source !== unsafeInt; -}); - -var PROPER_BASE_PARSE = NATIVE_SYMBOL && !fails(function () { - // Safari 9 bug - return 1 / nativeParse('-0 \t') !== -Infinity; -}); - -// `JSON.parse` method -// https://tc39.es/ecma262/#sec-json.parse -// https://github.com/tc39/proposal-json-parse-with-source -$({ target: 'JSON', stat: true, forced: NO_SOURCE_SUPPORT }, { - parse: function parse(text, reviver) { - return PROPER_BASE_PARSE && !isCallable(reviver) ? nativeParse(text) : $parse(text, reviver); - } -}); diff --git a/node_modules/core-js/modules/esnext.json.raw-json.js b/node_modules/core-js/modules/esnext.json.raw-json.js deleted file mode 100644 index bb249d9..0000000 --- a/node_modules/core-js/modules/esnext.json.raw-json.js +++ /dev/null @@ -1,84 +0,0 @@ -'use strict'; -var $ = require('../internals/export'); -var FREEZING = require('../internals/freezing'); -var NATIVE_RAW_JSON = require('../internals/native-raw-json'); -var getBuiltIn = require('../internals/get-built-in'); -var call = require('../internals/function-call'); -var uncurryThis = require('../internals/function-uncurry-this'); -var isCallable = require('../internals/is-callable'); -var isRawJSON = require('../internals/is-raw-json'); -var toString = require('../internals/to-string'); -var createProperty = require('../internals/create-property'); -var parseJSONString = require('../internals/parse-json-string'); -var getReplacerFunction = require('../internals/get-json-replacer-function'); -var uid = require('../internals/uid'); -var setInternalState = require('../internals/internal-state').set; - -var $String = String; -var $SyntaxError = SyntaxError; -var parse = getBuiltIn('JSON', 'parse'); -var $stringify = getBuiltIn('JSON', 'stringify'); -var create = getBuiltIn('Object', 'create'); -var freeze = getBuiltIn('Object', 'freeze'); -var at = uncurryThis(''.charAt); -var slice = uncurryThis(''.slice); -var exec = uncurryThis(/./.exec); -var push = uncurryThis([].push); - -var MARK = uid(); -var MARK_LENGTH = MARK.length; -var ERROR_MESSAGE = 'Unacceptable as raw JSON'; -var IS_WHITESPACE = /^[\t\n\r ]$/; - -// `JSON.parse` method -// https://tc39.es/proposal-json-parse-with-source/#sec-json.israwjson -// https://github.com/tc39/proposal-json-parse-with-source -$({ target: 'JSON', stat: true, forced: !NATIVE_RAW_JSON }, { - rawJSON: function rawJSON(text) { - var jsonString = toString(text); - if (jsonString === '' || exec(IS_WHITESPACE, at(jsonString, 0)) || exec(IS_WHITESPACE, at(jsonString, jsonString.length - 1))) { - throw new $SyntaxError(ERROR_MESSAGE); - } - var parsed = parse(jsonString); - if (typeof parsed == 'object' && parsed !== null) throw new $SyntaxError(ERROR_MESSAGE); - var obj = create(null); - setInternalState(obj, { type: 'RawJSON' }); - createProperty(obj, 'rawJSON', jsonString); - return FREEZING ? freeze(obj) : obj; - } -}); - -// `JSON.stringify` method -// https://tc39.es/ecma262/#sec-json.stringify -// https://github.com/tc39/proposal-json-parse-with-source -if ($stringify) $({ target: 'JSON', stat: true, arity: 3, forced: !NATIVE_RAW_JSON }, { - stringify: function stringify(text, replacer, space) { - var replacerFunction = getReplacerFunction(replacer); - var rawStrings = []; - - var json = $stringify(text, function (key, value) { - // some old implementations (like WebKit) could pass numbers as keys - var v = isCallable(replacerFunction) ? call(replacerFunction, this, $String(key), value) : value; - return isRawJSON(v) ? MARK + (push(rawStrings, v.rawJSON) - 1) : v; - }, space); - - if (typeof json != 'string') return json; - - var result = ''; - var length = json.length; - - for (var i = 0; i < length; i++) { - var chr = at(json, i); - if (chr === '"') { - var end = parseJSONString(json, ++i).end - 1; - var string = slice(json, i, end); - result += slice(string, 0, MARK_LENGTH) === MARK - ? rawStrings[slice(string, MARK_LENGTH)] - : '"' + string + '"'; - i = end; - } else result += chr; - } - - return result; - } -}); diff --git a/node_modules/core-js/modules/esnext.map.delete-all.js b/node_modules/core-js/modules/esnext.map.delete-all.js deleted file mode 100644 index 5a0d242..0000000 --- a/node_modules/core-js/modules/esnext.map.delete-all.js +++ /dev/null @@ -1,18 +0,0 @@ -'use strict'; -var $ = require('../internals/export'); -var aMap = require('../internals/a-map'); -var remove = require('../internals/map-helpers').remove; - -// `Map.prototype.deleteAll` method -// https://github.com/tc39/proposal-collection-methods -$({ target: 'Map', proto: true, real: true, forced: true }, { - deleteAll: function deleteAll(/* ...elements */) { - var collection = aMap(this); - var allDeleted = true; - var wasDeleted; - for (var k = 0, len = arguments.length; k < len; k++) { - wasDeleted = remove(collection, arguments[k]); - allDeleted = allDeleted && wasDeleted; - } return !!allDeleted; - } -}); diff --git a/node_modules/core-js/modules/esnext.map.emplace.js b/node_modules/core-js/modules/esnext.map.emplace.js deleted file mode 100644 index 24fe86e..0000000 --- a/node_modules/core-js/modules/esnext.map.emplace.js +++ /dev/null @@ -1,27 +0,0 @@ -'use strict'; -var $ = require('../internals/export'); -var aMap = require('../internals/a-map'); -var MapHelpers = require('../internals/map-helpers'); - -var get = MapHelpers.get; -var has = MapHelpers.has; -var set = MapHelpers.set; - -// `Map.prototype.emplace` method -// https://github.com/tc39/proposal-upsert -$({ target: 'Map', proto: true, real: true, forced: true }, { - emplace: function emplace(key, handler) { - var map = aMap(this); - var value, inserted; - if (has(map, key)) { - value = get(map, key); - if ('update' in handler) { - value = handler.update(value, key, map); - set(map, key, value); - } return value; - } - inserted = handler.insert(key, map); - set(map, key, inserted); - return inserted; - } -}); diff --git a/node_modules/core-js/modules/esnext.map.every.js b/node_modules/core-js/modules/esnext.map.every.js deleted file mode 100644 index 85264c7..0000000 --- a/node_modules/core-js/modules/esnext.map.every.js +++ /dev/null @@ -1,17 +0,0 @@ -'use strict'; -var $ = require('../internals/export'); -var bind = require('../internals/function-bind-context'); -var aMap = require('../internals/a-map'); -var iterate = require('../internals/map-iterate'); - -// `Map.prototype.every` method -// https://github.com/tc39/proposal-collection-methods -$({ target: 'Map', proto: true, real: true, forced: true }, { - every: function every(callbackfn /* , thisArg */) { - var map = aMap(this); - var boundFunction = bind(callbackfn, arguments.length > 1 ? arguments[1] : undefined); - return iterate(map, function (value, key) { - if (!boundFunction(value, key, map)) return false; - }, true) !== false; - } -}); diff --git a/node_modules/core-js/modules/esnext.map.filter.js b/node_modules/core-js/modules/esnext.map.filter.js deleted file mode 100644 index 67ffe5c..0000000 --- a/node_modules/core-js/modules/esnext.map.filter.js +++ /dev/null @@ -1,23 +0,0 @@ -'use strict'; -var $ = require('../internals/export'); -var bind = require('../internals/function-bind-context'); -var aMap = require('../internals/a-map'); -var MapHelpers = require('../internals/map-helpers'); -var iterate = require('../internals/map-iterate'); - -var Map = MapHelpers.Map; -var set = MapHelpers.set; - -// `Map.prototype.filter` method -// https://github.com/tc39/proposal-collection-methods -$({ target: 'Map', proto: true, real: true, forced: true }, { - filter: function filter(callbackfn /* , thisArg */) { - var map = aMap(this); - var boundFunction = bind(callbackfn, arguments.length > 1 ? arguments[1] : undefined); - var newMap = new Map(); - iterate(map, function (value, key) { - if (boundFunction(value, key, map)) set(newMap, key, value); - }); - return newMap; - } -}); diff --git a/node_modules/core-js/modules/esnext.map.find-key.js b/node_modules/core-js/modules/esnext.map.find-key.js deleted file mode 100644 index c3779a8..0000000 --- a/node_modules/core-js/modules/esnext.map.find-key.js +++ /dev/null @@ -1,18 +0,0 @@ -'use strict'; -var $ = require('../internals/export'); -var bind = require('../internals/function-bind-context'); -var aMap = require('../internals/a-map'); -var iterate = require('../internals/map-iterate'); - -// `Map.prototype.findKey` method -// https://github.com/tc39/proposal-collection-methods -$({ target: 'Map', proto: true, real: true, forced: true }, { - findKey: function findKey(callbackfn /* , thisArg */) { - var map = aMap(this); - var boundFunction = bind(callbackfn, arguments.length > 1 ? arguments[1] : undefined); - var result = iterate(map, function (value, key) { - if (boundFunction(value, key, map)) return { key: key }; - }, true); - return result && result.key; - } -}); diff --git a/node_modules/core-js/modules/esnext.map.find.js b/node_modules/core-js/modules/esnext.map.find.js deleted file mode 100644 index ca1f0f9..0000000 --- a/node_modules/core-js/modules/esnext.map.find.js +++ /dev/null @@ -1,18 +0,0 @@ -'use strict'; -var $ = require('../internals/export'); -var bind = require('../internals/function-bind-context'); -var aMap = require('../internals/a-map'); -var iterate = require('../internals/map-iterate'); - -// `Map.prototype.find` method -// https://github.com/tc39/proposal-collection-methods -$({ target: 'Map', proto: true, real: true, forced: true }, { - find: function find(callbackfn /* , thisArg */) { - var map = aMap(this); - var boundFunction = bind(callbackfn, arguments.length > 1 ? arguments[1] : undefined); - var result = iterate(map, function (value, key) { - if (boundFunction(value, key, map)) return { value: value }; - }, true); - return result && result.value; - } -}); diff --git a/node_modules/core-js/modules/esnext.map.from.js b/node_modules/core-js/modules/esnext.map.from.js deleted file mode 100644 index 2d916b2..0000000 --- a/node_modules/core-js/modules/esnext.map.from.js +++ /dev/null @@ -1,10 +0,0 @@ -'use strict'; -var $ = require('../internals/export'); -var MapHelpers = require('../internals/map-helpers'); -var createCollectionFrom = require('../internals/collection-from'); - -// `Map.from` method -// https://tc39.github.io/proposal-setmap-offrom/#sec-map.from -$({ target: 'Map', stat: true, forced: true }, { - from: createCollectionFrom(MapHelpers.Map, MapHelpers.set, true) -}); diff --git a/node_modules/core-js/modules/esnext.map.group-by.js b/node_modules/core-js/modules/esnext.map.group-by.js deleted file mode 100644 index 116b89a..0000000 --- a/node_modules/core-js/modules/esnext.map.group-by.js +++ /dev/null @@ -1,3 +0,0 @@ -'use strict'; -// TODO: Remove from `core-js@4` -require('../modules/es.map.group-by'); diff --git a/node_modules/core-js/modules/esnext.map.includes.js b/node_modules/core-js/modules/esnext.map.includes.js deleted file mode 100644 index 14b51ab..0000000 --- a/node_modules/core-js/modules/esnext.map.includes.js +++ /dev/null @@ -1,15 +0,0 @@ -'use strict'; -var $ = require('../internals/export'); -var sameValueZero = require('../internals/same-value-zero'); -var aMap = require('../internals/a-map'); -var iterate = require('../internals/map-iterate'); - -// `Map.prototype.includes` method -// https://github.com/tc39/proposal-collection-methods -$({ target: 'Map', proto: true, real: true, forced: true }, { - includes: function includes(searchElement) { - return iterate(aMap(this), function (value) { - if (sameValueZero(value, searchElement)) return true; - }, true) === true; - } -}); diff --git a/node_modules/core-js/modules/esnext.map.key-by.js b/node_modules/core-js/modules/esnext.map.key-by.js deleted file mode 100644 index 67933b5..0000000 --- a/node_modules/core-js/modules/esnext.map.key-by.js +++ /dev/null @@ -1,22 +0,0 @@ -'use strict'; -var $ = require('../internals/export'); -var call = require('../internals/function-call'); -var iterate = require('../internals/iterate'); -var isCallable = require('../internals/is-callable'); -var aCallable = require('../internals/a-callable'); -var Map = require('../internals/map-helpers').Map; - -// `Map.keyBy` method -// https://github.com/tc39/proposal-collection-methods -$({ target: 'Map', stat: true, forced: true }, { - keyBy: function keyBy(iterable, keyDerivative) { - var C = isCallable(this) ? this : Map; - var newMap = new C(); - aCallable(keyDerivative); - var setter = aCallable(newMap.set); - iterate(iterable, function (element) { - call(setter, newMap, keyDerivative(element), element); - }); - return newMap; - } -}); diff --git a/node_modules/core-js/modules/esnext.map.key-of.js b/node_modules/core-js/modules/esnext.map.key-of.js deleted file mode 100644 index 07d5d18..0000000 --- a/node_modules/core-js/modules/esnext.map.key-of.js +++ /dev/null @@ -1,15 +0,0 @@ -'use strict'; -var $ = require('../internals/export'); -var aMap = require('../internals/a-map'); -var iterate = require('../internals/map-iterate'); - -// `Map.prototype.keyOf` method -// https://github.com/tc39/proposal-collection-methods -$({ target: 'Map', proto: true, real: true, forced: true }, { - keyOf: function keyOf(searchElement) { - var result = iterate(aMap(this), function (value, key) { - if (value === searchElement) return { key: key }; - }, true); - return result && result.key; - } -}); diff --git a/node_modules/core-js/modules/esnext.map.map-keys.js b/node_modules/core-js/modules/esnext.map.map-keys.js deleted file mode 100644 index dcb1ea8..0000000 --- a/node_modules/core-js/modules/esnext.map.map-keys.js +++ /dev/null @@ -1,23 +0,0 @@ -'use strict'; -var $ = require('../internals/export'); -var bind = require('../internals/function-bind-context'); -var aMap = require('../internals/a-map'); -var MapHelpers = require('../internals/map-helpers'); -var iterate = require('../internals/map-iterate'); - -var Map = MapHelpers.Map; -var set = MapHelpers.set; - -// `Map.prototype.mapKeys` method -// https://github.com/tc39/proposal-collection-methods -$({ target: 'Map', proto: true, real: true, forced: true }, { - mapKeys: function mapKeys(callbackfn /* , thisArg */) { - var map = aMap(this); - var boundFunction = bind(callbackfn, arguments.length > 1 ? arguments[1] : undefined); - var newMap = new Map(); - iterate(map, function (value, key) { - set(newMap, boundFunction(value, key, map), value); - }); - return newMap; - } -}); diff --git a/node_modules/core-js/modules/esnext.map.map-values.js b/node_modules/core-js/modules/esnext.map.map-values.js deleted file mode 100644 index e10f42b..0000000 --- a/node_modules/core-js/modules/esnext.map.map-values.js +++ /dev/null @@ -1,23 +0,0 @@ -'use strict'; -var $ = require('../internals/export'); -var bind = require('../internals/function-bind-context'); -var aMap = require('../internals/a-map'); -var MapHelpers = require('../internals/map-helpers'); -var iterate = require('../internals/map-iterate'); - -var Map = MapHelpers.Map; -var set = MapHelpers.set; - -// `Map.prototype.mapValues` method -// https://github.com/tc39/proposal-collection-methods -$({ target: 'Map', proto: true, real: true, forced: true }, { - mapValues: function mapValues(callbackfn /* , thisArg */) { - var map = aMap(this); - var boundFunction = bind(callbackfn, arguments.length > 1 ? arguments[1] : undefined); - var newMap = new Map(); - iterate(map, function (value, key) { - set(newMap, key, boundFunction(value, key, map)); - }); - return newMap; - } -}); diff --git a/node_modules/core-js/modules/esnext.map.merge.js b/node_modules/core-js/modules/esnext.map.merge.js deleted file mode 100644 index d2174f8..0000000 --- a/node_modules/core-js/modules/esnext.map.merge.js +++ /dev/null @@ -1,22 +0,0 @@ -'use strict'; -var $ = require('../internals/export'); -var aMap = require('../internals/a-map'); -var iterate = require('../internals/iterate'); -var set = require('../internals/map-helpers').set; - -// `Map.prototype.merge` method -// https://github.com/tc39/proposal-collection-methods -$({ target: 'Map', proto: true, real: true, arity: 1, forced: true }, { - // eslint-disable-next-line no-unused-vars -- required for `.length` - merge: function merge(iterable /* ...iterables */) { - var map = aMap(this); - var argumentsLength = arguments.length; - var i = 0; - while (i < argumentsLength) { - iterate(arguments[i++], function (key, value) { - set(map, key, value); - }, { AS_ENTRIES: true }); - } - return map; - } -}); diff --git a/node_modules/core-js/modules/esnext.map.of.js b/node_modules/core-js/modules/esnext.map.of.js deleted file mode 100644 index 5fc111e..0000000 --- a/node_modules/core-js/modules/esnext.map.of.js +++ /dev/null @@ -1,10 +0,0 @@ -'use strict'; -var $ = require('../internals/export'); -var MapHelpers = require('../internals/map-helpers'); -var createCollectionOf = require('../internals/collection-of'); - -// `Map.of` method -// https://tc39.github.io/proposal-setmap-offrom/#sec-map.of -$({ target: 'Map', stat: true, forced: true }, { - of: createCollectionOf(MapHelpers.Map, MapHelpers.set, true) -}); diff --git a/node_modules/core-js/modules/esnext.map.reduce.js b/node_modules/core-js/modules/esnext.map.reduce.js deleted file mode 100644 index 1067337..0000000 --- a/node_modules/core-js/modules/esnext.map.reduce.js +++ /dev/null @@ -1,28 +0,0 @@ -'use strict'; -var $ = require('../internals/export'); -var aCallable = require('../internals/a-callable'); -var aMap = require('../internals/a-map'); -var iterate = require('../internals/map-iterate'); - -var $TypeError = TypeError; - -// `Map.prototype.reduce` method -// https://github.com/tc39/proposal-collection-methods -$({ target: 'Map', proto: true, real: true, forced: true }, { - reduce: function reduce(callbackfn /* , initialValue */) { - var map = aMap(this); - var noInitial = arguments.length < 2; - var accumulator = noInitial ? undefined : arguments[1]; - aCallable(callbackfn); - iterate(map, function (value, key) { - if (noInitial) { - noInitial = false; - accumulator = value; - } else { - accumulator = callbackfn(accumulator, value, key, map); - } - }); - if (noInitial) throw new $TypeError('Reduce of empty map with no initial value'); - return accumulator; - } -}); diff --git a/node_modules/core-js/modules/esnext.map.some.js b/node_modules/core-js/modules/esnext.map.some.js deleted file mode 100644 index c3d6421..0000000 --- a/node_modules/core-js/modules/esnext.map.some.js +++ /dev/null @@ -1,17 +0,0 @@ -'use strict'; -var $ = require('../internals/export'); -var bind = require('../internals/function-bind-context'); -var aMap = require('../internals/a-map'); -var iterate = require('../internals/map-iterate'); - -// `Map.prototype.some` method -// https://github.com/tc39/proposal-collection-methods -$({ target: 'Map', proto: true, real: true, forced: true }, { - some: function some(callbackfn /* , thisArg */) { - var map = aMap(this); - var boundFunction = bind(callbackfn, arguments.length > 1 ? arguments[1] : undefined); - return iterate(map, function (value, key) { - if (boundFunction(value, key, map)) return true; - }, true) === true; - } -}); diff --git a/node_modules/core-js/modules/esnext.map.update-or-insert.js b/node_modules/core-js/modules/esnext.map.update-or-insert.js deleted file mode 100644 index 0500321..0000000 --- a/node_modules/core-js/modules/esnext.map.update-or-insert.js +++ /dev/null @@ -1,10 +0,0 @@ -'use strict'; -// TODO: remove from `core-js@4` -var $ = require('../internals/export'); -var upsert = require('../internals/map-upsert'); - -// `Map.prototype.updateOrInsert` method (replaced by `Map.prototype.emplace`) -// https://github.com/thumbsupep/proposal-upsert -$({ target: 'Map', proto: true, real: true, name: 'upsert', forced: true }, { - updateOrInsert: upsert -}); diff --git a/node_modules/core-js/modules/esnext.map.update.js b/node_modules/core-js/modules/esnext.map.update.js deleted file mode 100644 index a112f71..0000000 --- a/node_modules/core-js/modules/esnext.map.update.js +++ /dev/null @@ -1,27 +0,0 @@ -'use strict'; -var $ = require('../internals/export'); -var aCallable = require('../internals/a-callable'); -var aMap = require('../internals/a-map'); -var MapHelpers = require('../internals/map-helpers'); - -var $TypeError = TypeError; -var get = MapHelpers.get; -var has = MapHelpers.has; -var set = MapHelpers.set; - -// `Map.prototype.update` method -// https://github.com/tc39/proposal-collection-methods -$({ target: 'Map', proto: true, real: true, forced: true }, { - update: function update(key, callback /* , thunk */) { - var map = aMap(this); - var length = arguments.length; - aCallable(callback); - var isPresentInMap = has(map, key); - if (!isPresentInMap && length < 3) { - throw new $TypeError('Updating absent value'); - } - var value = isPresentInMap ? get(map, key) : aCallable(length > 2 ? arguments[2] : undefined)(key, map); - set(map, key, callback(value, key, map)); - return map; - } -}); diff --git a/node_modules/core-js/modules/esnext.map.upsert.js b/node_modules/core-js/modules/esnext.map.upsert.js deleted file mode 100644 index 10d9ad8..0000000 --- a/node_modules/core-js/modules/esnext.map.upsert.js +++ /dev/null @@ -1,10 +0,0 @@ -'use strict'; -// TODO: remove from `core-js@4` -var $ = require('../internals/export'); -var upsert = require('../internals/map-upsert'); - -// `Map.prototype.upsert` method (replaced by `Map.prototype.emplace`) -// https://github.com/thumbsupep/proposal-upsert -$({ target: 'Map', proto: true, real: true, forced: true }, { - upsert: upsert -}); diff --git a/node_modules/core-js/modules/esnext.math.clamp.js b/node_modules/core-js/modules/esnext.math.clamp.js deleted file mode 100644 index 49a3d30..0000000 --- a/node_modules/core-js/modules/esnext.math.clamp.js +++ /dev/null @@ -1,13 +0,0 @@ -'use strict'; -var $ = require('../internals/export'); - -var min = Math.min; -var max = Math.max; - -// `Math.clamp` method -// https://rwaldron.github.io/proposal-math-extensions/ -$({ target: 'Math', stat: true, forced: true }, { - clamp: function clamp(x, lower, upper) { - return min(upper, max(lower, x)); - } -}); diff --git a/node_modules/core-js/modules/esnext.math.deg-per-rad.js b/node_modules/core-js/modules/esnext.math.deg-per-rad.js deleted file mode 100644 index 2b1d8c4..0000000 --- a/node_modules/core-js/modules/esnext.math.deg-per-rad.js +++ /dev/null @@ -1,8 +0,0 @@ -'use strict'; -var $ = require('../internals/export'); - -// `Math.DEG_PER_RAD` constant -// https://rwaldron.github.io/proposal-math-extensions/ -$({ target: 'Math', stat: true, nonConfigurable: true, nonWritable: true }, { - DEG_PER_RAD: Math.PI / 180 -}); diff --git a/node_modules/core-js/modules/esnext.math.degrees.js b/node_modules/core-js/modules/esnext.math.degrees.js deleted file mode 100644 index aa21ad7..0000000 --- a/node_modules/core-js/modules/esnext.math.degrees.js +++ /dev/null @@ -1,12 +0,0 @@ -'use strict'; -var $ = require('../internals/export'); - -var RAD_PER_DEG = 180 / Math.PI; - -// `Math.degrees` method -// https://rwaldron.github.io/proposal-math-extensions/ -$({ target: 'Math', stat: true, forced: true }, { - degrees: function degrees(radians) { - return radians * RAD_PER_DEG; - } -}); diff --git a/node_modules/core-js/modules/esnext.math.f16round.js b/node_modules/core-js/modules/esnext.math.f16round.js deleted file mode 100644 index 09a3e01..0000000 --- a/node_modules/core-js/modules/esnext.math.f16round.js +++ /dev/null @@ -1,7 +0,0 @@ -'use strict'; -var $ = require('../internals/export'); -var f16round = require('../internals/math-f16round'); - -// `Math.f16round` method -// https://github.com/tc39/proposal-float16array -$({ target: 'Math', stat: true }, { f16round: f16round }); diff --git a/node_modules/core-js/modules/esnext.math.fscale.js b/node_modules/core-js/modules/esnext.math.fscale.js deleted file mode 100644 index d9767c5..0000000 --- a/node_modules/core-js/modules/esnext.math.fscale.js +++ /dev/null @@ -1,13 +0,0 @@ -'use strict'; -var $ = require('../internals/export'); - -var scale = require('../internals/math-scale'); -var fround = require('../internals/math-fround'); - -// `Math.fscale` method -// https://rwaldron.github.io/proposal-math-extensions/ -$({ target: 'Math', stat: true, forced: true }, { - fscale: function fscale(x, inLow, inHigh, outLow, outHigh) { - return fround(scale(x, inLow, inHigh, outLow, outHigh)); - } -}); diff --git a/node_modules/core-js/modules/esnext.math.iaddh.js b/node_modules/core-js/modules/esnext.math.iaddh.js deleted file mode 100644 index f446d88..0000000 --- a/node_modules/core-js/modules/esnext.math.iaddh.js +++ /dev/null @@ -1,14 +0,0 @@ -'use strict'; -var $ = require('../internals/export'); - -// `Math.iaddh` method -// https://gist.github.com/BrendanEich/4294d5c212a6d2254703 -// TODO: Remove from `core-js@4` -$({ target: 'Math', stat: true, forced: true }, { - iaddh: function iaddh(x0, x1, y0, y1) { - var $x0 = x0 >>> 0; - var $x1 = x1 >>> 0; - var $y0 = y0 >>> 0; - return $x1 + (y1 >>> 0) + (($x0 & $y0 | ($x0 | $y0) & ~($x0 + $y0 >>> 0)) >>> 31) | 0; - } -}); diff --git a/node_modules/core-js/modules/esnext.math.imulh.js b/node_modules/core-js/modules/esnext.math.imulh.js deleted file mode 100644 index b3c8ad6..0000000 --- a/node_modules/core-js/modules/esnext.math.imulh.js +++ /dev/null @@ -1,19 +0,0 @@ -'use strict'; -var $ = require('../internals/export'); - -// `Math.imulh` method -// https://gist.github.com/BrendanEich/4294d5c212a6d2254703 -// TODO: Remove from `core-js@4` -$({ target: 'Math', stat: true, forced: true }, { - imulh: function imulh(u, v) { - var UINT16 = 0xFFFF; - var $u = +u; - var $v = +v; - var u0 = $u & UINT16; - var v0 = $v & UINT16; - var u1 = $u >> 16; - var v1 = $v >> 16; - var t = (u1 * v0 >>> 0) + (u0 * v0 >>> 16); - return u1 * v1 + (t >> 16) + ((u0 * v1 >>> 0) + (t & UINT16) >> 16); - } -}); diff --git a/node_modules/core-js/modules/esnext.math.isubh.js b/node_modules/core-js/modules/esnext.math.isubh.js deleted file mode 100644 index 92674e5..0000000 --- a/node_modules/core-js/modules/esnext.math.isubh.js +++ /dev/null @@ -1,14 +0,0 @@ -'use strict'; -var $ = require('../internals/export'); - -// `Math.isubh` method -// https://gist.github.com/BrendanEich/4294d5c212a6d2254703 -// TODO: Remove from `core-js@4` -$({ target: 'Math', stat: true, forced: true }, { - isubh: function isubh(x0, x1, y0, y1) { - var $x0 = x0 >>> 0; - var $x1 = x1 >>> 0; - var $y0 = y0 >>> 0; - return $x1 - (y1 >>> 0) - ((~$x0 & $y0 | ~($x0 ^ $y0) & $x0 - $y0 >>> 0) >>> 31) | 0; - } -}); diff --git a/node_modules/core-js/modules/esnext.math.rad-per-deg.js b/node_modules/core-js/modules/esnext.math.rad-per-deg.js deleted file mode 100644 index ea50751..0000000 --- a/node_modules/core-js/modules/esnext.math.rad-per-deg.js +++ /dev/null @@ -1,8 +0,0 @@ -'use strict'; -var $ = require('../internals/export'); - -// `Math.RAD_PER_DEG` constant -// https://rwaldron.github.io/proposal-math-extensions/ -$({ target: 'Math', stat: true, nonConfigurable: true, nonWritable: true }, { - RAD_PER_DEG: 180 / Math.PI -}); diff --git a/node_modules/core-js/modules/esnext.math.radians.js b/node_modules/core-js/modules/esnext.math.radians.js deleted file mode 100644 index ea62271..0000000 --- a/node_modules/core-js/modules/esnext.math.radians.js +++ /dev/null @@ -1,12 +0,0 @@ -'use strict'; -var $ = require('../internals/export'); - -var DEG_PER_RAD = Math.PI / 180; - -// `Math.radians` method -// https://rwaldron.github.io/proposal-math-extensions/ -$({ target: 'Math', stat: true, forced: true }, { - radians: function radians(degrees) { - return degrees * DEG_PER_RAD; - } -}); diff --git a/node_modules/core-js/modules/esnext.math.scale.js b/node_modules/core-js/modules/esnext.math.scale.js deleted file mode 100644 index be0b6c4..0000000 --- a/node_modules/core-js/modules/esnext.math.scale.js +++ /dev/null @@ -1,9 +0,0 @@ -'use strict'; -var $ = require('../internals/export'); -var scale = require('../internals/math-scale'); - -// `Math.scale` method -// https://rwaldron.github.io/proposal-math-extensions/ -$({ target: 'Math', stat: true, forced: true }, { - scale: scale -}); diff --git a/node_modules/core-js/modules/esnext.math.seeded-prng.js b/node_modules/core-js/modules/esnext.math.seeded-prng.js deleted file mode 100644 index 3ca520d..0000000 --- a/node_modules/core-js/modules/esnext.math.seeded-prng.js +++ /dev/null @@ -1,36 +0,0 @@ -'use strict'; -var $ = require('../internals/export'); -var anObject = require('../internals/an-object'); -var numberIsFinite = require('../internals/number-is-finite'); -var createIteratorConstructor = require('../internals/iterator-create-constructor'); -var createIterResultObject = require('../internals/create-iter-result-object'); -var InternalStateModule = require('../internals/internal-state'); - -var SEEDED_RANDOM = 'Seeded Random'; -var SEEDED_RANDOM_GENERATOR = SEEDED_RANDOM + ' Generator'; -var SEED_TYPE_ERROR = 'Math.seededPRNG() argument should have a "seed" field with a finite value.'; -var setInternalState = InternalStateModule.set; -var getInternalState = InternalStateModule.getterFor(SEEDED_RANDOM_GENERATOR); -var $TypeError = TypeError; - -var $SeededRandomGenerator = createIteratorConstructor(function SeededRandomGenerator(seed) { - setInternalState(this, { - type: SEEDED_RANDOM_GENERATOR, - seed: seed % 2147483647 - }); -}, SEEDED_RANDOM, function next() { - var state = getInternalState(this); - var seed = state.seed = (state.seed * 1103515245 + 12345) % 2147483647; - return createIterResultObject((seed & 1073741823) / 1073741823, false); -}); - -// `Math.seededPRNG` method -// https://github.com/tc39/proposal-seeded-random -// based on https://github.com/tc39/proposal-seeded-random/blob/78b8258835b57fc2100d076151ab506bc3202ae6/demo.html -$({ target: 'Math', stat: true, forced: true }, { - seededPRNG: function seededPRNG(it) { - var seed = anObject(it).seed; - if (!numberIsFinite(seed)) throw new $TypeError(SEED_TYPE_ERROR); - return new $SeededRandomGenerator(seed); - } -}); diff --git a/node_modules/core-js/modules/esnext.math.signbit.js b/node_modules/core-js/modules/esnext.math.signbit.js deleted file mode 100644 index 1d4cad0..0000000 --- a/node_modules/core-js/modules/esnext.math.signbit.js +++ /dev/null @@ -1,12 +0,0 @@ -'use strict'; -var $ = require('../internals/export'); - -// `Math.signbit` method -// https://github.com/tc39/proposal-Math.signbit -$({ target: 'Math', stat: true, forced: true }, { - signbit: function signbit(x) { - var n = +x; - // eslint-disable-next-line no-self-compare -- NaN check - return n === n && n === 0 ? 1 / n === -Infinity : n < 0; - } -}); diff --git a/node_modules/core-js/modules/esnext.math.umulh.js b/node_modules/core-js/modules/esnext.math.umulh.js deleted file mode 100644 index db995ce..0000000 --- a/node_modules/core-js/modules/esnext.math.umulh.js +++ /dev/null @@ -1,19 +0,0 @@ -'use strict'; -var $ = require('../internals/export'); - -// `Math.umulh` method -// https://gist.github.com/BrendanEich/4294d5c212a6d2254703 -// TODO: Remove from `core-js@4` -$({ target: 'Math', stat: true, forced: true }, { - umulh: function umulh(u, v) { - var UINT16 = 0xFFFF; - var $u = +u; - var $v = +v; - var u0 = $u & UINT16; - var v0 = $v & UINT16; - var u1 = $u >>> 16; - var v1 = $v >>> 16; - var t = (u1 * v0 >>> 0) + (u0 * v0 >>> 16); - return u1 * v1 + (t >>> 16) + ((u0 * v1 >>> 0) + (t & UINT16) >>> 16); - } -}); diff --git a/node_modules/core-js/modules/esnext.number.from-string.js b/node_modules/core-js/modules/esnext.number.from-string.js deleted file mode 100644 index f3851ae..0000000 --- a/node_modules/core-js/modules/esnext.number.from-string.js +++ /dev/null @@ -1,41 +0,0 @@ -'use strict'; -var $ = require('../internals/export'); -var uncurryThis = require('../internals/function-uncurry-this'); -var toIntegerOrInfinity = require('../internals/to-integer-or-infinity'); - -var INVALID_NUMBER_REPRESENTATION = 'Invalid number representation'; -var INVALID_RADIX = 'Invalid radix'; -var $RangeError = RangeError; -var $SyntaxError = SyntaxError; -var $TypeError = TypeError; -var $parseInt = parseInt; -var pow = Math.pow; -var valid = /^[\d.a-z]+$/; -var charAt = uncurryThis(''.charAt); -var exec = uncurryThis(valid.exec); -var numberToString = uncurryThis(1.0.toString); -var stringSlice = uncurryThis(''.slice); -var split = uncurryThis(''.split); - -// `Number.fromString` method -// https://github.com/tc39/proposal-number-fromstring -$({ target: 'Number', stat: true, forced: true }, { - fromString: function fromString(string, radix) { - var sign = 1; - if (typeof string != 'string') throw new $TypeError(INVALID_NUMBER_REPRESENTATION); - if (!string.length) throw new $SyntaxError(INVALID_NUMBER_REPRESENTATION); - if (charAt(string, 0) === '-') { - sign = -1; - string = stringSlice(string, 1); - if (!string.length) throw new $SyntaxError(INVALID_NUMBER_REPRESENTATION); - } - var R = radix === undefined ? 10 : toIntegerOrInfinity(radix); - if (R < 2 || R > 36) throw new $RangeError(INVALID_RADIX); - if (!exec(valid, string)) throw new $SyntaxError(INVALID_NUMBER_REPRESENTATION); - var parts = split(string, '.'); - var mathNum = $parseInt(parts[0], R); - if (parts.length > 1) mathNum += $parseInt(parts[1], R) / pow(R, parts[1].length); - if (R === 10 && numberToString(mathNum, R) !== string) throw new $SyntaxError(INVALID_NUMBER_REPRESENTATION); - return sign * mathNum; - } -}); diff --git a/node_modules/core-js/modules/esnext.number.range.js b/node_modules/core-js/modules/esnext.number.range.js deleted file mode 100644 index 5f44694..0000000 --- a/node_modules/core-js/modules/esnext.number.range.js +++ /dev/null @@ -1,12 +0,0 @@ -'use strict'; -var $ = require('../internals/export'); -var NumericRangeIterator = require('../internals/numeric-range-iterator'); - -// `Number.range` method -// https://github.com/tc39/proposal-Number.range -// TODO: Remove from `core-js@4` -$({ target: 'Number', stat: true, forced: true }, { - range: function range(start, end, option) { - return new NumericRangeIterator(start, end, option, 'number', 0, 1); - } -}); diff --git a/node_modules/core-js/modules/esnext.object.group-by.js b/node_modules/core-js/modules/esnext.object.group-by.js deleted file mode 100644 index 80845bc..0000000 --- a/node_modules/core-js/modules/esnext.object.group-by.js +++ /dev/null @@ -1,3 +0,0 @@ -'use strict'; -// TODO: Remove from `core-js@4` -require('../modules/es.object.group-by'); diff --git a/node_modules/core-js/modules/esnext.object.has-own.js b/node_modules/core-js/modules/esnext.object.has-own.js deleted file mode 100644 index 12bf558..0000000 --- a/node_modules/core-js/modules/esnext.object.has-own.js +++ /dev/null @@ -1,3 +0,0 @@ -'use strict'; -// TODO: Remove from `core-js@4` -require('../modules/es.object.has-own'); diff --git a/node_modules/core-js/modules/esnext.object.iterate-entries.js b/node_modules/core-js/modules/esnext.object.iterate-entries.js deleted file mode 100644 index f93b684..0000000 --- a/node_modules/core-js/modules/esnext.object.iterate-entries.js +++ /dev/null @@ -1,12 +0,0 @@ -'use strict'; -// TODO: Remove from `core-js@4` -var $ = require('../internals/export'); -var ObjectIterator = require('../internals/object-iterator'); - -// `Object.iterateEntries` method -// https://github.com/tc39/proposal-object-iteration -$({ target: 'Object', stat: true, forced: true }, { - iterateEntries: function iterateEntries(object) { - return new ObjectIterator(object, 'entries'); - } -}); diff --git a/node_modules/core-js/modules/esnext.object.iterate-keys.js b/node_modules/core-js/modules/esnext.object.iterate-keys.js deleted file mode 100644 index 41e5de9..0000000 --- a/node_modules/core-js/modules/esnext.object.iterate-keys.js +++ /dev/null @@ -1,12 +0,0 @@ -'use strict'; -// TODO: Remove from `core-js@4` -var $ = require('../internals/export'); -var ObjectIterator = require('../internals/object-iterator'); - -// `Object.iterateKeys` method -// https://github.com/tc39/proposal-object-iteration -$({ target: 'Object', stat: true, forced: true }, { - iterateKeys: function iterateKeys(object) { - return new ObjectIterator(object, 'keys'); - } -}); diff --git a/node_modules/core-js/modules/esnext.object.iterate-values.js b/node_modules/core-js/modules/esnext.object.iterate-values.js deleted file mode 100644 index 490abc8..0000000 --- a/node_modules/core-js/modules/esnext.object.iterate-values.js +++ /dev/null @@ -1,12 +0,0 @@ -'use strict'; -// TODO: Remove from `core-js@4` -var $ = require('../internals/export'); -var ObjectIterator = require('../internals/object-iterator'); - -// `Object.iterateValues` method -// https://github.com/tc39/proposal-object-iteration -$({ target: 'Object', stat: true, forced: true }, { - iterateValues: function iterateValues(object) { - return new ObjectIterator(object, 'values'); - } -}); diff --git a/node_modules/core-js/modules/esnext.observable.constructor.js b/node_modules/core-js/modules/esnext.observable.constructor.js deleted file mode 100644 index 592827f..0000000 --- a/node_modules/core-js/modules/esnext.observable.constructor.js +++ /dev/null @@ -1,187 +0,0 @@ -'use strict'; -// https://github.com/tc39/proposal-observable -var $ = require('../internals/export'); -var call = require('../internals/function-call'); -var DESCRIPTORS = require('../internals/descriptors'); -var setSpecies = require('../internals/set-species'); -var aCallable = require('../internals/a-callable'); -var anObject = require('../internals/an-object'); -var anInstance = require('../internals/an-instance'); -var isCallable = require('../internals/is-callable'); -var isNullOrUndefined = require('../internals/is-null-or-undefined'); -var isObject = require('../internals/is-object'); -var getMethod = require('../internals/get-method'); -var defineBuiltIn = require('../internals/define-built-in'); -var defineBuiltIns = require('../internals/define-built-ins'); -var defineBuiltInAccessor = require('../internals/define-built-in-accessor'); -var hostReportErrors = require('../internals/host-report-errors'); -var wellKnownSymbol = require('../internals/well-known-symbol'); -var InternalStateModule = require('../internals/internal-state'); - -var $$OBSERVABLE = wellKnownSymbol('observable'); -var OBSERVABLE = 'Observable'; -var SUBSCRIPTION = 'Subscription'; -var SUBSCRIPTION_OBSERVER = 'SubscriptionObserver'; -var getterFor = InternalStateModule.getterFor; -var setInternalState = InternalStateModule.set; -var getObservableInternalState = getterFor(OBSERVABLE); -var getSubscriptionInternalState = getterFor(SUBSCRIPTION); -var getSubscriptionObserverInternalState = getterFor(SUBSCRIPTION_OBSERVER); - -var SubscriptionState = function (observer) { - this.observer = anObject(observer); - this.cleanup = undefined; - this.subscriptionObserver = undefined; -}; - -SubscriptionState.prototype = { - type: SUBSCRIPTION, - clean: function () { - var cleanup = this.cleanup; - if (cleanup) { - this.cleanup = undefined; - try { - cleanup(); - } catch (error) { - hostReportErrors(error); - } - } - }, - close: function () { - if (!DESCRIPTORS) { - var subscription = this.facade; - var subscriptionObserver = this.subscriptionObserver; - subscription.closed = true; - if (subscriptionObserver) subscriptionObserver.closed = true; - } this.observer = undefined; - }, - isClosed: function () { - return this.observer === undefined; - } -}; - -var Subscription = function (observer, subscriber) { - var subscriptionState = setInternalState(this, new SubscriptionState(observer)); - var start; - if (!DESCRIPTORS) this.closed = false; - try { - if (start = getMethod(observer, 'start')) call(start, observer, this); - } catch (error) { - hostReportErrors(error); - } - if (subscriptionState.isClosed()) return; - var subscriptionObserver = subscriptionState.subscriptionObserver = new SubscriptionObserver(subscriptionState); - try { - var cleanup = subscriber(subscriptionObserver); - var subscription = cleanup; - if (!isNullOrUndefined(cleanup)) subscriptionState.cleanup = isCallable(cleanup.unsubscribe) - ? function () { subscription.unsubscribe(); } - : aCallable(cleanup); - } catch (error) { - subscriptionObserver.error(error); - return; - } if (subscriptionState.isClosed()) subscriptionState.clean(); -}; - -Subscription.prototype = defineBuiltIns({}, { - unsubscribe: function unsubscribe() { - var subscriptionState = getSubscriptionInternalState(this); - if (!subscriptionState.isClosed()) { - subscriptionState.close(); - subscriptionState.clean(); - } - } -}); - -if (DESCRIPTORS) defineBuiltInAccessor(Subscription.prototype, 'closed', { - configurable: true, - get: function closed() { - return getSubscriptionInternalState(this).isClosed(); - } -}); - -var SubscriptionObserver = function (subscriptionState) { - setInternalState(this, { - type: SUBSCRIPTION_OBSERVER, - subscriptionState: subscriptionState - }); - if (!DESCRIPTORS) this.closed = false; -}; - -SubscriptionObserver.prototype = defineBuiltIns({}, { - next: function next(value) { - var subscriptionState = getSubscriptionObserverInternalState(this).subscriptionState; - if (!subscriptionState.isClosed()) { - var observer = subscriptionState.observer; - try { - var nextMethod = getMethod(observer, 'next'); - if (nextMethod) call(nextMethod, observer, value); - } catch (error) { - hostReportErrors(error); - } - } - }, - error: function error(value) { - var subscriptionState = getSubscriptionObserverInternalState(this).subscriptionState; - if (!subscriptionState.isClosed()) { - var observer = subscriptionState.observer; - subscriptionState.close(); - try { - var errorMethod = getMethod(observer, 'error'); - if (errorMethod) call(errorMethod, observer, value); - else hostReportErrors(value); - } catch (err) { - hostReportErrors(err); - } subscriptionState.clean(); - } - }, - complete: function complete() { - var subscriptionState = getSubscriptionObserverInternalState(this).subscriptionState; - if (!subscriptionState.isClosed()) { - var observer = subscriptionState.observer; - subscriptionState.close(); - try { - var completeMethod = getMethod(observer, 'complete'); - if (completeMethod) call(completeMethod, observer); - } catch (error) { - hostReportErrors(error); - } subscriptionState.clean(); - } - } -}); - -if (DESCRIPTORS) defineBuiltInAccessor(SubscriptionObserver.prototype, 'closed', { - configurable: true, - get: function closed() { - return getSubscriptionObserverInternalState(this).subscriptionState.isClosed(); - } -}); - -var $Observable = function Observable(subscriber) { - anInstance(this, ObservablePrototype); - setInternalState(this, { - type: OBSERVABLE, - subscriber: aCallable(subscriber) - }); -}; - -var ObservablePrototype = $Observable.prototype; - -defineBuiltIns(ObservablePrototype, { - subscribe: function subscribe(observer) { - var length = arguments.length; - return new Subscription(isCallable(observer) ? { - next: observer, - error: length > 1 ? arguments[1] : undefined, - complete: length > 2 ? arguments[2] : undefined - } : isObject(observer) ? observer : {}, getObservableInternalState(this).subscriber); - } -}); - -defineBuiltIn(ObservablePrototype, $$OBSERVABLE, function () { return this; }); - -$({ global: true, constructor: true, forced: true }, { - Observable: $Observable -}); - -setSpecies(OBSERVABLE); diff --git a/node_modules/core-js/modules/esnext.observable.from.js b/node_modules/core-js/modules/esnext.observable.from.js deleted file mode 100644 index e1f81c1..0000000 --- a/node_modules/core-js/modules/esnext.observable.from.js +++ /dev/null @@ -1,35 +0,0 @@ -'use strict'; -var $ = require('../internals/export'); -var getBuiltIn = require('../internals/get-built-in'); -var call = require('../internals/function-call'); -var anObject = require('../internals/an-object'); -var isConstructor = require('../internals/is-constructor'); -var getIterator = require('../internals/get-iterator'); -var getMethod = require('../internals/get-method'); -var iterate = require('../internals/iterate'); -var wellKnownSymbol = require('../internals/well-known-symbol'); - -var $$OBSERVABLE = wellKnownSymbol('observable'); - -// `Observable.from` method -// https://github.com/tc39/proposal-observable -$({ target: 'Observable', stat: true, forced: true }, { - from: function from(x) { - var C = isConstructor(this) ? this : getBuiltIn('Observable'); - var observableMethod = getMethod(anObject(x), $$OBSERVABLE); - if (observableMethod) { - var observable = anObject(call(observableMethod, x)); - return observable.constructor === C ? observable : new C(function (observer) { - return observable.subscribe(observer); - }); - } - var iterator = getIterator(x); - return new C(function (observer) { - iterate(iterator, function (it, stop) { - observer.next(it); - if (observer.closed) return stop(); - }, { IS_ITERATOR: true, INTERRUPTED: true }); - observer.complete(); - }); - } -}); diff --git a/node_modules/core-js/modules/esnext.observable.js b/node_modules/core-js/modules/esnext.observable.js deleted file mode 100644 index 7f37b46..0000000 --- a/node_modules/core-js/modules/esnext.observable.js +++ /dev/null @@ -1,5 +0,0 @@ -'use strict'; -// TODO: Remove this module from `core-js@4` since it's split to modules listed below -require('../modules/esnext.observable.constructor'); -require('../modules/esnext.observable.from'); -require('../modules/esnext.observable.of'); diff --git a/node_modules/core-js/modules/esnext.observable.of.js b/node_modules/core-js/modules/esnext.observable.of.js deleted file mode 100644 index 3082f04..0000000 --- a/node_modules/core-js/modules/esnext.observable.of.js +++ /dev/null @@ -1,24 +0,0 @@ -'use strict'; -var $ = require('../internals/export'); -var getBuiltIn = require('../internals/get-built-in'); -var isConstructor = require('../internals/is-constructor'); - -var Array = getBuiltIn('Array'); - -// `Observable.of` method -// https://github.com/tc39/proposal-observable -$({ target: 'Observable', stat: true, forced: true }, { - of: function of() { - var C = isConstructor(this) ? this : getBuiltIn('Observable'); - var length = arguments.length; - var items = Array(length); - var index = 0; - while (index < length) items[index] = arguments[index++]; - return new C(function (observer) { - for (var i = 0; i < length; i++) { - observer.next(items[i]); - if (observer.closed) return; - } observer.complete(); - }); - } -}); diff --git a/node_modules/core-js/modules/esnext.promise.all-settled.js b/node_modules/core-js/modules/esnext.promise.all-settled.js deleted file mode 100644 index d7ba53d..0000000 --- a/node_modules/core-js/modules/esnext.promise.all-settled.js +++ /dev/null @@ -1,3 +0,0 @@ -'use strict'; -// TODO: Remove from `core-js@4` -require('../modules/es.promise.all-settled.js'); diff --git a/node_modules/core-js/modules/esnext.promise.any.js b/node_modules/core-js/modules/esnext.promise.any.js deleted file mode 100644 index b50dede..0000000 --- a/node_modules/core-js/modules/esnext.promise.any.js +++ /dev/null @@ -1,3 +0,0 @@ -'use strict'; -// TODO: Remove from `core-js@4` -require('../modules/es.promise.any'); diff --git a/node_modules/core-js/modules/esnext.promise.try.js b/node_modules/core-js/modules/esnext.promise.try.js deleted file mode 100644 index 1004b8f..0000000 --- a/node_modules/core-js/modules/esnext.promise.try.js +++ /dev/null @@ -1,16 +0,0 @@ -'use strict'; -// TODO: Remove from `core-js@4` -var $ = require('../internals/export'); -var newPromiseCapabilityModule = require('../internals/new-promise-capability'); -var perform = require('../internals/perform'); - -// `Promise.try` method -// https://github.com/tc39/proposal-promise-try -$({ target: 'Promise', stat: true, forced: true }, { - 'try': function (callbackfn) { - var promiseCapability = newPromiseCapabilityModule.f(this); - var result = perform(callbackfn); - (result.error ? promiseCapability.reject : promiseCapability.resolve)(result.value); - return promiseCapability.promise; - } -}); diff --git a/node_modules/core-js/modules/esnext.promise.with-resolvers.js b/node_modules/core-js/modules/esnext.promise.with-resolvers.js deleted file mode 100644 index 1a34a66..0000000 --- a/node_modules/core-js/modules/esnext.promise.with-resolvers.js +++ /dev/null @@ -1,3 +0,0 @@ -'use strict'; -// TODO: Remove from `core-js@4` -require('../modules/es.promise.with-resolvers'); diff --git a/node_modules/core-js/modules/esnext.reflect.define-metadata.js b/node_modules/core-js/modules/esnext.reflect.define-metadata.js deleted file mode 100644 index 8ace9f4..0000000 --- a/node_modules/core-js/modules/esnext.reflect.define-metadata.js +++ /dev/null @@ -1,17 +0,0 @@ -'use strict'; -// TODO: Remove from `core-js@4` -var $ = require('../internals/export'); -var ReflectMetadataModule = require('../internals/reflect-metadata'); -var anObject = require('../internals/an-object'); - -var toMetadataKey = ReflectMetadataModule.toKey; -var ordinaryDefineOwnMetadata = ReflectMetadataModule.set; - -// `Reflect.defineMetadata` method -// https://github.com/rbuckton/reflect-metadata -$({ target: 'Reflect', stat: true }, { - defineMetadata: function defineMetadata(metadataKey, metadataValue, target /* , targetKey */) { - var targetKey = arguments.length < 4 ? undefined : toMetadataKey(arguments[3]); - ordinaryDefineOwnMetadata(metadataKey, metadataValue, anObject(target), targetKey); - } -}); diff --git a/node_modules/core-js/modules/esnext.reflect.delete-metadata.js b/node_modules/core-js/modules/esnext.reflect.delete-metadata.js deleted file mode 100644 index 13ba13d..0000000 --- a/node_modules/core-js/modules/esnext.reflect.delete-metadata.js +++ /dev/null @@ -1,22 +0,0 @@ -'use strict'; -var $ = require('../internals/export'); -var ReflectMetadataModule = require('../internals/reflect-metadata'); -var anObject = require('../internals/an-object'); - -var toMetadataKey = ReflectMetadataModule.toKey; -var getOrCreateMetadataMap = ReflectMetadataModule.getMap; -var store = ReflectMetadataModule.store; - -// `Reflect.deleteMetadata` method -// https://github.com/rbuckton/reflect-metadata -$({ target: 'Reflect', stat: true }, { - deleteMetadata: function deleteMetadata(metadataKey, target /* , targetKey */) { - var targetKey = arguments.length < 3 ? undefined : toMetadataKey(arguments[2]); - var metadataMap = getOrCreateMetadataMap(anObject(target), targetKey, false); - if (metadataMap === undefined || !metadataMap['delete'](metadataKey)) return false; - if (metadataMap.size) return true; - var targetMetadata = store.get(target); - targetMetadata['delete'](targetKey); - return !!targetMetadata.size || store['delete'](target); - } -}); diff --git a/node_modules/core-js/modules/esnext.reflect.get-metadata-keys.js b/node_modules/core-js/modules/esnext.reflect.get-metadata-keys.js deleted file mode 100644 index 34fad84..0000000 --- a/node_modules/core-js/modules/esnext.reflect.get-metadata-keys.js +++ /dev/null @@ -1,30 +0,0 @@ -'use strict'; -// TODO: Remove from `core-js@4` -var $ = require('../internals/export'); -var uncurryThis = require('../internals/function-uncurry-this'); -var ReflectMetadataModule = require('../internals/reflect-metadata'); -var anObject = require('../internals/an-object'); -var getPrototypeOf = require('../internals/object-get-prototype-of'); -var $arrayUniqueBy = require('../internals/array-unique-by'); - -var arrayUniqueBy = uncurryThis($arrayUniqueBy); -var concat = uncurryThis([].concat); -var ordinaryOwnMetadataKeys = ReflectMetadataModule.keys; -var toMetadataKey = ReflectMetadataModule.toKey; - -var ordinaryMetadataKeys = function (O, P) { - var oKeys = ordinaryOwnMetadataKeys(O, P); - var parent = getPrototypeOf(O); - if (parent === null) return oKeys; - var pKeys = ordinaryMetadataKeys(parent, P); - return pKeys.length ? oKeys.length ? arrayUniqueBy(concat(oKeys, pKeys)) : pKeys : oKeys; -}; - -// `Reflect.getMetadataKeys` method -// https://github.com/rbuckton/reflect-metadata -$({ target: 'Reflect', stat: true }, { - getMetadataKeys: function getMetadataKeys(target /* , targetKey */) { - var targetKey = arguments.length < 2 ? undefined : toMetadataKey(arguments[1]); - return ordinaryMetadataKeys(anObject(target), targetKey); - } -}); diff --git a/node_modules/core-js/modules/esnext.reflect.get-metadata.js b/node_modules/core-js/modules/esnext.reflect.get-metadata.js deleted file mode 100644 index 7258252..0000000 --- a/node_modules/core-js/modules/esnext.reflect.get-metadata.js +++ /dev/null @@ -1,26 +0,0 @@ -'use strict'; -// TODO: Remove from `core-js@4` -var $ = require('../internals/export'); -var ReflectMetadataModule = require('../internals/reflect-metadata'); -var anObject = require('../internals/an-object'); -var getPrototypeOf = require('../internals/object-get-prototype-of'); - -var ordinaryHasOwnMetadata = ReflectMetadataModule.has; -var ordinaryGetOwnMetadata = ReflectMetadataModule.get; -var toMetadataKey = ReflectMetadataModule.toKey; - -var ordinaryGetMetadata = function (MetadataKey, O, P) { - var hasOwn = ordinaryHasOwnMetadata(MetadataKey, O, P); - if (hasOwn) return ordinaryGetOwnMetadata(MetadataKey, O, P); - var parent = getPrototypeOf(O); - return parent !== null ? ordinaryGetMetadata(MetadataKey, parent, P) : undefined; -}; - -// `Reflect.getMetadata` method -// https://github.com/rbuckton/reflect-metadata -$({ target: 'Reflect', stat: true }, { - getMetadata: function getMetadata(metadataKey, target /* , targetKey */) { - var targetKey = arguments.length < 3 ? undefined : toMetadataKey(arguments[2]); - return ordinaryGetMetadata(metadataKey, anObject(target), targetKey); - } -}); diff --git a/node_modules/core-js/modules/esnext.reflect.get-own-metadata-keys.js b/node_modules/core-js/modules/esnext.reflect.get-own-metadata-keys.js deleted file mode 100644 index 3b44e0f..0000000 --- a/node_modules/core-js/modules/esnext.reflect.get-own-metadata-keys.js +++ /dev/null @@ -1,17 +0,0 @@ -'use strict'; -// TODO: Remove from `core-js@4` -var $ = require('../internals/export'); -var ReflectMetadataModule = require('../internals/reflect-metadata'); -var anObject = require('../internals/an-object'); - -var ordinaryOwnMetadataKeys = ReflectMetadataModule.keys; -var toMetadataKey = ReflectMetadataModule.toKey; - -// `Reflect.getOwnMetadataKeys` method -// https://github.com/rbuckton/reflect-metadata -$({ target: 'Reflect', stat: true }, { - getOwnMetadataKeys: function getOwnMetadataKeys(target /* , targetKey */) { - var targetKey = arguments.length < 2 ? undefined : toMetadataKey(arguments[1]); - return ordinaryOwnMetadataKeys(anObject(target), targetKey); - } -}); diff --git a/node_modules/core-js/modules/esnext.reflect.get-own-metadata.js b/node_modules/core-js/modules/esnext.reflect.get-own-metadata.js deleted file mode 100644 index e1f62fc..0000000 --- a/node_modules/core-js/modules/esnext.reflect.get-own-metadata.js +++ /dev/null @@ -1,17 +0,0 @@ -'use strict'; -// TODO: Remove from `core-js@4` -var $ = require('../internals/export'); -var ReflectMetadataModule = require('../internals/reflect-metadata'); -var anObject = require('../internals/an-object'); - -var ordinaryGetOwnMetadata = ReflectMetadataModule.get; -var toMetadataKey = ReflectMetadataModule.toKey; - -// `Reflect.getOwnMetadata` method -// https://github.com/rbuckton/reflect-metadata -$({ target: 'Reflect', stat: true }, { - getOwnMetadata: function getOwnMetadata(metadataKey, target /* , targetKey */) { - var targetKey = arguments.length < 3 ? undefined : toMetadataKey(arguments[2]); - return ordinaryGetOwnMetadata(metadataKey, anObject(target), targetKey); - } -}); diff --git a/node_modules/core-js/modules/esnext.reflect.has-metadata.js b/node_modules/core-js/modules/esnext.reflect.has-metadata.js deleted file mode 100644 index 26ce256..0000000 --- a/node_modules/core-js/modules/esnext.reflect.has-metadata.js +++ /dev/null @@ -1,25 +0,0 @@ -'use strict'; -// TODO: Remove from `core-js@4` -var $ = require('../internals/export'); -var ReflectMetadataModule = require('../internals/reflect-metadata'); -var anObject = require('../internals/an-object'); -var getPrototypeOf = require('../internals/object-get-prototype-of'); - -var ordinaryHasOwnMetadata = ReflectMetadataModule.has; -var toMetadataKey = ReflectMetadataModule.toKey; - -var ordinaryHasMetadata = function (MetadataKey, O, P) { - var hasOwn = ordinaryHasOwnMetadata(MetadataKey, O, P); - if (hasOwn) return true; - var parent = getPrototypeOf(O); - return parent !== null ? ordinaryHasMetadata(MetadataKey, parent, P) : false; -}; - -// `Reflect.hasMetadata` method -// https://github.com/rbuckton/reflect-metadata -$({ target: 'Reflect', stat: true }, { - hasMetadata: function hasMetadata(metadataKey, target /* , targetKey */) { - var targetKey = arguments.length < 3 ? undefined : toMetadataKey(arguments[2]); - return ordinaryHasMetadata(metadataKey, anObject(target), targetKey); - } -}); diff --git a/node_modules/core-js/modules/esnext.reflect.has-own-metadata.js b/node_modules/core-js/modules/esnext.reflect.has-own-metadata.js deleted file mode 100644 index 5e38885..0000000 --- a/node_modules/core-js/modules/esnext.reflect.has-own-metadata.js +++ /dev/null @@ -1,17 +0,0 @@ -'use strict'; -// TODO: Remove from `core-js@4` -var $ = require('../internals/export'); -var ReflectMetadataModule = require('../internals/reflect-metadata'); -var anObject = require('../internals/an-object'); - -var ordinaryHasOwnMetadata = ReflectMetadataModule.has; -var toMetadataKey = ReflectMetadataModule.toKey; - -// `Reflect.hasOwnMetadata` method -// https://github.com/rbuckton/reflect-metadata -$({ target: 'Reflect', stat: true }, { - hasOwnMetadata: function hasOwnMetadata(metadataKey, target /* , targetKey */) { - var targetKey = arguments.length < 3 ? undefined : toMetadataKey(arguments[2]); - return ordinaryHasOwnMetadata(metadataKey, anObject(target), targetKey); - } -}); diff --git a/node_modules/core-js/modules/esnext.reflect.metadata.js b/node_modules/core-js/modules/esnext.reflect.metadata.js deleted file mode 100644 index 5d98d03..0000000 --- a/node_modules/core-js/modules/esnext.reflect.metadata.js +++ /dev/null @@ -1,17 +0,0 @@ -'use strict'; -var $ = require('../internals/export'); -var ReflectMetadataModule = require('../internals/reflect-metadata'); -var anObject = require('../internals/an-object'); - -var toMetadataKey = ReflectMetadataModule.toKey; -var ordinaryDefineOwnMetadata = ReflectMetadataModule.set; - -// `Reflect.metadata` method -// https://github.com/rbuckton/reflect-metadata -$({ target: 'Reflect', stat: true }, { - metadata: function metadata(metadataKey, metadataValue) { - return function decorator(target, key) { - ordinaryDefineOwnMetadata(metadataKey, metadataValue, anObject(target), toMetadataKey(key)); - }; - } -}); diff --git a/node_modules/core-js/modules/esnext.regexp.escape.js b/node_modules/core-js/modules/esnext.regexp.escape.js deleted file mode 100644 index 5d5e81d..0000000 --- a/node_modules/core-js/modules/esnext.regexp.escape.js +++ /dev/null @@ -1,20 +0,0 @@ -'use strict'; -var $ = require('../internals/export'); -var uncurryThis = require('../internals/function-uncurry-this'); -var toString = require('../internals/to-string'); -var WHITESPACES = require('../internals/whitespaces'); - -var charCodeAt = uncurryThis(''.charCodeAt); -var replace = uncurryThis(''.replace); -var NEED_ESCAPING = RegExp('[!"#$%&\'()*+,\\-./:;<=>?@[\\\\\\]^`{|}~' + WHITESPACES + ']', 'g'); - -// `RegExp.escape` method -// https://github.com/tc39/proposal-regex-escaping -$({ target: 'RegExp', stat: true, forced: true }, { - escape: function escape(S) { - var str = toString(S); - var firstCode = charCodeAt(str, 0); - // escape first DecimalDigit - return (firstCode > 47 && firstCode < 58 ? '\\x3' : '') + replace(str, NEED_ESCAPING, '\\$&'); - } -}); diff --git a/node_modules/core-js/modules/esnext.set.add-all.js b/node_modules/core-js/modules/esnext.set.add-all.js deleted file mode 100644 index d168fbe..0000000 --- a/node_modules/core-js/modules/esnext.set.add-all.js +++ /dev/null @@ -1,15 +0,0 @@ -'use strict'; -var $ = require('../internals/export'); -var aSet = require('../internals/a-set'); -var add = require('../internals/set-helpers').add; - -// `Set.prototype.addAll` method -// https://github.com/tc39/proposal-collection-methods -$({ target: 'Set', proto: true, real: true, forced: true }, { - addAll: function addAll(/* ...elements */) { - var set = aSet(this); - for (var k = 0, len = arguments.length; k < len; k++) { - add(set, arguments[k]); - } return set; - } -}); diff --git a/node_modules/core-js/modules/esnext.set.delete-all.js b/node_modules/core-js/modules/esnext.set.delete-all.js deleted file mode 100644 index cbba874..0000000 --- a/node_modules/core-js/modules/esnext.set.delete-all.js +++ /dev/null @@ -1,18 +0,0 @@ -'use strict'; -var $ = require('../internals/export'); -var aSet = require('../internals/a-set'); -var remove = require('../internals/set-helpers').remove; - -// `Set.prototype.deleteAll` method -// https://github.com/tc39/proposal-collection-methods -$({ target: 'Set', proto: true, real: true, forced: true }, { - deleteAll: function deleteAll(/* ...elements */) { - var collection = aSet(this); - var allDeleted = true; - var wasDeleted; - for (var k = 0, len = arguments.length; k < len; k++) { - wasDeleted = remove(collection, arguments[k]); - allDeleted = allDeleted && wasDeleted; - } return !!allDeleted; - } -}); diff --git a/node_modules/core-js/modules/esnext.set.difference.js b/node_modules/core-js/modules/esnext.set.difference.js deleted file mode 100644 index d2a4008..0000000 --- a/node_modules/core-js/modules/esnext.set.difference.js +++ /dev/null @@ -1,14 +0,0 @@ -'use strict'; -var $ = require('../internals/export'); -var call = require('../internals/function-call'); -var toSetLike = require('../internals/to-set-like'); -var $difference = require('../internals/set-difference'); - -// `Set.prototype.difference` method -// https://github.com/tc39/proposal-set-methods -// TODO: Obsolete version, remove from `core-js@4` -$({ target: 'Set', proto: true, real: true, forced: true }, { - difference: function difference(other) { - return call($difference, this, toSetLike(other)); - } -}); diff --git a/node_modules/core-js/modules/esnext.set.difference.v2.js b/node_modules/core-js/modules/esnext.set.difference.v2.js deleted file mode 100644 index 074b391..0000000 --- a/node_modules/core-js/modules/esnext.set.difference.v2.js +++ /dev/null @@ -1,10 +0,0 @@ -'use strict'; -var $ = require('../internals/export'); -var difference = require('../internals/set-difference'); -var setMethodAcceptSetLike = require('../internals/set-method-accept-set-like'); - -// `Set.prototype.difference` method -// https://github.com/tc39/proposal-set-methods -$({ target: 'Set', proto: true, real: true, forced: !setMethodAcceptSetLike('difference') }, { - difference: difference -}); diff --git a/node_modules/core-js/modules/esnext.set.every.js b/node_modules/core-js/modules/esnext.set.every.js deleted file mode 100644 index 999c6be..0000000 --- a/node_modules/core-js/modules/esnext.set.every.js +++ /dev/null @@ -1,17 +0,0 @@ -'use strict'; -var $ = require('../internals/export'); -var bind = require('../internals/function-bind-context'); -var aSet = require('../internals/a-set'); -var iterate = require('../internals/set-iterate'); - -// `Set.prototype.every` method -// https://github.com/tc39/proposal-collection-methods -$({ target: 'Set', proto: true, real: true, forced: true }, { - every: function every(callbackfn /* , thisArg */) { - var set = aSet(this); - var boundFunction = bind(callbackfn, arguments.length > 1 ? arguments[1] : undefined); - return iterate(set, function (value) { - if (!boundFunction(value, value, set)) return false; - }, true) !== false; - } -}); diff --git a/node_modules/core-js/modules/esnext.set.filter.js b/node_modules/core-js/modules/esnext.set.filter.js deleted file mode 100644 index 84e1dac..0000000 --- a/node_modules/core-js/modules/esnext.set.filter.js +++ /dev/null @@ -1,23 +0,0 @@ -'use strict'; -var $ = require('../internals/export'); -var bind = require('../internals/function-bind-context'); -var aSet = require('../internals/a-set'); -var SetHelpers = require('../internals/set-helpers'); -var iterate = require('../internals/set-iterate'); - -var Set = SetHelpers.Set; -var add = SetHelpers.add; - -// `Set.prototype.filter` method -// https://github.com/tc39/proposal-collection-methods -$({ target: 'Set', proto: true, real: true, forced: true }, { - filter: function filter(callbackfn /* , thisArg */) { - var set = aSet(this); - var boundFunction = bind(callbackfn, arguments.length > 1 ? arguments[1] : undefined); - var newSet = new Set(); - iterate(set, function (value) { - if (boundFunction(value, value, set)) add(newSet, value); - }); - return newSet; - } -}); diff --git a/node_modules/core-js/modules/esnext.set.find.js b/node_modules/core-js/modules/esnext.set.find.js deleted file mode 100644 index ae18ca7..0000000 --- a/node_modules/core-js/modules/esnext.set.find.js +++ /dev/null @@ -1,18 +0,0 @@ -'use strict'; -var $ = require('../internals/export'); -var bind = require('../internals/function-bind-context'); -var aSet = require('../internals/a-set'); -var iterate = require('../internals/set-iterate'); - -// `Set.prototype.find` method -// https://github.com/tc39/proposal-collection-methods -$({ target: 'Set', proto: true, real: true, forced: true }, { - find: function find(callbackfn /* , thisArg */) { - var set = aSet(this); - var boundFunction = bind(callbackfn, arguments.length > 1 ? arguments[1] : undefined); - var result = iterate(set, function (value) { - if (boundFunction(value, value, set)) return { value: value }; - }, true); - return result && result.value; - } -}); diff --git a/node_modules/core-js/modules/esnext.set.from.js b/node_modules/core-js/modules/esnext.set.from.js deleted file mode 100644 index 1704a4b..0000000 --- a/node_modules/core-js/modules/esnext.set.from.js +++ /dev/null @@ -1,10 +0,0 @@ -'use strict'; -var $ = require('../internals/export'); -var SetHelpers = require('../internals/set-helpers'); -var createCollectionFrom = require('../internals/collection-from'); - -// `Set.from` method -// https://tc39.github.io/proposal-setmap-offrom/#sec-set.from -$({ target: 'Set', stat: true, forced: true }, { - from: createCollectionFrom(SetHelpers.Set, SetHelpers.add, false) -}); diff --git a/node_modules/core-js/modules/esnext.set.intersection.js b/node_modules/core-js/modules/esnext.set.intersection.js deleted file mode 100644 index fed2c43..0000000 --- a/node_modules/core-js/modules/esnext.set.intersection.js +++ /dev/null @@ -1,14 +0,0 @@ -'use strict'; -var $ = require('../internals/export'); -var call = require('../internals/function-call'); -var toSetLike = require('../internals/to-set-like'); -var $intersection = require('../internals/set-intersection'); - -// `Set.prototype.intersection` method -// https://github.com/tc39/proposal-set-methods -// TODO: Obsolete version, remove from `core-js@4` -$({ target: 'Set', proto: true, real: true, forced: true }, { - intersection: function intersection(other) { - return call($intersection, this, toSetLike(other)); - } -}); diff --git a/node_modules/core-js/modules/esnext.set.intersection.v2.js b/node_modules/core-js/modules/esnext.set.intersection.v2.js deleted file mode 100644 index fdca772..0000000 --- a/node_modules/core-js/modules/esnext.set.intersection.v2.js +++ /dev/null @@ -1,16 +0,0 @@ -'use strict'; -var $ = require('../internals/export'); -var fails = require('../internals/fails'); -var intersection = require('../internals/set-intersection'); -var setMethodAcceptSetLike = require('../internals/set-method-accept-set-like'); - -var INCORRECT = !setMethodAcceptSetLike('intersection') || fails(function () { - // eslint-disable-next-line es/no-array-from, es/no-set -- testing - return Array.from(new Set([1, 2, 3]).intersection(new Set([3, 2]))) !== '3,2'; -}); - -// `Set.prototype.intersection` method -// https://github.com/tc39/proposal-set-methods -$({ target: 'Set', proto: true, real: true, forced: INCORRECT }, { - intersection: intersection -}); diff --git a/node_modules/core-js/modules/esnext.set.is-disjoint-from.js b/node_modules/core-js/modules/esnext.set.is-disjoint-from.js deleted file mode 100644 index bec2b23..0000000 --- a/node_modules/core-js/modules/esnext.set.is-disjoint-from.js +++ /dev/null @@ -1,14 +0,0 @@ -'use strict'; -var $ = require('../internals/export'); -var call = require('../internals/function-call'); -var toSetLike = require('../internals/to-set-like'); -var $isDisjointFrom = require('../internals/set-is-disjoint-from'); - -// `Set.prototype.isDisjointFrom` method -// https://github.com/tc39/proposal-set-methods -// TODO: Obsolete version, remove from `core-js@4` -$({ target: 'Set', proto: true, real: true, forced: true }, { - isDisjointFrom: function isDisjointFrom(other) { - return call($isDisjointFrom, this, toSetLike(other)); - } -}); diff --git a/node_modules/core-js/modules/esnext.set.is-disjoint-from.v2.js b/node_modules/core-js/modules/esnext.set.is-disjoint-from.v2.js deleted file mode 100644 index f9139e4..0000000 --- a/node_modules/core-js/modules/esnext.set.is-disjoint-from.v2.js +++ /dev/null @@ -1,10 +0,0 @@ -'use strict'; -var $ = require('../internals/export'); -var isDisjointFrom = require('../internals/set-is-disjoint-from'); -var setMethodAcceptSetLike = require('../internals/set-method-accept-set-like'); - -// `Set.prototype.isDisjointFrom` method -// https://github.com/tc39/proposal-set-methods -$({ target: 'Set', proto: true, real: true, forced: !setMethodAcceptSetLike('isDisjointFrom') }, { - isDisjointFrom: isDisjointFrom -}); diff --git a/node_modules/core-js/modules/esnext.set.is-subset-of.js b/node_modules/core-js/modules/esnext.set.is-subset-of.js deleted file mode 100644 index 7b30e93..0000000 --- a/node_modules/core-js/modules/esnext.set.is-subset-of.js +++ /dev/null @@ -1,14 +0,0 @@ -'use strict'; -var $ = require('../internals/export'); -var call = require('../internals/function-call'); -var toSetLike = require('../internals/to-set-like'); -var $isSubsetOf = require('../internals/set-is-subset-of'); - -// `Set.prototype.isSubsetOf` method -// https://github.com/tc39/proposal-set-methods -// TODO: Obsolete version, remove from `core-js@4` -$({ target: 'Set', proto: true, real: true, forced: true }, { - isSubsetOf: function isSubsetOf(other) { - return call($isSubsetOf, this, toSetLike(other)); - } -}); diff --git a/node_modules/core-js/modules/esnext.set.is-subset-of.v2.js b/node_modules/core-js/modules/esnext.set.is-subset-of.v2.js deleted file mode 100644 index cbdf60d..0000000 --- a/node_modules/core-js/modules/esnext.set.is-subset-of.v2.js +++ /dev/null @@ -1,10 +0,0 @@ -'use strict'; -var $ = require('../internals/export'); -var isSubsetOf = require('../internals/set-is-subset-of'); -var setMethodAcceptSetLike = require('../internals/set-method-accept-set-like'); - -// `Set.prototype.isSubsetOf` method -// https://github.com/tc39/proposal-set-methods -$({ target: 'Set', proto: true, real: true, forced: !setMethodAcceptSetLike('isSubsetOf') }, { - isSubsetOf: isSubsetOf -}); diff --git a/node_modules/core-js/modules/esnext.set.is-superset-of.js b/node_modules/core-js/modules/esnext.set.is-superset-of.js deleted file mode 100644 index 4325085..0000000 --- a/node_modules/core-js/modules/esnext.set.is-superset-of.js +++ /dev/null @@ -1,14 +0,0 @@ -'use strict'; -var $ = require('../internals/export'); -var call = require('../internals/function-call'); -var toSetLike = require('../internals/to-set-like'); -var $isSupersetOf = require('../internals/set-is-superset-of'); - -// `Set.prototype.isSupersetOf` method -// https://github.com/tc39/proposal-set-methods -// TODO: Obsolete version, remove from `core-js@4` -$({ target: 'Set', proto: true, real: true, forced: true }, { - isSupersetOf: function isSupersetOf(other) { - return call($isSupersetOf, this, toSetLike(other)); - } -}); diff --git a/node_modules/core-js/modules/esnext.set.is-superset-of.v2.js b/node_modules/core-js/modules/esnext.set.is-superset-of.v2.js deleted file mode 100644 index af2c822..0000000 --- a/node_modules/core-js/modules/esnext.set.is-superset-of.v2.js +++ /dev/null @@ -1,10 +0,0 @@ -'use strict'; -var $ = require('../internals/export'); -var isSupersetOf = require('../internals/set-is-superset-of'); -var setMethodAcceptSetLike = require('../internals/set-method-accept-set-like'); - -// `Set.prototype.isSupersetOf` method -// https://github.com/tc39/proposal-set-methods -$({ target: 'Set', proto: true, real: true, forced: !setMethodAcceptSetLike('isSupersetOf') }, { - isSupersetOf: isSupersetOf -}); diff --git a/node_modules/core-js/modules/esnext.set.join.js b/node_modules/core-js/modules/esnext.set.join.js deleted file mode 100644 index 4f7a62a..0000000 --- a/node_modules/core-js/modules/esnext.set.join.js +++ /dev/null @@ -1,23 +0,0 @@ -'use strict'; -var $ = require('../internals/export'); -var uncurryThis = require('../internals/function-uncurry-this'); -var aSet = require('../internals/a-set'); -var iterate = require('../internals/set-iterate'); -var toString = require('../internals/to-string'); - -var arrayJoin = uncurryThis([].join); -var push = uncurryThis([].push); - -// `Set.prototype.join` method -// https://github.com/tc39/proposal-collection-methods -$({ target: 'Set', proto: true, real: true, forced: true }, { - join: function join(separator) { - var set = aSet(this); - var sep = separator === undefined ? ',' : toString(separator); - var array = []; - iterate(set, function (value) { - push(array, value); - }); - return arrayJoin(array, sep); - } -}); diff --git a/node_modules/core-js/modules/esnext.set.map.js b/node_modules/core-js/modules/esnext.set.map.js deleted file mode 100644 index 2eea3de..0000000 --- a/node_modules/core-js/modules/esnext.set.map.js +++ /dev/null @@ -1,23 +0,0 @@ -'use strict'; -var $ = require('../internals/export'); -var bind = require('../internals/function-bind-context'); -var aSet = require('../internals/a-set'); -var SetHelpers = require('../internals/set-helpers'); -var iterate = require('../internals/set-iterate'); - -var Set = SetHelpers.Set; -var add = SetHelpers.add; - -// `Set.prototype.map` method -// https://github.com/tc39/proposal-collection-methods -$({ target: 'Set', proto: true, real: true, forced: true }, { - map: function map(callbackfn /* , thisArg */) { - var set = aSet(this); - var boundFunction = bind(callbackfn, arguments.length > 1 ? arguments[1] : undefined); - var newSet = new Set(); - iterate(set, function (value) { - add(newSet, boundFunction(value, value, set)); - }); - return newSet; - } -}); diff --git a/node_modules/core-js/modules/esnext.set.of.js b/node_modules/core-js/modules/esnext.set.of.js deleted file mode 100644 index a1a5424..0000000 --- a/node_modules/core-js/modules/esnext.set.of.js +++ /dev/null @@ -1,10 +0,0 @@ -'use strict'; -var $ = require('../internals/export'); -var SetHelpers = require('../internals/set-helpers'); -var createCollectionOf = require('../internals/collection-of'); - -// `Set.of` method -// https://tc39.github.io/proposal-setmap-offrom/#sec-set.of -$({ target: 'Set', stat: true, forced: true }, { - of: createCollectionOf(SetHelpers.Set, SetHelpers.add, false) -}); diff --git a/node_modules/core-js/modules/esnext.set.reduce.js b/node_modules/core-js/modules/esnext.set.reduce.js deleted file mode 100644 index 988af32..0000000 --- a/node_modules/core-js/modules/esnext.set.reduce.js +++ /dev/null @@ -1,28 +0,0 @@ -'use strict'; -var $ = require('../internals/export'); -var aCallable = require('../internals/a-callable'); -var aSet = require('../internals/a-set'); -var iterate = require('../internals/set-iterate'); - -var $TypeError = TypeError; - -// `Set.prototype.reduce` method -// https://github.com/tc39/proposal-collection-methods -$({ target: 'Set', proto: true, real: true, forced: true }, { - reduce: function reduce(callbackfn /* , initialValue */) { - var set = aSet(this); - var noInitial = arguments.length < 2; - var accumulator = noInitial ? undefined : arguments[1]; - aCallable(callbackfn); - iterate(set, function (value) { - if (noInitial) { - noInitial = false; - accumulator = value; - } else { - accumulator = callbackfn(accumulator, value, value, set); - } - }); - if (noInitial) throw new $TypeError('Reduce of empty set with no initial value'); - return accumulator; - } -}); diff --git a/node_modules/core-js/modules/esnext.set.some.js b/node_modules/core-js/modules/esnext.set.some.js deleted file mode 100644 index ab86d1c..0000000 --- a/node_modules/core-js/modules/esnext.set.some.js +++ /dev/null @@ -1,17 +0,0 @@ -'use strict'; -var $ = require('../internals/export'); -var bind = require('../internals/function-bind-context'); -var aSet = require('../internals/a-set'); -var iterate = require('../internals/set-iterate'); - -// `Set.prototype.some` method -// https://github.com/tc39/proposal-collection-methods -$({ target: 'Set', proto: true, real: true, forced: true }, { - some: function some(callbackfn /* , thisArg */) { - var set = aSet(this); - var boundFunction = bind(callbackfn, arguments.length > 1 ? arguments[1] : undefined); - return iterate(set, function (value) { - if (boundFunction(value, value, set)) return true; - }, true) === true; - } -}); diff --git a/node_modules/core-js/modules/esnext.set.symmetric-difference.js b/node_modules/core-js/modules/esnext.set.symmetric-difference.js deleted file mode 100644 index fa697f0..0000000 --- a/node_modules/core-js/modules/esnext.set.symmetric-difference.js +++ /dev/null @@ -1,14 +0,0 @@ -'use strict'; -var $ = require('../internals/export'); -var call = require('../internals/function-call'); -var toSetLike = require('../internals/to-set-like'); -var $symmetricDifference = require('../internals/set-symmetric-difference'); - -// `Set.prototype.symmetricDifference` method -// https://github.com/tc39/proposal-set-methods -// TODO: Obsolete version, remove from `core-js@4` -$({ target: 'Set', proto: true, real: true, forced: true }, { - symmetricDifference: function symmetricDifference(other) { - return call($symmetricDifference, this, toSetLike(other)); - } -}); diff --git a/node_modules/core-js/modules/esnext.set.symmetric-difference.v2.js b/node_modules/core-js/modules/esnext.set.symmetric-difference.v2.js deleted file mode 100644 index b16890f..0000000 --- a/node_modules/core-js/modules/esnext.set.symmetric-difference.v2.js +++ /dev/null @@ -1,10 +0,0 @@ -'use strict'; -var $ = require('../internals/export'); -var symmetricDifference = require('../internals/set-symmetric-difference'); -var setMethodAcceptSetLike = require('../internals/set-method-accept-set-like'); - -// `Set.prototype.symmetricDifference` method -// https://github.com/tc39/proposal-set-methods -$({ target: 'Set', proto: true, real: true, forced: !setMethodAcceptSetLike('symmetricDifference') }, { - symmetricDifference: symmetricDifference -}); diff --git a/node_modules/core-js/modules/esnext.set.union.js b/node_modules/core-js/modules/esnext.set.union.js deleted file mode 100644 index 0ff0696..0000000 --- a/node_modules/core-js/modules/esnext.set.union.js +++ /dev/null @@ -1,14 +0,0 @@ -'use strict'; -var $ = require('../internals/export'); -var call = require('../internals/function-call'); -var toSetLike = require('../internals/to-set-like'); -var $union = require('../internals/set-union'); - -// `Set.prototype.union` method -// https://github.com/tc39/proposal-set-methods -// TODO: Obsolete version, remove from `core-js@4` -$({ target: 'Set', proto: true, real: true, forced: true }, { - union: function union(other) { - return call($union, this, toSetLike(other)); - } -}); diff --git a/node_modules/core-js/modules/esnext.set.union.v2.js b/node_modules/core-js/modules/esnext.set.union.v2.js deleted file mode 100644 index fcfa481..0000000 --- a/node_modules/core-js/modules/esnext.set.union.v2.js +++ /dev/null @@ -1,10 +0,0 @@ -'use strict'; -var $ = require('../internals/export'); -var union = require('../internals/set-union'); -var setMethodAcceptSetLike = require('../internals/set-method-accept-set-like'); - -// `Set.prototype.union` method -// https://github.com/tc39/proposal-set-methods -$({ target: 'Set', proto: true, real: true, forced: !setMethodAcceptSetLike('union') }, { - union: union -}); diff --git a/node_modules/core-js/modules/esnext.string.at-alternative.js b/node_modules/core-js/modules/esnext.string.at-alternative.js deleted file mode 100644 index 50bc7d1..0000000 --- a/node_modules/core-js/modules/esnext.string.at-alternative.js +++ /dev/null @@ -1,3 +0,0 @@ -'use strict'; -// TODO: Remove from `core-js@4` -require('../modules/es.string.at-alternative'); diff --git a/node_modules/core-js/modules/esnext.string.at.js b/node_modules/core-js/modules/esnext.string.at.js deleted file mode 100644 index 88d4c95..0000000 --- a/node_modules/core-js/modules/esnext.string.at.js +++ /dev/null @@ -1,19 +0,0 @@ -'use strict'; -// TODO: Remove from `core-js@4` -var $ = require('../internals/export'); -var charAt = require('../internals/string-multibyte').charAt; -var requireObjectCoercible = require('../internals/require-object-coercible'); -var toIntegerOrInfinity = require('../internals/to-integer-or-infinity'); -var toString = require('../internals/to-string'); - -// `String.prototype.at` method -// https://github.com/mathiasbynens/String.prototype.at -$({ target: 'String', proto: true, forced: true }, { - at: function at(index) { - var S = toString(requireObjectCoercible(this)); - var len = S.length; - var relativeIndex = toIntegerOrInfinity(index); - var k = relativeIndex >= 0 ? relativeIndex : len + relativeIndex; - return (k < 0 || k >= len) ? undefined : charAt(S, k); - } -}); diff --git a/node_modules/core-js/modules/esnext.string.code-points.js b/node_modules/core-js/modules/esnext.string.code-points.js deleted file mode 100644 index 68720f4..0000000 --- a/node_modules/core-js/modules/esnext.string.code-points.js +++ /dev/null @@ -1,40 +0,0 @@ -'use strict'; -var $ = require('../internals/export'); -var createIteratorConstructor = require('../internals/iterator-create-constructor'); -var createIterResultObject = require('../internals/create-iter-result-object'); -var requireObjectCoercible = require('../internals/require-object-coercible'); -var toString = require('../internals/to-string'); -var InternalStateModule = require('../internals/internal-state'); -var StringMultibyteModule = require('../internals/string-multibyte'); - -var codeAt = StringMultibyteModule.codeAt; -var charAt = StringMultibyteModule.charAt; -var STRING_ITERATOR = 'String Iterator'; -var setInternalState = InternalStateModule.set; -var getInternalState = InternalStateModule.getterFor(STRING_ITERATOR); - -// TODO: unify with String#@@iterator -var $StringIterator = createIteratorConstructor(function StringIterator(string) { - setInternalState(this, { - type: STRING_ITERATOR, - string: string, - index: 0 - }); -}, 'String', function next() { - var state = getInternalState(this); - var string = state.string; - var index = state.index; - var point; - if (index >= string.length) return createIterResultObject(undefined, true); - point = charAt(string, index); - state.index += point.length; - return createIterResultObject({ codePoint: codeAt(point, 0), position: index }, false); -}); - -// `String.prototype.codePoints` method -// https://github.com/tc39/proposal-string-prototype-codepoints -$({ target: 'String', proto: true, forced: true }, { - codePoints: function codePoints() { - return new $StringIterator(toString(requireObjectCoercible(this))); - } -}); diff --git a/node_modules/core-js/modules/esnext.string.cooked.js b/node_modules/core-js/modules/esnext.string.cooked.js deleted file mode 100644 index 68c7e0a..0000000 --- a/node_modules/core-js/modules/esnext.string.cooked.js +++ /dev/null @@ -1,9 +0,0 @@ -'use strict'; -var $ = require('../internals/export'); -var cooked = require('../internals/string-cooked'); - -// `String.cooked` method -// https://github.com/tc39/proposal-string-cooked -$({ target: 'String', stat: true, forced: true }, { - cooked: cooked -}); diff --git a/node_modules/core-js/modules/esnext.string.dedent.js b/node_modules/core-js/modules/esnext.string.dedent.js deleted file mode 100644 index 4fbb8b5..0000000 --- a/node_modules/core-js/modules/esnext.string.dedent.js +++ /dev/null @@ -1,152 +0,0 @@ -'use strict'; -var FREEZING = require('../internals/freezing'); -var $ = require('../internals/export'); -var makeBuiltIn = require('../internals/make-built-in'); -var uncurryThis = require('../internals/function-uncurry-this'); -var apply = require('../internals/function-apply'); -var anObject = require('../internals/an-object'); -var toObject = require('../internals/to-object'); -var isCallable = require('../internals/is-callable'); -var lengthOfArrayLike = require('../internals/length-of-array-like'); -var defineProperty = require('../internals/object-define-property').f; -var createArrayFromList = require('../internals/array-slice'); -var WeakMapHelpers = require('../internals/weak-map-helpers'); -var cooked = require('../internals/string-cooked'); -var parse = require('../internals/string-parse'); -var whitespaces = require('../internals/whitespaces'); - -var DedentMap = new WeakMapHelpers.WeakMap(); -var weakMapGet = WeakMapHelpers.get; -var weakMapHas = WeakMapHelpers.has; -var weakMapSet = WeakMapHelpers.set; - -var $Array = Array; -var $TypeError = TypeError; -// eslint-disable-next-line es/no-object-freeze -- safe -var freeze = Object.freeze || Object; -// eslint-disable-next-line es/no-object-isfrozen -- safe -var isFrozen = Object.isFrozen; -var min = Math.min; -var charAt = uncurryThis(''.charAt); -var stringSlice = uncurryThis(''.slice); -var split = uncurryThis(''.split); -var exec = uncurryThis(/./.exec); - -var NEW_LINE = /([\n\u2028\u2029]|\r\n?)/g; -var LEADING_WHITESPACE = RegExp('^[' + whitespaces + ']*'); -var NON_WHITESPACE = RegExp('[^' + whitespaces + ']'); -var INVALID_TAG = 'Invalid tag'; -var INVALID_OPENING_LINE = 'Invalid opening line'; -var INVALID_CLOSING_LINE = 'Invalid closing line'; - -var dedentTemplateStringsArray = function (template) { - var rawInput = template.raw; - // https://github.com/tc39/proposal-string-dedent/issues/75 - if (FREEZING && !isFrozen(rawInput)) throw new $TypeError('Raw template should be frozen'); - if (weakMapHas(DedentMap, rawInput)) return weakMapGet(DedentMap, rawInput); - var raw = dedentStringsArray(rawInput); - var cookedArr = cookStrings(raw); - defineProperty(cookedArr, 'raw', { - value: freeze(raw) - }); - freeze(cookedArr); - weakMapSet(DedentMap, rawInput, cookedArr); - return cookedArr; -}; - -var dedentStringsArray = function (template) { - var t = toObject(template); - var length = lengthOfArrayLike(t); - var blocks = $Array(length); - var dedented = $Array(length); - var i = 0; - var lines, common, quasi, k; - - if (!length) throw new $TypeError(INVALID_TAG); - - for (; i < length; i++) { - var element = t[i]; - if (typeof element == 'string') blocks[i] = split(element, NEW_LINE); - else throw new $TypeError(INVALID_TAG); - } - - for (i = 0; i < length; i++) { - var lastSplit = i + 1 === length; - lines = blocks[i]; - if (i === 0) { - if (lines.length === 1 || lines[0].length > 0) { - throw new $TypeError(INVALID_OPENING_LINE); - } - lines[1] = ''; - } - if (lastSplit) { - if (lines.length === 1 || exec(NON_WHITESPACE, lines[lines.length - 1])) { - throw new $TypeError(INVALID_CLOSING_LINE); - } - lines[lines.length - 2] = ''; - lines[lines.length - 1] = ''; - } - for (var j = 2; j < lines.length; j += 2) { - var text = lines[j]; - var lineContainsTemplateExpression = j + 1 === lines.length && !lastSplit; - var leading = exec(LEADING_WHITESPACE, text)[0]; - if (!lineContainsTemplateExpression && leading.length === text.length) { - lines[j] = ''; - continue; - } - common = commonLeadingIndentation(leading, common); - } - } - - var count = common ? common.length : 0; - - for (i = 0; i < length; i++) { - lines = blocks[i]; - quasi = lines[0]; - k = 1; - for (; k < lines.length; k += 2) { - quasi += lines[k] + stringSlice(lines[k + 1], count); - } - dedented[i] = quasi; - } - - return dedented; -}; - -var commonLeadingIndentation = function (a, b) { - if (b === undefined || a === b) return a; - var i = 0; - for (var len = min(a.length, b.length); i < len; i++) { - if (charAt(a, i) !== charAt(b, i)) break; - } - return stringSlice(a, 0, i); -}; - -var cookStrings = function (raw) { - var i = 0; - var length = raw.length; - var result = $Array(length); - for (; i < length; i++) { - result[i] = parse(raw[i]); - } return result; -}; - -var makeDedentTag = function (tag) { - return makeBuiltIn(function (template /* , ...substitutions */) { - var args = createArrayFromList(arguments); - args[0] = dedentTemplateStringsArray(anObject(template)); - return apply(tag, this, args); - }, ''); -}; - -var cookedDedentTag = makeDedentTag(cooked); - -// `String.dedent` method -// https://github.com/tc39/proposal-string-dedent -$({ target: 'String', stat: true, forced: true }, { - dedent: function dedent(templateOrFn /* , ...substitutions */) { - anObject(templateOrFn); - if (isCallable(templateOrFn)) return makeDedentTag(templateOrFn); - return apply(cookedDedentTag, this, arguments); - } -}); diff --git a/node_modules/core-js/modules/esnext.string.is-well-formed.js b/node_modules/core-js/modules/esnext.string.is-well-formed.js deleted file mode 100644 index f6205b4..0000000 --- a/node_modules/core-js/modules/esnext.string.is-well-formed.js +++ /dev/null @@ -1,3 +0,0 @@ -'use strict'; -// TODO: Remove from `core-js@4` -require('../modules/es.string.is-well-formed'); diff --git a/node_modules/core-js/modules/esnext.string.match-all.js b/node_modules/core-js/modules/esnext.string.match-all.js deleted file mode 100644 index 420374c..0000000 --- a/node_modules/core-js/modules/esnext.string.match-all.js +++ /dev/null @@ -1,3 +0,0 @@ -'use strict'; -// TODO: Remove from `core-js@4` -require('../modules/es.string.match-all'); diff --git a/node_modules/core-js/modules/esnext.string.replace-all.js b/node_modules/core-js/modules/esnext.string.replace-all.js deleted file mode 100644 index 74d6117..0000000 --- a/node_modules/core-js/modules/esnext.string.replace-all.js +++ /dev/null @@ -1,3 +0,0 @@ -'use strict'; -// TODO: Remove from `core-js@4` -require('../modules/es.string.replace-all'); diff --git a/node_modules/core-js/modules/esnext.string.to-well-formed.js b/node_modules/core-js/modules/esnext.string.to-well-formed.js deleted file mode 100644 index 4fcdcf2..0000000 --- a/node_modules/core-js/modules/esnext.string.to-well-formed.js +++ /dev/null @@ -1,3 +0,0 @@ -'use strict'; -// TODO: Remove from `core-js@4` -require('../modules/es.string.to-well-formed'); diff --git a/node_modules/core-js/modules/esnext.suppressed-error.constructor.js b/node_modules/core-js/modules/esnext.suppressed-error.constructor.js deleted file mode 100644 index 1fe4919..0000000 --- a/node_modules/core-js/modules/esnext.suppressed-error.constructor.js +++ /dev/null @@ -1,46 +0,0 @@ -'use strict'; -var $ = require('../internals/export'); -var isPrototypeOf = require('../internals/object-is-prototype-of'); -var getPrototypeOf = require('../internals/object-get-prototype-of'); -var setPrototypeOf = require('../internals/object-set-prototype-of'); -var copyConstructorProperties = require('../internals/copy-constructor-properties'); -var create = require('../internals/object-create'); -var createNonEnumerableProperty = require('../internals/create-non-enumerable-property'); -var createPropertyDescriptor = require('../internals/create-property-descriptor'); -var installErrorStack = require('../internals/error-stack-install'); -var normalizeStringArgument = require('../internals/normalize-string-argument'); -var wellKnownSymbol = require('../internals/well-known-symbol'); - -var TO_STRING_TAG = wellKnownSymbol('toStringTag'); -var $Error = Error; - -var $SuppressedError = function SuppressedError(error, suppressed, message) { - var isInstance = isPrototypeOf(SuppressedErrorPrototype, this); - var that; - if (setPrototypeOf) { - that = setPrototypeOf(new $Error(), isInstance ? getPrototypeOf(this) : SuppressedErrorPrototype); - } else { - that = isInstance ? this : create(SuppressedErrorPrototype); - createNonEnumerableProperty(that, TO_STRING_TAG, 'Error'); - } - if (message !== undefined) createNonEnumerableProperty(that, 'message', normalizeStringArgument(message)); - installErrorStack(that, $SuppressedError, that.stack, 1); - createNonEnumerableProperty(that, 'error', error); - createNonEnumerableProperty(that, 'suppressed', suppressed); - return that; -}; - -if (setPrototypeOf) setPrototypeOf($SuppressedError, $Error); -else copyConstructorProperties($SuppressedError, $Error, { name: true }); - -var SuppressedErrorPrototype = $SuppressedError.prototype = create($Error.prototype, { - constructor: createPropertyDescriptor(1, $SuppressedError), - message: createPropertyDescriptor(1, ''), - name: createPropertyDescriptor(1, 'SuppressedError') -}); - -// `SuppressedError` constructor -// https://github.com/tc39/proposal-explicit-resource-management -$({ global: true, constructor: true, arity: 3 }, { - SuppressedError: $SuppressedError -}); diff --git a/node_modules/core-js/modules/esnext.symbol.async-dispose.js b/node_modules/core-js/modules/esnext.symbol.async-dispose.js deleted file mode 100644 index c5889b1..0000000 --- a/node_modules/core-js/modules/esnext.symbol.async-dispose.js +++ /dev/null @@ -1,21 +0,0 @@ -'use strict'; -var global = require('../internals/global'); -var defineWellKnownSymbol = require('../internals/well-known-symbol-define'); -var defineProperty = require('../internals/object-define-property').f; -var getOwnPropertyDescriptor = require('../internals/object-get-own-property-descriptor').f; - -var Symbol = global.Symbol; - -// `Symbol.asyncDispose` well-known symbol -// https://github.com/tc39/proposal-async-explicit-resource-management -defineWellKnownSymbol('asyncDispose'); - -if (Symbol) { - var descriptor = getOwnPropertyDescriptor(Symbol, 'asyncDispose'); - // workaround of NodeJS 20.4 bug - // https://github.com/nodejs/node/issues/48699 - // and incorrect descriptor from some transpilers and userland helpers - if (descriptor.enumerable && descriptor.configurable && descriptor.writable) { - defineProperty(Symbol, 'asyncDispose', { value: descriptor.value, enumerable: false, configurable: false, writable: false }); - } -} diff --git a/node_modules/core-js/modules/esnext.symbol.dispose.js b/node_modules/core-js/modules/esnext.symbol.dispose.js deleted file mode 100644 index d4b913d..0000000 --- a/node_modules/core-js/modules/esnext.symbol.dispose.js +++ /dev/null @@ -1,21 +0,0 @@ -'use strict'; -var global = require('../internals/global'); -var defineWellKnownSymbol = require('../internals/well-known-symbol-define'); -var defineProperty = require('../internals/object-define-property').f; -var getOwnPropertyDescriptor = require('../internals/object-get-own-property-descriptor').f; - -var Symbol = global.Symbol; - -// `Symbol.dispose` well-known symbol -// https://github.com/tc39/proposal-explicit-resource-management -defineWellKnownSymbol('dispose'); - -if (Symbol) { - var descriptor = getOwnPropertyDescriptor(Symbol, 'dispose'); - // workaround of NodeJS 20.4 bug - // https://github.com/nodejs/node/issues/48699 - // and incorrect descriptor from some transpilers and userland helpers - if (descriptor.enumerable && descriptor.configurable && descriptor.writable) { - defineProperty(Symbol, 'dispose', { value: descriptor.value, enumerable: false, configurable: false, writable: false }); - } -} diff --git a/node_modules/core-js/modules/esnext.symbol.is-registered-symbol.js b/node_modules/core-js/modules/esnext.symbol.is-registered-symbol.js deleted file mode 100644 index 5cd5c20..0000000 --- a/node_modules/core-js/modules/esnext.symbol.is-registered-symbol.js +++ /dev/null @@ -1,9 +0,0 @@ -'use strict'; -var $ = require('../internals/export'); -var isRegisteredSymbol = require('../internals/symbol-is-registered'); - -// `Symbol.isRegisteredSymbol` method -// https://tc39.es/proposal-symbol-predicates/#sec-symbol-isregisteredsymbol -$({ target: 'Symbol', stat: true }, { - isRegisteredSymbol: isRegisteredSymbol -}); diff --git a/node_modules/core-js/modules/esnext.symbol.is-registered.js b/node_modules/core-js/modules/esnext.symbol.is-registered.js deleted file mode 100644 index 777c972..0000000 --- a/node_modules/core-js/modules/esnext.symbol.is-registered.js +++ /dev/null @@ -1,9 +0,0 @@ -'use strict'; -var $ = require('../internals/export'); -var isRegisteredSymbol = require('../internals/symbol-is-registered'); - -// `Symbol.isRegistered` method -// obsolete version of https://tc39.es/proposal-symbol-predicates/#sec-symbol-isregisteredsymbol -$({ target: 'Symbol', stat: true, name: 'isRegisteredSymbol' }, { - isRegistered: isRegisteredSymbol -}); diff --git a/node_modules/core-js/modules/esnext.symbol.is-well-known-symbol.js b/node_modules/core-js/modules/esnext.symbol.is-well-known-symbol.js deleted file mode 100644 index 8663e05..0000000 --- a/node_modules/core-js/modules/esnext.symbol.is-well-known-symbol.js +++ /dev/null @@ -1,10 +0,0 @@ -'use strict'; -var $ = require('../internals/export'); -var isWellKnownSymbol = require('../internals/symbol-is-well-known'); - -// `Symbol.isWellKnownSymbol` method -// https://tc39.es/proposal-symbol-predicates/#sec-symbol-iswellknownsymbol -// We should patch it for newly added well-known symbols. If it's not required, this module just will not be injected -$({ target: 'Symbol', stat: true, forced: true }, { - isWellKnownSymbol: isWellKnownSymbol -}); diff --git a/node_modules/core-js/modules/esnext.symbol.is-well-known.js b/node_modules/core-js/modules/esnext.symbol.is-well-known.js deleted file mode 100644 index 6c0e000..0000000 --- a/node_modules/core-js/modules/esnext.symbol.is-well-known.js +++ /dev/null @@ -1,10 +0,0 @@ -'use strict'; -var $ = require('../internals/export'); -var isWellKnownSymbol = require('../internals/symbol-is-well-known'); - -// `Symbol.isWellKnown` method -// obsolete version of https://tc39.es/proposal-symbol-predicates/#sec-symbol-iswellknownsymbol -// We should patch it for newly added well-known symbols. If it's not required, this module just will not be injected -$({ target: 'Symbol', stat: true, name: 'isWellKnownSymbol', forced: true }, { - isWellKnown: isWellKnownSymbol -}); diff --git a/node_modules/core-js/modules/esnext.symbol.matcher.js b/node_modules/core-js/modules/esnext.symbol.matcher.js deleted file mode 100644 index ec224ae..0000000 --- a/node_modules/core-js/modules/esnext.symbol.matcher.js +++ /dev/null @@ -1,6 +0,0 @@ -'use strict'; -var defineWellKnownSymbol = require('../internals/well-known-symbol-define'); - -// `Symbol.matcher` well-known symbol -// https://github.com/tc39/proposal-pattern-matching -defineWellKnownSymbol('matcher'); diff --git a/node_modules/core-js/modules/esnext.symbol.metadata-key.js b/node_modules/core-js/modules/esnext.symbol.metadata-key.js deleted file mode 100644 index f0435c6..0000000 --- a/node_modules/core-js/modules/esnext.symbol.metadata-key.js +++ /dev/null @@ -1,7 +0,0 @@ -'use strict'; -// TODO: Remove from `core-js@4` -var defineWellKnownSymbol = require('../internals/well-known-symbol-define'); - -// `Symbol.metadataKey` well-known symbol -// https://github.com/tc39/proposal-decorator-metadata -defineWellKnownSymbol('metadataKey'); diff --git a/node_modules/core-js/modules/esnext.symbol.metadata.js b/node_modules/core-js/modules/esnext.symbol.metadata.js deleted file mode 100644 index 182c936..0000000 --- a/node_modules/core-js/modules/esnext.symbol.metadata.js +++ /dev/null @@ -1,6 +0,0 @@ -'use strict'; -var defineWellKnownSymbol = require('../internals/well-known-symbol-define'); - -// `Symbol.metadata` well-known symbol -// https://github.com/tc39/proposal-decorators -defineWellKnownSymbol('metadata'); diff --git a/node_modules/core-js/modules/esnext.symbol.observable.js b/node_modules/core-js/modules/esnext.symbol.observable.js deleted file mode 100644 index 100044d..0000000 --- a/node_modules/core-js/modules/esnext.symbol.observable.js +++ /dev/null @@ -1,6 +0,0 @@ -'use strict'; -var defineWellKnownSymbol = require('../internals/well-known-symbol-define'); - -// `Symbol.observable` well-known symbol -// https://github.com/tc39/proposal-observable -defineWellKnownSymbol('observable'); diff --git a/node_modules/core-js/modules/esnext.symbol.pattern-match.js b/node_modules/core-js/modules/esnext.symbol.pattern-match.js deleted file mode 100644 index bd58723..0000000 --- a/node_modules/core-js/modules/esnext.symbol.pattern-match.js +++ /dev/null @@ -1,7 +0,0 @@ -'use strict'; -// TODO: remove from `core-js@4` -var defineWellKnownSymbol = require('../internals/well-known-symbol-define'); - -// `Symbol.patternMatch` well-known symbol -// https://github.com/tc39/proposal-pattern-matching -defineWellKnownSymbol('patternMatch'); diff --git a/node_modules/core-js/modules/esnext.symbol.replace-all.js b/node_modules/core-js/modules/esnext.symbol.replace-all.js deleted file mode 100644 index 1bd2e1b..0000000 --- a/node_modules/core-js/modules/esnext.symbol.replace-all.js +++ /dev/null @@ -1,5 +0,0 @@ -'use strict'; -// TODO: remove from `core-js@4` -var defineWellKnownSymbol = require('../internals/well-known-symbol-define'); - -defineWellKnownSymbol('replaceAll'); diff --git a/node_modules/core-js/modules/esnext.typed-array.at.js b/node_modules/core-js/modules/esnext.typed-array.at.js deleted file mode 100644 index e9d808c..0000000 --- a/node_modules/core-js/modules/esnext.typed-array.at.js +++ /dev/null @@ -1,3 +0,0 @@ -'use strict'; -// TODO: Remove from `core-js@4` -require('../modules/es.typed-array.at'); diff --git a/node_modules/core-js/modules/esnext.typed-array.filter-out.js b/node_modules/core-js/modules/esnext.typed-array.filter-out.js deleted file mode 100644 index deb9230..0000000 --- a/node_modules/core-js/modules/esnext.typed-array.filter-out.js +++ /dev/null @@ -1,15 +0,0 @@ -'use strict'; -// TODO: Remove from `core-js@4` -var ArrayBufferViewCore = require('../internals/array-buffer-view-core'); -var $filterReject = require('../internals/array-iteration').filterReject; -var fromSpeciesAndList = require('../internals/typed-array-from-species-and-list'); - -var aTypedArray = ArrayBufferViewCore.aTypedArray; -var exportTypedArrayMethod = ArrayBufferViewCore.exportTypedArrayMethod; - -// `%TypedArray%.prototype.filterOut` method -// https://github.com/tc39/proposal-array-filtering -exportTypedArrayMethod('filterOut', function filterOut(callbackfn /* , thisArg */) { - var list = $filterReject(aTypedArray(this), callbackfn, arguments.length > 1 ? arguments[1] : undefined); - return fromSpeciesAndList(this, list); -}, true); diff --git a/node_modules/core-js/modules/esnext.typed-array.filter-reject.js b/node_modules/core-js/modules/esnext.typed-array.filter-reject.js deleted file mode 100644 index ed3375f..0000000 --- a/node_modules/core-js/modules/esnext.typed-array.filter-reject.js +++ /dev/null @@ -1,14 +0,0 @@ -'use strict'; -var ArrayBufferViewCore = require('../internals/array-buffer-view-core'); -var $filterReject = require('../internals/array-iteration').filterReject; -var fromSpeciesAndList = require('../internals/typed-array-from-species-and-list'); - -var aTypedArray = ArrayBufferViewCore.aTypedArray; -var exportTypedArrayMethod = ArrayBufferViewCore.exportTypedArrayMethod; - -// `%TypedArray%.prototype.filterReject` method -// https://github.com/tc39/proposal-array-filtering -exportTypedArrayMethod('filterReject', function filterReject(callbackfn /* , thisArg */) { - var list = $filterReject(aTypedArray(this), callbackfn, arguments.length > 1 ? arguments[1] : undefined); - return fromSpeciesAndList(this, list); -}, true); diff --git a/node_modules/core-js/modules/esnext.typed-array.find-last-index.js b/node_modules/core-js/modules/esnext.typed-array.find-last-index.js deleted file mode 100644 index 9b35fb3..0000000 --- a/node_modules/core-js/modules/esnext.typed-array.find-last-index.js +++ /dev/null @@ -1,3 +0,0 @@ -'use strict'; -// TODO: Remove from `core-js@4` -require('../modules/es.typed-array.find-last-index'); diff --git a/node_modules/core-js/modules/esnext.typed-array.find-last.js b/node_modules/core-js/modules/esnext.typed-array.find-last.js deleted file mode 100644 index ed44d53..0000000 --- a/node_modules/core-js/modules/esnext.typed-array.find-last.js +++ /dev/null @@ -1,3 +0,0 @@ -'use strict'; -// TODO: Remove from `core-js@4` -require('../modules/es.typed-array.find-last'); diff --git a/node_modules/core-js/modules/esnext.typed-array.from-async.js b/node_modules/core-js/modules/esnext.typed-array.from-async.js deleted file mode 100644 index 64c57d7..0000000 --- a/node_modules/core-js/modules/esnext.typed-array.from-async.js +++ /dev/null @@ -1,25 +0,0 @@ -'use strict'; -// TODO: Remove from `core-js@4` -var getBuiltIn = require('../internals/get-built-in'); -var aConstructor = require('../internals/a-constructor'); -var arrayFromAsync = require('../internals/array-from-async'); -var ArrayBufferViewCore = require('../internals/array-buffer-view-core'); -var arrayFromConstructorAndList = require('../internals/array-from-constructor-and-list'); - -var aTypedArrayConstructor = ArrayBufferViewCore.aTypedArrayConstructor; -var exportTypedArrayStaticMethod = ArrayBufferViewCore.exportTypedArrayStaticMethod; - -// `%TypedArray%.fromAsync` method -// https://github.com/tc39/proposal-array-from-async -exportTypedArrayStaticMethod('fromAsync', function fromAsync(asyncItems /* , mapfn = undefined, thisArg = undefined */) { - var C = this; - var argumentsLength = arguments.length; - var mapfn = argumentsLength > 1 ? arguments[1] : undefined; - var thisArg = argumentsLength > 2 ? arguments[2] : undefined; - return new (getBuiltIn('Promise'))(function (resolve) { - aConstructor(C); - resolve(arrayFromAsync(asyncItems, mapfn, thisArg)); - }).then(function (list) { - return arrayFromConstructorAndList(aTypedArrayConstructor(C), list); - }); -}, true); diff --git a/node_modules/core-js/modules/esnext.typed-array.group-by.js b/node_modules/core-js/modules/esnext.typed-array.group-by.js deleted file mode 100644 index c180bc2..0000000 --- a/node_modules/core-js/modules/esnext.typed-array.group-by.js +++ /dev/null @@ -1,15 +0,0 @@ -'use strict'; -// TODO: Remove from `core-js@4` -var ArrayBufferViewCore = require('../internals/array-buffer-view-core'); -var $group = require('../internals/array-group'); -var typedArraySpeciesConstructor = require('../internals/typed-array-species-constructor'); - -var aTypedArray = ArrayBufferViewCore.aTypedArray; -var exportTypedArrayMethod = ArrayBufferViewCore.exportTypedArrayMethod; - -// `%TypedArray%.prototype.groupBy` method -// https://github.com/tc39/proposal-array-grouping -exportTypedArrayMethod('groupBy', function groupBy(callbackfn /* , thisArg */) { - var thisArg = arguments.length > 1 ? arguments[1] : undefined; - return $group(aTypedArray(this), callbackfn, thisArg, typedArraySpeciesConstructor); -}, true); diff --git a/node_modules/core-js/modules/esnext.typed-array.to-reversed.js b/node_modules/core-js/modules/esnext.typed-array.to-reversed.js deleted file mode 100644 index ba5bcd5..0000000 --- a/node_modules/core-js/modules/esnext.typed-array.to-reversed.js +++ /dev/null @@ -1,3 +0,0 @@ -'use strict'; -// TODO: Remove from `core-js@4` -require('../modules/es.typed-array.to-reversed'); diff --git a/node_modules/core-js/modules/esnext.typed-array.to-sorted.js b/node_modules/core-js/modules/esnext.typed-array.to-sorted.js deleted file mode 100644 index c38f3b8..0000000 --- a/node_modules/core-js/modules/esnext.typed-array.to-sorted.js +++ /dev/null @@ -1,3 +0,0 @@ -'use strict'; -// TODO: Remove from `core-js@4` -require('../modules/es.typed-array.to-sorted'); diff --git a/node_modules/core-js/modules/esnext.typed-array.to-spliced.js b/node_modules/core-js/modules/esnext.typed-array.to-spliced.js deleted file mode 100644 index 9ed5450..0000000 --- a/node_modules/core-js/modules/esnext.typed-array.to-spliced.js +++ /dev/null @@ -1,68 +0,0 @@ -'use strict'; -// TODO: Remove from `core-js@4` -var ArrayBufferViewCore = require('../internals/array-buffer-view-core'); -var lengthOfArrayLike = require('../internals/length-of-array-like'); -var isBigIntArray = require('../internals/is-big-int-array'); -var toAbsoluteIndex = require('../internals/to-absolute-index'); -var toBigInt = require('../internals/to-big-int'); -var toIntegerOrInfinity = require('../internals/to-integer-or-infinity'); -var fails = require('../internals/fails'); - -var aTypedArray = ArrayBufferViewCore.aTypedArray; -var getTypedArrayConstructor = ArrayBufferViewCore.getTypedArrayConstructor; -var exportTypedArrayMethod = ArrayBufferViewCore.exportTypedArrayMethod; -var max = Math.max; -var min = Math.min; - -// some early implementations, like WebKit, does not follow the final semantic -var PROPER_ORDER = !fails(function () { - // eslint-disable-next-line es/no-typed-arrays -- required for testing - var array = new Int8Array([1]); - - var spliced = array.toSpliced(1, 0, { - valueOf: function () { - array[0] = 2; - return 3; - } - }); - - return spliced[0] !== 2 || spliced[1] !== 3; -}); - -// `%TypedArray%.prototype.toSpliced` method -// https://tc39.es/proposal-change-array-by-copy/#sec-%typedarray%.prototype.toSpliced -exportTypedArrayMethod('toSpliced', function toSpliced(start, deleteCount /* , ...items */) { - var O = aTypedArray(this); - var C = getTypedArrayConstructor(O); - var len = lengthOfArrayLike(O); - var actualStart = toAbsoluteIndex(start, len); - var argumentsLength = arguments.length; - var k = 0; - var insertCount, actualDeleteCount, thisIsBigIntArray, convertedItems, value, newLen, A; - if (argumentsLength === 0) { - insertCount = actualDeleteCount = 0; - } else if (argumentsLength === 1) { - insertCount = 0; - actualDeleteCount = len - actualStart; - } else { - actualDeleteCount = min(max(toIntegerOrInfinity(deleteCount), 0), len - actualStart); - insertCount = argumentsLength - 2; - if (insertCount) { - convertedItems = new C(insertCount); - thisIsBigIntArray = isBigIntArray(convertedItems); - for (var i = 2; i < argumentsLength; i++) { - value = arguments[i]; - // FF30- typed arrays doesn't properly convert objects to typed array values - convertedItems[i - 2] = thisIsBigIntArray ? toBigInt(value) : +value; - } - } - } - newLen = len + insertCount - actualDeleteCount; - A = new C(newLen); - - for (; k < actualStart; k++) A[k] = O[k]; - for (; k < actualStart + insertCount; k++) A[k] = convertedItems[k - actualStart]; - for (; k < newLen; k++) A[k] = O[k + actualDeleteCount - insertCount]; - - return A; -}, !PROPER_ORDER); diff --git a/node_modules/core-js/modules/esnext.typed-array.unique-by.js b/node_modules/core-js/modules/esnext.typed-array.unique-by.js deleted file mode 100644 index 4a99e6d..0000000 --- a/node_modules/core-js/modules/esnext.typed-array.unique-by.js +++ /dev/null @@ -1,17 +0,0 @@ -'use strict'; -var uncurryThis = require('../internals/function-uncurry-this'); -var ArrayBufferViewCore = require('../internals/array-buffer-view-core'); -var arrayFromConstructorAndList = require('../internals/array-from-constructor-and-list'); -var $arrayUniqueBy = require('../internals/array-unique-by'); - -var aTypedArray = ArrayBufferViewCore.aTypedArray; -var getTypedArrayConstructor = ArrayBufferViewCore.getTypedArrayConstructor; -var exportTypedArrayMethod = ArrayBufferViewCore.exportTypedArrayMethod; -var arrayUniqueBy = uncurryThis($arrayUniqueBy); - -// `%TypedArray%.prototype.uniqueBy` method -// https://github.com/tc39/proposal-array-unique -exportTypedArrayMethod('uniqueBy', function uniqueBy(resolver) { - aTypedArray(this); - return arrayFromConstructorAndList(getTypedArrayConstructor(this), arrayUniqueBy(this, resolver)); -}, true); diff --git a/node_modules/core-js/modules/esnext.typed-array.with.js b/node_modules/core-js/modules/esnext.typed-array.with.js deleted file mode 100644 index 14bc75c..0000000 --- a/node_modules/core-js/modules/esnext.typed-array.with.js +++ /dev/null @@ -1,3 +0,0 @@ -'use strict'; -// TODO: Remove from `core-js@4` -require('../modules/es.typed-array.with'); diff --git a/node_modules/core-js/modules/esnext.uint8-array.from-base64.js b/node_modules/core-js/modules/esnext.uint8-array.from-base64.js deleted file mode 100644 index 778afc1..0000000 --- a/node_modules/core-js/modules/esnext.uint8-array.from-base64.js +++ /dev/null @@ -1,75 +0,0 @@ -'use strict'; -var $ = require('../internals/export'); -var global = require('../internals/global'); -var uncurryThis = require('../internals/function-uncurry-this'); -var anObjectOrUndefined = require('../internals/an-object-or-undefined'); -var aString = require('../internals/a-string'); -var hasOwn = require('../internals/has-own-property'); -var arrayFromConstructorAndList = require('../internals/array-from-constructor-and-list'); -var base64Map = require('../internals/base64-map'); -var getAlphabetOption = require('../internals/get-alphabet-option'); - -var base64Alphabet = base64Map.c2i; -var base64UrlAlphabet = base64Map.c2iUrl; - -var Uint8Array = global.Uint8Array; -var SyntaxError = global.SyntaxError; -var charAt = uncurryThis(''.charAt); -var replace = uncurryThis(''.replace); -var stringSlice = uncurryThis(''.slice); -var push = uncurryThis([].push); -var SPACES = /[\t\n\f\r ]/g; -var EXTRA_BITS = 'Extra bits'; - -// `Uint8Array.fromBase64` method -// https://github.com/tc39/proposal-arraybuffer-base64 -if (Uint8Array) $({ target: 'Uint8Array', stat: true, forced: true }, { - fromBase64: function fromBase64(string /* , options */) { - aString(string); - var options = arguments.length > 1 ? anObjectOrUndefined(arguments[1]) : undefined; - var alphabet = getAlphabetOption(options) === 'base64' ? base64Alphabet : base64UrlAlphabet; - var strict = options ? !!options.strict : false; - - var input = strict ? string : replace(string, SPACES, ''); - - if (input.length % 4 === 0) { - if (stringSlice(input, -2) === '==') input = stringSlice(input, 0, -2); - else if (stringSlice(input, -1) === '=') input = stringSlice(input, 0, -1); - } else if (strict) throw new SyntaxError('Input is not correctly padded'); - - var lastChunkSize = input.length % 4; - - switch (lastChunkSize) { - case 1: throw new SyntaxError('Bad input length'); - case 2: input += 'AA'; break; - case 3: input += 'A'; - } - - var bytes = []; - var i = 0; - var inputLength = input.length; - - var at = function (shift) { - var chr = charAt(input, i + shift); - if (!hasOwn(alphabet, chr)) throw new SyntaxError('Bad char in input: "' + chr + '"'); - return alphabet[chr] << (18 - 6 * shift); - }; - - for (; i < inputLength; i += 4) { - var triplet = at(0) + at(1) + at(2) + at(3); - push(bytes, (triplet >> 16) & 255, (triplet >> 8) & 255, triplet & 255); - } - - var byteLength = bytes.length; - - if (lastChunkSize === 2) { - if (strict && bytes[byteLength - 2] !== 0) throw new SyntaxError(EXTRA_BITS); - byteLength -= 2; - } else if (lastChunkSize === 3) { - if (strict && bytes[byteLength - 1] !== 0) throw new SyntaxError(EXTRA_BITS); - byteLength--; - } - - return arrayFromConstructorAndList(Uint8Array, bytes, byteLength); - } -}); diff --git a/node_modules/core-js/modules/esnext.uint8-array.from-hex.js b/node_modules/core-js/modules/esnext.uint8-array.from-hex.js deleted file mode 100644 index 59767b1..0000000 --- a/node_modules/core-js/modules/esnext.uint8-array.from-hex.js +++ /dev/null @@ -1,28 +0,0 @@ -'use strict'; -var $ = require('../internals/export'); -var global = require('../internals/global'); -var uncurryThis = require('../internals/function-uncurry-this'); -var aString = require('../internals/a-string'); - -var Uint8Array = global.Uint8Array; -var SyntaxError = global.SyntaxError; -var parseInt = global.parseInt; -var NOT_HEX = /[^\da-f]/i; -var exec = uncurryThis(NOT_HEX.exec); -var stringSlice = uncurryThis(''.slice); - -// `Uint8Array.fromHex` method -// https://github.com/tc39/proposal-arraybuffer-base64 -if (Uint8Array) $({ target: 'Uint8Array', stat: true, forced: true }, { - fromHex: function fromHex(string) { - aString(string); - var stringLength = string.length; - if (stringLength % 2) throw new SyntaxError('String should have an even number of characters'); - if (exec(NOT_HEX, string)) throw new SyntaxError('String should only contain hex characters'); - var result = new Uint8Array(stringLength / 2); - for (var i = 0; i < stringLength; i += 2) { - result[i / 2] = parseInt(stringSlice(string, i, i + 2), 16); - } - return result; - } -}); diff --git a/node_modules/core-js/modules/esnext.uint8-array.to-base64.js b/node_modules/core-js/modules/esnext.uint8-array.to-base64.js deleted file mode 100644 index faa17d4..0000000 --- a/node_modules/core-js/modules/esnext.uint8-array.to-base64.js +++ /dev/null @@ -1,47 +0,0 @@ -'use strict'; -var $ = require('../internals/export'); -var global = require('../internals/global'); -var uncurryThis = require('../internals/function-uncurry-this'); -var anObjectOrUndefined = require('../internals/an-object-or-undefined'); -var anUint8Array = require('../internals/an-uint8-array'); -var base64Map = require('../internals/base64-map'); -var getAlphabetOption = require('../internals/get-alphabet-option'); - -var base64Alphabet = base64Map.i2c; -var base64UrlAlphabet = base64Map.i2cUrl; - -var Uint8Array = global.Uint8Array; -var charAt = uncurryThis(''.charAt); - -// `Uint8Array.prototype.toBase64` method -// https://github.com/tc39/proposal-arraybuffer-base64 -if (Uint8Array) $({ target: 'Uint8Array', proto: true, forced: true }, { - toBase64: function toBase64(/* options */) { - var array = anUint8Array(this); - var options = arguments.length ? anObjectOrUndefined(arguments[0]) : undefined; - var alphabet = getAlphabetOption(options) === 'base64' ? base64Alphabet : base64UrlAlphabet; - - var result = ''; - var i = 0; - var length = array.length; - var triplet; - - var at = function (shift) { - return charAt(alphabet, (triplet >> (6 * shift)) & 63); - }; - - for (; i + 2 < length; i += 3) { - triplet = (array[i] << 16) + (array[i + 1] << 8) + array[i + 2]; - result += at(3) + at(2) + at(1) + at(0); - } - if (i + 2 === length) { - triplet = (array[i] << 16) + (array[i + 1] << 8); - result += at(3) + at(2) + at(1) + '='; - } else if (i + 1 === length) { - triplet = array[i] << 16; - result += at(3) + at(2) + '=='; - } - - return result; - } -}); diff --git a/node_modules/core-js/modules/esnext.uint8-array.to-hex.js b/node_modules/core-js/modules/esnext.uint8-array.to-hex.js deleted file mode 100644 index 54e05a5..0000000 --- a/node_modules/core-js/modules/esnext.uint8-array.to-hex.js +++ /dev/null @@ -1,22 +0,0 @@ -'use strict'; -var $ = require('../internals/export'); -var global = require('../internals/global'); -var uncurryThis = require('../internals/function-uncurry-this'); -var anUint8Array = require('../internals/an-uint8-array'); - -var Uint8Array = global.Uint8Array; -var numberToString = uncurryThis(1.0.toString); - -// `Uint8Array.prototype.toHex` method -// https://github.com/tc39/proposal-arraybuffer-base64 -if (Uint8Array) $({ target: 'Uint8Array', proto: true, forced: true }, { - toHex: function toHex() { - anUint8Array(this); - var result = ''; - for (var i = 0, length = this.length; i < length; i++) { - var hex = numberToString(this[i], 16); - result += hex.length === 1 ? '0' + hex : hex; - } - return result; - } -}); diff --git a/node_modules/core-js/modules/esnext.weak-map.delete-all.js b/node_modules/core-js/modules/esnext.weak-map.delete-all.js deleted file mode 100644 index 7d83a4a..0000000 --- a/node_modules/core-js/modules/esnext.weak-map.delete-all.js +++ /dev/null @@ -1,18 +0,0 @@ -'use strict'; -var $ = require('../internals/export'); -var aWeakMap = require('../internals/a-weak-map'); -var remove = require('../internals/weak-map-helpers').remove; - -// `WeakMap.prototype.deleteAll` method -// https://github.com/tc39/proposal-collection-methods -$({ target: 'WeakMap', proto: true, real: true, forced: true }, { - deleteAll: function deleteAll(/* ...elements */) { - var collection = aWeakMap(this); - var allDeleted = true; - var wasDeleted; - for (var k = 0, len = arguments.length; k < len; k++) { - wasDeleted = remove(collection, arguments[k]); - allDeleted = allDeleted && wasDeleted; - } return !!allDeleted; - } -}); diff --git a/node_modules/core-js/modules/esnext.weak-map.emplace.js b/node_modules/core-js/modules/esnext.weak-map.emplace.js deleted file mode 100644 index 9050c15..0000000 --- a/node_modules/core-js/modules/esnext.weak-map.emplace.js +++ /dev/null @@ -1,27 +0,0 @@ -'use strict'; -var $ = require('../internals/export'); -var aWeakMap = require('../internals/a-weak-map'); -var WeakMapHelpers = require('../internals/weak-map-helpers'); - -var get = WeakMapHelpers.get; -var has = WeakMapHelpers.has; -var set = WeakMapHelpers.set; - -// `WeakMap.prototype.emplace` method -// https://github.com/tc39/proposal-upsert -$({ target: 'WeakMap', proto: true, real: true, forced: true }, { - emplace: function emplace(key, handler) { - var map = aWeakMap(this); - var value, inserted; - if (has(map, key)) { - value = get(map, key); - if ('update' in handler) { - value = handler.update(value, key, map); - set(map, key, value); - } return value; - } - inserted = handler.insert(key, map); - set(map, key, inserted); - return inserted; - } -}); diff --git a/node_modules/core-js/modules/esnext.weak-map.from.js b/node_modules/core-js/modules/esnext.weak-map.from.js deleted file mode 100644 index a14b008..0000000 --- a/node_modules/core-js/modules/esnext.weak-map.from.js +++ /dev/null @@ -1,10 +0,0 @@ -'use strict'; -var $ = require('../internals/export'); -var WeakMapHelpers = require('../internals/weak-map-helpers'); -var createCollectionFrom = require('../internals/collection-from'); - -// `WeakMap.from` method -// https://tc39.github.io/proposal-setmap-offrom/#sec-weakmap.from -$({ target: 'WeakMap', stat: true, forced: true }, { - from: createCollectionFrom(WeakMapHelpers.WeakMap, WeakMapHelpers.set, true) -}); diff --git a/node_modules/core-js/modules/esnext.weak-map.of.js b/node_modules/core-js/modules/esnext.weak-map.of.js deleted file mode 100644 index e411172..0000000 --- a/node_modules/core-js/modules/esnext.weak-map.of.js +++ /dev/null @@ -1,10 +0,0 @@ -'use strict'; -var $ = require('../internals/export'); -var WeakMapHelpers = require('../internals/weak-map-helpers'); -var createCollectionOf = require('../internals/collection-of'); - -// `WeakMap.of` method -// https://tc39.github.io/proposal-setmap-offrom/#sec-weakmap.of -$({ target: 'WeakMap', stat: true, forced: true }, { - of: createCollectionOf(WeakMapHelpers.WeakMap, WeakMapHelpers.set, true) -}); diff --git a/node_modules/core-js/modules/esnext.weak-map.upsert.js b/node_modules/core-js/modules/esnext.weak-map.upsert.js deleted file mode 100644 index ddef2d8..0000000 --- a/node_modules/core-js/modules/esnext.weak-map.upsert.js +++ /dev/null @@ -1,10 +0,0 @@ -'use strict'; -// TODO: remove from `core-js@4` -var $ = require('../internals/export'); -var upsert = require('../internals/map-upsert'); - -// `WeakMap.prototype.upsert` method (replaced by `WeakMap.prototype.emplace`) -// https://github.com/tc39/proposal-upsert -$({ target: 'WeakMap', proto: true, real: true, forced: true }, { - upsert: upsert -}); diff --git a/node_modules/core-js/modules/esnext.weak-set.add-all.js b/node_modules/core-js/modules/esnext.weak-set.add-all.js deleted file mode 100644 index 3880c70..0000000 --- a/node_modules/core-js/modules/esnext.weak-set.add-all.js +++ /dev/null @@ -1,15 +0,0 @@ -'use strict'; -var $ = require('../internals/export'); -var aWeakSet = require('../internals/a-weak-set'); -var add = require('../internals/weak-set-helpers').add; - -// `WeakSet.prototype.addAll` method -// https://github.com/tc39/proposal-collection-methods -$({ target: 'WeakSet', proto: true, real: true, forced: true }, { - addAll: function addAll(/* ...elements */) { - var set = aWeakSet(this); - for (var k = 0, len = arguments.length; k < len; k++) { - add(set, arguments[k]); - } return set; - } -}); diff --git a/node_modules/core-js/modules/esnext.weak-set.delete-all.js b/node_modules/core-js/modules/esnext.weak-set.delete-all.js deleted file mode 100644 index a3913ac..0000000 --- a/node_modules/core-js/modules/esnext.weak-set.delete-all.js +++ /dev/null @@ -1,18 +0,0 @@ -'use strict'; -var $ = require('../internals/export'); -var aWeakSet = require('../internals/a-weak-set'); -var remove = require('../internals/weak-set-helpers').remove; - -// `WeakSet.prototype.deleteAll` method -// https://github.com/tc39/proposal-collection-methods -$({ target: 'WeakSet', proto: true, real: true, forced: true }, { - deleteAll: function deleteAll(/* ...elements */) { - var collection = aWeakSet(this); - var allDeleted = true; - var wasDeleted; - for (var k = 0, len = arguments.length; k < len; k++) { - wasDeleted = remove(collection, arguments[k]); - allDeleted = allDeleted && wasDeleted; - } return !!allDeleted; - } -}); diff --git a/node_modules/core-js/modules/esnext.weak-set.from.js b/node_modules/core-js/modules/esnext.weak-set.from.js deleted file mode 100644 index a2143e1..0000000 --- a/node_modules/core-js/modules/esnext.weak-set.from.js +++ /dev/null @@ -1,10 +0,0 @@ -'use strict'; -var $ = require('../internals/export'); -var WeakSetHelpers = require('../internals/weak-set-helpers'); -var createCollectionFrom = require('../internals/collection-from'); - -// `WeakSet.from` method -// https://tc39.github.io/proposal-setmap-offrom/#sec-weakset.from -$({ target: 'WeakSet', stat: true, forced: true }, { - from: createCollectionFrom(WeakSetHelpers.WeakSet, WeakSetHelpers.add, false) -}); diff --git a/node_modules/core-js/modules/esnext.weak-set.of.js b/node_modules/core-js/modules/esnext.weak-set.of.js deleted file mode 100644 index 92cfd49..0000000 --- a/node_modules/core-js/modules/esnext.weak-set.of.js +++ /dev/null @@ -1,10 +0,0 @@ -'use strict'; -var $ = require('../internals/export'); -var WeakSetHelpers = require('../internals/weak-set-helpers'); -var createCollectionOf = require('../internals/collection-of'); - -// `WeakSet.of` method -// https://tc39.github.io/proposal-setmap-offrom/#sec-weakset.of -$({ target: 'WeakSet', stat: true, forced: true }, { - of: createCollectionOf(WeakSetHelpers.WeakSet, WeakSetHelpers.add, false) -}); diff --git a/node_modules/core-js/modules/web.atob.js b/node_modules/core-js/modules/web.atob.js deleted file mode 100644 index b662401..0000000 --- a/node_modules/core-js/modules/web.atob.js +++ /dev/null @@ -1,67 +0,0 @@ -'use strict'; -var $ = require('../internals/export'); -var global = require('../internals/global'); -var getBuiltIn = require('../internals/get-built-in'); -var uncurryThis = require('../internals/function-uncurry-this'); -var call = require('../internals/function-call'); -var fails = require('../internals/fails'); -var toString = require('../internals/to-string'); -var validateArgumentsLength = require('../internals/validate-arguments-length'); -var c2i = require('../internals/base64-map').c2i; - -var disallowed = /[^\d+/a-z]/i; -var whitespaces = /[\t\n\f\r ]+/g; -var finalEq = /[=]{1,2}$/; - -var $atob = getBuiltIn('atob'); -var fromCharCode = String.fromCharCode; -var charAt = uncurryThis(''.charAt); -var replace = uncurryThis(''.replace); -var exec = uncurryThis(disallowed.exec); - -var BASIC = !!$atob && !fails(function () { - return $atob('aGk=') !== 'hi'; -}); - -var NO_SPACES_IGNORE = BASIC && fails(function () { - return $atob(' ') !== ''; -}); - -var NO_ENCODING_CHECK = BASIC && !fails(function () { - $atob('a'); -}); - -var NO_ARG_RECEIVING_CHECK = BASIC && !fails(function () { - $atob(); -}); - -var WRONG_ARITY = BASIC && $atob.length !== 1; - -var FORCED = !BASIC || NO_SPACES_IGNORE || NO_ENCODING_CHECK || NO_ARG_RECEIVING_CHECK || WRONG_ARITY; - -// `atob` method -// https://html.spec.whatwg.org/multipage/webappapis.html#dom-atob -$({ global: true, bind: true, enumerable: true, forced: FORCED }, { - atob: function atob(data) { - validateArgumentsLength(arguments.length, 1); - // `webpack` dev server bug on IE global methods - use call(fn, global, ...) - if (BASIC && !NO_SPACES_IGNORE && !NO_ENCODING_CHECK) return call($atob, global, data); - var string = replace(toString(data), whitespaces, ''); - var output = ''; - var position = 0; - var bc = 0; - var length, chr, bs; - if (string.length % 4 === 0) { - string = replace(string, finalEq, ''); - } - length = string.length; - if (length % 4 === 1 || exec(disallowed, string)) { - throw new (getBuiltIn('DOMException'))('The string is not correctly encoded', 'InvalidCharacterError'); - } - while (position < length) { - chr = charAt(string, position++); - bs = bc % 4 ? bs * 64 + c2i[chr] : c2i[chr]; - if (bc++ % 4) output += fromCharCode(255 & bs >> (-2 * bc & 6)); - } return output; - } -}); diff --git a/node_modules/core-js/modules/web.btoa.js b/node_modules/core-js/modules/web.btoa.js deleted file mode 100644 index 0696e8c..0000000 --- a/node_modules/core-js/modules/web.btoa.js +++ /dev/null @@ -1,51 +0,0 @@ -'use strict'; -var $ = require('../internals/export'); -var global = require('../internals/global'); -var getBuiltIn = require('../internals/get-built-in'); -var uncurryThis = require('../internals/function-uncurry-this'); -var call = require('../internals/function-call'); -var fails = require('../internals/fails'); -var toString = require('../internals/to-string'); -var validateArgumentsLength = require('../internals/validate-arguments-length'); -var i2c = require('../internals/base64-map').i2c; - -var $btoa = getBuiltIn('btoa'); -var charAt = uncurryThis(''.charAt); -var charCodeAt = uncurryThis(''.charCodeAt); - -var BASIC = !!$btoa && !fails(function () { - return $btoa('hi') !== 'aGk='; -}); - -var NO_ARG_RECEIVING_CHECK = BASIC && !fails(function () { - $btoa(); -}); - -var WRONG_ARG_CONVERSION = BASIC && fails(function () { - return $btoa(null) !== 'bnVsbA=='; -}); - -var WRONG_ARITY = BASIC && $btoa.length !== 1; - -// `btoa` method -// https://html.spec.whatwg.org/multipage/webappapis.html#dom-btoa -$({ global: true, bind: true, enumerable: true, forced: !BASIC || NO_ARG_RECEIVING_CHECK || WRONG_ARG_CONVERSION || WRONG_ARITY }, { - btoa: function btoa(data) { - validateArgumentsLength(arguments.length, 1); - // `webpack` dev server bug on IE global methods - use call(fn, global, ...) - if (BASIC) return call($btoa, global, toString(data)); - var string = toString(data); - var output = ''; - var position = 0; - var map = i2c; - var block, charCode; - while (charAt(string, position) || (map = '=', position % 1)) { - charCode = charCodeAt(string, position += 3 / 4); - if (charCode > 0xFF) { - throw new (getBuiltIn('DOMException'))('The string contains characters outside of the Latin1 range', 'InvalidCharacterError'); - } - block = block << 8 | charCode; - output += charAt(map, 63 & block >> 8 - position % 1 * 8); - } return output; - } -}); diff --git a/node_modules/core-js/modules/web.clear-immediate.js b/node_modules/core-js/modules/web.clear-immediate.js deleted file mode 100644 index 52da424..0000000 --- a/node_modules/core-js/modules/web.clear-immediate.js +++ /dev/null @@ -1,10 +0,0 @@ -'use strict'; -var $ = require('../internals/export'); -var global = require('../internals/global'); -var clearImmediate = require('../internals/task').clear; - -// `clearImmediate` method -// http://w3c.github.io/setImmediate/#si-clearImmediate -$({ global: true, bind: true, enumerable: true, forced: global.clearImmediate !== clearImmediate }, { - clearImmediate: clearImmediate -}); diff --git a/node_modules/core-js/modules/web.dom-collections.for-each.js b/node_modules/core-js/modules/web.dom-collections.for-each.js deleted file mode 100644 index d6c6450..0000000 --- a/node_modules/core-js/modules/web.dom-collections.for-each.js +++ /dev/null @@ -1,23 +0,0 @@ -'use strict'; -var global = require('../internals/global'); -var DOMIterables = require('../internals/dom-iterables'); -var DOMTokenListPrototype = require('../internals/dom-token-list-prototype'); -var forEach = require('../internals/array-for-each'); -var createNonEnumerableProperty = require('../internals/create-non-enumerable-property'); - -var handlePrototype = function (CollectionPrototype) { - // some Chrome versions have non-configurable methods on DOMTokenList - if (CollectionPrototype && CollectionPrototype.forEach !== forEach) try { - createNonEnumerableProperty(CollectionPrototype, 'forEach', forEach); - } catch (error) { - CollectionPrototype.forEach = forEach; - } -}; - -for (var COLLECTION_NAME in DOMIterables) { - if (DOMIterables[COLLECTION_NAME]) { - handlePrototype(global[COLLECTION_NAME] && global[COLLECTION_NAME].prototype); - } -} - -handlePrototype(DOMTokenListPrototype); diff --git a/node_modules/core-js/modules/web.dom-collections.iterator.js b/node_modules/core-js/modules/web.dom-collections.iterator.js deleted file mode 100644 index d265360..0000000 --- a/node_modules/core-js/modules/web.dom-collections.iterator.js +++ /dev/null @@ -1,37 +0,0 @@ -'use strict'; -var global = require('../internals/global'); -var DOMIterables = require('../internals/dom-iterables'); -var DOMTokenListPrototype = require('../internals/dom-token-list-prototype'); -var ArrayIteratorMethods = require('../modules/es.array.iterator'); -var createNonEnumerableProperty = require('../internals/create-non-enumerable-property'); -var setToStringTag = require('../internals/set-to-string-tag'); -var wellKnownSymbol = require('../internals/well-known-symbol'); - -var ITERATOR = wellKnownSymbol('iterator'); -var ArrayValues = ArrayIteratorMethods.values; - -var handlePrototype = function (CollectionPrototype, COLLECTION_NAME) { - if (CollectionPrototype) { - // some Chrome versions have non-configurable methods on DOMTokenList - if (CollectionPrototype[ITERATOR] !== ArrayValues) try { - createNonEnumerableProperty(CollectionPrototype, ITERATOR, ArrayValues); - } catch (error) { - CollectionPrototype[ITERATOR] = ArrayValues; - } - setToStringTag(CollectionPrototype, COLLECTION_NAME, true); - if (DOMIterables[COLLECTION_NAME]) for (var METHOD_NAME in ArrayIteratorMethods) { - // some Chrome versions have non-configurable methods on DOMTokenList - if (CollectionPrototype[METHOD_NAME] !== ArrayIteratorMethods[METHOD_NAME]) try { - createNonEnumerableProperty(CollectionPrototype, METHOD_NAME, ArrayIteratorMethods[METHOD_NAME]); - } catch (error) { - CollectionPrototype[METHOD_NAME] = ArrayIteratorMethods[METHOD_NAME]; - } - } - } -}; - -for (var COLLECTION_NAME in DOMIterables) { - handlePrototype(global[COLLECTION_NAME] && global[COLLECTION_NAME].prototype, COLLECTION_NAME); -} - -handlePrototype(DOMTokenListPrototype, 'DOMTokenList'); diff --git a/node_modules/core-js/modules/web.dom-exception.constructor.js b/node_modules/core-js/modules/web.dom-exception.constructor.js deleted file mode 100644 index 319a8a1..0000000 --- a/node_modules/core-js/modules/web.dom-exception.constructor.js +++ /dev/null @@ -1,145 +0,0 @@ -'use strict'; -var $ = require('../internals/export'); -var tryNodeRequire = require('../internals/try-node-require'); -var getBuiltIn = require('../internals/get-built-in'); -var fails = require('../internals/fails'); -var create = require('../internals/object-create'); -var createPropertyDescriptor = require('../internals/create-property-descriptor'); -var defineProperty = require('../internals/object-define-property').f; -var defineBuiltIn = require('../internals/define-built-in'); -var defineBuiltInAccessor = require('../internals/define-built-in-accessor'); -var hasOwn = require('../internals/has-own-property'); -var anInstance = require('../internals/an-instance'); -var anObject = require('../internals/an-object'); -var errorToString = require('../internals/error-to-string'); -var normalizeStringArgument = require('../internals/normalize-string-argument'); -var DOMExceptionConstants = require('../internals/dom-exception-constants'); -var clearErrorStack = require('../internals/error-stack-clear'); -var InternalStateModule = require('../internals/internal-state'); -var DESCRIPTORS = require('../internals/descriptors'); -var IS_PURE = require('../internals/is-pure'); - -var DOM_EXCEPTION = 'DOMException'; -var DATA_CLONE_ERR = 'DATA_CLONE_ERR'; -var Error = getBuiltIn('Error'); -// NodeJS < 17.0 does not expose `DOMException` to global -var NativeDOMException = getBuiltIn(DOM_EXCEPTION) || (function () { - try { - // NodeJS < 15.0 does not expose `MessageChannel` to global - var MessageChannel = getBuiltIn('MessageChannel') || tryNodeRequire('worker_threads').MessageChannel; - // eslint-disable-next-line es/no-weak-map, unicorn/require-post-message-target-origin -- safe - new MessageChannel().port1.postMessage(new WeakMap()); - } catch (error) { - if (error.name === DATA_CLONE_ERR && error.code === 25) return error.constructor; - } -})(); -var NativeDOMExceptionPrototype = NativeDOMException && NativeDOMException.prototype; -var ErrorPrototype = Error.prototype; -var setInternalState = InternalStateModule.set; -var getInternalState = InternalStateModule.getterFor(DOM_EXCEPTION); -var HAS_STACK = 'stack' in new Error(DOM_EXCEPTION); - -var codeFor = function (name) { - return hasOwn(DOMExceptionConstants, name) && DOMExceptionConstants[name].m ? DOMExceptionConstants[name].c : 0; -}; - -var $DOMException = function DOMException() { - anInstance(this, DOMExceptionPrototype); - var argumentsLength = arguments.length; - var message = normalizeStringArgument(argumentsLength < 1 ? undefined : arguments[0]); - var name = normalizeStringArgument(argumentsLength < 2 ? undefined : arguments[1], 'Error'); - var code = codeFor(name); - setInternalState(this, { - type: DOM_EXCEPTION, - name: name, - message: message, - code: code - }); - if (!DESCRIPTORS) { - this.name = name; - this.message = message; - this.code = code; - } - if (HAS_STACK) { - var error = new Error(message); - error.name = DOM_EXCEPTION; - defineProperty(this, 'stack', createPropertyDescriptor(1, clearErrorStack(error.stack, 1))); - } -}; - -var DOMExceptionPrototype = $DOMException.prototype = create(ErrorPrototype); - -var createGetterDescriptor = function (get) { - return { enumerable: true, configurable: true, get: get }; -}; - -var getterFor = function (key) { - return createGetterDescriptor(function () { - return getInternalState(this)[key]; - }); -}; - -if (DESCRIPTORS) { - // `DOMException.prototype.code` getter - defineBuiltInAccessor(DOMExceptionPrototype, 'code', getterFor('code')); - // `DOMException.prototype.message` getter - defineBuiltInAccessor(DOMExceptionPrototype, 'message', getterFor('message')); - // `DOMException.prototype.name` getter - defineBuiltInAccessor(DOMExceptionPrototype, 'name', getterFor('name')); -} - -defineProperty(DOMExceptionPrototype, 'constructor', createPropertyDescriptor(1, $DOMException)); - -// FF36- DOMException is a function, but can't be constructed -var INCORRECT_CONSTRUCTOR = fails(function () { - return !(new NativeDOMException() instanceof Error); -}); - -// Safari 10.1 / Chrome 32- / IE8- DOMException.prototype.toString bugs -var INCORRECT_TO_STRING = INCORRECT_CONSTRUCTOR || fails(function () { - return ErrorPrototype.toString !== errorToString || String(new NativeDOMException(1, 2)) !== '2: 1'; -}); - -// Deno 1.6.3- DOMException.prototype.code just missed -var INCORRECT_CODE = INCORRECT_CONSTRUCTOR || fails(function () { - return new NativeDOMException(1, 'DataCloneError').code !== 25; -}); - -// Deno 1.6.3- DOMException constants just missed -var MISSED_CONSTANTS = INCORRECT_CONSTRUCTOR - || NativeDOMException[DATA_CLONE_ERR] !== 25 - || NativeDOMExceptionPrototype[DATA_CLONE_ERR] !== 25; - -var FORCED_CONSTRUCTOR = IS_PURE ? INCORRECT_TO_STRING || INCORRECT_CODE || MISSED_CONSTANTS : INCORRECT_CONSTRUCTOR; - -// `DOMException` constructor -// https://webidl.spec.whatwg.org/#idl-DOMException -$({ global: true, constructor: true, forced: FORCED_CONSTRUCTOR }, { - DOMException: FORCED_CONSTRUCTOR ? $DOMException : NativeDOMException -}); - -var PolyfilledDOMException = getBuiltIn(DOM_EXCEPTION); -var PolyfilledDOMExceptionPrototype = PolyfilledDOMException.prototype; - -if (INCORRECT_TO_STRING && (IS_PURE || NativeDOMException === PolyfilledDOMException)) { - defineBuiltIn(PolyfilledDOMExceptionPrototype, 'toString', errorToString); -} - -if (INCORRECT_CODE && DESCRIPTORS && NativeDOMException === PolyfilledDOMException) { - defineBuiltInAccessor(PolyfilledDOMExceptionPrototype, 'code', createGetterDescriptor(function () { - return codeFor(anObject(this).name); - })); -} - -// `DOMException` constants -for (var key in DOMExceptionConstants) if (hasOwn(DOMExceptionConstants, key)) { - var constant = DOMExceptionConstants[key]; - var constantName = constant.s; - var descriptor = createPropertyDescriptor(6, constant.c); - if (!hasOwn(PolyfilledDOMException, constantName)) { - defineProperty(PolyfilledDOMException, constantName, descriptor); - } - if (!hasOwn(PolyfilledDOMExceptionPrototype, constantName)) { - defineProperty(PolyfilledDOMExceptionPrototype, constantName, descriptor); - } -} diff --git a/node_modules/core-js/modules/web.dom-exception.stack.js b/node_modules/core-js/modules/web.dom-exception.stack.js deleted file mode 100644 index da34711..0000000 --- a/node_modules/core-js/modules/web.dom-exception.stack.js +++ /dev/null @@ -1,68 +0,0 @@ -'use strict'; -var $ = require('../internals/export'); -var global = require('../internals/global'); -var getBuiltIn = require('../internals/get-built-in'); -var createPropertyDescriptor = require('../internals/create-property-descriptor'); -var defineProperty = require('../internals/object-define-property').f; -var hasOwn = require('../internals/has-own-property'); -var anInstance = require('../internals/an-instance'); -var inheritIfRequired = require('../internals/inherit-if-required'); -var normalizeStringArgument = require('../internals/normalize-string-argument'); -var DOMExceptionConstants = require('../internals/dom-exception-constants'); -var clearErrorStack = require('../internals/error-stack-clear'); -var DESCRIPTORS = require('../internals/descriptors'); -var IS_PURE = require('../internals/is-pure'); - -var DOM_EXCEPTION = 'DOMException'; -var Error = getBuiltIn('Error'); -var NativeDOMException = getBuiltIn(DOM_EXCEPTION); - -var $DOMException = function DOMException() { - anInstance(this, DOMExceptionPrototype); - var argumentsLength = arguments.length; - var message = normalizeStringArgument(argumentsLength < 1 ? undefined : arguments[0]); - var name = normalizeStringArgument(argumentsLength < 2 ? undefined : arguments[1], 'Error'); - var that = new NativeDOMException(message, name); - var error = new Error(message); - error.name = DOM_EXCEPTION; - defineProperty(that, 'stack', createPropertyDescriptor(1, clearErrorStack(error.stack, 1))); - inheritIfRequired(that, this, $DOMException); - return that; -}; - -var DOMExceptionPrototype = $DOMException.prototype = NativeDOMException.prototype; - -var ERROR_HAS_STACK = 'stack' in new Error(DOM_EXCEPTION); -var DOM_EXCEPTION_HAS_STACK = 'stack' in new NativeDOMException(1, 2); - -// eslint-disable-next-line es/no-object-getownpropertydescriptor -- safe -var descriptor = NativeDOMException && DESCRIPTORS && Object.getOwnPropertyDescriptor(global, DOM_EXCEPTION); - -// Bun ~ 0.1.1 DOMException have incorrect descriptor and we can't redefine it -// https://github.com/Jarred-Sumner/bun/issues/399 -var BUGGY_DESCRIPTOR = !!descriptor && !(descriptor.writable && descriptor.configurable); - -var FORCED_CONSTRUCTOR = ERROR_HAS_STACK && !BUGGY_DESCRIPTOR && !DOM_EXCEPTION_HAS_STACK; - -// `DOMException` constructor patch for `.stack` where it's required -// https://webidl.spec.whatwg.org/#es-DOMException-specialness -$({ global: true, constructor: true, forced: IS_PURE || FORCED_CONSTRUCTOR }, { // TODO: fix export logic - DOMException: FORCED_CONSTRUCTOR ? $DOMException : NativeDOMException -}); - -var PolyfilledDOMException = getBuiltIn(DOM_EXCEPTION); -var PolyfilledDOMExceptionPrototype = PolyfilledDOMException.prototype; - -if (PolyfilledDOMExceptionPrototype.constructor !== PolyfilledDOMException) { - if (!IS_PURE) { - defineProperty(PolyfilledDOMExceptionPrototype, 'constructor', createPropertyDescriptor(1, PolyfilledDOMException)); - } - - for (var key in DOMExceptionConstants) if (hasOwn(DOMExceptionConstants, key)) { - var constant = DOMExceptionConstants[key]; - var constantName = constant.s; - if (!hasOwn(PolyfilledDOMException, constantName)) { - defineProperty(PolyfilledDOMException, constantName, createPropertyDescriptor(6, constant.c)); - } - } -} diff --git a/node_modules/core-js/modules/web.dom-exception.to-string-tag.js b/node_modules/core-js/modules/web.dom-exception.to-string-tag.js deleted file mode 100644 index f53c6d5..0000000 --- a/node_modules/core-js/modules/web.dom-exception.to-string-tag.js +++ /dev/null @@ -1,8 +0,0 @@ -'use strict'; -var getBuiltIn = require('../internals/get-built-in'); -var setToStringTag = require('../internals/set-to-string-tag'); - -var DOM_EXCEPTION = 'DOMException'; - -// `DOMException.prototype[@@toStringTag]` property -setToStringTag(getBuiltIn(DOM_EXCEPTION), DOM_EXCEPTION); diff --git a/node_modules/core-js/modules/web.immediate.js b/node_modules/core-js/modules/web.immediate.js deleted file mode 100644 index 170a00e..0000000 --- a/node_modules/core-js/modules/web.immediate.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -// TODO: Remove this module from `core-js@4` since it's split to modules listed below -require('../modules/web.clear-immediate'); -require('../modules/web.set-immediate'); diff --git a/node_modules/core-js/modules/web.queue-microtask.js b/node_modules/core-js/modules/web.queue-microtask.js deleted file mode 100644 index 093c8fb..0000000 --- a/node_modules/core-js/modules/web.queue-microtask.js +++ /dev/null @@ -1,14 +0,0 @@ -'use strict'; -var $ = require('../internals/export'); -var microtask = require('../internals/microtask'); -var aCallable = require('../internals/a-callable'); -var validateArgumentsLength = require('../internals/validate-arguments-length'); - -// `queueMicrotask` method -// https://html.spec.whatwg.org/multipage/timers-and-user-prompts.html#dom-queuemicrotask -$({ global: true, enumerable: true, dontCallGetSet: true }, { - queueMicrotask: function queueMicrotask(fn) { - validateArgumentsLength(arguments.length, 1); - microtask(aCallable(fn)); - } -}); diff --git a/node_modules/core-js/modules/web.self.js b/node_modules/core-js/modules/web.self.js deleted file mode 100644 index c732753..0000000 --- a/node_modules/core-js/modules/web.self.js +++ /dev/null @@ -1,41 +0,0 @@ -'use strict'; -var $ = require('../internals/export'); -var global = require('../internals/global'); -var defineBuiltInAccessor = require('../internals/define-built-in-accessor'); -var DESCRIPTORS = require('../internals/descriptors'); - -var $TypeError = TypeError; -// eslint-disable-next-line es/no-object-defineproperty -- safe -var defineProperty = Object.defineProperty; -var INCORRECT_VALUE = global.self !== global; - -// `self` getter -// https://html.spec.whatwg.org/multipage/window-object.html#dom-self -try { - if (DESCRIPTORS) { - // eslint-disable-next-line es/no-object-getownpropertydescriptor -- safe - var descriptor = Object.getOwnPropertyDescriptor(global, 'self'); - // some engines have `self`, but with incorrect descriptor - // https://github.com/denoland/deno/issues/15765 - if (INCORRECT_VALUE || !descriptor || !descriptor.get || !descriptor.enumerable) { - defineBuiltInAccessor(global, 'self', { - get: function self() { - return global; - }, - set: function self(value) { - if (this !== global) throw new $TypeError('Illegal invocation'); - defineProperty(global, 'self', { - value: value, - writable: true, - configurable: true, - enumerable: true - }); - }, - configurable: true, - enumerable: true - }); - } - } else $({ global: true, simple: true, forced: INCORRECT_VALUE }, { - self: global - }); -} catch (error) { /* empty */ } diff --git a/node_modules/core-js/modules/web.set-immediate.js b/node_modules/core-js/modules/web.set-immediate.js deleted file mode 100644 index 6cb313a..0000000 --- a/node_modules/core-js/modules/web.set-immediate.js +++ /dev/null @@ -1,14 +0,0 @@ -'use strict'; -var $ = require('../internals/export'); -var global = require('../internals/global'); -var setTask = require('../internals/task').set; -var schedulersFix = require('../internals/schedulers-fix'); - -// https://github.com/oven-sh/bun/issues/1633 -var setImmediate = global.setImmediate ? schedulersFix(setTask, false) : setTask; - -// `setImmediate` method -// http://w3c.github.io/setImmediate/#si-setImmediate -$({ global: true, bind: true, enumerable: true, forced: global.setImmediate !== setImmediate }, { - setImmediate: setImmediate -}); diff --git a/node_modules/core-js/modules/web.set-interval.js b/node_modules/core-js/modules/web.set-interval.js deleted file mode 100644 index caa2737..0000000 --- a/node_modules/core-js/modules/web.set-interval.js +++ /dev/null @@ -1,12 +0,0 @@ -'use strict'; -var $ = require('../internals/export'); -var global = require('../internals/global'); -var schedulersFix = require('../internals/schedulers-fix'); - -var setInterval = schedulersFix(global.setInterval, true); - -// Bun / IE9- setInterval additional parameters fix -// https://html.spec.whatwg.org/multipage/timers-and-user-prompts.html#dom-setinterval -$({ global: true, bind: true, forced: global.setInterval !== setInterval }, { - setInterval: setInterval -}); diff --git a/node_modules/core-js/modules/web.set-timeout.js b/node_modules/core-js/modules/web.set-timeout.js deleted file mode 100644 index ebc329b..0000000 --- a/node_modules/core-js/modules/web.set-timeout.js +++ /dev/null @@ -1,12 +0,0 @@ -'use strict'; -var $ = require('../internals/export'); -var global = require('../internals/global'); -var schedulersFix = require('../internals/schedulers-fix'); - -var setTimeout = schedulersFix(global.setTimeout, true); - -// Bun / IE9- setTimeout additional parameters fix -// https://html.spec.whatwg.org/multipage/timers-and-user-prompts.html#dom-settimeout -$({ global: true, bind: true, forced: global.setTimeout !== setTimeout }, { - setTimeout: setTimeout -}); diff --git a/node_modules/core-js/modules/web.structured-clone.js b/node_modules/core-js/modules/web.structured-clone.js deleted file mode 100644 index a1ec756..0000000 --- a/node_modules/core-js/modules/web.structured-clone.js +++ /dev/null @@ -1,531 +0,0 @@ -'use strict'; -var IS_PURE = require('../internals/is-pure'); -var $ = require('../internals/export'); -var global = require('../internals/global'); -var getBuiltIn = require('../internals/get-built-in'); -var uncurryThis = require('../internals/function-uncurry-this'); -var fails = require('../internals/fails'); -var uid = require('../internals/uid'); -var isCallable = require('../internals/is-callable'); -var isConstructor = require('../internals/is-constructor'); -var isNullOrUndefined = require('../internals/is-null-or-undefined'); -var isObject = require('../internals/is-object'); -var isSymbol = require('../internals/is-symbol'); -var iterate = require('../internals/iterate'); -var anObject = require('../internals/an-object'); -var classof = require('../internals/classof'); -var hasOwn = require('../internals/has-own-property'); -var createProperty = require('../internals/create-property'); -var createNonEnumerableProperty = require('../internals/create-non-enumerable-property'); -var lengthOfArrayLike = require('../internals/length-of-array-like'); -var validateArgumentsLength = require('../internals/validate-arguments-length'); -var getRegExpFlags = require('../internals/regexp-get-flags'); -var MapHelpers = require('../internals/map-helpers'); -var SetHelpers = require('../internals/set-helpers'); -var setIterate = require('../internals/set-iterate'); -var detachTransferable = require('../internals/detach-transferable'); -var ERROR_STACK_INSTALLABLE = require('../internals/error-stack-installable'); -var PROPER_STRUCTURED_CLONE_TRANSFER = require('../internals/structured-clone-proper-transfer'); - -var Object = global.Object; -var Array = global.Array; -var Date = global.Date; -var Error = global.Error; -var TypeError = global.TypeError; -var PerformanceMark = global.PerformanceMark; -var DOMException = getBuiltIn('DOMException'); -var Map = MapHelpers.Map; -var mapHas = MapHelpers.has; -var mapGet = MapHelpers.get; -var mapSet = MapHelpers.set; -var Set = SetHelpers.Set; -var setAdd = SetHelpers.add; -var setHas = SetHelpers.has; -var objectKeys = getBuiltIn('Object', 'keys'); -var push = uncurryThis([].push); -var thisBooleanValue = uncurryThis(true.valueOf); -var thisNumberValue = uncurryThis(1.0.valueOf); -var thisStringValue = uncurryThis(''.valueOf); -var thisTimeValue = uncurryThis(Date.prototype.getTime); -var PERFORMANCE_MARK = uid('structuredClone'); -var DATA_CLONE_ERROR = 'DataCloneError'; -var TRANSFERRING = 'Transferring'; - -var checkBasicSemantic = function (structuredCloneImplementation) { - return !fails(function () { - var set1 = new global.Set([7]); - var set2 = structuredCloneImplementation(set1); - var number = structuredCloneImplementation(Object(7)); - return set2 === set1 || !set2.has(7) || !isObject(number) || +number !== 7; - }) && structuredCloneImplementation; -}; - -var checkErrorsCloning = function (structuredCloneImplementation, $Error) { - return !fails(function () { - var error = new $Error(); - var test = structuredCloneImplementation({ a: error, b: error }); - return !(test && test.a === test.b && test.a instanceof $Error && test.a.stack === error.stack); - }); -}; - -// https://github.com/whatwg/html/pull/5749 -var checkNewErrorsCloningSemantic = function (structuredCloneImplementation) { - return !fails(function () { - var test = structuredCloneImplementation(new global.AggregateError([1], PERFORMANCE_MARK, { cause: 3 })); - return test.name !== 'AggregateError' || test.errors[0] !== 1 || test.message !== PERFORMANCE_MARK || test.cause !== 3; - }); -}; - -// FF94+, Safari 15.4+, Chrome 98+, NodeJS 17.0+, Deno 1.13+ -// FF<103 and Safari implementations can't clone errors -// https://bugzilla.mozilla.org/show_bug.cgi?id=1556604 -// FF103 can clone errors, but `.stack` of clone is an empty string -// https://bugzilla.mozilla.org/show_bug.cgi?id=1778762 -// FF104+ fixed it on usual errors, but not on DOMExceptions -// https://bugzilla.mozilla.org/show_bug.cgi?id=1777321 -// Chrome <102 returns `null` if cloned object contains multiple references to one error -// https://bugs.chromium.org/p/v8/issues/detail?id=12542 -// NodeJS implementation can't clone DOMExceptions -// https://github.com/nodejs/node/issues/41038 -// only FF103+ supports new (html/5749) error cloning semantic -var nativeStructuredClone = global.structuredClone; - -var FORCED_REPLACEMENT = IS_PURE - || !checkErrorsCloning(nativeStructuredClone, Error) - || !checkErrorsCloning(nativeStructuredClone, DOMException) - || !checkNewErrorsCloningSemantic(nativeStructuredClone); - -// Chrome 82+, Safari 14.1+, Deno 1.11+ -// Chrome 78-81 implementation swaps `.name` and `.message` of cloned `DOMException` -// Chrome returns `null` if cloned object contains multiple references to one error -// Safari 14.1 implementation doesn't clone some `RegExp` flags, so requires a workaround -// Safari implementation can't clone errors -// Deno 1.2-1.10 implementations too naive -// NodeJS 16.0+ does not have `PerformanceMark` constructor -// NodeJS <17.2 structured cloning implementation from `performance.mark` is too naive -// and can't clone, for example, `RegExp` or some boxed primitives -// https://github.com/nodejs/node/issues/40840 -// no one of those implementations supports new (html/5749) error cloning semantic -var structuredCloneFromMark = !nativeStructuredClone && checkBasicSemantic(function (value) { - return new PerformanceMark(PERFORMANCE_MARK, { detail: value }).detail; -}); - -var nativeRestrictedStructuredClone = checkBasicSemantic(nativeStructuredClone) || structuredCloneFromMark; - -var throwUncloneable = function (type) { - throw new DOMException('Uncloneable type: ' + type, DATA_CLONE_ERROR); -}; - -var throwUnpolyfillable = function (type, action) { - throw new DOMException((action || 'Cloning') + ' of ' + type + ' cannot be properly polyfilled in this engine', DATA_CLONE_ERROR); -}; - -var tryNativeRestrictedStructuredClone = function (value, type) { - if (!nativeRestrictedStructuredClone) throwUnpolyfillable(type); - return nativeRestrictedStructuredClone(value); -}; - -var createDataTransfer = function () { - var dataTransfer; - try { - dataTransfer = new global.DataTransfer(); - } catch (error) { - try { - dataTransfer = new global.ClipboardEvent('').clipboardData; - } catch (error2) { /* empty */ } - } - return dataTransfer && dataTransfer.items && dataTransfer.files ? dataTransfer : null; -}; - -var cloneBuffer = function (value, map, $type) { - if (mapHas(map, value)) return mapGet(map, value); - - var type = $type || classof(value); - var clone, length, options, source, target, i; - - if (type === 'SharedArrayBuffer') { - if (nativeRestrictedStructuredClone) clone = nativeRestrictedStructuredClone(value); - // SharedArrayBuffer should use shared memory, we can't polyfill it, so return the original - else clone = value; - } else { - var DataView = global.DataView; - - // `ArrayBuffer#slice` is not available in IE10 - // `ArrayBuffer#slice` and `DataView` are not available in old FF - if (!DataView && !isCallable(value.slice)) throwUnpolyfillable('ArrayBuffer'); - // detached buffers throws in `DataView` and `.slice` - try { - if (isCallable(value.slice) && !value.resizable) { - clone = value.slice(0); - } else { - length = value.byteLength; - options = 'maxByteLength' in value ? { maxByteLength: value.maxByteLength } : undefined; - // eslint-disable-next-line es/no-resizable-and-growable-arraybuffers -- safe - clone = new ArrayBuffer(length, options); - source = new DataView(value); - target = new DataView(clone); - for (i = 0; i < length; i++) { - target.setUint8(i, source.getUint8(i)); - } - } - } catch (error) { - throw new DOMException('ArrayBuffer is detached', DATA_CLONE_ERROR); - } - } - - mapSet(map, value, clone); - - return clone; -}; - -var cloneView = function (value, type, offset, length, map) { - var C = global[type]; - // in some old engines like Safari 9, typeof C is 'object' - // on Uint8ClampedArray or some other constructors - if (!isObject(C)) throwUnpolyfillable(type); - return new C(cloneBuffer(value.buffer, map), offset, length); -}; - -var structuredCloneInternal = function (value, map) { - if (isSymbol(value)) throwUncloneable('Symbol'); - if (!isObject(value)) return value; - // effectively preserves circular references - if (map) { - if (mapHas(map, value)) return mapGet(map, value); - } else map = new Map(); - - var type = classof(value); - var C, name, cloned, dataTransfer, i, length, keys, key; - - switch (type) { - case 'Array': - cloned = Array(lengthOfArrayLike(value)); - break; - case 'Object': - cloned = {}; - break; - case 'Map': - cloned = new Map(); - break; - case 'Set': - cloned = new Set(); - break; - case 'RegExp': - // in this block because of a Safari 14.1 bug - // old FF does not clone regexes passed to the constructor, so get the source and flags directly - cloned = new RegExp(value.source, getRegExpFlags(value)); - break; - case 'Error': - name = value.name; - switch (name) { - case 'AggregateError': - cloned = new (getBuiltIn(name))([]); - break; - case 'EvalError': - case 'RangeError': - case 'ReferenceError': - case 'SuppressedError': - case 'SyntaxError': - case 'TypeError': - case 'URIError': - cloned = new (getBuiltIn(name))(); - break; - case 'CompileError': - case 'LinkError': - case 'RuntimeError': - cloned = new (getBuiltIn('WebAssembly', name))(); - break; - default: - cloned = new Error(); - } - break; - case 'DOMException': - cloned = new DOMException(value.message, value.name); - break; - case 'ArrayBuffer': - case 'SharedArrayBuffer': - cloned = cloneBuffer(value, map, type); - break; - case 'DataView': - case 'Int8Array': - case 'Uint8Array': - case 'Uint8ClampedArray': - case 'Int16Array': - case 'Uint16Array': - case 'Int32Array': - case 'Uint32Array': - case 'Float16Array': - case 'Float32Array': - case 'Float64Array': - case 'BigInt64Array': - case 'BigUint64Array': - length = type === 'DataView' ? value.byteLength : value.length; - cloned = cloneView(value, type, value.byteOffset, length, map); - break; - case 'DOMQuad': - try { - cloned = new DOMQuad( - structuredCloneInternal(value.p1, map), - structuredCloneInternal(value.p2, map), - structuredCloneInternal(value.p3, map), - structuredCloneInternal(value.p4, map) - ); - } catch (error) { - cloned = tryNativeRestrictedStructuredClone(value, type); - } - break; - case 'File': - if (nativeRestrictedStructuredClone) try { - cloned = nativeRestrictedStructuredClone(value); - // NodeJS 20.0.0 bug, https://github.com/nodejs/node/issues/47612 - if (classof(cloned) !== type) cloned = undefined; - } catch (error) { /* empty */ } - if (!cloned) try { - cloned = new File([value], value.name, value); - } catch (error) { /* empty */ } - if (!cloned) throwUnpolyfillable(type); - break; - case 'FileList': - dataTransfer = createDataTransfer(); - if (dataTransfer) { - for (i = 0, length = lengthOfArrayLike(value); i < length; i++) { - dataTransfer.items.add(structuredCloneInternal(value[i], map)); - } - cloned = dataTransfer.files; - } else cloned = tryNativeRestrictedStructuredClone(value, type); - break; - case 'ImageData': - // Safari 9 ImageData is a constructor, but typeof ImageData is 'object' - try { - cloned = new ImageData( - structuredCloneInternal(value.data, map), - value.width, - value.height, - { colorSpace: value.colorSpace } - ); - } catch (error) { - cloned = tryNativeRestrictedStructuredClone(value, type); - } break; - default: - if (nativeRestrictedStructuredClone) { - cloned = nativeRestrictedStructuredClone(value); - } else switch (type) { - case 'BigInt': - // can be a 3rd party polyfill - cloned = Object(value.valueOf()); - break; - case 'Boolean': - cloned = Object(thisBooleanValue(value)); - break; - case 'Number': - cloned = Object(thisNumberValue(value)); - break; - case 'String': - cloned = Object(thisStringValue(value)); - break; - case 'Date': - cloned = new Date(thisTimeValue(value)); - break; - case 'Blob': - try { - cloned = value.slice(0, value.size, value.type); - } catch (error) { - throwUnpolyfillable(type); - } break; - case 'DOMPoint': - case 'DOMPointReadOnly': - C = global[type]; - try { - cloned = C.fromPoint - ? C.fromPoint(value) - : new C(value.x, value.y, value.z, value.w); - } catch (error) { - throwUnpolyfillable(type); - } break; - case 'DOMRect': - case 'DOMRectReadOnly': - C = global[type]; - try { - cloned = C.fromRect - ? C.fromRect(value) - : new C(value.x, value.y, value.width, value.height); - } catch (error) { - throwUnpolyfillable(type); - } break; - case 'DOMMatrix': - case 'DOMMatrixReadOnly': - C = global[type]; - try { - cloned = C.fromMatrix - ? C.fromMatrix(value) - : new C(value); - } catch (error) { - throwUnpolyfillable(type); - } break; - case 'AudioData': - case 'VideoFrame': - if (!isCallable(value.clone)) throwUnpolyfillable(type); - try { - cloned = value.clone(); - } catch (error) { - throwUncloneable(type); - } break; - case 'CropTarget': - case 'CryptoKey': - case 'FileSystemDirectoryHandle': - case 'FileSystemFileHandle': - case 'FileSystemHandle': - case 'GPUCompilationInfo': - case 'GPUCompilationMessage': - case 'ImageBitmap': - case 'RTCCertificate': - case 'WebAssembly.Module': - throwUnpolyfillable(type); - // break omitted - default: - throwUncloneable(type); - } - } - - mapSet(map, value, cloned); - - switch (type) { - case 'Array': - case 'Object': - keys = objectKeys(value); - for (i = 0, length = lengthOfArrayLike(keys); i < length; i++) { - key = keys[i]; - createProperty(cloned, key, structuredCloneInternal(value[key], map)); - } break; - case 'Map': - value.forEach(function (v, k) { - mapSet(cloned, structuredCloneInternal(k, map), structuredCloneInternal(v, map)); - }); - break; - case 'Set': - value.forEach(function (v) { - setAdd(cloned, structuredCloneInternal(v, map)); - }); - break; - case 'Error': - createNonEnumerableProperty(cloned, 'message', structuredCloneInternal(value.message, map)); - if (hasOwn(value, 'cause')) { - createNonEnumerableProperty(cloned, 'cause', structuredCloneInternal(value.cause, map)); - } - if (name === 'AggregateError') { - cloned.errors = structuredCloneInternal(value.errors, map); - } else if (name === 'SuppressedError') { - cloned.error = structuredCloneInternal(value.error, map); - cloned.suppressed = structuredCloneInternal(value.suppressed, map); - } // break omitted - case 'DOMException': - if (ERROR_STACK_INSTALLABLE) { - createNonEnumerableProperty(cloned, 'stack', structuredCloneInternal(value.stack, map)); - } - } - - return cloned; -}; - -var tryToTransfer = function (rawTransfer, map) { - if (!isObject(rawTransfer)) throw new TypeError('Transfer option cannot be converted to a sequence'); - - var transfer = []; - - iterate(rawTransfer, function (value) { - push(transfer, anObject(value)); - }); - - var i = 0; - var length = lengthOfArrayLike(transfer); - var buffers = new Set(); - var value, type, C, transferred, canvas, context; - - while (i < length) { - value = transfer[i++]; - - type = classof(value); - - if (type === 'ArrayBuffer' ? setHas(buffers, value) : mapHas(map, value)) { - throw new DOMException('Duplicate transferable', DATA_CLONE_ERROR); - } - - if (type === 'ArrayBuffer') { - setAdd(buffers, value); - continue; - } - - if (PROPER_STRUCTURED_CLONE_TRANSFER) { - transferred = nativeStructuredClone(value, { transfer: [value] }); - } else switch (type) { - case 'ImageBitmap': - C = global.OffscreenCanvas; - if (!isConstructor(C)) throwUnpolyfillable(type, TRANSFERRING); - try { - canvas = new C(value.width, value.height); - context = canvas.getContext('bitmaprenderer'); - context.transferFromImageBitmap(value); - transferred = canvas.transferToImageBitmap(); - } catch (error) { /* empty */ } - break; - case 'AudioData': - case 'VideoFrame': - if (!isCallable(value.clone) || !isCallable(value.close)) throwUnpolyfillable(type, TRANSFERRING); - try { - transferred = value.clone(); - value.close(); - } catch (error) { /* empty */ } - break; - case 'MediaSourceHandle': - case 'MessagePort': - case 'OffscreenCanvas': - case 'ReadableStream': - case 'TransformStream': - case 'WritableStream': - throwUnpolyfillable(type, TRANSFERRING); - } - - if (transferred === undefined) throw new DOMException('This object cannot be transferred: ' + type, DATA_CLONE_ERROR); - - mapSet(map, value, transferred); - } - - return buffers; -}; - -var detachBuffers = function (buffers) { - setIterate(buffers, function (buffer) { - if (PROPER_STRUCTURED_CLONE_TRANSFER) { - nativeRestrictedStructuredClone(buffer, { transfer: [buffer] }); - } else if (isCallable(buffer.transfer)) { - buffer.transfer(); - } else if (detachTransferable) { - detachTransferable(buffer); - } else { - throwUnpolyfillable('ArrayBuffer', TRANSFERRING); - } - }); -}; - -// `structuredClone` method -// https://html.spec.whatwg.org/multipage/structured-data.html#dom-structuredclone -$({ global: true, enumerable: true, sham: !PROPER_STRUCTURED_CLONE_TRANSFER, forced: FORCED_REPLACEMENT }, { - structuredClone: function structuredClone(value /* , { transfer } */) { - var options = validateArgumentsLength(arguments.length, 1) > 1 && !isNullOrUndefined(arguments[1]) ? anObject(arguments[1]) : undefined; - var transfer = options ? options.transfer : undefined; - var map, buffers; - - if (transfer !== undefined) { - map = new Map(); - buffers = tryToTransfer(transfer, map); - } - - var clone = structuredCloneInternal(value, map); - - // since of an issue with cloning views of transferred buffers, we a forced to detach them later - // https://github.com/zloirock/core-js/issues/1265 - if (buffers) detachBuffers(buffers); - - return clone; - } -}); diff --git a/node_modules/core-js/modules/web.timers.js b/node_modules/core-js/modules/web.timers.js deleted file mode 100644 index b787686..0000000 --- a/node_modules/core-js/modules/web.timers.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -// TODO: Remove this module from `core-js@4` since it's split to modules listed below -require('../modules/web.set-interval'); -require('../modules/web.set-timeout'); diff --git a/node_modules/core-js/modules/web.url-search-params.constructor.js b/node_modules/core-js/modules/web.url-search-params.constructor.js deleted file mode 100644 index 4498e5b..0000000 --- a/node_modules/core-js/modules/web.url-search-params.constructor.js +++ /dev/null @@ -1,416 +0,0 @@ -'use strict'; -// TODO: in core-js@4, move /modules/ dependencies to public entries for better optimization by tools like `preset-env` -require('../modules/es.array.iterator'); -var $ = require('../internals/export'); -var global = require('../internals/global'); -var safeGetBuiltIn = require('../internals/safe-get-built-in'); -var call = require('../internals/function-call'); -var uncurryThis = require('../internals/function-uncurry-this'); -var DESCRIPTORS = require('../internals/descriptors'); -var USE_NATIVE_URL = require('../internals/url-constructor-detection'); -var defineBuiltIn = require('../internals/define-built-in'); -var defineBuiltInAccessor = require('../internals/define-built-in-accessor'); -var defineBuiltIns = require('../internals/define-built-ins'); -var setToStringTag = require('../internals/set-to-string-tag'); -var createIteratorConstructor = require('../internals/iterator-create-constructor'); -var InternalStateModule = require('../internals/internal-state'); -var anInstance = require('../internals/an-instance'); -var isCallable = require('../internals/is-callable'); -var hasOwn = require('../internals/has-own-property'); -var bind = require('../internals/function-bind-context'); -var classof = require('../internals/classof'); -var anObject = require('../internals/an-object'); -var isObject = require('../internals/is-object'); -var $toString = require('../internals/to-string'); -var create = require('../internals/object-create'); -var createPropertyDescriptor = require('../internals/create-property-descriptor'); -var getIterator = require('../internals/get-iterator'); -var getIteratorMethod = require('../internals/get-iterator-method'); -var createIterResultObject = require('../internals/create-iter-result-object'); -var validateArgumentsLength = require('../internals/validate-arguments-length'); -var wellKnownSymbol = require('../internals/well-known-symbol'); -var arraySort = require('../internals/array-sort'); - -var ITERATOR = wellKnownSymbol('iterator'); -var URL_SEARCH_PARAMS = 'URLSearchParams'; -var URL_SEARCH_PARAMS_ITERATOR = URL_SEARCH_PARAMS + 'Iterator'; -var setInternalState = InternalStateModule.set; -var getInternalParamsState = InternalStateModule.getterFor(URL_SEARCH_PARAMS); -var getInternalIteratorState = InternalStateModule.getterFor(URL_SEARCH_PARAMS_ITERATOR); - -var nativeFetch = safeGetBuiltIn('fetch'); -var NativeRequest = safeGetBuiltIn('Request'); -var Headers = safeGetBuiltIn('Headers'); -var RequestPrototype = NativeRequest && NativeRequest.prototype; -var HeadersPrototype = Headers && Headers.prototype; -var RegExp = global.RegExp; -var TypeError = global.TypeError; -var decodeURIComponent = global.decodeURIComponent; -var encodeURIComponent = global.encodeURIComponent; -var charAt = uncurryThis(''.charAt); -var join = uncurryThis([].join); -var push = uncurryThis([].push); -var replace = uncurryThis(''.replace); -var shift = uncurryThis([].shift); -var splice = uncurryThis([].splice); -var split = uncurryThis(''.split); -var stringSlice = uncurryThis(''.slice); - -var plus = /\+/g; -var sequences = Array(4); - -var percentSequence = function (bytes) { - return sequences[bytes - 1] || (sequences[bytes - 1] = RegExp('((?:%[\\da-f]{2}){' + bytes + '})', 'gi')); -}; - -var percentDecode = function (sequence) { - try { - return decodeURIComponent(sequence); - } catch (error) { - return sequence; - } -}; - -var deserialize = function (it) { - var result = replace(it, plus, ' '); - var bytes = 4; - try { - return decodeURIComponent(result); - } catch (error) { - while (bytes) { - result = replace(result, percentSequence(bytes--), percentDecode); - } - return result; - } -}; - -var find = /[!'()~]|%20/g; - -var replacements = { - '!': '%21', - "'": '%27', - '(': '%28', - ')': '%29', - '~': '%7E', - '%20': '+' -}; - -var replacer = function (match) { - return replacements[match]; -}; - -var serialize = function (it) { - return replace(encodeURIComponent(it), find, replacer); -}; - -var URLSearchParamsIterator = createIteratorConstructor(function Iterator(params, kind) { - setInternalState(this, { - type: URL_SEARCH_PARAMS_ITERATOR, - target: getInternalParamsState(params).entries, - index: 0, - kind: kind - }); -}, URL_SEARCH_PARAMS, function next() { - var state = getInternalIteratorState(this); - var target = state.target; - var index = state.index++; - if (!target || index >= target.length) { - state.target = undefined; - return createIterResultObject(undefined, true); - } - var entry = target[index]; - switch (state.kind) { - case 'keys': return createIterResultObject(entry.key, false); - case 'values': return createIterResultObject(entry.value, false); - } return createIterResultObject([entry.key, entry.value], false); -}, true); - -var URLSearchParamsState = function (init) { - this.entries = []; - this.url = null; - - if (init !== undefined) { - if (isObject(init)) this.parseObject(init); - else this.parseQuery(typeof init == 'string' ? charAt(init, 0) === '?' ? stringSlice(init, 1) : init : $toString(init)); - } -}; - -URLSearchParamsState.prototype = { - type: URL_SEARCH_PARAMS, - bindURL: function (url) { - this.url = url; - this.update(); - }, - parseObject: function (object) { - var entries = this.entries; - var iteratorMethod = getIteratorMethod(object); - var iterator, next, step, entryIterator, entryNext, first, second; - - if (iteratorMethod) { - iterator = getIterator(object, iteratorMethod); - next = iterator.next; - while (!(step = call(next, iterator)).done) { - entryIterator = getIterator(anObject(step.value)); - entryNext = entryIterator.next; - if ( - (first = call(entryNext, entryIterator)).done || - (second = call(entryNext, entryIterator)).done || - !call(entryNext, entryIterator).done - ) throw new TypeError('Expected sequence with length 2'); - push(entries, { key: $toString(first.value), value: $toString(second.value) }); - } - } else for (var key in object) if (hasOwn(object, key)) { - push(entries, { key: key, value: $toString(object[key]) }); - } - }, - parseQuery: function (query) { - if (query) { - var entries = this.entries; - var attributes = split(query, '&'); - var index = 0; - var attribute, entry; - while (index < attributes.length) { - attribute = attributes[index++]; - if (attribute.length) { - entry = split(attribute, '='); - push(entries, { - key: deserialize(shift(entry)), - value: deserialize(join(entry, '=')) - }); - } - } - } - }, - serialize: function () { - var entries = this.entries; - var result = []; - var index = 0; - var entry; - while (index < entries.length) { - entry = entries[index++]; - push(result, serialize(entry.key) + '=' + serialize(entry.value)); - } return join(result, '&'); - }, - update: function () { - this.entries.length = 0; - this.parseQuery(this.url.query); - }, - updateURL: function () { - if (this.url) this.url.update(); - } -}; - -// `URLSearchParams` constructor -// https://url.spec.whatwg.org/#interface-urlsearchparams -var URLSearchParamsConstructor = function URLSearchParams(/* init */) { - anInstance(this, URLSearchParamsPrototype); - var init = arguments.length > 0 ? arguments[0] : undefined; - var state = setInternalState(this, new URLSearchParamsState(init)); - if (!DESCRIPTORS) this.size = state.entries.length; -}; - -var URLSearchParamsPrototype = URLSearchParamsConstructor.prototype; - -defineBuiltIns(URLSearchParamsPrototype, { - // `URLSearchParams.prototype.append` method - // https://url.spec.whatwg.org/#dom-urlsearchparams-append - append: function append(name, value) { - var state = getInternalParamsState(this); - validateArgumentsLength(arguments.length, 2); - push(state.entries, { key: $toString(name), value: $toString(value) }); - if (!DESCRIPTORS) this.length++; - state.updateURL(); - }, - // `URLSearchParams.prototype.delete` method - // https://url.spec.whatwg.org/#dom-urlsearchparams-delete - 'delete': function (name /* , value */) { - var state = getInternalParamsState(this); - var length = validateArgumentsLength(arguments.length, 1); - var entries = state.entries; - var key = $toString(name); - var $value = length < 2 ? undefined : arguments[1]; - var value = $value === undefined ? $value : $toString($value); - var index = 0; - while (index < entries.length) { - var entry = entries[index]; - if (entry.key === key && (value === undefined || entry.value === value)) { - splice(entries, index, 1); - if (value !== undefined) break; - } else index++; - } - if (!DESCRIPTORS) this.size = entries.length; - state.updateURL(); - }, - // `URLSearchParams.prototype.get` method - // https://url.spec.whatwg.org/#dom-urlsearchparams-get - get: function get(name) { - var entries = getInternalParamsState(this).entries; - validateArgumentsLength(arguments.length, 1); - var key = $toString(name); - var index = 0; - for (; index < entries.length; index++) { - if (entries[index].key === key) return entries[index].value; - } - return null; - }, - // `URLSearchParams.prototype.getAll` method - // https://url.spec.whatwg.org/#dom-urlsearchparams-getall - getAll: function getAll(name) { - var entries = getInternalParamsState(this).entries; - validateArgumentsLength(arguments.length, 1); - var key = $toString(name); - var result = []; - var index = 0; - for (; index < entries.length; index++) { - if (entries[index].key === key) push(result, entries[index].value); - } - return result; - }, - // `URLSearchParams.prototype.has` method - // https://url.spec.whatwg.org/#dom-urlsearchparams-has - has: function has(name /* , value */) { - var entries = getInternalParamsState(this).entries; - var length = validateArgumentsLength(arguments.length, 1); - var key = $toString(name); - var $value = length < 2 ? undefined : arguments[1]; - var value = $value === undefined ? $value : $toString($value); - var index = 0; - while (index < entries.length) { - var entry = entries[index++]; - if (entry.key === key && (value === undefined || entry.value === value)) return true; - } - return false; - }, - // `URLSearchParams.prototype.set` method - // https://url.spec.whatwg.org/#dom-urlsearchparams-set - set: function set(name, value) { - var state = getInternalParamsState(this); - validateArgumentsLength(arguments.length, 1); - var entries = state.entries; - var found = false; - var key = $toString(name); - var val = $toString(value); - var index = 0; - var entry; - for (; index < entries.length; index++) { - entry = entries[index]; - if (entry.key === key) { - if (found) splice(entries, index--, 1); - else { - found = true; - entry.value = val; - } - } - } - if (!found) push(entries, { key: key, value: val }); - if (!DESCRIPTORS) this.size = entries.length; - state.updateURL(); - }, - // `URLSearchParams.prototype.sort` method - // https://url.spec.whatwg.org/#dom-urlsearchparams-sort - sort: function sort() { - var state = getInternalParamsState(this); - arraySort(state.entries, function (a, b) { - return a.key > b.key ? 1 : -1; - }); - state.updateURL(); - }, - // `URLSearchParams.prototype.forEach` method - forEach: function forEach(callback /* , thisArg */) { - var entries = getInternalParamsState(this).entries; - var boundFunction = bind(callback, arguments.length > 1 ? arguments[1] : undefined); - var index = 0; - var entry; - while (index < entries.length) { - entry = entries[index++]; - boundFunction(entry.value, entry.key, this); - } - }, - // `URLSearchParams.prototype.keys` method - keys: function keys() { - return new URLSearchParamsIterator(this, 'keys'); - }, - // `URLSearchParams.prototype.values` method - values: function values() { - return new URLSearchParamsIterator(this, 'values'); - }, - // `URLSearchParams.prototype.entries` method - entries: function entries() { - return new URLSearchParamsIterator(this, 'entries'); - } -}, { enumerable: true }); - -// `URLSearchParams.prototype[@@iterator]` method -defineBuiltIn(URLSearchParamsPrototype, ITERATOR, URLSearchParamsPrototype.entries, { name: 'entries' }); - -// `URLSearchParams.prototype.toString` method -// https://url.spec.whatwg.org/#urlsearchparams-stringification-behavior -defineBuiltIn(URLSearchParamsPrototype, 'toString', function toString() { - return getInternalParamsState(this).serialize(); -}, { enumerable: true }); - -// `URLSearchParams.prototype.size` getter -// https://github.com/whatwg/url/pull/734 -if (DESCRIPTORS) defineBuiltInAccessor(URLSearchParamsPrototype, 'size', { - get: function size() { - return getInternalParamsState(this).entries.length; - }, - configurable: true, - enumerable: true -}); - -setToStringTag(URLSearchParamsConstructor, URL_SEARCH_PARAMS); - -$({ global: true, constructor: true, forced: !USE_NATIVE_URL }, { - URLSearchParams: URLSearchParamsConstructor -}); - -// Wrap `fetch` and `Request` for correct work with polyfilled `URLSearchParams` -if (!USE_NATIVE_URL && isCallable(Headers)) { - var headersHas = uncurryThis(HeadersPrototype.has); - var headersSet = uncurryThis(HeadersPrototype.set); - - var wrapRequestOptions = function (init) { - if (isObject(init)) { - var body = init.body; - var headers; - if (classof(body) === URL_SEARCH_PARAMS) { - headers = init.headers ? new Headers(init.headers) : new Headers(); - if (!headersHas(headers, 'content-type')) { - headersSet(headers, 'content-type', 'application/x-www-form-urlencoded;charset=UTF-8'); - } - return create(init, { - body: createPropertyDescriptor(0, $toString(body)), - headers: createPropertyDescriptor(0, headers) - }); - } - } return init; - }; - - if (isCallable(nativeFetch)) { - $({ global: true, enumerable: true, dontCallGetSet: true, forced: true }, { - fetch: function fetch(input /* , init */) { - return nativeFetch(input, arguments.length > 1 ? wrapRequestOptions(arguments[1]) : {}); - } - }); - } - - if (isCallable(NativeRequest)) { - var RequestConstructor = function Request(input /* , init */) { - anInstance(this, RequestPrototype); - return new NativeRequest(input, arguments.length > 1 ? wrapRequestOptions(arguments[1]) : {}); - }; - - RequestPrototype.constructor = RequestConstructor; - RequestConstructor.prototype = RequestPrototype; - - $({ global: true, constructor: true, dontCallGetSet: true, forced: true }, { - Request: RequestConstructor - }); - } -} - -module.exports = { - URLSearchParams: URLSearchParamsConstructor, - getState: getInternalParamsState -}; diff --git a/node_modules/core-js/modules/web.url-search-params.delete.js b/node_modules/core-js/modules/web.url-search-params.delete.js deleted file mode 100644 index 0d8023a..0000000 --- a/node_modules/core-js/modules/web.url-search-params.delete.js +++ /dev/null @@ -1,49 +0,0 @@ -'use strict'; -var defineBuiltIn = require('../internals/define-built-in'); -var uncurryThis = require('../internals/function-uncurry-this'); -var toString = require('../internals/to-string'); -var validateArgumentsLength = require('../internals/validate-arguments-length'); - -var $URLSearchParams = URLSearchParams; -var URLSearchParamsPrototype = $URLSearchParams.prototype; -var append = uncurryThis(URLSearchParamsPrototype.append); -var $delete = uncurryThis(URLSearchParamsPrototype['delete']); -var forEach = uncurryThis(URLSearchParamsPrototype.forEach); -var push = uncurryThis([].push); -var params = new $URLSearchParams('a=1&a=2&b=3'); - -params['delete']('a', 1); -// `undefined` case is a Chromium 117 bug -// https://bugs.chromium.org/p/v8/issues/detail?id=14222 -params['delete']('b', undefined); - -if (params + '' !== 'a=2') { - defineBuiltIn(URLSearchParamsPrototype, 'delete', function (name /* , value */) { - var length = arguments.length; - var $value = length < 2 ? undefined : arguments[1]; - if (length && $value === undefined) return $delete(this, name); - var entries = []; - forEach(this, function (v, k) { // also validates `this` - push(entries, { key: k, value: v }); - }); - validateArgumentsLength(length, 1); - var key = toString(name); - var value = toString($value); - var index = 0; - var dindex = 0; - var found = false; - var entriesLength = entries.length; - var entry; - while (index < entriesLength) { - entry = entries[index++]; - if (found || entry.key === key) { - found = true; - $delete(this, entry.key); - } else dindex++; - } - while (dindex < entriesLength) { - entry = entries[dindex++]; - if (!(entry.key === key && entry.value === value)) append(this, entry.key, entry.value); - } - }, { enumerable: true, unsafe: true }); -} diff --git a/node_modules/core-js/modules/web.url-search-params.has.js b/node_modules/core-js/modules/web.url-search-params.has.js deleted file mode 100644 index 46f6a2d..0000000 --- a/node_modules/core-js/modules/web.url-search-params.has.js +++ /dev/null @@ -1,28 +0,0 @@ -'use strict'; -var defineBuiltIn = require('../internals/define-built-in'); -var uncurryThis = require('../internals/function-uncurry-this'); -var toString = require('../internals/to-string'); -var validateArgumentsLength = require('../internals/validate-arguments-length'); - -var $URLSearchParams = URLSearchParams; -var URLSearchParamsPrototype = $URLSearchParams.prototype; -var getAll = uncurryThis(URLSearchParamsPrototype.getAll); -var $has = uncurryThis(URLSearchParamsPrototype.has); -var params = new $URLSearchParams('a=1'); - -// `undefined` case is a Chromium 117 bug -// https://bugs.chromium.org/p/v8/issues/detail?id=14222 -if (params.has('a', 2) || !params.has('a', undefined)) { - defineBuiltIn(URLSearchParamsPrototype, 'has', function has(name /* , value */) { - var length = arguments.length; - var $value = length < 2 ? undefined : arguments[1]; - if (length && $value === undefined) return $has(this, name); - var values = getAll(this, name); // also validates `this` - validateArgumentsLength(length, 1); - var value = toString($value); - var index = 0; - while (index < values.length) { - if (values[index++] === value) return true; - } return false; - }, { enumerable: true, unsafe: true }); -} diff --git a/node_modules/core-js/modules/web.url-search-params.js b/node_modules/core-js/modules/web.url-search-params.js deleted file mode 100644 index 5ebea93..0000000 --- a/node_modules/core-js/modules/web.url-search-params.js +++ /dev/null @@ -1,3 +0,0 @@ -'use strict'; -// TODO: Remove this module from `core-js@4` since it's replaced to module below -require('../modules/web.url-search-params.constructor'); diff --git a/node_modules/core-js/modules/web.url-search-params.size.js b/node_modules/core-js/modules/web.url-search-params.size.js deleted file mode 100644 index 65ab25d..0000000 --- a/node_modules/core-js/modules/web.url-search-params.size.js +++ /dev/null @@ -1,21 +0,0 @@ -'use strict'; -var DESCRIPTORS = require('../internals/descriptors'); -var uncurryThis = require('../internals/function-uncurry-this'); -var defineBuiltInAccessor = require('../internals/define-built-in-accessor'); - -var URLSearchParamsPrototype = URLSearchParams.prototype; -var forEach = uncurryThis(URLSearchParamsPrototype.forEach); - -// `URLSearchParams.prototype.size` getter -// https://github.com/whatwg/url/pull/734 -if (DESCRIPTORS && !('size' in URLSearchParamsPrototype)) { - defineBuiltInAccessor(URLSearchParamsPrototype, 'size', { - get: function size() { - var count = 0; - forEach(this, function () { count++; }); - return count; - }, - configurable: true, - enumerable: true - }); -} diff --git a/node_modules/core-js/modules/web.url.can-parse.js b/node_modules/core-js/modules/web.url.can-parse.js deleted file mode 100644 index 874d880..0000000 --- a/node_modules/core-js/modules/web.url.can-parse.js +++ /dev/null @@ -1,30 +0,0 @@ -'use strict'; -var $ = require('../internals/export'); -var getBuiltIn = require('../internals/get-built-in'); -var fails = require('../internals/fails'); -var validateArgumentsLength = require('../internals/validate-arguments-length'); -var toString = require('../internals/to-string'); -var USE_NATIVE_URL = require('../internals/url-constructor-detection'); - -var URL = getBuiltIn('URL'); - -// https://github.com/nodejs/node/issues/47505 -// https://github.com/denoland/deno/issues/18893 -var THROWS_WITHOUT_ARGUMENTS = USE_NATIVE_URL && fails(function () { - URL.canParse(); -}); - -// `URL.canParse` method -// https://url.spec.whatwg.org/#dom-url-canparse -$({ target: 'URL', stat: true, forced: !THROWS_WITHOUT_ARGUMENTS }, { - canParse: function canParse(url) { - var length = validateArgumentsLength(arguments.length, 1); - var urlString = toString(url); - var base = length < 2 || arguments[1] === undefined ? undefined : toString(arguments[1]); - try { - return !!new URL(urlString, base); - } catch (error) { - return false; - } - } -}); diff --git a/node_modules/core-js/modules/web.url.constructor.js b/node_modules/core-js/modules/web.url.constructor.js deleted file mode 100644 index 936257a..0000000 --- a/node_modules/core-js/modules/web.url.constructor.js +++ /dev/null @@ -1,1048 +0,0 @@ -'use strict'; -// TODO: in core-js@4, move /modules/ dependencies to public entries for better optimization by tools like `preset-env` -require('../modules/es.string.iterator'); -var $ = require('../internals/export'); -var DESCRIPTORS = require('../internals/descriptors'); -var USE_NATIVE_URL = require('../internals/url-constructor-detection'); -var global = require('../internals/global'); -var bind = require('../internals/function-bind-context'); -var uncurryThis = require('../internals/function-uncurry-this'); -var defineBuiltIn = require('../internals/define-built-in'); -var defineBuiltInAccessor = require('../internals/define-built-in-accessor'); -var anInstance = require('../internals/an-instance'); -var hasOwn = require('../internals/has-own-property'); -var assign = require('../internals/object-assign'); -var arrayFrom = require('../internals/array-from'); -var arraySlice = require('../internals/array-slice'); -var codeAt = require('../internals/string-multibyte').codeAt; -var toASCII = require('../internals/string-punycode-to-ascii'); -var $toString = require('../internals/to-string'); -var setToStringTag = require('../internals/set-to-string-tag'); -var validateArgumentsLength = require('../internals/validate-arguments-length'); -var URLSearchParamsModule = require('../modules/web.url-search-params.constructor'); -var InternalStateModule = require('../internals/internal-state'); - -var setInternalState = InternalStateModule.set; -var getInternalURLState = InternalStateModule.getterFor('URL'); -var URLSearchParams = URLSearchParamsModule.URLSearchParams; -var getInternalSearchParamsState = URLSearchParamsModule.getState; - -var NativeURL = global.URL; -var TypeError = global.TypeError; -var parseInt = global.parseInt; -var floor = Math.floor; -var pow = Math.pow; -var charAt = uncurryThis(''.charAt); -var exec = uncurryThis(/./.exec); -var join = uncurryThis([].join); -var numberToString = uncurryThis(1.0.toString); -var pop = uncurryThis([].pop); -var push = uncurryThis([].push); -var replace = uncurryThis(''.replace); -var shift = uncurryThis([].shift); -var split = uncurryThis(''.split); -var stringSlice = uncurryThis(''.slice); -var toLowerCase = uncurryThis(''.toLowerCase); -var unshift = uncurryThis([].unshift); - -var INVALID_AUTHORITY = 'Invalid authority'; -var INVALID_SCHEME = 'Invalid scheme'; -var INVALID_HOST = 'Invalid host'; -var INVALID_PORT = 'Invalid port'; - -var ALPHA = /[a-z]/i; -// eslint-disable-next-line regexp/no-obscure-range -- safe -var ALPHANUMERIC = /[\d+-.a-z]/i; -var DIGIT = /\d/; -var HEX_START = /^0x/i; -var OCT = /^[0-7]+$/; -var DEC = /^\d+$/; -var HEX = /^[\da-f]+$/i; -/* eslint-disable regexp/no-control-character -- safe */ -var FORBIDDEN_HOST_CODE_POINT = /[\0\t\n\r #%/:<>?@[\\\]^|]/; -var FORBIDDEN_HOST_CODE_POINT_EXCLUDING_PERCENT = /[\0\t\n\r #/:<>?@[\\\]^|]/; -var LEADING_C0_CONTROL_OR_SPACE = /^[\u0000-\u0020]+/; -var TRAILING_C0_CONTROL_OR_SPACE = /(^|[^\u0000-\u0020])[\u0000-\u0020]+$/; -var TAB_AND_NEW_LINE = /[\t\n\r]/g; -/* eslint-enable regexp/no-control-character -- safe */ -var EOF; - -// https://url.spec.whatwg.org/#ipv4-number-parser -var parseIPv4 = function (input) { - var parts = split(input, '.'); - var partsLength, numbers, index, part, radix, number, ipv4; - if (parts.length && parts[parts.length - 1] === '') { - parts.length--; - } - partsLength = parts.length; - if (partsLength > 4) return input; - numbers = []; - for (index = 0; index < partsLength; index++) { - part = parts[index]; - if (part === '') return input; - radix = 10; - if (part.length > 1 && charAt(part, 0) === '0') { - radix = exec(HEX_START, part) ? 16 : 8; - part = stringSlice(part, radix === 8 ? 1 : 2); - } - if (part === '') { - number = 0; - } else { - if (!exec(radix === 10 ? DEC : radix === 8 ? OCT : HEX, part)) return input; - number = parseInt(part, radix); - } - push(numbers, number); - } - for (index = 0; index < partsLength; index++) { - number = numbers[index]; - if (index === partsLength - 1) { - if (number >= pow(256, 5 - partsLength)) return null; - } else if (number > 255) return null; - } - ipv4 = pop(numbers); - for (index = 0; index < numbers.length; index++) { - ipv4 += numbers[index] * pow(256, 3 - index); - } - return ipv4; -}; - -// https://url.spec.whatwg.org/#concept-ipv6-parser -// eslint-disable-next-line max-statements -- TODO -var parseIPv6 = function (input) { - var address = [0, 0, 0, 0, 0, 0, 0, 0]; - var pieceIndex = 0; - var compress = null; - var pointer = 0; - var value, length, numbersSeen, ipv4Piece, number, swaps, swap; - - var chr = function () { - return charAt(input, pointer); - }; - - if (chr() === ':') { - if (charAt(input, 1) !== ':') return; - pointer += 2; - pieceIndex++; - compress = pieceIndex; - } - while (chr()) { - if (pieceIndex === 8) return; - if (chr() === ':') { - if (compress !== null) return; - pointer++; - pieceIndex++; - compress = pieceIndex; - continue; - } - value = length = 0; - while (length < 4 && exec(HEX, chr())) { - value = value * 16 + parseInt(chr(), 16); - pointer++; - length++; - } - if (chr() === '.') { - if (length === 0) return; - pointer -= length; - if (pieceIndex > 6) return; - numbersSeen = 0; - while (chr()) { - ipv4Piece = null; - if (numbersSeen > 0) { - if (chr() === '.' && numbersSeen < 4) pointer++; - else return; - } - if (!exec(DIGIT, chr())) return; - while (exec(DIGIT, chr())) { - number = parseInt(chr(), 10); - if (ipv4Piece === null) ipv4Piece = number; - else if (ipv4Piece === 0) return; - else ipv4Piece = ipv4Piece * 10 + number; - if (ipv4Piece > 255) return; - pointer++; - } - address[pieceIndex] = address[pieceIndex] * 256 + ipv4Piece; - numbersSeen++; - if (numbersSeen === 2 || numbersSeen === 4) pieceIndex++; - } - if (numbersSeen !== 4) return; - break; - } else if (chr() === ':') { - pointer++; - if (!chr()) return; - } else if (chr()) return; - address[pieceIndex++] = value; - } - if (compress !== null) { - swaps = pieceIndex - compress; - pieceIndex = 7; - while (pieceIndex !== 0 && swaps > 0) { - swap = address[pieceIndex]; - address[pieceIndex--] = address[compress + swaps - 1]; - address[compress + --swaps] = swap; - } - } else if (pieceIndex !== 8) return; - return address; -}; - -var findLongestZeroSequence = function (ipv6) { - var maxIndex = null; - var maxLength = 1; - var currStart = null; - var currLength = 0; - var index = 0; - for (; index < 8; index++) { - if (ipv6[index] !== 0) { - if (currLength > maxLength) { - maxIndex = currStart; - maxLength = currLength; - } - currStart = null; - currLength = 0; - } else { - if (currStart === null) currStart = index; - ++currLength; - } - } - if (currLength > maxLength) { - maxIndex = currStart; - maxLength = currLength; - } - return maxIndex; -}; - -// https://url.spec.whatwg.org/#host-serializing -var serializeHost = function (host) { - var result, index, compress, ignore0; - // ipv4 - if (typeof host == 'number') { - result = []; - for (index = 0; index < 4; index++) { - unshift(result, host % 256); - host = floor(host / 256); - } return join(result, '.'); - // ipv6 - } else if (typeof host == 'object') { - result = ''; - compress = findLongestZeroSequence(host); - for (index = 0; index < 8; index++) { - if (ignore0 && host[index] === 0) continue; - if (ignore0) ignore0 = false; - if (compress === index) { - result += index ? ':' : '::'; - ignore0 = true; - } else { - result += numberToString(host[index], 16); - if (index < 7) result += ':'; - } - } - return '[' + result + ']'; - } return host; -}; - -var C0ControlPercentEncodeSet = {}; -var fragmentPercentEncodeSet = assign({}, C0ControlPercentEncodeSet, { - ' ': 1, '"': 1, '<': 1, '>': 1, '`': 1 -}); -var pathPercentEncodeSet = assign({}, fragmentPercentEncodeSet, { - '#': 1, '?': 1, '{': 1, '}': 1 -}); -var userinfoPercentEncodeSet = assign({}, pathPercentEncodeSet, { - '/': 1, ':': 1, ';': 1, '=': 1, '@': 1, '[': 1, '\\': 1, ']': 1, '^': 1, '|': 1 -}); - -var percentEncode = function (chr, set) { - var code = codeAt(chr, 0); - return code > 0x20 && code < 0x7F && !hasOwn(set, chr) ? chr : encodeURIComponent(chr); -}; - -// https://url.spec.whatwg.org/#special-scheme -var specialSchemes = { - ftp: 21, - file: null, - http: 80, - https: 443, - ws: 80, - wss: 443 -}; - -// https://url.spec.whatwg.org/#windows-drive-letter -var isWindowsDriveLetter = function (string, normalized) { - var second; - return string.length === 2 && exec(ALPHA, charAt(string, 0)) - && ((second = charAt(string, 1)) === ':' || (!normalized && second === '|')); -}; - -// https://url.spec.whatwg.org/#start-with-a-windows-drive-letter -var startsWithWindowsDriveLetter = function (string) { - var third; - return string.length > 1 && isWindowsDriveLetter(stringSlice(string, 0, 2)) && ( - string.length === 2 || - ((third = charAt(string, 2)) === '/' || third === '\\' || third === '?' || third === '#') - ); -}; - -// https://url.spec.whatwg.org/#single-dot-path-segment -var isSingleDot = function (segment) { - return segment === '.' || toLowerCase(segment) === '%2e'; -}; - -// https://url.spec.whatwg.org/#double-dot-path-segment -var isDoubleDot = function (segment) { - segment = toLowerCase(segment); - return segment === '..' || segment === '%2e.' || segment === '.%2e' || segment === '%2e%2e'; -}; - -// States: -var SCHEME_START = {}; -var SCHEME = {}; -var NO_SCHEME = {}; -var SPECIAL_RELATIVE_OR_AUTHORITY = {}; -var PATH_OR_AUTHORITY = {}; -var RELATIVE = {}; -var RELATIVE_SLASH = {}; -var SPECIAL_AUTHORITY_SLASHES = {}; -var SPECIAL_AUTHORITY_IGNORE_SLASHES = {}; -var AUTHORITY = {}; -var HOST = {}; -var HOSTNAME = {}; -var PORT = {}; -var FILE = {}; -var FILE_SLASH = {}; -var FILE_HOST = {}; -var PATH_START = {}; -var PATH = {}; -var CANNOT_BE_A_BASE_URL_PATH = {}; -var QUERY = {}; -var FRAGMENT = {}; - -var URLState = function (url, isBase, base) { - var urlString = $toString(url); - var baseState, failure, searchParams; - if (isBase) { - failure = this.parse(urlString); - if (failure) throw new TypeError(failure); - this.searchParams = null; - } else { - if (base !== undefined) baseState = new URLState(base, true); - failure = this.parse(urlString, null, baseState); - if (failure) throw new TypeError(failure); - searchParams = getInternalSearchParamsState(new URLSearchParams()); - searchParams.bindURL(this); - this.searchParams = searchParams; - } -}; - -URLState.prototype = { - type: 'URL', - // https://url.spec.whatwg.org/#url-parsing - // eslint-disable-next-line max-statements -- TODO - parse: function (input, stateOverride, base) { - var url = this; - var state = stateOverride || SCHEME_START; - var pointer = 0; - var buffer = ''; - var seenAt = false; - var seenBracket = false; - var seenPasswordToken = false; - var codePoints, chr, bufferCodePoints, failure; - - input = $toString(input); - - if (!stateOverride) { - url.scheme = ''; - url.username = ''; - url.password = ''; - url.host = null; - url.port = null; - url.path = []; - url.query = null; - url.fragment = null; - url.cannotBeABaseURL = false; - input = replace(input, LEADING_C0_CONTROL_OR_SPACE, ''); - input = replace(input, TRAILING_C0_CONTROL_OR_SPACE, '$1'); - } - - input = replace(input, TAB_AND_NEW_LINE, ''); - - codePoints = arrayFrom(input); - - while (pointer <= codePoints.length) { - chr = codePoints[pointer]; - switch (state) { - case SCHEME_START: - if (chr && exec(ALPHA, chr)) { - buffer += toLowerCase(chr); - state = SCHEME; - } else if (!stateOverride) { - state = NO_SCHEME; - continue; - } else return INVALID_SCHEME; - break; - - case SCHEME: - if (chr && (exec(ALPHANUMERIC, chr) || chr === '+' || chr === '-' || chr === '.')) { - buffer += toLowerCase(chr); - } else if (chr === ':') { - if (stateOverride && ( - (url.isSpecial() !== hasOwn(specialSchemes, buffer)) || - (buffer === 'file' && (url.includesCredentials() || url.port !== null)) || - (url.scheme === 'file' && !url.host) - )) return; - url.scheme = buffer; - if (stateOverride) { - if (url.isSpecial() && specialSchemes[url.scheme] === url.port) url.port = null; - return; - } - buffer = ''; - if (url.scheme === 'file') { - state = FILE; - } else if (url.isSpecial() && base && base.scheme === url.scheme) { - state = SPECIAL_RELATIVE_OR_AUTHORITY; - } else if (url.isSpecial()) { - state = SPECIAL_AUTHORITY_SLASHES; - } else if (codePoints[pointer + 1] === '/') { - state = PATH_OR_AUTHORITY; - pointer++; - } else { - url.cannotBeABaseURL = true; - push(url.path, ''); - state = CANNOT_BE_A_BASE_URL_PATH; - } - } else if (!stateOverride) { - buffer = ''; - state = NO_SCHEME; - pointer = 0; - continue; - } else return INVALID_SCHEME; - break; - - case NO_SCHEME: - if (!base || (base.cannotBeABaseURL && chr !== '#')) return INVALID_SCHEME; - if (base.cannotBeABaseURL && chr === '#') { - url.scheme = base.scheme; - url.path = arraySlice(base.path); - url.query = base.query; - url.fragment = ''; - url.cannotBeABaseURL = true; - state = FRAGMENT; - break; - } - state = base.scheme === 'file' ? FILE : RELATIVE; - continue; - - case SPECIAL_RELATIVE_OR_AUTHORITY: - if (chr === '/' && codePoints[pointer + 1] === '/') { - state = SPECIAL_AUTHORITY_IGNORE_SLASHES; - pointer++; - } else { - state = RELATIVE; - continue; - } break; - - case PATH_OR_AUTHORITY: - if (chr === '/') { - state = AUTHORITY; - break; - } else { - state = PATH; - continue; - } - - case RELATIVE: - url.scheme = base.scheme; - if (chr === EOF) { - url.username = base.username; - url.password = base.password; - url.host = base.host; - url.port = base.port; - url.path = arraySlice(base.path); - url.query = base.query; - } else if (chr === '/' || (chr === '\\' && url.isSpecial())) { - state = RELATIVE_SLASH; - } else if (chr === '?') { - url.username = base.username; - url.password = base.password; - url.host = base.host; - url.port = base.port; - url.path = arraySlice(base.path); - url.query = ''; - state = QUERY; - } else if (chr === '#') { - url.username = base.username; - url.password = base.password; - url.host = base.host; - url.port = base.port; - url.path = arraySlice(base.path); - url.query = base.query; - url.fragment = ''; - state = FRAGMENT; - } else { - url.username = base.username; - url.password = base.password; - url.host = base.host; - url.port = base.port; - url.path = arraySlice(base.path); - url.path.length--; - state = PATH; - continue; - } break; - - case RELATIVE_SLASH: - if (url.isSpecial() && (chr === '/' || chr === '\\')) { - state = SPECIAL_AUTHORITY_IGNORE_SLASHES; - } else if (chr === '/') { - state = AUTHORITY; - } else { - url.username = base.username; - url.password = base.password; - url.host = base.host; - url.port = base.port; - state = PATH; - continue; - } break; - - case SPECIAL_AUTHORITY_SLASHES: - state = SPECIAL_AUTHORITY_IGNORE_SLASHES; - if (chr !== '/' || charAt(buffer, pointer + 1) !== '/') continue; - pointer++; - break; - - case SPECIAL_AUTHORITY_IGNORE_SLASHES: - if (chr !== '/' && chr !== '\\') { - state = AUTHORITY; - continue; - } break; - - case AUTHORITY: - if (chr === '@') { - if (seenAt) buffer = '%40' + buffer; - seenAt = true; - bufferCodePoints = arrayFrom(buffer); - for (var i = 0; i < bufferCodePoints.length; i++) { - var codePoint = bufferCodePoints[i]; - if (codePoint === ':' && !seenPasswordToken) { - seenPasswordToken = true; - continue; - } - var encodedCodePoints = percentEncode(codePoint, userinfoPercentEncodeSet); - if (seenPasswordToken) url.password += encodedCodePoints; - else url.username += encodedCodePoints; - } - buffer = ''; - } else if ( - chr === EOF || chr === '/' || chr === '?' || chr === '#' || - (chr === '\\' && url.isSpecial()) - ) { - if (seenAt && buffer === '') return INVALID_AUTHORITY; - pointer -= arrayFrom(buffer).length + 1; - buffer = ''; - state = HOST; - } else buffer += chr; - break; - - case HOST: - case HOSTNAME: - if (stateOverride && url.scheme === 'file') { - state = FILE_HOST; - continue; - } else if (chr === ':' && !seenBracket) { - if (buffer === '') return INVALID_HOST; - failure = url.parseHost(buffer); - if (failure) return failure; - buffer = ''; - state = PORT; - if (stateOverride === HOSTNAME) return; - } else if ( - chr === EOF || chr === '/' || chr === '?' || chr === '#' || - (chr === '\\' && url.isSpecial()) - ) { - if (url.isSpecial() && buffer === '') return INVALID_HOST; - if (stateOverride && buffer === '' && (url.includesCredentials() || url.port !== null)) return; - failure = url.parseHost(buffer); - if (failure) return failure; - buffer = ''; - state = PATH_START; - if (stateOverride) return; - continue; - } else { - if (chr === '[') seenBracket = true; - else if (chr === ']') seenBracket = false; - buffer += chr; - } break; - - case PORT: - if (exec(DIGIT, chr)) { - buffer += chr; - } else if ( - chr === EOF || chr === '/' || chr === '?' || chr === '#' || - (chr === '\\' && url.isSpecial()) || - stateOverride - ) { - if (buffer !== '') { - var port = parseInt(buffer, 10); - if (port > 0xFFFF) return INVALID_PORT; - url.port = (url.isSpecial() && port === specialSchemes[url.scheme]) ? null : port; - buffer = ''; - } - if (stateOverride) return; - state = PATH_START; - continue; - } else return INVALID_PORT; - break; - - case FILE: - url.scheme = 'file'; - if (chr === '/' || chr === '\\') state = FILE_SLASH; - else if (base && base.scheme === 'file') { - switch (chr) { - case EOF: - url.host = base.host; - url.path = arraySlice(base.path); - url.query = base.query; - break; - case '?': - url.host = base.host; - url.path = arraySlice(base.path); - url.query = ''; - state = QUERY; - break; - case '#': - url.host = base.host; - url.path = arraySlice(base.path); - url.query = base.query; - url.fragment = ''; - state = FRAGMENT; - break; - default: - if (!startsWithWindowsDriveLetter(join(arraySlice(codePoints, pointer), ''))) { - url.host = base.host; - url.path = arraySlice(base.path); - url.shortenPath(); - } - state = PATH; - continue; - } - } else { - state = PATH; - continue; - } break; - - case FILE_SLASH: - if (chr === '/' || chr === '\\') { - state = FILE_HOST; - break; - } - if (base && base.scheme === 'file' && !startsWithWindowsDriveLetter(join(arraySlice(codePoints, pointer), ''))) { - if (isWindowsDriveLetter(base.path[0], true)) push(url.path, base.path[0]); - else url.host = base.host; - } - state = PATH; - continue; - - case FILE_HOST: - if (chr === EOF || chr === '/' || chr === '\\' || chr === '?' || chr === '#') { - if (!stateOverride && isWindowsDriveLetter(buffer)) { - state = PATH; - } else if (buffer === '') { - url.host = ''; - if (stateOverride) return; - state = PATH_START; - } else { - failure = url.parseHost(buffer); - if (failure) return failure; - if (url.host === 'localhost') url.host = ''; - if (stateOverride) return; - buffer = ''; - state = PATH_START; - } continue; - } else buffer += chr; - break; - - case PATH_START: - if (url.isSpecial()) { - state = PATH; - if (chr !== '/' && chr !== '\\') continue; - } else if (!stateOverride && chr === '?') { - url.query = ''; - state = QUERY; - } else if (!stateOverride && chr === '#') { - url.fragment = ''; - state = FRAGMENT; - } else if (chr !== EOF) { - state = PATH; - if (chr !== '/') continue; - } break; - - case PATH: - if ( - chr === EOF || chr === '/' || - (chr === '\\' && url.isSpecial()) || - (!stateOverride && (chr === '?' || chr === '#')) - ) { - if (isDoubleDot(buffer)) { - url.shortenPath(); - if (chr !== '/' && !(chr === '\\' && url.isSpecial())) { - push(url.path, ''); - } - } else if (isSingleDot(buffer)) { - if (chr !== '/' && !(chr === '\\' && url.isSpecial())) { - push(url.path, ''); - } - } else { - if (url.scheme === 'file' && !url.path.length && isWindowsDriveLetter(buffer)) { - if (url.host) url.host = ''; - buffer = charAt(buffer, 0) + ':'; // normalize windows drive letter - } - push(url.path, buffer); - } - buffer = ''; - if (url.scheme === 'file' && (chr === EOF || chr === '?' || chr === '#')) { - while (url.path.length > 1 && url.path[0] === '') { - shift(url.path); - } - } - if (chr === '?') { - url.query = ''; - state = QUERY; - } else if (chr === '#') { - url.fragment = ''; - state = FRAGMENT; - } - } else { - buffer += percentEncode(chr, pathPercentEncodeSet); - } break; - - case CANNOT_BE_A_BASE_URL_PATH: - if (chr === '?') { - url.query = ''; - state = QUERY; - } else if (chr === '#') { - url.fragment = ''; - state = FRAGMENT; - } else if (chr !== EOF) { - url.path[0] += percentEncode(chr, C0ControlPercentEncodeSet); - } break; - - case QUERY: - if (!stateOverride && chr === '#') { - url.fragment = ''; - state = FRAGMENT; - } else if (chr !== EOF) { - if (chr === "'" && url.isSpecial()) url.query += '%27'; - else if (chr === '#') url.query += '%23'; - else url.query += percentEncode(chr, C0ControlPercentEncodeSet); - } break; - - case FRAGMENT: - if (chr !== EOF) url.fragment += percentEncode(chr, fragmentPercentEncodeSet); - break; - } - - pointer++; - } - }, - // https://url.spec.whatwg.org/#host-parsing - parseHost: function (input) { - var result, codePoints, index; - if (charAt(input, 0) === '[') { - if (charAt(input, input.length - 1) !== ']') return INVALID_HOST; - result = parseIPv6(stringSlice(input, 1, -1)); - if (!result) return INVALID_HOST; - this.host = result; - // opaque host - } else if (!this.isSpecial()) { - if (exec(FORBIDDEN_HOST_CODE_POINT_EXCLUDING_PERCENT, input)) return INVALID_HOST; - result = ''; - codePoints = arrayFrom(input); - for (index = 0; index < codePoints.length; index++) { - result += percentEncode(codePoints[index], C0ControlPercentEncodeSet); - } - this.host = result; - } else { - input = toASCII(input); - if (exec(FORBIDDEN_HOST_CODE_POINT, input)) return INVALID_HOST; - result = parseIPv4(input); - if (result === null) return INVALID_HOST; - this.host = result; - } - }, - // https://url.spec.whatwg.org/#cannot-have-a-username-password-port - cannotHaveUsernamePasswordPort: function () { - return !this.host || this.cannotBeABaseURL || this.scheme === 'file'; - }, - // https://url.spec.whatwg.org/#include-credentials - includesCredentials: function () { - return this.username !== '' || this.password !== ''; - }, - // https://url.spec.whatwg.org/#is-special - isSpecial: function () { - return hasOwn(specialSchemes, this.scheme); - }, - // https://url.spec.whatwg.org/#shorten-a-urls-path - shortenPath: function () { - var path = this.path; - var pathSize = path.length; - if (pathSize && (this.scheme !== 'file' || pathSize !== 1 || !isWindowsDriveLetter(path[0], true))) { - path.length--; - } - }, - // https://url.spec.whatwg.org/#concept-url-serializer - serialize: function () { - var url = this; - var scheme = url.scheme; - var username = url.username; - var password = url.password; - var host = url.host; - var port = url.port; - var path = url.path; - var query = url.query; - var fragment = url.fragment; - var output = scheme + ':'; - if (host !== null) { - output += '//'; - if (url.includesCredentials()) { - output += username + (password ? ':' + password : '') + '@'; - } - output += serializeHost(host); - if (port !== null) output += ':' + port; - } else if (scheme === 'file') output += '//'; - output += url.cannotBeABaseURL ? path[0] : path.length ? '/' + join(path, '/') : ''; - if (query !== null) output += '?' + query; - if (fragment !== null) output += '#' + fragment; - return output; - }, - // https://url.spec.whatwg.org/#dom-url-href - setHref: function (href) { - var failure = this.parse(href); - if (failure) throw new TypeError(failure); - this.searchParams.update(); - }, - // https://url.spec.whatwg.org/#dom-url-origin - getOrigin: function () { - var scheme = this.scheme; - var port = this.port; - if (scheme === 'blob') try { - return new URLConstructor(scheme.path[0]).origin; - } catch (error) { - return 'null'; - } - if (scheme === 'file' || !this.isSpecial()) return 'null'; - return scheme + '://' + serializeHost(this.host) + (port !== null ? ':' + port : ''); - }, - // https://url.spec.whatwg.org/#dom-url-protocol - getProtocol: function () { - return this.scheme + ':'; - }, - setProtocol: function (protocol) { - this.parse($toString(protocol) + ':', SCHEME_START); - }, - // https://url.spec.whatwg.org/#dom-url-username - getUsername: function () { - return this.username; - }, - setUsername: function (username) { - var codePoints = arrayFrom($toString(username)); - if (this.cannotHaveUsernamePasswordPort()) return; - this.username = ''; - for (var i = 0; i < codePoints.length; i++) { - this.username += percentEncode(codePoints[i], userinfoPercentEncodeSet); - } - }, - // https://url.spec.whatwg.org/#dom-url-password - getPassword: function () { - return this.password; - }, - setPassword: function (password) { - var codePoints = arrayFrom($toString(password)); - if (this.cannotHaveUsernamePasswordPort()) return; - this.password = ''; - for (var i = 0; i < codePoints.length; i++) { - this.password += percentEncode(codePoints[i], userinfoPercentEncodeSet); - } - }, - // https://url.spec.whatwg.org/#dom-url-host - getHost: function () { - var host = this.host; - var port = this.port; - return host === null ? '' - : port === null ? serializeHost(host) - : serializeHost(host) + ':' + port; - }, - setHost: function (host) { - if (this.cannotBeABaseURL) return; - this.parse(host, HOST); - }, - // https://url.spec.whatwg.org/#dom-url-hostname - getHostname: function () { - var host = this.host; - return host === null ? '' : serializeHost(host); - }, - setHostname: function (hostname) { - if (this.cannotBeABaseURL) return; - this.parse(hostname, HOSTNAME); - }, - // https://url.spec.whatwg.org/#dom-url-port - getPort: function () { - var port = this.port; - return port === null ? '' : $toString(port); - }, - setPort: function (port) { - if (this.cannotHaveUsernamePasswordPort()) return; - port = $toString(port); - if (port === '') this.port = null; - else this.parse(port, PORT); - }, - // https://url.spec.whatwg.org/#dom-url-pathname - getPathname: function () { - var path = this.path; - return this.cannotBeABaseURL ? path[0] : path.length ? '/' + join(path, '/') : ''; - }, - setPathname: function (pathname) { - if (this.cannotBeABaseURL) return; - this.path = []; - this.parse(pathname, PATH_START); - }, - // https://url.spec.whatwg.org/#dom-url-search - getSearch: function () { - var query = this.query; - return query ? '?' + query : ''; - }, - setSearch: function (search) { - search = $toString(search); - if (search === '') { - this.query = null; - } else { - if (charAt(search, 0) === '?') search = stringSlice(search, 1); - this.query = ''; - this.parse(search, QUERY); - } - this.searchParams.update(); - }, - // https://url.spec.whatwg.org/#dom-url-searchparams - getSearchParams: function () { - return this.searchParams.facade; - }, - // https://url.spec.whatwg.org/#dom-url-hash - getHash: function () { - var fragment = this.fragment; - return fragment ? '#' + fragment : ''; - }, - setHash: function (hash) { - hash = $toString(hash); - if (hash === '') { - this.fragment = null; - return; - } - if (charAt(hash, 0) === '#') hash = stringSlice(hash, 1); - this.fragment = ''; - this.parse(hash, FRAGMENT); - }, - update: function () { - this.query = this.searchParams.serialize() || null; - } -}; - -// `URL` constructor -// https://url.spec.whatwg.org/#url-class -var URLConstructor = function URL(url /* , base */) { - var that = anInstance(this, URLPrototype); - var base = validateArgumentsLength(arguments.length, 1) > 1 ? arguments[1] : undefined; - var state = setInternalState(that, new URLState(url, false, base)); - if (!DESCRIPTORS) { - that.href = state.serialize(); - that.origin = state.getOrigin(); - that.protocol = state.getProtocol(); - that.username = state.getUsername(); - that.password = state.getPassword(); - that.host = state.getHost(); - that.hostname = state.getHostname(); - that.port = state.getPort(); - that.pathname = state.getPathname(); - that.search = state.getSearch(); - that.searchParams = state.getSearchParams(); - that.hash = state.getHash(); - } -}; - -var URLPrototype = URLConstructor.prototype; - -var accessorDescriptor = function (getter, setter) { - return { - get: function () { - return getInternalURLState(this)[getter](); - }, - set: setter && function (value) { - return getInternalURLState(this)[setter](value); - }, - configurable: true, - enumerable: true - }; -}; - -if (DESCRIPTORS) { - // `URL.prototype.href` accessors pair - // https://url.spec.whatwg.org/#dom-url-href - defineBuiltInAccessor(URLPrototype, 'href', accessorDescriptor('serialize', 'setHref')); - // `URL.prototype.origin` getter - // https://url.spec.whatwg.org/#dom-url-origin - defineBuiltInAccessor(URLPrototype, 'origin', accessorDescriptor('getOrigin')); - // `URL.prototype.protocol` accessors pair - // https://url.spec.whatwg.org/#dom-url-protocol - defineBuiltInAccessor(URLPrototype, 'protocol', accessorDescriptor('getProtocol', 'setProtocol')); - // `URL.prototype.username` accessors pair - // https://url.spec.whatwg.org/#dom-url-username - defineBuiltInAccessor(URLPrototype, 'username', accessorDescriptor('getUsername', 'setUsername')); - // `URL.prototype.password` accessors pair - // https://url.spec.whatwg.org/#dom-url-password - defineBuiltInAccessor(URLPrototype, 'password', accessorDescriptor('getPassword', 'setPassword')); - // `URL.prototype.host` accessors pair - // https://url.spec.whatwg.org/#dom-url-host - defineBuiltInAccessor(URLPrototype, 'host', accessorDescriptor('getHost', 'setHost')); - // `URL.prototype.hostname` accessors pair - // https://url.spec.whatwg.org/#dom-url-hostname - defineBuiltInAccessor(URLPrototype, 'hostname', accessorDescriptor('getHostname', 'setHostname')); - // `URL.prototype.port` accessors pair - // https://url.spec.whatwg.org/#dom-url-port - defineBuiltInAccessor(URLPrototype, 'port', accessorDescriptor('getPort', 'setPort')); - // `URL.prototype.pathname` accessors pair - // https://url.spec.whatwg.org/#dom-url-pathname - defineBuiltInAccessor(URLPrototype, 'pathname', accessorDescriptor('getPathname', 'setPathname')); - // `URL.prototype.search` accessors pair - // https://url.spec.whatwg.org/#dom-url-search - defineBuiltInAccessor(URLPrototype, 'search', accessorDescriptor('getSearch', 'setSearch')); - // `URL.prototype.searchParams` getter - // https://url.spec.whatwg.org/#dom-url-searchparams - defineBuiltInAccessor(URLPrototype, 'searchParams', accessorDescriptor('getSearchParams')); - // `URL.prototype.hash` accessors pair - // https://url.spec.whatwg.org/#dom-url-hash - defineBuiltInAccessor(URLPrototype, 'hash', accessorDescriptor('getHash', 'setHash')); -} - -// `URL.prototype.toJSON` method -// https://url.spec.whatwg.org/#dom-url-tojson -defineBuiltIn(URLPrototype, 'toJSON', function toJSON() { - return getInternalURLState(this).serialize(); -}, { enumerable: true }); - -// `URL.prototype.toString` method -// https://url.spec.whatwg.org/#URL-stringification-behavior -defineBuiltIn(URLPrototype, 'toString', function toString() { - return getInternalURLState(this).serialize(); -}, { enumerable: true }); - -if (NativeURL) { - var nativeCreateObjectURL = NativeURL.createObjectURL; - var nativeRevokeObjectURL = NativeURL.revokeObjectURL; - // `URL.createObjectURL` method - // https://developer.mozilla.org/en-US/docs/Web/API/URL/createObjectURL - if (nativeCreateObjectURL) defineBuiltIn(URLConstructor, 'createObjectURL', bind(nativeCreateObjectURL, NativeURL)); - // `URL.revokeObjectURL` method - // https://developer.mozilla.org/en-US/docs/Web/API/URL/revokeObjectURL - if (nativeRevokeObjectURL) defineBuiltIn(URLConstructor, 'revokeObjectURL', bind(nativeRevokeObjectURL, NativeURL)); -} - -setToStringTag(URLConstructor, 'URL'); - -$({ global: true, constructor: true, forced: !USE_NATIVE_URL, sham: !DESCRIPTORS }, { - URL: URLConstructor -}); diff --git a/node_modules/core-js/modules/web.url.js b/node_modules/core-js/modules/web.url.js deleted file mode 100644 index 5ec16d1..0000000 --- a/node_modules/core-js/modules/web.url.js +++ /dev/null @@ -1,3 +0,0 @@ -'use strict'; -// TODO: Remove this module from `core-js@4` since it's replaced to module below -require('../modules/web.url.constructor'); diff --git a/node_modules/core-js/modules/web.url.to-json.js b/node_modules/core-js/modules/web.url.to-json.js deleted file mode 100644 index f4f41c3..0000000 --- a/node_modules/core-js/modules/web.url.to-json.js +++ /dev/null @@ -1,11 +0,0 @@ -'use strict'; -var $ = require('../internals/export'); -var call = require('../internals/function-call'); - -// `URL.prototype.toJSON` method -// https://url.spec.whatwg.org/#dom-url-tojson -$({ target: 'URL', proto: true, enumerable: true }, { - toJSON: function toJSON() { - return call(URL.prototype.toString, this); - } -}); diff --git a/node_modules/core-js/package.json b/node_modules/core-js/package.json deleted file mode 100644 index 900765e..0000000 --- a/node_modules/core-js/package.json +++ /dev/null @@ -1,71 +0,0 @@ -{ - "name": "core-js", - "version": "3.35.0", - "type": "commonjs", - "description": "Standard library", - "keywords": [ - "ES3", - "ES5", - "ES6", - "ES7", - "ES2015", - "ES2016", - "ES2017", - "ES2018", - "ES2019", - "ES2020", - "ES2021", - "ES2022", - "ES2023", - "ECMAScript 3", - "ECMAScript 5", - "ECMAScript 6", - "ECMAScript 7", - "ECMAScript 2015", - "ECMAScript 2016", - "ECMAScript 2017", - "ECMAScript 2018", - "ECMAScript 2019", - "ECMAScript 2020", - "ECMAScript 2021", - "ECMAScript 2022", - "ECMAScript 2023", - "Map", - "Set", - "WeakMap", - "WeakSet", - "TypedArray", - "Promise", - "Observable", - "Symbol", - "Iterator", - "AsyncIterator", - "URL", - "URLSearchParams", - "queueMicrotask", - "setImmediate", - "structuredClone", - "polyfill", - "ponyfill", - "shim" - ], - "repository": { - "type": "git", - "url": "https://github.com/zloirock/core-js.git", - "directory": "packages/core-js" - }, - "funding": { - "type": "opencollective", - "url": "https://opencollective.com/core-js" - }, - "license": "MIT", - "author": { - "name": "Denis Pushkarev", - "email": "zloirock@zloirock.ru", - "url": "http://zloirock.ru" - }, - "main": "index.js", - "scripts": { - "postinstall": "node -e \"try{require('./postinstall')}catch(e){}\"" - } -} diff --git a/node_modules/core-js/postinstall.js b/node_modules/core-js/postinstall.js deleted file mode 100644 index a75132c..0000000 --- a/node_modules/core-js/postinstall.js +++ /dev/null @@ -1,62 +0,0 @@ -'use strict'; -/* eslint-disable node/no-sync -- avoiding overcomplicating */ -/* eslint-disable unicorn/prefer-node-protocol -- ancient env possible */ -var fs = require('fs'); -var os = require('os'); -var path = require('path'); - -var env = process.env; -var ADBLOCK = is(env.ADBLOCK); -var COLOR = is(env.npm_config_color); -var DISABLE_OPENCOLLECTIVE = is(env.DISABLE_OPENCOLLECTIVE); -var SILENT = ['silent', 'error', 'warn'].indexOf(env.npm_config_loglevel) !== -1; -var OPEN_SOURCE_CONTRIBUTOR = is(env.OPEN_SOURCE_CONTRIBUTOR); -var MINUTE = 60 * 1000; - -// you could add a PR with an env variable for your CI detection -var CI = [ - 'BUILD_NUMBER', - 'CI', - 'CONTINUOUS_INTEGRATION', - 'DRONE', - 'RUN_ID' -].some(function (it) { return is(env[it]); }); - -var BANNER = '\u001B[96mThank you for using core-js (\u001B[94m https://github.com/zloirock/core-js \u001B[96m) for polyfilling JavaScript standard library!\u001B[0m\n\n' + - '\u001B[96mThe project needs your help! Please consider supporting core-js:\u001B[0m\n' + - '\u001B[96m>\u001B[94m https://opencollective.com/core-js \u001B[0m\n' + - '\u001B[96m>\u001B[94m https://patreon.com/zloirock \u001B[0m\n' + - '\u001B[96m>\u001B[94m https://boosty.to/zloirock \u001B[0m\n' + - '\u001B[96m>\u001B[94m bitcoin: bc1qlea7544qtsmj2rayg0lthvza9fau63ux0fstcz \u001B[0m\n\n' + - '\u001B[96mI highly recommend reading this:\u001B[94m https://github.com/zloirock/core-js/blob/master/docs/2023-02-14-so-whats-next.md \u001B[96m\u001B[0m\n'; - -function is(it) { - return !!it && it !== '0' && it !== 'false'; -} - -function isBannerRequired() { - if (ADBLOCK || CI || DISABLE_OPENCOLLECTIVE || SILENT || OPEN_SOURCE_CONTRIBUTOR) return false; - var file = path.join(os.tmpdir(), 'core-js-banners'); - var banners = []; - try { - var DELTA = Date.now() - fs.statSync(file).mtime; - if (DELTA >= 0 && DELTA < MINUTE * 3) { - banners = JSON.parse(fs.readFileSync(file)); - if (banners.indexOf(BANNER) !== -1) return false; - } - } catch (error) { - banners = []; - } - try { - banners.push(BANNER); - fs.writeFileSync(file, JSON.stringify(banners), 'utf8'); - } catch (error) { /* empty */ } - return true; -} - -function showBanner() { - // eslint-disable-next-line no-console, regexp/no-control-character -- output - console.log(COLOR ? BANNER : BANNER.replace(/\u001B\[\d+m/g, '')); -} - -if (isBannerRequired()) showBanner(); diff --git a/node_modules/core-js/proposals/accessible-object-hasownproperty.js b/node_modules/core-js/proposals/accessible-object-hasownproperty.js deleted file mode 100644 index aad0988..0000000 --- a/node_modules/core-js/proposals/accessible-object-hasownproperty.js +++ /dev/null @@ -1,3 +0,0 @@ -'use strict'; -// https://github.com/tc39/proposal-accessible-object-hasownproperty -require('../modules/esnext.object.has-own'); diff --git a/node_modules/core-js/proposals/array-buffer-base64.js b/node_modules/core-js/proposals/array-buffer-base64.js deleted file mode 100644 index 6aceb4a..0000000 --- a/node_modules/core-js/proposals/array-buffer-base64.js +++ /dev/null @@ -1,6 +0,0 @@ -'use strict'; -// https://github.com/tc39/proposal-arraybuffer-base64 -require('../modules/esnext.uint8-array.from-base64'); -require('../modules/esnext.uint8-array.from-hex'); -require('../modules/esnext.uint8-array.to-base64'); -require('../modules/esnext.uint8-array.to-hex'); diff --git a/node_modules/core-js/proposals/array-buffer-transfer.js b/node_modules/core-js/proposals/array-buffer-transfer.js deleted file mode 100644 index 409da3d..0000000 --- a/node_modules/core-js/proposals/array-buffer-transfer.js +++ /dev/null @@ -1,5 +0,0 @@ -'use strict'; -// https://github.com/tc39/proposal-arraybuffer-transfer -require('../modules/esnext.array-buffer.detached'); -require('../modules/esnext.array-buffer.transfer'); -require('../modules/esnext.array-buffer.transfer-to-fixed-length'); diff --git a/node_modules/core-js/proposals/array-filtering-stage-1.js b/node_modules/core-js/proposals/array-filtering-stage-1.js deleted file mode 100644 index de07b81..0000000 --- a/node_modules/core-js/proposals/array-filtering-stage-1.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -// https://github.com/tc39/proposal-array-filtering -require('../modules/esnext.array.filter-reject'); -require('../modules/esnext.typed-array.filter-reject'); diff --git a/node_modules/core-js/proposals/array-filtering.js b/node_modules/core-js/proposals/array-filtering.js deleted file mode 100644 index 624b1a9..0000000 --- a/node_modules/core-js/proposals/array-filtering.js +++ /dev/null @@ -1,8 +0,0 @@ -'use strict'; -// https://github.com/tc39/proposal-array-filtering -// TODO: Remove from `core-js@4` -require('../modules/esnext.array.filter-out'); -require('../modules/esnext.array.filter-reject'); -// TODO: Remove from `core-js@4` -require('../modules/esnext.typed-array.filter-out'); -require('../modules/esnext.typed-array.filter-reject'); diff --git a/node_modules/core-js/proposals/array-find-from-last.js b/node_modules/core-js/proposals/array-find-from-last.js deleted file mode 100644 index a60804b..0000000 --- a/node_modules/core-js/proposals/array-find-from-last.js +++ /dev/null @@ -1,6 +0,0 @@ -'use strict'; -// https://github.com/tc39/proposal-array-find-from-last/ -require('../modules/esnext.array.find-last'); -require('../modules/esnext.array.find-last-index'); -require('../modules/esnext.typed-array.find-last'); -require('../modules/esnext.typed-array.find-last-index'); diff --git a/node_modules/core-js/proposals/array-flat-map.js b/node_modules/core-js/proposals/array-flat-map.js deleted file mode 100644 index bd56314..0000000 --- a/node_modules/core-js/proposals/array-flat-map.js +++ /dev/null @@ -1,6 +0,0 @@ -'use strict'; -// https://github.com/tc39/proposal-flatMap -require('../modules/es.array.flat'); -require('../modules/es.array.flat-map'); -require('../modules/es.array.unscopables.flat'); -require('../modules/es.array.unscopables.flat-map'); diff --git a/node_modules/core-js/proposals/array-from-async-stage-2.js b/node_modules/core-js/proposals/array-from-async-stage-2.js deleted file mode 100644 index 70264ee..0000000 --- a/node_modules/core-js/proposals/array-from-async-stage-2.js +++ /dev/null @@ -1,3 +0,0 @@ -'use strict'; -// https://github.com/tc39/proposal-array-from-async -require('../modules/esnext.array.from-async'); diff --git a/node_modules/core-js/proposals/array-from-async.js b/node_modules/core-js/proposals/array-from-async.js deleted file mode 100644 index bf4f543..0000000 --- a/node_modules/core-js/proposals/array-from-async.js +++ /dev/null @@ -1,5 +0,0 @@ -'use strict'; -// https://github.com/tc39/proposal-array-from-async -require('../modules/esnext.array.from-async'); -// TODO: Remove from `core-js@4` -require('../modules/esnext.typed-array.from-async'); diff --git a/node_modules/core-js/proposals/array-grouping-stage-3-2.js b/node_modules/core-js/proposals/array-grouping-stage-3-2.js deleted file mode 100644 index b4bc742..0000000 --- a/node_modules/core-js/proposals/array-grouping-stage-3-2.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -// https://github.com/tc39/proposal-array-grouping -require('../modules/esnext.array.group'); -require('../modules/esnext.array.group-to-map'); diff --git a/node_modules/core-js/proposals/array-grouping-stage-3.js b/node_modules/core-js/proposals/array-grouping-stage-3.js deleted file mode 100644 index 338c26e..0000000 --- a/node_modules/core-js/proposals/array-grouping-stage-3.js +++ /dev/null @@ -1,5 +0,0 @@ -'use strict'; -// https://github.com/tc39/proposal-array-grouping -// TODO: Remove from `core-js@4` -require('../modules/esnext.array.group-by'); -require('../modules/esnext.array.group-by-to-map'); diff --git a/node_modules/core-js/proposals/array-grouping-v2.js b/node_modules/core-js/proposals/array-grouping-v2.js deleted file mode 100644 index 6cca419..0000000 --- a/node_modules/core-js/proposals/array-grouping-v2.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -// https://github.com/tc39/proposal-array-grouping -require('../modules/esnext.map.group-by'); -require('../modules/esnext.object.group-by'); diff --git a/node_modules/core-js/proposals/array-grouping.js b/node_modules/core-js/proposals/array-grouping.js deleted file mode 100644 index 8ee49a0..0000000 --- a/node_modules/core-js/proposals/array-grouping.js +++ /dev/null @@ -1,6 +0,0 @@ -'use strict'; -// https://github.com/tc39/proposal-array-grouping -require('../modules/esnext.array.group-by'); -require('../modules/esnext.array.group-by-to-map'); -// TODO: Remove from `core-js@4` -require('../modules/esnext.typed-array.group-by'); diff --git a/node_modules/core-js/proposals/array-includes.js b/node_modules/core-js/proposals/array-includes.js deleted file mode 100644 index 7c2726d..0000000 --- a/node_modules/core-js/proposals/array-includes.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -// https://github.com/tc39/proposal-Array.prototype.includes -require('../modules/es.array.includes'); -require('../modules/es.typed-array.includes'); diff --git a/node_modules/core-js/proposals/array-is-template-object.js b/node_modules/core-js/proposals/array-is-template-object.js deleted file mode 100644 index 3864d4c..0000000 --- a/node_modules/core-js/proposals/array-is-template-object.js +++ /dev/null @@ -1,3 +0,0 @@ -'use strict'; -// https://github.com/tc39/proposal-array-is-template-object -require('../modules/esnext.array.is-template-object'); diff --git a/node_modules/core-js/proposals/array-last.js b/node_modules/core-js/proposals/array-last.js deleted file mode 100644 index 7d5015e..0000000 --- a/node_modules/core-js/proposals/array-last.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -// https://github.com/tc39/proposal-array-last -require('../modules/esnext.array.last-index'); -require('../modules/esnext.array.last-item'); diff --git a/node_modules/core-js/proposals/array-unique.js b/node_modules/core-js/proposals/array-unique.js deleted file mode 100644 index d854af0..0000000 --- a/node_modules/core-js/proposals/array-unique.js +++ /dev/null @@ -1,5 +0,0 @@ -'use strict'; -// https://github.com/tc39/proposal-array-unique -require('../modules/es.map'); -require('../modules/esnext.array.unique-by'); -require('../modules/esnext.typed-array.unique-by'); diff --git a/node_modules/core-js/proposals/async-explicit-resource-management.js b/node_modules/core-js/proposals/async-explicit-resource-management.js deleted file mode 100644 index 3d2a651..0000000 --- a/node_modules/core-js/proposals/async-explicit-resource-management.js +++ /dev/null @@ -1,7 +0,0 @@ -'use strict'; -// TODO: Remove from `core-js@4` -// https://github.com/tc39/proposal-async-explicit-resource-management -require('../modules/esnext.suppressed-error.constructor'); -require('../modules/esnext.async-disposable-stack.constructor'); -require('../modules/esnext.async-iterator.async-dispose'); -require('../modules/esnext.symbol.async-dispose'); diff --git a/node_modules/core-js/proposals/async-iteration.js b/node_modules/core-js/proposals/async-iteration.js deleted file mode 100644 index 085dbfb..0000000 --- a/node_modules/core-js/proposals/async-iteration.js +++ /dev/null @@ -1,3 +0,0 @@ -'use strict'; -// https://github.com/tc39/proposal-async-iteration -require('../modules/es.symbol.async-iterator'); diff --git a/node_modules/core-js/proposals/async-iterator-helpers.js b/node_modules/core-js/proposals/async-iterator-helpers.js deleted file mode 100644 index 2231433..0000000 --- a/node_modules/core-js/proposals/async-iterator-helpers.js +++ /dev/null @@ -1,16 +0,0 @@ -'use strict'; -// https://github.com/tc39/proposal-async-iterator-helpers -require('../modules/esnext.async-iterator.constructor'); -require('../modules/esnext.async-iterator.drop'); -require('../modules/esnext.async-iterator.every'); -require('../modules/esnext.async-iterator.filter'); -require('../modules/esnext.async-iterator.find'); -require('../modules/esnext.async-iterator.flat-map'); -require('../modules/esnext.async-iterator.for-each'); -require('../modules/esnext.async-iterator.from'); -require('../modules/esnext.async-iterator.map'); -require('../modules/esnext.async-iterator.reduce'); -require('../modules/esnext.async-iterator.some'); -require('../modules/esnext.async-iterator.take'); -require('../modules/esnext.async-iterator.to-array'); -require('../modules/esnext.iterator.to-async'); diff --git a/node_modules/core-js/proposals/change-array-by-copy-stage-4.js b/node_modules/core-js/proposals/change-array-by-copy-stage-4.js deleted file mode 100644 index d93aa8a..0000000 --- a/node_modules/core-js/proposals/change-array-by-copy-stage-4.js +++ /dev/null @@ -1,9 +0,0 @@ -'use strict'; -// https://github.com/tc39/proposal-change-array-by-copy -require('../modules/esnext.array.to-reversed'); -require('../modules/esnext.array.to-sorted'); -require('../modules/esnext.array.to-spliced'); -require('../modules/esnext.array.with'); -require('../modules/esnext.typed-array.to-reversed'); -require('../modules/esnext.typed-array.to-sorted'); -require('../modules/esnext.typed-array.with'); diff --git a/node_modules/core-js/proposals/change-array-by-copy.js b/node_modules/core-js/proposals/change-array-by-copy.js deleted file mode 100644 index 02188ee..0000000 --- a/node_modules/core-js/proposals/change-array-by-copy.js +++ /dev/null @@ -1,11 +0,0 @@ -'use strict'; -// https://github.com/tc39/proposal-change-array-by-copy -require('../modules/esnext.array.to-reversed'); -require('../modules/esnext.array.to-sorted'); -require('../modules/esnext.array.to-spliced'); -require('../modules/esnext.array.with'); -require('../modules/esnext.typed-array.to-reversed'); -require('../modules/esnext.typed-array.to-sorted'); -// TODO: Remove from `core-js@4` -require('../modules/esnext.typed-array.to-spliced'); -require('../modules/esnext.typed-array.with'); diff --git a/node_modules/core-js/proposals/collection-methods.js b/node_modules/core-js/proposals/collection-methods.js deleted file mode 100644 index 32a82f6..0000000 --- a/node_modules/core-js/proposals/collection-methods.js +++ /dev/null @@ -1,29 +0,0 @@ -'use strict'; -// https://github.com/tc39/proposal-collection-methods -require('../modules/esnext.map.group-by'); -require('../modules/esnext.map.key-by'); -require('../modules/esnext.map.delete-all'); -require('../modules/esnext.map.every'); -require('../modules/esnext.map.filter'); -require('../modules/esnext.map.find'); -require('../modules/esnext.map.find-key'); -require('../modules/esnext.map.includes'); -require('../modules/esnext.map.key-of'); -require('../modules/esnext.map.map-keys'); -require('../modules/esnext.map.map-values'); -require('../modules/esnext.map.merge'); -require('../modules/esnext.map.reduce'); -require('../modules/esnext.map.some'); -require('../modules/esnext.map.update'); -require('../modules/esnext.set.add-all'); -require('../modules/esnext.set.delete-all'); -require('../modules/esnext.set.every'); -require('../modules/esnext.set.filter'); -require('../modules/esnext.set.find'); -require('../modules/esnext.set.join'); -require('../modules/esnext.set.map'); -require('../modules/esnext.set.reduce'); -require('../modules/esnext.set.some'); -require('../modules/esnext.weak-map.delete-all'); -require('../modules/esnext.weak-set.add-all'); -require('../modules/esnext.weak-set.delete-all'); diff --git a/node_modules/core-js/proposals/collection-of-from.js b/node_modules/core-js/proposals/collection-of-from.js deleted file mode 100644 index 6fbf7e3..0000000 --- a/node_modules/core-js/proposals/collection-of-from.js +++ /dev/null @@ -1,10 +0,0 @@ -'use strict'; -// https://github.com/tc39/proposal-setmap-offrom -require('../modules/esnext.map.from'); -require('../modules/esnext.map.of'); -require('../modules/esnext.set.from'); -require('../modules/esnext.set.of'); -require('../modules/esnext.weak-map.from'); -require('../modules/esnext.weak-map.of'); -require('../modules/esnext.weak-set.from'); -require('../modules/esnext.weak-set.of'); diff --git a/node_modules/core-js/proposals/data-view-get-set-uint8-clamped.js b/node_modules/core-js/proposals/data-view-get-set-uint8-clamped.js deleted file mode 100644 index 065b283..0000000 --- a/node_modules/core-js/proposals/data-view-get-set-uint8-clamped.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -// https://github.com/tc39/proposal-dataview-get-set-uint8clamped -require('../modules/esnext.data-view.get-uint8-clamped'); -require('../modules/esnext.data-view.set-uint8-clamped'); diff --git a/node_modules/core-js/proposals/decorator-metadata-v2.js b/node_modules/core-js/proposals/decorator-metadata-v2.js deleted file mode 100644 index e0a26c2..0000000 --- a/node_modules/core-js/proposals/decorator-metadata-v2.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -// https://github.com/tc39/proposal-decorator-metadata -require('../modules/esnext.function.metadata'); -require('../modules/esnext.symbol.metadata'); diff --git a/node_modules/core-js/proposals/decorator-metadata.js b/node_modules/core-js/proposals/decorator-metadata.js deleted file mode 100644 index 2cc3395..0000000 --- a/node_modules/core-js/proposals/decorator-metadata.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -// TODO: Remove from `core-js@4` -// https://github.com/tc39/proposal-decorator-metadata -require('../modules/esnext.symbol.metadata-key'); diff --git a/node_modules/core-js/proposals/decorators.js b/node_modules/core-js/proposals/decorators.js deleted file mode 100644 index 9e52ad2..0000000 --- a/node_modules/core-js/proposals/decorators.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -// TODO: Remove from `core-js@4` -// https://github.com/tc39/proposal-decorators -require('../modules/esnext.symbol.metadata'); diff --git a/node_modules/core-js/proposals/efficient-64-bit-arithmetic.js b/node_modules/core-js/proposals/efficient-64-bit-arithmetic.js deleted file mode 100644 index f9af133..0000000 --- a/node_modules/core-js/proposals/efficient-64-bit-arithmetic.js +++ /dev/null @@ -1,7 +0,0 @@ -'use strict'; -// TODO: remove from `core-js@4` as withdrawn -// https://gist.github.com/BrendanEich/4294d5c212a6d2254703 -require('../modules/esnext.math.iaddh'); -require('../modules/esnext.math.isubh'); -require('../modules/esnext.math.imulh'); -require('../modules/esnext.math.umulh'); diff --git a/node_modules/core-js/proposals/error-cause.js b/node_modules/core-js/proposals/error-cause.js deleted file mode 100644 index 16dd020..0000000 --- a/node_modules/core-js/proposals/error-cause.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -// https://github.com/tc39/proposal-error-cause -require('../modules/es.error.cause'); -require('../modules/es.aggregate-error.cause'); diff --git a/node_modules/core-js/proposals/explicit-resource-management.js b/node_modules/core-js/proposals/explicit-resource-management.js deleted file mode 100644 index 08b7338..0000000 --- a/node_modules/core-js/proposals/explicit-resource-management.js +++ /dev/null @@ -1,9 +0,0 @@ -'use strict'; -// https://github.com/tc39/proposal-explicit-resource-management -require('../modules/esnext.suppressed-error.constructor'); -require('../modules/esnext.async-disposable-stack.constructor'); -require('../modules/esnext.async-iterator.async-dispose'); -require('../modules/esnext.disposable-stack.constructor'); -require('../modules/esnext.iterator.dispose'); -require('../modules/esnext.symbol.async-dispose'); -require('../modules/esnext.symbol.dispose'); diff --git a/node_modules/core-js/proposals/float16.js b/node_modules/core-js/proposals/float16.js deleted file mode 100644 index ac43dac..0000000 --- a/node_modules/core-js/proposals/float16.js +++ /dev/null @@ -1,5 +0,0 @@ -'use strict'; -// https://github.com/tc39/proposal-float16array -require('../modules/esnext.data-view.get-float16'); -require('../modules/esnext.data-view.set-float16'); -require('../modules/esnext.math.f16round'); diff --git a/node_modules/core-js/proposals/function-demethodize.js b/node_modules/core-js/proposals/function-demethodize.js deleted file mode 100644 index 6276099..0000000 --- a/node_modules/core-js/proposals/function-demethodize.js +++ /dev/null @@ -1,3 +0,0 @@ -'use strict'; -// https://github.com/js-choi/proposal-function-demethodize -require('../modules/esnext.function.demethodize'); diff --git a/node_modules/core-js/proposals/function-is-callable-is-constructor.js b/node_modules/core-js/proposals/function-is-callable-is-constructor.js deleted file mode 100644 index 888ddd0..0000000 --- a/node_modules/core-js/proposals/function-is-callable-is-constructor.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -// https://github.com/caitp/TC39-Proposals/blob/trunk/tc39-reflect-isconstructor-iscallable.md -require('../modules/esnext.function.is-callable'); -require('../modules/esnext.function.is-constructor'); diff --git a/node_modules/core-js/proposals/function-un-this.js b/node_modules/core-js/proposals/function-un-this.js deleted file mode 100644 index 88cb32d..0000000 --- a/node_modules/core-js/proposals/function-un-this.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -// TODO: Remove from `core-js@4` -// https://github.com/js-choi/proposal-function-un-this -require('../modules/esnext.function.un-this'); diff --git a/node_modules/core-js/proposals/global-this.js b/node_modules/core-js/proposals/global-this.js deleted file mode 100644 index 04421a4..0000000 --- a/node_modules/core-js/proposals/global-this.js +++ /dev/null @@ -1,6 +0,0 @@ -'use strict'; -// https://github.com/tc39/proposal-global -require('../modules/esnext.global-this'); -var global = require('../internals/global'); - -module.exports = global; diff --git a/node_modules/core-js/proposals/index.js b/node_modules/core-js/proposals/index.js deleted file mode 100644 index c470dae..0000000 --- a/node_modules/core-js/proposals/index.js +++ /dev/null @@ -1,3 +0,0 @@ -'use strict'; -// TODO: Remove this entry from `core-js@4` -require('../stage'); diff --git a/node_modules/core-js/proposals/iterator-helpers-stage-3-2.js b/node_modules/core-js/proposals/iterator-helpers-stage-3-2.js deleted file mode 100644 index 39d9b1d..0000000 --- a/node_modules/core-js/proposals/iterator-helpers-stage-3-2.js +++ /dev/null @@ -1,15 +0,0 @@ -'use strict'; -// https://github.com/tc39/proposal-iterator-helpers -require('../modules/esnext.iterator.constructor'); -require('../modules/esnext.iterator.drop'); -require('../modules/esnext.iterator.every'); -require('../modules/esnext.iterator.filter'); -require('../modules/esnext.iterator.find'); -require('../modules/esnext.iterator.flat-map'); -require('../modules/esnext.iterator.for-each'); -require('../modules/esnext.iterator.from'); -require('../modules/esnext.iterator.map'); -require('../modules/esnext.iterator.reduce'); -require('../modules/esnext.iterator.some'); -require('../modules/esnext.iterator.take'); -require('../modules/esnext.iterator.to-array'); diff --git a/node_modules/core-js/proposals/iterator-helpers-stage-3.js b/node_modules/core-js/proposals/iterator-helpers-stage-3.js deleted file mode 100644 index dff419e..0000000 --- a/node_modules/core-js/proposals/iterator-helpers-stage-3.js +++ /dev/null @@ -1,29 +0,0 @@ -'use strict'; -// https://github.com/tc39/proposal-iterator-helpers -require('../modules/esnext.async-iterator.constructor'); -require('../modules/esnext.async-iterator.drop'); -require('../modules/esnext.async-iterator.every'); -require('../modules/esnext.async-iterator.filter'); -require('../modules/esnext.async-iterator.find'); -require('../modules/esnext.async-iterator.flat-map'); -require('../modules/esnext.async-iterator.for-each'); -require('../modules/esnext.async-iterator.from'); -require('../modules/esnext.async-iterator.map'); -require('../modules/esnext.async-iterator.reduce'); -require('../modules/esnext.async-iterator.some'); -require('../modules/esnext.async-iterator.take'); -require('../modules/esnext.async-iterator.to-array'); -require('../modules/esnext.iterator.constructor'); -require('../modules/esnext.iterator.drop'); -require('../modules/esnext.iterator.every'); -require('../modules/esnext.iterator.filter'); -require('../modules/esnext.iterator.find'); -require('../modules/esnext.iterator.flat-map'); -require('../modules/esnext.iterator.for-each'); -require('../modules/esnext.iterator.from'); -require('../modules/esnext.iterator.map'); -require('../modules/esnext.iterator.reduce'); -require('../modules/esnext.iterator.some'); -require('../modules/esnext.iterator.take'); -require('../modules/esnext.iterator.to-array'); -require('../modules/esnext.iterator.to-async'); diff --git a/node_modules/core-js/proposals/iterator-helpers.js b/node_modules/core-js/proposals/iterator-helpers.js deleted file mode 100644 index 4dc46a2..0000000 --- a/node_modules/core-js/proposals/iterator-helpers.js +++ /dev/null @@ -1,8 +0,0 @@ -'use strict'; -// TODO: remove from `core-js@4` -// https://github.com/tc39/proposal-iterator-helpers -require('./iterator-helpers-stage-3'); -require('../modules/esnext.async-iterator.as-indexed-pairs'); -require('../modules/esnext.async-iterator.indexed'); -require('../modules/esnext.iterator.as-indexed-pairs'); -require('../modules/esnext.iterator.indexed'); diff --git a/node_modules/core-js/proposals/iterator-range.js b/node_modules/core-js/proposals/iterator-range.js deleted file mode 100644 index b1e6b5d..0000000 --- a/node_modules/core-js/proposals/iterator-range.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -// https://github.com/tc39/proposal-Number.range -require('../modules/esnext.iterator.constructor'); -require('../modules/esnext.iterator.range'); diff --git a/node_modules/core-js/proposals/json-parse-with-source.js b/node_modules/core-js/proposals/json-parse-with-source.js deleted file mode 100644 index c4b8316..0000000 --- a/node_modules/core-js/proposals/json-parse-with-source.js +++ /dev/null @@ -1,5 +0,0 @@ -'use strict'; -// https://github.com/tc39/proposal-json-parse-with-source -require('../modules/esnext.json.is-raw-json'); -require('../modules/esnext.json.parse'); -require('../modules/esnext.json.raw-json'); diff --git a/node_modules/core-js/proposals/keys-composition.js b/node_modules/core-js/proposals/keys-composition.js deleted file mode 100644 index 076c342..0000000 --- a/node_modules/core-js/proposals/keys-composition.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -// https://github.com/tc39/proposal-richer-keys/tree/master/compositeKey -require('../modules/esnext.composite-key'); -require('../modules/esnext.composite-symbol'); diff --git a/node_modules/core-js/proposals/map-update-or-insert.js b/node_modules/core-js/proposals/map-update-or-insert.js deleted file mode 100644 index 7fb6925..0000000 --- a/node_modules/core-js/proposals/map-update-or-insert.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -// TODO: remove from `core-js@4` -// https://github.com/tc39/proposal-upsert -require('./map-upsert'); diff --git a/node_modules/core-js/proposals/map-upsert-stage-2.js b/node_modules/core-js/proposals/map-upsert-stage-2.js deleted file mode 100644 index d316686..0000000 --- a/node_modules/core-js/proposals/map-upsert-stage-2.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -// https://github.com/tc39/proposal-upsert -require('../modules/esnext.map.emplace'); -require('../modules/esnext.weak-map.emplace'); diff --git a/node_modules/core-js/proposals/map-upsert.js b/node_modules/core-js/proposals/map-upsert.js deleted file mode 100644 index 8d9e84d..0000000 --- a/node_modules/core-js/proposals/map-upsert.js +++ /dev/null @@ -1,10 +0,0 @@ -'use strict'; -// https://github.com/tc39/proposal-upsert -require('../modules/esnext.map.emplace'); -// TODO: remove from `core-js@4` -require('../modules/esnext.map.update-or-insert'); -// TODO: remove from `core-js@4` -require('../modules/esnext.map.upsert'); -require('../modules/esnext.weak-map.emplace'); -// TODO: remove from `core-js@4` -require('../modules/esnext.weak-map.upsert'); diff --git a/node_modules/core-js/proposals/math-extensions.js b/node_modules/core-js/proposals/math-extensions.js deleted file mode 100644 index fddf107..0000000 --- a/node_modules/core-js/proposals/math-extensions.js +++ /dev/null @@ -1,9 +0,0 @@ -'use strict'; -// https://github.com/rwaldron/proposal-math-extensions -require('../modules/esnext.math.clamp'); -require('../modules/esnext.math.deg-per-rad'); -require('../modules/esnext.math.degrees'); -require('../modules/esnext.math.fscale'); -require('../modules/esnext.math.rad-per-deg'); -require('../modules/esnext.math.radians'); -require('../modules/esnext.math.scale'); diff --git a/node_modules/core-js/proposals/math-signbit.js b/node_modules/core-js/proposals/math-signbit.js deleted file mode 100644 index 62d74d0..0000000 --- a/node_modules/core-js/proposals/math-signbit.js +++ /dev/null @@ -1,3 +0,0 @@ -'use strict'; -// https://github.com/tc39/proposal-Math.signbit -require('../modules/esnext.math.signbit'); diff --git a/node_modules/core-js/proposals/number-from-string.js b/node_modules/core-js/proposals/number-from-string.js deleted file mode 100644 index d574422..0000000 --- a/node_modules/core-js/proposals/number-from-string.js +++ /dev/null @@ -1,3 +0,0 @@ -'use strict'; -// https://github.com/tc39/proposal-number-fromstring -require('../modules/esnext.number.from-string'); diff --git a/node_modules/core-js/proposals/number-range.js b/node_modules/core-js/proposals/number-range.js deleted file mode 100644 index 6483292..0000000 --- a/node_modules/core-js/proposals/number-range.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -// https://github.com/tc39/proposal-Number.range -require('../modules/esnext.bigint.range'); -require('../modules/esnext.number.range'); diff --git a/node_modules/core-js/proposals/object-from-entries.js b/node_modules/core-js/proposals/object-from-entries.js deleted file mode 100644 index b9ea7e1..0000000 --- a/node_modules/core-js/proposals/object-from-entries.js +++ /dev/null @@ -1,3 +0,0 @@ -'use strict'; -// https://github.com/tc39/proposal-object-from-entries -require('../modules/es.object.from-entries'); diff --git a/node_modules/core-js/proposals/object-getownpropertydescriptors.js b/node_modules/core-js/proposals/object-getownpropertydescriptors.js deleted file mode 100644 index 121cae6..0000000 --- a/node_modules/core-js/proposals/object-getownpropertydescriptors.js +++ /dev/null @@ -1,3 +0,0 @@ -'use strict'; -// https://github.com/tc39/proposal-object-getownpropertydescriptors -require('../modules/es.object.get-own-property-descriptors'); diff --git a/node_modules/core-js/proposals/object-iteration.js b/node_modules/core-js/proposals/object-iteration.js deleted file mode 100644 index 5d40602..0000000 --- a/node_modules/core-js/proposals/object-iteration.js +++ /dev/null @@ -1,6 +0,0 @@ -'use strict'; -// TODO: remove from `core-js@4` as withdrawn -// https://github.com/tc39/proposal-object-iteration -require('../modules/esnext.object.iterate-entries'); -require('../modules/esnext.object.iterate-keys'); -require('../modules/esnext.object.iterate-values'); diff --git a/node_modules/core-js/proposals/object-values-entries.js b/node_modules/core-js/proposals/object-values-entries.js deleted file mode 100644 index f37e303..0000000 --- a/node_modules/core-js/proposals/object-values-entries.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -// https://github.com/tc39/proposal-object-values-entries -require('../modules/es.object.entries'); -require('../modules/es.object.values'); diff --git a/node_modules/core-js/proposals/observable.js b/node_modules/core-js/proposals/observable.js deleted file mode 100644 index 0dcee84..0000000 --- a/node_modules/core-js/proposals/observable.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -// https://github.com/tc39/proposal-observable -require('../modules/esnext.observable'); -require('../modules/esnext.symbol.observable'); diff --git a/node_modules/core-js/proposals/pattern-matching.js b/node_modules/core-js/proposals/pattern-matching.js deleted file mode 100644 index 0da79cd..0000000 --- a/node_modules/core-js/proposals/pattern-matching.js +++ /dev/null @@ -1,5 +0,0 @@ -'use strict'; -// https://github.com/tc39/proposal-pattern-matching -require('../modules/esnext.symbol.matcher'); -// TODO: remove from `core-js@4` -require('../modules/esnext.symbol.pattern-match'); diff --git a/node_modules/core-js/proposals/promise-all-settled.js b/node_modules/core-js/proposals/promise-all-settled.js deleted file mode 100644 index 4e5f41a..0000000 --- a/node_modules/core-js/proposals/promise-all-settled.js +++ /dev/null @@ -1,3 +0,0 @@ -'use strict'; -// https://github.com/tc39/proposal-promise-allSettled -require('../modules/esnext.promise.all-settled'); diff --git a/node_modules/core-js/proposals/promise-any.js b/node_modules/core-js/proposals/promise-any.js deleted file mode 100644 index 3ed7f7c..0000000 --- a/node_modules/core-js/proposals/promise-any.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -// https://github.com/tc39/proposal-promise-any -require('../modules/esnext.aggregate-error'); -require('../modules/esnext.promise.any'); diff --git a/node_modules/core-js/proposals/promise-finally.js b/node_modules/core-js/proposals/promise-finally.js deleted file mode 100644 index 7da1723..0000000 --- a/node_modules/core-js/proposals/promise-finally.js +++ /dev/null @@ -1,3 +0,0 @@ -'use strict'; -// https://github.com/tc39/proposal-promise-finally -require('../modules/es.promise.finally'); diff --git a/node_modules/core-js/proposals/promise-try.js b/node_modules/core-js/proposals/promise-try.js deleted file mode 100644 index d061146..0000000 --- a/node_modules/core-js/proposals/promise-try.js +++ /dev/null @@ -1,3 +0,0 @@ -'use strict'; -// https://github.com/tc39/proposal-promise-try -require('../modules/esnext.promise.try'); diff --git a/node_modules/core-js/proposals/promise-with-resolvers.js b/node_modules/core-js/proposals/promise-with-resolvers.js deleted file mode 100644 index 38c71e5..0000000 --- a/node_modules/core-js/proposals/promise-with-resolvers.js +++ /dev/null @@ -1,3 +0,0 @@ -'use strict'; -// https://github.com/tc39/proposal-promise-with-resolvers -require('../modules/esnext.promise.with-resolvers'); diff --git a/node_modules/core-js/proposals/reflect-metadata.js b/node_modules/core-js/proposals/reflect-metadata.js deleted file mode 100644 index dfc7592..0000000 --- a/node_modules/core-js/proposals/reflect-metadata.js +++ /dev/null @@ -1,11 +0,0 @@ -'use strict'; -// https://github.com/rbuckton/reflect-metadata -require('../modules/esnext.reflect.define-metadata'); -require('../modules/esnext.reflect.delete-metadata'); -require('../modules/esnext.reflect.get-metadata'); -require('../modules/esnext.reflect.get-metadata-keys'); -require('../modules/esnext.reflect.get-own-metadata'); -require('../modules/esnext.reflect.get-own-metadata-keys'); -require('../modules/esnext.reflect.has-metadata'); -require('../modules/esnext.reflect.has-own-metadata'); -require('../modules/esnext.reflect.metadata'); diff --git a/node_modules/core-js/proposals/regexp-dotall-flag.js b/node_modules/core-js/proposals/regexp-dotall-flag.js deleted file mode 100644 index 60d50d1..0000000 --- a/node_modules/core-js/proposals/regexp-dotall-flag.js +++ /dev/null @@ -1,6 +0,0 @@ -'use strict'; -// https://github.com/tc39/proposal-regexp-dotall-flag -require('../modules/es.regexp.constructor'); -require('../modules/es.regexp.dot-all'); -require('../modules/es.regexp.exec'); -require('../modules/es.regexp.flags'); diff --git a/node_modules/core-js/proposals/regexp-escaping.js b/node_modules/core-js/proposals/regexp-escaping.js deleted file mode 100644 index d77c2ca..0000000 --- a/node_modules/core-js/proposals/regexp-escaping.js +++ /dev/null @@ -1,3 +0,0 @@ -'use strict'; -// https://github.com/tc39/proposal-regex-escaping -require('../modules/esnext.regexp.escape'); diff --git a/node_modules/core-js/proposals/regexp-named-groups.js b/node_modules/core-js/proposals/regexp-named-groups.js deleted file mode 100644 index 8c52b57..0000000 --- a/node_modules/core-js/proposals/regexp-named-groups.js +++ /dev/null @@ -1,5 +0,0 @@ -'use strict'; -// https://github.com/tc39/proposal-regexp-named-groups -require('../modules/es.regexp.constructor'); -require('../modules/es.regexp.exec'); -require('../modules/es.string.replace'); diff --git a/node_modules/core-js/proposals/relative-indexing-method.js b/node_modules/core-js/proposals/relative-indexing-method.js deleted file mode 100644 index 640d014..0000000 --- a/node_modules/core-js/proposals/relative-indexing-method.js +++ /dev/null @@ -1,5 +0,0 @@ -'use strict'; -// https://github.com/tc39/proposal-relative-indexing-method -require('../modules/es.string.at-alternative'); -require('../modules/esnext.array.at'); -require('../modules/esnext.typed-array.at'); diff --git a/node_modules/core-js/proposals/seeded-random.js b/node_modules/core-js/proposals/seeded-random.js deleted file mode 100644 index fa0a581..0000000 --- a/node_modules/core-js/proposals/seeded-random.js +++ /dev/null @@ -1,3 +0,0 @@ -'use strict'; -// https://github.com/tc39/proposal-seeded-random -require('../modules/esnext.math.seeded-prng'); diff --git a/node_modules/core-js/proposals/set-methods-v2.js b/node_modules/core-js/proposals/set-methods-v2.js deleted file mode 100644 index 048708f..0000000 --- a/node_modules/core-js/proposals/set-methods-v2.js +++ /dev/null @@ -1,9 +0,0 @@ -'use strict'; -// https://github.com/tc39/proposal-set-methods -require('../modules/esnext.set.difference.v2'); -require('../modules/esnext.set.intersection.v2'); -require('../modules/esnext.set.is-disjoint-from.v2'); -require('../modules/esnext.set.is-subset-of.v2'); -require('../modules/esnext.set.is-superset-of.v2'); -require('../modules/esnext.set.union.v2'); -require('../modules/esnext.set.symmetric-difference.v2'); diff --git a/node_modules/core-js/proposals/set-methods.js b/node_modules/core-js/proposals/set-methods.js deleted file mode 100644 index 951f7e9..0000000 --- a/node_modules/core-js/proposals/set-methods.js +++ /dev/null @@ -1,17 +0,0 @@ -'use strict'; -// https://github.com/tc39/proposal-set-methods -require('../modules/esnext.set.difference.v2'); -require('../modules/esnext.set.intersection.v2'); -require('../modules/esnext.set.is-disjoint-from.v2'); -require('../modules/esnext.set.is-subset-of.v2'); -require('../modules/esnext.set.is-superset-of.v2'); -require('../modules/esnext.set.union.v2'); -require('../modules/esnext.set.symmetric-difference.v2'); -// TODO: Obsolete versions, remove from `core-js@4` -require('../modules/esnext.set.difference'); -require('../modules/esnext.set.intersection'); -require('../modules/esnext.set.is-disjoint-from'); -require('../modules/esnext.set.is-subset-of'); -require('../modules/esnext.set.is-superset-of'); -require('../modules/esnext.set.union'); -require('../modules/esnext.set.symmetric-difference'); diff --git a/node_modules/core-js/proposals/string-at.js b/node_modules/core-js/proposals/string-at.js deleted file mode 100644 index bf57aab..0000000 --- a/node_modules/core-js/proposals/string-at.js +++ /dev/null @@ -1,3 +0,0 @@ -'use strict'; -// https://github.com/mathiasbynens/String.prototype.at -require('../modules/esnext.string.at'); diff --git a/node_modules/core-js/proposals/string-code-points.js b/node_modules/core-js/proposals/string-code-points.js deleted file mode 100644 index 937a104..0000000 --- a/node_modules/core-js/proposals/string-code-points.js +++ /dev/null @@ -1,3 +0,0 @@ -'use strict'; -// https://github.com/tc39/proposal-string-prototype-codepoints -require('../modules/esnext.string.code-points'); diff --git a/node_modules/core-js/proposals/string-cooked.js b/node_modules/core-js/proposals/string-cooked.js deleted file mode 100644 index 00872b8..0000000 --- a/node_modules/core-js/proposals/string-cooked.js +++ /dev/null @@ -1,3 +0,0 @@ -'use strict'; -// https://github.com/bathos/proposal-string-cooked -require('../modules/esnext.string.cooked'); diff --git a/node_modules/core-js/proposals/string-dedent.js b/node_modules/core-js/proposals/string-dedent.js deleted file mode 100644 index b857c35..0000000 --- a/node_modules/core-js/proposals/string-dedent.js +++ /dev/null @@ -1,3 +0,0 @@ -'use strict'; -// https://github.com/tc39/proposal-string-dedent -require('../modules/esnext.string.dedent'); diff --git a/node_modules/core-js/proposals/string-left-right-trim.js b/node_modules/core-js/proposals/string-left-right-trim.js deleted file mode 100644 index daef2b6..0000000 --- a/node_modules/core-js/proposals/string-left-right-trim.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -// https://github.com/tc39/proposal-string-left-right-trim -require('../modules/es.string.trim-start'); -require('../modules/es.string.trim-end'); diff --git a/node_modules/core-js/proposals/string-match-all.js b/node_modules/core-js/proposals/string-match-all.js deleted file mode 100644 index 36dab4f..0000000 --- a/node_modules/core-js/proposals/string-match-all.js +++ /dev/null @@ -1,3 +0,0 @@ -'use strict'; -// https://github.com/tc39/proposal-string-matchall -require('../modules/esnext.string.match-all'); diff --git a/node_modules/core-js/proposals/string-padding.js b/node_modules/core-js/proposals/string-padding.js deleted file mode 100644 index 435429e..0000000 --- a/node_modules/core-js/proposals/string-padding.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -// https://github.com/tc39/proposal-string-pad-start-end -require('../modules/es.string.pad-end'); -require('../modules/es.string.pad-start'); diff --git a/node_modules/core-js/proposals/string-replace-all-stage-4.js b/node_modules/core-js/proposals/string-replace-all-stage-4.js deleted file mode 100644 index ab7d05b..0000000 --- a/node_modules/core-js/proposals/string-replace-all-stage-4.js +++ /dev/null @@ -1,3 +0,0 @@ -'use strict'; -// https://github.com/tc39/proposal-string-replaceall -require('../modules/esnext.string.replace-all'); diff --git a/node_modules/core-js/proposals/string-replace-all.js b/node_modules/core-js/proposals/string-replace-all.js deleted file mode 100644 index 6ad7e75..0000000 --- a/node_modules/core-js/proposals/string-replace-all.js +++ /dev/null @@ -1,5 +0,0 @@ -'use strict'; -// https://github.com/tc39/proposal-string-replaceall -require('../modules/esnext.string.replace-all'); -// TODO: remove from `core-js@4` -require('../modules/esnext.symbol.replace-all'); diff --git a/node_modules/core-js/proposals/symbol-description.js b/node_modules/core-js/proposals/symbol-description.js deleted file mode 100644 index e5bf674..0000000 --- a/node_modules/core-js/proposals/symbol-description.js +++ /dev/null @@ -1,3 +0,0 @@ -'use strict'; -// https://github.com/tc39/proposal-Symbol-description -require('../modules/es.symbol.description'); diff --git a/node_modules/core-js/proposals/symbol-predicates-v2.js b/node_modules/core-js/proposals/symbol-predicates-v2.js deleted file mode 100644 index 5bd3ce5..0000000 --- a/node_modules/core-js/proposals/symbol-predicates-v2.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -// https://github.com/tc39/proposal-symbol-predicates -require('../modules/esnext.symbol.is-registered-symbol'); -require('../modules/esnext.symbol.is-well-known-symbol'); diff --git a/node_modules/core-js/proposals/symbol-predicates.js b/node_modules/core-js/proposals/symbol-predicates.js deleted file mode 100644 index 2776b84..0000000 --- a/node_modules/core-js/proposals/symbol-predicates.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -// https://github.com/tc39/proposal-symbol-predicates -require('../modules/esnext.symbol.is-registered'); -require('../modules/esnext.symbol.is-well-known'); diff --git a/node_modules/core-js/proposals/url.js b/node_modules/core-js/proposals/url.js deleted file mode 100644 index 2f12fde..0000000 --- a/node_modules/core-js/proposals/url.js +++ /dev/null @@ -1,3 +0,0 @@ -'use strict'; -// https://github.com/jasnell/proposal-url -require('../web/url'); diff --git a/node_modules/core-js/proposals/using-statement.js b/node_modules/core-js/proposals/using-statement.js deleted file mode 100644 index b85b28d..0000000 --- a/node_modules/core-js/proposals/using-statement.js +++ /dev/null @@ -1,5 +0,0 @@ -'use strict'; -// TODO: Renamed, remove from `core-js@4` -// https://github.com/tc39/proposal-explicit-resource-management -require('../modules/esnext.symbol.async-dispose'); -require('../modules/esnext.symbol.dispose'); diff --git a/node_modules/core-js/proposals/well-formed-stringify.js b/node_modules/core-js/proposals/well-formed-stringify.js deleted file mode 100644 index 53a5f99..0000000 --- a/node_modules/core-js/proposals/well-formed-stringify.js +++ /dev/null @@ -1,3 +0,0 @@ -'use strict'; -// https://github.com/tc39/proposal-well-formed-stringify -require('../modules/es.json.stringify'); diff --git a/node_modules/core-js/proposals/well-formed-unicode-strings.js b/node_modules/core-js/proposals/well-formed-unicode-strings.js deleted file mode 100644 index bdbaec8..0000000 --- a/node_modules/core-js/proposals/well-formed-unicode-strings.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -// https://github.com/tc39/proposal-is-usv-string -require('../modules/esnext.string.is-well-formed'); -require('../modules/esnext.string.to-well-formed'); diff --git a/node_modules/core-js/stable/README.md b/node_modules/core-js/stable/README.md deleted file mode 100644 index 903150c..0000000 --- a/node_modules/core-js/stable/README.md +++ /dev/null @@ -1 +0,0 @@ -This folder contains entry points for all stable `core-js` features with dependencies. It's the recommended way for usage only required features. diff --git a/node_modules/core-js/stable/aggregate-error.js b/node_modules/core-js/stable/aggregate-error.js deleted file mode 100644 index 2a6c436..0000000 --- a/node_modules/core-js/stable/aggregate-error.js +++ /dev/null @@ -1,8 +0,0 @@ -'use strict'; -// TODO: remove from `core-js@4` -require('../modules/esnext.aggregate-error'); - -var parent = require('../es/aggregate-error'); -require('../modules/web.dom-collections.iterator'); - -module.exports = parent; diff --git a/node_modules/core-js/stable/array-buffer/constructor.js b/node_modules/core-js/stable/array-buffer/constructor.js deleted file mode 100644 index b412c94..0000000 --- a/node_modules/core-js/stable/array-buffer/constructor.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../es/array-buffer/constructor'); - -module.exports = parent; diff --git a/node_modules/core-js/stable/array-buffer/index.js b/node_modules/core-js/stable/array-buffer/index.js deleted file mode 100644 index ffda1ee..0000000 --- a/node_modules/core-js/stable/array-buffer/index.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../es/array-buffer'); - -module.exports = parent; diff --git a/node_modules/core-js/stable/array-buffer/is-view.js b/node_modules/core-js/stable/array-buffer/is-view.js deleted file mode 100644 index 8fa117c..0000000 --- a/node_modules/core-js/stable/array-buffer/is-view.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../es/array-buffer/is-view'); - -module.exports = parent; diff --git a/node_modules/core-js/stable/array-buffer/slice.js b/node_modules/core-js/stable/array-buffer/slice.js deleted file mode 100644 index 524f086..0000000 --- a/node_modules/core-js/stable/array-buffer/slice.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../es/array-buffer/slice'); - -module.exports = parent; diff --git a/node_modules/core-js/stable/array/at.js b/node_modules/core-js/stable/array/at.js deleted file mode 100644 index aff713b..0000000 --- a/node_modules/core-js/stable/array/at.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../es/array/at'); - -module.exports = parent; diff --git a/node_modules/core-js/stable/array/concat.js b/node_modules/core-js/stable/array/concat.js deleted file mode 100644 index a7eccba..0000000 --- a/node_modules/core-js/stable/array/concat.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../es/array/concat'); - -module.exports = parent; diff --git a/node_modules/core-js/stable/array/copy-within.js b/node_modules/core-js/stable/array/copy-within.js deleted file mode 100644 index 7d3440e..0000000 --- a/node_modules/core-js/stable/array/copy-within.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../es/array/copy-within'); - -module.exports = parent; diff --git a/node_modules/core-js/stable/array/entries.js b/node_modules/core-js/stable/array/entries.js deleted file mode 100644 index e9bde39..0000000 --- a/node_modules/core-js/stable/array/entries.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../es/array/entries'); - -module.exports = parent; diff --git a/node_modules/core-js/stable/array/every.js b/node_modules/core-js/stable/array/every.js deleted file mode 100644 index 52c255d..0000000 --- a/node_modules/core-js/stable/array/every.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../es/array/every'); - -module.exports = parent; diff --git a/node_modules/core-js/stable/array/fill.js b/node_modules/core-js/stable/array/fill.js deleted file mode 100644 index 5e9a2bf..0000000 --- a/node_modules/core-js/stable/array/fill.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../es/array/fill'); - -module.exports = parent; diff --git a/node_modules/core-js/stable/array/filter.js b/node_modules/core-js/stable/array/filter.js deleted file mode 100644 index 24a6dc9..0000000 --- a/node_modules/core-js/stable/array/filter.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../es/array/filter'); - -module.exports = parent; diff --git a/node_modules/core-js/stable/array/find-index.js b/node_modules/core-js/stable/array/find-index.js deleted file mode 100644 index 67f63ab..0000000 --- a/node_modules/core-js/stable/array/find-index.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../es/array/find-index'); - -module.exports = parent; diff --git a/node_modules/core-js/stable/array/find-last-index.js b/node_modules/core-js/stable/array/find-last-index.js deleted file mode 100644 index 4cc07ac..0000000 --- a/node_modules/core-js/stable/array/find-last-index.js +++ /dev/null @@ -1,2 +0,0 @@ -'use strict'; -module.exports = require('../../es/array/find-last-index'); diff --git a/node_modules/core-js/stable/array/find-last.js b/node_modules/core-js/stable/array/find-last.js deleted file mode 100644 index 9399401..0000000 --- a/node_modules/core-js/stable/array/find-last.js +++ /dev/null @@ -1,2 +0,0 @@ -'use strict'; -module.exports = require('../../es/array/find-last'); diff --git a/node_modules/core-js/stable/array/find.js b/node_modules/core-js/stable/array/find.js deleted file mode 100644 index a749978..0000000 --- a/node_modules/core-js/stable/array/find.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../es/array/find'); - -module.exports = parent; diff --git a/node_modules/core-js/stable/array/flat-map.js b/node_modules/core-js/stable/array/flat-map.js deleted file mode 100644 index b2cd230..0000000 --- a/node_modules/core-js/stable/array/flat-map.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../es/array/flat-map'); - -module.exports = parent; diff --git a/node_modules/core-js/stable/array/flat.js b/node_modules/core-js/stable/array/flat.js deleted file mode 100644 index 65870c4..0000000 --- a/node_modules/core-js/stable/array/flat.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../es/array/flat'); - -module.exports = parent; diff --git a/node_modules/core-js/stable/array/for-each.js b/node_modules/core-js/stable/array/for-each.js deleted file mode 100644 index fbe9619..0000000 --- a/node_modules/core-js/stable/array/for-each.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../es/array/for-each'); - -module.exports = parent; diff --git a/node_modules/core-js/stable/array/from.js b/node_modules/core-js/stable/array/from.js deleted file mode 100644 index 9d4ee90..0000000 --- a/node_modules/core-js/stable/array/from.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../es/array/from'); - -module.exports = parent; diff --git a/node_modules/core-js/stable/array/includes.js b/node_modules/core-js/stable/array/includes.js deleted file mode 100644 index 030648a..0000000 --- a/node_modules/core-js/stable/array/includes.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../es/array/includes'); - -module.exports = parent; diff --git a/node_modules/core-js/stable/array/index-of.js b/node_modules/core-js/stable/array/index-of.js deleted file mode 100644 index 65da295..0000000 --- a/node_modules/core-js/stable/array/index-of.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../es/array/index-of'); - -module.exports = parent; diff --git a/node_modules/core-js/stable/array/index.js b/node_modules/core-js/stable/array/index.js deleted file mode 100644 index 01a0083..0000000 --- a/node_modules/core-js/stable/array/index.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../es/array'); - -module.exports = parent; diff --git a/node_modules/core-js/stable/array/is-array.js b/node_modules/core-js/stable/array/is-array.js deleted file mode 100644 index 7e5207e..0000000 --- a/node_modules/core-js/stable/array/is-array.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../es/array/is-array'); - -module.exports = parent; diff --git a/node_modules/core-js/stable/array/iterator.js b/node_modules/core-js/stable/array/iterator.js deleted file mode 100644 index 75e4a95..0000000 --- a/node_modules/core-js/stable/array/iterator.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../es/array/iterator'); - -module.exports = parent; diff --git a/node_modules/core-js/stable/array/join.js b/node_modules/core-js/stable/array/join.js deleted file mode 100644 index 3df704b..0000000 --- a/node_modules/core-js/stable/array/join.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../es/array/join'); - -module.exports = parent; diff --git a/node_modules/core-js/stable/array/keys.js b/node_modules/core-js/stable/array/keys.js deleted file mode 100644 index 21c0d4b..0000000 --- a/node_modules/core-js/stable/array/keys.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../es/array/keys'); - -module.exports = parent; diff --git a/node_modules/core-js/stable/array/last-index-of.js b/node_modules/core-js/stable/array/last-index-of.js deleted file mode 100644 index 4b1e9ce..0000000 --- a/node_modules/core-js/stable/array/last-index-of.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../es/array/last-index-of'); - -module.exports = parent; diff --git a/node_modules/core-js/stable/array/map.js b/node_modules/core-js/stable/array/map.js deleted file mode 100644 index 2ca8b31..0000000 --- a/node_modules/core-js/stable/array/map.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../es/array/map'); - -module.exports = parent; diff --git a/node_modules/core-js/stable/array/of.js b/node_modules/core-js/stable/array/of.js deleted file mode 100644 index 12c7922..0000000 --- a/node_modules/core-js/stable/array/of.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../es/array/of'); - -module.exports = parent; diff --git a/node_modules/core-js/stable/array/push.js b/node_modules/core-js/stable/array/push.js deleted file mode 100644 index b64c62c..0000000 --- a/node_modules/core-js/stable/array/push.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../es/array/push'); - -module.exports = parent; diff --git a/node_modules/core-js/stable/array/reduce-right.js b/node_modules/core-js/stable/array/reduce-right.js deleted file mode 100644 index e820251..0000000 --- a/node_modules/core-js/stable/array/reduce-right.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../es/array/reduce-right'); - -module.exports = parent; diff --git a/node_modules/core-js/stable/array/reduce.js b/node_modules/core-js/stable/array/reduce.js deleted file mode 100644 index d612f42..0000000 --- a/node_modules/core-js/stable/array/reduce.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../es/array/reduce'); - -module.exports = parent; diff --git a/node_modules/core-js/stable/array/reverse.js b/node_modules/core-js/stable/array/reverse.js deleted file mode 100644 index 1b26236..0000000 --- a/node_modules/core-js/stable/array/reverse.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../es/array/reverse'); - -module.exports = parent; diff --git a/node_modules/core-js/stable/array/slice.js b/node_modules/core-js/stable/array/slice.js deleted file mode 100644 index 77cb872..0000000 --- a/node_modules/core-js/stable/array/slice.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../es/array/slice'); - -module.exports = parent; diff --git a/node_modules/core-js/stable/array/some.js b/node_modules/core-js/stable/array/some.js deleted file mode 100644 index ee3d4de..0000000 --- a/node_modules/core-js/stable/array/some.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../es/array/some'); - -module.exports = parent; diff --git a/node_modules/core-js/stable/array/sort.js b/node_modules/core-js/stable/array/sort.js deleted file mode 100644 index 14f8937..0000000 --- a/node_modules/core-js/stable/array/sort.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../es/array/sort'); - -module.exports = parent; diff --git a/node_modules/core-js/stable/array/splice.js b/node_modules/core-js/stable/array/splice.js deleted file mode 100644 index 4743a4e..0000000 --- a/node_modules/core-js/stable/array/splice.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../es/array/splice'); - -module.exports = parent; diff --git a/node_modules/core-js/stable/array/to-reversed.js b/node_modules/core-js/stable/array/to-reversed.js deleted file mode 100644 index b92ed50..0000000 --- a/node_modules/core-js/stable/array/to-reversed.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../es/array/to-reversed'); - -module.exports = parent; diff --git a/node_modules/core-js/stable/array/to-sorted.js b/node_modules/core-js/stable/array/to-sorted.js deleted file mode 100644 index ecbb86f..0000000 --- a/node_modules/core-js/stable/array/to-sorted.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../es/array/to-sorted'); - -module.exports = parent; diff --git a/node_modules/core-js/stable/array/to-spliced.js b/node_modules/core-js/stable/array/to-spliced.js deleted file mode 100644 index b1846a9..0000000 --- a/node_modules/core-js/stable/array/to-spliced.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../es/array/to-spliced'); - -module.exports = parent; diff --git a/node_modules/core-js/stable/array/unshift.js b/node_modules/core-js/stable/array/unshift.js deleted file mode 100644 index 7053319..0000000 --- a/node_modules/core-js/stable/array/unshift.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../es/array/unshift'); - -module.exports = parent; diff --git a/node_modules/core-js/stable/array/values.js b/node_modules/core-js/stable/array/values.js deleted file mode 100644 index a9d6417..0000000 --- a/node_modules/core-js/stable/array/values.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../es/array/values'); - -module.exports = parent; diff --git a/node_modules/core-js/stable/array/virtual/at.js b/node_modules/core-js/stable/array/virtual/at.js deleted file mode 100644 index 13832e0..0000000 --- a/node_modules/core-js/stable/array/virtual/at.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../../es/array/virtual/at'); - -module.exports = parent; diff --git a/node_modules/core-js/stable/array/virtual/concat.js b/node_modules/core-js/stable/array/virtual/concat.js deleted file mode 100644 index 6a0b094..0000000 --- a/node_modules/core-js/stable/array/virtual/concat.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../../es/array/virtual/concat'); - -module.exports = parent; diff --git a/node_modules/core-js/stable/array/virtual/copy-within.js b/node_modules/core-js/stable/array/virtual/copy-within.js deleted file mode 100644 index 6ab25de..0000000 --- a/node_modules/core-js/stable/array/virtual/copy-within.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../../es/array/virtual/copy-within'); - -module.exports = parent; diff --git a/node_modules/core-js/stable/array/virtual/entries.js b/node_modules/core-js/stable/array/virtual/entries.js deleted file mode 100644 index a3b0a70..0000000 --- a/node_modules/core-js/stable/array/virtual/entries.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../../es/array/virtual/entries'); - -module.exports = parent; diff --git a/node_modules/core-js/stable/array/virtual/every.js b/node_modules/core-js/stable/array/virtual/every.js deleted file mode 100644 index f37d7f8..0000000 --- a/node_modules/core-js/stable/array/virtual/every.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../../es/array/virtual/every'); - -module.exports = parent; diff --git a/node_modules/core-js/stable/array/virtual/fill.js b/node_modules/core-js/stable/array/virtual/fill.js deleted file mode 100644 index 74103a5..0000000 --- a/node_modules/core-js/stable/array/virtual/fill.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../../es/array/virtual/fill'); - -module.exports = parent; diff --git a/node_modules/core-js/stable/array/virtual/filter.js b/node_modules/core-js/stable/array/virtual/filter.js deleted file mode 100644 index 74c0e77..0000000 --- a/node_modules/core-js/stable/array/virtual/filter.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../../es/array/virtual/filter'); - -module.exports = parent; diff --git a/node_modules/core-js/stable/array/virtual/find-index.js b/node_modules/core-js/stable/array/virtual/find-index.js deleted file mode 100644 index 9aed40a..0000000 --- a/node_modules/core-js/stable/array/virtual/find-index.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../../es/array/virtual/find-index'); - -module.exports = parent; diff --git a/node_modules/core-js/stable/array/virtual/find-last-index.js b/node_modules/core-js/stable/array/virtual/find-last-index.js deleted file mode 100644 index ba04a17..0000000 --- a/node_modules/core-js/stable/array/virtual/find-last-index.js +++ /dev/null @@ -1,2 +0,0 @@ -'use strict'; -module.exports = require('../../../es/array/virtual/find-last-index'); diff --git a/node_modules/core-js/stable/array/virtual/find-last.js b/node_modules/core-js/stable/array/virtual/find-last.js deleted file mode 100644 index 6b546a6..0000000 --- a/node_modules/core-js/stable/array/virtual/find-last.js +++ /dev/null @@ -1,2 +0,0 @@ -'use strict'; -module.exports = require('../../../es/array/virtual/find-last'); diff --git a/node_modules/core-js/stable/array/virtual/find.js b/node_modules/core-js/stable/array/virtual/find.js deleted file mode 100644 index 147252a..0000000 --- a/node_modules/core-js/stable/array/virtual/find.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../../es/array/virtual/find'); - -module.exports = parent; diff --git a/node_modules/core-js/stable/array/virtual/flat-map.js b/node_modules/core-js/stable/array/virtual/flat-map.js deleted file mode 100644 index 864845a..0000000 --- a/node_modules/core-js/stable/array/virtual/flat-map.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../../es/array/virtual/flat-map'); - -module.exports = parent; diff --git a/node_modules/core-js/stable/array/virtual/flat.js b/node_modules/core-js/stable/array/virtual/flat.js deleted file mode 100644 index bdebf7c..0000000 --- a/node_modules/core-js/stable/array/virtual/flat.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../../es/array/virtual/flat'); - -module.exports = parent; diff --git a/node_modules/core-js/stable/array/virtual/for-each.js b/node_modules/core-js/stable/array/virtual/for-each.js deleted file mode 100644 index 16abca8..0000000 --- a/node_modules/core-js/stable/array/virtual/for-each.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../../es/array/virtual/for-each'); - -module.exports = parent; diff --git a/node_modules/core-js/stable/array/virtual/includes.js b/node_modules/core-js/stable/array/virtual/includes.js deleted file mode 100644 index f16ee63..0000000 --- a/node_modules/core-js/stable/array/virtual/includes.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../../es/array/virtual/includes'); - -module.exports = parent; diff --git a/node_modules/core-js/stable/array/virtual/index-of.js b/node_modules/core-js/stable/array/virtual/index-of.js deleted file mode 100644 index 2bfb9ba..0000000 --- a/node_modules/core-js/stable/array/virtual/index-of.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../../es/array/virtual/index-of'); - -module.exports = parent; diff --git a/node_modules/core-js/stable/array/virtual/index.js b/node_modules/core-js/stable/array/virtual/index.js deleted file mode 100644 index 7cab826..0000000 --- a/node_modules/core-js/stable/array/virtual/index.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../../es/array/virtual'); - -module.exports = parent; diff --git a/node_modules/core-js/stable/array/virtual/iterator.js b/node_modules/core-js/stable/array/virtual/iterator.js deleted file mode 100644 index 7fb71e3..0000000 --- a/node_modules/core-js/stable/array/virtual/iterator.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../../es/array/virtual/iterator'); - -module.exports = parent; diff --git a/node_modules/core-js/stable/array/virtual/join.js b/node_modules/core-js/stable/array/virtual/join.js deleted file mode 100644 index c10586d..0000000 --- a/node_modules/core-js/stable/array/virtual/join.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../../es/array/virtual/join'); - -module.exports = parent; diff --git a/node_modules/core-js/stable/array/virtual/keys.js b/node_modules/core-js/stable/array/virtual/keys.js deleted file mode 100644 index b7dee23..0000000 --- a/node_modules/core-js/stable/array/virtual/keys.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../../es/array/virtual/keys'); - -module.exports = parent; diff --git a/node_modules/core-js/stable/array/virtual/last-index-of.js b/node_modules/core-js/stable/array/virtual/last-index-of.js deleted file mode 100644 index 2bc914f..0000000 --- a/node_modules/core-js/stable/array/virtual/last-index-of.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../../es/array/virtual/last-index-of'); - -module.exports = parent; diff --git a/node_modules/core-js/stable/array/virtual/map.js b/node_modules/core-js/stable/array/virtual/map.js deleted file mode 100644 index 5821a11..0000000 --- a/node_modules/core-js/stable/array/virtual/map.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../../es/array/virtual/map'); - -module.exports = parent; diff --git a/node_modules/core-js/stable/array/virtual/push.js b/node_modules/core-js/stable/array/virtual/push.js deleted file mode 100644 index 7b975d3..0000000 --- a/node_modules/core-js/stable/array/virtual/push.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../../es/array/virtual/push'); - -module.exports = parent; diff --git a/node_modules/core-js/stable/array/virtual/reduce-right.js b/node_modules/core-js/stable/array/virtual/reduce-right.js deleted file mode 100644 index 2d7c7d6..0000000 --- a/node_modules/core-js/stable/array/virtual/reduce-right.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../../es/array/virtual/reduce-right'); - -module.exports = parent; diff --git a/node_modules/core-js/stable/array/virtual/reduce.js b/node_modules/core-js/stable/array/virtual/reduce.js deleted file mode 100644 index 270a067..0000000 --- a/node_modules/core-js/stable/array/virtual/reduce.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../../es/array/virtual/reduce'); - -module.exports = parent; diff --git a/node_modules/core-js/stable/array/virtual/reverse.js b/node_modules/core-js/stable/array/virtual/reverse.js deleted file mode 100644 index cede168..0000000 --- a/node_modules/core-js/stable/array/virtual/reverse.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../../es/array/virtual/reverse'); - -module.exports = parent; diff --git a/node_modules/core-js/stable/array/virtual/slice.js b/node_modules/core-js/stable/array/virtual/slice.js deleted file mode 100644 index c19788c..0000000 --- a/node_modules/core-js/stable/array/virtual/slice.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../../es/array/virtual/slice'); - -module.exports = parent; diff --git a/node_modules/core-js/stable/array/virtual/some.js b/node_modules/core-js/stable/array/virtual/some.js deleted file mode 100644 index 26375fe..0000000 --- a/node_modules/core-js/stable/array/virtual/some.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../../es/array/virtual/some'); - -module.exports = parent; diff --git a/node_modules/core-js/stable/array/virtual/sort.js b/node_modules/core-js/stable/array/virtual/sort.js deleted file mode 100644 index 5ef50be..0000000 --- a/node_modules/core-js/stable/array/virtual/sort.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../../es/array/virtual/sort'); - -module.exports = parent; diff --git a/node_modules/core-js/stable/array/virtual/splice.js b/node_modules/core-js/stable/array/virtual/splice.js deleted file mode 100644 index c763b29..0000000 --- a/node_modules/core-js/stable/array/virtual/splice.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../../es/array/virtual/splice'); - -module.exports = parent; diff --git a/node_modules/core-js/stable/array/virtual/to-reversed.js b/node_modules/core-js/stable/array/virtual/to-reversed.js deleted file mode 100644 index f09f2eb..0000000 --- a/node_modules/core-js/stable/array/virtual/to-reversed.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../../es/array/virtual/to-reversed'); - -module.exports = parent; diff --git a/node_modules/core-js/stable/array/virtual/to-sorted.js b/node_modules/core-js/stable/array/virtual/to-sorted.js deleted file mode 100644 index affc20c..0000000 --- a/node_modules/core-js/stable/array/virtual/to-sorted.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../../es/array/virtual/to-sorted'); - -module.exports = parent; diff --git a/node_modules/core-js/stable/array/virtual/to-spliced.js b/node_modules/core-js/stable/array/virtual/to-spliced.js deleted file mode 100644 index 5426ebe..0000000 --- a/node_modules/core-js/stable/array/virtual/to-spliced.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../../es/array/virtual/to-spliced'); - -module.exports = parent; diff --git a/node_modules/core-js/stable/array/virtual/unshift.js b/node_modules/core-js/stable/array/virtual/unshift.js deleted file mode 100644 index d6c95cd..0000000 --- a/node_modules/core-js/stable/array/virtual/unshift.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../../es/array/virtual/unshift'); - -module.exports = parent; diff --git a/node_modules/core-js/stable/array/virtual/values.js b/node_modules/core-js/stable/array/virtual/values.js deleted file mode 100644 index 616ecc3..0000000 --- a/node_modules/core-js/stable/array/virtual/values.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../../es/array/virtual/values'); - -module.exports = parent; diff --git a/node_modules/core-js/stable/array/virtual/with.js b/node_modules/core-js/stable/array/virtual/with.js deleted file mode 100644 index 8b14f21..0000000 --- a/node_modules/core-js/stable/array/virtual/with.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../../es/array/virtual/with'); - -module.exports = parent; diff --git a/node_modules/core-js/stable/array/with.js b/node_modules/core-js/stable/array/with.js deleted file mode 100644 index 14df0c9..0000000 --- a/node_modules/core-js/stable/array/with.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../es/array/with'); - -module.exports = parent; diff --git a/node_modules/core-js/stable/atob.js b/node_modules/core-js/stable/atob.js deleted file mode 100644 index a7b40aa..0000000 --- a/node_modules/core-js/stable/atob.js +++ /dev/null @@ -1,10 +0,0 @@ -'use strict'; -require('../modules/es.error.to-string'); -require('../modules/es.object.to-string'); -require('../modules/web.atob'); -require('../modules/web.dom-exception.constructor'); -require('../modules/web.dom-exception.stack'); -require('../modules/web.dom-exception.to-string-tag'); -var path = require('../internals/path'); - -module.exports = path.atob; diff --git a/node_modules/core-js/stable/btoa.js b/node_modules/core-js/stable/btoa.js deleted file mode 100644 index 91cf24a..0000000 --- a/node_modules/core-js/stable/btoa.js +++ /dev/null @@ -1,10 +0,0 @@ -'use strict'; -require('../modules/es.error.to-string'); -require('../modules/es.object.to-string'); -require('../modules/web.btoa'); -require('../modules/web.dom-exception.constructor'); -require('../modules/web.dom-exception.stack'); -require('../modules/web.dom-exception.to-string-tag'); -var path = require('../internals/path'); - -module.exports = path.btoa; diff --git a/node_modules/core-js/stable/clear-immediate.js b/node_modules/core-js/stable/clear-immediate.js deleted file mode 100644 index 8735f36..0000000 --- a/node_modules/core-js/stable/clear-immediate.js +++ /dev/null @@ -1,5 +0,0 @@ -'use strict'; -require('../modules/web.immediate'); -var path = require('../internals/path'); - -module.exports = path.clearImmediate; diff --git a/node_modules/core-js/stable/data-view/index.js b/node_modules/core-js/stable/data-view/index.js deleted file mode 100644 index b7c595c..0000000 --- a/node_modules/core-js/stable/data-view/index.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../es/data-view'); - -module.exports = parent; diff --git a/node_modules/core-js/stable/date/get-year.js b/node_modules/core-js/stable/date/get-year.js deleted file mode 100644 index b8831fe..0000000 --- a/node_modules/core-js/stable/date/get-year.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../es/date/get-year'); - -module.exports = parent; diff --git a/node_modules/core-js/stable/date/index.js b/node_modules/core-js/stable/date/index.js deleted file mode 100644 index a4101f7..0000000 --- a/node_modules/core-js/stable/date/index.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../es/date'); - -module.exports = parent; diff --git a/node_modules/core-js/stable/date/now.js b/node_modules/core-js/stable/date/now.js deleted file mode 100644 index 2b54054..0000000 --- a/node_modules/core-js/stable/date/now.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../es/date/now'); - -module.exports = parent; diff --git a/node_modules/core-js/stable/date/set-year.js b/node_modules/core-js/stable/date/set-year.js deleted file mode 100644 index 56c7ba9..0000000 --- a/node_modules/core-js/stable/date/set-year.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../es/date/set-year'); - -module.exports = parent; diff --git a/node_modules/core-js/stable/date/to-gmt-string.js b/node_modules/core-js/stable/date/to-gmt-string.js deleted file mode 100644 index ecff2fa..0000000 --- a/node_modules/core-js/stable/date/to-gmt-string.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../es/date/to-gmt-string'); - -module.exports = parent; diff --git a/node_modules/core-js/stable/date/to-iso-string.js b/node_modules/core-js/stable/date/to-iso-string.js deleted file mode 100644 index daae0fa..0000000 --- a/node_modules/core-js/stable/date/to-iso-string.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../es/date/to-iso-string'); - -module.exports = parent; diff --git a/node_modules/core-js/stable/date/to-json.js b/node_modules/core-js/stable/date/to-json.js deleted file mode 100644 index 9fb0ab7..0000000 --- a/node_modules/core-js/stable/date/to-json.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../es/date/to-json'); - -module.exports = parent; diff --git a/node_modules/core-js/stable/date/to-primitive.js b/node_modules/core-js/stable/date/to-primitive.js deleted file mode 100644 index bbd6d11..0000000 --- a/node_modules/core-js/stable/date/to-primitive.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../es/date/to-primitive'); - -module.exports = parent; diff --git a/node_modules/core-js/stable/date/to-string.js b/node_modules/core-js/stable/date/to-string.js deleted file mode 100644 index 65fcdf6..0000000 --- a/node_modules/core-js/stable/date/to-string.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../es/date/to-string'); - -module.exports = parent; diff --git a/node_modules/core-js/stable/dom-collections/for-each.js b/node_modules/core-js/stable/dom-collections/for-each.js deleted file mode 100644 index 3cffa65..0000000 --- a/node_modules/core-js/stable/dom-collections/for-each.js +++ /dev/null @@ -1,6 +0,0 @@ -'use strict'; -require('../../modules/web.dom-collections.for-each'); - -var parent = require('../../internals/array-for-each'); - -module.exports = parent; diff --git a/node_modules/core-js/stable/dom-collections/index.js b/node_modules/core-js/stable/dom-collections/index.js deleted file mode 100644 index 5436ac5..0000000 --- a/node_modules/core-js/stable/dom-collections/index.js +++ /dev/null @@ -1,14 +0,0 @@ -'use strict'; -require('../../modules/es.object.to-string'); -require('../../modules/web.dom-collections.for-each'); -require('../../modules/web.dom-collections.iterator'); -var ArrayIterators = require('../../modules/es.array.iterator'); -var forEach = require('../../internals/array-for-each'); - -module.exports = { - keys: ArrayIterators.keys, - values: ArrayIterators.values, - entries: ArrayIterators.entries, - iterator: ArrayIterators.values, - forEach: forEach -}; diff --git a/node_modules/core-js/stable/dom-collections/iterator.js b/node_modules/core-js/stable/dom-collections/iterator.js deleted file mode 100644 index 63582f0..0000000 --- a/node_modules/core-js/stable/dom-collections/iterator.js +++ /dev/null @@ -1,6 +0,0 @@ -'use strict'; -require('../../modules/es.object.to-string'); -require('../../modules/web.dom-collections.iterator'); -var entryUnbind = require('../../internals/entry-unbind'); - -module.exports = entryUnbind('Array', 'values'); diff --git a/node_modules/core-js/stable/dom-exception/constructor.js b/node_modules/core-js/stable/dom-exception/constructor.js deleted file mode 100644 index f014fe9..0000000 --- a/node_modules/core-js/stable/dom-exception/constructor.js +++ /dev/null @@ -1,7 +0,0 @@ -'use strict'; -require('../../modules/es.error.to-string'); -require('../../modules/web.dom-exception.constructor'); -require('../../modules/web.dom-exception.stack'); -var path = require('../../internals/path'); - -module.exports = path.DOMException; diff --git a/node_modules/core-js/stable/dom-exception/index.js b/node_modules/core-js/stable/dom-exception/index.js deleted file mode 100644 index f187f84..0000000 --- a/node_modules/core-js/stable/dom-exception/index.js +++ /dev/null @@ -1,8 +0,0 @@ -'use strict'; -require('../../modules/es.error.to-string'); -require('../../modules/web.dom-exception.constructor'); -require('../../modules/web.dom-exception.stack'); -require('../../modules/web.dom-exception.to-string-tag'); -var path = require('../../internals/path'); - -module.exports = path.DOMException; diff --git a/node_modules/core-js/stable/dom-exception/to-string-tag.js b/node_modules/core-js/stable/dom-exception/to-string-tag.js deleted file mode 100644 index 5856e65..0000000 --- a/node_modules/core-js/stable/dom-exception/to-string-tag.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -require('../../modules/web.dom-exception.to-string-tag'); - -module.exports = 'DOMException'; diff --git a/node_modules/core-js/stable/error/constructor.js b/node_modules/core-js/stable/error/constructor.js deleted file mode 100644 index 761efd3..0000000 --- a/node_modules/core-js/stable/error/constructor.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../es/error/constructor'); - -module.exports = parent; diff --git a/node_modules/core-js/stable/error/index.js b/node_modules/core-js/stable/error/index.js deleted file mode 100644 index 87d3e24..0000000 --- a/node_modules/core-js/stable/error/index.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../es/error'); - -module.exports = parent; diff --git a/node_modules/core-js/stable/error/to-string.js b/node_modules/core-js/stable/error/to-string.js deleted file mode 100644 index 5fe958f..0000000 --- a/node_modules/core-js/stable/error/to-string.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../es/error/to-string'); - -module.exports = parent; diff --git a/node_modules/core-js/stable/escape.js b/node_modules/core-js/stable/escape.js deleted file mode 100644 index 008bb6d..0000000 --- a/node_modules/core-js/stable/escape.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../es/escape'); - -module.exports = parent; diff --git a/node_modules/core-js/stable/function/bind.js b/node_modules/core-js/stable/function/bind.js deleted file mode 100644 index de54f8a..0000000 --- a/node_modules/core-js/stable/function/bind.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../es/function/bind'); - -module.exports = parent; diff --git a/node_modules/core-js/stable/function/has-instance.js b/node_modules/core-js/stable/function/has-instance.js deleted file mode 100644 index 3eb2212..0000000 --- a/node_modules/core-js/stable/function/has-instance.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../es/function/has-instance'); - -module.exports = parent; diff --git a/node_modules/core-js/stable/function/index.js b/node_modules/core-js/stable/function/index.js deleted file mode 100644 index dcb9d34..0000000 --- a/node_modules/core-js/stable/function/index.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../es/function'); - -module.exports = parent; diff --git a/node_modules/core-js/stable/function/name.js b/node_modules/core-js/stable/function/name.js deleted file mode 100644 index 11db255..0000000 --- a/node_modules/core-js/stable/function/name.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../es/function/name'); - -module.exports = parent; diff --git a/node_modules/core-js/stable/function/virtual/bind.js b/node_modules/core-js/stable/function/virtual/bind.js deleted file mode 100644 index 1dde33d..0000000 --- a/node_modules/core-js/stable/function/virtual/bind.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../../es/function/virtual/bind'); - -module.exports = parent; diff --git a/node_modules/core-js/stable/function/virtual/index.js b/node_modules/core-js/stable/function/virtual/index.js deleted file mode 100644 index ee7a38c..0000000 --- a/node_modules/core-js/stable/function/virtual/index.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../../es/function/virtual'); - -module.exports = parent; diff --git a/node_modules/core-js/stable/get-iterator-method.js b/node_modules/core-js/stable/get-iterator-method.js deleted file mode 100644 index 8ec6189..0000000 --- a/node_modules/core-js/stable/get-iterator-method.js +++ /dev/null @@ -1,5 +0,0 @@ -'use strict'; -var parent = require('../es/get-iterator-method'); -require('../modules/web.dom-collections.iterator'); - -module.exports = parent; diff --git a/node_modules/core-js/stable/get-iterator.js b/node_modules/core-js/stable/get-iterator.js deleted file mode 100644 index e91de84..0000000 --- a/node_modules/core-js/stable/get-iterator.js +++ /dev/null @@ -1,5 +0,0 @@ -'use strict'; -var parent = require('../es/get-iterator'); -require('../modules/web.dom-collections.iterator'); - -module.exports = parent; diff --git a/node_modules/core-js/stable/global-this.js b/node_modules/core-js/stable/global-this.js deleted file mode 100644 index 2c4ca75..0000000 --- a/node_modules/core-js/stable/global-this.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../es/global-this'); - -module.exports = parent; diff --git a/node_modules/core-js/stable/index.js b/node_modules/core-js/stable/index.js deleted file mode 100644 index 7c1bcac..0000000 --- a/node_modules/core-js/stable/index.js +++ /dev/null @@ -1,267 +0,0 @@ -'use strict'; -require('../modules/es.symbol'); -require('../modules/es.symbol.description'); -require('../modules/es.symbol.async-iterator'); -require('../modules/es.symbol.has-instance'); -require('../modules/es.symbol.is-concat-spreadable'); -require('../modules/es.symbol.iterator'); -require('../modules/es.symbol.match'); -require('../modules/es.symbol.match-all'); -require('../modules/es.symbol.replace'); -require('../modules/es.symbol.search'); -require('../modules/es.symbol.species'); -require('../modules/es.symbol.split'); -require('../modules/es.symbol.to-primitive'); -require('../modules/es.symbol.to-string-tag'); -require('../modules/es.symbol.unscopables'); -require('../modules/es.error.cause'); -require('../modules/es.error.to-string'); -require('../modules/es.aggregate-error'); -require('../modules/es.aggregate-error.cause'); -require('../modules/es.array.at'); -require('../modules/es.array.concat'); -require('../modules/es.array.copy-within'); -require('../modules/es.array.every'); -require('../modules/es.array.fill'); -require('../modules/es.array.filter'); -require('../modules/es.array.find'); -require('../modules/es.array.find-index'); -require('../modules/es.array.find-last'); -require('../modules/es.array.find-last-index'); -require('../modules/es.array.flat'); -require('../modules/es.array.flat-map'); -require('../modules/es.array.for-each'); -require('../modules/es.array.from'); -require('../modules/es.array.includes'); -require('../modules/es.array.index-of'); -require('../modules/es.array.is-array'); -require('../modules/es.array.iterator'); -require('../modules/es.array.join'); -require('../modules/es.array.last-index-of'); -require('../modules/es.array.map'); -require('../modules/es.array.of'); -require('../modules/es.array.push'); -require('../modules/es.array.reduce'); -require('../modules/es.array.reduce-right'); -require('../modules/es.array.reverse'); -require('../modules/es.array.slice'); -require('../modules/es.array.some'); -require('../modules/es.array.sort'); -require('../modules/es.array.species'); -require('../modules/es.array.splice'); -require('../modules/es.array.to-reversed'); -require('../modules/es.array.to-sorted'); -require('../modules/es.array.to-spliced'); -require('../modules/es.array.unscopables.flat'); -require('../modules/es.array.unscopables.flat-map'); -require('../modules/es.array.unshift'); -require('../modules/es.array.with'); -require('../modules/es.array-buffer.constructor'); -require('../modules/es.array-buffer.is-view'); -require('../modules/es.array-buffer.slice'); -require('../modules/es.data-view'); -require('../modules/es.date.get-year'); -require('../modules/es.date.now'); -require('../modules/es.date.set-year'); -require('../modules/es.date.to-gmt-string'); -require('../modules/es.date.to-iso-string'); -require('../modules/es.date.to-json'); -require('../modules/es.date.to-primitive'); -require('../modules/es.date.to-string'); -require('../modules/es.escape'); -require('../modules/es.function.bind'); -require('../modules/es.function.has-instance'); -require('../modules/es.function.name'); -require('../modules/es.global-this'); -require('../modules/es.json.stringify'); -require('../modules/es.json.to-string-tag'); -require('../modules/es.map'); -require('../modules/es.map.group-by'); -require('../modules/es.math.acosh'); -require('../modules/es.math.asinh'); -require('../modules/es.math.atanh'); -require('../modules/es.math.cbrt'); -require('../modules/es.math.clz32'); -require('../modules/es.math.cosh'); -require('../modules/es.math.expm1'); -require('../modules/es.math.fround'); -require('../modules/es.math.hypot'); -require('../modules/es.math.imul'); -require('../modules/es.math.log10'); -require('../modules/es.math.log1p'); -require('../modules/es.math.log2'); -require('../modules/es.math.sign'); -require('../modules/es.math.sinh'); -require('../modules/es.math.tanh'); -require('../modules/es.math.to-string-tag'); -require('../modules/es.math.trunc'); -require('../modules/es.number.constructor'); -require('../modules/es.number.epsilon'); -require('../modules/es.number.is-finite'); -require('../modules/es.number.is-integer'); -require('../modules/es.number.is-nan'); -require('../modules/es.number.is-safe-integer'); -require('../modules/es.number.max-safe-integer'); -require('../modules/es.number.min-safe-integer'); -require('../modules/es.number.parse-float'); -require('../modules/es.number.parse-int'); -require('../modules/es.number.to-exponential'); -require('../modules/es.number.to-fixed'); -require('../modules/es.number.to-precision'); -require('../modules/es.object.assign'); -require('../modules/es.object.create'); -require('../modules/es.object.define-getter'); -require('../modules/es.object.define-properties'); -require('../modules/es.object.define-property'); -require('../modules/es.object.define-setter'); -require('../modules/es.object.entries'); -require('../modules/es.object.freeze'); -require('../modules/es.object.from-entries'); -require('../modules/es.object.get-own-property-descriptor'); -require('../modules/es.object.get-own-property-descriptors'); -require('../modules/es.object.get-own-property-names'); -require('../modules/es.object.get-prototype-of'); -require('../modules/es.object.group-by'); -require('../modules/es.object.has-own'); -require('../modules/es.object.is'); -require('../modules/es.object.is-extensible'); -require('../modules/es.object.is-frozen'); -require('../modules/es.object.is-sealed'); -require('../modules/es.object.keys'); -require('../modules/es.object.lookup-getter'); -require('../modules/es.object.lookup-setter'); -require('../modules/es.object.prevent-extensions'); -require('../modules/es.object.proto'); -require('../modules/es.object.seal'); -require('../modules/es.object.set-prototype-of'); -require('../modules/es.object.to-string'); -require('../modules/es.object.values'); -require('../modules/es.parse-float'); -require('../modules/es.parse-int'); -require('../modules/es.promise'); -require('../modules/es.promise.all-settled'); -require('../modules/es.promise.any'); -require('../modules/es.promise.finally'); -require('../modules/es.promise.with-resolvers'); -require('../modules/es.reflect.apply'); -require('../modules/es.reflect.construct'); -require('../modules/es.reflect.define-property'); -require('../modules/es.reflect.delete-property'); -require('../modules/es.reflect.get'); -require('../modules/es.reflect.get-own-property-descriptor'); -require('../modules/es.reflect.get-prototype-of'); -require('../modules/es.reflect.has'); -require('../modules/es.reflect.is-extensible'); -require('../modules/es.reflect.own-keys'); -require('../modules/es.reflect.prevent-extensions'); -require('../modules/es.reflect.set'); -require('../modules/es.reflect.set-prototype-of'); -require('../modules/es.reflect.to-string-tag'); -require('../modules/es.regexp.constructor'); -require('../modules/es.regexp.dot-all'); -require('../modules/es.regexp.exec'); -require('../modules/es.regexp.flags'); -require('../modules/es.regexp.sticky'); -require('../modules/es.regexp.test'); -require('../modules/es.regexp.to-string'); -require('../modules/es.set'); -require('../modules/es.string.at-alternative'); -require('../modules/es.string.code-point-at'); -require('../modules/es.string.ends-with'); -require('../modules/es.string.from-code-point'); -require('../modules/es.string.includes'); -require('../modules/es.string.is-well-formed'); -require('../modules/es.string.iterator'); -require('../modules/es.string.match'); -require('../modules/es.string.match-all'); -require('../modules/es.string.pad-end'); -require('../modules/es.string.pad-start'); -require('../modules/es.string.raw'); -require('../modules/es.string.repeat'); -require('../modules/es.string.replace'); -require('../modules/es.string.replace-all'); -require('../modules/es.string.search'); -require('../modules/es.string.split'); -require('../modules/es.string.starts-with'); -require('../modules/es.string.substr'); -require('../modules/es.string.to-well-formed'); -require('../modules/es.string.trim'); -require('../modules/es.string.trim-end'); -require('../modules/es.string.trim-start'); -require('../modules/es.string.anchor'); -require('../modules/es.string.big'); -require('../modules/es.string.blink'); -require('../modules/es.string.bold'); -require('../modules/es.string.fixed'); -require('../modules/es.string.fontcolor'); -require('../modules/es.string.fontsize'); -require('../modules/es.string.italics'); -require('../modules/es.string.link'); -require('../modules/es.string.small'); -require('../modules/es.string.strike'); -require('../modules/es.string.sub'); -require('../modules/es.string.sup'); -require('../modules/es.typed-array.float32-array'); -require('../modules/es.typed-array.float64-array'); -require('../modules/es.typed-array.int8-array'); -require('../modules/es.typed-array.int16-array'); -require('../modules/es.typed-array.int32-array'); -require('../modules/es.typed-array.uint8-array'); -require('../modules/es.typed-array.uint8-clamped-array'); -require('../modules/es.typed-array.uint16-array'); -require('../modules/es.typed-array.uint32-array'); -require('../modules/es.typed-array.at'); -require('../modules/es.typed-array.copy-within'); -require('../modules/es.typed-array.every'); -require('../modules/es.typed-array.fill'); -require('../modules/es.typed-array.filter'); -require('../modules/es.typed-array.find'); -require('../modules/es.typed-array.find-index'); -require('../modules/es.typed-array.find-last'); -require('../modules/es.typed-array.find-last-index'); -require('../modules/es.typed-array.for-each'); -require('../modules/es.typed-array.from'); -require('../modules/es.typed-array.includes'); -require('../modules/es.typed-array.index-of'); -require('../modules/es.typed-array.iterator'); -require('../modules/es.typed-array.join'); -require('../modules/es.typed-array.last-index-of'); -require('../modules/es.typed-array.map'); -require('../modules/es.typed-array.of'); -require('../modules/es.typed-array.reduce'); -require('../modules/es.typed-array.reduce-right'); -require('../modules/es.typed-array.reverse'); -require('../modules/es.typed-array.set'); -require('../modules/es.typed-array.slice'); -require('../modules/es.typed-array.some'); -require('../modules/es.typed-array.sort'); -require('../modules/es.typed-array.subarray'); -require('../modules/es.typed-array.to-locale-string'); -require('../modules/es.typed-array.to-reversed'); -require('../modules/es.typed-array.to-sorted'); -require('../modules/es.typed-array.to-string'); -require('../modules/es.typed-array.with'); -require('../modules/es.unescape'); -require('../modules/es.weak-map'); -require('../modules/es.weak-set'); -require('../modules/web.atob'); -require('../modules/web.btoa'); -require('../modules/web.dom-collections.for-each'); -require('../modules/web.dom-collections.iterator'); -require('../modules/web.dom-exception.constructor'); -require('../modules/web.dom-exception.stack'); -require('../modules/web.dom-exception.to-string-tag'); -require('../modules/web.immediate'); -require('../modules/web.queue-microtask'); -require('../modules/web.self'); -require('../modules/web.structured-clone'); -require('../modules/web.timers'); -require('../modules/web.url'); -require('../modules/web.url.can-parse'); -require('../modules/web.url.to-json'); -require('../modules/web.url-search-params'); -require('../modules/web.url-search-params.delete'); -require('../modules/web.url-search-params.has'); -require('../modules/web.url-search-params.size'); - -module.exports = require('../internals/path'); diff --git a/node_modules/core-js/stable/instance/at.js b/node_modules/core-js/stable/instance/at.js deleted file mode 100644 index 745048c..0000000 --- a/node_modules/core-js/stable/instance/at.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../es/instance/at'); - -module.exports = parent; diff --git a/node_modules/core-js/stable/instance/bind.js b/node_modules/core-js/stable/instance/bind.js deleted file mode 100644 index ad5f7e0..0000000 --- a/node_modules/core-js/stable/instance/bind.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../es/instance/bind'); - -module.exports = parent; diff --git a/node_modules/core-js/stable/instance/code-point-at.js b/node_modules/core-js/stable/instance/code-point-at.js deleted file mode 100644 index a2edf41..0000000 --- a/node_modules/core-js/stable/instance/code-point-at.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../es/instance/code-point-at'); - -module.exports = parent; diff --git a/node_modules/core-js/stable/instance/concat.js b/node_modules/core-js/stable/instance/concat.js deleted file mode 100644 index d098728..0000000 --- a/node_modules/core-js/stable/instance/concat.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../es/instance/concat'); - -module.exports = parent; diff --git a/node_modules/core-js/stable/instance/copy-within.js b/node_modules/core-js/stable/instance/copy-within.js deleted file mode 100644 index ee3ba24..0000000 --- a/node_modules/core-js/stable/instance/copy-within.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../es/instance/copy-within'); - -module.exports = parent; diff --git a/node_modules/core-js/stable/instance/ends-with.js b/node_modules/core-js/stable/instance/ends-with.js deleted file mode 100644 index ff366c1..0000000 --- a/node_modules/core-js/stable/instance/ends-with.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../es/instance/ends-with'); - -module.exports = parent; diff --git a/node_modules/core-js/stable/instance/entries.js b/node_modules/core-js/stable/instance/entries.js deleted file mode 100644 index 0a9918d..0000000 --- a/node_modules/core-js/stable/instance/entries.js +++ /dev/null @@ -1,19 +0,0 @@ -'use strict'; -require('../../modules/web.dom-collections.iterator'); -var classof = require('../../internals/classof'); -var hasOwn = require('../../internals/has-own-property'); -var isPrototypeOf = require('../../internals/object-is-prototype-of'); -var method = require('../array/virtual/entries'); - -var ArrayPrototype = Array.prototype; - -var DOMIterables = { - DOMTokenList: true, - NodeList: true -}; - -module.exports = function (it) { - var own = it.entries; - return it === ArrayPrototype || (isPrototypeOf(ArrayPrototype, it) && own === ArrayPrototype.entries) - || hasOwn(DOMIterables, classof(it)) ? method : own; -}; diff --git a/node_modules/core-js/stable/instance/every.js b/node_modules/core-js/stable/instance/every.js deleted file mode 100644 index b3c7ace..0000000 --- a/node_modules/core-js/stable/instance/every.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../es/instance/every'); - -module.exports = parent; diff --git a/node_modules/core-js/stable/instance/fill.js b/node_modules/core-js/stable/instance/fill.js deleted file mode 100644 index 768cf75..0000000 --- a/node_modules/core-js/stable/instance/fill.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../es/instance/fill'); - -module.exports = parent; diff --git a/node_modules/core-js/stable/instance/filter.js b/node_modules/core-js/stable/instance/filter.js deleted file mode 100644 index 914f6c8..0000000 --- a/node_modules/core-js/stable/instance/filter.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../es/instance/filter'); - -module.exports = parent; diff --git a/node_modules/core-js/stable/instance/find-index.js b/node_modules/core-js/stable/instance/find-index.js deleted file mode 100644 index 3e4410e..0000000 --- a/node_modules/core-js/stable/instance/find-index.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../es/instance/find-index'); - -module.exports = parent; diff --git a/node_modules/core-js/stable/instance/find-last-index.js b/node_modules/core-js/stable/instance/find-last-index.js deleted file mode 100644 index 4c87c6f..0000000 --- a/node_modules/core-js/stable/instance/find-last-index.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../es/instance/find-last-index'); - -module.exports = parent; diff --git a/node_modules/core-js/stable/instance/find-last.js b/node_modules/core-js/stable/instance/find-last.js deleted file mode 100644 index 95ab0b6..0000000 --- a/node_modules/core-js/stable/instance/find-last.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../es/instance/find-last'); - -module.exports = parent; diff --git a/node_modules/core-js/stable/instance/find.js b/node_modules/core-js/stable/instance/find.js deleted file mode 100644 index ce67ff5..0000000 --- a/node_modules/core-js/stable/instance/find.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../es/instance/find'); - -module.exports = parent; diff --git a/node_modules/core-js/stable/instance/flags.js b/node_modules/core-js/stable/instance/flags.js deleted file mode 100644 index 012b83d..0000000 --- a/node_modules/core-js/stable/instance/flags.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../es/instance/flags'); - -module.exports = parent; diff --git a/node_modules/core-js/stable/instance/flat-map.js b/node_modules/core-js/stable/instance/flat-map.js deleted file mode 100644 index 89aaac8..0000000 --- a/node_modules/core-js/stable/instance/flat-map.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../es/instance/flat-map'); - -module.exports = parent; diff --git a/node_modules/core-js/stable/instance/flat.js b/node_modules/core-js/stable/instance/flat.js deleted file mode 100644 index 8acc0fb..0000000 --- a/node_modules/core-js/stable/instance/flat.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../es/instance/flat'); - -module.exports = parent; diff --git a/node_modules/core-js/stable/instance/for-each.js b/node_modules/core-js/stable/instance/for-each.js deleted file mode 100644 index 0ed3cae..0000000 --- a/node_modules/core-js/stable/instance/for-each.js +++ /dev/null @@ -1,19 +0,0 @@ -'use strict'; -var classof = require('../../internals/classof'); -var hasOwn = require('../../internals/has-own-property'); -var isPrototypeOf = require('../../internals/object-is-prototype-of'); -var method = require('../array/virtual/for-each'); -require('../../modules/web.dom-collections.for-each'); - -var ArrayPrototype = Array.prototype; - -var DOMIterables = { - DOMTokenList: true, - NodeList: true -}; - -module.exports = function (it) { - var own = it.forEach; - return it === ArrayPrototype || (isPrototypeOf(ArrayPrototype, it) && own === ArrayPrototype.forEach) - || hasOwn(DOMIterables, classof(it)) ? method : own; -}; diff --git a/node_modules/core-js/stable/instance/includes.js b/node_modules/core-js/stable/instance/includes.js deleted file mode 100644 index 45283f2..0000000 --- a/node_modules/core-js/stable/instance/includes.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../es/instance/includes'); - -module.exports = parent; diff --git a/node_modules/core-js/stable/instance/index-of.js b/node_modules/core-js/stable/instance/index-of.js deleted file mode 100644 index 89c0daf..0000000 --- a/node_modules/core-js/stable/instance/index-of.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../es/instance/index-of'); - -module.exports = parent; diff --git a/node_modules/core-js/stable/instance/is-well-formed.js b/node_modules/core-js/stable/instance/is-well-formed.js deleted file mode 100644 index 292abd9..0000000 --- a/node_modules/core-js/stable/instance/is-well-formed.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../es/instance/is-well-formed'); - -module.exports = parent; diff --git a/node_modules/core-js/stable/instance/keys.js b/node_modules/core-js/stable/instance/keys.js deleted file mode 100644 index 4c00406..0000000 --- a/node_modules/core-js/stable/instance/keys.js +++ /dev/null @@ -1,19 +0,0 @@ -'use strict'; -require('../../modules/web.dom-collections.iterator'); -var classof = require('../../internals/classof'); -var hasOwn = require('../../internals/has-own-property'); -var isPrototypeOf = require('../../internals/object-is-prototype-of'); -var method = require('../array/virtual/keys'); - -var ArrayPrototype = Array.prototype; - -var DOMIterables = { - DOMTokenList: true, - NodeList: true -}; - -module.exports = function (it) { - var own = it.keys; - return it === ArrayPrototype || (isPrototypeOf(ArrayPrototype, it) && own === ArrayPrototype.keys) - || hasOwn(DOMIterables, classof(it)) ? method : own; -}; diff --git a/node_modules/core-js/stable/instance/last-index-of.js b/node_modules/core-js/stable/instance/last-index-of.js deleted file mode 100644 index f14f8c1..0000000 --- a/node_modules/core-js/stable/instance/last-index-of.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../es/instance/last-index-of'); - -module.exports = parent; diff --git a/node_modules/core-js/stable/instance/map.js b/node_modules/core-js/stable/instance/map.js deleted file mode 100644 index 1b521b0..0000000 --- a/node_modules/core-js/stable/instance/map.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../es/instance/map'); - -module.exports = parent; diff --git a/node_modules/core-js/stable/instance/match-all.js b/node_modules/core-js/stable/instance/match-all.js deleted file mode 100644 index 28e68ae..0000000 --- a/node_modules/core-js/stable/instance/match-all.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../es/instance/match-all'); - -module.exports = parent; diff --git a/node_modules/core-js/stable/instance/pad-end.js b/node_modules/core-js/stable/instance/pad-end.js deleted file mode 100644 index d0b4870..0000000 --- a/node_modules/core-js/stable/instance/pad-end.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../es/instance/pad-end'); - -module.exports = parent; diff --git a/node_modules/core-js/stable/instance/pad-start.js b/node_modules/core-js/stable/instance/pad-start.js deleted file mode 100644 index d41f8f0..0000000 --- a/node_modules/core-js/stable/instance/pad-start.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../es/instance/pad-start'); - -module.exports = parent; diff --git a/node_modules/core-js/stable/instance/push.js b/node_modules/core-js/stable/instance/push.js deleted file mode 100644 index 674250a..0000000 --- a/node_modules/core-js/stable/instance/push.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../es/instance/push'); - -module.exports = parent; diff --git a/node_modules/core-js/stable/instance/reduce-right.js b/node_modules/core-js/stable/instance/reduce-right.js deleted file mode 100644 index fd485df..0000000 --- a/node_modules/core-js/stable/instance/reduce-right.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../es/instance/reduce-right'); - -module.exports = parent; diff --git a/node_modules/core-js/stable/instance/reduce.js b/node_modules/core-js/stable/instance/reduce.js deleted file mode 100644 index 02f72cb..0000000 --- a/node_modules/core-js/stable/instance/reduce.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../es/instance/reduce'); - -module.exports = parent; diff --git a/node_modules/core-js/stable/instance/repeat.js b/node_modules/core-js/stable/instance/repeat.js deleted file mode 100644 index 8105699..0000000 --- a/node_modules/core-js/stable/instance/repeat.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../es/instance/repeat'); - -module.exports = parent; diff --git a/node_modules/core-js/stable/instance/replace-all.js b/node_modules/core-js/stable/instance/replace-all.js deleted file mode 100644 index a1fcbb0..0000000 --- a/node_modules/core-js/stable/instance/replace-all.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../es/instance/replace-all'); - -module.exports = parent; diff --git a/node_modules/core-js/stable/instance/reverse.js b/node_modules/core-js/stable/instance/reverse.js deleted file mode 100644 index 622325a..0000000 --- a/node_modules/core-js/stable/instance/reverse.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../es/instance/reverse'); - -module.exports = parent; diff --git a/node_modules/core-js/stable/instance/slice.js b/node_modules/core-js/stable/instance/slice.js deleted file mode 100644 index d264907..0000000 --- a/node_modules/core-js/stable/instance/slice.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../es/instance/slice'); - -module.exports = parent; diff --git a/node_modules/core-js/stable/instance/some.js b/node_modules/core-js/stable/instance/some.js deleted file mode 100644 index 4578f7f..0000000 --- a/node_modules/core-js/stable/instance/some.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../es/instance/some'); - -module.exports = parent; diff --git a/node_modules/core-js/stable/instance/sort.js b/node_modules/core-js/stable/instance/sort.js deleted file mode 100644 index 214fa8f..0000000 --- a/node_modules/core-js/stable/instance/sort.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../es/instance/sort'); - -module.exports = parent; diff --git a/node_modules/core-js/stable/instance/splice.js b/node_modules/core-js/stable/instance/splice.js deleted file mode 100644 index 9f97f89..0000000 --- a/node_modules/core-js/stable/instance/splice.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../es/instance/splice'); - -module.exports = parent; diff --git a/node_modules/core-js/stable/instance/starts-with.js b/node_modules/core-js/stable/instance/starts-with.js deleted file mode 100644 index 907985d..0000000 --- a/node_modules/core-js/stable/instance/starts-with.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../es/instance/starts-with'); - -module.exports = parent; diff --git a/node_modules/core-js/stable/instance/to-reversed.js b/node_modules/core-js/stable/instance/to-reversed.js deleted file mode 100644 index 7464291..0000000 --- a/node_modules/core-js/stable/instance/to-reversed.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../es/instance/to-reversed'); - -module.exports = parent; diff --git a/node_modules/core-js/stable/instance/to-sorted.js b/node_modules/core-js/stable/instance/to-sorted.js deleted file mode 100644 index d4d8ca7..0000000 --- a/node_modules/core-js/stable/instance/to-sorted.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../es/instance/to-sorted'); - -module.exports = parent; diff --git a/node_modules/core-js/stable/instance/to-spliced.js b/node_modules/core-js/stable/instance/to-spliced.js deleted file mode 100644 index 68a32bd..0000000 --- a/node_modules/core-js/stable/instance/to-spliced.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../es/instance/to-spliced'); - -module.exports = parent; diff --git a/node_modules/core-js/stable/instance/to-well-formed.js b/node_modules/core-js/stable/instance/to-well-formed.js deleted file mode 100644 index a3177e3..0000000 --- a/node_modules/core-js/stable/instance/to-well-formed.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../es/instance/to-well-formed'); - -module.exports = parent; diff --git a/node_modules/core-js/stable/instance/trim-end.js b/node_modules/core-js/stable/instance/trim-end.js deleted file mode 100644 index e16a862..0000000 --- a/node_modules/core-js/stable/instance/trim-end.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../es/instance/trim-end'); - -module.exports = parent; diff --git a/node_modules/core-js/stable/instance/trim-left.js b/node_modules/core-js/stable/instance/trim-left.js deleted file mode 100644 index 3d60632..0000000 --- a/node_modules/core-js/stable/instance/trim-left.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../es/instance/trim-left'); - -module.exports = parent; diff --git a/node_modules/core-js/stable/instance/trim-right.js b/node_modules/core-js/stable/instance/trim-right.js deleted file mode 100644 index ad81d59..0000000 --- a/node_modules/core-js/stable/instance/trim-right.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../es/instance/trim-right'); - -module.exports = parent; diff --git a/node_modules/core-js/stable/instance/trim-start.js b/node_modules/core-js/stable/instance/trim-start.js deleted file mode 100644 index 7877fbe..0000000 --- a/node_modules/core-js/stable/instance/trim-start.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../es/instance/trim-start'); - -module.exports = parent; diff --git a/node_modules/core-js/stable/instance/trim.js b/node_modules/core-js/stable/instance/trim.js deleted file mode 100644 index 008afe4..0000000 --- a/node_modules/core-js/stable/instance/trim.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../es/instance/trim'); - -module.exports = parent; diff --git a/node_modules/core-js/stable/instance/unshift.js b/node_modules/core-js/stable/instance/unshift.js deleted file mode 100644 index 178cfc9..0000000 --- a/node_modules/core-js/stable/instance/unshift.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../es/instance/unshift'); - -module.exports = parent; diff --git a/node_modules/core-js/stable/instance/values.js b/node_modules/core-js/stable/instance/values.js deleted file mode 100644 index 0ef7685..0000000 --- a/node_modules/core-js/stable/instance/values.js +++ /dev/null @@ -1,19 +0,0 @@ -'use strict'; -require('../../modules/web.dom-collections.iterator'); -var classof = require('../../internals/classof'); -var hasOwn = require('../../internals/has-own-property'); -var isPrototypeOf = require('../../internals/object-is-prototype-of'); -var method = require('../array/virtual/values'); - -var ArrayPrototype = Array.prototype; - -var DOMIterables = { - DOMTokenList: true, - NodeList: true -}; - -module.exports = function (it) { - var own = it.values; - return it === ArrayPrototype || (isPrototypeOf(ArrayPrototype, it) && own === ArrayPrototype.values) - || hasOwn(DOMIterables, classof(it)) ? method : own; -}; diff --git a/node_modules/core-js/stable/instance/with.js b/node_modules/core-js/stable/instance/with.js deleted file mode 100644 index 1994520..0000000 --- a/node_modules/core-js/stable/instance/with.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../es/instance/with'); - -module.exports = parent; diff --git a/node_modules/core-js/stable/is-iterable.js b/node_modules/core-js/stable/is-iterable.js deleted file mode 100644 index 8b5315a..0000000 --- a/node_modules/core-js/stable/is-iterable.js +++ /dev/null @@ -1,5 +0,0 @@ -'use strict'; -var parent = require('../es/is-iterable'); -require('../modules/web.dom-collections.iterator'); - -module.exports = parent; diff --git a/node_modules/core-js/stable/json/index.js b/node_modules/core-js/stable/json/index.js deleted file mode 100644 index 8cd8376..0000000 --- a/node_modules/core-js/stable/json/index.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../es/json'); - -module.exports = parent; diff --git a/node_modules/core-js/stable/json/stringify.js b/node_modules/core-js/stable/json/stringify.js deleted file mode 100644 index ef87865..0000000 --- a/node_modules/core-js/stable/json/stringify.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../es/json/stringify'); - -module.exports = parent; diff --git a/node_modules/core-js/stable/json/to-string-tag.js b/node_modules/core-js/stable/json/to-string-tag.js deleted file mode 100644 index d2c991a..0000000 --- a/node_modules/core-js/stable/json/to-string-tag.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../es/json/to-string-tag'); - -module.exports = parent; diff --git a/node_modules/core-js/stable/map/group-by.js b/node_modules/core-js/stable/map/group-by.js deleted file mode 100644 index c7d22f0..0000000 --- a/node_modules/core-js/stable/map/group-by.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../es/map/group-by'); - -module.exports = parent; diff --git a/node_modules/core-js/stable/map/index.js b/node_modules/core-js/stable/map/index.js deleted file mode 100644 index e10edd6..0000000 --- a/node_modules/core-js/stable/map/index.js +++ /dev/null @@ -1,5 +0,0 @@ -'use strict'; -var parent = require('../../es/map'); -require('../../modules/web.dom-collections.iterator'); - -module.exports = parent; diff --git a/node_modules/core-js/stable/math/acosh.js b/node_modules/core-js/stable/math/acosh.js deleted file mode 100644 index a9206ca..0000000 --- a/node_modules/core-js/stable/math/acosh.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../es/math/acosh'); - -module.exports = parent; diff --git a/node_modules/core-js/stable/math/asinh.js b/node_modules/core-js/stable/math/asinh.js deleted file mode 100644 index c9fe44e..0000000 --- a/node_modules/core-js/stable/math/asinh.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../es/math/asinh'); - -module.exports = parent; diff --git a/node_modules/core-js/stable/math/atanh.js b/node_modules/core-js/stable/math/atanh.js deleted file mode 100644 index 47e6b33..0000000 --- a/node_modules/core-js/stable/math/atanh.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../es/math/atanh'); - -module.exports = parent; diff --git a/node_modules/core-js/stable/math/cbrt.js b/node_modules/core-js/stable/math/cbrt.js deleted file mode 100644 index ae5c1af..0000000 --- a/node_modules/core-js/stable/math/cbrt.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../es/math/cbrt'); - -module.exports = parent; diff --git a/node_modules/core-js/stable/math/clz32.js b/node_modules/core-js/stable/math/clz32.js deleted file mode 100644 index d6add6b..0000000 --- a/node_modules/core-js/stable/math/clz32.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../es/math/clz32'); - -module.exports = parent; diff --git a/node_modules/core-js/stable/math/cosh.js b/node_modules/core-js/stable/math/cosh.js deleted file mode 100644 index b54b366..0000000 --- a/node_modules/core-js/stable/math/cosh.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../es/math/cosh'); - -module.exports = parent; diff --git a/node_modules/core-js/stable/math/expm1.js b/node_modules/core-js/stable/math/expm1.js deleted file mode 100644 index b3fdc6d..0000000 --- a/node_modules/core-js/stable/math/expm1.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../es/math/expm1'); - -module.exports = parent; diff --git a/node_modules/core-js/stable/math/fround.js b/node_modules/core-js/stable/math/fround.js deleted file mode 100644 index 8399b9e..0000000 --- a/node_modules/core-js/stable/math/fround.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../es/math/fround'); - -module.exports = parent; diff --git a/node_modules/core-js/stable/math/hypot.js b/node_modules/core-js/stable/math/hypot.js deleted file mode 100644 index f26138c..0000000 --- a/node_modules/core-js/stable/math/hypot.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../es/math/hypot'); - -module.exports = parent; diff --git a/node_modules/core-js/stable/math/imul.js b/node_modules/core-js/stable/math/imul.js deleted file mode 100644 index 5302d3b..0000000 --- a/node_modules/core-js/stable/math/imul.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../es/math/imul'); - -module.exports = parent; diff --git a/node_modules/core-js/stable/math/index.js b/node_modules/core-js/stable/math/index.js deleted file mode 100644 index 370efca..0000000 --- a/node_modules/core-js/stable/math/index.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../es/math'); - -module.exports = parent; diff --git a/node_modules/core-js/stable/math/log10.js b/node_modules/core-js/stable/math/log10.js deleted file mode 100644 index 68e82b2..0000000 --- a/node_modules/core-js/stable/math/log10.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../es/math/log10'); - -module.exports = parent; diff --git a/node_modules/core-js/stable/math/log1p.js b/node_modules/core-js/stable/math/log1p.js deleted file mode 100644 index f24450a..0000000 --- a/node_modules/core-js/stable/math/log1p.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../es/math/log1p'); - -module.exports = parent; diff --git a/node_modules/core-js/stable/math/log2.js b/node_modules/core-js/stable/math/log2.js deleted file mode 100644 index 264193a..0000000 --- a/node_modules/core-js/stable/math/log2.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../es/math/log2'); - -module.exports = parent; diff --git a/node_modules/core-js/stable/math/sign.js b/node_modules/core-js/stable/math/sign.js deleted file mode 100644 index 7ff2658..0000000 --- a/node_modules/core-js/stable/math/sign.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../es/math/sign'); - -module.exports = parent; diff --git a/node_modules/core-js/stable/math/sinh.js b/node_modules/core-js/stable/math/sinh.js deleted file mode 100644 index 9b426d4..0000000 --- a/node_modules/core-js/stable/math/sinh.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../es/math/sinh'); - -module.exports = parent; diff --git a/node_modules/core-js/stable/math/tanh.js b/node_modules/core-js/stable/math/tanh.js deleted file mode 100644 index 00dd5b7..0000000 --- a/node_modules/core-js/stable/math/tanh.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../es/math/tanh'); - -module.exports = parent; diff --git a/node_modules/core-js/stable/math/to-string-tag.js b/node_modules/core-js/stable/math/to-string-tag.js deleted file mode 100644 index 89d59d3..0000000 --- a/node_modules/core-js/stable/math/to-string-tag.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../es/math/to-string-tag'); - -module.exports = parent; diff --git a/node_modules/core-js/stable/math/trunc.js b/node_modules/core-js/stable/math/trunc.js deleted file mode 100644 index 3fc8041..0000000 --- a/node_modules/core-js/stable/math/trunc.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../es/math/trunc'); - -module.exports = parent; diff --git a/node_modules/core-js/stable/number/constructor.js b/node_modules/core-js/stable/number/constructor.js deleted file mode 100644 index faf98bb..0000000 --- a/node_modules/core-js/stable/number/constructor.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../es/number/constructor'); - -module.exports = parent; diff --git a/node_modules/core-js/stable/number/epsilon.js b/node_modules/core-js/stable/number/epsilon.js deleted file mode 100644 index 70fc56c..0000000 --- a/node_modules/core-js/stable/number/epsilon.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../es/number/epsilon'); - -module.exports = parent; diff --git a/node_modules/core-js/stable/number/index.js b/node_modules/core-js/stable/number/index.js deleted file mode 100644 index c38e52d..0000000 --- a/node_modules/core-js/stable/number/index.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../es/number'); - -module.exports = parent; diff --git a/node_modules/core-js/stable/number/is-finite.js b/node_modules/core-js/stable/number/is-finite.js deleted file mode 100644 index f2641df..0000000 --- a/node_modules/core-js/stable/number/is-finite.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../es/number/is-finite'); - -module.exports = parent; diff --git a/node_modules/core-js/stable/number/is-integer.js b/node_modules/core-js/stable/number/is-integer.js deleted file mode 100644 index 2727681..0000000 --- a/node_modules/core-js/stable/number/is-integer.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../es/number/is-integer'); - -module.exports = parent; diff --git a/node_modules/core-js/stable/number/is-nan.js b/node_modules/core-js/stable/number/is-nan.js deleted file mode 100644 index a2755ce..0000000 --- a/node_modules/core-js/stable/number/is-nan.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../es/number/is-nan'); - -module.exports = parent; diff --git a/node_modules/core-js/stable/number/is-safe-integer.js b/node_modules/core-js/stable/number/is-safe-integer.js deleted file mode 100644 index e230ff7..0000000 --- a/node_modules/core-js/stable/number/is-safe-integer.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../es/number/is-safe-integer'); - -module.exports = parent; diff --git a/node_modules/core-js/stable/number/max-safe-integer.js b/node_modules/core-js/stable/number/max-safe-integer.js deleted file mode 100644 index 3615661..0000000 --- a/node_modules/core-js/stable/number/max-safe-integer.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../es/number/max-safe-integer'); - -module.exports = parent; diff --git a/node_modules/core-js/stable/number/min-safe-integer.js b/node_modules/core-js/stable/number/min-safe-integer.js deleted file mode 100644 index 3f0e6cf..0000000 --- a/node_modules/core-js/stable/number/min-safe-integer.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../es/number/min-safe-integer'); - -module.exports = parent; diff --git a/node_modules/core-js/stable/number/parse-float.js b/node_modules/core-js/stable/number/parse-float.js deleted file mode 100644 index 8557796..0000000 --- a/node_modules/core-js/stable/number/parse-float.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../es/number/parse-float'); - -module.exports = parent; diff --git a/node_modules/core-js/stable/number/parse-int.js b/node_modules/core-js/stable/number/parse-int.js deleted file mode 100644 index 41f3f3a..0000000 --- a/node_modules/core-js/stable/number/parse-int.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../es/number/parse-int'); - -module.exports = parent; diff --git a/node_modules/core-js/stable/number/to-exponential.js b/node_modules/core-js/stable/number/to-exponential.js deleted file mode 100644 index e3a3d9f..0000000 --- a/node_modules/core-js/stable/number/to-exponential.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../es/number/to-exponential'); - -module.exports = parent; diff --git a/node_modules/core-js/stable/number/to-fixed.js b/node_modules/core-js/stable/number/to-fixed.js deleted file mode 100644 index dcf510b..0000000 --- a/node_modules/core-js/stable/number/to-fixed.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../es/number/to-fixed'); - -module.exports = parent; diff --git a/node_modules/core-js/stable/number/to-precision.js b/node_modules/core-js/stable/number/to-precision.js deleted file mode 100644 index 7a7df4d..0000000 --- a/node_modules/core-js/stable/number/to-precision.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../es/number/to-precision'); - -module.exports = parent; diff --git a/node_modules/core-js/stable/number/virtual/index.js b/node_modules/core-js/stable/number/virtual/index.js deleted file mode 100644 index 66b1779..0000000 --- a/node_modules/core-js/stable/number/virtual/index.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../../es/number/virtual'); - -module.exports = parent; diff --git a/node_modules/core-js/stable/number/virtual/to-exponential.js b/node_modules/core-js/stable/number/virtual/to-exponential.js deleted file mode 100644 index 8fecaf2..0000000 --- a/node_modules/core-js/stable/number/virtual/to-exponential.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../../es/number/virtual/to-exponential'); - -module.exports = parent; diff --git a/node_modules/core-js/stable/number/virtual/to-fixed.js b/node_modules/core-js/stable/number/virtual/to-fixed.js deleted file mode 100644 index 3631cff..0000000 --- a/node_modules/core-js/stable/number/virtual/to-fixed.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../../es/number/virtual/to-fixed'); - -module.exports = parent; diff --git a/node_modules/core-js/stable/number/virtual/to-precision.js b/node_modules/core-js/stable/number/virtual/to-precision.js deleted file mode 100644 index 59d30cd..0000000 --- a/node_modules/core-js/stable/number/virtual/to-precision.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../../es/number/virtual/to-precision'); - -module.exports = parent; diff --git a/node_modules/core-js/stable/object/assign.js b/node_modules/core-js/stable/object/assign.js deleted file mode 100644 index e180c76..0000000 --- a/node_modules/core-js/stable/object/assign.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../es/object/assign'); - -module.exports = parent; diff --git a/node_modules/core-js/stable/object/create.js b/node_modules/core-js/stable/object/create.js deleted file mode 100644 index 6ca3097..0000000 --- a/node_modules/core-js/stable/object/create.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../es/object/create'); - -module.exports = parent; diff --git a/node_modules/core-js/stable/object/define-getter.js b/node_modules/core-js/stable/object/define-getter.js deleted file mode 100644 index aaee507..0000000 --- a/node_modules/core-js/stable/object/define-getter.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../es/object/define-getter'); - -module.exports = parent; diff --git a/node_modules/core-js/stable/object/define-properties.js b/node_modules/core-js/stable/object/define-properties.js deleted file mode 100644 index 6754c3b..0000000 --- a/node_modules/core-js/stable/object/define-properties.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../es/object/define-properties'); - -module.exports = parent; diff --git a/node_modules/core-js/stable/object/define-property.js b/node_modules/core-js/stable/object/define-property.js deleted file mode 100644 index 56f11d9..0000000 --- a/node_modules/core-js/stable/object/define-property.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../es/object/define-property'); - -module.exports = parent; diff --git a/node_modules/core-js/stable/object/define-setter.js b/node_modules/core-js/stable/object/define-setter.js deleted file mode 100644 index 04e8c37..0000000 --- a/node_modules/core-js/stable/object/define-setter.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../es/object/define-setter'); - -module.exports = parent; diff --git a/node_modules/core-js/stable/object/entries.js b/node_modules/core-js/stable/object/entries.js deleted file mode 100644 index 5e98513..0000000 --- a/node_modules/core-js/stable/object/entries.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../es/object/entries'); - -module.exports = parent; diff --git a/node_modules/core-js/stable/object/freeze.js b/node_modules/core-js/stable/object/freeze.js deleted file mode 100644 index 0fec058..0000000 --- a/node_modules/core-js/stable/object/freeze.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../es/object/freeze'); - -module.exports = parent; diff --git a/node_modules/core-js/stable/object/from-entries.js b/node_modules/core-js/stable/object/from-entries.js deleted file mode 100644 index 633b68c..0000000 --- a/node_modules/core-js/stable/object/from-entries.js +++ /dev/null @@ -1,5 +0,0 @@ -'use strict'; -var parent = require('../../es/object/from-entries'); -require('../../modules/web.dom-collections.iterator'); - -module.exports = parent; diff --git a/node_modules/core-js/stable/object/get-own-property-descriptor.js b/node_modules/core-js/stable/object/get-own-property-descriptor.js deleted file mode 100644 index 49e9903..0000000 --- a/node_modules/core-js/stable/object/get-own-property-descriptor.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../es/object/get-own-property-descriptor'); - -module.exports = parent; diff --git a/node_modules/core-js/stable/object/get-own-property-descriptors.js b/node_modules/core-js/stable/object/get-own-property-descriptors.js deleted file mode 100644 index 081f759..0000000 --- a/node_modules/core-js/stable/object/get-own-property-descriptors.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../es/object/get-own-property-descriptors'); - -module.exports = parent; diff --git a/node_modules/core-js/stable/object/get-own-property-names.js b/node_modules/core-js/stable/object/get-own-property-names.js deleted file mode 100644 index fcec1fd..0000000 --- a/node_modules/core-js/stable/object/get-own-property-names.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../es/object/get-own-property-names'); - -module.exports = parent; diff --git a/node_modules/core-js/stable/object/get-own-property-symbols.js b/node_modules/core-js/stable/object/get-own-property-symbols.js deleted file mode 100644 index 1585fdc..0000000 --- a/node_modules/core-js/stable/object/get-own-property-symbols.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../es/object/get-own-property-symbols'); - -module.exports = parent; diff --git a/node_modules/core-js/stable/object/get-prototype-of.js b/node_modules/core-js/stable/object/get-prototype-of.js deleted file mode 100644 index 46bfd2d..0000000 --- a/node_modules/core-js/stable/object/get-prototype-of.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../es/object/get-prototype-of'); - -module.exports = parent; diff --git a/node_modules/core-js/stable/object/group-by.js b/node_modules/core-js/stable/object/group-by.js deleted file mode 100644 index c6163a5..0000000 --- a/node_modules/core-js/stable/object/group-by.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../es/object/group-by'); - -module.exports = parent; diff --git a/node_modules/core-js/stable/object/has-own.js b/node_modules/core-js/stable/object/has-own.js deleted file mode 100644 index dd2002d..0000000 --- a/node_modules/core-js/stable/object/has-own.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../es/object/has-own'); - -module.exports = parent; diff --git a/node_modules/core-js/stable/object/index.js b/node_modules/core-js/stable/object/index.js deleted file mode 100644 index bd849dc..0000000 --- a/node_modules/core-js/stable/object/index.js +++ /dev/null @@ -1,5 +0,0 @@ -'use strict'; -var parent = require('../../es/object'); -require('../../modules/web.dom-collections.iterator'); - -module.exports = parent; diff --git a/node_modules/core-js/stable/object/is-extensible.js b/node_modules/core-js/stable/object/is-extensible.js deleted file mode 100644 index f7de1a4..0000000 --- a/node_modules/core-js/stable/object/is-extensible.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../es/object/is-extensible'); - -module.exports = parent; diff --git a/node_modules/core-js/stable/object/is-frozen.js b/node_modules/core-js/stable/object/is-frozen.js deleted file mode 100644 index 39a4493..0000000 --- a/node_modules/core-js/stable/object/is-frozen.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../es/object/is-frozen'); - -module.exports = parent; diff --git a/node_modules/core-js/stable/object/is-sealed.js b/node_modules/core-js/stable/object/is-sealed.js deleted file mode 100644 index 3be1ca9..0000000 --- a/node_modules/core-js/stable/object/is-sealed.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../es/object/is-sealed'); - -module.exports = parent; diff --git a/node_modules/core-js/stable/object/is.js b/node_modules/core-js/stable/object/is.js deleted file mode 100644 index 5aebdf8..0000000 --- a/node_modules/core-js/stable/object/is.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../es/object/is'); - -module.exports = parent; diff --git a/node_modules/core-js/stable/object/keys.js b/node_modules/core-js/stable/object/keys.js deleted file mode 100644 index 74e942e..0000000 --- a/node_modules/core-js/stable/object/keys.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../es/object/keys'); - -module.exports = parent; diff --git a/node_modules/core-js/stable/object/lookup-getter.js b/node_modules/core-js/stable/object/lookup-getter.js deleted file mode 100644 index ae21d75..0000000 --- a/node_modules/core-js/stable/object/lookup-getter.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../es/object/lookup-getter'); - -module.exports = parent; diff --git a/node_modules/core-js/stable/object/lookup-setter.js b/node_modules/core-js/stable/object/lookup-setter.js deleted file mode 100644 index c015585..0000000 --- a/node_modules/core-js/stable/object/lookup-setter.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../es/object/lookup-setter'); - -module.exports = parent; diff --git a/node_modules/core-js/stable/object/prevent-extensions.js b/node_modules/core-js/stable/object/prevent-extensions.js deleted file mode 100644 index a673c7c..0000000 --- a/node_modules/core-js/stable/object/prevent-extensions.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../es/object/prevent-extensions'); - -module.exports = parent; diff --git a/node_modules/core-js/stable/object/proto.js b/node_modules/core-js/stable/object/proto.js deleted file mode 100644 index 8c9f1b8..0000000 --- a/node_modules/core-js/stable/object/proto.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../es/object/proto'); - -module.exports = parent; diff --git a/node_modules/core-js/stable/object/seal.js b/node_modules/core-js/stable/object/seal.js deleted file mode 100644 index 87755d3..0000000 --- a/node_modules/core-js/stable/object/seal.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../es/object/seal'); - -module.exports = parent; diff --git a/node_modules/core-js/stable/object/set-prototype-of.js b/node_modules/core-js/stable/object/set-prototype-of.js deleted file mode 100644 index cb5a173..0000000 --- a/node_modules/core-js/stable/object/set-prototype-of.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../es/object/set-prototype-of'); - -module.exports = parent; diff --git a/node_modules/core-js/stable/object/to-string.js b/node_modules/core-js/stable/object/to-string.js deleted file mode 100644 index a8d0abd..0000000 --- a/node_modules/core-js/stable/object/to-string.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../es/object/to-string'); - -module.exports = parent; diff --git a/node_modules/core-js/stable/object/values.js b/node_modules/core-js/stable/object/values.js deleted file mode 100644 index 3052e58..0000000 --- a/node_modules/core-js/stable/object/values.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../es/object/values'); - -module.exports = parent; diff --git a/node_modules/core-js/stable/parse-float.js b/node_modules/core-js/stable/parse-float.js deleted file mode 100644 index 2b0eae0..0000000 --- a/node_modules/core-js/stable/parse-float.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../es/parse-float'); - -module.exports = parent; diff --git a/node_modules/core-js/stable/parse-int.js b/node_modules/core-js/stable/parse-int.js deleted file mode 100644 index d8c07fd..0000000 --- a/node_modules/core-js/stable/parse-int.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../es/parse-int'); - -module.exports = parent; diff --git a/node_modules/core-js/stable/promise/all-settled.js b/node_modules/core-js/stable/promise/all-settled.js deleted file mode 100644 index d1e211b..0000000 --- a/node_modules/core-js/stable/promise/all-settled.js +++ /dev/null @@ -1,5 +0,0 @@ -'use strict'; -var parent = require('../../es/promise/all-settled'); -require('../../modules/web.dom-collections.iterator'); - -module.exports = parent; diff --git a/node_modules/core-js/stable/promise/any.js b/node_modules/core-js/stable/promise/any.js deleted file mode 100644 index 63482c8..0000000 --- a/node_modules/core-js/stable/promise/any.js +++ /dev/null @@ -1,5 +0,0 @@ -'use strict'; -var parent = require('../../es/promise/any'); -require('../../modules/web.dom-collections.iterator'); - -module.exports = parent; diff --git a/node_modules/core-js/stable/promise/finally.js b/node_modules/core-js/stable/promise/finally.js deleted file mode 100644 index 25a5f2c..0000000 --- a/node_modules/core-js/stable/promise/finally.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../es/promise/finally'); - -module.exports = parent; diff --git a/node_modules/core-js/stable/promise/index.js b/node_modules/core-js/stable/promise/index.js deleted file mode 100644 index cc69685..0000000 --- a/node_modules/core-js/stable/promise/index.js +++ /dev/null @@ -1,5 +0,0 @@ -'use strict'; -var parent = require('../../es/promise'); -require('../../modules/web.dom-collections.iterator'); - -module.exports = parent; diff --git a/node_modules/core-js/stable/promise/with-resolvers.js b/node_modules/core-js/stable/promise/with-resolvers.js deleted file mode 100644 index 5ea677d..0000000 --- a/node_modules/core-js/stable/promise/with-resolvers.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../es/promise/with-resolvers'); - -module.exports = parent; diff --git a/node_modules/core-js/stable/queue-microtask.js b/node_modules/core-js/stable/queue-microtask.js deleted file mode 100644 index 9d07e2e..0000000 --- a/node_modules/core-js/stable/queue-microtask.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../web/queue-microtask'); - -module.exports = parent; diff --git a/node_modules/core-js/stable/reflect/apply.js b/node_modules/core-js/stable/reflect/apply.js deleted file mode 100644 index 94994e3..0000000 --- a/node_modules/core-js/stable/reflect/apply.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../es/reflect/apply'); - -module.exports = parent; diff --git a/node_modules/core-js/stable/reflect/construct.js b/node_modules/core-js/stable/reflect/construct.js deleted file mode 100644 index 72f669d..0000000 --- a/node_modules/core-js/stable/reflect/construct.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../es/reflect/construct'); - -module.exports = parent; diff --git a/node_modules/core-js/stable/reflect/define-property.js b/node_modules/core-js/stable/reflect/define-property.js deleted file mode 100644 index f98593a..0000000 --- a/node_modules/core-js/stable/reflect/define-property.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../es/reflect/define-property'); - -module.exports = parent; diff --git a/node_modules/core-js/stable/reflect/delete-property.js b/node_modules/core-js/stable/reflect/delete-property.js deleted file mode 100644 index 1bd3f86..0000000 --- a/node_modules/core-js/stable/reflect/delete-property.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../es/reflect/delete-property'); - -module.exports = parent; diff --git a/node_modules/core-js/stable/reflect/get-own-property-descriptor.js b/node_modules/core-js/stable/reflect/get-own-property-descriptor.js deleted file mode 100644 index 96cd6d9..0000000 --- a/node_modules/core-js/stable/reflect/get-own-property-descriptor.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../es/reflect/get-own-property-descriptor'); - -module.exports = parent; diff --git a/node_modules/core-js/stable/reflect/get-prototype-of.js b/node_modules/core-js/stable/reflect/get-prototype-of.js deleted file mode 100644 index ae5fa57..0000000 --- a/node_modules/core-js/stable/reflect/get-prototype-of.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../es/reflect/get-prototype-of'); - -module.exports = parent; diff --git a/node_modules/core-js/stable/reflect/get.js b/node_modules/core-js/stable/reflect/get.js deleted file mode 100644 index a342e12..0000000 --- a/node_modules/core-js/stable/reflect/get.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../es/reflect/get'); - -module.exports = parent; diff --git a/node_modules/core-js/stable/reflect/has.js b/node_modules/core-js/stable/reflect/has.js deleted file mode 100644 index fcbf333..0000000 --- a/node_modules/core-js/stable/reflect/has.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../es/reflect/has'); - -module.exports = parent; diff --git a/node_modules/core-js/stable/reflect/index.js b/node_modules/core-js/stable/reflect/index.js deleted file mode 100644 index c8cb648..0000000 --- a/node_modules/core-js/stable/reflect/index.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../es/reflect'); - -module.exports = parent; diff --git a/node_modules/core-js/stable/reflect/is-extensible.js b/node_modules/core-js/stable/reflect/is-extensible.js deleted file mode 100644 index 3c76f43..0000000 --- a/node_modules/core-js/stable/reflect/is-extensible.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../es/reflect/is-extensible'); - -module.exports = parent; diff --git a/node_modules/core-js/stable/reflect/own-keys.js b/node_modules/core-js/stable/reflect/own-keys.js deleted file mode 100644 index 3c01f78..0000000 --- a/node_modules/core-js/stable/reflect/own-keys.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../es/reflect/own-keys'); - -module.exports = parent; diff --git a/node_modules/core-js/stable/reflect/prevent-extensions.js b/node_modules/core-js/stable/reflect/prevent-extensions.js deleted file mode 100644 index 9869cc8..0000000 --- a/node_modules/core-js/stable/reflect/prevent-extensions.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../es/reflect/prevent-extensions'); - -module.exports = parent; diff --git a/node_modules/core-js/stable/reflect/set-prototype-of.js b/node_modules/core-js/stable/reflect/set-prototype-of.js deleted file mode 100644 index 3db7ab7..0000000 --- a/node_modules/core-js/stable/reflect/set-prototype-of.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../es/reflect/set-prototype-of'); - -module.exports = parent; diff --git a/node_modules/core-js/stable/reflect/set.js b/node_modules/core-js/stable/reflect/set.js deleted file mode 100644 index 894287b..0000000 --- a/node_modules/core-js/stable/reflect/set.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../es/reflect/set'); - -module.exports = parent; diff --git a/node_modules/core-js/stable/reflect/to-string-tag.js b/node_modules/core-js/stable/reflect/to-string-tag.js deleted file mode 100644 index 3908aff..0000000 --- a/node_modules/core-js/stable/reflect/to-string-tag.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -require('../../modules/es.reflect.to-string-tag'); - -module.exports = 'Reflect'; diff --git a/node_modules/core-js/stable/regexp/constructor.js b/node_modules/core-js/stable/regexp/constructor.js deleted file mode 100644 index fc090d0..0000000 --- a/node_modules/core-js/stable/regexp/constructor.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../es/regexp/constructor'); - -module.exports = parent; diff --git a/node_modules/core-js/stable/regexp/dot-all.js b/node_modules/core-js/stable/regexp/dot-all.js deleted file mode 100644 index ea55b60..0000000 --- a/node_modules/core-js/stable/regexp/dot-all.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../es/regexp/dot-all'); - -module.exports = parent; diff --git a/node_modules/core-js/stable/regexp/flags.js b/node_modules/core-js/stable/regexp/flags.js deleted file mode 100644 index 780fac2..0000000 --- a/node_modules/core-js/stable/regexp/flags.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../es/regexp/flags'); - -module.exports = parent; diff --git a/node_modules/core-js/stable/regexp/index.js b/node_modules/core-js/stable/regexp/index.js deleted file mode 100644 index 72e616c..0000000 --- a/node_modules/core-js/stable/regexp/index.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../es/regexp'); - -module.exports = parent; diff --git a/node_modules/core-js/stable/regexp/match.js b/node_modules/core-js/stable/regexp/match.js deleted file mode 100644 index f7d5d0d..0000000 --- a/node_modules/core-js/stable/regexp/match.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../es/regexp/match'); - -module.exports = parent; diff --git a/node_modules/core-js/stable/regexp/replace.js b/node_modules/core-js/stable/regexp/replace.js deleted file mode 100644 index 0775092..0000000 --- a/node_modules/core-js/stable/regexp/replace.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../es/regexp/replace'); - -module.exports = parent; diff --git a/node_modules/core-js/stable/regexp/search.js b/node_modules/core-js/stable/regexp/search.js deleted file mode 100644 index f4fb6b7..0000000 --- a/node_modules/core-js/stable/regexp/search.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../es/regexp/search'); - -module.exports = parent; diff --git a/node_modules/core-js/stable/regexp/split.js b/node_modules/core-js/stable/regexp/split.js deleted file mode 100644 index 4dda86a..0000000 --- a/node_modules/core-js/stable/regexp/split.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../es/regexp/split'); - -module.exports = parent; diff --git a/node_modules/core-js/stable/regexp/sticky.js b/node_modules/core-js/stable/regexp/sticky.js deleted file mode 100644 index 7897bd6..0000000 --- a/node_modules/core-js/stable/regexp/sticky.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../es/regexp/sticky'); - -module.exports = parent; diff --git a/node_modules/core-js/stable/regexp/test.js b/node_modules/core-js/stable/regexp/test.js deleted file mode 100644 index 2fbef7b..0000000 --- a/node_modules/core-js/stable/regexp/test.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../es/regexp/test'); - -module.exports = parent; diff --git a/node_modules/core-js/stable/regexp/to-string.js b/node_modules/core-js/stable/regexp/to-string.js deleted file mode 100644 index edf2c0e..0000000 --- a/node_modules/core-js/stable/regexp/to-string.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../es/regexp/to-string'); - -module.exports = parent; diff --git a/node_modules/core-js/stable/self.js b/node_modules/core-js/stable/self.js deleted file mode 100644 index b4850ee..0000000 --- a/node_modules/core-js/stable/self.js +++ /dev/null @@ -1,5 +0,0 @@ -'use strict'; -require('../modules/web.self'); -var path = require('../internals/path'); - -module.exports = path.self; diff --git a/node_modules/core-js/stable/set-immediate.js b/node_modules/core-js/stable/set-immediate.js deleted file mode 100644 index 379b982..0000000 --- a/node_modules/core-js/stable/set-immediate.js +++ /dev/null @@ -1,5 +0,0 @@ -'use strict'; -require('../modules/web.immediate'); -var path = require('../internals/path'); - -module.exports = path.setImmediate; diff --git a/node_modules/core-js/stable/set-interval.js b/node_modules/core-js/stable/set-interval.js deleted file mode 100644 index b49aca5..0000000 --- a/node_modules/core-js/stable/set-interval.js +++ /dev/null @@ -1,5 +0,0 @@ -'use strict'; -require('../modules/web.timers'); -var path = require('../internals/path'); - -module.exports = path.setInterval; diff --git a/node_modules/core-js/stable/set-timeout.js b/node_modules/core-js/stable/set-timeout.js deleted file mode 100644 index e178923..0000000 --- a/node_modules/core-js/stable/set-timeout.js +++ /dev/null @@ -1,5 +0,0 @@ -'use strict'; -require('../modules/web.timers'); -var path = require('../internals/path'); - -module.exports = path.setTimeout; diff --git a/node_modules/core-js/stable/set/index.js b/node_modules/core-js/stable/set/index.js deleted file mode 100644 index b7e35e4..0000000 --- a/node_modules/core-js/stable/set/index.js +++ /dev/null @@ -1,5 +0,0 @@ -'use strict'; -var parent = require('../../es/set'); -require('../../modules/web.dom-collections.iterator'); - -module.exports = parent; diff --git a/node_modules/core-js/stable/string/anchor.js b/node_modules/core-js/stable/string/anchor.js deleted file mode 100644 index a17713c..0000000 --- a/node_modules/core-js/stable/string/anchor.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../es/string/anchor'); - -module.exports = parent; diff --git a/node_modules/core-js/stable/string/at.js b/node_modules/core-js/stable/string/at.js deleted file mode 100644 index 9caf17d..0000000 --- a/node_modules/core-js/stable/string/at.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../es/string/at'); - -module.exports = parent; diff --git a/node_modules/core-js/stable/string/big.js b/node_modules/core-js/stable/string/big.js deleted file mode 100644 index 9a0c1c6..0000000 --- a/node_modules/core-js/stable/string/big.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../es/string/big'); - -module.exports = parent; diff --git a/node_modules/core-js/stable/string/blink.js b/node_modules/core-js/stable/string/blink.js deleted file mode 100644 index d2b74b3..0000000 --- a/node_modules/core-js/stable/string/blink.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../es/string/blink'); - -module.exports = parent; diff --git a/node_modules/core-js/stable/string/bold.js b/node_modules/core-js/stable/string/bold.js deleted file mode 100644 index e2ca678..0000000 --- a/node_modules/core-js/stable/string/bold.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../es/string/bold'); - -module.exports = parent; diff --git a/node_modules/core-js/stable/string/code-point-at.js b/node_modules/core-js/stable/string/code-point-at.js deleted file mode 100644 index 8c2d5bb..0000000 --- a/node_modules/core-js/stable/string/code-point-at.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../es/string/code-point-at'); - -module.exports = parent; diff --git a/node_modules/core-js/stable/string/ends-with.js b/node_modules/core-js/stable/string/ends-with.js deleted file mode 100644 index f1c1778..0000000 --- a/node_modules/core-js/stable/string/ends-with.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../es/string/ends-with'); - -module.exports = parent; diff --git a/node_modules/core-js/stable/string/fixed.js b/node_modules/core-js/stable/string/fixed.js deleted file mode 100644 index b07f2d3..0000000 --- a/node_modules/core-js/stable/string/fixed.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../es/string/fixed'); - -module.exports = parent; diff --git a/node_modules/core-js/stable/string/fontcolor.js b/node_modules/core-js/stable/string/fontcolor.js deleted file mode 100644 index 781fd1e..0000000 --- a/node_modules/core-js/stable/string/fontcolor.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../es/string/fontcolor'); - -module.exports = parent; diff --git a/node_modules/core-js/stable/string/fontsize.js b/node_modules/core-js/stable/string/fontsize.js deleted file mode 100644 index a5e976a..0000000 --- a/node_modules/core-js/stable/string/fontsize.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../es/string/fontsize'); - -module.exports = parent; diff --git a/node_modules/core-js/stable/string/from-code-point.js b/node_modules/core-js/stable/string/from-code-point.js deleted file mode 100644 index 3b51dff..0000000 --- a/node_modules/core-js/stable/string/from-code-point.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../es/string/from-code-point'); - -module.exports = parent; diff --git a/node_modules/core-js/stable/string/includes.js b/node_modules/core-js/stable/string/includes.js deleted file mode 100644 index 88b14c5..0000000 --- a/node_modules/core-js/stable/string/includes.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../es/string/includes'); - -module.exports = parent; diff --git a/node_modules/core-js/stable/string/index.js b/node_modules/core-js/stable/string/index.js deleted file mode 100644 index af1bcb2..0000000 --- a/node_modules/core-js/stable/string/index.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../es/string'); - -module.exports = parent; diff --git a/node_modules/core-js/stable/string/is-well-formed.js b/node_modules/core-js/stable/string/is-well-formed.js deleted file mode 100644 index 35ba752..0000000 --- a/node_modules/core-js/stable/string/is-well-formed.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../es/string/is-well-formed'); - -module.exports = parent; diff --git a/node_modules/core-js/stable/string/italics.js b/node_modules/core-js/stable/string/italics.js deleted file mode 100644 index e3c669f..0000000 --- a/node_modules/core-js/stable/string/italics.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../es/string/italics'); - -module.exports = parent; diff --git a/node_modules/core-js/stable/string/iterator.js b/node_modules/core-js/stable/string/iterator.js deleted file mode 100644 index 1fcf858..0000000 --- a/node_modules/core-js/stable/string/iterator.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../es/string/iterator'); - -module.exports = parent; diff --git a/node_modules/core-js/stable/string/link.js b/node_modules/core-js/stable/string/link.js deleted file mode 100644 index 920ce95..0000000 --- a/node_modules/core-js/stable/string/link.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../es/string/link'); - -module.exports = parent; diff --git a/node_modules/core-js/stable/string/match-all.js b/node_modules/core-js/stable/string/match-all.js deleted file mode 100644 index 74e2588..0000000 --- a/node_modules/core-js/stable/string/match-all.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../es/string/match-all'); - -module.exports = parent; diff --git a/node_modules/core-js/stable/string/match.js b/node_modules/core-js/stable/string/match.js deleted file mode 100644 index d0c495a..0000000 --- a/node_modules/core-js/stable/string/match.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../es/string/match'); - -module.exports = parent; diff --git a/node_modules/core-js/stable/string/pad-end.js b/node_modules/core-js/stable/string/pad-end.js deleted file mode 100644 index b0b9123..0000000 --- a/node_modules/core-js/stable/string/pad-end.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../es/string/pad-end'); - -module.exports = parent; diff --git a/node_modules/core-js/stable/string/pad-start.js b/node_modules/core-js/stable/string/pad-start.js deleted file mode 100644 index cb83bd5..0000000 --- a/node_modules/core-js/stable/string/pad-start.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../es/string/pad-start'); - -module.exports = parent; diff --git a/node_modules/core-js/stable/string/raw.js b/node_modules/core-js/stable/string/raw.js deleted file mode 100644 index dbba130..0000000 --- a/node_modules/core-js/stable/string/raw.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../es/string/raw'); - -module.exports = parent; diff --git a/node_modules/core-js/stable/string/repeat.js b/node_modules/core-js/stable/string/repeat.js deleted file mode 100644 index e1aedfc..0000000 --- a/node_modules/core-js/stable/string/repeat.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../es/string/repeat'); - -module.exports = parent; diff --git a/node_modules/core-js/stable/string/replace-all.js b/node_modules/core-js/stable/string/replace-all.js deleted file mode 100644 index 8885550..0000000 --- a/node_modules/core-js/stable/string/replace-all.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../es/string/replace-all'); - -module.exports = parent; diff --git a/node_modules/core-js/stable/string/replace.js b/node_modules/core-js/stable/string/replace.js deleted file mode 100644 index d30fbeb..0000000 --- a/node_modules/core-js/stable/string/replace.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../es/string/replace'); - -module.exports = parent; diff --git a/node_modules/core-js/stable/string/search.js b/node_modules/core-js/stable/string/search.js deleted file mode 100644 index fab8643..0000000 --- a/node_modules/core-js/stable/string/search.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../es/string/search'); - -module.exports = parent; diff --git a/node_modules/core-js/stable/string/small.js b/node_modules/core-js/stable/string/small.js deleted file mode 100644 index 9ce14b6..0000000 --- a/node_modules/core-js/stable/string/small.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../es/string/small'); - -module.exports = parent; diff --git a/node_modules/core-js/stable/string/split.js b/node_modules/core-js/stable/string/split.js deleted file mode 100644 index 82e7ce2..0000000 --- a/node_modules/core-js/stable/string/split.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../es/string/split'); - -module.exports = parent; diff --git a/node_modules/core-js/stable/string/starts-with.js b/node_modules/core-js/stable/string/starts-with.js deleted file mode 100644 index 78c1716..0000000 --- a/node_modules/core-js/stable/string/starts-with.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../es/string/starts-with'); - -module.exports = parent; diff --git a/node_modules/core-js/stable/string/strike.js b/node_modules/core-js/stable/string/strike.js deleted file mode 100644 index 1bb8b81..0000000 --- a/node_modules/core-js/stable/string/strike.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../es/string/strike'); - -module.exports = parent; diff --git a/node_modules/core-js/stable/string/sub.js b/node_modules/core-js/stable/string/sub.js deleted file mode 100644 index 12a57a3..0000000 --- a/node_modules/core-js/stable/string/sub.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../es/string/sub'); - -module.exports = parent; diff --git a/node_modules/core-js/stable/string/substr.js b/node_modules/core-js/stable/string/substr.js deleted file mode 100644 index 7c7fe2d..0000000 --- a/node_modules/core-js/stable/string/substr.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../es/string/substr'); - -module.exports = parent; diff --git a/node_modules/core-js/stable/string/sup.js b/node_modules/core-js/stable/string/sup.js deleted file mode 100644 index e68750a..0000000 --- a/node_modules/core-js/stable/string/sup.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../es/string/sup'); - -module.exports = parent; diff --git a/node_modules/core-js/stable/string/to-well-formed.js b/node_modules/core-js/stable/string/to-well-formed.js deleted file mode 100644 index 6193ba7..0000000 --- a/node_modules/core-js/stable/string/to-well-formed.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../es/string/to-well-formed'); - -module.exports = parent; diff --git a/node_modules/core-js/stable/string/trim-end.js b/node_modules/core-js/stable/string/trim-end.js deleted file mode 100644 index 1088705..0000000 --- a/node_modules/core-js/stable/string/trim-end.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../es/string/trim-end'); - -module.exports = parent; diff --git a/node_modules/core-js/stable/string/trim-left.js b/node_modules/core-js/stable/string/trim-left.js deleted file mode 100644 index 1909d02..0000000 --- a/node_modules/core-js/stable/string/trim-left.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../es/string/trim-left'); - -module.exports = parent; diff --git a/node_modules/core-js/stable/string/trim-right.js b/node_modules/core-js/stable/string/trim-right.js deleted file mode 100644 index 37aa068..0000000 --- a/node_modules/core-js/stable/string/trim-right.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../es/string/trim-right'); - -module.exports = parent; diff --git a/node_modules/core-js/stable/string/trim-start.js b/node_modules/core-js/stable/string/trim-start.js deleted file mode 100644 index 47b5d42..0000000 --- a/node_modules/core-js/stable/string/trim-start.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../es/string/trim-start'); - -module.exports = parent; diff --git a/node_modules/core-js/stable/string/trim.js b/node_modules/core-js/stable/string/trim.js deleted file mode 100644 index 6db2e8f..0000000 --- a/node_modules/core-js/stable/string/trim.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../es/string/trim'); - -module.exports = parent; diff --git a/node_modules/core-js/stable/string/virtual/anchor.js b/node_modules/core-js/stable/string/virtual/anchor.js deleted file mode 100644 index 867aaa1..0000000 --- a/node_modules/core-js/stable/string/virtual/anchor.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../../es/string/virtual/anchor'); - -module.exports = parent; diff --git a/node_modules/core-js/stable/string/virtual/at.js b/node_modules/core-js/stable/string/virtual/at.js deleted file mode 100644 index f0b8c65..0000000 --- a/node_modules/core-js/stable/string/virtual/at.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../../es/string/virtual/at'); - -module.exports = parent; diff --git a/node_modules/core-js/stable/string/virtual/big.js b/node_modules/core-js/stable/string/virtual/big.js deleted file mode 100644 index 1874027..0000000 --- a/node_modules/core-js/stable/string/virtual/big.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../../es/string/virtual/big'); - -module.exports = parent; diff --git a/node_modules/core-js/stable/string/virtual/blink.js b/node_modules/core-js/stable/string/virtual/blink.js deleted file mode 100644 index acd2a76..0000000 --- a/node_modules/core-js/stable/string/virtual/blink.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../../es/string/virtual/blink'); - -module.exports = parent; diff --git a/node_modules/core-js/stable/string/virtual/bold.js b/node_modules/core-js/stable/string/virtual/bold.js deleted file mode 100644 index e86a6dd..0000000 --- a/node_modules/core-js/stable/string/virtual/bold.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../../es/string/virtual/bold'); - -module.exports = parent; diff --git a/node_modules/core-js/stable/string/virtual/code-point-at.js b/node_modules/core-js/stable/string/virtual/code-point-at.js deleted file mode 100644 index af25c5b..0000000 --- a/node_modules/core-js/stable/string/virtual/code-point-at.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../../es/string/virtual/code-point-at'); - -module.exports = parent; diff --git a/node_modules/core-js/stable/string/virtual/ends-with.js b/node_modules/core-js/stable/string/virtual/ends-with.js deleted file mode 100644 index 1410d8d..0000000 --- a/node_modules/core-js/stable/string/virtual/ends-with.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../../es/string/virtual/ends-with'); - -module.exports = parent; diff --git a/node_modules/core-js/stable/string/virtual/fixed.js b/node_modules/core-js/stable/string/virtual/fixed.js deleted file mode 100644 index 747f4a2..0000000 --- a/node_modules/core-js/stable/string/virtual/fixed.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../../es/string/virtual/fixed'); - -module.exports = parent; diff --git a/node_modules/core-js/stable/string/virtual/fontcolor.js b/node_modules/core-js/stable/string/virtual/fontcolor.js deleted file mode 100644 index b34881a..0000000 --- a/node_modules/core-js/stable/string/virtual/fontcolor.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../../es/string/virtual/fontcolor'); - -module.exports = parent; diff --git a/node_modules/core-js/stable/string/virtual/fontsize.js b/node_modules/core-js/stable/string/virtual/fontsize.js deleted file mode 100644 index a8de306..0000000 --- a/node_modules/core-js/stable/string/virtual/fontsize.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../../es/string/virtual/fontsize'); - -module.exports = parent; diff --git a/node_modules/core-js/stable/string/virtual/includes.js b/node_modules/core-js/stable/string/virtual/includes.js deleted file mode 100644 index 82d2a8f..0000000 --- a/node_modules/core-js/stable/string/virtual/includes.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../../es/string/virtual/includes'); - -module.exports = parent; diff --git a/node_modules/core-js/stable/string/virtual/index.js b/node_modules/core-js/stable/string/virtual/index.js deleted file mode 100644 index 17e0666..0000000 --- a/node_modules/core-js/stable/string/virtual/index.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../../es/string/virtual'); - -module.exports = parent; diff --git a/node_modules/core-js/stable/string/virtual/is-well-formed.js b/node_modules/core-js/stable/string/virtual/is-well-formed.js deleted file mode 100644 index ca3313f..0000000 --- a/node_modules/core-js/stable/string/virtual/is-well-formed.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../../es/string/virtual/is-well-formed'); - -module.exports = parent; diff --git a/node_modules/core-js/stable/string/virtual/italics.js b/node_modules/core-js/stable/string/virtual/italics.js deleted file mode 100644 index 9652df0..0000000 --- a/node_modules/core-js/stable/string/virtual/italics.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../../es/string/virtual/italics'); - -module.exports = parent; diff --git a/node_modules/core-js/stable/string/virtual/iterator.js b/node_modules/core-js/stable/string/virtual/iterator.js deleted file mode 100644 index 56dab13..0000000 --- a/node_modules/core-js/stable/string/virtual/iterator.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../../es/string/virtual/iterator'); - -module.exports = parent; diff --git a/node_modules/core-js/stable/string/virtual/link.js b/node_modules/core-js/stable/string/virtual/link.js deleted file mode 100644 index 133c425..0000000 --- a/node_modules/core-js/stable/string/virtual/link.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../../es/string/virtual/link'); - -module.exports = parent; diff --git a/node_modules/core-js/stable/string/virtual/match-all.js b/node_modules/core-js/stable/string/virtual/match-all.js deleted file mode 100644 index 7211492..0000000 --- a/node_modules/core-js/stable/string/virtual/match-all.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../../es/string/virtual/match-all'); - -module.exports = parent; diff --git a/node_modules/core-js/stable/string/virtual/pad-end.js b/node_modules/core-js/stable/string/virtual/pad-end.js deleted file mode 100644 index bef7418..0000000 --- a/node_modules/core-js/stable/string/virtual/pad-end.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../../es/string/virtual/pad-end'); - -module.exports = parent; diff --git a/node_modules/core-js/stable/string/virtual/pad-start.js b/node_modules/core-js/stable/string/virtual/pad-start.js deleted file mode 100644 index 1b112d5..0000000 --- a/node_modules/core-js/stable/string/virtual/pad-start.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../../es/string/virtual/pad-start'); - -module.exports = parent; diff --git a/node_modules/core-js/stable/string/virtual/repeat.js b/node_modules/core-js/stable/string/virtual/repeat.js deleted file mode 100644 index 3c5bf61..0000000 --- a/node_modules/core-js/stable/string/virtual/repeat.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../../es/string/virtual/repeat'); - -module.exports = parent; diff --git a/node_modules/core-js/stable/string/virtual/replace-all.js b/node_modules/core-js/stable/string/virtual/replace-all.js deleted file mode 100644 index 0c8be0d..0000000 --- a/node_modules/core-js/stable/string/virtual/replace-all.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../../es/string/virtual/replace-all'); - -module.exports = parent; diff --git a/node_modules/core-js/stable/string/virtual/small.js b/node_modules/core-js/stable/string/virtual/small.js deleted file mode 100644 index 34c5020..0000000 --- a/node_modules/core-js/stable/string/virtual/small.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../../es/string/virtual/small'); - -module.exports = parent; diff --git a/node_modules/core-js/stable/string/virtual/starts-with.js b/node_modules/core-js/stable/string/virtual/starts-with.js deleted file mode 100644 index 81bd97d..0000000 --- a/node_modules/core-js/stable/string/virtual/starts-with.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../../es/string/virtual/starts-with'); - -module.exports = parent; diff --git a/node_modules/core-js/stable/string/virtual/strike.js b/node_modules/core-js/stable/string/virtual/strike.js deleted file mode 100644 index 2238ef5..0000000 --- a/node_modules/core-js/stable/string/virtual/strike.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../../es/string/virtual/strike'); - -module.exports = parent; diff --git a/node_modules/core-js/stable/string/virtual/sub.js b/node_modules/core-js/stable/string/virtual/sub.js deleted file mode 100644 index b6f2a5a..0000000 --- a/node_modules/core-js/stable/string/virtual/sub.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../../es/string/virtual/sub'); - -module.exports = parent; diff --git a/node_modules/core-js/stable/string/virtual/substr.js b/node_modules/core-js/stable/string/virtual/substr.js deleted file mode 100644 index a3dafd3..0000000 --- a/node_modules/core-js/stable/string/virtual/substr.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../../es/string/virtual/substr'); - -module.exports = parent; diff --git a/node_modules/core-js/stable/string/virtual/sup.js b/node_modules/core-js/stable/string/virtual/sup.js deleted file mode 100644 index 9968018..0000000 --- a/node_modules/core-js/stable/string/virtual/sup.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../../es/string/virtual/sup'); - -module.exports = parent; diff --git a/node_modules/core-js/stable/string/virtual/to-well-formed.js b/node_modules/core-js/stable/string/virtual/to-well-formed.js deleted file mode 100644 index 31f54f7..0000000 --- a/node_modules/core-js/stable/string/virtual/to-well-formed.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../../es/string/virtual/to-well-formed'); - -module.exports = parent; diff --git a/node_modules/core-js/stable/string/virtual/trim-end.js b/node_modules/core-js/stable/string/virtual/trim-end.js deleted file mode 100644 index 3f3d22c..0000000 --- a/node_modules/core-js/stable/string/virtual/trim-end.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../../es/string/virtual/trim-end'); - -module.exports = parent; diff --git a/node_modules/core-js/stable/string/virtual/trim-left.js b/node_modules/core-js/stable/string/virtual/trim-left.js deleted file mode 100644 index b44db43..0000000 --- a/node_modules/core-js/stable/string/virtual/trim-left.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../../es/string/virtual/trim-left'); - -module.exports = parent; diff --git a/node_modules/core-js/stable/string/virtual/trim-right.js b/node_modules/core-js/stable/string/virtual/trim-right.js deleted file mode 100644 index d6ed8fe..0000000 --- a/node_modules/core-js/stable/string/virtual/trim-right.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../../es/string/virtual/trim-right'); - -module.exports = parent; diff --git a/node_modules/core-js/stable/string/virtual/trim-start.js b/node_modules/core-js/stable/string/virtual/trim-start.js deleted file mode 100644 index 869c237..0000000 --- a/node_modules/core-js/stable/string/virtual/trim-start.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../../es/string/virtual/trim-start'); - -module.exports = parent; diff --git a/node_modules/core-js/stable/string/virtual/trim.js b/node_modules/core-js/stable/string/virtual/trim.js deleted file mode 100644 index 218155a..0000000 --- a/node_modules/core-js/stable/string/virtual/trim.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../../es/string/virtual/trim'); - -module.exports = parent; diff --git a/node_modules/core-js/stable/structured-clone.js b/node_modules/core-js/stable/structured-clone.js deleted file mode 100644 index 3c877c0..0000000 --- a/node_modules/core-js/stable/structured-clone.js +++ /dev/null @@ -1,14 +0,0 @@ -'use strict'; -require('../modules/es.error.to-string'); -require('../modules/es.array.iterator'); -require('../modules/es.object.keys'); -require('../modules/es.object.to-string'); -require('../modules/es.map'); -require('../modules/es.set'); -require('../modules/web.dom-exception.constructor'); -require('../modules/web.dom-exception.stack'); -require('../modules/web.dom-exception.to-string-tag'); -require('../modules/web.structured-clone'); -var path = require('../internals/path'); - -module.exports = path.structuredClone; diff --git a/node_modules/core-js/stable/symbol/async-iterator.js b/node_modules/core-js/stable/symbol/async-iterator.js deleted file mode 100644 index 0b51219..0000000 --- a/node_modules/core-js/stable/symbol/async-iterator.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../es/symbol/async-iterator'); - -module.exports = parent; diff --git a/node_modules/core-js/stable/symbol/description.js b/node_modules/core-js/stable/symbol/description.js deleted file mode 100644 index 299f557..0000000 --- a/node_modules/core-js/stable/symbol/description.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../es/symbol/description'); - -module.exports = parent; diff --git a/node_modules/core-js/stable/symbol/for.js b/node_modules/core-js/stable/symbol/for.js deleted file mode 100644 index ce0ec94..0000000 --- a/node_modules/core-js/stable/symbol/for.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../es/symbol/for'); - -module.exports = parent; diff --git a/node_modules/core-js/stable/symbol/has-instance.js b/node_modules/core-js/stable/symbol/has-instance.js deleted file mode 100644 index 4f3b9fd..0000000 --- a/node_modules/core-js/stable/symbol/has-instance.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../es/symbol/has-instance'); - -module.exports = parent; diff --git a/node_modules/core-js/stable/symbol/index.js b/node_modules/core-js/stable/symbol/index.js deleted file mode 100644 index 297807a..0000000 --- a/node_modules/core-js/stable/symbol/index.js +++ /dev/null @@ -1,5 +0,0 @@ -'use strict'; -var parent = require('../../es/symbol'); -require('../../modules/web.dom-collections.iterator'); - -module.exports = parent; diff --git a/node_modules/core-js/stable/symbol/is-concat-spreadable.js b/node_modules/core-js/stable/symbol/is-concat-spreadable.js deleted file mode 100644 index 342f839..0000000 --- a/node_modules/core-js/stable/symbol/is-concat-spreadable.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../es/symbol/is-concat-spreadable'); - -module.exports = parent; diff --git a/node_modules/core-js/stable/symbol/iterator.js b/node_modules/core-js/stable/symbol/iterator.js deleted file mode 100644 index 61fdcd1..0000000 --- a/node_modules/core-js/stable/symbol/iterator.js +++ /dev/null @@ -1,5 +0,0 @@ -'use strict'; -var parent = require('../../es/symbol/iterator'); -require('../../modules/web.dom-collections.iterator'); - -module.exports = parent; diff --git a/node_modules/core-js/stable/symbol/key-for.js b/node_modules/core-js/stable/symbol/key-for.js deleted file mode 100644 index 8c0a245..0000000 --- a/node_modules/core-js/stable/symbol/key-for.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../es/symbol/key-for'); - -module.exports = parent; diff --git a/node_modules/core-js/stable/symbol/match-all.js b/node_modules/core-js/stable/symbol/match-all.js deleted file mode 100644 index 2b3e792..0000000 --- a/node_modules/core-js/stable/symbol/match-all.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../es/symbol/match-all'); - -module.exports = parent; diff --git a/node_modules/core-js/stable/symbol/match.js b/node_modules/core-js/stable/symbol/match.js deleted file mode 100644 index 5771ecc..0000000 --- a/node_modules/core-js/stable/symbol/match.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../es/symbol/match'); - -module.exports = parent; diff --git a/node_modules/core-js/stable/symbol/replace.js b/node_modules/core-js/stable/symbol/replace.js deleted file mode 100644 index 32de402..0000000 --- a/node_modules/core-js/stable/symbol/replace.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../es/symbol/replace'); - -module.exports = parent; diff --git a/node_modules/core-js/stable/symbol/search.js b/node_modules/core-js/stable/symbol/search.js deleted file mode 100644 index 33f7af2..0000000 --- a/node_modules/core-js/stable/symbol/search.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../es/symbol/search'); - -module.exports = parent; diff --git a/node_modules/core-js/stable/symbol/species.js b/node_modules/core-js/stable/symbol/species.js deleted file mode 100644 index 1993f38..0000000 --- a/node_modules/core-js/stable/symbol/species.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../es/symbol/species'); - -module.exports = parent; diff --git a/node_modules/core-js/stable/symbol/split.js b/node_modules/core-js/stable/symbol/split.js deleted file mode 100644 index 36591f5..0000000 --- a/node_modules/core-js/stable/symbol/split.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../es/symbol/split'); - -module.exports = parent; diff --git a/node_modules/core-js/stable/symbol/to-primitive.js b/node_modules/core-js/stable/symbol/to-primitive.js deleted file mode 100644 index 0ff90d1..0000000 --- a/node_modules/core-js/stable/symbol/to-primitive.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../es/symbol/to-primitive'); - -module.exports = parent; diff --git a/node_modules/core-js/stable/symbol/to-string-tag.js b/node_modules/core-js/stable/symbol/to-string-tag.js deleted file mode 100644 index 07743c3..0000000 --- a/node_modules/core-js/stable/symbol/to-string-tag.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../es/symbol/to-string-tag'); - -module.exports = parent; diff --git a/node_modules/core-js/stable/symbol/unscopables.js b/node_modules/core-js/stable/symbol/unscopables.js deleted file mode 100644 index a9a1e9b..0000000 --- a/node_modules/core-js/stable/symbol/unscopables.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../es/symbol/unscopables'); - -module.exports = parent; diff --git a/node_modules/core-js/stable/typed-array/at.js b/node_modules/core-js/stable/typed-array/at.js deleted file mode 100644 index c37f9a5..0000000 --- a/node_modules/core-js/stable/typed-array/at.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../es/typed-array/at'); - -module.exports = parent; diff --git a/node_modules/core-js/stable/typed-array/copy-within.js b/node_modules/core-js/stable/typed-array/copy-within.js deleted file mode 100644 index 5475894..0000000 --- a/node_modules/core-js/stable/typed-array/copy-within.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../es/typed-array/copy-within'); - -module.exports = parent; diff --git a/node_modules/core-js/stable/typed-array/entries.js b/node_modules/core-js/stable/typed-array/entries.js deleted file mode 100644 index 5840f90..0000000 --- a/node_modules/core-js/stable/typed-array/entries.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../es/typed-array/entries'); - -module.exports = parent; diff --git a/node_modules/core-js/stable/typed-array/every.js b/node_modules/core-js/stable/typed-array/every.js deleted file mode 100644 index 6e35c97..0000000 --- a/node_modules/core-js/stable/typed-array/every.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../es/typed-array/every'); - -module.exports = parent; diff --git a/node_modules/core-js/stable/typed-array/fill.js b/node_modules/core-js/stable/typed-array/fill.js deleted file mode 100644 index ae1b3b7..0000000 --- a/node_modules/core-js/stable/typed-array/fill.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../es/typed-array/fill'); - -module.exports = parent; diff --git a/node_modules/core-js/stable/typed-array/filter.js b/node_modules/core-js/stable/typed-array/filter.js deleted file mode 100644 index bd128d3..0000000 --- a/node_modules/core-js/stable/typed-array/filter.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../es/typed-array/filter'); - -module.exports = parent; diff --git a/node_modules/core-js/stable/typed-array/find-index.js b/node_modules/core-js/stable/typed-array/find-index.js deleted file mode 100644 index d5a65c9..0000000 --- a/node_modules/core-js/stable/typed-array/find-index.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../es/typed-array/find-index'); - -module.exports = parent; diff --git a/node_modules/core-js/stable/typed-array/find-last-index.js b/node_modules/core-js/stable/typed-array/find-last-index.js deleted file mode 100644 index 8c05205..0000000 --- a/node_modules/core-js/stable/typed-array/find-last-index.js +++ /dev/null @@ -1,2 +0,0 @@ -'use strict'; -module.exports = require('../../es/typed-array/find-last-index'); diff --git a/node_modules/core-js/stable/typed-array/find-last.js b/node_modules/core-js/stable/typed-array/find-last.js deleted file mode 100644 index 2ed4274..0000000 --- a/node_modules/core-js/stable/typed-array/find-last.js +++ /dev/null @@ -1,2 +0,0 @@ -'use strict'; -module.exports = require('../../es/typed-array/find-last'); diff --git a/node_modules/core-js/stable/typed-array/find.js b/node_modules/core-js/stable/typed-array/find.js deleted file mode 100644 index f0f958b..0000000 --- a/node_modules/core-js/stable/typed-array/find.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../es/typed-array/find'); - -module.exports = parent; diff --git a/node_modules/core-js/stable/typed-array/float32-array.js b/node_modules/core-js/stable/typed-array/float32-array.js deleted file mode 100644 index 8452ba9..0000000 --- a/node_modules/core-js/stable/typed-array/float32-array.js +++ /dev/null @@ -1,5 +0,0 @@ -'use strict'; -var parent = require('../../es/typed-array/float32-array'); -require('../../stable/typed-array/methods'); - -module.exports = parent; diff --git a/node_modules/core-js/stable/typed-array/float64-array.js b/node_modules/core-js/stable/typed-array/float64-array.js deleted file mode 100644 index 311dd18..0000000 --- a/node_modules/core-js/stable/typed-array/float64-array.js +++ /dev/null @@ -1,5 +0,0 @@ -'use strict'; -var parent = require('../../es/typed-array/float64-array'); -require('../../stable/typed-array/methods'); - -module.exports = parent; diff --git a/node_modules/core-js/stable/typed-array/for-each.js b/node_modules/core-js/stable/typed-array/for-each.js deleted file mode 100644 index 4461c21..0000000 --- a/node_modules/core-js/stable/typed-array/for-each.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../es/typed-array/for-each'); - -module.exports = parent; diff --git a/node_modules/core-js/stable/typed-array/from.js b/node_modules/core-js/stable/typed-array/from.js deleted file mode 100644 index a4ed37e..0000000 --- a/node_modules/core-js/stable/typed-array/from.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../es/typed-array/from'); - -module.exports = parent; diff --git a/node_modules/core-js/stable/typed-array/includes.js b/node_modules/core-js/stable/typed-array/includes.js deleted file mode 100644 index 4725ca7..0000000 --- a/node_modules/core-js/stable/typed-array/includes.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../es/typed-array/includes'); - -module.exports = parent; diff --git a/node_modules/core-js/stable/typed-array/index-of.js b/node_modules/core-js/stable/typed-array/index-of.js deleted file mode 100644 index 0b8a574..0000000 --- a/node_modules/core-js/stable/typed-array/index-of.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../es/typed-array/index-of'); - -module.exports = parent; diff --git a/node_modules/core-js/stable/typed-array/index.js b/node_modules/core-js/stable/typed-array/index.js deleted file mode 100644 index 8f49ed3..0000000 --- a/node_modules/core-js/stable/typed-array/index.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../es/typed-array'); - -module.exports = parent; diff --git a/node_modules/core-js/stable/typed-array/int16-array.js b/node_modules/core-js/stable/typed-array/int16-array.js deleted file mode 100644 index 5bab609..0000000 --- a/node_modules/core-js/stable/typed-array/int16-array.js +++ /dev/null @@ -1,5 +0,0 @@ -'use strict'; -var parent = require('../../es/typed-array/int16-array'); -require('../../stable/typed-array/methods'); - -module.exports = parent; diff --git a/node_modules/core-js/stable/typed-array/int32-array.js b/node_modules/core-js/stable/typed-array/int32-array.js deleted file mode 100644 index 881fc4e..0000000 --- a/node_modules/core-js/stable/typed-array/int32-array.js +++ /dev/null @@ -1,5 +0,0 @@ -'use strict'; -var parent = require('../../es/typed-array/int32-array'); -require('../../stable/typed-array/methods'); - -module.exports = parent; diff --git a/node_modules/core-js/stable/typed-array/int8-array.js b/node_modules/core-js/stable/typed-array/int8-array.js deleted file mode 100644 index eb56ff3..0000000 --- a/node_modules/core-js/stable/typed-array/int8-array.js +++ /dev/null @@ -1,5 +0,0 @@ -'use strict'; -var parent = require('../../es/typed-array/int8-array'); -require('../../stable/typed-array/methods'); - -module.exports = parent; diff --git a/node_modules/core-js/stable/typed-array/iterator.js b/node_modules/core-js/stable/typed-array/iterator.js deleted file mode 100644 index 3adf194..0000000 --- a/node_modules/core-js/stable/typed-array/iterator.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../es/typed-array/iterator'); - -module.exports = parent; diff --git a/node_modules/core-js/stable/typed-array/join.js b/node_modules/core-js/stable/typed-array/join.js deleted file mode 100644 index 98bfd71..0000000 --- a/node_modules/core-js/stable/typed-array/join.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../es/typed-array/join'); - -module.exports = parent; diff --git a/node_modules/core-js/stable/typed-array/keys.js b/node_modules/core-js/stable/typed-array/keys.js deleted file mode 100644 index 698af2e..0000000 --- a/node_modules/core-js/stable/typed-array/keys.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../es/typed-array/keys'); - -module.exports = parent; diff --git a/node_modules/core-js/stable/typed-array/last-index-of.js b/node_modules/core-js/stable/typed-array/last-index-of.js deleted file mode 100644 index 6bb68b7..0000000 --- a/node_modules/core-js/stable/typed-array/last-index-of.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../es/typed-array/last-index-of'); - -module.exports = parent; diff --git a/node_modules/core-js/stable/typed-array/map.js b/node_modules/core-js/stable/typed-array/map.js deleted file mode 100644 index 60c2682..0000000 --- a/node_modules/core-js/stable/typed-array/map.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../es/typed-array/map'); - -module.exports = parent; diff --git a/node_modules/core-js/stable/typed-array/methods.js b/node_modules/core-js/stable/typed-array/methods.js deleted file mode 100644 index 1ce1707..0000000 --- a/node_modules/core-js/stable/typed-array/methods.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../es/typed-array/methods'); - -module.exports = parent; diff --git a/node_modules/core-js/stable/typed-array/of.js b/node_modules/core-js/stable/typed-array/of.js deleted file mode 100644 index f5b8853..0000000 --- a/node_modules/core-js/stable/typed-array/of.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../es/typed-array/of'); - -module.exports = parent; diff --git a/node_modules/core-js/stable/typed-array/reduce-right.js b/node_modules/core-js/stable/typed-array/reduce-right.js deleted file mode 100644 index a1bb8ff..0000000 --- a/node_modules/core-js/stable/typed-array/reduce-right.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../es/typed-array/reduce-right'); - -module.exports = parent; diff --git a/node_modules/core-js/stable/typed-array/reduce.js b/node_modules/core-js/stable/typed-array/reduce.js deleted file mode 100644 index ce08877..0000000 --- a/node_modules/core-js/stable/typed-array/reduce.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../es/typed-array/reduce'); - -module.exports = parent; diff --git a/node_modules/core-js/stable/typed-array/reverse.js b/node_modules/core-js/stable/typed-array/reverse.js deleted file mode 100644 index 27c5ea3..0000000 --- a/node_modules/core-js/stable/typed-array/reverse.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../es/typed-array/reverse'); - -module.exports = parent; diff --git a/node_modules/core-js/stable/typed-array/set.js b/node_modules/core-js/stable/typed-array/set.js deleted file mode 100644 index 26c09de..0000000 --- a/node_modules/core-js/stable/typed-array/set.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../es/typed-array/set'); - -module.exports = parent; diff --git a/node_modules/core-js/stable/typed-array/slice.js b/node_modules/core-js/stable/typed-array/slice.js deleted file mode 100644 index 62da77b..0000000 --- a/node_modules/core-js/stable/typed-array/slice.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../es/typed-array/slice'); - -module.exports = parent; diff --git a/node_modules/core-js/stable/typed-array/some.js b/node_modules/core-js/stable/typed-array/some.js deleted file mode 100644 index 7b996b4..0000000 --- a/node_modules/core-js/stable/typed-array/some.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../es/typed-array/some'); - -module.exports = parent; diff --git a/node_modules/core-js/stable/typed-array/sort.js b/node_modules/core-js/stable/typed-array/sort.js deleted file mode 100644 index 2d479a6..0000000 --- a/node_modules/core-js/stable/typed-array/sort.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../es/typed-array/sort'); - -module.exports = parent; diff --git a/node_modules/core-js/stable/typed-array/subarray.js b/node_modules/core-js/stable/typed-array/subarray.js deleted file mode 100644 index a1e2bab..0000000 --- a/node_modules/core-js/stable/typed-array/subarray.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../es/typed-array/subarray'); - -module.exports = parent; diff --git a/node_modules/core-js/stable/typed-array/to-locale-string.js b/node_modules/core-js/stable/typed-array/to-locale-string.js deleted file mode 100644 index 7a2a01c..0000000 --- a/node_modules/core-js/stable/typed-array/to-locale-string.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../es/typed-array/to-locale-string'); - -module.exports = parent; diff --git a/node_modules/core-js/stable/typed-array/to-reversed.js b/node_modules/core-js/stable/typed-array/to-reversed.js deleted file mode 100644 index 1fb1fdb..0000000 --- a/node_modules/core-js/stable/typed-array/to-reversed.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../es/typed-array/to-reversed'); - -module.exports = parent; diff --git a/node_modules/core-js/stable/typed-array/to-sorted.js b/node_modules/core-js/stable/typed-array/to-sorted.js deleted file mode 100644 index 12ea8b1..0000000 --- a/node_modules/core-js/stable/typed-array/to-sorted.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../es/typed-array/to-sorted'); - -module.exports = parent; diff --git a/node_modules/core-js/stable/typed-array/to-string.js b/node_modules/core-js/stable/typed-array/to-string.js deleted file mode 100644 index 37af503..0000000 --- a/node_modules/core-js/stable/typed-array/to-string.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../es/typed-array/to-string'); - -module.exports = parent; diff --git a/node_modules/core-js/stable/typed-array/uint16-array.js b/node_modules/core-js/stable/typed-array/uint16-array.js deleted file mode 100644 index 4fc2f5a..0000000 --- a/node_modules/core-js/stable/typed-array/uint16-array.js +++ /dev/null @@ -1,5 +0,0 @@ -'use strict'; -var parent = require('../../es/typed-array/uint16-array'); -require('../../stable/typed-array/methods'); - -module.exports = parent; diff --git a/node_modules/core-js/stable/typed-array/uint32-array.js b/node_modules/core-js/stable/typed-array/uint32-array.js deleted file mode 100644 index 0146afb..0000000 --- a/node_modules/core-js/stable/typed-array/uint32-array.js +++ /dev/null @@ -1,5 +0,0 @@ -'use strict'; -var parent = require('../../es/typed-array/uint32-array'); -require('../../stable/typed-array/methods'); - -module.exports = parent; diff --git a/node_modules/core-js/stable/typed-array/uint8-array.js b/node_modules/core-js/stable/typed-array/uint8-array.js deleted file mode 100644 index 66f1552..0000000 --- a/node_modules/core-js/stable/typed-array/uint8-array.js +++ /dev/null @@ -1,5 +0,0 @@ -'use strict'; -var parent = require('../../es/typed-array/uint8-array'); -require('../../stable/typed-array/methods'); - -module.exports = parent; diff --git a/node_modules/core-js/stable/typed-array/uint8-clamped-array.js b/node_modules/core-js/stable/typed-array/uint8-clamped-array.js deleted file mode 100644 index 5b88f7f..0000000 --- a/node_modules/core-js/stable/typed-array/uint8-clamped-array.js +++ /dev/null @@ -1,5 +0,0 @@ -'use strict'; -var parent = require('../../es/typed-array/uint8-clamped-array'); -require('../../stable/typed-array/methods'); - -module.exports = parent; diff --git a/node_modules/core-js/stable/typed-array/values.js b/node_modules/core-js/stable/typed-array/values.js deleted file mode 100644 index 457c07a..0000000 --- a/node_modules/core-js/stable/typed-array/values.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../es/typed-array/values'); - -module.exports = parent; diff --git a/node_modules/core-js/stable/typed-array/with.js b/node_modules/core-js/stable/typed-array/with.js deleted file mode 100644 index 5784c0f..0000000 --- a/node_modules/core-js/stable/typed-array/with.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../es/typed-array/with'); - -module.exports = parent; diff --git a/node_modules/core-js/stable/unescape.js b/node_modules/core-js/stable/unescape.js deleted file mode 100644 index 7fa0f43..0000000 --- a/node_modules/core-js/stable/unescape.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../es/unescape'); - -module.exports = parent; diff --git a/node_modules/core-js/stable/url-search-params/index.js b/node_modules/core-js/stable/url-search-params/index.js deleted file mode 100644 index df53189..0000000 --- a/node_modules/core-js/stable/url-search-params/index.js +++ /dev/null @@ -1,5 +0,0 @@ -'use strict'; -var parent = require('../../web/url-search-params'); -require('../../modules/web.dom-collections.iterator'); - -module.exports = parent; diff --git a/node_modules/core-js/stable/url/can-parse.js b/node_modules/core-js/stable/url/can-parse.js deleted file mode 100644 index 161f22f..0000000 --- a/node_modules/core-js/stable/url/can-parse.js +++ /dev/null @@ -1,6 +0,0 @@ -'use strict'; -require('../../modules/web.url'); -require('../../modules/web.url.can-parse'); -var path = require('../../internals/path'); - -module.exports = path.URL.canParse; diff --git a/node_modules/core-js/stable/url/index.js b/node_modules/core-js/stable/url/index.js deleted file mode 100644 index a391cf3..0000000 --- a/node_modules/core-js/stable/url/index.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var parent = require('../../web/url'); - -module.exports = parent; diff --git a/node_modules/core-js/stable/url/to-json.js b/node_modules/core-js/stable/url/to-json.js deleted file mode 100644 index 5ac6f4c..0000000 --- a/node_modules/core-js/stable/url/to-json.js +++ /dev/null @@ -1,2 +0,0 @@ -'use strict'; -require('../../modules/web.url.to-json'); diff --git a/node_modules/core-js/stable/weak-map/index.js b/node_modules/core-js/stable/weak-map/index.js deleted file mode 100644 index 606700d..0000000 --- a/node_modules/core-js/stable/weak-map/index.js +++ /dev/null @@ -1,5 +0,0 @@ -'use strict'; -var parent = require('../../es/weak-map'); -require('../../modules/web.dom-collections.iterator'); - -module.exports = parent; diff --git a/node_modules/core-js/stable/weak-set/index.js b/node_modules/core-js/stable/weak-set/index.js deleted file mode 100644 index 6510f04..0000000 --- a/node_modules/core-js/stable/weak-set/index.js +++ /dev/null @@ -1,5 +0,0 @@ -'use strict'; -var parent = require('../../es/weak-set'); -require('../../modules/web.dom-collections.iterator'); - -module.exports = parent; diff --git a/node_modules/core-js/stage/0.js b/node_modules/core-js/stage/0.js deleted file mode 100644 index 888b810..0000000 --- a/node_modules/core-js/stage/0.js +++ /dev/null @@ -1,13 +0,0 @@ -'use strict'; -var parent = require('./1'); - -require('../proposals/efficient-64-bit-arithmetic'); -require('../proposals/function-demethodize'); -require('../proposals/function-is-callable-is-constructor'); -require('../proposals/string-at'); -require('../proposals/url'); -// TODO: Obsolete versions, remove from `core-js@4`: -require('../proposals/array-filtering'); -require('../proposals/function-un-this'); - -module.exports = parent; diff --git a/node_modules/core-js/stage/1.js b/node_modules/core-js/stage/1.js deleted file mode 100644 index 86010e6..0000000 --- a/node_modules/core-js/stage/1.js +++ /dev/null @@ -1,27 +0,0 @@ -'use strict'; -var parent = require('./2'); - -require('../proposals/array-filtering-stage-1'); -require('../proposals/array-last'); -require('../proposals/array-unique'); -require('../proposals/collection-methods'); -require('../proposals/collection-of-from'); -require('../proposals/data-view-get-set-uint8-clamped'); -require('../proposals/keys-composition'); -require('../proposals/math-extensions'); -require('../proposals/math-signbit'); -require('../proposals/number-from-string'); -require('../proposals/object-iteration'); -require('../proposals/observable'); -require('../proposals/pattern-matching'); -require('../proposals/promise-try'); -require('../proposals/seeded-random'); -require('../proposals/string-code-points'); -require('../proposals/string-cooked'); -// TODO: Obsolete versions, remove from `core-js@4`: -require('../proposals/array-from-async'); -require('../proposals/map-upsert'); -require('../proposals/number-range'); -require('../proposals/string-replace-all'); - -module.exports = parent; diff --git a/node_modules/core-js/stage/2.js b/node_modules/core-js/stage/2.js deleted file mode 100644 index 18a0f73..0000000 --- a/node_modules/core-js/stage/2.js +++ /dev/null @@ -1,22 +0,0 @@ -'use strict'; -var parent = require('./3'); - -require('../proposals/array-buffer-base64'); -require('../proposals/array-is-template-object'); -require('../proposals/async-iterator-helpers'); -require('../proposals/iterator-range'); -require('../proposals/map-upsert-stage-2'); -require('../proposals/regexp-escaping'); -require('../proposals/string-dedent'); -require('../proposals/symbol-predicates-v2'); -// TODO: Obsolete versions, remove from `core-js@4` -require('../proposals/array-grouping'); -require('../proposals/async-explicit-resource-management'); -require('../proposals/decorators'); -require('../proposals/decorator-metadata'); -require('../proposals/iterator-helpers'); -require('../proposals/set-methods'); -require('../proposals/symbol-predicates'); -require('../proposals/using-statement'); - -module.exports = parent; diff --git a/node_modules/core-js/stage/3.js b/node_modules/core-js/stage/3.js deleted file mode 100644 index e82ca70..0000000 --- a/node_modules/core-js/stage/3.js +++ /dev/null @@ -1,18 +0,0 @@ -'use strict'; -var parent = require('./4'); - -require('../proposals/array-buffer-transfer'); -require('../proposals/array-from-async-stage-2'); -require('../proposals/decorator-metadata-v2'); -require('../proposals/explicit-resource-management'); -require('../proposals/float16'); -require('../proposals/iterator-helpers-stage-3-2'); -require('../proposals/json-parse-with-source'); -require('../proposals/set-methods-v2'); -// TODO: Obsolete versions, remove from `core-js@4` -require('../proposals/array-grouping-stage-3'); -require('../proposals/array-grouping-stage-3-2'); -require('../proposals/change-array-by-copy'); -require('../proposals/iterator-helpers-stage-3'); - -module.exports = parent; diff --git a/node_modules/core-js/stage/4.js b/node_modules/core-js/stage/4.js deleted file mode 100644 index fa0f077..0000000 --- a/node_modules/core-js/stage/4.js +++ /dev/null @@ -1,19 +0,0 @@ -'use strict'; -// TODO: Remove this entry from `core-js@4` -require('../proposals/accessible-object-hasownproperty'); -require('../proposals/array-find-from-last'); -require('../proposals/array-grouping-v2'); -require('../proposals/change-array-by-copy-stage-4'); -// require('../proposals/error-cause'); -require('../proposals/global-this'); -require('../proposals/promise-all-settled'); -require('../proposals/promise-any'); -require('../proposals/promise-with-resolvers'); -require('../proposals/relative-indexing-method'); -require('../proposals/string-match-all'); -require('../proposals/string-replace-all-stage-4'); -require('../proposals/well-formed-unicode-strings'); - -var path = require('../internals/path'); - -module.exports = path; diff --git a/node_modules/core-js/stage/README.md b/node_modules/core-js/stage/README.md deleted file mode 100644 index e64ccfb..0000000 --- a/node_modules/core-js/stage/README.md +++ /dev/null @@ -1 +0,0 @@ -This folder contains entry points for [ECMAScript proposals](https://github.com/zloirock/core-js#ecmascript-proposals) with dependencies. diff --git a/node_modules/core-js/stage/index.js b/node_modules/core-js/stage/index.js deleted file mode 100644 index c1a27ed..0000000 --- a/node_modules/core-js/stage/index.js +++ /dev/null @@ -1,4 +0,0 @@ -'use strict'; -var proposals = require('./pre'); - -module.exports = proposals; diff --git a/node_modules/core-js/stage/pre.js b/node_modules/core-js/stage/pre.js deleted file mode 100644 index 0f22311..0000000 --- a/node_modules/core-js/stage/pre.js +++ /dev/null @@ -1,6 +0,0 @@ -'use strict'; -var parent = require('./0'); - -require('../proposals/reflect-metadata'); - -module.exports = parent; diff --git a/node_modules/core-js/web/README.md b/node_modules/core-js/web/README.md deleted file mode 100644 index 76c8c16..0000000 --- a/node_modules/core-js/web/README.md +++ /dev/null @@ -1 +0,0 @@ -This folder contains entry points for features from [WHATWG / W3C](https://github.com/zloirock/core-js#web-standards) with dependencies. diff --git a/node_modules/core-js/web/dom-collections.js b/node_modules/core-js/web/dom-collections.js deleted file mode 100644 index 6551d7a..0000000 --- a/node_modules/core-js/web/dom-collections.js +++ /dev/null @@ -1,6 +0,0 @@ -'use strict'; -require('../modules/web.dom-collections.for-each'); -require('../modules/web.dom-collections.iterator'); -var path = require('../internals/path'); - -module.exports = path; diff --git a/node_modules/core-js/web/dom-exception.js b/node_modules/core-js/web/dom-exception.js deleted file mode 100644 index 7c1658a..0000000 --- a/node_modules/core-js/web/dom-exception.js +++ /dev/null @@ -1,8 +0,0 @@ -'use strict'; -require('../modules/es.error.to-string'); -require('../modules/web.dom-exception.constructor'); -require('../modules/web.dom-exception.stack'); -require('../modules/web.dom-exception.to-string-tag'); -var path = require('../internals/path'); - -module.exports = path.DOMException; diff --git a/node_modules/core-js/web/immediate.js b/node_modules/core-js/web/immediate.js deleted file mode 100644 index 3154cd9..0000000 --- a/node_modules/core-js/web/immediate.js +++ /dev/null @@ -1,5 +0,0 @@ -'use strict'; -require('../modules/web.immediate'); -var path = require('../internals/path'); - -module.exports = path; diff --git a/node_modules/core-js/web/index.js b/node_modules/core-js/web/index.js deleted file mode 100644 index 44374a6..0000000 --- a/node_modules/core-js/web/index.js +++ /dev/null @@ -1,23 +0,0 @@ -'use strict'; -require('../modules/web.atob'); -require('../modules/web.btoa'); -require('../modules/web.dom-collections.for-each'); -require('../modules/web.dom-collections.iterator'); -require('../modules/web.dom-exception.constructor'); -require('../modules/web.dom-exception.stack'); -require('../modules/web.dom-exception.to-string-tag'); -require('../modules/web.immediate'); -require('../modules/web.queue-microtask'); -require('../modules/web.self'); -require('../modules/web.structured-clone'); -require('../modules/web.timers'); -require('../modules/web.url'); -require('../modules/web.url.can-parse'); -require('../modules/web.url.to-json'); -require('../modules/web.url-search-params'); -require('../modules/web.url-search-params.delete'); -require('../modules/web.url-search-params.has'); -require('../modules/web.url-search-params.size'); -var path = require('../internals/path'); - -module.exports = path; diff --git a/node_modules/core-js/web/queue-microtask.js b/node_modules/core-js/web/queue-microtask.js deleted file mode 100644 index 87552e7..0000000 --- a/node_modules/core-js/web/queue-microtask.js +++ /dev/null @@ -1,5 +0,0 @@ -'use strict'; -require('../modules/web.queue-microtask'); -var path = require('../internals/path'); - -module.exports = path.queueMicrotask; diff --git a/node_modules/core-js/web/structured-clone.js b/node_modules/core-js/web/structured-clone.js deleted file mode 100644 index a58caf0..0000000 --- a/node_modules/core-js/web/structured-clone.js +++ /dev/null @@ -1,9 +0,0 @@ -'use strict'; -require('../modules/es.array.iterator'); -require('../modules/es.object.to-string'); -require('../modules/es.map'); -require('../modules/es.set'); -require('../modules/web.structured-clone'); -var path = require('../internals/path'); - -module.exports = path.structuredClone; diff --git a/node_modules/core-js/web/timers.js b/node_modules/core-js/web/timers.js deleted file mode 100644 index 2e6e766..0000000 --- a/node_modules/core-js/web/timers.js +++ /dev/null @@ -1,5 +0,0 @@ -'use strict'; -require('../modules/web.timers'); -var path = require('../internals/path'); - -module.exports = path; diff --git a/node_modules/core-js/web/url-search-params.js b/node_modules/core-js/web/url-search-params.js deleted file mode 100644 index 4f3127e..0000000 --- a/node_modules/core-js/web/url-search-params.js +++ /dev/null @@ -1,8 +0,0 @@ -'use strict'; -require('../modules/web.url-search-params'); -require('../modules/web.url-search-params.delete'); -require('../modules/web.url-search-params.has'); -require('../modules/web.url-search-params.size'); -var path = require('../internals/path'); - -module.exports = path.URLSearchParams; diff --git a/node_modules/core-js/web/url.js b/node_modules/core-js/web/url.js deleted file mode 100644 index c01f8b2..0000000 --- a/node_modules/core-js/web/url.js +++ /dev/null @@ -1,8 +0,0 @@ -'use strict'; -require('./url-search-params'); -require('../modules/web.url'); -require('../modules/web.url.can-parse'); -require('../modules/web.url.to-json'); -var path = require('../internals/path'); - -module.exports = path.URL; diff --git a/node_modules/define-data-property/.eslintrc b/node_modules/define-data-property/.eslintrc deleted file mode 100644 index 75443e8..0000000 --- a/node_modules/define-data-property/.eslintrc +++ /dev/null @@ -1,24 +0,0 @@ -{ - "root": true, - - "extends": "@ljharb", - - "rules": { - "complexity": 0, - "id-length": 0, - "new-cap": ["error", { - "capIsNewExceptions": [ - "GetIntrinsic", - ], - }], - }, - - "overrides": [ - { - "files": "test/**", - "rules": { - "max-lines-per-function": "off", - }, - }, - ], -} diff --git a/node_modules/define-data-property/.github/FUNDING.yml b/node_modules/define-data-property/.github/FUNDING.yml deleted file mode 100644 index 3e17725..0000000 --- a/node_modules/define-data-property/.github/FUNDING.yml +++ /dev/null @@ -1,12 +0,0 @@ -# These are supported funding model platforms - -github: [ljharb] -patreon: # Replace with a single Patreon username -open_collective: # Replace with a single Open Collective username -ko_fi: # Replace with a single Ko-fi username -tidelift: npm/define-data-property -community_bridge: # Replace with a single Community Bridge project-name e.g., cloud-foundry -liberapay: # Replace with a single Liberapay username -issuehunt: # Replace with a single IssueHunt username -otechie: # Replace with a single Otechie username -custom: # Replace with up to 4 custom sponsorship URLs e.g., ['link1', 'link2'] diff --git a/node_modules/define-data-property/.nycrc b/node_modules/define-data-property/.nycrc deleted file mode 100644 index 1826526..0000000 --- a/node_modules/define-data-property/.nycrc +++ /dev/null @@ -1,13 +0,0 @@ -{ - "all": true, - "check-coverage": false, - "reporter": ["text-summary", "text", "html", "json"], - "lines": 86, - "statements": 85.93, - "functions": 82.43, - "branches": 76.06, - "exclude": [ - "coverage", - "test" - ] -} diff --git a/node_modules/define-data-property/CHANGELOG.md b/node_modules/define-data-property/CHANGELOG.md deleted file mode 100644 index 94bad09..0000000 --- a/node_modules/define-data-property/CHANGELOG.md +++ /dev/null @@ -1,41 +0,0 @@ -# Changelog - -All notable changes to this project will be documented in this file. - -The format is based on [Keep a Changelog](https://keepachangelog.com/en/1.0.0/) -and this project adheres to [Semantic Versioning](https://semver.org/spec/v2.0.0.html). - -## [v1.1.1](https://github.com/ljharb/define-data-property/compare/v1.1.0...v1.1.1) - 2023-10-12 - -### Commits - -- [Tests] fix tests in ES3 engines [`5c6920e`](https://github.com/ljharb/define-data-property/commit/5c6920edd1f52f675b02f417e539c28135b43f94) -- [Dev Deps] update `@types/es-value-fixtures`, `@types/for-each`, `@types/gopd`, `@types/has-property-descriptors`, `tape`, `typescript` [`7d82dfc`](https://github.com/ljharb/define-data-property/commit/7d82dfc20f778b4465bba06335dd53f6f431aea3) -- [Fix] IE 8 has a broken `Object.defineProperty` [`0672e1a`](https://github.com/ljharb/define-data-property/commit/0672e1af2a9fcc787e7c23b96dea60d290df5548) -- [meta] emit types on prepack [`73acb1f`](https://github.com/ljharb/define-data-property/commit/73acb1f903c21b314ec7156bf10f73c7910530c0) -- [Dev Deps] update `tape`, `typescript` [`9489a77`](https://github.com/ljharb/define-data-property/commit/9489a7738bf2ecf0ac71d5b78ec4ca6ad7ba0142) - -## [v1.1.0](https://github.com/ljharb/define-data-property/compare/v1.0.1...v1.1.0) - 2023-09-13 - -### Commits - -- [New] add `loose` arg [`155235a`](https://github.com/ljharb/define-data-property/commit/155235a4c4d7741f6de01cd87c99599a56654b72) -- [New] allow `null` to be passed for the non* args [`7d2fa5f`](https://github.com/ljharb/define-data-property/commit/7d2fa5f06be0392736c13b126f7cd38979f34792) - -## [v1.0.1](https://github.com/ljharb/define-data-property/compare/v1.0.0...v1.0.1) - 2023-09-12 - -### Commits - -- [meta] add TS types [`43d763c`](https://github.com/ljharb/define-data-property/commit/43d763c6c883f652de1c9c02ef6216ee507ffa69) -- [Dev Deps] update `@types/tape`, `typescript` [`f444985`](https://github.com/ljharb/define-data-property/commit/f444985811c36f3e6448a03ad2f9b7898917f4c7) -- [meta] add `safe-publish-latest`, [`172bb10`](https://github.com/ljharb/define-data-property/commit/172bb10890896ebb160e64398f6ee55760107bee) - -## v1.0.0 - 2023-09-12 - -### Commits - -- Initial implementation, tests, readme [`5b43d6b`](https://github.com/ljharb/define-data-property/commit/5b43d6b44e675a904810467a7d4e0adb7efc3196) -- Initial commit [`35e577a`](https://github.com/ljharb/define-data-property/commit/35e577a6ba59a98befa97776d70d90f3bea9009d) -- npm init [`82a0a04`](https://github.com/ljharb/define-data-property/commit/82a0a04a321ca7de220af02d41e2745e8a9962ed) -- Only apps should have lockfiles [`96df244`](https://github.com/ljharb/define-data-property/commit/96df244a3c6f426f9a2437be825d1c6f5dd7158e) -- [meta] use `npmignore` to autogenerate an npmignore file [`a87ff18`](https://github.com/ljharb/define-data-property/commit/a87ff18cb79e14c2eb5720486c4759fd9a189375) diff --git a/node_modules/define-data-property/LICENSE b/node_modules/define-data-property/LICENSE deleted file mode 100644 index b4213ac..0000000 --- a/node_modules/define-data-property/LICENSE +++ /dev/null @@ -1,21 +0,0 @@ -MIT License - -Copyright (c) 2023 Jordan Harband - -Permission is hereby granted, free of charge, to any person obtaining a copy -of this software and associated documentation files (the "Software"), to deal -in the Software without restriction, including without limitation the rights -to use, copy, modify, merge, publish, distribute, sublicense, and/or sell -copies of the Software, and to permit persons to whom the Software is -furnished to do so, subject to the following conditions: - -The above copyright notice and this permission notice shall be included in all -copies or substantial portions of the Software. - -THE SOFTWARE IS PROVIDED "AS IS", WITHOUT WARRANTY OF ANY KIND, EXPRESS OR -IMPLIED, INCLUDING BUT NOT LIMITED TO THE WARRANTIES OF MERCHANTABILITY, -FITNESS FOR A PARTICULAR PURPOSE AND NONINFRINGEMENT. IN NO EVENT SHALL THE -AUTHORS OR COPYRIGHT HOLDERS BE LIABLE FOR ANY CLAIM, DAMAGES OR OTHER -LIABILITY, WHETHER IN AN ACTION OF CONTRACT, TORT OR OTHERWISE, ARISING FROM, -OUT OF OR IN CONNECTION WITH THE SOFTWARE OR THE USE OR OTHER DEALINGS IN THE -SOFTWARE. diff --git a/node_modules/define-data-property/README.md b/node_modules/define-data-property/README.md deleted file mode 100644 index f2304da..0000000 --- a/node_modules/define-data-property/README.md +++ /dev/null @@ -1,67 +0,0 @@ -# define-data-property [![Version Badge][npm-version-svg]][package-url] - -[![github actions][actions-image]][actions-url] -[![coverage][codecov-image]][codecov-url] -[![License][license-image]][license-url] -[![Downloads][downloads-image]][downloads-url] - -[![npm badge][npm-badge-png]][package-url] - -Define a data property on an object. Will fall back to assignment in an engine without descriptors. - -The three `non*` argument can also be passed `null`, which will use the existing state if available. - -The `loose` argument will mean that if you attempt to set a non-normal data property, in an environment without descriptor support, it will fall back to normal assignment. - -## Usage - -```javascript -var defineDataProperty = require('define-data-property'); -var assert = require('assert'); - -var obj = {}; -defineDataProperty(obj, 'key', 'value'); -defineDataProperty( - obj, - 'key2', - 'value', - true, // nonEnumerable, optional - false, // nonWritable, optional - true, // nonConfigurable, optional - false // loose, optional -); - -assert.deepEqual( - Object.getOwnPropertyDescriptors(obj), - { - key: { - configurable: true, - enumerable: true, - value: 'value', - writable: true, - }, - key2: { - configurable: false, - enumerable: false, - value: 'value', - writable: true, - }, - } -); -``` - -[package-url]: https://npmjs.org/package/define-data-property -[npm-version-svg]: https://versionbadg.es/ljharb/define-data-property.svg -[deps-svg]: https://david-dm.org/ljharb/define-data-property.svg -[deps-url]: https://david-dm.org/ljharb/define-data-property -[dev-deps-svg]: https://david-dm.org/ljharb/define-data-property/dev-status.svg -[dev-deps-url]: https://david-dm.org/ljharb/define-data-property#info=devDependencies -[npm-badge-png]: https://nodei.co/npm/define-data-property.png?downloads=true&stars=true -[license-image]: https://img.shields.io/npm/l/define-data-property.svg -[license-url]: LICENSE -[downloads-image]: https://img.shields.io/npm/dm/define-data-property.svg -[downloads-url]: https://npm-stat.com/charts.html?package=define-data-property -[codecov-image]: https://codecov.io/gh/ljharb/define-data-property/branch/main/graphs/badge.svg -[codecov-url]: https://app.codecov.io/gh/ljharb/define-data-property/ -[actions-image]: https://img.shields.io/endpoint?url=https://github-actions-badge-u3jn4tfpocch.runkit.sh/ljharb/define-data-property -[actions-url]: https://github.com/ljharb/define-data-property/actions diff --git a/node_modules/define-data-property/index.d.ts b/node_modules/define-data-property/index.d.ts deleted file mode 100644 index d2e353d..0000000 --- a/node_modules/define-data-property/index.d.ts +++ /dev/null @@ -1,3 +0,0 @@ -declare const _exports: (obj: Record, property: PropertyKey, value: unknown, nonEnumerable?: boolean | null, nonWritable?: boolean | null, nonConfigurable?: boolean | null, loose?: boolean) => void; -export = _exports; -//# sourceMappingURL=index.d.ts.map \ No newline at end of file diff --git a/node_modules/define-data-property/index.d.ts.map b/node_modules/define-data-property/index.d.ts.map deleted file mode 100644 index 39aca4b..0000000 --- a/node_modules/define-data-property/index.d.ts.map +++ /dev/null @@ -1 +0,0 @@ -{"version":3,"file":"index.d.ts","sourceRoot":"","sources":["index.js"],"names":[],"mappings":"8BAqBiB,OAAO,WAAW,EAAE,OAAO,CAAC,YAAY,WAAW,SAAS,OAAO,kBAAkB,OAAO,GAAG,IAAI,gBAAgB,OAAO,GAAG,IAAI,oBAAoB,OAAO,GAAG,IAAI,UAAU,OAAO,KAAK,IAAI"} \ No newline at end of file diff --git a/node_modules/define-data-property/index.js b/node_modules/define-data-property/index.js deleted file mode 100644 index 9534065..0000000 --- a/node_modules/define-data-property/index.js +++ /dev/null @@ -1,68 +0,0 @@ -'use strict'; - -var hasPropertyDescriptors = require('has-property-descriptors')(); - -var GetIntrinsic = require('get-intrinsic'); - -var $defineProperty = hasPropertyDescriptors && GetIntrinsic('%Object.defineProperty%', true); -if ($defineProperty) { - try { - $defineProperty({}, 'a', { value: 1 }); - } catch (e) { - // IE 8 has a broken defineProperty - $defineProperty = false; - } -} - -var $SyntaxError = GetIntrinsic('%SyntaxError%'); -var $TypeError = GetIntrinsic('%TypeError%'); - -var gopd = require('gopd'); - -/** @type {(obj: Record, property: PropertyKey, value: unknown, nonEnumerable?: boolean | null, nonWritable?: boolean | null, nonConfigurable?: boolean | null, loose?: boolean) => void} */ -module.exports = function defineDataProperty( - obj, - property, - value -) { - if (!obj || (typeof obj !== 'object' && typeof obj !== 'function')) { - throw new $TypeError('`obj` must be an object or a function`'); - } - if (typeof property !== 'string' && typeof property !== 'symbol') { - throw new $TypeError('`property` must be a string or a symbol`'); - } - if (arguments.length > 3 && typeof arguments[3] !== 'boolean' && arguments[3] !== null) { - throw new $TypeError('`nonEnumerable`, if provided, must be a boolean or null'); - } - if (arguments.length > 4 && typeof arguments[4] !== 'boolean' && arguments[4] !== null) { - throw new $TypeError('`nonWritable`, if provided, must be a boolean or null'); - } - if (arguments.length > 5 && typeof arguments[5] !== 'boolean' && arguments[5] !== null) { - throw new $TypeError('`nonConfigurable`, if provided, must be a boolean or null'); - } - if (arguments.length > 6 && typeof arguments[6] !== 'boolean') { - throw new $TypeError('`loose`, if provided, must be a boolean'); - } - - var nonEnumerable = arguments.length > 3 ? arguments[3] : null; - var nonWritable = arguments.length > 4 ? arguments[4] : null; - var nonConfigurable = arguments.length > 5 ? arguments[5] : null; - var loose = arguments.length > 6 ? arguments[6] : false; - - /* @type {false | TypedPropertyDescriptor} */ - var desc = !!gopd && gopd(obj, property); - - if ($defineProperty) { - $defineProperty(obj, property, { - configurable: nonConfigurable === null && desc ? desc.configurable : !nonConfigurable, - enumerable: nonEnumerable === null && desc ? desc.enumerable : !nonEnumerable, - value: value, - writable: nonWritable === null && desc ? desc.writable : !nonWritable - }); - } else if (loose || (!nonEnumerable && !nonWritable && !nonConfigurable)) { - // must fall back to [[Set]], and was not explicitly asked to make non-enumerable, non-writable, or non-configurable - obj[property] = value; // eslint-disable-line no-param-reassign - } else { - throw new $SyntaxError('This environment does not support defining a property as non-configurable, non-writable, or non-enumerable.'); - } -}; diff --git a/node_modules/define-data-property/package.json b/node_modules/define-data-property/package.json deleted file mode 100644 index 1bb5815..0000000 --- a/node_modules/define-data-property/package.json +++ /dev/null @@ -1,113 +0,0 @@ -{ - "name": "define-data-property", - "version": "1.1.1", - "description": "Define a data property on an object. Will fall back to assignment in an engine without descriptors.", - "main": "index.js", - "exports": { - ".": [ - { - "types": "./index.d.ts", - "default": "./index.js" - }, - "./index.js" - ], - "./package.json": "./package.json" - }, - "sideEffects": false, - "types": "./index.d.ts", - "scripts": { - "prepack": "npmignore --auto --commentLines=autogenerated && npm run emit-types", - "prepublish": "not-in-publish || npm run prepublishOnly", - "prepublishOnly": "safe-publish-latest", - "tsc": "tsc -p .", - "preemit-types": "rm -f *.ts *.ts.map test/*.ts test/*.ts.map", - "emit-types": "npm run tsc -- --noEmit false --emitDeclarationOnly", - "postemit-types": "rm test/*.ts test/*.ts.map", - "prelint": "evalmd README.md", - "lint": "eslint --ext=js,mjs .", - "postlint": "npm run tsc", - "pretest": "npm run lint", - "tests-only": "nyc tape 'test/**/*.js'", - "test": "npm run tests-only", - "posttest": "aud --production", - "version": "auto-changelog && git add CHANGELOG.md", - "postversion": "auto-changelog && git add CHANGELOG.md && git commit --no-edit --amend && git tag -f \"v$(node -e \"console.log(require('./package.json').version)\")\"" - }, - "repository": { - "type": "git", - "url": "git+https://github.com/ljharb/define-data-property.git" - }, - "keywords": [ - "define", - "data", - "property", - "object", - "accessor", - "javascript", - "ecmascript", - "enumerable", - "configurable", - "writable" - ], - "author": "Jordan Harband ", - "license": "MIT", - "bugs": { - "url": "https://github.com/ljharb/define-data-property/issues" - }, - "homepage": "https://github.com/ljharb/define-data-property#readme", - "dependencies": { - "get-intrinsic": "^1.2.1", - "gopd": "^1.0.1", - "has-property-descriptors": "^1.0.0" - }, - "devDependencies": { - "@ljharb/eslint-config": "^21.1.0", - "@types/es-value-fixtures": "^1.4.1", - "@types/for-each": "^0.3.1", - "@types/get-intrinsic": "^1.2.0", - "@types/gopd": "^1.0.1", - "@types/has": "^1.0.0", - "@types/has-property-descriptors": "^1.0.1", - "@types/object-inspect": "^1.8.2", - "@types/object.getownpropertydescriptors": "^2.1.2", - "@types/tape": "^5.6.1", - "aud": "^2.0.3", - "auto-changelog": "^2.4.0", - "es-value-fixtures": "^1.4.2", - "eslint": "=8.8.0", - "evalmd": "^0.0.19", - "for-each": "^0.3.3", - "has": "^1.0.3", - "in-publish": "^2.0.1", - "npmignore": "^0.3.0", - "nyc": "^10.3.2", - "object-inspect": "^1.12.3", - "object.getownpropertydescriptors": "^2.1.7", - "reflect.ownkeys": "^1.1.4", - "safe-publish-latest": "^2.0.0", - "tape": "^5.7.1", - "typescript": "^5.3.0-dev.20231012" - }, - "engines": { - "node": ">= 0.4" - }, - "testling": { - "files": "test/index.js" - }, - "auto-changelog": { - "output": "CHANGELOG.md", - "template": "keepachangelog", - "unreleased": false, - "commitLimit": false, - "backfillLimit": false, - "hideCredit": true - }, - "publishConfig": { - "ignore": [ - ".github/workflows", - "!*.ts", - "!*.ts.map", - "types/reflect.ownkeys" - ] - } -} diff --git a/node_modules/define-data-property/test/index.js b/node_modules/define-data-property/test/index.js deleted file mode 100644 index 405508e..0000000 --- a/node_modules/define-data-property/test/index.js +++ /dev/null @@ -1,392 +0,0 @@ -'use strict'; - -var test = require('tape'); -var v = require('es-value-fixtures'); -var forEach = require('for-each'); -var inspect = require('object-inspect'); -var has = require('has'); -var hasPropertyDescriptors = require('has-property-descriptors')(); -var getOwnPropertyDescriptors = require('object.getownpropertydescriptors'); -var ownKeys = require('reflect.ownkeys'); - -var defineDataProperty = require('../'); - -test('defineDataProperty', function (t) { - t.test('argument validation', function (st) { - forEach(v.primitives, function (nonObject) { - st['throws']( - // @ts-expect-error - function () { defineDataProperty(nonObject, 'key', 'value'); }, - TypeError, - 'throws on non-object input: ' + inspect(nonObject) - ); - }); - - forEach(v.nonPropertyKeys, function (nonPropertyKey) { - st['throws']( - // @ts-expect-error - function () { defineDataProperty({}, nonPropertyKey, 'value'); }, - TypeError, - 'throws on non-PropertyKey input: ' + inspect(nonPropertyKey) - ); - }); - - forEach(v.nonBooleans, function (nonBoolean) { - if (nonBoolean !== null) { - st['throws']( - // @ts-expect-error - function () { defineDataProperty({}, 'key', 'value', nonBoolean); }, - TypeError, - 'throws on non-boolean nonEnumerable: ' + inspect(nonBoolean) - ); - - st['throws']( - // @ts-expect-error - function () { defineDataProperty({}, 'key', 'value', false, nonBoolean); }, - TypeError, - 'throws on non-boolean nonWritable: ' + inspect(nonBoolean) - ); - - st['throws']( - // @ts-expect-error - function () { defineDataProperty({}, 'key', 'value', false, false, nonBoolean); }, - TypeError, - 'throws on non-boolean nonConfigurable: ' + inspect(nonBoolean) - ); - } - }); - - st.end(); - }); - - t.test('normal data property', function (st) { - /** @type {Record} */ - var obj = { existing: 'existing property' }; - st.ok(has(obj, 'existing'), 'has initial own property'); - st.equal(obj.existing, 'existing property', 'has expected initial value'); - - var res = defineDataProperty(obj, 'added', 'added property'); - st.equal(res, void undefined, 'returns `undefined`'); - st.ok(has(obj, 'added'), 'has expected own property'); - st.equal(obj.added, 'added property', 'has expected value'); - - defineDataProperty(obj, 'existing', 'new value'); - st.ok(has(obj, 'existing'), 'still has expected own property'); - st.equal(obj.existing, 'new value', 'has new expected value'); - - defineDataProperty(obj, 'explicit1', 'new value', false); - st.ok(has(obj, 'explicit1'), 'has expected own property (explicit enumerable)'); - st.equal(obj.explicit1, 'new value', 'has new expected value (explicit enumerable)'); - - defineDataProperty(obj, 'explicit2', 'new value', false, false); - st.ok(has(obj, 'explicit2'), 'has expected own property (explicit writable)'); - st.equal(obj.explicit2, 'new value', 'has new expected value (explicit writable)'); - - defineDataProperty(obj, 'explicit3', 'new value', false, false, false); - st.ok(has(obj, 'explicit3'), 'has expected own property (explicit configurable)'); - st.equal(obj.explicit3, 'new value', 'has new expected value (explicit configurable)'); - - st.end(); - }); - - t.test('loose mode', { skip: !hasPropertyDescriptors }, function (st) { - var obj = { existing: 'existing property' }; - - defineDataProperty(obj, 'added', 'added value 1', true, null, null, true); - st.deepEqual( - getOwnPropertyDescriptors(obj), - { - existing: { - configurable: true, - enumerable: true, - value: 'existing property', - writable: true - }, - added: { - configurable: true, - enumerable: !hasPropertyDescriptors, - value: 'added value 1', - writable: true - } - }, - 'in loose mode, obj still adds property 1' - ); - - defineDataProperty(obj, 'added', 'added value 2', false, true, null, true); - st.deepEqual( - getOwnPropertyDescriptors(obj), - { - existing: { - configurable: true, - enumerable: true, - value: 'existing property', - writable: true - }, - added: { - configurable: true, - enumerable: true, - value: 'added value 2', - writable: !hasPropertyDescriptors - } - }, - 'in loose mode, obj still adds property 2' - ); - - defineDataProperty(obj, 'added', 'added value 3', false, false, true, true); - st.deepEqual( - getOwnPropertyDescriptors(obj), - { - existing: { - configurable: true, - enumerable: true, - value: 'existing property', - writable: true - }, - added: { - configurable: !hasPropertyDescriptors, - enumerable: true, - value: 'added value 3', - writable: true - } - }, - 'in loose mode, obj still adds property 3' - ); - - st.end(); - }); - - t.test('non-normal data property, ES3', { skip: hasPropertyDescriptors }, function (st) { - /** @type {Record} */ - var obj = { existing: 'existing property' }; - - st['throws']( - function () { defineDataProperty(obj, 'added', 'added value', true); }, - SyntaxError, - 'nonEnumerable throws a Syntax Error' - ); - - st['throws']( - function () { defineDataProperty(obj, 'added', 'added value', false, true); }, - SyntaxError, - 'nonWritable throws a Syntax Error' - ); - - st['throws']( - function () { defineDataProperty(obj, 'added', 'added value', false, false, true); }, - SyntaxError, - 'nonWritable throws a Syntax Error' - ); - - st.deepEqual( - ownKeys(obj), - ['existing'], - 'obj still has expected keys' - ); - st.equal(obj.existing, 'existing property', 'obj still has expected values'); - - st.end(); - }); - - t.test('new non-normal data property, ES5+', { skip: !hasPropertyDescriptors }, function (st) { - /** @type {Record} */ - var obj = { existing: 'existing property' }; - - defineDataProperty(obj, 'nonEnum', null, true); - defineDataProperty(obj, 'nonWrit', null, false, true); - defineDataProperty(obj, 'nonConf', null, false, false, true); - - st.deepEqual( - getOwnPropertyDescriptors(obj), - { - existing: { - configurable: true, - enumerable: true, - value: 'existing property', - writable: true - }, - nonEnum: { - configurable: true, - enumerable: false, - value: null, - writable: true - }, - nonWrit: { - configurable: true, - enumerable: true, - value: null, - writable: false - }, - nonConf: { - configurable: false, - enumerable: true, - value: null, - writable: true - } - }, - 'obj has expected property descriptors' - ); - - st.end(); - }); - - t.test('existing non-normal data property, ES5+', { skip: !hasPropertyDescriptors }, function (st) { - // test case changing an existing non-normal property - - /** @type {Record} */ - var obj = {}; - Object.defineProperty(obj, 'nonEnum', { configurable: true, enumerable: false, value: null, writable: true }); - Object.defineProperty(obj, 'nonWrit', { configurable: true, enumerable: true, value: null, writable: false }); - Object.defineProperty(obj, 'nonConf', { configurable: false, enumerable: true, value: null, writable: true }); - - st.deepEqual( - getOwnPropertyDescriptors(obj), - { - nonEnum: { - configurable: true, - enumerable: false, - value: null, - writable: true - }, - nonWrit: { - configurable: true, - enumerable: true, - value: null, - writable: false - }, - nonConf: { - configurable: false, - enumerable: true, - value: null, - writable: true - } - }, - 'obj initially has expected property descriptors' - ); - - defineDataProperty(obj, 'nonEnum', 'new value', false); - defineDataProperty(obj, 'nonWrit', 'new value', false, false); - st['throws']( - function () { defineDataProperty(obj, 'nonConf', 'new value', false, false, false); }, - TypeError, - 'can not alter a nonconfigurable property' - ); - - st.deepEqual( - getOwnPropertyDescriptors(obj), - { - nonEnum: { - configurable: true, - enumerable: true, - value: 'new value', - writable: true - }, - nonWrit: { - configurable: true, - enumerable: true, - value: 'new value', - writable: true - }, - nonConf: { - configurable: false, - enumerable: true, - value: null, - writable: true - } - }, - 'obj ends up with expected property descriptors' - ); - - st.end(); - }); - - t.test('frozen object, ES5+', { skip: !hasPropertyDescriptors }, function (st) { - var frozen = Object.freeze({ existing: true }); - - st['throws']( - function () { defineDataProperty(frozen, 'existing', 'new value'); }, - TypeError, - 'frozen object can not modify an existing property' - ); - - st['throws']( - function () { defineDataProperty(frozen, 'new', 'new property'); }, - TypeError, - 'frozen object can not add a new property' - ); - - st.end(); - }); - - t.test('sealed object, ES5+', { skip: !hasPropertyDescriptors }, function (st) { - var sealed = Object.seal({ existing: true }); - st.deepEqual( - Object.getOwnPropertyDescriptor(sealed, 'existing'), - { - configurable: false, - enumerable: true, - value: true, - writable: true - }, - 'existing value on sealed object has expected descriptor' - ); - - defineDataProperty(sealed, 'existing', 'new value'); - - st.deepEqual( - Object.getOwnPropertyDescriptor(sealed, 'existing'), - { - configurable: false, - enumerable: true, - value: 'new value', - writable: true - }, - 'existing value on sealed object has changed descriptor' - ); - - st['throws']( - function () { defineDataProperty(sealed, 'new', 'new property'); }, - TypeError, - 'sealed object can not add a new property' - ); - - st.end(); - }); - - t.test('nonextensible object, ES5+', { skip: !hasPropertyDescriptors }, function (st) { - var nonExt = Object.preventExtensions({ existing: true }); - - st.deepEqual( - Object.getOwnPropertyDescriptor(nonExt, 'existing'), - { - configurable: true, - enumerable: true, - value: true, - writable: true - }, - 'existing value on non-extensible object has expected descriptor' - ); - - defineDataProperty(nonExt, 'existing', 'new value', true); - - st.deepEqual( - Object.getOwnPropertyDescriptor(nonExt, 'existing'), - { - configurable: true, - enumerable: false, - value: 'new value', - writable: true - }, - 'existing value on non-extensible object has changed descriptor' - ); - - st['throws']( - function () { defineDataProperty(nonExt, 'new', 'new property'); }, - TypeError, - 'non-extensible object can not add a new property' - ); - - st.end(); - }); - - t.end(); -}); diff --git a/node_modules/define-data-property/tsconfig.json b/node_modules/define-data-property/tsconfig.json deleted file mode 100644 index 69f060d..0000000 --- a/node_modules/define-data-property/tsconfig.json +++ /dev/null @@ -1,59 +0,0 @@ -{ - "compilerOptions": { - /* Visit https://aka.ms/tsconfig to read more about this file */ - - /* Projects */ - - /* Language and Environment */ - "target": "es2022", /* Set the JavaScript language version for emitted JavaScript and include compatible library declarations. */ - // "lib": [], /* Specify a set of bundled library declaration files that describe the target runtime environment. */ - // "noLib": true, /* Disable including any library files, including the default lib.d.ts. */ - "useDefineForClassFields": true, /* Emit ECMAScript-standard-compliant class fields. */ - // "moduleDetection": "auto", /* Control what method is used to detect module-format JS files. */ - - /* Modules */ - "module": "commonjs", /* Specify what module code is generated. */ - // "rootDir": "./", /* Specify the root folder within your source files. */ - // "moduleResolution": "node10", /* Specify how TypeScript looks up a file from a given module specifier. */ - // "baseUrl": "./", /* Specify the base directory to resolve non-relative module names. */ - // "paths": {}, /* Specify a set of entries that re-map imports to additional lookup locations. */ - // "rootDirs": [], /* Allow multiple folders to be treated as one when resolving modules. */ - "typeRoots": ["types"], /* Specify multiple folders that act like './node_modules/@types'. */ - "resolveJsonModule": true, /* Enable importing .json files. */ - - /* JavaScript Support */ - "allowJs": true, /* Allow JavaScript files to be a part of your program. Use the 'checkJS' option to get errors from these files. */ - "checkJs": true, /* Enable error reporting in type-checked JavaScript files. */ - "maxNodeModuleJsDepth": 1, /* Specify the maximum folder depth used for checking JavaScript files from 'node_modules'. Only applicable with 'allowJs'. */ - - /* Emit */ - "declaration": true, /* Generate .d.ts files from TypeScript and JavaScript files in your project. */ - "declarationMap": true, /* Create sourcemaps for d.ts files. */ - // "emitDeclarationOnly": true, /* Only output d.ts files and not JavaScript files. */ - "noEmit": true, /* Disable emitting files from a compilation. */ - - /* Interop Constraints */ - "allowSyntheticDefaultImports": true, /* Allow 'import x from y' when a module doesn't have a default export. */ - "esModuleInterop": true, /* Emit additional JavaScript to ease support for importing CommonJS modules. This enables 'allowSyntheticDefaultImports' for type compatibility. */ - "forceConsistentCasingInFileNames": true, /* Ensure that casing is correct in imports. */ - - /* Type Checking */ - "strict": true, /* Enable all strict type-checking options. */ - "noImplicitAny": true, /* Enable error reporting for expressions and declarations with an implied 'any' type. */ - "noImplicitThis": true, /* Enable error reporting when 'this' is given the type 'any'. */ - "useUnknownInCatchVariables": true, /* Default catch clause variables as 'unknown' instead of 'any'. */ - "noUnusedLocals": true, /* Enable error reporting when local variables aren't read. */ - "noUnusedParameters": true, /* Raise an error when a function parameter isn't read. */ - "noImplicitReturns": true, /* Enable error reporting for codepaths that do not explicitly return in a function. */ - "noFallthroughCasesInSwitch": true, /* Enable error reporting for fallthrough cases in switch statements. */ - "noUncheckedIndexedAccess": true, /* Add 'undefined' to a type when accessed using an index. */ - "noImplicitOverride": true, /* Ensure overriding members in derived classes are marked with an override modifier. */ - // "noPropertyAccessFromIndexSignature": true, /* Enforces using indexed accessors for keys declared using an indexed type. */ - - /* Completeness */ - // "skipLibCheck": true /* Skip type checking all .d.ts files. */ - }, - "exclude": [ - "coverage" - ] -} diff --git a/node_modules/depd/History.md b/node_modules/depd/History.md index cd9ebaa..507ecb8 100644 --- a/node_modules/depd/History.md +++ b/node_modules/depd/History.md @@ -1,10 +1,3 @@ -2.0.0 / 2018-10-26 -================== - - * Drop support for Node.js 0.6 - * Replace internal `eval` usage with `Function` constructor - * Use instance methods on `process` to check for listeners - 1.1.2 / 2018-01-11 ================== diff --git a/node_modules/depd/LICENSE b/node_modules/depd/LICENSE index 248de7a..84441fb 100644 --- a/node_modules/depd/LICENSE +++ b/node_modules/depd/LICENSE @@ -1,6 +1,6 @@ (The MIT License) -Copyright (c) 2014-2018 Douglas Christopher Wilson +Copyright (c) 2014-2017 Douglas Christopher Wilson Permission is hereby granted, free of charge, to any person obtaining a copy of this software and associated documentation files (the diff --git a/node_modules/depd/Readme.md b/node_modules/depd/Readme.md index 043d1ca..7790670 100644 --- a/node_modules/depd/Readme.md +++ b/node_modules/depd/Readme.md @@ -267,14 +267,14 @@ deprecate.property(exports, 'oldprop', 'oldprop >= 0.10') [MIT](LICENSE) -[appveyor-image]: https://badgen.net/appveyor/ci/dougwilson/nodejs-depd/master?label=windows +[npm-version-image]: https://img.shields.io/npm/v/depd.svg +[npm-downloads-image]: https://img.shields.io/npm/dm/depd.svg +[npm-url]: https://npmjs.org/package/depd +[travis-image]: https://img.shields.io/travis/dougwilson/nodejs-depd/master.svg?label=linux +[travis-url]: https://travis-ci.org/dougwilson/nodejs-depd +[appveyor-image]: https://img.shields.io/appveyor/ci/dougwilson/nodejs-depd/master.svg?label=windows [appveyor-url]: https://ci.appveyor.com/project/dougwilson/nodejs-depd -[coveralls-image]: https://badgen.net/coveralls/c/github/dougwilson/nodejs-depd/master +[coveralls-image]: https://img.shields.io/coveralls/dougwilson/nodejs-depd/master.svg [coveralls-url]: https://coveralls.io/r/dougwilson/nodejs-depd?branch=master -[node-image]: https://badgen.net/npm/node/depd +[node-image]: https://img.shields.io/node/v/depd.svg [node-url]: https://nodejs.org/en/download/ -[npm-downloads-image]: https://badgen.net/npm/dm/depd -[npm-url]: https://npmjs.org/package/depd -[npm-version-image]: https://badgen.net/npm/v/depd -[travis-image]: https://badgen.net/travis/dougwilson/nodejs-depd/master?label=linux -[travis-url]: https://travis-ci.org/dougwilson/nodejs-depd diff --git a/node_modules/depd/index.js b/node_modules/depd/index.js index 1bf2fcf..d758d3c 100644 --- a/node_modules/depd/index.js +++ b/node_modules/depd/index.js @@ -1,6 +1,6 @@ /*! * depd - * Copyright(c) 2014-2018 Douglas Christopher Wilson + * Copyright(c) 2014-2017 Douglas Christopher Wilson * MIT Licensed */ @@ -8,6 +8,8 @@ * Module dependencies. */ +var callSiteToString = require('./lib/compat').callSiteToString +var eventListenerCount = require('./lib/compat').eventListenerCount var relative = require('path').relative /** @@ -90,7 +92,7 @@ function createStackString (stack) { } for (var i = 0; i < stack.length; i++) { - str += '\n at ' + stack[i].toString() + str += '\n at ' + callSiteToString(stack[i]) } return str @@ -126,31 +128,12 @@ function depd (namespace) { return deprecate } -/** - * Determine if event emitter has listeners of a given type. - * - * The way to do this check is done three different ways in Node.js >= 0.8 - * so this consolidates them into a minimal set using instance methods. - * - * @param {EventEmitter} emitter - * @param {string} type - * @returns {boolean} - * @private - */ - -function eehaslisteners (emitter, type) { - var count = typeof emitter.listenerCount !== 'function' - ? emitter.listeners(type).length - : emitter.listenerCount(type) - - return count > 0 -} - /** * Determine if namespace is ignored. */ function isignored (namespace) { + /* istanbul ignore next: tested in a child processs */ if (process.noDeprecation) { // --no-deprecation support return true @@ -167,6 +150,7 @@ function isignored (namespace) { */ function istraced (namespace) { + /* istanbul ignore next: tested in a child processs */ if (process.traceDeprecation) { // --trace-deprecation support return true @@ -183,7 +167,7 @@ function istraced (namespace) { */ function log (message, site) { - var haslisteners = eehaslisteners(process, 'deprecation') + var haslisteners = eventListenerCount(process, 'deprecation') !== 0 // abort early if no destination if (!haslisteners && this._ignored) { @@ -326,7 +310,7 @@ function formatPlain (msg, caller, stack) { // add stack trace if (this._traced) { for (var i = 0; i < stack.length; i++) { - formatted += '\n at ' + stack[i].toString() + formatted += '\n at ' + callSiteToString(stack[i]) } return formatted @@ -351,7 +335,7 @@ function formatColor (msg, caller, stack) { // add stack trace if (this._traced) { for (var i = 0; i < stack.length; i++) { - formatted += '\n \x1b[36mat ' + stack[i].toString() + '\x1b[39m' // cyan + formatted += '\n \x1b[36mat ' + callSiteToString(stack[i]) + '\x1b[39m' // cyan } return formatted @@ -416,18 +400,18 @@ function wrapfunction (fn, message) { } var args = createArgumentsString(fn.length) + var deprecate = this // eslint-disable-line no-unused-vars var stack = getStack() var site = callSiteLocation(stack[1]) site.name = fn.name - // eslint-disable-next-line no-new-func - var deprecatedfn = new Function('fn', 'log', 'deprecate', 'message', 'site', + // eslint-disable-next-line no-eval + var deprecatedfn = eval('(function (' + args + ') {\n' + '"use strict"\n' + - 'return function (' + args + ') {' + 'log.call(deprecate, message, site)\n' + 'return fn.apply(this, arguments)\n' + - '}')(fn, log, this, message, site) + '})') return deprecatedfn } diff --git a/node_modules/depd/lib/compat/callsite-tostring.js b/node_modules/depd/lib/compat/callsite-tostring.js new file mode 100644 index 0000000..73186dc --- /dev/null +++ b/node_modules/depd/lib/compat/callsite-tostring.js @@ -0,0 +1,103 @@ +/*! + * depd + * Copyright(c) 2014 Douglas Christopher Wilson + * MIT Licensed + */ + +'use strict' + +/** + * Module exports. + */ + +module.exports = callSiteToString + +/** + * Format a CallSite file location to a string. + */ + +function callSiteFileLocation (callSite) { + var fileName + var fileLocation = '' + + if (callSite.isNative()) { + fileLocation = 'native' + } else if (callSite.isEval()) { + fileName = callSite.getScriptNameOrSourceURL() + if (!fileName) { + fileLocation = callSite.getEvalOrigin() + } + } else { + fileName = callSite.getFileName() + } + + if (fileName) { + fileLocation += fileName + + var lineNumber = callSite.getLineNumber() + if (lineNumber != null) { + fileLocation += ':' + lineNumber + + var columnNumber = callSite.getColumnNumber() + if (columnNumber) { + fileLocation += ':' + columnNumber + } + } + } + + return fileLocation || 'unknown source' +} + +/** + * Format a CallSite to a string. + */ + +function callSiteToString (callSite) { + var addSuffix = true + var fileLocation = callSiteFileLocation(callSite) + var functionName = callSite.getFunctionName() + var isConstructor = callSite.isConstructor() + var isMethodCall = !(callSite.isToplevel() || isConstructor) + var line = '' + + if (isMethodCall) { + var methodName = callSite.getMethodName() + var typeName = getConstructorName(callSite) + + if (functionName) { + if (typeName && functionName.indexOf(typeName) !== 0) { + line += typeName + '.' + } + + line += functionName + + if (methodName && functionName.lastIndexOf('.' + methodName) !== functionName.length - methodName.length - 1) { + line += ' [as ' + methodName + ']' + } + } else { + line += typeName + '.' + (methodName || '') + } + } else if (isConstructor) { + line += 'new ' + (functionName || '') + } else if (functionName) { + line += functionName + } else { + addSuffix = false + line += fileLocation + } + + if (addSuffix) { + line += ' (' + fileLocation + ')' + } + + return line +} + +/** + * Get constructor name of reviver. + */ + +function getConstructorName (obj) { + var receiver = obj.receiver + return (receiver.constructor && receiver.constructor.name) || null +} diff --git a/node_modules/depd/lib/compat/event-listener-count.js b/node_modules/depd/lib/compat/event-listener-count.js new file mode 100644 index 0000000..3a8925d --- /dev/null +++ b/node_modules/depd/lib/compat/event-listener-count.js @@ -0,0 +1,22 @@ +/*! + * depd + * Copyright(c) 2015 Douglas Christopher Wilson + * MIT Licensed + */ + +'use strict' + +/** + * Module exports. + * @public + */ + +module.exports = eventListenerCount + +/** + * Get the count of listeners on an event emitter of a specific type. + */ + +function eventListenerCount (emitter, type) { + return emitter.listeners(type).length +} diff --git a/node_modules/depd/lib/compat/index.js b/node_modules/depd/lib/compat/index.js new file mode 100644 index 0000000..955b333 --- /dev/null +++ b/node_modules/depd/lib/compat/index.js @@ -0,0 +1,79 @@ +/*! + * depd + * Copyright(c) 2014-2015 Douglas Christopher Wilson + * MIT Licensed + */ + +'use strict' + +/** + * Module dependencies. + * @private + */ + +var EventEmitter = require('events').EventEmitter + +/** + * Module exports. + * @public + */ + +lazyProperty(module.exports, 'callSiteToString', function callSiteToString () { + var limit = Error.stackTraceLimit + var obj = {} + var prep = Error.prepareStackTrace + + function prepareObjectStackTrace (obj, stack) { + return stack + } + + Error.prepareStackTrace = prepareObjectStackTrace + Error.stackTraceLimit = 2 + + // capture the stack + Error.captureStackTrace(obj) + + // slice the stack + var stack = obj.stack.slice() + + Error.prepareStackTrace = prep + Error.stackTraceLimit = limit + + return stack[0].toString ? toString : require('./callsite-tostring') +}) + +lazyProperty(module.exports, 'eventListenerCount', function eventListenerCount () { + return EventEmitter.listenerCount || require('./event-listener-count') +}) + +/** + * Define a lazy property. + */ + +function lazyProperty (obj, prop, getter) { + function get () { + var val = getter() + + Object.defineProperty(obj, prop, { + configurable: true, + enumerable: true, + value: val + }) + + return val + } + + Object.defineProperty(obj, prop, { + configurable: true, + enumerable: true, + get: get + }) +} + +/** + * Call toString() on the obj + */ + +function toString (obj) { + return obj.toString() +} diff --git a/node_modules/depd/package.json b/node_modules/depd/package.json index 3857e19..5e3c863 100644 --- a/node_modules/depd/package.json +++ b/node_modules/depd/package.json @@ -1,7 +1,7 @@ { "name": "depd", "description": "Deprecate all the things", - "version": "2.0.0", + "version": "1.1.2", "author": "Douglas Christopher Wilson ", "license": "MIT", "keywords": [ @@ -13,17 +13,13 @@ "devDependencies": { "benchmark": "2.1.4", "beautify-benchmark": "0.2.4", - "eslint": "5.7.0", - "eslint-config-standard": "12.0.0", - "eslint-plugin-import": "2.14.0", + "eslint": "3.19.0", + "eslint-config-standard": "7.1.0", "eslint-plugin-markdown": "1.0.0-beta.7", - "eslint-plugin-node": "7.0.1", - "eslint-plugin-promise": "4.0.1", - "eslint-plugin-standard": "4.0.0", + "eslint-plugin-promise": "3.6.0", + "eslint-plugin-standard": "3.0.1", "istanbul": "0.4.5", - "mocha": "5.2.0", - "safe-buffer": "5.1.2", - "uid-safe": "2.1.5" + "mocha": "~1.21.5" }, "files": [ "lib/", @@ -33,13 +29,13 @@ "Readme.md" ], "engines": { - "node": ">= 0.8" + "node": ">= 0.6" }, "scripts": { "bench": "node benchmark/index.js", "lint": "eslint --plugin markdown --ext js,md .", "test": "mocha --reporter spec --bail test/", - "test-ci": "istanbul cover --print=none node_modules/mocha/bin/_mocha -- --reporter spec test/ && istanbul report lcovonly text-summary", - "test-cov": "istanbul cover --print=none node_modules/mocha/bin/_mocha -- --reporter dot test/ && istanbul report lcov text-summary" + "test-ci": "istanbul cover node_modules/mocha/bin/_mocha --report lcovonly -- --reporter spec --no-exit test/", + "test-cov": "istanbul cover node_modules/mocha/bin/_mocha -- --reporter dot test/" } } diff --git a/node_modules/destroy/LICENSE b/node_modules/destroy/LICENSE index 0e2c35f..a7ae8ee 100644 --- a/node_modules/destroy/LICENSE +++ b/node_modules/destroy/LICENSE @@ -2,7 +2,6 @@ The MIT License (MIT) Copyright (c) 2014 Jonathan Ong me@jongleberry.com -Copyright (c) 2015-2022 Douglas Christopher Wilson doug@somethingdoug.com Permission is hereby granted, free of charge, to any person obtaining a copy of this software and associated documentation files (the "Software"), to deal diff --git a/node_modules/destroy/README.md b/node_modules/destroy/README.md index e7701ae..6474bc3 100644 --- a/node_modules/destroy/README.md +++ b/node_modules/destroy/README.md @@ -1,10 +1,11 @@ -# destroy +# Destroy [![NPM version][npm-image]][npm-url] -[![Build Status][github-actions-ci-image]][github-actions-ci-url] +[![Build status][travis-image]][travis-url] [![Test coverage][coveralls-image]][coveralls-url] [![License][license-image]][license-url] [![Downloads][downloads-image]][downloads-url] +[![Gittip][gittip-image]][gittip-url] Destroy a stream. @@ -17,23 +18,17 @@ and Node.js bugs. var destroy = require('destroy') ``` -### destroy(stream [, suppress]) +### destroy(stream) -Destroy the given stream, and optionally suppress any future `error` events. - -In most cases, this is identical to a simple `stream.destroy()` call. The rules -are as follows for a given stream: +Destroy the given stream. In most cases, this is identical to a simple +`stream.destroy()` call. The rules are as follows for a given stream: 1. If the `stream` is an instance of `ReadStream`, then call `stream.destroy()` and add a listener to the `open` event to call `stream.close()` if it is fired. This is for a Node.js bug that will leak a file descriptor if `.destroy()` is called before `open`. - 2. If the `stream` is an instance of a zlib stream, then call `stream.destroy()` - and close the underlying zlib handle if open, otherwise call `stream.close()`. - This is for consistency across Node.js versions and a Node.js bug that will - leak a native zlib handle. - 3. If the `stream` is not an instance of `Stream`, then nothing happens. - 4. If the `stream` has a `.destroy()` method, then call it. + 2. If the `stream` is not an instance of `Stream`, then nothing happens. + 3. If the `stream` has a `.destroy()` method, then call it. The function returns the `stream` passed in as the argument. @@ -53,11 +48,13 @@ destroy(stream) [npm-url]: https://npmjs.org/package/destroy [github-tag]: http://img.shields.io/github/tag/stream-utils/destroy.svg?style=flat-square [github-url]: https://github.com/stream-utils/destroy/tags +[travis-image]: https://img.shields.io/travis/stream-utils/destroy.svg?style=flat-square +[travis-url]: https://travis-ci.org/stream-utils/destroy [coveralls-image]: https://img.shields.io/coveralls/stream-utils/destroy.svg?style=flat-square [coveralls-url]: https://coveralls.io/r/stream-utils/destroy?branch=master [license-image]: http://img.shields.io/npm/l/destroy.svg?style=flat-square [license-url]: LICENSE.md [downloads-image]: http://img.shields.io/npm/dm/destroy.svg?style=flat-square [downloads-url]: https://npmjs.org/package/destroy -[github-actions-ci-image]: https://img.shields.io/github/workflow/status/stream-utils/destroy/ci/master?label=ci&style=flat-square -[github-actions-ci-url]: https://github.com/stream-utils/destroy/actions/workflows/ci.yml +[gittip-image]: https://img.shields.io/gittip/jonathanong.svg?style=flat-square +[gittip-url]: https://www.gittip.com/jonathanong/ diff --git a/node_modules/destroy/index.js b/node_modules/destroy/index.js index 7fd5c09..6da2d26 100644 --- a/node_modules/destroy/index.js +++ b/node_modules/destroy/index.js @@ -1,7 +1,6 @@ /*! * destroy * Copyright(c) 2014 Jonathan Ong - * Copyright(c) 2015-2022 Douglas Christopher Wilson * MIT Licensed */ @@ -12,10 +11,8 @@ * @private */ -var EventEmitter = require('events').EventEmitter var ReadStream = require('fs').ReadStream var Stream = require('stream') -var Zlib = require('zlib') /** * Module exports. @@ -25,25 +22,23 @@ var Zlib = require('zlib') module.exports = destroy /** - * Destroy the given stream, and optionally suppress any future `error` events. + * Destroy a stream. * * @param {object} stream - * @param {boolean} suppress * @public */ -function destroy (stream, suppress) { - if (isFsReadStream(stream)) { - destroyReadStream(stream) - } else if (isZlibStream(stream)) { - destroyZlibStream(stream) - } else if (hasDestroy(stream)) { - stream.destroy() +function destroy(stream) { + if (stream instanceof ReadStream) { + return destroyReadStream(stream) + } + + if (!(stream instanceof Stream)) { + return stream } - if (isEventEmitter(stream) && suppress) { - stream.removeAllListeners('error') - stream.addListener('error', noop) + if (typeof stream.destroy === 'function') { + stream.destroy() } return stream @@ -56,144 +51,15 @@ function destroy (stream, suppress) { * @private */ -function destroyReadStream (stream) { +function destroyReadStream(stream) { stream.destroy() if (typeof stream.close === 'function') { // node.js core bug work-around stream.on('open', onOpenClose) } -} - -/** - * Close a Zlib stream. - * - * Zlib streams below Node.js 4.5.5 have a buggy implementation - * of .close() when zlib encountered an error. - * - * @param {object} stream - * @private - */ - -function closeZlibStream (stream) { - if (stream._hadError === true) { - var prop = stream._binding === null - ? '_binding' - : '_handle' - - stream[prop] = { - close: function () { this[prop] = null } - } - } - - stream.close() -} - -/** - * Destroy a Zlib stream. - * - * Zlib streams don't have a destroy function in Node.js 6. On top of that - * simply calling destroy on a zlib stream in Node.js 8+ will result in a - * memory leak. So until that is fixed, we need to call both close AND destroy. - * - * PR to fix memory leak: https://github.com/nodejs/node/pull/23734 - * - * In Node.js 6+8, it's important that destroy is called before close as the - * stream would otherwise emit the error 'zlib binding closed'. - * - * @param {object} stream - * @private - */ - -function destroyZlibStream (stream) { - if (typeof stream.destroy === 'function') { - // node.js core bug work-around - // istanbul ignore if: node.js 0.8 - if (stream._binding) { - // node.js < 0.10.0 - stream.destroy() - if (stream._processing) { - stream._needDrain = true - stream.once('drain', onDrainClearBinding) - } else { - stream._binding.clear() - } - } else if (stream._destroy && stream._destroy !== Stream.Transform.prototype._destroy) { - // node.js >= 12, ^11.1.0, ^10.15.1 - stream.destroy() - } else if (stream._destroy && typeof stream.close === 'function') { - // node.js 7, 8 - stream.destroyed = true - stream.close() - } else { - // fallback - // istanbul ignore next - stream.destroy() - } - } else if (typeof stream.close === 'function') { - // node.js < 8 fallback - closeZlibStream(stream) - } -} - -/** - * Determine if stream has destroy. - * @private - */ - -function hasDestroy (stream) { - return stream instanceof Stream && - typeof stream.destroy === 'function' -} - -/** - * Determine if val is EventEmitter. - * @private - */ - -function isEventEmitter (val) { - return val instanceof EventEmitter -} - -/** - * Determine if stream is fs.ReadStream stream. - * @private - */ - -function isFsReadStream (stream) { - return stream instanceof ReadStream -} -/** - * Determine if stream is Zlib stream. - * @private - */ - -function isZlibStream (stream) { - return stream instanceof Zlib.Gzip || - stream instanceof Zlib.Gunzip || - stream instanceof Zlib.Deflate || - stream instanceof Zlib.DeflateRaw || - stream instanceof Zlib.Inflate || - stream instanceof Zlib.InflateRaw || - stream instanceof Zlib.Unzip -} - -/** - * No-op function. - * @private - */ - -function noop () {} - -/** - * On drain handler to clear binding. - * @private - */ - -// istanbul ignore next: node.js 0.8 -function onDrainClearBinding () { - this._binding.clear() + return stream } /** @@ -201,7 +67,7 @@ function onDrainClearBinding () { * @private */ -function onOpenClose () { +function onOpenClose() { if (typeof this.fd === 'number') { // actually close down the fd this.close() diff --git a/node_modules/destroy/package.json b/node_modules/destroy/package.json index c85e438..024bff9 100644 --- a/node_modules/destroy/package.json +++ b/node_modules/destroy/package.json @@ -1,7 +1,7 @@ { "name": "destroy", "description": "destroy a stream if possible", - "version": "1.2.0", + "version": "1.0.4", "author": { "name": "Jonathan Ong", "email": "me@jongleberry.com", @@ -14,24 +14,13 @@ "license": "MIT", "repository": "stream-utils/destroy", "devDependencies": { - "eslint": "7.32.0", - "eslint-config-standard": "14.1.1", - "eslint-plugin-import": "2.25.4", - "eslint-plugin-node": "11.1.0", - "eslint-plugin-promise": "5.2.0", - "eslint-plugin-standard": "4.1.0", - "mocha": "9.2.2", - "nyc": "15.1.0" - }, - "engines": { - "node": ">= 0.8", - "npm": "1.2.8000 || >= 1.4.16" + "istanbul": "0.4.2", + "mocha": "2.3.4" }, "scripts": { - "lint": "eslint .", "test": "mocha --reporter spec", - "test-ci": "nyc --reporter=lcovonly --reporter=text npm test", - "test-cov": "nyc --reporter=html --reporter=text npm test" + "test-cov": "istanbul cover node_modules/mocha/bin/_mocha -- --reporter dot", + "test-travis": "istanbul cover node_modules/mocha/bin/_mocha --report lcovonly -- --reporter dot" }, "files": [ "index.js", diff --git a/node_modules/express/History.md b/node_modules/express/History.md index e49870f..2f6eab1 100644 --- a/node_modules/express/History.md +++ b/node_modules/express/History.md @@ -1,170 +1,3 @@ -4.18.2 / 2022-10-08 -=================== - - * Fix regression routing a large stack in a single route - * deps: body-parser@1.20.1 - - deps: qs@6.11.0 - - perf: remove unnecessary object clone - * deps: qs@6.11.0 - -4.18.1 / 2022-04-29 -=================== - - * Fix hanging on large stack of sync routes - -4.18.0 / 2022-04-25 -=================== - - * Add "root" option to `res.download` - * Allow `options` without `filename` in `res.download` - * Deprecate string and non-integer arguments to `res.status` - * Fix behavior of `null`/`undefined` as `maxAge` in `res.cookie` - * Fix handling very large stacks of sync middleware - * Ignore `Object.prototype` values in settings through `app.set`/`app.get` - * Invoke `default` with same arguments as types in `res.format` - * Support proper 205 responses using `res.send` - * Use `http-errors` for `res.format` error - * deps: body-parser@1.20.0 - - Fix error message for json parse whitespace in `strict` - - Fix internal error when inflated body exceeds limit - - Prevent loss of async hooks context - - Prevent hanging when request already read - - deps: depd@2.0.0 - - deps: http-errors@2.0.0 - - deps: on-finished@2.4.1 - - deps: qs@6.10.3 - - deps: raw-body@2.5.1 - * deps: cookie@0.5.0 - - Add `priority` option - - Fix `expires` option to reject invalid dates - * deps: depd@2.0.0 - - Replace internal `eval` usage with `Function` constructor - - Use instance methods on `process` to check for listeners - * deps: finalhandler@1.2.0 - - Remove set content headers that break response - - deps: on-finished@2.4.1 - - deps: statuses@2.0.1 - * deps: on-finished@2.4.1 - - Prevent loss of async hooks context - * deps: qs@6.10.3 - * deps: send@0.18.0 - - Fix emitted 416 error missing headers property - - Limit the headers removed for 304 response - - deps: depd@2.0.0 - - deps: destroy@1.2.0 - - deps: http-errors@2.0.0 - - deps: on-finished@2.4.1 - - deps: statuses@2.0.1 - * deps: serve-static@1.15.0 - - deps: send@0.18.0 - * deps: statuses@2.0.1 - - Remove code 306 - - Rename `425 Unordered Collection` to standard `425 Too Early` - -4.17.3 / 2022-02-16 -=================== - - * deps: accepts@~1.3.8 - - deps: mime-types@~2.1.34 - - deps: negotiator@0.6.3 - * deps: body-parser@1.19.2 - - deps: bytes@3.1.2 - - deps: qs@6.9.7 - - deps: raw-body@2.4.3 - * deps: cookie@0.4.2 - * deps: qs@6.9.7 - * Fix handling of `__proto__` keys - * pref: remove unnecessary regexp for trust proxy - -4.17.2 / 2021-12-16 -=================== - - * Fix handling of `undefined` in `res.jsonp` - * Fix handling of `undefined` when `"json escape"` is enabled - * Fix incorrect middleware execution with unanchored `RegExp`s - * Fix `res.jsonp(obj, status)` deprecation message - * Fix typo in `res.is` JSDoc - * deps: body-parser@1.19.1 - - deps: bytes@3.1.1 - - deps: http-errors@1.8.1 - - deps: qs@6.9.6 - - deps: raw-body@2.4.2 - - deps: safe-buffer@5.2.1 - - deps: type-is@~1.6.18 - * deps: content-disposition@0.5.4 - - deps: safe-buffer@5.2.1 - * deps: cookie@0.4.1 - - Fix `maxAge` option to reject invalid values - * deps: proxy-addr@~2.0.7 - - Use `req.socket` over deprecated `req.connection` - - deps: forwarded@0.2.0 - - deps: ipaddr.js@1.9.1 - * deps: qs@6.9.6 - * deps: safe-buffer@5.2.1 - * deps: send@0.17.2 - - deps: http-errors@1.8.1 - - deps: ms@2.1.3 - - pref: ignore empty http tokens - * deps: serve-static@1.14.2 - - deps: send@0.17.2 - * deps: setprototypeof@1.2.0 - -4.17.1 / 2019-05-25 -=================== - - * Revert "Improve error message for `null`/`undefined` to `res.status`" - -4.17.0 / 2019-05-16 -=================== - - * Add `express.raw` to parse bodies into `Buffer` - * Add `express.text` to parse bodies into string - * Improve error message for non-strings to `res.sendFile` - * Improve error message for `null`/`undefined` to `res.status` - * Support multiple hosts in `X-Forwarded-Host` - * deps: accepts@~1.3.7 - * deps: body-parser@1.19.0 - - Add encoding MIK - - Add petabyte (`pb`) support - - Fix parsing array brackets after index - - deps: bytes@3.1.0 - - deps: http-errors@1.7.2 - - deps: iconv-lite@0.4.24 - - deps: qs@6.7.0 - - deps: raw-body@2.4.0 - - deps: type-is@~1.6.17 - * deps: content-disposition@0.5.3 - * deps: cookie@0.4.0 - - Add `SameSite=None` support - * deps: finalhandler@~1.1.2 - - Set stricter `Content-Security-Policy` header - - deps: parseurl@~1.3.3 - - deps: statuses@~1.5.0 - * deps: parseurl@~1.3.3 - * deps: proxy-addr@~2.0.5 - - deps: ipaddr.js@1.9.0 - * deps: qs@6.7.0 - - Fix parsing array brackets after index - * deps: range-parser@~1.2.1 - * deps: send@0.17.1 - - Set stricter CSP header in redirect & error responses - - deps: http-errors@~1.7.2 - - deps: mime@1.6.0 - - deps: ms@2.1.1 - - deps: range-parser@~1.2.1 - - deps: statuses@~1.5.0 - - perf: remove redundant `path.normalize` call - * deps: serve-static@1.14.1 - - Set stricter CSP header in redirect response - - deps: parseurl@~1.3.3 - - deps: send@0.17.1 - * deps: setprototypeof@1.1.1 - * deps: statuses@~1.5.0 - - Add `103 Early Hints` - * deps: type-is@~1.6.18 - - deps: mime-types@~2.1.24 - - perf: prevent internal `throw` on invalid type - 4.16.4 / 2018-10-10 =================== @@ -461,7 +294,7 @@ - Fix including type extensions in parameters in `Accept` parsing - Fix parsing `Accept` parameters with quoted equals - Fix parsing `Accept` parameters with quoted semicolons - - Many performance improvements + - Many performance improvments - deps: mime-types@~2.1.11 - deps: negotiator@0.6.1 * deps: content-type@~1.0.2 @@ -476,7 +309,7 @@ - perf: enable strict mode - perf: hoist regular expression - perf: use for loop in parse - - perf: use string concatenation for serialization + - perf: use string concatination for serialization * deps: finalhandler@0.5.0 - Change invalid or non-numeric status code to 500 - Overwrite status message to match set status code @@ -486,7 +319,7 @@ * deps: proxy-addr@~1.1.2 - Fix accepting various invalid netmasks - Fix IPv6-mapped IPv4 validation edge cases - - IPv4 netmasks must be contiguous + - IPv4 netmasks must be contingous - IPv6 addresses cannot be used as a netmask - deps: ipaddr.js@1.1.1 * deps: qs@6.2.0 @@ -1264,13 +1097,13 @@ - deps: negotiator@0.4.6 * deps: debug@1.0.2 * deps: send@0.4.3 - - Do not throw uncatchable error on file open race condition + - Do not throw un-catchable error on file open race condition - Use `escape-html` for HTML escaping - deps: debug@1.0.2 - deps: finished@1.2.2 - deps: fresh@0.2.2 * deps: serve-static@1.2.3 - - Do not throw uncatchable error on file open race condition + - Do not throw un-catchable error on file open race condition - deps: send@0.4.3 4.4.2 / 2014-06-09 @@ -2150,7 +1983,7 @@ - deps: serve-static@1.2.3 * deps: debug@1.0.2 * deps: send@0.4.3 - - Do not throw uncatchable error on file open race condition + - Do not throw un-catchable error on file open race condition - Use `escape-html` for HTML escaping - deps: debug@1.0.2 - deps: finished@1.2.2 @@ -3335,7 +3168,7 @@ Shaw] * Updated haml submodule * Changed ETag; removed inode, modified time only * Fixed LF to CRLF for setting multiple cookies - * Fixed cookie compilation; values are now urlencoded + * Fixed cookie complation; values are now urlencoded * Fixed cookies parsing; accepts quoted values and url escaped cookies 0.11.0 / 2010-05-06 @@ -3530,7 +3363,7 @@ Shaw] * Added "plot" format option for Profiler (for gnuplot processing) * Added request number to Profiler plugin - * Fixed binary encoding for multipart file uploads, was previously defaulting to UTF8 + * Fixed binary encoding for multi-part file uploads, was previously defaulting to UTF8 * Fixed issue with routes not firing when not files are present. Closes #184 * Fixed process.Promise -> events.Promise @@ -3576,7 +3409,7 @@ Shaw] * Updated sample chat app to show messages on load * Updated libxmljs parseString -> parseHtmlString * Fixed `make init` to work with older versions of git - * Fixed specs can now run independent specs for those who can't build deps. Closes #127 + * Fixed specs can now run independent specs for those who cant build deps. Closes #127 * Fixed issues introduced by the node url module changes. Closes 126. * Fixed two assertions failing due to Collection#keys() returning strings * Fixed faulty Collection#toArray() spec due to keys() returning strings diff --git a/node_modules/express/Readme.md b/node_modules/express/Readme.md index 0936816..582e895 100644 --- a/node_modules/express/Readme.md +++ b/node_modules/express/Readme.md @@ -1,14 +1,16 @@ [![Express Logo](https://i.cloudup.com/zfY6lL7eFa-3000x3000.png)](http://expressjs.com/) - Fast, unopinionated, minimalist web framework for [Node.js](http://nodejs.org). + Fast, unopinionated, minimalist web framework for [node](http://nodejs.org). - [![NPM Version][npm-version-image]][npm-url] - [![NPM Install Size][npm-install-size-image]][npm-install-size-url] - [![NPM Downloads][npm-downloads-image]][npm-downloads-url] + [![NPM Version][npm-image]][npm-url] + [![NPM Downloads][downloads-image]][downloads-url] + [![Linux Build][travis-image]][travis-url] + [![Windows Build][appveyor-image]][appveyor-url] + [![Test Coverage][coveralls-image]][coveralls-url] ```js -const express = require('express') -const app = express() +var express = require('express') +var app = express() app.get('/', function (req, res) { res.send('Hello World') @@ -25,13 +27,10 @@ This is a [Node.js](https://nodejs.org/en/) module available through the Before installing, [download and install Node.js](https://nodejs.org/en/download/). Node.js 0.10 or higher is required. -If this is a brand new project, make sure to create a `package.json` first with -the [`npm init` command](https://docs.npmjs.com/creating-a-package-json-file). - Installation is done using the [`npm install` command](https://docs.npmjs.com/getting-started/installing-npm-packages-locally): -```console +```bash $ npm install express ``` @@ -51,7 +50,7 @@ for more information. ## Docs & Community * [Website and Documentation](http://expressjs.com/) - [[website repo](https://github.com/expressjs/expressjs.com)] - * [#express](https://web.libera.chat/#express) on [Libera Chat](https://libera.chat) IRC + * [#express](https://webchat.freenode.net/?channels=express) on freenode IRC * [GitHub Organization](https://github.com/expressjs) for Official Middleware & Modules * Visit the [Wiki](https://github.com/expressjs/express/wiki) * [Google Group](https://groups.google.com/group/express-js) for discussion @@ -59,40 +58,42 @@ for more information. **PROTIP** Be sure to read [Migrating from 3.x to 4.x](https://github.com/expressjs/express/wiki/Migrating-from-3.x-to-4.x) as well as [New features in 4.x](https://github.com/expressjs/express/wiki/New-features-in-4.x). +### Security Issues + +If you discover a security vulnerability in Express, please see [Security Policies and Procedures](Security.md). + ## Quick Start The quickest way to get started with express is to utilize the executable [`express(1)`](https://github.com/expressjs/generator) to generate an application as shown below: Install the executable. The executable's major version will match Express's: -```console +```bash $ npm install -g express-generator@4 ``` Create the app: -```console +```bash $ express /tmp/foo && cd /tmp/foo ``` Install dependencies: -```console +```bash $ npm install ``` Start the server: -```console +```bash $ npm start ``` - View the website at: http://localhost:3000 - ## Philosophy The Express philosophy is to provide small, robust tooling for HTTP servers, making - it a great solution for single page applications, websites, hybrids, or public + it a great solution for single page applications, web sites, hybrids, or public HTTP APIs. Express does not force you to use any specific ORM or template engine. With support for over @@ -103,7 +104,7 @@ $ npm start To view the examples, clone the Express repo and install the dependencies: -```console +```bash $ git clone git://github.com/expressjs/express.git --depth 1 $ cd express $ npm install @@ -111,31 +112,15 @@ $ npm install Then run whichever example you want: -```console +```bash $ node examples/content-negotiation ``` -## Contributing - - [![Linux Build][github-actions-ci-image]][github-actions-ci-url] - [![Windows Build][appveyor-image]][appveyor-url] - [![Test Coverage][coveralls-image]][coveralls-url] - -The Express.js project welcomes all constructive contributions. Contributions take many forms, -from code for bug fixes and enhancements, to additions and fixes to documentation, additional -tests, triaging incoming pull requests and issues, and more! - -See the [Contributing Guide](Contributing.md) for more technical details on contributing. - -### Security Issues - -If you discover a security vulnerability in Express, please see [Security Policies and Procedures](Security.md). - -### Running Tests +## Tests -To run the test suite, first install the dependencies, then run `npm test`: + To run the test suite, first install the dependencies, then run `npm test`: -```console +```bash $ npm install $ npm test ``` @@ -152,15 +137,17 @@ The current lead maintainer is [Douglas Christopher Wilson](https://github.com/d [MIT](LICENSE) -[appveyor-image]: https://badgen.net/appveyor/ci/dougwilson/express/master?label=windows +[npm-image]: https://img.shields.io/npm/v/express.svg +[npm-url]: https://npmjs.org/package/express +[downloads-image]: https://img.shields.io/npm/dm/express.svg +[downloads-url]: https://npmjs.org/package/express +[travis-image]: https://img.shields.io/travis/expressjs/express/master.svg?label=linux +[travis-url]: https://travis-ci.org/expressjs/express +[appveyor-image]: https://img.shields.io/appveyor/ci/dougwilson/express/master.svg?label=windows [appveyor-url]: https://ci.appveyor.com/project/dougwilson/express -[coveralls-image]: https://badgen.net/coveralls/c/github/expressjs/express/master +[coveralls-image]: https://img.shields.io/coveralls/expressjs/express/master.svg [coveralls-url]: https://coveralls.io/r/expressjs/express?branch=master -[github-actions-ci-image]: https://badgen.net/github/checks/expressjs/express/master?label=linux -[github-actions-ci-url]: https://github.com/expressjs/express/actions/workflows/ci.yml -[npm-downloads-image]: https://badgen.net/npm/dm/express -[npm-downloads-url]: https://npmcharts.com/compare/express?minimal=true -[npm-install-size-image]: https://badgen.net/packagephobia/install/express -[npm-install-size-url]: https://packagephobia.com/result?p=express -[npm-url]: https://npmjs.org/package/express -[npm-version-image]: https://badgen.net/npm/v/express +[gratipay-image-visionmedia]: https://img.shields.io/gratipay/visionmedia.svg +[gratipay-url-visionmedia]: https://gratipay.com/visionmedia/ +[gratipay-image-dougwilson]: https://img.shields.io/gratipay/dougwilson.svg +[gratipay-url-dougwilson]: https://gratipay.com/dougwilson/ diff --git a/node_modules/express/lib/application.js b/node_modules/express/lib/application.js index ebb30b5..91f77d2 100644 --- a/node_modules/express/lib/application.js +++ b/node_modules/express/lib/application.js @@ -29,13 +29,6 @@ var flatten = require('array-flatten'); var merge = require('utils-merge'); var resolve = require('path').resolve; var setPrototypeOf = require('setprototypeof') - -/** - * Module variables. - * @private - */ - -var hasOwnProperty = Object.prototype.hasOwnProperty var slice = Array.prototype.slice; /** @@ -283,7 +276,7 @@ app.route = function route(path) { * In this case EJS provides a `.renderFile()` method with * the same signature that Express expects: `(path, options, callback)`, * though note that it aliases this method as `ejs.__express` internally - * so if you're using ".ejs" extensions you don't need to do anything. + * so if you're using ".ejs" extensions you dont need to do anything. * * Some template engines do not follow this convention, the * [Consolidate.js](https://github.com/tj/consolidate.js) @@ -359,17 +352,7 @@ app.param = function param(name, fn) { app.set = function set(setting, val) { if (arguments.length === 1) { // app.get(setting) - var settings = this.settings - - while (settings && settings !== Object.prototype) { - if (hasOwnProperty.call(settings, setting)) { - return settings[setting] - } - - settings = Object.getPrototypeOf(settings) - } - - return undefined + return this.settings[setting]; } debug('set "%s" to %o', setting, val); diff --git a/node_modules/express/lib/express.js b/node_modules/express/lib/express.js index d188a16..594007b 100644 --- a/node_modules/express/lib/express.js +++ b/node_modules/express/lib/express.js @@ -77,9 +77,7 @@ exports.Router = Router; exports.json = bodyParser.json exports.query = require('./middleware/query'); -exports.raw = bodyParser.raw exports.static = require('serve-static'); -exports.text = bodyParser.text exports.urlencoded = bodyParser.urlencoded /** diff --git a/node_modules/express/lib/request.js b/node_modules/express/lib/request.js index 3f1eeca..8bb86a9 100644 --- a/node_modules/express/lib/request.js +++ b/node_modules/express/lib/request.js @@ -251,7 +251,7 @@ req.param = function param(name, defaultValue) { /** * Check if the incoming request contains the "Content-Type" - * header field, and it contains the given mime `type`. + * header field, and it contains the give mime `type`. * * Examples: * @@ -430,10 +430,6 @@ defineGetter(req, 'hostname', function hostname(){ if (!host || !trust(this.connection.remoteAddress, 0)) { host = this.get('Host'); - } else if (host.indexOf(',') !== -1) { - // Note: X-Forwarded-Host is normally only ever a - // single value, but this is to be safe. - host = host.substring(0, host.indexOf(',')).trimRight() } if (!host) return; diff --git a/node_modules/express/lib/response.js b/node_modules/express/lib/response.js index fede486..2e445ac 100644 --- a/node_modules/express/lib/response.js +++ b/node_modules/express/lib/response.js @@ -14,7 +14,6 @@ var Buffer = require('safe-buffer').Buffer var contentDisposition = require('content-disposition'); -var createError = require('http-errors') var deprecate = require('depd')('express'); var encodeUrl = require('encodeurl'); var escapeHtml = require('escape-html'); @@ -65,9 +64,6 @@ var charsetRegExp = /;\s*charset\s*=/; */ res.status = function status(code) { - if ((typeof code === 'string' || Math.floor(code) !== code) && code > 99 && code < 1000) { - deprecate('res.status(' + JSON.stringify(code) + '): use res.status(' + Math.floor(code) + ') instead') - } this.statusCode = code; return this; }; @@ -139,7 +135,7 @@ res.send = function send(body) { deprecate('res.send(status): Use res.sendStatus(status) instead'); this.statusCode = chunk; - chunk = statuses.message[chunk] + chunk = statuses[chunk] } switch (typeof chunk) { @@ -217,13 +213,6 @@ res.send = function send(body) { chunk = ''; } - // alter headers for 205 - if (this.statusCode === 205) { - this.set('Content-Length', '0') - this.removeHeader('Transfer-Encoding') - chunk = '' - } - if (req.method === 'HEAD') { // skip body for HEAD this.end(); @@ -295,9 +284,9 @@ res.jsonp = function jsonp(obj) { // allow status / body if (arguments.length === 2) { - // res.jsonp(body, status) backwards compat + // res.json(body, status) backwards compat if (typeof arguments[1] === 'number') { - deprecate('res.jsonp(obj, status): Use res.status(status).jsonp(obj) instead'); + deprecate('res.jsonp(obj, status): Use res.status(status).json(obj) instead'); this.statusCode = arguments[1]; } else { deprecate('res.jsonp(status, obj): Use res.status(status).jsonp(obj) instead'); @@ -333,15 +322,10 @@ res.jsonp = function jsonp(obj) { // restrict callback charset callback = callback.replace(/[^\[\]\w$.]/g, ''); - if (body === undefined) { - // empty argument - body = '' - } else if (typeof body === 'string') { - // replace chars not allowed in JavaScript that are in JSON - body = body - .replace(/\u2028/g, '\\u2028') - .replace(/\u2029/g, '\\u2029') - } + // replace chars not allowed in JavaScript that are in JSON + body = body + .replace(/\u2028/g, '\\u2028') + .replace(/\u2029/g, '\\u2029'); // the /**/ is a specific security mitigation for "Rosetta Flash JSONP abuse" // the typeof check is just to reduce client error noise @@ -367,7 +351,7 @@ res.jsonp = function jsonp(obj) { */ res.sendStatus = function sendStatus(statusCode) { - var body = statuses.message[statusCode] || String(statusCode) + var body = statuses[statusCode] || String(statusCode) this.statusCode = statusCode; this.type('txt'); @@ -380,7 +364,7 @@ res.sendStatus = function sendStatus(statusCode) { * * Automatically sets the _Content-Type_ response header field. * The callback `callback(err)` is invoked when the transfer is complete - * or when an error occurs. Be sure to check `res.headersSent` + * or when an error occurs. Be sure to check `res.sentHeader` * if you wish to attempt responding, as the header and some data * may have already been transferred. * @@ -427,10 +411,6 @@ res.sendFile = function sendFile(path, options, callback) { throw new TypeError('path argument is required to res.sendFile'); } - if (typeof path !== 'string') { - throw new TypeError('path must be a string to res.sendFile') - } - // support function as second arg if (typeof options === 'function') { done = options; @@ -462,7 +442,7 @@ res.sendFile = function sendFile(path, options, callback) { * * Automatically sets the _Content-Type_ response header field. * The callback `callback(err)` is invoked when the transfer is complete - * or when an error occurs. Be sure to check `res.headersSent` + * or when an error occurs. Be sure to check `res.sentHeader` * if you wish to attempt responding, as the header and some data * may have already been transferred. * @@ -535,7 +515,7 @@ res.sendfile = deprecate.function(res.sendfile, * Optionally providing an alternate attachment `filename`, * and optional callback `callback(err)`. The callback is invoked * when the data transfer is complete, or when an error has - * occurred. Be sure to check `res.headersSent` if you plan to respond. + * ocurred. Be sure to check `res.headersSent` if you plan to respond. * * Optionally providing an `options` object to use with `res.sendFile()`. * This function will set the `Content-Disposition` header, overriding @@ -562,13 +542,6 @@ res.download = function download (path, filename, options, callback) { opts = null } - // support optional filename, where options may be in it's place - if (typeof filename === 'object' && - (typeof options === 'function' || options === undefined)) { - name = null - opts = filename - } - // set Content-Disposition when file is sent var headers = { 'Content-Disposition': contentDisposition(name || path) @@ -590,9 +563,7 @@ res.download = function download (path, filename, options, callback) { opts.headers = headers // Resolve the full path for sendFile - var fullPath = !opts.root - ? resolve(path) - : path + var fullPath = resolve(path); // send file return this.sendFile(fullPath, opts, done) @@ -648,7 +619,7 @@ res.type = function contentType(type) { * res.send('

hey

'); * }, * - * 'application/json': function () { + * 'appliation/json': function(){ * res.send({ message: 'hey' }); * } * }); @@ -685,8 +656,9 @@ res.format = function(obj){ var req = this.req; var next = req.next; - var keys = Object.keys(obj) - .filter(function (v) { return v !== 'default' }) + var fn = obj.default; + if (fn) delete obj.default; + var keys = Object.keys(obj); var key = keys.length > 0 ? req.accepts(keys) @@ -697,12 +669,13 @@ res.format = function(obj){ if (key) { this.set('Content-Type', normalizeType(key).value); obj[key](req, this, next); - } else if (obj.default) { - obj.default(req, this, next) + } else if (fn) { + fn(); } else { - next(createError(406, { - types: normalizeTypes(keys).map(function (o) { return o.value }) - })) + var err = new Error('Not Acceptable'); + err.status = err.statusCode = 406; + err.types = normalizeTypes(keys).map(function(o){ return o.value }); + next(err); } return this; @@ -749,7 +722,7 @@ res.append = function append(field, val) { // concat the new and prev vals value = Array.isArray(prev) ? prev.concat(val) : Array.isArray(val) ? [prev].concat(val) - : [prev, val] + : [prev, val]; } return this.set(field, value); @@ -841,7 +814,7 @@ res.clearCookie = function clearCookie(name, options) { * // "Remember Me" for 15 minutes * res.cookie('rememberme', '1', { expires: new Date(Date.now() + 900000), httpOnly: true }); * - * // same as above + * // save as above * res.cookie('rememberme', '1', { maxAge: 900000, httpOnly: true }) * * @param {String} name @@ -868,13 +841,9 @@ res.cookie = function (name, value, options) { val = 's:' + sign(val, secret); } - if (opts.maxAge != null) { - var maxAge = opts.maxAge - 0 - - if (!isNaN(maxAge)) { - opts.expires = new Date(Date.now() + maxAge) - opts.maxAge = Math.floor(maxAge / 1000) - } + if ('maxAge' in opts) { + opts.expires = new Date(Date.now() + opts.maxAge); + opts.maxAge /= 1000; } if (opts.path == null) { @@ -955,12 +924,12 @@ res.redirect = function redirect(url) { // Support text/{plain,html} by default this.format({ text: function(){ - body = statuses.message[status] + '. Redirecting to ' + address + body = statuses[status] + '. Redirecting to ' + address }, html: function(){ var u = escapeHtml(address); - body = '

' + statuses.message[status] + '. Redirecting to ' + u + '

' + body = '

' + statuses[status] + '. Redirecting to ' + u + '

' }, default: function(){ @@ -1135,7 +1104,7 @@ function sendfile(res, file, options, callback) { * ability to escape characters that can trigger HTML sniffing. * * @param {*} value - * @param {function} replacer + * @param {function} replaces * @param {number} spaces * @param {boolean} escape * @returns {string} @@ -1149,7 +1118,7 @@ function stringify (value, replacer, spaces, escape) { ? JSON.stringify(value, replacer, spaces) : JSON.stringify(value); - if (escape && typeof json === 'string') { + if (escape) { json = json.replace(/[<>&]/g, function (c) { switch (c.charCodeAt(0)) { case 0x3c: @@ -1158,7 +1127,6 @@ function stringify (value, replacer, spaces, escape) { return '\\u003e' case 0x26: return '\\u0026' - /* istanbul ignore next: unreachable default */ default: return c } diff --git a/node_modules/express/lib/router/index.js b/node_modules/express/lib/router/index.js index 5174c34..69e6d38 100644 --- a/node_modules/express/lib/router/index.js +++ b/node_modules/express/lib/router/index.js @@ -108,8 +108,8 @@ proto.param = function param(name, fn) { var ret; if (name[0] === ':') { - deprecate('router.param(' + JSON.stringify(name) + ', fn): Use router.param(' + JSON.stringify(name.slice(1)) + ', fn) instead') - name = name.slice(1) + deprecate('router.param(' + JSON.stringify(name) + ', fn): Use router.param(' + JSON.stringify(name.substr(1)) + ', fn) instead'); + name = name.substr(1); } for (var i = 0; i < len; ++i) { @@ -142,7 +142,6 @@ proto.handle = function handle(req, res, out) { var protohost = getProtohost(req.url) || '' var removed = ''; var slashAdded = false; - var sync = 0 var paramcalled = {}; // store options for OPTIONS request @@ -181,14 +180,14 @@ proto.handle = function handle(req, res, out) { // remove added slash if (slashAdded) { - req.url = req.url.slice(1) + req.url = req.url.substr(1); slashAdded = false; } // restore altered req.url if (removed.length !== 0) { req.baseUrl = parentUrl; - req.url = protohost + removed + req.url.slice(protohost.length) + req.url = protohost + removed + req.url.substr(protohost.length); removed = ''; } @@ -204,11 +203,6 @@ proto.handle = function handle(req, res, out) { return; } - // max sync stack - if (++sync > 100) { - return setImmediate(next, err) - } - // get pathname of request var path = getPathname(req); @@ -257,6 +251,7 @@ proto.handle = function handle(req, res, out) { // don't even bother matching route if (!has_method && method !== 'HEAD') { match = false; + continue; } } @@ -279,25 +274,19 @@ proto.handle = function handle(req, res, out) { // this should be done for the layer self.process_params(layer, paramcalled, req, res, function (err) { if (err) { - next(layerError || err) - } else if (route) { - layer.handle_request(req, res, next) - } else { - trim_prefix(layer, layerError, layerPath, path) + return next(layerError || err); } - sync = 0 + if (route) { + return layer.handle_request(req, res, next); + } + + trim_prefix(layer, layerError, layerPath, path); }); } function trim_prefix(layer, layerError, layerPath, path) { if (layerPath.length !== 0) { - // Validate path is a prefix match - if (layerPath !== path.slice(0, layerPath.length)) { - next(layerError) - return - } - // Validate path breaks on a path separator var c = path[layerPath.length] if (c && c !== '/' && c !== '.') return next(layerError) @@ -306,7 +295,7 @@ proto.handle = function handle(req, res, out) { // middleware (.use stuff) needs to have the path stripped debug('trim prefix (%s) from url %s', layerPath, req.url); removed = layerPath; - req.url = protohost + req.url.slice(protohost.length + removed.length) + req.url = protohost + req.url.substr(protohost.length + removed.length); // Ensure leading slash if (!protohost && req.url[0] !== '/') { @@ -552,10 +541,10 @@ function getProtohost(url) { var pathLength = searchIndex !== -1 ? searchIndex : url.length - var fqdnIndex = url.slice(0, pathLength).indexOf('://') + var fqdnIndex = url.substr(0, pathLength).indexOf('://') return fqdnIndex !== -1 - ? url.substring(0, url.indexOf('/', 3 + fqdnIndex)) + ? url.substr(0, url.indexOf('/', 3 + fqdnIndex)) : undefined } diff --git a/node_modules/express/lib/router/route.js b/node_modules/express/lib/router/route.js index cc643ac..178df0d 100644 --- a/node_modules/express/lib/router/route.js +++ b/node_modules/express/lib/router/route.js @@ -98,8 +98,6 @@ Route.prototype._options = function _options() { Route.prototype.dispatch = function dispatch(req, res, done) { var idx = 0; var stack = this.stack; - var sync = 0 - if (stack.length === 0) { return done(); } @@ -124,27 +122,20 @@ Route.prototype.dispatch = function dispatch(req, res, done) { return done(err) } - // max sync stack - if (++sync > 100) { - return setImmediate(next, err) - } - - var layer = stack[idx++] - - // end of layers + var layer = stack[idx++]; if (!layer) { - return done(err) + return done(err); } if (layer.method && layer.method !== method) { - next(err) - } else if (err) { + return next(err); + } + + if (err) { layer.handle_error(err, req, res, next); } else { layer.handle_request(req, res, next); } - - sync = 0 } }; diff --git a/node_modules/express/lib/utils.js b/node_modules/express/lib/utils.js index 799a6a2..bd81ac7 100644 --- a/node_modules/express/lib/utils.js +++ b/node_modules/express/lib/utils.js @@ -120,7 +120,6 @@ exports.contentDisposition = deprecate.function(contentDisposition, * also includes `.originalIndex` for stable sorting * * @param {String} str - * @param {Number} index * @return {Object} * @api private */ @@ -158,7 +157,6 @@ exports.compileETag = function(val) { switch (val) { case true: - case 'weak': fn = exports.wetag; break; case false: @@ -166,6 +164,9 @@ exports.compileETag = function(val) { case 'strong': fn = exports.etag; break; + case 'weak': + fn = exports.wetag; + break; default: throw new TypeError('unknown value for etag function: ' + val); } @@ -190,7 +191,6 @@ exports.compileQueryParser = function compileQueryParser(val) { switch (val) { case true: - case 'simple': fn = querystring.parse; break; case false: @@ -199,6 +199,9 @@ exports.compileQueryParser = function compileQueryParser(val) { case 'extended': fn = parseExtendedQueryString; break; + case 'simple': + fn = querystring.parse; + break; default: throw new TypeError('unknown value for query parser function: ' + val); } @@ -229,8 +232,7 @@ exports.compileTrust = function(val) { if (typeof val === 'string') { // Support comma-separated values - val = val.split(',') - .map(function (v) { return v.trim() }) + val = val.split(/ *, */); } return proxyaddr.compile(val || []); diff --git a/node_modules/express/lib/view.js b/node_modules/express/lib/view.js index c08ab4d..cf101ca 100644 --- a/node_modules/express/lib/view.js +++ b/node_modules/express/lib/view.js @@ -74,7 +74,7 @@ function View(name, options) { if (!opts.engines[this.ext]) { // load engine - var mod = this.ext.slice(1) + var mod = this.ext.substr(1) debug('require "%s"', mod) // default engine export diff --git a/node_modules/express/node_modules/body-parser/HISTORY.md b/node_modules/express/node_modules/body-parser/HISTORY.md index fb212b3..d8152cc 100644 --- a/node_modules/express/node_modules/body-parser/HISTORY.md +++ b/node_modules/express/node_modules/body-parser/HISTORY.md @@ -1,72 +1,3 @@ -1.20.1 / 2022-10-06 -=================== - - * deps: qs@6.11.0 - * perf: remove unnecessary object clone - -1.20.0 / 2022-04-02 -=================== - - * Fix error message for json parse whitespace in `strict` - * Fix internal error when inflated body exceeds limit - * Prevent loss of async hooks context - * Prevent hanging when request already read - * deps: depd@2.0.0 - - Replace internal `eval` usage with `Function` constructor - - Use instance methods on `process` to check for listeners - * deps: http-errors@2.0.0 - - deps: depd@2.0.0 - - deps: statuses@2.0.1 - * deps: on-finished@2.4.1 - * deps: qs@6.10.3 - * deps: raw-body@2.5.1 - - deps: http-errors@2.0.0 - -1.19.2 / 2022-02-15 -=================== - - * deps: bytes@3.1.2 - * deps: qs@6.9.7 - * Fix handling of `__proto__` keys - * deps: raw-body@2.4.3 - - deps: bytes@3.1.2 - -1.19.1 / 2021-12-10 -=================== - - * deps: bytes@3.1.1 - * deps: http-errors@1.8.1 - - deps: inherits@2.0.4 - - deps: toidentifier@1.0.1 - - deps: setprototypeof@1.2.0 - * deps: qs@6.9.6 - * deps: raw-body@2.4.2 - - deps: bytes@3.1.1 - - deps: http-errors@1.8.1 - * deps: safe-buffer@5.2.1 - * deps: type-is@~1.6.18 - -1.19.0 / 2019-04-25 -=================== - - * deps: bytes@3.1.0 - - Add petabyte (`pb`) support - * deps: http-errors@1.7.2 - - Set constructor name when possible - - deps: setprototypeof@1.1.1 - - deps: statuses@'>= 1.5.0 < 2' - * deps: iconv-lite@0.4.24 - - Added encoding MIK - * deps: qs@6.7.0 - - Fix parsing array brackets after index - * deps: raw-body@2.4.0 - - deps: bytes@3.1.0 - - deps: http-errors@1.7.2 - - deps: iconv-lite@0.4.24 - * deps: type-is@~1.6.17 - - deps: mime-types@~2.1.24 - - perf: prevent internal `throw` on invalid type - 1.18.3 / 2018-05-14 =================== diff --git a/node_modules/express/node_modules/body-parser/README.md b/node_modules/express/node_modules/body-parser/README.md index c507cbb..d9138bc 100644 --- a/node_modules/express/node_modules/body-parser/README.md +++ b/node_modules/express/node_modules/body-parser/README.md @@ -2,7 +2,7 @@ [![NPM Version][npm-image]][npm-url] [![NPM Downloads][downloads-image]][downloads-url] -[![Build Status][github-actions-ci-image]][github-actions-ci-url] +[![Build Status][travis-image]][travis-url] [![Test Coverage][coveralls-image]][coveralls-url] Node.js body parsing middleware. @@ -49,6 +49,8 @@ $ npm install body-parser ## API + + ```js var bodyParser = require('body-parser') ``` @@ -279,15 +281,14 @@ encoding of the request. The parsing can be aborted by throwing an error. ## Errors -The middlewares provided by this module create errors using the -[`http-errors` module](https://www.npmjs.com/package/http-errors). The errors -will typically have a `status`/`statusCode` property that contains the suggested -HTTP response code, an `expose` property to determine if the `message` property -should be displayed to the client, a `type` property to determine the type of -error without matching against the `message`, and a `body` property containing -the read body, if available. +The middlewares provided by this module create errors depending on the error +condition during parsing. The errors will typically have a `status`/`statusCode` +property that contains the suggested HTTP response code, an `expose` property +to determine if the `message` property should be displayed to the client, a +`type` property to determine the type of error without matching against the +`message`, and a `body` property containing the read body, if available. -The following are the common errors created, though any error can come through +The following are the common errors emitted, though any error can come through for various reasons. ### content encoding unsupported @@ -298,20 +299,6 @@ contained an encoding but the "inflation" option was set to `false`. The `'encoding.unsupported'`, and the `charset` property will be set to the encoding that is unsupported. -### entity parse failed - -This error will occur when the request contained an entity that could not be -parsed by the middleware. The `status` property is set to `400`, the `type` -property is set to `'entity.parse.failed'`, and the `body` property is set to -the entity value that failed parsing. - -### entity verify failed - -This error will occur when the request contained an entity that could not be -failed verification by the defined `verify` option. The `status` property is -set to `403`, the `type` property is set to `'entity.verify.failed'`, and the -`body` property is set to the entity value that failed verification. - ### request aborted This error will occur when the request is aborted by the client before reading @@ -342,14 +329,6 @@ to this middleware. This module operates directly on bytes only and you cannot call `req.setEncoding` when using this module. The `status` property is set to `500` and the `type` property is set to `'stream.encoding.set'`. -### stream is not readable - -This error will occur when the request is no longer readable when this middleware -attempts to read it. This typically means something other than a middleware from -this module read the request body already and the middleware was also configured to -read the same request. The `status` property is set to `500` and the `type` -property is set to `'stream.not.readable'`. - ### too many parameters This error will occur when the content of the request exceeds the configured @@ -420,11 +399,13 @@ var urlencodedParser = bodyParser.urlencoded({ extended: false }) // POST /login gets urlencoded bodies app.post('/login', urlencodedParser, function (req, res) { + if (!req.body) return res.sendStatus(400) res.send('welcome, ' + req.body.username) }) // POST /api/users gets JSON bodies app.post('/api/users', jsonParser, function (req, res) { + if (!req.body) return res.sendStatus(400) // create user in req.body }) ``` @@ -456,9 +437,9 @@ app.use(bodyParser.text({ type: 'text/html' })) [npm-image]: https://img.shields.io/npm/v/body-parser.svg [npm-url]: https://npmjs.org/package/body-parser +[travis-image]: https://img.shields.io/travis/expressjs/body-parser/master.svg +[travis-url]: https://travis-ci.org/expressjs/body-parser [coveralls-image]: https://img.shields.io/coveralls/expressjs/body-parser/master.svg [coveralls-url]: https://coveralls.io/r/expressjs/body-parser?branch=master [downloads-image]: https://img.shields.io/npm/dm/body-parser.svg [downloads-url]: https://npmjs.org/package/body-parser -[github-actions-ci-image]: https://img.shields.io/github/workflow/status/expressjs/body-parser/ci/master?label=ci -[github-actions-ci-url]: https://github.com/expressjs/body-parser/actions/workflows/ci.yml diff --git a/node_modules/express/node_modules/body-parser/SECURITY.md b/node_modules/express/node_modules/body-parser/SECURITY.md deleted file mode 100644 index 9694d42..0000000 --- a/node_modules/express/node_modules/body-parser/SECURITY.md +++ /dev/null @@ -1,25 +0,0 @@ -# Security Policies and Procedures - -## Reporting a Bug - -The Express team and community take all security bugs seriously. Thank you -for improving the security of Express. We appreciate your efforts and -responsible disclosure and will make every effort to acknowledge your -contributions. - -Report security bugs by emailing the current owner(s) of `body-parser`. This -information can be found in the npm registry using the command -`npm owner ls body-parser`. -If unsure or unable to get the information from the above, open an issue -in the [project issue tracker](https://github.com/expressjs/body-parser/issues) -asking for the current contact information. - -To ensure the timely response to your report, please ensure that the entirety -of the report is contained within the email body and not solely behind a web -link or an attachment. - -At least one owner will acknowledge your email within 48 hours, and will send a -more detailed response within 48 hours indicating the next steps in handling -your report. After the initial reply to your report, the owners will -endeavor to keep you informed of the progress towards a fix and full -announcement, and may ask for additional information or guidance. diff --git a/node_modules/express/node_modules/body-parser/index.js b/node_modules/express/node_modules/body-parser/index.js index bb24d73..93c3a1f 100644 --- a/node_modules/express/node_modules/body-parser/index.js +++ b/node_modules/express/node_modules/body-parser/index.js @@ -91,15 +91,16 @@ Object.defineProperty(exports, 'urlencoded', { */ function bodyParser (options) { - // use default type for parsers - var opts = Object.create(options || null, { - type: { - configurable: true, - enumerable: true, - value: undefined, - writable: true + var opts = {} + + // exclude type option + if (options) { + for (var prop in options) { + if (prop !== 'type') { + opts[prop] = options[prop] + } } - }) + } var _urlencoded = exports.urlencoded(opts) var _json = exports.json(opts) diff --git a/node_modules/express/node_modules/body-parser/lib/read.js b/node_modules/express/node_modules/body-parser/lib/read.js index fce6283..c102609 100644 --- a/node_modules/express/node_modules/body-parser/lib/read.js +++ b/node_modules/express/node_modules/body-parser/lib/read.js @@ -12,11 +12,9 @@ */ var createError = require('http-errors') -var destroy = require('destroy') var getBody = require('raw-body') var iconv = require('iconv-lite') var onFinished = require('on-finished') -var unpipe = require('unpipe') var zlib = require('zlib') /** @@ -91,14 +89,9 @@ function read (req, res, next, parse, debug, options) { _error = createError(400, error) } - // unpipe from stream and destroy - if (stream !== req) { - unpipe(req) - destroy(stream, true) - } - // read off entire request - dump(req, function onfinished () { + stream.resume() + onFinished(req, function onfinished () { next(createError(400, _error)) }) return @@ -186,20 +179,3 @@ function contentstream (req, debug, inflate) { return stream } - -/** - * Dump the contents of a request. - * - * @param {object} req - * @param {function} callback - * @api private - */ - -function dump (req, callback) { - if (onFinished.isFinished(req)) { - callback(null) - } else { - onFinished(req, callback) - req.resume() - } -} diff --git a/node_modules/express/node_modules/body-parser/lib/types/json.js b/node_modules/express/node_modules/body-parser/lib/types/json.js index c2745be..2971dc1 100644 --- a/node_modules/express/node_modules/body-parser/lib/types/json.js +++ b/node_modules/express/node_modules/body-parser/lib/types/json.js @@ -37,7 +37,7 @@ module.exports = json * %x0D ) ; Carriage return */ -var FIRST_CHAR_REGEXP = /^[\x20\x09\x0a\x0d]*([^\x20\x09\x0a\x0d])/ // eslint-disable-line no-control-regex +var FIRST_CHAR_REGEXP = /^[\x20\x09\x0a\x0d]*(.)/ // eslint-disable-line no-control-regex /** * Create a middleware to parse JSON bodies. @@ -122,7 +122,7 @@ function json (options) { // assert charset per RFC 7159 sec 8.1 var charset = getCharset(req) || 'utf-8' - if (charset.slice(0, 4) !== 'utf-') { + if (charset.substr(0, 4) !== 'utf-') { debug('invalid charset') next(createError(415, 'unsupported charset "' + charset.toUpperCase() + '"', { charset: charset, @@ -152,9 +152,7 @@ function json (options) { function createStrictSyntaxError (str, char) { var index = str.indexOf(char) - var partial = index !== -1 - ? str.substring(0, index) + '#' - : '' + var partial = str.substring(0, index) + '#' try { JSON.parse(partial); /* istanbul ignore next */ throw new SyntaxError('strict violation') @@ -175,11 +173,7 @@ function createStrictSyntaxError (str, char) { */ function firstchar (str) { - var match = FIRST_CHAR_REGEXP.exec(str) - - return match - ? match[1] - : undefined + return FIRST_CHAR_REGEXP.exec(str)[1] } /** diff --git a/node_modules/express/node_modules/body-parser/lib/types/urlencoded.js b/node_modules/express/node_modules/body-parser/lib/types/urlencoded.js index b2ca8f1..5ccda21 100644 --- a/node_modules/express/node_modules/body-parser/lib/types/urlencoded.js +++ b/node_modules/express/node_modules/body-parser/lib/types/urlencoded.js @@ -266,7 +266,7 @@ function simpleparser (options) { } debug('parse urlencoding') - return parse(body, undefined, undefined, { maxKeys: parameterLimit }) + return parse(body, undefined, undefined, {maxKeys: parameterLimit}) } } diff --git a/node_modules/express/node_modules/body-parser/package.json b/node_modules/express/node_modules/body-parser/package.json index 9cd2ccb..db78b73 100644 --- a/node_modules/express/node_modules/body-parser/package.json +++ b/node_modules/express/node_modules/body-parser/package.json @@ -1,7 +1,7 @@ { "name": "body-parser", "description": "Node.js body parsing middleware", - "version": "1.20.1", + "version": "1.18.3", "contributors": [ "Douglas Christopher Wilson ", "Jonathan Ong (http://jongleberry.com)" @@ -9,48 +9,44 @@ "license": "MIT", "repository": "expressjs/body-parser", "dependencies": { - "bytes": "3.1.2", + "bytes": "3.0.0", "content-type": "~1.0.4", "debug": "2.6.9", - "depd": "2.0.0", - "destroy": "1.2.0", - "http-errors": "2.0.0", - "iconv-lite": "0.4.24", - "on-finished": "2.4.1", - "qs": "6.11.0", - "raw-body": "2.5.1", - "type-is": "~1.6.18", - "unpipe": "1.0.0" + "depd": "~1.1.2", + "http-errors": "~1.6.3", + "iconv-lite": "0.4.23", + "on-finished": "~2.3.0", + "qs": "6.5.2", + "raw-body": "2.3.3", + "type-is": "~1.6.16" }, "devDependencies": { - "eslint": "8.24.0", - "eslint-config-standard": "14.1.1", - "eslint-plugin-import": "2.26.0", - "eslint-plugin-markdown": "3.0.0", - "eslint-plugin-node": "11.1.0", - "eslint-plugin-promise": "6.0.1", - "eslint-plugin-standard": "4.1.0", + "eslint": "4.19.1", + "eslint-config-standard": "11.0.0", + "eslint-plugin-import": "2.11.0", + "eslint-plugin-markdown": "1.0.0-beta.6", + "eslint-plugin-node": "6.0.1", + "eslint-plugin-promise": "3.7.0", + "eslint-plugin-standard": "3.1.0", + "istanbul": "0.4.5", "methods": "1.1.2", - "mocha": "10.0.0", - "nyc": "15.1.0", - "safe-buffer": "5.2.1", - "supertest": "6.3.0" + "mocha": "2.5.3", + "safe-buffer": "5.1.2", + "supertest": "1.1.0" }, "files": [ "lib/", "LICENSE", "HISTORY.md", - "SECURITY.md", "index.js" ], "engines": { - "node": ">= 0.8", - "npm": "1.2.8000 || >= 1.4.16" + "node": ">= 0.8" }, "scripts": { - "lint": "eslint .", + "lint": "eslint --plugin markdown --ext js,md .", "test": "mocha --require test/support/env --reporter spec --check-leaks --bail test/", - "test-ci": "nyc --reporter=lcov --reporter=text npm test", - "test-cov": "nyc --reporter=html --reporter=text npm test" + "test-cov": "istanbul cover node_modules/mocha/bin/_mocha -- --require test/support/env --reporter dot --check-leaks test/", + "test-travis": "istanbul cover node_modules/mocha/bin/_mocha --report lcovonly -- --require test/support/env --reporter spec --check-leaks test/" } } diff --git a/node_modules/express/node_modules/bytes/History.md b/node_modules/express/node_modules/bytes/History.md new file mode 100644 index 0000000..13d463a --- /dev/null +++ b/node_modules/express/node_modules/bytes/History.md @@ -0,0 +1,82 @@ +3.0.0 / 2017-08-31 +================== + + * Change "kB" to "KB" in format output + * Remove support for Node.js 0.6 + * Remove support for ComponentJS + +2.5.0 / 2017-03-24 +================== + + * Add option "unit" + +2.4.0 / 2016-06-01 +================== + + * Add option "unitSeparator" + +2.3.0 / 2016-02-15 +================== + + * Drop partial bytes on all parsed units + * Fix non-finite numbers to `.format` to return `null` + * Fix parsing byte string that looks like hex + * perf: hoist regular expressions + +2.2.0 / 2015-11-13 +================== + + * add option "decimalPlaces" + * add option "fixedDecimals" + +2.1.0 / 2015-05-21 +================== + + * add `.format` export + * add `.parse` export + +2.0.2 / 2015-05-20 +================== + + * remove map recreation + * remove unnecessary object construction + +2.0.1 / 2015-05-07 +================== + + * fix browserify require + * remove node.extend dependency + +2.0.0 / 2015-04-12 +================== + + * add option "case" + * add option "thousandsSeparator" + * return "null" on invalid parse input + * support proper round-trip: bytes(bytes(num)) === num + * units no longer case sensitive when parsing + +1.0.0 / 2014-05-05 +================== + + * add negative support. fixes #6 + +0.3.0 / 2014-03-19 +================== + + * added terabyte support + +0.2.1 / 2013-04-01 +================== + + * add .component + +0.2.0 / 2012-10-28 +================== + + * bytes(200).should.eql('200b') + +0.1.0 / 2012-07-04 +================== + + * add bytes to string conversion [yields] diff --git a/node_modules/express/node_modules/bytes/LICENSE b/node_modules/express/node_modules/bytes/LICENSE new file mode 100644 index 0000000..63e95a9 --- /dev/null +++ b/node_modules/express/node_modules/bytes/LICENSE @@ -0,0 +1,23 @@ +(The MIT License) + +Copyright (c) 2012-2014 TJ Holowaychuk +Copyright (c) 2015 Jed Watson + +Permission is hereby granted, free of charge, to any person obtaining +a copy of this software and associated documentation files (the +'Software'), to deal in the Software without restriction, including +without limitation the rights to use, copy, modify, merge, publish, +distribute, sublicense, and/or sell copies of the Software, and to +permit persons to whom the Software is furnished to do so, subject to +the following conditions: + +The above copyright notice and this permission notice shall be +included in all copies or substantial portions of the Software. + +THE SOFTWARE IS PROVIDED 'AS IS', WITHOUT WARRANTY OF ANY KIND, +EXPRESS OR IMPLIED, INCLUDING BUT NOT LIMITED TO THE WARRANTIES OF +MERCHANTABILITY, FITNESS FOR A PARTICULAR PURPOSE AND NONINFRINGEMENT. +IN NO EVENT SHALL THE AUTHORS OR COPYRIGHT HOLDERS BE LIABLE FOR ANY +CLAIM, DAMAGES OR OTHER LIABILITY, WHETHER IN AN ACTION OF CONTRACT, +TORT OR OTHERWISE, ARISING FROM, OUT OF OR IN CONNECTION WITH THE +SOFTWARE OR THE USE OR OTHER DEALINGS IN THE SOFTWARE. diff --git a/node_modules/express/node_modules/bytes/Readme.md b/node_modules/express/node_modules/bytes/Readme.md new file mode 100644 index 0000000..9b53745 --- /dev/null +++ b/node_modules/express/node_modules/bytes/Readme.md @@ -0,0 +1,125 @@ +# Bytes utility + +[![NPM Version][npm-image]][npm-url] +[![NPM Downloads][downloads-image]][downloads-url] +[![Build Status][travis-image]][travis-url] +[![Test Coverage][coveralls-image]][coveralls-url] + +Utility to parse a string bytes (ex: `1TB`) to bytes (`1099511627776`) and vice-versa. + +## Installation + +This is a [Node.js](https://nodejs.org/en/) module available through the +[npm registry](https://www.npmjs.com/). Installation is done using the +[`npm install` command](https://docs.npmjs.com/getting-started/installing-npm-packages-locally): + +```bash +$ npm install bytes +``` + +## Usage + +```js +var bytes = require('bytes'); +``` + +#### bytes.format(number value, [options]): string|null + +Format the given value in bytes into a string. If the value is negative, it is kept as such. If it is a float, it is + rounded. + +**Arguments** + +| Name | Type | Description | +|---------|----------|--------------------| +| value | `number` | Value in bytes | +| options | `Object` | Conversion options | + +**Options** + +| Property | Type | Description | +|-------------------|--------|-----------------------------------------------------------------------------------------| +| decimalPlaces | `number`|`null` | Maximum number of decimal places to include in output. Default value to `2`. | +| fixedDecimals | `boolean`|`null` | Whether to always display the maximum number of decimal places. Default value to `false` | +| thousandsSeparator | `string`|`null` | Example of values: `' '`, `','` and `.`... Default value to `''`. | +| unit | `string`|`null` | The unit in which the result will be returned (B/KB/MB/GB/TB). Default value to `''` (which means auto detect). | +| unitSeparator | `string`|`null` | Separator to use between number and unit. Default value to `''`. | + +**Returns** + +| Name | Type | Description | +|---------|------------------|-------------------------------------------------| +| results | `string`|`null` | Return null upon error. String value otherwise. | + +**Example** + +```js +bytes(1024); +// output: '1KB' + +bytes(1000); +// output: '1000B' + +bytes(1000, {thousandsSeparator: ' '}); +// output: '1 000B' + +bytes(1024 * 1.7, {decimalPlaces: 0}); +// output: '2KB' + +bytes(1024, {unitSeparator: ' '}); +// output: '1 KB' + +``` + +#### bytes.parse(string|number value): number|null + +Parse the string value into an integer in bytes. If no unit is given, or `value` +is a number, it is assumed the value is in bytes. + +Supported units and abbreviations are as follows and are case-insensitive: + + * `b` for bytes + * `kb` for kilobytes + * `mb` for megabytes + * `gb` for gigabytes + * `tb` for terabytes + +The units are in powers of two, not ten. This means 1kb = 1024b according to this parser. + +**Arguments** + +| Name | Type | Description | +|---------------|--------|--------------------| +| value | `string`|`number` | String to parse, or number in bytes. | + +**Returns** + +| Name | Type | Description | +|---------|-------------|-------------------------| +| results | `number`|`null` | Return null upon error. Value in bytes otherwise. | + +**Example** + +```js +bytes('1KB'); +// output: 1024 + +bytes('1024'); +// output: 1024 + +bytes(1024); +// output: 1024 +``` + +## License + +[MIT](LICENSE) + +[downloads-image]: https://img.shields.io/npm/dm/bytes.svg +[downloads-url]: https://npmjs.org/package/bytes +[npm-image]: https://img.shields.io/npm/v/bytes.svg +[npm-url]: https://npmjs.org/package/bytes +[travis-image]: https://img.shields.io/travis/visionmedia/bytes.js/master.svg +[travis-url]: https://travis-ci.org/visionmedia/bytes.js +[coveralls-image]: https://img.shields.io/coveralls/visionmedia/bytes.js/master.svg +[coveralls-url]: https://coveralls.io/r/visionmedia/bytes.js?branch=master diff --git a/node_modules/express/node_modules/bytes/index.js b/node_modules/express/node_modules/bytes/index.js new file mode 100644 index 0000000..1e39afd --- /dev/null +++ b/node_modules/express/node_modules/bytes/index.js @@ -0,0 +1,159 @@ +/*! + * bytes + * Copyright(c) 2012-2014 TJ Holowaychuk + * Copyright(c) 2015 Jed Watson + * MIT Licensed + */ + +'use strict'; + +/** + * Module exports. + * @public + */ + +module.exports = bytes; +module.exports.format = format; +module.exports.parse = parse; + +/** + * Module variables. + * @private + */ + +var formatThousandsRegExp = /\B(?=(\d{3})+(?!\d))/g; + +var formatDecimalsRegExp = /(?:\.0*|(\.[^0]+)0+)$/; + +var map = { + b: 1, + kb: 1 << 10, + mb: 1 << 20, + gb: 1 << 30, + tb: ((1 << 30) * 1024) +}; + +var parseRegExp = /^((-|\+)?(\d+(?:\.\d+)?)) *(kb|mb|gb|tb)$/i; + +/** + * Convert the given value in bytes into a string or parse to string to an integer in bytes. + * + * @param {string|number} value + * @param {{ + * case: [string], + * decimalPlaces: [number] + * fixedDecimals: [boolean] + * thousandsSeparator: [string] + * unitSeparator: [string] + * }} [options] bytes options. + * + * @returns {string|number|null} + */ + +function bytes(value, options) { + if (typeof value === 'string') { + return parse(value); + } + + if (typeof value === 'number') { + return format(value, options); + } + + return null; +} + +/** + * Format the given value in bytes into a string. + * + * If the value is negative, it is kept as such. If it is a float, + * it is rounded. + * + * @param {number} value + * @param {object} [options] + * @param {number} [options.decimalPlaces=2] + * @param {number} [options.fixedDecimals=false] + * @param {string} [options.thousandsSeparator=] + * @param {string} [options.unit=] + * @param {string} [options.unitSeparator=] + * + * @returns {string|null} + * @public + */ + +function format(value, options) { + if (!Number.isFinite(value)) { + return null; + } + + var mag = Math.abs(value); + var thousandsSeparator = (options && options.thousandsSeparator) || ''; + var unitSeparator = (options && options.unitSeparator) || ''; + var decimalPlaces = (options && options.decimalPlaces !== undefined) ? options.decimalPlaces : 2; + var fixedDecimals = Boolean(options && options.fixedDecimals); + var unit = (options && options.unit) || ''; + + if (!unit || !map[unit.toLowerCase()]) { + if (mag >= map.tb) { + unit = 'TB'; + } else if (mag >= map.gb) { + unit = 'GB'; + } else if (mag >= map.mb) { + unit = 'MB'; + } else if (mag >= map.kb) { + unit = 'KB'; + } else { + unit = 'B'; + } + } + + var val = value / map[unit.toLowerCase()]; + var str = val.toFixed(decimalPlaces); + + if (!fixedDecimals) { + str = str.replace(formatDecimalsRegExp, '$1'); + } + + if (thousandsSeparator) { + str = str.replace(formatThousandsRegExp, thousandsSeparator); + } + + return str + unitSeparator + unit; +} + +/** + * Parse the string value into an integer in bytes. + * + * If no unit is given, it is assumed the value is in bytes. + * + * @param {number|string} val + * + * @returns {number|null} + * @public + */ + +function parse(val) { + if (typeof val === 'number' && !isNaN(val)) { + return val; + } + + if (typeof val !== 'string') { + return null; + } + + // Test if the string passed is valid + var results = parseRegExp.exec(val); + var floatValue; + var unit = 'b'; + + if (!results) { + // Nothing could be extracted from the given string + floatValue = parseInt(val, 10); + unit = 'b' + } else { + // Retrieve the value and the unit + floatValue = parseFloat(results[1]); + unit = results[4].toLowerCase(); + } + + return Math.floor(map[unit] * floatValue); +} diff --git a/node_modules/express/node_modules/bytes/package.json b/node_modules/express/node_modules/bytes/package.json new file mode 100644 index 0000000..2193296 --- /dev/null +++ b/node_modules/express/node_modules/bytes/package.json @@ -0,0 +1,39 @@ +{ + "name": "bytes", + "description": "Utility to parse a string bytes to bytes and vice-versa", + "version": "3.0.0", + "author": "TJ Holowaychuk (http://tjholowaychuk.com)", + "contributors": [ + "Jed Watson ", + "Théo FIDRY " + ], + "license": "MIT", + "keywords": [ + "byte", + "bytes", + "utility", + "parse", + "parser", + "convert", + "converter" + ], + "repository": "visionmedia/bytes.js", + "devDependencies": { + "mocha": "2.5.3", + "nyc": "10.3.2" + }, + "files": [ + "History.md", + "LICENSE", + "Readme.md", + "index.js" + ], + "engines": { + "node": ">= 0.8" + }, + "scripts": { + "test": "mocha --check-leaks --reporter spec", + "test-ci": "nyc --reporter=text npm test", + "test-cov": "nyc --reporter=html --reporter=text npm test" + } +} diff --git a/node_modules/express/node_modules/cookie/HISTORY.md b/node_modules/express/node_modules/cookie/HISTORY.md new file mode 100644 index 0000000..5bd6485 --- /dev/null +++ b/node_modules/express/node_modules/cookie/HISTORY.md @@ -0,0 +1,118 @@ +0.3.1 / 2016-05-26 +================== + + * Fix `sameSite: true` to work with draft-7 clients + - `true` now sends `SameSite=Strict` instead of `SameSite` + +0.3.0 / 2016-05-26 +================== + + * Add `sameSite` option + - Replaces `firstPartyOnly` option, never implemented by browsers + * Improve error message when `encode` is not a function + * Improve error message when `expires` is not a `Date` + +0.2.4 / 2016-05-20 +================== + + * perf: enable strict mode + * perf: use for loop in parse + * perf: use string concatination for serialization + +0.2.3 / 2015-10-25 +================== + + * Fix cookie `Max-Age` to never be a floating point number + +0.2.2 / 2015-09-17 +================== + + * Fix regression when setting empty cookie value + - Ease the new restriction, which is just basic header-level validation + * Fix typo in invalid value errors + +0.2.1 / 2015-09-17 +================== + + * Throw on invalid values provided to `serialize` + - Ensures the resulting string is a valid HTTP header value + +0.2.0 / 2015-08-13 +================== + + * Add `firstPartyOnly` option + * Throw better error for invalid argument to parse + * perf: hoist regular expression + +0.1.5 / 2015-09-17 +================== + + * Fix regression when setting empty cookie value + - Ease the new restriction, which is just basic header-level validation + * Fix typo in invalid value errors + +0.1.4 / 2015-09-17 +================== + + * Throw better error for invalid argument to parse + * Throw on invalid values provided to `serialize` + - Ensures the resulting string is a valid HTTP header value + +0.1.3 / 2015-05-19 +================== + + * Reduce the scope of try-catch deopt + * Remove argument reassignments + +0.1.2 / 2014-04-16 +================== + + * Remove unnecessary files from npm package + +0.1.1 / 2014-02-23 +================== + + * Fix bad parse when cookie value contained a comma + * Fix support for `maxAge` of `0` + +0.1.0 / 2013-05-01 +================== + + * Add `decode` option + * Add `encode` option + +0.0.6 / 2013-04-08 +================== + + * Ignore cookie parts missing `=` + +0.0.5 / 2012-10-29 +================== + + * Return raw cookie value if value unescape errors + +0.0.4 / 2012-06-21 +================== + + * Use encode/decodeURIComponent for cookie encoding/decoding + - Improve server/client interoperability + +0.0.3 / 2012-06-06 +================== + + * Only escape special characters per the cookie RFC + +0.0.2 / 2012-06-01 +================== + + * Fix `maxAge` option to not throw error + +0.0.1 / 2012-05-28 +================== + + * Add more tests + +0.0.0 / 2012-05-28 +================== + + * Initial release diff --git a/node_modules/cookie/LICENSE b/node_modules/express/node_modules/cookie/LICENSE similarity index 100% rename from node_modules/cookie/LICENSE rename to node_modules/express/node_modules/cookie/LICENSE diff --git a/node_modules/express/node_modules/cookie/README.md b/node_modules/express/node_modules/cookie/README.md new file mode 100644 index 0000000..db0d078 --- /dev/null +++ b/node_modules/express/node_modules/cookie/README.md @@ -0,0 +1,220 @@ +# cookie + +[![NPM Version][npm-image]][npm-url] +[![NPM Downloads][downloads-image]][downloads-url] +[![Node.js Version][node-version-image]][node-version-url] +[![Build Status][travis-image]][travis-url] +[![Test Coverage][coveralls-image]][coveralls-url] + +Basic HTTP cookie parser and serializer for HTTP servers. + +## Installation + +```sh +$ npm install cookie +``` + +## API + +```js +var cookie = require('cookie'); +``` + +### cookie.parse(str, options) + +Parse an HTTP `Cookie` header string and returning an object of all cookie name-value pairs. +The `str` argument is the string representing a `Cookie` header value and `options` is an +optional object containing additional parsing options. + +```js +var cookies = cookie.parse('foo=bar; equation=E%3Dmc%5E2'); +// { foo: 'bar', equation: 'E=mc^2' } +``` + +#### Options + +`cookie.parse` accepts these properties in the options object. + +##### decode + +Specifies a function that will be used to decode a cookie's value. Since the value of a cookie +has a limited character set (and must be a simple string), this function can be used to decode +a previously-encoded cookie value into a JavaScript string or other object. + +The default function is the global `decodeURIComponent`, which will decode any URL-encoded +sequences into their byte representations. + +**note** if an error is thrown from this function, the original, non-decoded cookie value will +be returned as the cookie's value. + +### cookie.serialize(name, value, options) + +Serialize a cookie name-value pair into a `Set-Cookie` header string. The `name` argument is the +name for the cookie, the `value` argument is the value to set the cookie to, and the `options` +argument is an optional object containing additional serialization options. + +```js +var setCookie = cookie.serialize('foo', 'bar'); +// foo=bar +``` + +#### Options + +`cookie.serialize` accepts these properties in the options object. + +##### domain + +Specifies the value for the [`Domain` `Set-Cookie` attribute][rfc-6266-5.2.3]. By default, no +domain is set, and most clients will consider the cookie to apply to only the current domain. + +##### encode + +Specifies a function that will be used to encode a cookie's value. Since value of a cookie +has a limited character set (and must be a simple string), this function can be used to encode +a value into a string suited for a cookie's value. + +The default function is the global `ecodeURIComponent`, which will encode a JavaScript string +into UTF-8 byte sequences and then URL-encode any that fall outside of the cookie range. + +##### expires + +Specifies the `Date` object to be the value for the [`Expires` `Set-Cookie` attribute][rfc-6266-5.2.1]. +By default, no expiration is set, and most clients will consider this a "non-persistent cookie" and +will delete it on a condition like exiting a web browser application. + +**note** the [cookie storage model specification][rfc-6266-5.3] states that if both `expires` and +`magAge` are set, then `maxAge` takes precedence, but it is possiblke not all clients by obey this, +so if both are set, they should point to the same date and time. + +##### httpOnly + +Specifies the `boolean` value for the [`HttpOnly` `Set-Cookie` attribute][rfc-6266-5.2.6]. When truthy, +the `HttpOnly` attribute is set, otherwise it is not. By default, the `HttpOnly` attribute is not set. + +**note** be careful when setting this to `true`, as compliant clients will not allow client-side +JavaScript to see the cookie in `document.cookie`. + +##### maxAge + +Specifies the `number` (in seconds) to be the value for the [`Max-Age` `Set-Cookie` attribute][rfc-6266-5.2.2]. +The given number will be converted to an integer by rounding down. By default, no maximum age is set. + +**note** the [cookie storage model specification][rfc-6266-5.3] states that if both `expires` and +`magAge` are set, then `maxAge` takes precedence, but it is possiblke not all clients by obey this, +so if both are set, they should point to the same date and time. + +##### path + +Specifies the value for the [`Path` `Set-Cookie` attribute][rfc-6266-5.2.4]. By default, the path +is considered the ["default path"][rfc-6266-5.1.4]. By default, no maximum age is set, and most +clients will consider this a "non-persistent cookie" and will delete it on a condition like exiting +a web browser application. + +##### sameSite + +Specifies the `boolean` or `string` to be the value for the [`SameSite` `Set-Cookie` attribute][draft-west-first-party-cookies-07]. + + - `true` will set the `SameSite` attribute to `Strict` for strict same site enforcement. + - `false` will not set the `SameSite` attribute. + - `'lax'` will set the `SameSite` attribute to `Lax` for lax same site enforcement. + - `'strict'` will set the `SameSite` attribute to `Strict` for strict same site enforcement. + +More information about the different enforcement levels can be found in the specification +https://tools.ietf.org/html/draft-west-first-party-cookies-07#section-4.1.1 + +**note** This is an attribute that has not yet been fully standardized, and may change in the future. +This also means many clients may ignore this attribute until they understand it. + +##### secure + +Specifies the `boolean` value for the [`Secure` `Set-Cookie` attribute][rfc-6266-5.2.5]. When truthy, +the `Secure` attribute is set, otherwise it is not. By default, the `Secure` attribute is not set. + +**note** be careful when setting this to `true`, as compliant clients will not send the cookie back to +the server in the future if the browser does not have an HTTPS connection. + +## Example + +The following example uses this module in conjunction with the Node.js core HTTP server +to prompt a user for their name and display it back on future visits. + +```js +var cookie = require('cookie'); +var escapeHtml = require('escape-html'); +var http = require('http'); +var url = require('url'); + +function onRequest(req, res) { + // Parse the query string + var query = url.parse(req.url, true, true).query; + + if (query && query.name) { + // Set a new cookie with the name + res.setHeader('Set-Cookie', cookie.serialize('name', String(query.name), { + httpOnly: true, + maxAge: 60 * 60 * 24 * 7 // 1 week + })); + + // Redirect back after setting cookie + res.statusCode = 302; + res.setHeader('Location', req.headers.referer || '/'); + res.end(); + return; + } + + // Parse the cookies on the request + var cookies = cookie.parse(req.headers.cookie || ''); + + // Get the visitor name set in the cookie + var name = cookies.name; + + res.setHeader('Content-Type', 'text/html; charset=UTF-8'); + + if (name) { + res.write('

Welcome back, ' + escapeHtml(name) + '!

'); + } else { + res.write('

Hello, new visitor!

'); + } + + res.write('
'); + res.write(' '); + res.end(' values + * + * @param {string} str + * @param {object} [options] + * @return {object} + * @public + */ + +function parse(str, options) { + if (typeof str !== 'string') { + throw new TypeError('argument str must be a string'); + } + + var obj = {} + var opt = options || {}; + var pairs = str.split(pairSplitRegExp); + var dec = opt.decode || decode; + + for (var i = 0; i < pairs.length; i++) { + var pair = pairs[i]; + var eq_idx = pair.indexOf('='); + + // skip things that don't look like key=value + if (eq_idx < 0) { + continue; + } + + var key = pair.substr(0, eq_idx).trim() + var val = pair.substr(++eq_idx, pair.length).trim(); + + // quoted values + if ('"' == val[0]) { + val = val.slice(1, -1); + } + + // only assign once + if (undefined == obj[key]) { + obj[key] = tryDecode(val, dec); + } + } + + return obj; +} + +/** + * Serialize data into a cookie header. + * + * Serialize the a name value pair into a cookie string suitable for + * http headers. An optional options object specified cookie parameters. + * + * serialize('foo', 'bar', { httpOnly: true }) + * => "foo=bar; httpOnly" + * + * @param {string} name + * @param {string} val + * @param {object} [options] + * @return {string} + * @public + */ + +function serialize(name, val, options) { + var opt = options || {}; + var enc = opt.encode || encode; + + if (typeof enc !== 'function') { + throw new TypeError('option encode is invalid'); + } + + if (!fieldContentRegExp.test(name)) { + throw new TypeError('argument name is invalid'); + } + + var value = enc(val); + + if (value && !fieldContentRegExp.test(value)) { + throw new TypeError('argument val is invalid'); + } + + var str = name + '=' + value; + + if (null != opt.maxAge) { + var maxAge = opt.maxAge - 0; + if (isNaN(maxAge)) throw new Error('maxAge should be a Number'); + str += '; Max-Age=' + Math.floor(maxAge); + } + + if (opt.domain) { + if (!fieldContentRegExp.test(opt.domain)) { + throw new TypeError('option domain is invalid'); + } + + str += '; Domain=' + opt.domain; + } + + if (opt.path) { + if (!fieldContentRegExp.test(opt.path)) { + throw new TypeError('option path is invalid'); + } + + str += '; Path=' + opt.path; + } + + if (opt.expires) { + if (typeof opt.expires.toUTCString !== 'function') { + throw new TypeError('option expires is invalid'); + } + + str += '; Expires=' + opt.expires.toUTCString(); + } + + if (opt.httpOnly) { + str += '; HttpOnly'; + } + + if (opt.secure) { + str += '; Secure'; + } + + if (opt.sameSite) { + var sameSite = typeof opt.sameSite === 'string' + ? opt.sameSite.toLowerCase() : opt.sameSite; + + switch (sameSite) { + case true: + str += '; SameSite=Strict'; + break; + case 'lax': + str += '; SameSite=Lax'; + break; + case 'strict': + str += '; SameSite=Strict'; + break; + default: + throw new TypeError('option sameSite is invalid'); + } + } + + return str; +} + +/** + * Try decoding a string using a decoding function. + * + * @param {string} str + * @param {function} decode + * @private + */ + +function tryDecode(str, decode) { + try { + return decode(str); + } catch (e) { + return str; + } +} diff --git a/node_modules/express/node_modules/cookie/package.json b/node_modules/express/node_modules/cookie/package.json new file mode 100644 index 0000000..b485150 --- /dev/null +++ b/node_modules/express/node_modules/cookie/package.json @@ -0,0 +1,33 @@ +{ + "name": "cookie", + "description": "HTTP server cookie parsing and serialization", + "version": "0.3.1", + "author": "Roman Shtylman ", + "contributors": [ + "Douglas Christopher Wilson " + ], + "license": "MIT", + "keywords": [ + "cookie", + "cookies" + ], + "repository": "jshttp/cookie", + "devDependencies": { + "istanbul": "0.4.3", + "mocha": "1.21.5" + }, + "files": [ + "HISTORY.md", + "LICENSE", + "README.md", + "index.js" + ], + "engines": { + "node": ">= 0.6" + }, + "scripts": { + "test": "mocha --reporter spec --bail --check-leaks test/", + "test-ci": "istanbul cover node_modules/mocha/bin/_mocha --report lcovonly -- --reporter spec --check-leaks test/", + "test-cov": "istanbul cover node_modules/mocha/bin/_mocha -- --reporter dot --check-leaks test/" + } +} diff --git a/node_modules/express/node_modules/iconv-lite/.travis.yml b/node_modules/express/node_modules/iconv-lite/.travis.yml new file mode 100644 index 0000000..3eab7fd --- /dev/null +++ b/node_modules/express/node_modules/iconv-lite/.travis.yml @@ -0,0 +1,23 @@ + sudo: false + language: node_js + node_js: + - "0.10" + - "0.11" + - "0.12" + - "iojs" + - "4" + - "6" + - "8" + - "node" + + + env: + - CXX=g++-4.8 + addons: + apt: + sources: + - ubuntu-toolchain-r-test + packages: + - gcc-4.8 + - g++-4.8 + diff --git a/node_modules/express/node_modules/iconv-lite/Changelog.md b/node_modules/express/node_modules/iconv-lite/Changelog.md new file mode 100644 index 0000000..e31cd0c --- /dev/null +++ b/node_modules/express/node_modules/iconv-lite/Changelog.md @@ -0,0 +1,158 @@ + +# 0.4.23 / 2018-05-07 + + * Fix deprecation warning in Node v10 due to the last usage of `new Buffer` (#185, by @felixbuenemann) + * Switched from NodeBuffer to Buffer in typings (#155 by @felixfbecker, #186 by @larssn) + + +# 0.4.22 / 2018-05-05 + + * Use older semver style for dependencies to be compatible with Node version 0.10 (#182, by @dougwilson) + * Fix tests to accomodate fixes in Node v10 (#182, by @dougwilson) + + +# 0.4.21 / 2018-04-06 + + * Fix encoding canonicalization (#156) + * Fix the paths in the "browser" field in package.json (#174 by @LMLB) + * Removed "contributors" section in package.json - see Git history instead. + + +# 0.4.20 / 2018-04-06 + + * Updated `new Buffer()` usages with recommended replacements as it's being deprecated in Node v10 (#176, #178 by @ChALkeR) + + +# 0.4.19 / 2017-09-09 + + * Fixed iso8859-1 codec regression in handling untranslatable characters (#162, caused by #147) + * Re-generated windows1255 codec, because it was updated in iconv project + * Fixed grammar in error message when iconv-lite is loaded with encoding other than utf8 + + +# 0.4.18 / 2017-06-13 + + * Fixed CESU-8 regression in Node v8. + + +# 0.4.17 / 2017-04-22 + + * Updated typescript definition file to support Angular 2 AoT mode (#153 by @larssn) + + +# 0.4.16 / 2017-04-22 + + * Added support for React Native (#150) + * Changed iso8859-1 encoding to usine internal 'binary' encoding, as it's the same thing (#147 by @mscdex) + * Fixed typo in Readme (#138 by @jiangzhuo) + * Fixed build for Node v6.10+ by making correct version comparison + * Added a warning if iconv-lite is loaded not as utf-8 (see #142) + + +# 0.4.15 / 2016-11-21 + + * Fixed typescript type definition (#137) + + +# 0.4.14 / 2016-11-20 + + * Preparation for v1.0 + * Added Node v6 and latest Node versions to Travis CI test rig + * Deprecated Node v0.8 support + * Typescript typings (@larssn) + * Fix encoding of Euro character in GB 18030 (inspired by @lygstate) + * Add ms prefix to dbcs windows encodings (@rokoroku) + + +# 0.4.13 / 2015-10-01 + + * Fix silly mistake in deprecation notice. + + +# 0.4.12 / 2015-09-26 + + * Node v4 support: + * Added CESU-8 decoding (#106) + * Added deprecation notice for `extendNodeEncodings` + * Added Travis tests for Node v4 and io.js latest (#105 by @Mithgol) + + +# 0.4.11 / 2015-07-03 + + * Added CESU-8 encoding. + + +# 0.4.10 / 2015-05-26 + + * Changed UTF-16 endianness heuristic to take into account any ASCII chars, not + just spaces. This should minimize the importance of "default" endianness. + + +# 0.4.9 / 2015-05-24 + + * Streamlined BOM handling: strip BOM by default, add BOM when encoding if + addBOM: true. Added docs to Readme. + * UTF16 now uses UTF16-LE by default. + * Fixed minor issue with big5 encoding. + * Added io.js testing on Travis; updated node-iconv version to test against. + Now we just skip testing SBCS encodings that node-iconv doesn't support. + * (internal refactoring) Updated codec interface to use classes. + * Use strict mode in all files. + + +# 0.4.8 / 2015-04-14 + + * added alias UNICODE-1-1-UTF-7 for UTF-7 encoding (#94) + + +# 0.4.7 / 2015-02-05 + + * stop official support of Node.js v0.8. Should still work, but no guarantees. + reason: Packages needed for testing are hard to get on Travis CI. + * work in environment where Object.prototype is monkey patched with enumerable + props (#89). + + +# 0.4.6 / 2015-01-12 + + * fix rare aliases of single-byte encodings (thanks @mscdex) + * double the timeout for dbcs tests to make them less flaky on travis + + +# 0.4.5 / 2014-11-20 + + * fix windows-31j and x-sjis encoding support (@nleush) + * minor fix: undefined variable reference when internal error happens + + +# 0.4.4 / 2014-07-16 + + * added encodings UTF-7 (RFC2152) and UTF-7-IMAP (RFC3501 Section 5.1.3) + * fixed streaming base64 encoding + + +# 0.4.3 / 2014-06-14 + + * added encodings UTF-16BE and UTF-16 with BOM + + +# 0.4.2 / 2014-06-12 + + * don't throw exception if `extendNodeEncodings()` is called more than once + + +# 0.4.1 / 2014-06-11 + + * codepage 808 added + + +# 0.4.0 / 2014-06-10 + + * code is rewritten from scratch + * all widespread encodings are supported + * streaming interface added + * browserify compatibility added + * (optional) extend core primitive encodings to make usage even simpler + * moved from vows to mocha as the testing framework + + diff --git a/node_modules/express/node_modules/iconv-lite/LICENSE b/node_modules/express/node_modules/iconv-lite/LICENSE new file mode 100644 index 0000000..d518d83 --- /dev/null +++ b/node_modules/express/node_modules/iconv-lite/LICENSE @@ -0,0 +1,21 @@ +Copyright (c) 2011 Alexander Shtuchkin + +Permission is hereby granted, free of charge, to any person obtaining +a copy of this software and associated documentation files (the +"Software"), to deal in the Software without restriction, including +without limitation the rights to use, copy, modify, merge, publish, +distribute, sublicense, and/or sell copies of the Software, and to +permit persons to whom the Software is furnished to do so, subject to +the following conditions: + +The above copyright notice and this permission notice shall be +included in all copies or substantial portions of the Software. + +THE SOFTWARE IS PROVIDED "AS IS", WITHOUT WARRANTY OF ANY KIND, +EXPRESS OR IMPLIED, INCLUDING BUT NOT LIMITED TO THE WARRANTIES OF +MERCHANTABILITY, FITNESS FOR A PARTICULAR PURPOSE AND +NONINFRINGEMENT. IN NO EVENT SHALL THE AUTHORS OR COPYRIGHT HOLDERS BE +LIABLE FOR ANY CLAIM, DAMAGES OR OTHER LIABILITY, WHETHER IN AN ACTION +OF CONTRACT, TORT OR OTHERWISE, ARISING FROM, OUT OF OR IN CONNECTION +WITH THE SOFTWARE OR THE USE OR OTHER DEALINGS IN THE SOFTWARE. + diff --git a/node_modules/express/node_modules/iconv-lite/README.md b/node_modules/express/node_modules/iconv-lite/README.md new file mode 100644 index 0000000..c981c37 --- /dev/null +++ b/node_modules/express/node_modules/iconv-lite/README.md @@ -0,0 +1,156 @@ +## Pure JS character encoding conversion [![Build Status](https://travis-ci.org/ashtuchkin/iconv-lite.svg?branch=master)](https://travis-ci.org/ashtuchkin/iconv-lite) + + * Doesn't need native code compilation. Works on Windows and in sandboxed environments like [Cloud9](http://c9.io). + * Used in popular projects like [Express.js (body_parser)](https://github.com/expressjs/body-parser), + [Grunt](http://gruntjs.com/), [Nodemailer](http://www.nodemailer.com/), [Yeoman](http://yeoman.io/) and others. + * Faster than [node-iconv](https://github.com/bnoordhuis/node-iconv) (see below for performance comparison). + * Intuitive encode/decode API + * Streaming support for Node v0.10+ + * [Deprecated] Can extend Node.js primitives (buffers, streams) to support all iconv-lite encodings. + * In-browser usage via [Browserify](https://github.com/substack/node-browserify) (~180k gzip compressed with Buffer shim included). + * Typescript [type definition file](https://github.com/ashtuchkin/iconv-lite/blob/master/lib/index.d.ts) included. + * React Native is supported (need to explicitly `npm install` two more modules: `buffer` and `stream`). + * License: MIT. + +[![NPM Stats](https://nodei.co/npm/iconv-lite.png?downloads=true&downloadRank=true)](https://npmjs.org/packages/iconv-lite/) + +## Usage +### Basic API +```javascript +var iconv = require('iconv-lite'); + +// Convert from an encoded buffer to js string. +str = iconv.decode(Buffer.from([0x68, 0x65, 0x6c, 0x6c, 0x6f]), 'win1251'); + +// Convert from js string to an encoded buffer. +buf = iconv.encode("Sample input string", 'win1251'); + +// Check if encoding is supported +iconv.encodingExists("us-ascii") +``` + +### Streaming API (Node v0.10+) +```javascript + +// Decode stream (from binary stream to js strings) +http.createServer(function(req, res) { + var converterStream = iconv.decodeStream('win1251'); + req.pipe(converterStream); + + converterStream.on('data', function(str) { + console.log(str); // Do something with decoded strings, chunk-by-chunk. + }); +}); + +// Convert encoding streaming example +fs.createReadStream('file-in-win1251.txt') + .pipe(iconv.decodeStream('win1251')) + .pipe(iconv.encodeStream('ucs2')) + .pipe(fs.createWriteStream('file-in-ucs2.txt')); + +// Sugar: all encode/decode streams have .collect(cb) method to accumulate data. +http.createServer(function(req, res) { + req.pipe(iconv.decodeStream('win1251')).collect(function(err, body) { + assert(typeof body == 'string'); + console.log(body); // full request body string + }); +}); +``` + +### [Deprecated] Extend Node.js own encodings +> NOTE: This doesn't work on latest Node versions. See [details](https://github.com/ashtuchkin/iconv-lite/wiki/Node-v4-compatibility). + +```javascript +// After this call all Node basic primitives will understand iconv-lite encodings. +iconv.extendNodeEncodings(); + +// Examples: +buf = new Buffer(str, 'win1251'); +buf.write(str, 'gbk'); +str = buf.toString('latin1'); +assert(Buffer.isEncoding('iso-8859-15')); +Buffer.byteLength(str, 'us-ascii'); + +http.createServer(function(req, res) { + req.setEncoding('big5'); + req.collect(function(err, body) { + console.log(body); + }); +}); + +fs.createReadStream("file.txt", "shift_jis"); + +// External modules are also supported (if they use Node primitives, which they probably do). +request = require('request'); +request({ + url: "http://github.com/", + encoding: "cp932" +}); + +// To remove extensions +iconv.undoExtendNodeEncodings(); +``` + +## Supported encodings + + * All node.js native encodings: utf8, ucs2 / utf16-le, ascii, binary, base64, hex. + * Additional unicode encodings: utf16, utf16-be, utf-7, utf-7-imap. + * All widespread singlebyte encodings: Windows 125x family, ISO-8859 family, + IBM/DOS codepages, Macintosh family, KOI8 family, all others supported by iconv library. + Aliases like 'latin1', 'us-ascii' also supported. + * All widespread multibyte encodings: CP932, CP936, CP949, CP950, GB2312, GBK, GB18030, Big5, Shift_JIS, EUC-JP. + +See [all supported encodings on wiki](https://github.com/ashtuchkin/iconv-lite/wiki/Supported-Encodings). + +Most singlebyte encodings are generated automatically from [node-iconv](https://github.com/bnoordhuis/node-iconv). Thank you Ben Noordhuis and libiconv authors! + +Multibyte encodings are generated from [Unicode.org mappings](http://www.unicode.org/Public/MAPPINGS/) and [WHATWG Encoding Standard mappings](http://encoding.spec.whatwg.org/). Thank you, respective authors! + + +## Encoding/decoding speed + +Comparison with node-iconv module (1000x256kb, on MacBook Pro, Core i5/2.6 GHz, Node v0.12.0). +Note: your results may vary, so please always check on your hardware. + + operation iconv@2.1.4 iconv-lite@0.4.7 + ---------------------------------------------------------- + encode('win1251') ~96 Mb/s ~320 Mb/s + decode('win1251') ~95 Mb/s ~246 Mb/s + +## BOM handling + + * Decoding: BOM is stripped by default, unless overridden by passing `stripBOM: false` in options + (f.ex. `iconv.decode(buf, enc, {stripBOM: false})`). + A callback might also be given as a `stripBOM` parameter - it'll be called if BOM character was actually found. + * If you want to detect UTF-8 BOM when decoding other encodings, use [node-autodetect-decoder-stream](https://github.com/danielgindi/node-autodetect-decoder-stream) module. + * Encoding: No BOM added, unless overridden by `addBOM: true` option. + +## UTF-16 Encodings + +This library supports UTF-16LE, UTF-16BE and UTF-16 encodings. First two are straightforward, but UTF-16 is trying to be +smart about endianness in the following ways: + * Decoding: uses BOM and 'spaces heuristic' to determine input endianness. Default is UTF-16LE, but can be + overridden with `defaultEncoding: 'utf-16be'` option. Strips BOM unless `stripBOM: false`. + * Encoding: uses UTF-16LE and writes BOM by default. Use `addBOM: false` to override. + +## Other notes + +When decoding, be sure to supply a Buffer to decode() method, otherwise [bad things usually happen](https://github.com/ashtuchkin/iconv-lite/wiki/Use-Buffers-when-decoding). +Untranslatable characters are set to � or ?. No transliteration is currently supported. +Node versions 0.10.31 and 0.11.13 are buggy, don't use them (see #65, #77). + +## Testing + +```bash +$ git clone git@github.com:ashtuchkin/iconv-lite.git +$ cd iconv-lite +$ npm install +$ npm test + +$ # To view performance: +$ node test/performance.js + +$ # To view test coverage: +$ npm run coverage +$ open coverage/lcov-report/index.html +``` diff --git a/node_modules/express/node_modules/iconv-lite/encodings/dbcs-codec.js b/node_modules/express/node_modules/iconv-lite/encodings/dbcs-codec.js new file mode 100644 index 0000000..1fe3e16 --- /dev/null +++ b/node_modules/express/node_modules/iconv-lite/encodings/dbcs-codec.js @@ -0,0 +1,555 @@ +"use strict"; +var Buffer = require("safer-buffer").Buffer; + +// Multibyte codec. In this scheme, a character is represented by 1 or more bytes. +// Our codec supports UTF-16 surrogates, extensions for GB18030 and unicode sequences. +// To save memory and loading time, we read table files only when requested. + +exports._dbcs = DBCSCodec; + +var UNASSIGNED = -1, + GB18030_CODE = -2, + SEQ_START = -10, + NODE_START = -1000, + UNASSIGNED_NODE = new Array(0x100), + DEF_CHAR = -1; + +for (var i = 0; i < 0x100; i++) + UNASSIGNED_NODE[i] = UNASSIGNED; + + +// Class DBCSCodec reads and initializes mapping tables. +function DBCSCodec(codecOptions, iconv) { + this.encodingName = codecOptions.encodingName; + if (!codecOptions) + throw new Error("DBCS codec is called without the data.") + if (!codecOptions.table) + throw new Error("Encoding '" + this.encodingName + "' has no data."); + + // Load tables. + var mappingTable = codecOptions.table(); + + + // Decode tables: MBCS -> Unicode. + + // decodeTables is a trie, encoded as an array of arrays of integers. Internal arrays are trie nodes and all have len = 256. + // Trie root is decodeTables[0]. + // Values: >= 0 -> unicode character code. can be > 0xFFFF + // == UNASSIGNED -> unknown/unassigned sequence. + // == GB18030_CODE -> this is the end of a GB18030 4-byte sequence. + // <= NODE_START -> index of the next node in our trie to process next byte. + // <= SEQ_START -> index of the start of a character code sequence, in decodeTableSeq. + this.decodeTables = []; + this.decodeTables[0] = UNASSIGNED_NODE.slice(0); // Create root node. + + // Sometimes a MBCS char corresponds to a sequence of unicode chars. We store them as arrays of integers here. + this.decodeTableSeq = []; + + // Actual mapping tables consist of chunks. Use them to fill up decode tables. + for (var i = 0; i < mappingTable.length; i++) + this._addDecodeChunk(mappingTable[i]); + + this.defaultCharUnicode = iconv.defaultCharUnicode; + + + // Encode tables: Unicode -> DBCS. + + // `encodeTable` is array mapping from unicode char to encoded char. All its values are integers for performance. + // Because it can be sparse, it is represented as array of buckets by 256 chars each. Bucket can be null. + // Values: >= 0 -> it is a normal char. Write the value (if <=256 then 1 byte, if <=65536 then 2 bytes, etc.). + // == UNASSIGNED -> no conversion found. Output a default char. + // <= SEQ_START -> it's an index in encodeTableSeq, see below. The character starts a sequence. + this.encodeTable = []; + + // `encodeTableSeq` is used when a sequence of unicode characters is encoded as a single code. We use a tree of + // objects where keys correspond to characters in sequence and leafs are the encoded dbcs values. A special DEF_CHAR key + // means end of sequence (needed when one sequence is a strict subsequence of another). + // Objects are kept separately from encodeTable to increase performance. + this.encodeTableSeq = []; + + // Some chars can be decoded, but need not be encoded. + var skipEncodeChars = {}; + if (codecOptions.encodeSkipVals) + for (var i = 0; i < codecOptions.encodeSkipVals.length; i++) { + var val = codecOptions.encodeSkipVals[i]; + if (typeof val === 'number') + skipEncodeChars[val] = true; + else + for (var j = val.from; j <= val.to; j++) + skipEncodeChars[j] = true; + } + + // Use decode trie to recursively fill out encode tables. + this._fillEncodeTable(0, 0, skipEncodeChars); + + // Add more encoding pairs when needed. + if (codecOptions.encodeAdd) { + for (var uChar in codecOptions.encodeAdd) + if (Object.prototype.hasOwnProperty.call(codecOptions.encodeAdd, uChar)) + this._setEncodeChar(uChar.charCodeAt(0), codecOptions.encodeAdd[uChar]); + } + + this.defCharSB = this.encodeTable[0][iconv.defaultCharSingleByte.charCodeAt(0)]; + if (this.defCharSB === UNASSIGNED) this.defCharSB = this.encodeTable[0]['?']; + if (this.defCharSB === UNASSIGNED) this.defCharSB = "?".charCodeAt(0); + + + // Load & create GB18030 tables when needed. + if (typeof codecOptions.gb18030 === 'function') { + this.gb18030 = codecOptions.gb18030(); // Load GB18030 ranges. + + // Add GB18030 decode tables. + var thirdByteNodeIdx = this.decodeTables.length; + var thirdByteNode = this.decodeTables[thirdByteNodeIdx] = UNASSIGNED_NODE.slice(0); + + var fourthByteNodeIdx = this.decodeTables.length; + var fourthByteNode = this.decodeTables[fourthByteNodeIdx] = UNASSIGNED_NODE.slice(0); + + for (var i = 0x81; i <= 0xFE; i++) { + var secondByteNodeIdx = NODE_START - this.decodeTables[0][i]; + var secondByteNode = this.decodeTables[secondByteNodeIdx]; + for (var j = 0x30; j <= 0x39; j++) + secondByteNode[j] = NODE_START - thirdByteNodeIdx; + } + for (var i = 0x81; i <= 0xFE; i++) + thirdByteNode[i] = NODE_START - fourthByteNodeIdx; + for (var i = 0x30; i <= 0x39; i++) + fourthByteNode[i] = GB18030_CODE + } +} + +DBCSCodec.prototype.encoder = DBCSEncoder; +DBCSCodec.prototype.decoder = DBCSDecoder; + +// Decoder helpers +DBCSCodec.prototype._getDecodeTrieNode = function(addr) { + var bytes = []; + for (; addr > 0; addr >>= 8) + bytes.push(addr & 0xFF); + if (bytes.length == 0) + bytes.push(0); + + var node = this.decodeTables[0]; + for (var i = bytes.length-1; i > 0; i--) { // Traverse nodes deeper into the trie. + var val = node[bytes[i]]; + + if (val == UNASSIGNED) { // Create new node. + node[bytes[i]] = NODE_START - this.decodeTables.length; + this.decodeTables.push(node = UNASSIGNED_NODE.slice(0)); + } + else if (val <= NODE_START) { // Existing node. + node = this.decodeTables[NODE_START - val]; + } + else + throw new Error("Overwrite byte in " + this.encodingName + ", addr: " + addr.toString(16)); + } + return node; +} + + +DBCSCodec.prototype._addDecodeChunk = function(chunk) { + // First element of chunk is the hex mbcs code where we start. + var curAddr = parseInt(chunk[0], 16); + + // Choose the decoding node where we'll write our chars. + var writeTable = this._getDecodeTrieNode(curAddr); + curAddr = curAddr & 0xFF; + + // Write all other elements of the chunk to the table. + for (var k = 1; k < chunk.length; k++) { + var part = chunk[k]; + if (typeof part === "string") { // String, write as-is. + for (var l = 0; l < part.length;) { + var code = part.charCodeAt(l++); + if (0xD800 <= code && code < 0xDC00) { // Decode surrogate + var codeTrail = part.charCodeAt(l++); + if (0xDC00 <= codeTrail && codeTrail < 0xE000) + writeTable[curAddr++] = 0x10000 + (code - 0xD800) * 0x400 + (codeTrail - 0xDC00); + else + throw new Error("Incorrect surrogate pair in " + this.encodingName + " at chunk " + chunk[0]); + } + else if (0x0FF0 < code && code <= 0x0FFF) { // Character sequence (our own encoding used) + var len = 0xFFF - code + 2; + var seq = []; + for (var m = 0; m < len; m++) + seq.push(part.charCodeAt(l++)); // Simple variation: don't support surrogates or subsequences in seq. + + writeTable[curAddr++] = SEQ_START - this.decodeTableSeq.length; + this.decodeTableSeq.push(seq); + } + else + writeTable[curAddr++] = code; // Basic char + } + } + else if (typeof part === "number") { // Integer, meaning increasing sequence starting with prev character. + var charCode = writeTable[curAddr - 1] + 1; + for (var l = 0; l < part; l++) + writeTable[curAddr++] = charCode++; + } + else + throw new Error("Incorrect type '" + typeof part + "' given in " + this.encodingName + " at chunk " + chunk[0]); + } + if (curAddr > 0xFF) + throw new Error("Incorrect chunk in " + this.encodingName + " at addr " + chunk[0] + ": too long" + curAddr); +} + +// Encoder helpers +DBCSCodec.prototype._getEncodeBucket = function(uCode) { + var high = uCode >> 8; // This could be > 0xFF because of astral characters. + if (this.encodeTable[high] === undefined) + this.encodeTable[high] = UNASSIGNED_NODE.slice(0); // Create bucket on demand. + return this.encodeTable[high]; +} + +DBCSCodec.prototype._setEncodeChar = function(uCode, dbcsCode) { + var bucket = this._getEncodeBucket(uCode); + var low = uCode & 0xFF; + if (bucket[low] <= SEQ_START) + this.encodeTableSeq[SEQ_START-bucket[low]][DEF_CHAR] = dbcsCode; // There's already a sequence, set a single-char subsequence of it. + else if (bucket[low] == UNASSIGNED) + bucket[low] = dbcsCode; +} + +DBCSCodec.prototype._setEncodeSequence = function(seq, dbcsCode) { + + // Get the root of character tree according to first character of the sequence. + var uCode = seq[0]; + var bucket = this._getEncodeBucket(uCode); + var low = uCode & 0xFF; + + var node; + if (bucket[low] <= SEQ_START) { + // There's already a sequence with - use it. + node = this.encodeTableSeq[SEQ_START-bucket[low]]; + } + else { + // There was no sequence object - allocate a new one. + node = {}; + if (bucket[low] !== UNASSIGNED) node[DEF_CHAR] = bucket[low]; // If a char was set before - make it a single-char subsequence. + bucket[low] = SEQ_START - this.encodeTableSeq.length; + this.encodeTableSeq.push(node); + } + + // Traverse the character tree, allocating new nodes as needed. + for (var j = 1; j < seq.length-1; j++) { + var oldVal = node[uCode]; + if (typeof oldVal === 'object') + node = oldVal; + else { + node = node[uCode] = {} + if (oldVal !== undefined) + node[DEF_CHAR] = oldVal + } + } + + // Set the leaf to given dbcsCode. + uCode = seq[seq.length-1]; + node[uCode] = dbcsCode; +} + +DBCSCodec.prototype._fillEncodeTable = function(nodeIdx, prefix, skipEncodeChars) { + var node = this.decodeTables[nodeIdx]; + for (var i = 0; i < 0x100; i++) { + var uCode = node[i]; + var mbCode = prefix + i; + if (skipEncodeChars[mbCode]) + continue; + + if (uCode >= 0) + this._setEncodeChar(uCode, mbCode); + else if (uCode <= NODE_START) + this._fillEncodeTable(NODE_START - uCode, mbCode << 8, skipEncodeChars); + else if (uCode <= SEQ_START) + this._setEncodeSequence(this.decodeTableSeq[SEQ_START - uCode], mbCode); + } +} + + + +// == Encoder ================================================================== + +function DBCSEncoder(options, codec) { + // Encoder state + this.leadSurrogate = -1; + this.seqObj = undefined; + + // Static data + this.encodeTable = codec.encodeTable; + this.encodeTableSeq = codec.encodeTableSeq; + this.defaultCharSingleByte = codec.defCharSB; + this.gb18030 = codec.gb18030; +} + +DBCSEncoder.prototype.write = function(str) { + var newBuf = Buffer.alloc(str.length * (this.gb18030 ? 4 : 3)), + leadSurrogate = this.leadSurrogate, + seqObj = this.seqObj, nextChar = -1, + i = 0, j = 0; + + while (true) { + // 0. Get next character. + if (nextChar === -1) { + if (i == str.length) break; + var uCode = str.charCodeAt(i++); + } + else { + var uCode = nextChar; + nextChar = -1; + } + + // 1. Handle surrogates. + if (0xD800 <= uCode && uCode < 0xE000) { // Char is one of surrogates. + if (uCode < 0xDC00) { // We've got lead surrogate. + if (leadSurrogate === -1) { + leadSurrogate = uCode; + continue; + } else { + leadSurrogate = uCode; + // Double lead surrogate found. + uCode = UNASSIGNED; + } + } else { // We've got trail surrogate. + if (leadSurrogate !== -1) { + uCode = 0x10000 + (leadSurrogate - 0xD800) * 0x400 + (uCode - 0xDC00); + leadSurrogate = -1; + } else { + // Incomplete surrogate pair - only trail surrogate found. + uCode = UNASSIGNED; + } + + } + } + else if (leadSurrogate !== -1) { + // Incomplete surrogate pair - only lead surrogate found. + nextChar = uCode; uCode = UNASSIGNED; // Write an error, then current char. + leadSurrogate = -1; + } + + // 2. Convert uCode character. + var dbcsCode = UNASSIGNED; + if (seqObj !== undefined && uCode != UNASSIGNED) { // We are in the middle of the sequence + var resCode = seqObj[uCode]; + if (typeof resCode === 'object') { // Sequence continues. + seqObj = resCode; + continue; + + } else if (typeof resCode == 'number') { // Sequence finished. Write it. + dbcsCode = resCode; + + } else if (resCode == undefined) { // Current character is not part of the sequence. + + // Try default character for this sequence + resCode = seqObj[DEF_CHAR]; + if (resCode !== undefined) { + dbcsCode = resCode; // Found. Write it. + nextChar = uCode; // Current character will be written too in the next iteration. + + } else { + // TODO: What if we have no default? (resCode == undefined) + // Then, we should write first char of the sequence as-is and try the rest recursively. + // Didn't do it for now because no encoding has this situation yet. + // Currently, just skip the sequence and write current char. + } + } + seqObj = undefined; + } + else if (uCode >= 0) { // Regular character + var subtable = this.encodeTable[uCode >> 8]; + if (subtable !== undefined) + dbcsCode = subtable[uCode & 0xFF]; + + if (dbcsCode <= SEQ_START) { // Sequence start + seqObj = this.encodeTableSeq[SEQ_START-dbcsCode]; + continue; + } + + if (dbcsCode == UNASSIGNED && this.gb18030) { + // Use GB18030 algorithm to find character(s) to write. + var idx = findIdx(this.gb18030.uChars, uCode); + if (idx != -1) { + var dbcsCode = this.gb18030.gbChars[idx] + (uCode - this.gb18030.uChars[idx]); + newBuf[j++] = 0x81 + Math.floor(dbcsCode / 12600); dbcsCode = dbcsCode % 12600; + newBuf[j++] = 0x30 + Math.floor(dbcsCode / 1260); dbcsCode = dbcsCode % 1260; + newBuf[j++] = 0x81 + Math.floor(dbcsCode / 10); dbcsCode = dbcsCode % 10; + newBuf[j++] = 0x30 + dbcsCode; + continue; + } + } + } + + // 3. Write dbcsCode character. + if (dbcsCode === UNASSIGNED) + dbcsCode = this.defaultCharSingleByte; + + if (dbcsCode < 0x100) { + newBuf[j++] = dbcsCode; + } + else if (dbcsCode < 0x10000) { + newBuf[j++] = dbcsCode >> 8; // high byte + newBuf[j++] = dbcsCode & 0xFF; // low byte + } + else { + newBuf[j++] = dbcsCode >> 16; + newBuf[j++] = (dbcsCode >> 8) & 0xFF; + newBuf[j++] = dbcsCode & 0xFF; + } + } + + this.seqObj = seqObj; + this.leadSurrogate = leadSurrogate; + return newBuf.slice(0, j); +} + +DBCSEncoder.prototype.end = function() { + if (this.leadSurrogate === -1 && this.seqObj === undefined) + return; // All clean. Most often case. + + var newBuf = Buffer.alloc(10), j = 0; + + if (this.seqObj) { // We're in the sequence. + var dbcsCode = this.seqObj[DEF_CHAR]; + if (dbcsCode !== undefined) { // Write beginning of the sequence. + if (dbcsCode < 0x100) { + newBuf[j++] = dbcsCode; + } + else { + newBuf[j++] = dbcsCode >> 8; // high byte + newBuf[j++] = dbcsCode & 0xFF; // low byte + } + } else { + // See todo above. + } + this.seqObj = undefined; + } + + if (this.leadSurrogate !== -1) { + // Incomplete surrogate pair - only lead surrogate found. + newBuf[j++] = this.defaultCharSingleByte; + this.leadSurrogate = -1; + } + + return newBuf.slice(0, j); +} + +// Export for testing +DBCSEncoder.prototype.findIdx = findIdx; + + +// == Decoder ================================================================== + +function DBCSDecoder(options, codec) { + // Decoder state + this.nodeIdx = 0; + this.prevBuf = Buffer.alloc(0); + + // Static data + this.decodeTables = codec.decodeTables; + this.decodeTableSeq = codec.decodeTableSeq; + this.defaultCharUnicode = codec.defaultCharUnicode; + this.gb18030 = codec.gb18030; +} + +DBCSDecoder.prototype.write = function(buf) { + var newBuf = Buffer.alloc(buf.length*2), + nodeIdx = this.nodeIdx, + prevBuf = this.prevBuf, prevBufOffset = this.prevBuf.length, + seqStart = -this.prevBuf.length, // idx of the start of current parsed sequence. + uCode; + + if (prevBufOffset > 0) // Make prev buf overlap a little to make it easier to slice later. + prevBuf = Buffer.concat([prevBuf, buf.slice(0, 10)]); + + for (var i = 0, j = 0; i < buf.length; i++) { + var curByte = (i >= 0) ? buf[i] : prevBuf[i + prevBufOffset]; + + // Lookup in current trie node. + var uCode = this.decodeTables[nodeIdx][curByte]; + + if (uCode >= 0) { + // Normal character, just use it. + } + else if (uCode === UNASSIGNED) { // Unknown char. + // TODO: Callback with seq. + //var curSeq = (seqStart >= 0) ? buf.slice(seqStart, i+1) : prevBuf.slice(seqStart + prevBufOffset, i+1 + prevBufOffset); + i = seqStart; // Try to parse again, after skipping first byte of the sequence ('i' will be incremented by 'for' cycle). + uCode = this.defaultCharUnicode.charCodeAt(0); + } + else if (uCode === GB18030_CODE) { + var curSeq = (seqStart >= 0) ? buf.slice(seqStart, i+1) : prevBuf.slice(seqStart + prevBufOffset, i+1 + prevBufOffset); + var ptr = (curSeq[0]-0x81)*12600 + (curSeq[1]-0x30)*1260 + (curSeq[2]-0x81)*10 + (curSeq[3]-0x30); + var idx = findIdx(this.gb18030.gbChars, ptr); + uCode = this.gb18030.uChars[idx] + ptr - this.gb18030.gbChars[idx]; + } + else if (uCode <= NODE_START) { // Go to next trie node. + nodeIdx = NODE_START - uCode; + continue; + } + else if (uCode <= SEQ_START) { // Output a sequence of chars. + var seq = this.decodeTableSeq[SEQ_START - uCode]; + for (var k = 0; k < seq.length - 1; k++) { + uCode = seq[k]; + newBuf[j++] = uCode & 0xFF; + newBuf[j++] = uCode >> 8; + } + uCode = seq[seq.length-1]; + } + else + throw new Error("iconv-lite internal error: invalid decoding table value " + uCode + " at " + nodeIdx + "/" + curByte); + + // Write the character to buffer, handling higher planes using surrogate pair. + if (uCode > 0xFFFF) { + uCode -= 0x10000; + var uCodeLead = 0xD800 + Math.floor(uCode / 0x400); + newBuf[j++] = uCodeLead & 0xFF; + newBuf[j++] = uCodeLead >> 8; + + uCode = 0xDC00 + uCode % 0x400; + } + newBuf[j++] = uCode & 0xFF; + newBuf[j++] = uCode >> 8; + + // Reset trie node. + nodeIdx = 0; seqStart = i+1; + } + + this.nodeIdx = nodeIdx; + this.prevBuf = (seqStart >= 0) ? buf.slice(seqStart) : prevBuf.slice(seqStart + prevBufOffset); + return newBuf.slice(0, j).toString('ucs2'); +} + +DBCSDecoder.prototype.end = function() { + var ret = ''; + + // Try to parse all remaining chars. + while (this.prevBuf.length > 0) { + // Skip 1 character in the buffer. + ret += this.defaultCharUnicode; + var buf = this.prevBuf.slice(1); + + // Parse remaining as usual. + this.prevBuf = Buffer.alloc(0); + this.nodeIdx = 0; + if (buf.length > 0) + ret += this.write(buf); + } + + this.nodeIdx = 0; + return ret; +} + +// Binary search for GB18030. Returns largest i such that table[i] <= val. +function findIdx(table, val) { + if (table[0] > val) + return -1; + + var l = 0, r = table.length; + while (l < r-1) { // always table[l] <= val < table[r] + var mid = l + Math.floor((r-l+1)/2); + if (table[mid] <= val) + l = mid; + else + r = mid; + } + return l; +} + diff --git a/node_modules/express/node_modules/iconv-lite/encodings/dbcs-data.js b/node_modules/express/node_modules/iconv-lite/encodings/dbcs-data.js new file mode 100644 index 0000000..4b61914 --- /dev/null +++ b/node_modules/express/node_modules/iconv-lite/encodings/dbcs-data.js @@ -0,0 +1,176 @@ +"use strict"; + +// Description of supported double byte encodings and aliases. +// Tables are not require()-d until they are needed to speed up library load. +// require()-s are direct to support Browserify. + +module.exports = { + + // == Japanese/ShiftJIS ==================================================== + // All japanese encodings are based on JIS X set of standards: + // JIS X 0201 - Single-byte encoding of ASCII + ¥ + Kana chars at 0xA1-0xDF. + // JIS X 0208 - Main set of 6879 characters, placed in 94x94 plane, to be encoded by 2 bytes. + // Has several variations in 1978, 1983, 1990 and 1997. + // JIS X 0212 - Supplementary plane of 6067 chars in 94x94 plane. 1990. Effectively dead. + // JIS X 0213 - Extension and modern replacement of 0208 and 0212. Total chars: 11233. + // 2 planes, first is superset of 0208, second - revised 0212. + // Introduced in 2000, revised 2004. Some characters are in Unicode Plane 2 (0x2xxxx) + + // Byte encodings are: + // * Shift_JIS: Compatible with 0201, uses not defined chars in top half as lead bytes for double-byte + // encoding of 0208. Lead byte ranges: 0x81-0x9F, 0xE0-0xEF; Trail byte ranges: 0x40-0x7E, 0x80-0x9E, 0x9F-0xFC. + // Windows CP932 is a superset of Shift_JIS. Some companies added more chars, notably KDDI. + // * EUC-JP: Up to 3 bytes per character. Used mostly on *nixes. + // 0x00-0x7F - lower part of 0201 + // 0x8E, 0xA1-0xDF - upper part of 0201 + // (0xA1-0xFE)x2 - 0208 plane (94x94). + // 0x8F, (0xA1-0xFE)x2 - 0212 plane (94x94). + // * JIS X 208: 7-bit, direct encoding of 0208. Byte ranges: 0x21-0x7E (94 values). Uncommon. + // Used as-is in ISO2022 family. + // * ISO2022-JP: Stateful encoding, with escape sequences to switch between ASCII, + // 0201-1976 Roman, 0208-1978, 0208-1983. + // * ISO2022-JP-1: Adds esc seq for 0212-1990. + // * ISO2022-JP-2: Adds esc seq for GB2313-1980, KSX1001-1992, ISO8859-1, ISO8859-7. + // * ISO2022-JP-3: Adds esc seq for 0201-1976 Kana set, 0213-2000 Planes 1, 2. + // * ISO2022-JP-2004: Adds 0213-2004 Plane 1. + // + // After JIS X 0213 appeared, Shift_JIS-2004, EUC-JISX0213 and ISO2022-JP-2004 followed, with just changing the planes. + // + // Overall, it seems that it's a mess :( http://www8.plala.or.jp/tkubota1/unicode-symbols-map2.html + + 'shiftjis': { + type: '_dbcs', + table: function() { return require('./tables/shiftjis.json') }, + encodeAdd: {'\u00a5': 0x5C, '\u203E': 0x7E}, + encodeSkipVals: [{from: 0xED40, to: 0xF940}], + }, + 'csshiftjis': 'shiftjis', + 'mskanji': 'shiftjis', + 'sjis': 'shiftjis', + 'windows31j': 'shiftjis', + 'ms31j': 'shiftjis', + 'xsjis': 'shiftjis', + 'windows932': 'shiftjis', + 'ms932': 'shiftjis', + '932': 'shiftjis', + 'cp932': 'shiftjis', + + 'eucjp': { + type: '_dbcs', + table: function() { return require('./tables/eucjp.json') }, + encodeAdd: {'\u00a5': 0x5C, '\u203E': 0x7E}, + }, + + // TODO: KDDI extension to Shift_JIS + // TODO: IBM CCSID 942 = CP932, but F0-F9 custom chars and other char changes. + // TODO: IBM CCSID 943 = Shift_JIS = CP932 with original Shift_JIS lower 128 chars. + + + // == Chinese/GBK ========================================================== + // http://en.wikipedia.org/wiki/GBK + // We mostly implement W3C recommendation: https://www.w3.org/TR/encoding/#gbk-encoder + + // Oldest GB2312 (1981, ~7600 chars) is a subset of CP936 + 'gb2312': 'cp936', + 'gb231280': 'cp936', + 'gb23121980': 'cp936', + 'csgb2312': 'cp936', + 'csiso58gb231280': 'cp936', + 'euccn': 'cp936', + + // Microsoft's CP936 is a subset and approximation of GBK. + 'windows936': 'cp936', + 'ms936': 'cp936', + '936': 'cp936', + 'cp936': { + type: '_dbcs', + table: function() { return require('./tables/cp936.json') }, + }, + + // GBK (~22000 chars) is an extension of CP936 that added user-mapped chars and some other. + 'gbk': { + type: '_dbcs', + table: function() { return require('./tables/cp936.json').concat(require('./tables/gbk-added.json')) }, + }, + 'xgbk': 'gbk', + 'isoir58': 'gbk', + + // GB18030 is an algorithmic extension of GBK. + // Main source: https://www.w3.org/TR/encoding/#gbk-encoder + // http://icu-project.org/docs/papers/gb18030.html + // http://source.icu-project.org/repos/icu/data/trunk/charset/data/xml/gb-18030-2000.xml + // http://www.khngai.com/chinese/charmap/tblgbk.php?page=0 + 'gb18030': { + type: '_dbcs', + table: function() { return require('./tables/cp936.json').concat(require('./tables/gbk-added.json')) }, + gb18030: function() { return require('./tables/gb18030-ranges.json') }, + encodeSkipVals: [0x80], + encodeAdd: {'€': 0xA2E3}, + }, + + 'chinese': 'gb18030', + + + // == Korean =============================================================== + // EUC-KR, KS_C_5601 and KS X 1001 are exactly the same. + 'windows949': 'cp949', + 'ms949': 'cp949', + '949': 'cp949', + 'cp949': { + type: '_dbcs', + table: function() { return require('./tables/cp949.json') }, + }, + + 'cseuckr': 'cp949', + 'csksc56011987': 'cp949', + 'euckr': 'cp949', + 'isoir149': 'cp949', + 'korean': 'cp949', + 'ksc56011987': 'cp949', + 'ksc56011989': 'cp949', + 'ksc5601': 'cp949', + + + // == Big5/Taiwan/Hong Kong ================================================ + // There are lots of tables for Big5 and cp950. Please see the following links for history: + // http://moztw.org/docs/big5/ http://www.haible.de/bruno/charsets/conversion-tables/Big5.html + // Variations, in roughly number of defined chars: + // * Windows CP 950: Microsoft variant of Big5. Canonical: http://www.unicode.org/Public/MAPPINGS/VENDORS/MICSFT/WINDOWS/CP950.TXT + // * Windows CP 951: Microsoft variant of Big5-HKSCS-2001. Seems to be never public. http://me.abelcheung.org/articles/research/what-is-cp951/ + // * Big5-2003 (Taiwan standard) almost superset of cp950. + // * Unicode-at-on (UAO) / Mozilla 1.8. Falling out of use on the Web. Not supported by other browsers. + // * Big5-HKSCS (-2001, -2004, -2008). Hong Kong standard. + // many unicode code points moved from PUA to Supplementary plane (U+2XXXX) over the years. + // Plus, it has 4 combining sequences. + // Seems that Mozilla refused to support it for 10 yrs. https://bugzilla.mozilla.org/show_bug.cgi?id=162431 https://bugzilla.mozilla.org/show_bug.cgi?id=310299 + // because big5-hkscs is the only encoding to include astral characters in non-algorithmic way. + // Implementations are not consistent within browsers; sometimes labeled as just big5. + // MS Internet Explorer switches from big5 to big5-hkscs when a patch applied. + // Great discussion & recap of what's going on https://bugzilla.mozilla.org/show_bug.cgi?id=912470#c31 + // In the encoder, it might make sense to support encoding old PUA mappings to Big5 bytes seq-s. + // Official spec: http://www.ogcio.gov.hk/en/business/tech_promotion/ccli/terms/doc/2003cmp_2008.txt + // http://www.ogcio.gov.hk/tc/business/tech_promotion/ccli/terms/doc/hkscs-2008-big5-iso.txt + // + // Current understanding of how to deal with Big5(-HKSCS) is in the Encoding Standard, http://encoding.spec.whatwg.org/#big5-encoder + // Unicode mapping (http://www.unicode.org/Public/MAPPINGS/OBSOLETE/EASTASIA/OTHER/BIG5.TXT) is said to be wrong. + + 'windows950': 'cp950', + 'ms950': 'cp950', + '950': 'cp950', + 'cp950': { + type: '_dbcs', + table: function() { return require('./tables/cp950.json') }, + }, + + // Big5 has many variations and is an extension of cp950. We use Encoding Standard's as a consensus. + 'big5': 'big5hkscs', + 'big5hkscs': { + type: '_dbcs', + table: function() { return require('./tables/cp950.json').concat(require('./tables/big5-added.json')) }, + encodeSkipVals: [0xa2cc], + }, + + 'cnbig5': 'big5hkscs', + 'csbig5': 'big5hkscs', + 'xxbig5': 'big5hkscs', +}; diff --git a/node_modules/express/node_modules/iconv-lite/encodings/index.js b/node_modules/express/node_modules/iconv-lite/encodings/index.js new file mode 100644 index 0000000..e304003 --- /dev/null +++ b/node_modules/express/node_modules/iconv-lite/encodings/index.js @@ -0,0 +1,22 @@ +"use strict"; + +// Update this array if you add/rename/remove files in this directory. +// We support Browserify by skipping automatic module discovery and requiring modules directly. +var modules = [ + require("./internal"), + require("./utf16"), + require("./utf7"), + require("./sbcs-codec"), + require("./sbcs-data"), + require("./sbcs-data-generated"), + require("./dbcs-codec"), + require("./dbcs-data"), +]; + +// Put all encoding/alias/codec definitions to single object and export it. +for (var i = 0; i < modules.length; i++) { + var module = modules[i]; + for (var enc in module) + if (Object.prototype.hasOwnProperty.call(module, enc)) + exports[enc] = module[enc]; +} diff --git a/node_modules/express/node_modules/iconv-lite/encodings/internal.js b/node_modules/express/node_modules/iconv-lite/encodings/internal.js new file mode 100644 index 0000000..05ce38b --- /dev/null +++ b/node_modules/express/node_modules/iconv-lite/encodings/internal.js @@ -0,0 +1,188 @@ +"use strict"; +var Buffer = require("safer-buffer").Buffer; + +// Export Node.js internal encodings. + +module.exports = { + // Encodings + utf8: { type: "_internal", bomAware: true}, + cesu8: { type: "_internal", bomAware: true}, + unicode11utf8: "utf8", + + ucs2: { type: "_internal", bomAware: true}, + utf16le: "ucs2", + + binary: { type: "_internal" }, + base64: { type: "_internal" }, + hex: { type: "_internal" }, + + // Codec. + _internal: InternalCodec, +}; + +//------------------------------------------------------------------------------ + +function InternalCodec(codecOptions, iconv) { + this.enc = codecOptions.encodingName; + this.bomAware = codecOptions.bomAware; + + if (this.enc === "base64") + this.encoder = InternalEncoderBase64; + else if (this.enc === "cesu8") { + this.enc = "utf8"; // Use utf8 for decoding. + this.encoder = InternalEncoderCesu8; + + // Add decoder for versions of Node not supporting CESU-8 + if (Buffer.from('eda0bdedb2a9', 'hex').toString() !== '💩') { + this.decoder = InternalDecoderCesu8; + this.defaultCharUnicode = iconv.defaultCharUnicode; + } + } +} + +InternalCodec.prototype.encoder = InternalEncoder; +InternalCodec.prototype.decoder = InternalDecoder; + +//------------------------------------------------------------------------------ + +// We use node.js internal decoder. Its signature is the same as ours. +var StringDecoder = require('string_decoder').StringDecoder; + +if (!StringDecoder.prototype.end) // Node v0.8 doesn't have this method. + StringDecoder.prototype.end = function() {}; + + +function InternalDecoder(options, codec) { + StringDecoder.call(this, codec.enc); +} + +InternalDecoder.prototype = StringDecoder.prototype; + + +//------------------------------------------------------------------------------ +// Encoder is mostly trivial + +function InternalEncoder(options, codec) { + this.enc = codec.enc; +} + +InternalEncoder.prototype.write = function(str) { + return Buffer.from(str, this.enc); +} + +InternalEncoder.prototype.end = function() { +} + + +//------------------------------------------------------------------------------ +// Except base64 encoder, which must keep its state. + +function InternalEncoderBase64(options, codec) { + this.prevStr = ''; +} + +InternalEncoderBase64.prototype.write = function(str) { + str = this.prevStr + str; + var completeQuads = str.length - (str.length % 4); + this.prevStr = str.slice(completeQuads); + str = str.slice(0, completeQuads); + + return Buffer.from(str, "base64"); +} + +InternalEncoderBase64.prototype.end = function() { + return Buffer.from(this.prevStr, "base64"); +} + + +//------------------------------------------------------------------------------ +// CESU-8 encoder is also special. + +function InternalEncoderCesu8(options, codec) { +} + +InternalEncoderCesu8.prototype.write = function(str) { + var buf = Buffer.alloc(str.length * 3), bufIdx = 0; + for (var i = 0; i < str.length; i++) { + var charCode = str.charCodeAt(i); + // Naive implementation, but it works because CESU-8 is especially easy + // to convert from UTF-16 (which all JS strings are encoded in). + if (charCode < 0x80) + buf[bufIdx++] = charCode; + else if (charCode < 0x800) { + buf[bufIdx++] = 0xC0 + (charCode >>> 6); + buf[bufIdx++] = 0x80 + (charCode & 0x3f); + } + else { // charCode will always be < 0x10000 in javascript. + buf[bufIdx++] = 0xE0 + (charCode >>> 12); + buf[bufIdx++] = 0x80 + ((charCode >>> 6) & 0x3f); + buf[bufIdx++] = 0x80 + (charCode & 0x3f); + } + } + return buf.slice(0, bufIdx); +} + +InternalEncoderCesu8.prototype.end = function() { +} + +//------------------------------------------------------------------------------ +// CESU-8 decoder is not implemented in Node v4.0+ + +function InternalDecoderCesu8(options, codec) { + this.acc = 0; + this.contBytes = 0; + this.accBytes = 0; + this.defaultCharUnicode = codec.defaultCharUnicode; +} + +InternalDecoderCesu8.prototype.write = function(buf) { + var acc = this.acc, contBytes = this.contBytes, accBytes = this.accBytes, + res = ''; + for (var i = 0; i < buf.length; i++) { + var curByte = buf[i]; + if ((curByte & 0xC0) !== 0x80) { // Leading byte + if (contBytes > 0) { // Previous code is invalid + res += this.defaultCharUnicode; + contBytes = 0; + } + + if (curByte < 0x80) { // Single-byte code + res += String.fromCharCode(curByte); + } else if (curByte < 0xE0) { // Two-byte code + acc = curByte & 0x1F; + contBytes = 1; accBytes = 1; + } else if (curByte < 0xF0) { // Three-byte code + acc = curByte & 0x0F; + contBytes = 2; accBytes = 1; + } else { // Four or more are not supported for CESU-8. + res += this.defaultCharUnicode; + } + } else { // Continuation byte + if (contBytes > 0) { // We're waiting for it. + acc = (acc << 6) | (curByte & 0x3f); + contBytes--; accBytes++; + if (contBytes === 0) { + // Check for overlong encoding, but support Modified UTF-8 (encoding NULL as C0 80) + if (accBytes === 2 && acc < 0x80 && acc > 0) + res += this.defaultCharUnicode; + else if (accBytes === 3 && acc < 0x800) + res += this.defaultCharUnicode; + else + // Actually add character. + res += String.fromCharCode(acc); + } + } else { // Unexpected continuation byte + res += this.defaultCharUnicode; + } + } + } + this.acc = acc; this.contBytes = contBytes; this.accBytes = accBytes; + return res; +} + +InternalDecoderCesu8.prototype.end = function() { + var res = 0; + if (this.contBytes > 0) + res += this.defaultCharUnicode; + return res; +} diff --git a/node_modules/express/node_modules/iconv-lite/encodings/sbcs-codec.js b/node_modules/express/node_modules/iconv-lite/encodings/sbcs-codec.js new file mode 100644 index 0000000..f225823 --- /dev/null +++ b/node_modules/express/node_modules/iconv-lite/encodings/sbcs-codec.js @@ -0,0 +1,72 @@ +"use strict"; +var Buffer = require("safer-buffer").Buffer; + +// Single-byte codec. Needs a 'chars' string parameter that contains 256 or 128 chars that +// correspond to encoded bytes (if 128 - then lower half is ASCII). + +exports._sbcs = SBCSCodec; +function SBCSCodec(codecOptions, iconv) { + if (!codecOptions) + throw new Error("SBCS codec is called without the data.") + + // Prepare char buffer for decoding. + if (!codecOptions.chars || (codecOptions.chars.length !== 128 && codecOptions.chars.length !== 256)) + throw new Error("Encoding '"+codecOptions.type+"' has incorrect 'chars' (must be of len 128 or 256)"); + + if (codecOptions.chars.length === 128) { + var asciiString = ""; + for (var i = 0; i < 128; i++) + asciiString += String.fromCharCode(i); + codecOptions.chars = asciiString + codecOptions.chars; + } + + this.decodeBuf = new Buffer.from(codecOptions.chars, 'ucs2'); + + // Encoding buffer. + var encodeBuf = new Buffer.alloc(65536, iconv.defaultCharSingleByte.charCodeAt(0)); + + for (var i = 0; i < codecOptions.chars.length; i++) + encodeBuf[codecOptions.chars.charCodeAt(i)] = i; + + this.encodeBuf = encodeBuf; +} + +SBCSCodec.prototype.encoder = SBCSEncoder; +SBCSCodec.prototype.decoder = SBCSDecoder; + + +function SBCSEncoder(options, codec) { + this.encodeBuf = codec.encodeBuf; +} + +SBCSEncoder.prototype.write = function(str) { + var buf = Buffer.alloc(str.length); + for (var i = 0; i < str.length; i++) + buf[i] = this.encodeBuf[str.charCodeAt(i)]; + + return buf; +} + +SBCSEncoder.prototype.end = function() { +} + + +function SBCSDecoder(options, codec) { + this.decodeBuf = codec.decodeBuf; +} + +SBCSDecoder.prototype.write = function(buf) { + // Strings are immutable in JS -> we use ucs2 buffer to speed up computations. + var decodeBuf = this.decodeBuf; + var newBuf = Buffer.alloc(buf.length*2); + var idx1 = 0, idx2 = 0; + for (var i = 0; i < buf.length; i++) { + idx1 = buf[i]*2; idx2 = i*2; + newBuf[idx2] = decodeBuf[idx1]; + newBuf[idx2+1] = decodeBuf[idx1+1]; + } + return newBuf.toString('ucs2'); +} + +SBCSDecoder.prototype.end = function() { +} diff --git a/node_modules/express/node_modules/iconv-lite/encodings/sbcs-data-generated.js b/node_modules/express/node_modules/iconv-lite/encodings/sbcs-data-generated.js new file mode 100644 index 0000000..9b48236 --- /dev/null +++ b/node_modules/express/node_modules/iconv-lite/encodings/sbcs-data-generated.js @@ -0,0 +1,451 @@ +"use strict"; + +// Generated data for sbcs codec. Don't edit manually. Regenerate using generation/gen-sbcs.js script. +module.exports = { + "437": "cp437", + "737": "cp737", + "775": "cp775", + "850": "cp850", + "852": "cp852", + "855": "cp855", + "856": "cp856", + "857": "cp857", + "858": "cp858", + "860": "cp860", + "861": "cp861", + "862": "cp862", + "863": "cp863", + "864": "cp864", + "865": "cp865", + "866": "cp866", + "869": "cp869", + "874": "windows874", + "922": "cp922", + "1046": "cp1046", + "1124": "cp1124", + "1125": "cp1125", + "1129": "cp1129", + "1133": "cp1133", + "1161": "cp1161", + "1162": "cp1162", + "1163": "cp1163", + "1250": "windows1250", + "1251": "windows1251", + "1252": "windows1252", + "1253": "windows1253", + "1254": "windows1254", + "1255": "windows1255", + "1256": "windows1256", + "1257": "windows1257", + "1258": "windows1258", + "28591": "iso88591", + "28592": "iso88592", + "28593": "iso88593", + "28594": "iso88594", + "28595": "iso88595", + "28596": "iso88596", + "28597": "iso88597", + "28598": "iso88598", + "28599": "iso88599", + "28600": "iso885910", + "28601": "iso885911", + "28603": "iso885913", + "28604": "iso885914", + "28605": "iso885915", + "28606": "iso885916", + "windows874": { + "type": "_sbcs", + "chars": "€����…�����������‘’“”•–—�������� กขฃคฅฆงจฉชซฌญฎฏฐฑฒณดตถทธนบปผฝพฟภมยรฤลฦวศษสหฬอฮฯะัาำิีึืฺุู����฿เแโใไๅๆ็่้๊๋์ํ๎๏๐๑๒๓๔๕๖๗๘๙๚๛����" + }, + "win874": "windows874", + "cp874": "windows874", + "windows1250": { + "type": "_sbcs", + "chars": "€�‚�„…†‡�‰Š‹ŚŤŽŹ�‘’“”•–—�™š›śťžź ˇ˘Ł¤Ą¦§¨©Ş«¬­®Ż°±˛ł´µ¶·¸ąş»Ľ˝ľżŔÁÂĂÄĹĆÇČÉĘËĚÍÎĎĐŃŇÓÔŐÖ×ŘŮÚŰÜÝŢßŕáâăäĺćçčéęëěíîďđńňóôőö÷řůúűüýţ˙" + }, + "win1250": "windows1250", + "cp1250": "windows1250", + "windows1251": { + "type": "_sbcs", + "chars": "ЂЃ‚ѓ„…†‡€‰Љ‹ЊЌЋЏђ‘’“”•–—�™љ›њќћџ ЎўЈ¤Ґ¦§Ё©Є«¬­®Ї°±Ііґµ¶·ё№є»јЅѕїАБВГДЕЖЗИЙКЛМНОПРСТУФХЦЧШЩЪЫЬЭЮЯабвгдежзийклмнопрстуфхцчшщъыьэюя" + }, + "win1251": "windows1251", + "cp1251": "windows1251", + "windows1252": { + "type": "_sbcs", + "chars": "€�‚ƒ„…†‡ˆ‰Š‹Œ�Ž��‘’“”•–—˜™š›œ�žŸ ¡¢£¤¥¦§¨©ª«¬­®¯°±²³´µ¶·¸¹º»¼½¾¿ÀÁÂÃÄÅÆÇÈÉÊËÌÍÎÏÐÑÒÓÔÕÖ×ØÙÚÛÜÝÞßàáâãäåæçèéêëìíîïðñòóôõö÷øùúûüýþÿ" + }, + "win1252": "windows1252", + "cp1252": "windows1252", + "windows1253": { + "type": "_sbcs", + "chars": "€�‚ƒ„…†‡�‰�‹�����‘’“”•–—�™�›���� ΅Ά£¤¥¦§¨©�«¬­®―°±²³΄µ¶·ΈΉΊ»Ό½ΎΏΐΑΒΓΔΕΖΗΘΙΚΛΜΝΞΟΠΡ�ΣΤΥΦΧΨΩΪΫάέήίΰαβγδεζηθικλμνξοπρςστυφχψωϊϋόύώ�" + }, + "win1253": "windows1253", + "cp1253": "windows1253", + "windows1254": { + "type": "_sbcs", + "chars": "€�‚ƒ„…†‡ˆ‰Š‹Œ����‘’“”•–—˜™š›œ��Ÿ ¡¢£¤¥¦§¨©ª«¬­®¯°±²³´µ¶·¸¹º»¼½¾¿ÀÁÂÃÄÅÆÇÈÉÊËÌÍÎÏĞÑÒÓÔÕÖ×ØÙÚÛÜİŞßàáâãäåæçèéêëìíîïğñòóôõö÷øùúûüışÿ" + }, + "win1254": "windows1254", + "cp1254": "windows1254", + "windows1255": { + "type": "_sbcs", + "chars": "€�‚ƒ„…†‡ˆ‰�‹�����‘’“”•–—˜™�›���� ¡¢£₪¥¦§¨©×«¬­®¯°±²³´µ¶·¸¹÷»¼½¾¿ְֱֲֳִֵֶַָֹֺֻּֽ־ֿ׀ׁׂ׃װױײ׳״�������אבגדהוזחטיךכלםמןנסעףפץצקרשת��‎‏�" + }, + "win1255": "windows1255", + "cp1255": "windows1255", + "windows1256": { + "type": "_sbcs", + "chars": "€پ‚ƒ„…†‡ˆ‰ٹ‹Œچژڈگ‘’“”•–—ک™ڑ›œ‌‍ں ،¢£¤¥¦§¨©ھ«¬­®¯°±²³´µ¶·¸¹؛»¼½¾؟ہءآأؤإئابةتثجحخدذرزسشصض×طظعغـفقكàلâمنهوçèéêëىيîïًٌٍَôُِ÷ّùْûü‎‏ے" + }, + "win1256": "windows1256", + "cp1256": "windows1256", + "windows1257": { + "type": "_sbcs", + "chars": "€�‚�„…†‡�‰�‹�¨ˇ¸�‘’“”•–—�™�›�¯˛� �¢£¤�¦§Ø©Ŗ«¬­®Æ°±²³´µ¶·ø¹ŗ»¼½¾æĄĮĀĆÄÅĘĒČÉŹĖĢĶĪĻŠŃŅÓŌÕÖ×ŲŁŚŪÜŻŽßąįāćäåęēčéźėģķīļšńņóōõö÷ųłśūüżž˙" + }, + "win1257": "windows1257", + "cp1257": "windows1257", + "windows1258": { + "type": "_sbcs", + "chars": "€�‚ƒ„…†‡ˆ‰�‹Œ����‘’“”•–—˜™�›œ��Ÿ ¡¢£¤¥¦§¨©ª«¬­®¯°±²³´µ¶·¸¹º»¼½¾¿ÀÁÂĂÄÅÆÇÈÉÊË̀ÍÎÏĐÑ̉ÓÔƠÖ×ØÙÚÛÜỮßàáâăäåæçèéêë́íîïđṇ̃óôơö÷øùúûüư₫ÿ" + }, + "win1258": "windows1258", + "cp1258": "windows1258", + "iso88591": { + "type": "_sbcs", + "chars": "€‚ƒ„…†‡ˆ‰Š‹ŒŽ‘’“”•–—˜™š›œžŸ ¡¢£¤¥¦§¨©ª«¬­®¯°±²³´µ¶·¸¹º»¼½¾¿ÀÁÂÃÄÅÆÇÈÉÊËÌÍÎÏÐÑÒÓÔÕÖ×ØÙÚÛÜÝÞßàáâãäåæçèéêëìíîïðñòóôõö÷øùúûüýþÿ" + }, + "cp28591": "iso88591", + "iso88592": { + "type": "_sbcs", + "chars": "€‚ƒ„…†‡ˆ‰Š‹ŒŽ‘’“”•–—˜™š›œžŸ Ą˘Ł¤ĽŚ§¨ŠŞŤŹ­ŽŻ°ą˛ł´ľśˇ¸šşťź˝žżŔÁÂĂÄĹĆÇČÉĘËĚÍÎĎĐŃŇÓÔŐÖ×ŘŮÚŰÜÝŢßŕáâăäĺćçčéęëěíîďđńňóôőö÷řůúűüýţ˙" + }, + "cp28592": "iso88592", + "iso88593": { + "type": "_sbcs", + "chars": "€‚ƒ„…†‡ˆ‰Š‹ŒŽ‘’“”•–—˜™š›œžŸ Ħ˘£¤�Ĥ§¨İŞĞĴ­�Ż°ħ²³´µĥ·¸ışğĵ½�żÀÁÂ�ÄĊĈÇÈÉÊËÌÍÎÏ�ÑÒÓÔĠÖ×ĜÙÚÛÜŬŜßàáâ�äċĉçèéêëìíîï�ñòóôġö÷ĝùúûüŭŝ˙" + }, + "cp28593": "iso88593", + "iso88594": { + "type": "_sbcs", + "chars": "€‚ƒ„…†‡ˆ‰Š‹ŒŽ‘’“”•–—˜™š›œžŸ ĄĸŖ¤ĨĻ§¨ŠĒĢŦ­Ž¯°ą˛ŗ´ĩļˇ¸šēģŧŊžŋĀÁÂÃÄÅÆĮČÉĘËĖÍÎĪĐŅŌĶÔÕÖ×ØŲÚÛÜŨŪßāáâãäåæįčéęëėíîīđņōķôõö÷øųúûüũū˙" + }, + "cp28594": "iso88594", + "iso88595": { + "type": "_sbcs", + "chars": "€‚ƒ„…†‡ˆ‰Š‹ŒŽ‘’“”•–—˜™š›œžŸ ЁЂЃЄЅІЇЈЉЊЋЌ­ЎЏАБВГДЕЖЗИЙКЛМНОПРСТУФХЦЧШЩЪЫЬЭЮЯабвгдежзийклмнопрстуфхцчшщъыьэюя№ёђѓєѕіїјљњћќ§ўџ" + }, + "cp28595": "iso88595", + "iso88596": { + "type": "_sbcs", + "chars": "€‚ƒ„…†‡ˆ‰Š‹ŒŽ‘’“”•–—˜™š›œžŸ ���¤�������،­�������������؛���؟�ءآأؤإئابةتثجحخدذرزسشصضطظعغ�����ـفقكلمنهوىيًٌٍَُِّْ�������������" + }, + "cp28596": "iso88596", + "iso88597": { + "type": "_sbcs", + "chars": "€‚ƒ„…†‡ˆ‰Š‹ŒŽ‘’“”•–—˜™š›œžŸ ‘’£€₯¦§¨©ͺ«¬­�―°±²³΄΅Ά·ΈΉΊ»Ό½ΎΏΐΑΒΓΔΕΖΗΘΙΚΛΜΝΞΟΠΡ�ΣΤΥΦΧΨΩΪΫάέήίΰαβγδεζηθικλμνξοπρςστυφχψωϊϋόύώ�" + }, + "cp28597": "iso88597", + "iso88598": { + "type": "_sbcs", + "chars": "€‚ƒ„…†‡ˆ‰Š‹ŒŽ‘’“”•–—˜™š›œžŸ �¢£¤¥¦§¨©×«¬­®¯°±²³´µ¶·¸¹÷»¼½¾��������������������������������‗אבגדהוזחטיךכלםמןנסעףפץצקרשת��‎‏�" + }, + "cp28598": "iso88598", + "iso88599": { + "type": "_sbcs", + "chars": "€‚ƒ„…†‡ˆ‰Š‹ŒŽ‘’“”•–—˜™š›œžŸ ¡¢£¤¥¦§¨©ª«¬­®¯°±²³´µ¶·¸¹º»¼½¾¿ÀÁÂÃÄÅÆÇÈÉÊËÌÍÎÏĞÑÒÓÔÕÖ×ØÙÚÛÜİŞßàáâãäåæçèéêëìíîïğñòóôõö÷øùúûüışÿ" + }, + "cp28599": "iso88599", + "iso885910": { + "type": "_sbcs", + "chars": "€‚ƒ„…†‡ˆ‰Š‹ŒŽ‘’“”•–—˜™š›œžŸ ĄĒĢĪĨĶ§ĻĐŠŦŽ­ŪŊ°ąēģīĩķ·ļđšŧž―ūŋĀÁÂÃÄÅÆĮČÉĘËĖÍÎÏÐŅŌÓÔÕÖŨØŲÚÛÜÝÞßāáâãäåæįčéęëėíîïðņōóôõöũøųúûüýþĸ" + }, + "cp28600": "iso885910", + "iso885911": { + "type": "_sbcs", + "chars": "€‚ƒ„…†‡ˆ‰Š‹ŒŽ‘’“”•–—˜™š›œžŸ กขฃคฅฆงจฉชซฌญฎฏฐฑฒณดตถทธนบปผฝพฟภมยรฤลฦวศษสหฬอฮฯะัาำิีึืฺุู����฿เแโใไๅๆ็่้๊๋์ํ๎๏๐๑๒๓๔๕๖๗๘๙๚๛����" + }, + "cp28601": "iso885911", + "iso885913": { + "type": "_sbcs", + "chars": "€‚ƒ„…†‡ˆ‰Š‹ŒŽ‘’“”•–—˜™š›œžŸ ”¢£¤„¦§Ø©Ŗ«¬­®Æ°±²³“µ¶·ø¹ŗ»¼½¾æĄĮĀĆÄÅĘĒČÉŹĖĢĶĪĻŠŃŅÓŌÕÖ×ŲŁŚŪÜŻŽßąįāćäåęēčéźėģķīļšńņóōõö÷ųłśūüżž’" + }, + "cp28603": "iso885913", + "iso885914": { + "type": "_sbcs", + "chars": "€‚ƒ„…†‡ˆ‰Š‹ŒŽ‘’“”•–—˜™š›œžŸ Ḃḃ£ĊċḊ§Ẁ©ẂḋỲ­®ŸḞḟĠġṀṁ¶ṖẁṗẃṠỳẄẅṡÀÁÂÃÄÅÆÇÈÉÊËÌÍÎÏŴÑÒÓÔÕÖṪØÙÚÛÜÝŶßàáâãäåæçèéêëìíîïŵñòóôõöṫøùúûüýŷÿ" + }, + "cp28604": "iso885914", + "iso885915": { + "type": "_sbcs", + "chars": "€‚ƒ„…†‡ˆ‰Š‹ŒŽ‘’“”•–—˜™š›œžŸ ¡¢£€¥Š§š©ª«¬­®¯°±²³Žµ¶·ž¹º»ŒœŸ¿ÀÁÂÃÄÅÆÇÈÉÊËÌÍÎÏÐÑÒÓÔÕÖ×ØÙÚÛÜÝÞßàáâãäåæçèéêëìíîïðñòóôõö÷øùúûüýþÿ" + }, + "cp28605": "iso885915", + "iso885916": { + "type": "_sbcs", + "chars": "€‚ƒ„…†‡ˆ‰Š‹ŒŽ‘’“”•–—˜™š›œžŸ ĄąŁ€„Š§š©Ș«Ź­źŻ°±ČłŽ”¶·žčș»ŒœŸżÀÁÂĂÄĆÆÇÈÉÊËÌÍÎÏĐŃÒÓÔŐÖŚŰÙÚÛÜĘȚßàáâăäćæçèéêëìíîïđńòóôőöśűùúûüęțÿ" + }, + "cp28606": "iso885916", + "cp437": { + "type": "_sbcs", + "chars": "ÇüéâäàåçêëèïîìÄÅÉæÆôöòûùÿÖÜ¢£¥₧ƒáíóúñѪº¿⌐¬½¼¡«»░▒▓│┤╡╢╖╕╣║╗╝╜╛┐└┴┬├─┼╞╟╚╔╩╦╠═╬╧╨╤╥╙╘╒╓╫╪┘┌█▄▌▐▀αßΓπΣσµτΦΘΩδ∞φε∩≡±≥≤⌠⌡÷≈°∙·√ⁿ²■ " + }, + "ibm437": "cp437", + "csibm437": "cp437", + "cp737": { + "type": "_sbcs", + "chars": "ΑΒΓΔΕΖΗΘΙΚΛΜΝΞΟΠΡΣΤΥΦΧΨΩαβγδεζηθικλμνξοπρσςτυφχψ░▒▓│┤╡╢╖╕╣║╗╝╜╛┐└┴┬├─┼╞╟╚╔╩╦╠═╬╧╨╤╥╙╘╒╓╫╪┘┌█▄▌▐▀ωάέήϊίόύϋώΆΈΉΊΌΎΏ±≥≤ΪΫ÷≈°∙·√ⁿ²■ " + }, + "ibm737": "cp737", + "csibm737": "cp737", + "cp775": { + "type": "_sbcs", + "chars": "ĆüéāäģåćłēŖŗīŹÄÅÉæÆōöĢ¢ŚśÖÜø£ØפĀĪóŻżź”¦©®¬½¼Ł«»░▒▓│┤ĄČĘĖ╣║╗╝ĮŠ┐└┴┬├─┼ŲŪ╚╔╩╦╠═╬Žąčęėįšųūž┘┌█▄▌▐▀ÓßŌŃõÕµńĶķĻļņĒŅ’­±“¾¶§÷„°∙·¹³²■ " + }, + "ibm775": "cp775", + "csibm775": "cp775", + "cp850": { + "type": "_sbcs", + "chars": "ÇüéâäàåçêëèïîìÄÅÉæÆôöòûùÿÖÜø£Ø׃áíóúñѪº¿®¬½¼¡«»░▒▓│┤ÁÂÀ©╣║╗╝¢¥┐└┴┬├─┼ãÃ╚╔╩╦╠═╬¤ðÐÊËÈıÍÎÏ┘┌█▄¦Ì▀ÓßÔÒõÕµþÞÚÛÙýݯ´­±‗¾¶§÷¸°¨·¹³²■ " + }, + "ibm850": "cp850", + "csibm850": "cp850", + "cp852": { + "type": "_sbcs", + "chars": "ÇüéâäůćçłëŐőîŹÄĆÉĹĺôöĽľŚśÖÜŤťŁ×čáíóúĄąŽžĘ꬟Ⱥ«»░▒▓│┤ÁÂĚŞ╣║╗╝Żż┐└┴┬├─┼Ăă╚╔╩╦╠═╬¤đĐĎËďŇÍÎě┘┌█▄ŢŮ▀ÓßÔŃńňŠšŔÚŕŰýÝţ´­˝˛ˇ˘§÷¸°¨˙űŘř■ " + }, + "ibm852": "cp852", + "csibm852": "cp852", + "cp855": { + "type": "_sbcs", + "chars": "ђЂѓЃёЁєЄѕЅіІїЇјЈљЉњЊћЋќЌўЎџЏюЮъЪаАбБцЦдДеЕфФгГ«»░▒▓│┤хХиИ╣║╗╝йЙ┐└┴┬├─┼кК╚╔╩╦╠═╬¤лЛмМнНоОп┘┌█▄Пя▀ЯрРсСтТуУжЖвВьЬ№­ыЫзЗшШэЭщЩчЧ§■ " + }, + "ibm855": "cp855", + "csibm855": "cp855", + "cp856": { + "type": "_sbcs", + "chars": "אבגדהוזחטיךכלםמןנסעףפץצקרשת�£�×����������®¬½¼�«»░▒▓│┤���©╣║╗╝¢¥┐└┴┬├─┼��╚╔╩╦╠═╬¤���������┘┌█▄¦�▀������µ�������¯´­±‗¾¶§÷¸°¨·¹³²■ " + }, + "ibm856": "cp856", + "csibm856": "cp856", + "cp857": { + "type": "_sbcs", + "chars": "ÇüéâäàåçêëèïîıÄÅÉæÆôöòûùİÖÜø£ØŞşáíóúñÑĞ𿮬½¼¡«»░▒▓│┤ÁÂÀ©╣║╗╝¢¥┐└┴┬├─┼ãÃ╚╔╩╦╠═╬¤ºªÊËÈ�ÍÎÏ┘┌█▄¦Ì▀ÓßÔÒõÕµ�×ÚÛÙìÿ¯´­±�¾¶§÷¸°¨·¹³²■ " + }, + "ibm857": "cp857", + "csibm857": "cp857", + "cp858": { + "type": "_sbcs", + "chars": "ÇüéâäàåçêëèïîìÄÅÉæÆôöòûùÿÖÜø£Ø׃áíóúñѪº¿®¬½¼¡«»░▒▓│┤ÁÂÀ©╣║╗╝¢¥┐└┴┬├─┼ãÃ╚╔╩╦╠═╬¤ðÐÊËÈ€ÍÎÏ┘┌█▄¦Ì▀ÓßÔÒõÕµþÞÚÛÙýݯ´­±‗¾¶§÷¸°¨·¹³²■ " + }, + "ibm858": "cp858", + "csibm858": "cp858", + "cp860": { + "type": "_sbcs", + "chars": "ÇüéâãàÁçêÊèÍÔìÃÂÉÀÈôõòÚùÌÕÜ¢£Ù₧ÓáíóúñѪº¿Ò¬½¼¡«»░▒▓│┤╡╢╖╕╣║╗╝╜╛┐└┴┬├─┼╞╟╚╔╩╦╠═╬╧╨╤╥╙╘╒╓╫╪┘┌█▄▌▐▀αßΓπΣσµτΦΘΩδ∞φε∩≡±≥≤⌠⌡÷≈°∙·√ⁿ²■ " + }, + "ibm860": "cp860", + "csibm860": "cp860", + "cp861": { + "type": "_sbcs", + "chars": "ÇüéâäàåçêëèÐðÞÄÅÉæÆôöþûÝýÖÜø£Ø₧ƒáíóúÁÍÓÚ¿⌐¬½¼¡«»░▒▓│┤╡╢╖╕╣║╗╝╜╛┐└┴┬├─┼╞╟╚╔╩╦╠═╬╧╨╤╥╙╘╒╓╫╪┘┌█▄▌▐▀αßΓπΣσµτΦΘΩδ∞φε∩≡±≥≤⌠⌡÷≈°∙·√ⁿ²■ " + }, + "ibm861": "cp861", + "csibm861": "cp861", + "cp862": { + "type": "_sbcs", + "chars": "אבגדהוזחטיךכלםמןנסעףפץצקרשת¢£¥₧ƒáíóúñѪº¿⌐¬½¼¡«»░▒▓│┤╡╢╖╕╣║╗╝╜╛┐└┴┬├─┼╞╟╚╔╩╦╠═╬╧╨╤╥╙╘╒╓╫╪┘┌█▄▌▐▀αßΓπΣσµτΦΘΩδ∞φε∩≡±≥≤⌠⌡÷≈°∙·√ⁿ²■ " + }, + "ibm862": "cp862", + "csibm862": "cp862", + "cp863": { + "type": "_sbcs", + "chars": "ÇüéâÂà¶çêëèïî‗À§ÉÈÊôËÏûù¤ÔÜ¢£ÙÛƒ¦´óú¨¸³¯Î⌐¬½¼¾«»░▒▓│┤╡╢╖╕╣║╗╝╜╛┐└┴┬├─┼╞╟╚╔╩╦╠═╬╧╨╤╥╙╘╒╓╫╪┘┌█▄▌▐▀αßΓπΣσµτΦΘΩδ∞φε∩≡±≥≤⌠⌡÷≈°∙·√ⁿ²■ " + }, + "ibm863": "cp863", + "csibm863": "cp863", + "cp864": { + "type": "_sbcs", + "chars": "\u0000\u0001\u0002\u0003\u0004\u0005\u0006\u0007\b\t\n\u000b\f\r\u000e\u000f\u0010\u0011\u0012\u0013\u0014\u0015\u0016\u0017\u0018\u0019\u001a\u001b\u001c\u001d\u001e\u001f !\"#$٪&'()*+,-./0123456789:;<=>?@ABCDEFGHIJKLMNOPQRSTUVWXYZ[\\]^_`abcdefghijklmnopqrstuvwxyz{|}~°·∙√▒─│┼┤┬├┴┐┌└┘β∞φ±½¼≈«»ﻷﻸ��ﻻﻼ� ­ﺂ£¤ﺄ��ﺎﺏﺕﺙ،ﺝﺡﺥ٠١٢٣٤٥٦٧٨٩ﻑ؛ﺱﺵﺹ؟¢ﺀﺁﺃﺅﻊﺋﺍﺑﺓﺗﺛﺟﺣﺧﺩﺫﺭﺯﺳﺷﺻﺿﻁﻅﻋﻏ¦¬÷×ﻉـﻓﻗﻛﻟﻣﻧﻫﻭﻯﻳﺽﻌﻎﻍﻡﹽّﻥﻩﻬﻰﻲﻐﻕﻵﻶﻝﻙﻱ■�" + }, + "ibm864": "cp864", + "csibm864": "cp864", + "cp865": { + "type": "_sbcs", + "chars": "ÇüéâäàåçêëèïîìÄÅÉæÆôöòûùÿÖÜø£Ø₧ƒáíóúñѪº¿⌐¬½¼¡«¤░▒▓│┤╡╢╖╕╣║╗╝╜╛┐└┴┬├─┼╞╟╚╔╩╦╠═╬╧╨╤╥╙╘╒╓╫╪┘┌█▄▌▐▀αßΓπΣσµτΦΘΩδ∞φε∩≡±≥≤⌠⌡÷≈°∙·√ⁿ²■ " + }, + "ibm865": "cp865", + "csibm865": "cp865", + "cp866": { + "type": "_sbcs", + "chars": "АБВГДЕЖЗИЙКЛМНОПРСТУФХЦЧШЩЪЫЬЭЮЯабвгдежзийклмноп░▒▓│┤╡╢╖╕╣║╗╝╜╛┐└┴┬├─┼╞╟╚╔╩╦╠═╬╧╨╤╥╙╘╒╓╫╪┘┌█▄▌▐▀рстуфхцчшщъыьэюяЁёЄєЇїЎў°∙·√№¤■ " + }, + "ibm866": "cp866", + "csibm866": "cp866", + "cp869": { + "type": "_sbcs", + "chars": "������Ά�·¬¦‘’Έ―ΉΊΪΌ��ΎΫ©Ώ²³ά£έήίϊΐόύΑΒΓΔΕΖΗ½ΘΙ«»░▒▓│┤ΚΛΜΝ╣║╗╝ΞΟ┐└┴┬├─┼ΠΡ╚╔╩╦╠═╬ΣΤΥΦΧΨΩαβγ┘┌█▄δε▀ζηθικλμνξοπρσςτ΄­±υφχ§ψ΅°¨ωϋΰώ■ " + }, + "ibm869": "cp869", + "csibm869": "cp869", + "cp922": { + "type": "_sbcs", + "chars": "€‚ƒ„…†‡ˆ‰Š‹ŒŽ‘’“”•–—˜™š›œžŸ ¡¢£¤¥¦§¨©ª«¬­®‾°±²³´µ¶·¸¹º»¼½¾¿ÀÁÂÃÄÅÆÇÈÉÊËÌÍÎÏŠÑÒÓÔÕÖ×ØÙÚÛÜÝŽßàáâãäåæçèéêëìíîïšñòóôõö÷øùúûüýžÿ" + }, + "ibm922": "cp922", + "csibm922": "cp922", + "cp1046": { + "type": "_sbcs", + "chars": "ﺈ×÷ﹱˆ■│─┐┌└┘ﹹﹻﹽﹿﹷﺊﻰﻳﻲﻎﻏﻐﻶﻸﻺﻼ ¤ﺋﺑﺗﺛﺟﺣ،­ﺧﺳ٠١٢٣٤٥٦٧٨٩ﺷ؛ﺻﺿﻊ؟ﻋءآأؤإئابةتثجحخدذرزسشصضطﻇعغﻌﺂﺄﺎﻓـفقكلمنهوىيًٌٍَُِّْﻗﻛﻟﻵﻷﻹﻻﻣﻧﻬﻩ�" + }, + "ibm1046": "cp1046", + "csibm1046": "cp1046", + "cp1124": { + "type": "_sbcs", + "chars": "€‚ƒ„…†‡ˆ‰Š‹ŒŽ‘’“”•–—˜™š›œžŸ ЁЂҐЄЅІЇЈЉЊЋЌ­ЎЏАБВГДЕЖЗИЙКЛМНОПРСТУФХЦЧШЩЪЫЬЭЮЯабвгдежзийклмнопрстуфхцчшщъыьэюя№ёђґєѕіїјљњћќ§ўџ" + }, + "ibm1124": "cp1124", + "csibm1124": "cp1124", + "cp1125": { + "type": "_sbcs", + "chars": "АБВГДЕЖЗИЙКЛМНОПРСТУФХЦЧШЩЪЫЬЭЮЯабвгдежзийклмноп░▒▓│┤╡╢╖╕╣║╗╝╜╛┐└┴┬├─┼╞╟╚╔╩╦╠═╬╧╨╤╥╙╘╒╓╫╪┘┌█▄▌▐▀рстуфхцчшщъыьэюяЁёҐґЄєІіЇї·√№¤■ " + }, + "ibm1125": "cp1125", + "csibm1125": "cp1125", + "cp1129": { + "type": "_sbcs", + "chars": "€‚ƒ„…†‡ˆ‰Š‹ŒŽ‘’“”•–—˜™š›œžŸ ¡¢£¤¥¦§œ©ª«¬­®¯°±²³Ÿµ¶·Œ¹º»¼½¾¿ÀÁÂĂÄÅÆÇÈÉÊË̀ÍÎÏĐÑ̉ÓÔƠÖ×ØÙÚÛÜỮßàáâăäåæçèéêë́íîïđṇ̃óôơö÷øùúûüư₫ÿ" + }, + "ibm1129": "cp1129", + "csibm1129": "cp1129", + "cp1133": { + "type": "_sbcs", + "chars": "€‚ƒ„…†‡ˆ‰Š‹ŒŽ‘’“”•–—˜™š›œžŸ ກຂຄງຈສຊຍດຕຖທນບປຜຝພຟມຢຣລວຫອຮ���ຯະາຳິີຶືຸູຼັົຽ���ເແໂໃໄ່້໊໋໌ໍໆ�ໜໝ₭����������������໐໑໒໓໔໕໖໗໘໙��¢¬¦�" + }, + "ibm1133": "cp1133", + "csibm1133": "cp1133", + "cp1161": { + "type": "_sbcs", + "chars": "��������������������������������่กขฃคฅฆงจฉชซฌญฎฏฐฑฒณดตถทธนบปผฝพฟภมยรฤลฦวศษสหฬอฮฯะัาำิีึืฺุู้๊๋€฿เแโใไๅๆ็่้๊๋์ํ๎๏๐๑๒๓๔๕๖๗๘๙๚๛¢¬¦ " + }, + "ibm1161": "cp1161", + "csibm1161": "cp1161", + "cp1162": { + "type": "_sbcs", + "chars": "€‚ƒ„…†‡ˆ‰Š‹ŒŽ‘’“”•–—˜™š›œžŸ กขฃคฅฆงจฉชซฌญฎฏฐฑฒณดตถทธนบปผฝพฟภมยรฤลฦวศษสหฬอฮฯะัาำิีึืฺุู����฿เแโใไๅๆ็่้๊๋์ํ๎๏๐๑๒๓๔๕๖๗๘๙๚๛����" + }, + "ibm1162": "cp1162", + "csibm1162": "cp1162", + "cp1163": { + "type": "_sbcs", + "chars": "€‚ƒ„…†‡ˆ‰Š‹ŒŽ‘’“”•–—˜™š›œžŸ ¡¢£€¥¦§œ©ª«¬­®¯°±²³Ÿµ¶·Œ¹º»¼½¾¿ÀÁÂĂÄÅÆÇÈÉÊË̀ÍÎÏĐÑ̉ÓÔƠÖ×ØÙÚÛÜỮßàáâăäåæçèéêë́íîïđṇ̃óôơö÷øùúûüư₫ÿ" + }, + "ibm1163": "cp1163", + "csibm1163": "cp1163", + "maccroatian": { + "type": "_sbcs", + "chars": "ÄÅÇÉÑÖÜáàâäãåçéèêëíìîïñóòôöõúùûü†°¢£§•¶ß®Š™´¨≠ŽØ∞±≤≥∆µ∂∑∏š∫ªºΩžø¿¡¬√ƒ≈Ć«Č… ÀÃÕŒœĐ—“”‘’÷◊�©⁄¤‹›Æ»–·‚„‰ÂćÁčÈÍÎÏÌÓÔđÒÚÛÙıˆ˜¯πË˚¸Êæˇ" + }, + "maccyrillic": { + "type": "_sbcs", + "chars": "АБВГДЕЖЗИЙКЛМНОПРСТУФХЦЧШЩЪЫЬЭЮЯ†°¢£§•¶І®©™Ђђ≠Ѓѓ∞±≤≥іµ∂ЈЄєЇїЉљЊњјЅ¬√ƒ≈∆«»… ЋћЌќѕ–—“”‘’÷„ЎўЏџ№Ёёяабвгдежзийклмнопрстуфхцчшщъыьэю¤" + }, + "macgreek": { + "type": "_sbcs", + "chars": "Ĺ²É³ÖÜ΅àâä΄¨çéèê룙î‰ôö¦­ùûü†ΓΔΘΛΞΠß®©ΣΪ§≠°·Α±≤≥¥ΒΕΖΗΙΚΜΦΫΨΩάΝ¬ΟΡ≈Τ«»… ΥΧΆΈœ–―“”‘’÷ΉΊΌΎέήίόΏύαβψδεφγηιξκλμνοπώρστθωςχυζϊϋΐΰ�" + }, + "maciceland": { + "type": "_sbcs", + "chars": "ÄÅÇÉÑÖÜáàâäãåçéèêëíìîïñóòôöõúùûüÝ°¢£§•¶ß®©™´¨≠ÆØ∞±≤≥¥µ∂∑∏π∫ªºΩæø¿¡¬√ƒ≈∆«»… ÀÃÕŒœ–—“”‘’÷◊ÿŸ⁄¤ÐðÞþý·‚„‰ÂÊÁËÈÍÎÏÌÓÔ�ÒÚÛÙıˆ˜¯˘˙˚¸˝˛ˇ" + }, + "macroman": { + "type": "_sbcs", + "chars": "ÄÅÇÉÑÖÜáàâäãåçéèêëíìîïñóòôöõúùûü†°¢£§•¶ß®©™´¨≠ÆØ∞±≤≥¥µ∂∑∏π∫ªºΩæø¿¡¬√ƒ≈∆«»… ÀÃÕŒœ–—“”‘’÷◊ÿŸ⁄¤‹›fifl‡·‚„‰ÂÊÁËÈÍÎÏÌÓÔ�ÒÚÛÙıˆ˜¯˘˙˚¸˝˛ˇ" + }, + "macromania": { + "type": "_sbcs", + "chars": "ÄÅÇÉÑÖÜáàâäãåçéèêëíìîïñóòôöõúùûü†°¢£§•¶ß®©™´¨≠ĂŞ∞±≤≥¥µ∂∑∏π∫ªºΩăş¿¡¬√ƒ≈∆«»… ÀÃÕŒœ–—“”‘’÷◊ÿŸ⁄¤‹›Ţţ‡·‚„‰ÂÊÁËÈÍÎÏÌÓÔ�ÒÚÛÙıˆ˜¯˘˙˚¸˝˛ˇ" + }, + "macthai": { + "type": "_sbcs", + "chars": "«»…“”�•‘’� กขฃคฅฆงจฉชซฌญฎฏฐฑฒณดตถทธนบปผฝพฟภมยรฤลฦวศษสหฬอฮฯะัาำิีึืฺุู​–—฿เแโใไๅๆ็่้๊๋์ํ™๏๐๑๒๓๔๕๖๗๘๙®©����" + }, + "macturkish": { + "type": "_sbcs", + "chars": "ÄÅÇÉÑÖÜáàâäãåçéèêëíìîïñóòôöõúùûü†°¢£§•¶ß®©™´¨≠ÆØ∞±≤≥¥µ∂∑∏π∫ªºΩæø¿¡¬√ƒ≈∆«»… ÀÃÕŒœ–—“”‘’÷◊ÿŸĞğİıŞş‡·‚„‰ÂÊÁËÈÍÎÏÌÓÔ�ÒÚÛÙ�ˆ˜¯˘˙˚¸˝˛ˇ" + }, + "macukraine": { + "type": "_sbcs", + "chars": "АБВГДЕЖЗИЙКЛМНОПРСТУФХЦЧШЩЪЫЬЭЮЯ†°Ґ£§•¶І®©™Ђђ≠Ѓѓ∞±≤≥іµґЈЄєЇїЉљЊњјЅ¬√ƒ≈∆«»… ЋћЌќѕ–—“”‘’÷„ЎўЏџ№Ёёяабвгдежзийклмнопрстуфхцчшщъыьэю¤" + }, + "koi8r": { + "type": "_sbcs", + "chars": "─│┌┐└┘├┤┬┴┼▀▄█▌▐░▒▓⌠■∙√≈≤≥ ⌡°²·÷═║╒ё╓╔╕╖╗╘╙╚╛╜╝╞╟╠╡Ё╢╣╤╥╦╧╨╩╪╫╬©юабцдефгхийклмнопярстужвьызшэщчъЮАБЦДЕФГХИЙКЛМНОПЯРСТУЖВЬЫЗШЭЩЧЪ" + }, + "koi8u": { + "type": "_sbcs", + "chars": "─│┌┐└┘├┤┬┴┼▀▄█▌▐░▒▓⌠■∙√≈≤≥ ⌡°²·÷═║╒ёє╔ії╗╘╙╚╛ґ╝╞╟╠╡ЁЄ╣ІЇ╦╧╨╩╪Ґ╬©юабцдефгхийклмнопярстужвьызшэщчъЮАБЦДЕФГХИЙКЛМНОПЯРСТУЖВЬЫЗШЭЩЧЪ" + }, + "koi8ru": { + "type": "_sbcs", + "chars": "─│┌┐└┘├┤┬┴┼▀▄█▌▐░▒▓⌠■∙√≈≤≥ ⌡°²·÷═║╒ёє╔ії╗╘╙╚╛ґў╞╟╠╡ЁЄ╣ІЇ╦╧╨╩╪ҐЎ©юабцдефгхийклмнопярстужвьызшэщчъЮАБЦДЕФГХИЙКЛМНОПЯРСТУЖВЬЫЗШЭЩЧЪ" + }, + "koi8t": { + "type": "_sbcs", + "chars": "қғ‚Ғ„…†‡�‰ҳ‹ҲҷҶ�Қ‘’“”•–—�™�›�����ӯӮё¤ӣ¦§���«¬­®�°±²Ё�Ӣ¶·�№�»���©юабцдефгхийклмнопярстужвьызшэщчъЮАБЦДЕФГХИЙКЛМНОПЯРСТУЖВЬЫЗШЭЩЧЪ" + }, + "armscii8": { + "type": "_sbcs", + "chars": "€‚ƒ„…†‡ˆ‰Š‹ŒŽ‘’“”•–—˜™š›œžŸ �և։)(»«—.՝,-֊…՜՛՞ԱաԲբԳգԴդԵեԶզԷէԸըԹթԺժԻիԼլԽխԾծԿկՀհՁձՂղՃճՄմՅյՆնՇշՈոՉչՊպՋջՌռՍսՎվՏտՐրՑցՒւՓփՔքՕօՖֆ՚�" + }, + "rk1048": { + "type": "_sbcs", + "chars": "ЂЃ‚ѓ„…†‡€‰Љ‹ЊҚҺЏђ‘’“”•–—�™љ›њқһџ ҰұӘ¤Ө¦§Ё©Ғ«¬­®Ү°±Ііөµ¶·ё№ғ»әҢңүАБВГДЕЖЗИЙКЛМНОПРСТУФХЦЧШЩЪЫЬЭЮЯабвгдежзийклмнопрстуфхцчшщъыьэюя" + }, + "tcvn": { + "type": "_sbcs", + "chars": "\u0000ÚỤ\u0003ỪỬỮ\u0007\b\t\n\u000b\f\r\u000e\u000f\u0010ỨỰỲỶỸÝỴ\u0018\u0019\u001a\u001b\u001c\u001d\u001e\u001f !\"#$%&'()*+,-./0123456789:;<=>?@ABCDEFGHIJKLMNOPQRSTUVWXYZ[\\]^_`abcdefghijklmnopqrstuvwxyz{|}~ÀẢÃÁẠẶẬÈẺẼÉẸỆÌỈĨÍỊÒỎÕÓỌỘỜỞỠỚỢÙỦŨ ĂÂÊÔƠƯĐăâêôơưđẶ̀̀̉̃́àảãáạẲằẳẵắẴẮẦẨẪẤỀặầẩẫấậèỂẻẽéẹềểễếệìỉỄẾỒĩíịòỔỏõóọồổỗốộờởỡớợùỖủũúụừửữứựỳỷỹýỵỐ" + }, + "georgianacademy": { + "type": "_sbcs", + "chars": "€‚ƒ„…†‡ˆ‰Š‹ŒŽ‘’“”•–—˜™š›œžŸ ¡¢£¤¥¦§¨©ª«¬­®¯°±²³´µ¶·¸¹º»¼½¾¿აბგდევზთიკლმნოპჟრსტუფქღყშჩცძწჭხჯჰჱჲჳჴჵჶçèéêëìíîïðñòóôõö÷øùúûüýþÿ" + }, + "georgianps": { + "type": "_sbcs", + "chars": "€‚ƒ„…†‡ˆ‰Š‹ŒŽ‘’“”•–—˜™š›œžŸ ¡¢£¤¥¦§¨©ª«¬­®¯°±²³´µ¶·¸¹º»¼½¾¿აბგდევზჱთიკლმნჲოპჟრსტჳუფქღყშჩცძწჭხჴჯჰჵæçèéêëìíîïðñòóôõö÷øùúûüýþÿ" + }, + "pt154": { + "type": "_sbcs", + "chars": "ҖҒӮғ„…ҶҮҲүҠӢҢҚҺҸҗ‘’“”•–—ҳҷҡӣңқһҹ ЎўЈӨҘҰ§Ё©Ә«¬ӯ®Ҝ°ұІіҙө¶·ё№ә»јҪҫҝАБВГДЕЖЗИЙКЛМНОПРСТУФХЦЧШЩЪЫЬЭЮЯабвгдежзийклмнопрстуфхцчшщъыьэюя" + }, + "viscii": { + "type": "_sbcs", + "chars": "\u0000\u0001Ẳ\u0003\u0004ẴẪ\u0007\b\t\n\u000b\f\r\u000e\u000f\u0010\u0011\u0012\u0013Ỷ\u0015\u0016\u0017\u0018Ỹ\u001a\u001b\u001c\u001dỴ\u001f !\"#$%&'()*+,-./0123456789:;<=>?@ABCDEFGHIJKLMNOPQRSTUVWXYZ[\\]^_`abcdefghijklmnopqrstuvwxyz{|}~ẠẮẰẶẤẦẨẬẼẸẾỀỂỄỆỐỒỔỖỘỢỚỜỞỊỎỌỈỦŨỤỲÕắằặấầẩậẽẹếềểễệốồổỗỠƠộờởịỰỨỪỬơớƯÀÁÂÃẢĂẳẵÈÉÊẺÌÍĨỳĐứÒÓÔạỷừửÙÚỹỵÝỡưàáâãảăữẫèéêẻìíĩỉđựòóôõỏọụùúũủýợỮ" + }, + "iso646cn": { + "type": "_sbcs", + "chars": "\u0000\u0001\u0002\u0003\u0004\u0005\u0006\u0007\b\t\n\u000b\f\r\u000e\u000f\u0010\u0011\u0012\u0013\u0014\u0015\u0016\u0017\u0018\u0019\u001a\u001b\u001c\u001d\u001e\u001f !\"#¥%&'()*+,-./0123456789:;<=>?@ABCDEFGHIJKLMNOPQRSTUVWXYZ[\\]^_`abcdefghijklmnopqrstuvwxyz{|}‾��������������������������������������������������������������������������������������������������������������������������������" + }, + "iso646jp": { + "type": "_sbcs", + "chars": "\u0000\u0001\u0002\u0003\u0004\u0005\u0006\u0007\b\t\n\u000b\f\r\u000e\u000f\u0010\u0011\u0012\u0013\u0014\u0015\u0016\u0017\u0018\u0019\u001a\u001b\u001c\u001d\u001e\u001f !\"#$%&'()*+,-./0123456789:;<=>?@ABCDEFGHIJKLMNOPQRSTUVWXYZ[¥]^_`abcdefghijklmnopqrstuvwxyz{|}‾��������������������������������������������������������������������������������������������������������������������������������" + }, + "hproman8": { + "type": "_sbcs", + "chars": "€‚ƒ„…†‡ˆ‰Š‹ŒŽ‘’“”•–—˜™š›œžŸ ÀÂÈÊËÎÏ´ˋˆ¨˜ÙÛ₤¯Ýý°ÇçÑñ¡¿¤£¥§ƒ¢âêôûáéóúàèòùäëöüÅîØÆåíøæÄìÖÜÉïßÔÁÃãÐðÍÌÓÒÕõŠšÚŸÿÞþ·µ¶¾—¼½ªº«■»±�" + }, + "macintosh": { + "type": "_sbcs", + "chars": "ÄÅÇÉÑÖÜáàâäãåçéèêëíìîïñóòôöõúùûü†°¢£§•¶ß®©™´¨≠ÆØ∞±≤≥¥µ∂∑∏π∫ªºΩæø¿¡¬√ƒ≈∆«»… ÀÃÕŒœ–—“”‘’÷◊ÿŸ⁄¤‹›fifl‡·‚„‰ÂÊÁËÈÍÎÏÌÓÔ�ÒÚÛÙıˆ˜¯˘˙˚¸˝˛ˇ" + }, + "ascii": { + "type": "_sbcs", + "chars": "��������������������������������������������������������������������������������������������������������������������������������" + }, + "tis620": { + "type": "_sbcs", + "chars": "���������������������������������กขฃคฅฆงจฉชซฌญฎฏฐฑฒณดตถทธนบปผฝพฟภมยรฤลฦวศษสหฬอฮฯะัาำิีึืฺุู����฿เแโใไๅๆ็่้๊๋์ํ๎๏๐๑๒๓๔๕๖๗๘๙๚๛����" + } +} \ No newline at end of file diff --git a/node_modules/express/node_modules/iconv-lite/encodings/sbcs-data.js b/node_modules/express/node_modules/iconv-lite/encodings/sbcs-data.js new file mode 100644 index 0000000..2d6f846 --- /dev/null +++ b/node_modules/express/node_modules/iconv-lite/encodings/sbcs-data.js @@ -0,0 +1,169 @@ +"use strict"; + +// Manually added data to be used by sbcs codec in addition to generated one. + +module.exports = { + // Not supported by iconv, not sure why. + "10029": "maccenteuro", + "maccenteuro": { + "type": "_sbcs", + "chars": "ÄĀāÉĄÖÜáąČäčĆć鏟ĎíďĒēĖóėôöõúĚěü†°Ę£§•¶ß®©™ę¨≠ģĮįĪ≤≥īĶ∂∑łĻļĽľĹĺŅņѬ√ńŇ∆«»… ňŐÕőŌ–—“”‘’÷◊ōŔŕŘ‹›řŖŗŠ‚„šŚśÁŤťÍŽžŪÓÔūŮÚůŰűŲųÝýķŻŁżĢˇ" + }, + + "808": "cp808", + "ibm808": "cp808", + "cp808": { + "type": "_sbcs", + "chars": "АБВГДЕЖЗИЙКЛМНОПРСТУФХЦЧШЩЪЫЬЭЮЯабвгдежзийклмноп░▒▓│┤╡╢╖╕╣║╗╝╜╛┐└┴┬├─┼╞╟╚╔╩╦╠═╬╧╨╤╥╙╘╒╓╫╪┘┌█▄▌▐▀рстуфхцчшщъыьэюяЁёЄєЇїЎў°∙·√№€■ " + }, + + // Aliases of generated encodings. + "ascii8bit": "ascii", + "usascii": "ascii", + "ansix34": "ascii", + "ansix341968": "ascii", + "ansix341986": "ascii", + "csascii": "ascii", + "cp367": "ascii", + "ibm367": "ascii", + "isoir6": "ascii", + "iso646us": "ascii", + "iso646irv": "ascii", + "us": "ascii", + + "latin1": "iso88591", + "latin2": "iso88592", + "latin3": "iso88593", + "latin4": "iso88594", + "latin5": "iso88599", + "latin6": "iso885910", + "latin7": "iso885913", + "latin8": "iso885914", + "latin9": "iso885915", + "latin10": "iso885916", + + "csisolatin1": "iso88591", + "csisolatin2": "iso88592", + "csisolatin3": "iso88593", + "csisolatin4": "iso88594", + "csisolatincyrillic": "iso88595", + "csisolatinarabic": "iso88596", + "csisolatingreek" : "iso88597", + "csisolatinhebrew": "iso88598", + "csisolatin5": "iso88599", + "csisolatin6": "iso885910", + + "l1": "iso88591", + "l2": "iso88592", + "l3": "iso88593", + "l4": "iso88594", + "l5": "iso88599", + "l6": "iso885910", + "l7": "iso885913", + "l8": "iso885914", + "l9": "iso885915", + "l10": "iso885916", + + "isoir14": "iso646jp", + "isoir57": "iso646cn", + "isoir100": "iso88591", + "isoir101": "iso88592", + "isoir109": "iso88593", + "isoir110": "iso88594", + "isoir144": "iso88595", + "isoir127": "iso88596", + "isoir126": "iso88597", + "isoir138": "iso88598", + "isoir148": "iso88599", + "isoir157": "iso885910", + "isoir166": "tis620", + "isoir179": "iso885913", + "isoir199": "iso885914", + "isoir203": "iso885915", + "isoir226": "iso885916", + + "cp819": "iso88591", + "ibm819": "iso88591", + + "cyrillic": "iso88595", + + "arabic": "iso88596", + "arabic8": "iso88596", + "ecma114": "iso88596", + "asmo708": "iso88596", + + "greek" : "iso88597", + "greek8" : "iso88597", + "ecma118" : "iso88597", + "elot928" : "iso88597", + + "hebrew": "iso88598", + "hebrew8": "iso88598", + + "turkish": "iso88599", + "turkish8": "iso88599", + + "thai": "iso885911", + "thai8": "iso885911", + + "celtic": "iso885914", + "celtic8": "iso885914", + "isoceltic": "iso885914", + + "tis6200": "tis620", + "tis62025291": "tis620", + "tis62025330": "tis620", + + "10000": "macroman", + "10006": "macgreek", + "10007": "maccyrillic", + "10079": "maciceland", + "10081": "macturkish", + + "cspc8codepage437": "cp437", + "cspc775baltic": "cp775", + "cspc850multilingual": "cp850", + "cspcp852": "cp852", + "cspc862latinhebrew": "cp862", + "cpgr": "cp869", + + "msee": "cp1250", + "mscyrl": "cp1251", + "msansi": "cp1252", + "msgreek": "cp1253", + "msturk": "cp1254", + "mshebr": "cp1255", + "msarab": "cp1256", + "winbaltrim": "cp1257", + + "cp20866": "koi8r", + "20866": "koi8r", + "ibm878": "koi8r", + "cskoi8r": "koi8r", + + "cp21866": "koi8u", + "21866": "koi8u", + "ibm1168": "koi8u", + + "strk10482002": "rk1048", + + "tcvn5712": "tcvn", + "tcvn57121": "tcvn", + + "gb198880": "iso646cn", + "cn": "iso646cn", + + "csiso14jisc6220ro": "iso646jp", + "jisc62201969ro": "iso646jp", + "jp": "iso646jp", + + "cshproman8": "hproman8", + "r8": "hproman8", + "roman8": "hproman8", + "xroman8": "hproman8", + "ibm1051": "hproman8", + + "mac": "macintosh", + "csmacintosh": "macintosh", +}; + diff --git a/node_modules/express/node_modules/iconv-lite/encodings/tables/big5-added.json b/node_modules/express/node_modules/iconv-lite/encodings/tables/big5-added.json new file mode 100644 index 0000000..3c3d3c2 --- /dev/null +++ b/node_modules/express/node_modules/iconv-lite/encodings/tables/big5-added.json @@ -0,0 +1,122 @@ +[ +["8740","䏰䰲䘃䖦䕸𧉧䵷䖳𧲱䳢𧳅㮕䜶䝄䱇䱀𤊿𣘗𧍒𦺋𧃒䱗𪍑䝏䗚䲅𧱬䴇䪤䚡𦬣爥𥩔𡩣𣸆𣽡晍囻"], +["8767","綕夝𨮹㷴霴𧯯寛𡵞媤㘥𩺰嫑宷峼杮薓𩥅瑡璝㡵𡵓𣚞𦀡㻬"], +["87a1","𥣞㫵竼龗𤅡𨤍𣇪𠪊𣉞䌊蒄龖鐯䤰蘓墖靊鈘秐稲晠権袝瑌篅枂稬剏遆㓦珄𥶹瓆鿇垳䤯呌䄱𣚎堘穲𧭥讏䚮𦺈䆁𥶙箮𢒼鿈𢓁𢓉𢓌鿉蔄𣖻䂴鿊䓡𪷿拁灮鿋"], +["8840","㇀",4,"𠄌㇅𠃑𠃍㇆㇇𠃋𡿨㇈𠃊㇉㇊㇋㇌𠄎㇍㇎ĀÁǍÀĒÉĚÈŌÓǑÒ࿿Ê̄Ế࿿Ê̌ỀÊāáǎàɑēéěèīíǐìōóǒòūúǔùǖǘǚ"], +["88a1","ǜü࿿ê̄ế࿿ê̌ềêɡ⏚⏛"], +["8940","𪎩𡅅"], +["8943","攊"], +["8946","丽滝鵎釟"], +["894c","𧜵撑会伨侨兖兴农凤务动医华发变团声处备夲头学实実岚庆总斉柾栄桥济炼电纤纬纺织经统缆缷艺苏药视设询车轧轮"], +["89a1","琑糼緍楆竉刧"], +["89ab","醌碸酞肼"], +["89b0","贋胶𠧧"], +["89b5","肟黇䳍鷉鸌䰾𩷶𧀎鸊𪄳㗁"], +["89c1","溚舾甙"], +["89c5","䤑马骏龙禇𨑬𡷊𠗐𢫦两亁亀亇亿仫伷㑌侽㹈倃傈㑽㒓㒥円夅凛凼刅争剹劐匧㗇厩㕑厰㕓参吣㕭㕲㚁咓咣咴咹哐哯唘唣唨㖘唿㖥㖿嗗㗅"], +["8a40","𧶄唥"], +["8a43","𠱂𠴕𥄫喐𢳆㧬𠍁蹆𤶸𩓥䁓𨂾睺𢰸㨴䟕𨅝𦧲𤷪擝𠵼𠾴𠳕𡃴撍蹾𠺖𠰋𠽤𢲩𨉖𤓓"], +["8a64","𠵆𩩍𨃩䟴𤺧𢳂骲㩧𩗴㿭㔆𥋇𩟔𧣈𢵄鵮頕"], +["8a76","䏙𦂥撴哣𢵌𢯊𡁷㧻𡁯"], +["8aa1","𦛚𦜖𧦠擪𥁒𠱃蹨𢆡𨭌𠜱"], +["8aac","䠋𠆩㿺塳𢶍"], +["8ab2","𤗈𠓼𦂗𠽌𠶖啹䂻䎺"], +["8abb","䪴𢩦𡂝膪飵𠶜捹㧾𢝵跀嚡摼㹃"], +["8ac9","𪘁𠸉𢫏𢳉"], +["8ace","𡃈𣧂㦒㨆𨊛㕸𥹉𢃇噒𠼱𢲲𩜠㒼氽𤸻"], +["8adf","𧕴𢺋𢈈𪙛𨳍𠹺𠰴𦠜羓𡃏𢠃𢤹㗻𥇣𠺌𠾍𠺪㾓𠼰𠵇𡅏𠹌"], +["8af6","𠺫𠮩𠵈𡃀𡄽㿹𢚖搲𠾭"], +["8b40","𣏴𧘹𢯎𠵾𠵿𢱑𢱕㨘𠺘𡃇𠼮𪘲𦭐𨳒𨶙𨳊閪哌苄喹"], +["8b55","𩻃鰦骶𧝞𢷮煀腭胬尜𦕲脴㞗卟𨂽醶𠻺𠸏𠹷𠻻㗝𤷫㘉𠳖嚯𢞵𡃉𠸐𠹸𡁸𡅈𨈇𡑕𠹹𤹐𢶤婔𡀝𡀞𡃵𡃶垜𠸑"], +["8ba1","𧚔𨋍𠾵𠹻𥅾㜃𠾶𡆀𥋘𪊽𤧚𡠺𤅷𨉼墙剨㘚𥜽箲孨䠀䬬鼧䧧鰟鮍𥭴𣄽嗻㗲嚉丨夂𡯁屮靑𠂆乛亻㔾尣彑忄㣺扌攵歺氵氺灬爫丬犭𤣩罒礻糹罓𦉪㓁"], +["8bde","𦍋耂肀𦘒𦥑卝衤见𧢲讠贝钅镸长门𨸏韦页风飞饣𩠐鱼鸟黄歯龜丷𠂇阝户钢"], +["8c40","倻淾𩱳龦㷉袏𤅎灷峵䬠𥇍㕙𥴰愢𨨲辧釶熑朙玺𣊁𪄇㲋𡦀䬐磤琂冮𨜏䀉橣𪊺䈣蘏𠩯稪𩥇𨫪靕灍匤𢁾鏴盙𨧣龧矝亣俰傼丯众龨吴綋墒壐𡶶庒庙忂𢜒斋"], +["8ca1","𣏹椙橃𣱣泿"], +["8ca7","爀𤔅玌㻛𤨓嬕璹讃𥲤𥚕窓篬糃繬苸薗龩袐龪躹龫迏蕟駠鈡龬𨶹𡐿䁱䊢娚"], +["8cc9","顨杫䉶圽"], +["8cce","藖𤥻芿𧄍䲁𦵴嵻𦬕𦾾龭龮宖龯曧繛湗秊㶈䓃𣉖𢞖䎚䔶"], +["8ce6","峕𣬚諹屸㴒𣕑嵸龲煗䕘𤃬𡸣䱷㥸㑊𠆤𦱁諌侴𠈹妿腬顖𩣺弻"], +["8d40","𠮟"], +["8d42","𢇁𨥭䄂䚻𩁹㼇龳𪆵䃸㟖䛷𦱆䅼𨚲𧏿䕭㣔𥒚䕡䔛䶉䱻䵶䗪㿈𤬏㙡䓞䒽䇭崾嵈嵖㷼㠏嶤嶹㠠㠸幂庽弥徃㤈㤔㤿㥍惗愽峥㦉憷憹懏㦸戬抐拥挘㧸嚱"], +["8da1","㨃揢揻搇摚㩋擀崕嘡龟㪗斆㪽旿晓㫲暒㬢朖㭂枤栀㭘桊梄㭲㭱㭻椉楃牜楤榟榅㮼槖㯝橥橴橱檂㯬檙㯲檫檵櫔櫶殁毁毪汵沪㳋洂洆洦涁㳯涤涱渕渘温溆𨧀溻滢滚齿滨滩漤漴㵆𣽁澁澾㵪㵵熷岙㶊瀬㶑灐灔灯灿炉𠌥䏁㗱𠻘"], +["8e40","𣻗垾𦻓焾𥟠㙎榢𨯩孴穉𥣡𩓙穥穽𥦬窻窰竂竃燑𦒍䇊竚竝竪䇯咲𥰁笋筕笩𥌎𥳾箢筯莜𥮴𦱿篐萡箒箸𥴠㶭𥱥蒒篺簆簵𥳁籄粃𤢂粦晽𤕸糉糇糦籴糳糵糎"], +["8ea1","繧䔝𦹄絝𦻖璍綉綫焵綳緒𤁗𦀩緤㴓緵𡟹緥𨍭縝𦄡𦅚繮纒䌫鑬縧罀罁罇礶𦋐駡羗𦍑羣𡙡𠁨䕜𣝦䔃𨌺翺𦒉者耈耝耨耯𪂇𦳃耻耼聡𢜔䦉𦘦𣷣𦛨朥肧𨩈脇脚墰𢛶汿𦒘𤾸擧𡒊舘𡡞橓𤩥𤪕䑺舩𠬍𦩒𣵾俹𡓽蓢荢𦬊𤦧𣔰𡝳𣷸芪椛芳䇛"], +["8f40","蕋苐茚𠸖𡞴㛁𣅽𣕚艻苢茘𣺋𦶣𦬅𦮗𣗎㶿茝嗬莅䔋𦶥莬菁菓㑾𦻔橗蕚㒖𦹂𢻯葘𥯤葱㷓䓤檧葊𣲵祘蒨𦮖𦹷𦹃蓞萏莑䒠蒓蓤𥲑䉀𥳀䕃蔴嫲𦺙䔧蕳䔖枿蘖"], +["8fa1","𨘥𨘻藁𧂈蘂𡖂𧃍䕫䕪蘨㙈𡢢号𧎚虾蝱𪃸蟮𢰧螱蟚蠏噡虬桖䘏衅衆𧗠𣶹𧗤衞袜䙛袴袵揁装睷𧜏覇覊覦覩覧覼𨨥觧𧤤𧪽誜瞓釾誐𧩙竩𧬺𣾏䜓𧬸煼謌謟𥐰𥕥謿譌譍誩𤩺讐讛誯𡛟䘕衏貛𧵔𧶏貫㜥𧵓賖𧶘𧶽贒贃𡤐賛灜贑𤳉㻐起"], +["9040","趩𨀂𡀔𤦊㭼𨆼𧄌竧躭躶軃鋔輙輭𨍥𨐒辥錃𪊟𠩐辳䤪𨧞𨔽𣶻廸𣉢迹𪀔𨚼𨔁𢌥㦀𦻗逷𨔼𧪾遡𨕬𨘋邨𨜓郄𨛦邮都酧㫰醩釄粬𨤳𡺉鈎沟鉁鉢𥖹銹𨫆𣲛𨬌𥗛"], +["90a1","𠴱錬鍫𨫡𨯫炏嫃𨫢𨫥䥥鉄𨯬𨰹𨯿鍳鑛躼閅閦鐦閠濶䊹𢙺𨛘𡉼𣸮䧟氜陻隖䅬隣𦻕懚隶磵𨫠隽双䦡𦲸𠉴𦐐𩂯𩃥𤫑𡤕𣌊霱虂霶䨏䔽䖅𤫩灵孁霛靜𩇕靗孊𩇫靟鐥僐𣂷𣂼鞉鞟鞱鞾韀韒韠𥑬韮琜𩐳響韵𩐝𧥺䫑頴頳顋顦㬎𧅵㵑𠘰𤅜"], +["9140","𥜆飊颷飈飇䫿𦴧𡛓喰飡飦飬鍸餹𤨩䭲𩡗𩤅駵騌騻騐驘𥜥㛄𩂱𩯕髠髢𩬅髴䰎鬔鬭𨘀倴鬴𦦨㣃𣁽魐魀𩴾婅𡡣鮎𤉋鰂鯿鰌𩹨鷔𩾷𪆒𪆫𪃡𪄣𪇟鵾鶃𪄴鸎梈"], +["91a1","鷄𢅛𪆓𪈠𡤻𪈳鴹𪂹𪊴麐麕麞麢䴴麪麯𤍤黁㭠㧥㴝伲㞾𨰫鼂鼈䮖鐤𦶢鼗鼖鼹嚟嚊齅馸𩂋韲葿齢齩竜龎爖䮾𤥵𤦻煷𤧸𤍈𤩑玞𨯚𡣺禟𨥾𨸶鍩鏳𨩄鋬鎁鏋𨥬𤒹爗㻫睲穃烐𤑳𤏸煾𡟯炣𡢾𣖙㻇𡢅𥐯𡟸㜢𡛻𡠹㛡𡝴𡣑𥽋㜣𡛀坛𤨥𡏾𡊨"], +["9240","𡏆𡒶蔃𣚦蔃葕𤦔𧅥𣸱𥕜𣻻𧁒䓴𣛮𩦝𦼦柹㜳㰕㷧塬𡤢栐䁗𣜿𤃡𤂋𤄏𦰡哋嚞𦚱嚒𠿟𠮨𠸍鏆𨬓鎜仸儫㠙𤐶亼𠑥𠍿佋侊𥙑婨𠆫𠏋㦙𠌊𠐔㐵伩𠋀𨺳𠉵諚𠈌亘"], +["92a1","働儍侢伃𤨎𣺊佂倮偬傁俌俥偘僼兙兛兝兞湶𣖕𣸹𣺿浲𡢄𣺉冨凃𠗠䓝𠒣𠒒𠒑赺𨪜𠜎剙劤𠡳勡鍮䙺熌𤎌𠰠𤦬𡃤槑𠸝瑹㻞璙琔瑖玘䮎𤪼𤂍叐㖄爏𤃉喴𠍅响𠯆圝鉝雴鍦埝垍坿㘾壋媙𨩆𡛺𡝯𡜐娬妸銏婾嫏娒𥥆𡧳𡡡𤊕㛵洅瑃娡𥺃"], +["9340","媁𨯗𠐓鏠璌𡌃焅䥲鐈𨧻鎽㞠尞岞幞幈𡦖𡥼𣫮廍孏𡤃𡤄㜁𡢠㛝𡛾㛓脪𨩇𡶺𣑲𨦨弌弎𡤧𡞫婫𡜻孄蘔𧗽衠恾𢡠𢘫忛㺸𢖯𢖾𩂈𦽳懀𠀾𠁆𢘛憙憘恵𢲛𢴇𤛔𩅍"], +["93a1","摱𤙥𢭪㨩𢬢𣑐𩣪𢹸挷𪑛撶挱揑𤧣𢵧护𢲡搻敫楲㯴𣂎𣊭𤦉𣊫唍𣋠𡣙𩐿曎𣊉𣆳㫠䆐𥖄𨬢𥖏𡛼𥕛𥐥磮𣄃𡠪𣈴㑤𣈏𣆂𤋉暎𦴤晫䮓昰𧡰𡷫晣𣋒𣋡昞𥡲㣑𣠺𣞼㮙𣞢𣏾瓐㮖枏𤘪梶栞㯄檾㡣𣟕𤒇樳橒櫉欅𡤒攑梘橌㯗橺歗𣿀𣲚鎠鋲𨯪𨫋"], +["9440","銉𨀞𨧜鑧涥漋𤧬浧𣽿㶏渄𤀼娽渊塇洤硂焻𤌚𤉶烱牐犇犔𤞏𤜥兹𤪤𠗫瑺𣻸𣙟𤩊𤤗𥿡㼆㺱𤫟𨰣𣼵悧㻳瓌琼鎇琷䒟𦷪䕑疃㽣𤳙𤴆㽘畕癳𪗆㬙瑨𨫌𤦫𤦎㫻"], +["94a1","㷍𤩎㻿𤧅𤣳釺圲鍂𨫣𡡤僟𥈡𥇧睸𣈲眎眏睻𤚗𣞁㩞𤣰琸璛㺿𤪺𤫇䃈𤪖𦆮錇𥖁砞碍碈磒珐祙𧝁𥛣䄎禛蒖禥樭𣻺稺秴䅮𡛦䄲鈵秱𠵌𤦌𠊙𣶺𡝮㖗啫㕰㚪𠇔𠰍竢婙𢛵𥪯𥪜娍𠉛磰娪𥯆竾䇹籝籭䈑𥮳𥺼𥺦糍𤧹𡞰粎籼粮檲緜縇緓罎𦉡"], +["9540","𦅜𧭈綗𥺂䉪𦭵𠤖柖𠁎𣗏埄𦐒𦏸𤥢翝笧𠠬𥫩𥵃笌𥸎駦虅驣樜𣐿㧢𤧷𦖭騟𦖠蒀𧄧𦳑䓪脷䐂胆脉腂𦞴飃𦩂艢艥𦩑葓𦶧蘐𧈛媆䅿𡡀嬫𡢡嫤𡣘蚠蜨𣶏蠭𧐢娂"], +["95a1","衮佅袇袿裦襥襍𥚃襔𧞅𧞄𨯵𨯙𨮜𨧹㺭蒣䛵䛏㟲訽訜𩑈彍鈫𤊄旔焩烄𡡅鵭貟賩𧷜妚矃姰䍮㛔踪躧𤰉輰轊䋴汘澻𢌡䢛潹溋𡟚鯩㚵𤤯邻邗啱䤆醻鐄𨩋䁢𨫼鐧𨰝𨰻蓥訫閙閧閗閖𨴴瑅㻂𤣿𤩂𤏪㻧𣈥随𨻧𨹦𨹥㻌𤧭𤩸𣿮琒瑫㻼靁𩂰"], +["9640","桇䨝𩂓𥟟靝鍨𨦉𨰦𨬯𦎾銺嬑譩䤼珹𤈛鞛靱餸𠼦巁𨯅𤪲頟𩓚鋶𩗗釥䓀𨭐𤩧𨭤飜𨩅㼀鈪䤥萔餻饍𧬆㷽馛䭯馪驜𨭥𥣈檏騡嫾騯𩣱䮐𩥈馼䮽䮗鍽塲𡌂堢𤦸"], +["96a1","𡓨硄𢜟𣶸棅㵽鑘㤧慐𢞁𢥫愇鱏鱓鱻鰵鰐魿鯏𩸭鮟𪇵𪃾鴡䲮𤄄鸘䲰鴌𪆴𪃭𪃳𩤯鶥蒽𦸒𦿟𦮂藼䔳𦶤𦺄𦷰萠藮𦸀𣟗𦁤秢𣖜𣙀䤭𤧞㵢鏛銾鍈𠊿碹鉷鑍俤㑀遤𥕝砽硔碶硋𡝗𣇉𤥁㚚佲濚濙瀞瀞吔𤆵垻壳垊鴖埗焴㒯𤆬燫𦱀𤾗嬨𡞵𨩉"], +["9740","愌嫎娋䊼𤒈㜬䭻𨧼鎻鎸𡣖𠼝葲𦳀𡐓𤋺𢰦𤏁妔𣶷𦝁綨𦅛𦂤𤦹𤦋𨧺鋥珢㻩璴𨭣𡢟㻡𤪳櫘珳珻㻖𤨾𤪔𡟙𤩦𠎧𡐤𤧥瑈𤤖炥𤥶銄珦鍟𠓾錱𨫎𨨖鎆𨯧𥗕䤵𨪂煫"], +["97a1","𤥃𠳿嚤𠘚𠯫𠲸唂秄𡟺緾𡛂𤩐𡡒䔮鐁㜊𨫀𤦭妰𡢿𡢃𧒄媡㛢𣵛㚰鉟婹𨪁𡡢鍴㳍𠪴䪖㦊僴㵩㵌𡎜煵䋻𨈘渏𩃤䓫浗𧹏灧沯㳖𣿭𣸭渂漌㵯𠏵畑㚼㓈䚀㻚䡱姄鉮䤾轁𨰜𦯀堒埈㛖𡑒烾𤍢𤩱𢿣𡊰𢎽梹楧𡎘𣓥𧯴𣛟𨪃𣟖𣏺𤲟樚𣚭𦲷萾䓟䓎"], +["9840","𦴦𦵑𦲂𦿞漗𧄉茽𡜺菭𦲀𧁓𡟛妉媂𡞳婡婱𡤅𤇼㜭姯𡜼㛇熎鎐暚𤊥婮娫𤊓樫𣻹𧜶𤑛𤋊焝𤉙𨧡侰𦴨峂𤓎𧹍𤎽樌𤉖𡌄炦焳𤏩㶥泟勇𤩏繥姫崯㷳彜𤩝𡟟綤萦"], +["98a1","咅𣫺𣌀𠈔坾𠣕𠘙㿥𡾞𪊶瀃𩅛嵰玏糓𨩙𩐠俈翧狍猐𧫴猸猹𥛶獁獈㺩𧬘遬燵𤣲珡臶㻊県㻑沢国琙琞琟㻢㻰㻴㻺瓓㼎㽓畂畭畲疍㽼痈痜㿀癍㿗癴㿜発𤽜熈嘣覀塩䀝睃䀹条䁅㗛瞘䁪䁯属瞾矋売砘点砜䂨砹硇硑硦葈𥔵礳栃礲䄃"], +["9940","䄉禑禙辻稆込䅧窑䆲窼艹䇄竏竛䇏両筢筬筻簒簛䉠䉺类粜䊌粸䊔糭输烀𠳏総緔緐緽羮羴犟䎗耠耥笹耮耱联㷌垴炠肷胩䏭脌猪脎脒畠脔䐁㬹腖腙腚"], +["99a1","䐓堺腼膄䐥膓䐭膥埯臁臤艔䒏芦艶苊苘苿䒰荗险榊萅烵葤惣蒈䔄蒾蓡蓸蔐蔸蕒䔻蕯蕰藠䕷虲蚒蚲蛯际螋䘆䘗袮裿褤襇覑𧥧訩訸誔誴豑賔賲贜䞘塟跃䟭仮踺嗘坔蹱嗵躰䠷軎転軤軭軲辷迁迊迌逳駄䢭飠鈓䤞鈨鉘鉫銱銮銿"], +["9a40","鋣鋫鋳鋴鋽鍃鎄鎭䥅䥑麿鐗匁鐝鐭鐾䥪鑔鑹锭関䦧间阳䧥枠䨤靀䨵鞲韂噔䫤惨颹䬙飱塄餎餙冴餜餷饂饝饢䭰駅䮝騼鬏窃魩鮁鯝鯱鯴䱭鰠㝯𡯂鵉鰺"], +["9aa1","黾噐鶓鶽鷀鷼银辶鹻麬麱麽黆铜黢黱黸竈齄𠂔𠊷𠎠椚铃妬𠓗塀铁㞹𠗕𠘕𠙶𡚺块煳𠫂𠫍𠮿呪吆𠯋咞𠯻𠰻𠱓𠱥𠱼惧𠲍噺𠲵𠳝𠳭𠵯𠶲𠷈楕鰯螥𠸄𠸎𠻗𠾐𠼭𠹳尠𠾼帋𡁜𡁏𡁶朞𡁻𡂈𡂖㙇𡂿𡃓𡄯𡄻卤蒭𡋣𡍵𡌶讁𡕷𡘙𡟃𡟇乸炻𡠭𡥪"], +["9b40","𡨭𡩅𡰪𡱰𡲬𡻈拃𡻕𡼕熘桕𢁅槩㛈𢉼𢏗𢏺𢜪𢡱𢥏苽𢥧𢦓𢫕覥𢫨辠𢬎鞸𢬿顇骽𢱌"], +["9b62","𢲈𢲷𥯨𢴈𢴒𢶷𢶕𢹂𢽴𢿌𣀳𣁦𣌟𣏞徱晈暿𧩹𣕧𣗳爁𤦺矗𣘚𣜖纇𠍆墵朎"], +["9ba1","椘𣪧𧙗𥿢𣸑𣺹𧗾𢂚䣐䪸𤄙𨪚𤋮𤌍𤀻𤌴𤎖𤩅𠗊凒𠘑妟𡺨㮾𣳿𤐄𤓖垈𤙴㦛𤜯𨗨𩧉㝢𢇃譞𨭎駖𤠒𤣻𤨕爉𤫀𠱸奥𤺥𤾆𠝹軚𥀬劏圿煱𥊙𥐙𣽊𤪧喼𥑆𥑮𦭒釔㑳𥔿𧘲𥕞䜘𥕢𥕦𥟇𤤿𥡝偦㓻𣏌惞𥤃䝼𨥈𥪮𥮉𥰆𡶐垡煑澶𦄂𧰒遖𦆲𤾚譢𦐂𦑊"], +["9c40","嵛𦯷輶𦒄𡤜諪𤧶𦒈𣿯𦔒䯀𦖿𦚵𢜛鑥𥟡憕娧晉侻嚹𤔡𦛼乪𤤴陖涏𦲽㘘襷𦞙𦡮𦐑𦡞營𦣇筂𩃀𠨑𦤦鄄𦤹穅鷰𦧺騦𦨭㙟𦑩𠀡禃𦨴𦭛崬𣔙菏𦮝䛐𦲤画补𦶮墶"], +["9ca1","㜜𢖍𧁋𧇍㱔𧊀𧊅銁𢅺𧊋錰𧋦𤧐氹钟𧑐𠻸蠧裵𢤦𨑳𡞱溸𤨪𡠠㦤㚹尐秣䔿暶𩲭𩢤襃𧟌𧡘囖䃟𡘊㦡𣜯𨃨𡏅熭荦𧧝𩆨婧䲷𧂯𨦫𧧽𧨊𧬋𧵦𤅺筃祾𨀉澵𪋟樃𨌘厢𦸇鎿栶靝𨅯𨀣𦦵𡏭𣈯𨁈嶅𨰰𨂃圕頣𨥉嶫𤦈斾槕叒𤪥𣾁㰑朶𨂐𨃴𨄮𡾡𨅏"], +["9d40","𨆉𨆯𨈚𨌆𨌯𨎊㗊𨑨𨚪䣺揦𨥖砈鉕𨦸䏲𨧧䏟𨧨𨭆𨯔姸𨰉輋𨿅𩃬筑𩄐𩄼㷷𩅞𤫊运犏嚋𩓧𩗩𩖰𩖸𩜲𩣑𩥉𩥪𩧃𩨨𩬎𩵚𩶛纟𩻸𩼣䲤镇𪊓熢𪋿䶑递𪗋䶜𠲜达嗁"], +["9da1","辺𢒰边𤪓䔉繿潖檱仪㓤𨬬𧢝㜺躀𡟵𨀤𨭬𨮙𧨾𦚯㷫𧙕𣲷𥘵𥥖亚𥺁𦉘嚿𠹭踎孭𣺈𤲞揞拐𡟶𡡻攰嘭𥱊吚𥌑㷆𩶘䱽嘢嘞罉𥻘奵𣵀蝰东𠿪𠵉𣚺脗鵞贘瘻鱅癎瞹鍅吲腈苷嘥脲萘肽嗪祢噃吖𠺝㗎嘅嗱曱𨋢㘭甴嗰喺咗啲𠱁𠲖廐𥅈𠹶𢱢"], +["9e40","𠺢麫絚嗞𡁵抝靭咔賍燶酶揼掹揾啩𢭃鱲𢺳冚㓟𠶧冧呍唞唓癦踭𦢊疱肶蠄螆裇膶萜𡃁䓬猄𤜆宐茋𦢓噻𢛴𧴯𤆣𧵳𦻐𧊶酰𡇙鈈𣳼𪚩𠺬𠻹牦𡲢䝎𤿂𧿹𠿫䃺"], +["9ea1","鱝攟𢶠䣳𤟠𩵼𠿬𠸊恢𧖣𠿭"], +["9ead","𦁈𡆇熣纎鵐业丄㕷嬍沲卧㚬㧜卽㚥𤘘墚𤭮舭呋垪𥪕𠥹"], +["9ec5","㩒𢑥獴𩺬䴉鯭𣳾𩼰䱛𤾩𩖞𩿞葜𣶶𧊲𦞳𣜠挮紥𣻷𣸬㨪逈勌㹴㙺䗩𠒎癀嫰𠺶硺𧼮墧䂿噼鮋嵴癔𪐴麅䳡痹㟻愙𣃚𤏲"], +["9ef5","噝𡊩垧𤥣𩸆刴𧂮㖭汊鵼"], +["9f40","籖鬹埞𡝬屓擓𩓐𦌵𧅤蚭𠴨𦴢𤫢𠵱"], +["9f4f","凾𡼏嶎霃𡷑麁遌笟鬂峑箣扨挵髿篏鬪籾鬮籂粆鰕篼鬉鼗鰛𤤾齚啳寃俽麘俲剠㸆勑坧偖妷帒韈鶫轜呩鞴饀鞺匬愰"], +["9fa1","椬叚鰊鴂䰻陁榀傦畆𡝭駚剳"], +["9fae","酙隁酜"], +["9fb2","酑𨺗捿𦴣櫊嘑醎畺抅𠏼獏籰𥰡𣳽"], +["9fc1","𤤙盖鮝个𠳔莾衂"], +["9fc9","届槀僭坺刟巵从氱𠇲伹咜哚劚趂㗾弌㗳"], +["9fdb","歒酼龥鮗頮颴骺麨麄煺笔"], +["9fe7","毺蠘罸"], +["9feb","嘠𪙊蹷齓"], +["9ff0","跔蹏鸜踁抂𨍽踨蹵竓𤩷稾磘泪詧瘇"], +["a040","𨩚鼦泎蟖痃𪊲硓咢贌狢獱謭猂瓱賫𤪻蘯徺袠䒷"], +["a055","𡠻𦸅"], +["a058","詾𢔛"], +["a05b","惽癧髗鵄鍮鮏蟵"], +["a063","蠏賷猬霡鮰㗖犲䰇籑饊𦅙慙䰄麖慽"], +["a073","坟慯抦戹拎㩜懢厪𣏵捤栂㗒"], +["a0a1","嵗𨯂迚𨸹"], +["a0a6","僙𡵆礆匲阸𠼻䁥"], +["a0ae","矾"], +["a0b0","糂𥼚糚稭聦聣絍甅瓲覔舚朌聢𧒆聛瓰脃眤覉𦟌畓𦻑螩蟎臈螌詉貭譃眫瓸蓚㘵榲趦"], +["a0d4","覩瑨涹蟁𤀑瓧㷛煶悤憜㳑煢恷"], +["a0e2","罱𨬭牐惩䭾删㰘𣳇𥻗𧙖𥔱𡥄𡋾𩤃𦷜𧂭峁𦆭𨨏𣙷𠃮𦡆𤼎䕢嬟𦍌齐麦𦉫"], +["a3c0","␀",31,"␡"], +["c6a1","①",9,"⑴",9,"ⅰ",9,"丶丿亅亠冂冖冫勹匸卩厶夊宀巛⼳广廴彐彡攴无疒癶辵隶¨ˆヽヾゝゞ〃仝々〆〇ー[]✽ぁ",23], +["c740","す",58,"ァアィイ"], +["c7a1","ゥ",81,"А",5,"ЁЖ",4], +["c840","Л",26,"ёж",25,"⇧↸↹㇏𠃌乚𠂊刂䒑"], +["c8a1","龰冈龱𧘇"], +["c8cd","¬¦'"㈱№℡゛゜⺀⺄⺆⺇⺈⺊⺌⺍⺕⺜⺝⺥⺧⺪⺬⺮⺶⺼⺾⻆⻊⻌⻍⻏⻖⻗⻞⻣"], +["c8f5","ʃɐɛɔɵœøŋʊɪ"], +["f9fe","■"], +["fa40","𠕇鋛𠗟𣿅蕌䊵珯况㙉𤥂𨧤鍄𡧛苮𣳈砼杄拟𤤳𨦪𠊠𦮳𡌅侫𢓭倈𦴩𧪄𣘀𤪱𢔓倩𠍾徤𠎀𠍇滛𠐟偽儁㑺儎顬㝃萖𤦤𠒇兠𣎴兪𠯿𢃼𠋥𢔰𠖎𣈳𡦃宂蝽𠖳𣲙冲冸"], +["faa1","鴴凉减凑㳜凓𤪦决凢卂凭菍椾𣜭彻刋刦刼劵剗劔効勅簕蕂勠蘍𦬓包𨫞啉滙𣾀𠥔𣿬匳卄𠯢泋𡜦栛珕恊㺪㣌𡛨燝䒢卭却𨚫卾卿𡖖𡘓矦厓𨪛厠厫厮玧𥝲㽙玜叁叅汉义埾叙㪫𠮏叠𣿫𢶣叶𠱷吓灹唫晗浛呭𦭓𠵴啝咏咤䞦𡜍𠻝㶴𠵍"], +["fb40","𨦼𢚘啇䳭启琗喆喩嘅𡣗𤀺䕒𤐵暳𡂴嘷曍𣊊暤暭噍噏磱囱鞇叾圀囯园𨭦㘣𡉏坆𤆥汮炋坂㚱𦱾埦𡐖堃𡑔𤍣堦𤯵塜墪㕡壠壜𡈼壻寿坃𪅐𤉸鏓㖡够梦㛃湙"], +["fba1","𡘾娤啓𡚒蔅姉𠵎𦲁𦴪𡟜姙𡟻𡞲𦶦浱𡠨𡛕姹𦹅媫婣㛦𤦩婷㜈媖瑥嫓𦾡𢕔㶅𡤑㜲𡚸広勐孶斈孼𧨎䀄䡝𠈄寕慠𡨴𥧌𠖥寳宝䴐尅𡭄尓珎尔𡲥𦬨屉䣝岅峩峯嶋𡷹𡸷崐崘嵆𡺤岺巗苼㠭𤤁𢁉𢅳芇㠶㯂帮檊幵幺𤒼𠳓厦亷廐厨𡝱帉廴𨒂"], +["fc40","廹廻㢠廼栾鐛弍𠇁弢㫞䢮𡌺强𦢈𢏐彘𢑱彣鞽𦹮彲鍀𨨶徧嶶㵟𥉐𡽪𧃸𢙨釖𠊞𨨩怱暅𡡷㥣㷇㘹垐𢞴祱㹀悞悤悳𤦂𤦏𧩓璤僡媠慤萤慂慈𦻒憁凴𠙖憇宪𣾷"], +["fca1","𢡟懓𨮝𩥝懐㤲𢦀𢣁怣慜攞掋𠄘担𡝰拕𢸍捬𤧟㨗搸揸𡎎𡟼撐澊𢸶頔𤂌𥜝擡擥鑻㩦携㩗敍漖𤨨𤨣斅敭敟𣁾斵𤥀䬷旑䃘𡠩无旣忟𣐀昘𣇷𣇸晄𣆤𣆥晋𠹵晧𥇦晳晴𡸽𣈱𨗴𣇈𥌓矅𢣷馤朂𤎜𤨡㬫槺𣟂杞杧杢𤇍𩃭柗䓩栢湐鈼栁𣏦𦶠桝"], +["fd40","𣑯槡樋𨫟楳棃𣗍椁椀㴲㨁𣘼㮀枬楡𨩊䋼椶榘㮡𠏉荣傐槹𣙙𢄪橅𣜃檝㯳枱櫈𩆜㰍欝𠤣惞欵歴𢟍溵𣫛𠎵𡥘㝀吡𣭚毡𣻼毜氷𢒋𤣱𦭑汚舦汹𣶼䓅𣶽𤆤𤤌𤤀"], +["fda1","𣳉㛥㳫𠴲鮃𣇹𢒑羏样𦴥𦶡𦷫涖浜湼漄𤥿𤂅𦹲蔳𦽴凇沜渝萮𨬡港𣸯瑓𣾂秌湏媑𣁋濸㜍澝𣸰滺𡒗𤀽䕕鏰潄潜㵎潴𩅰㴻澟𤅄濓𤂑𤅕𤀹𣿰𣾴𤄿凟𤅖𤅗𤅀𦇝灋灾炧炁烌烕烖烟䄄㷨熴熖𤉷焫煅媈煊煮岜𤍥煏鍢𤋁焬𤑚𤨧𤨢熺𨯨炽爎"], +["fe40","鑂爕夑鑃爤鍁𥘅爮牀𤥴梽牕牗㹕𣁄栍漽犂猪猫𤠣𨠫䣭𨠄猨献珏玪𠰺𦨮珉瑉𤇢𡛧𤨤昣㛅𤦷𤦍𤧻珷琕椃𤨦琹𠗃㻗瑜𢢭瑠𨺲瑇珤瑶莹瑬㜰瑴鏱樬璂䥓𤪌"], +["fea1","𤅟𤩹𨮏孆𨰃𡢞瓈𡦈甎瓩甞𨻙𡩋寗𨺬鎅畍畊畧畮𤾂㼄𤴓疎瑝疞疴瘂瘬癑癏癯癶𦏵皐臯㟸𦤑𦤎皡皥皷盌𦾟葢𥂝𥅽𡸜眞眦着撯𥈠睘𣊬瞯𨥤𨥨𡛁矴砉𡍶𤨒棊碯磇磓隥礮𥗠磗礴碱𧘌辸袄𨬫𦂃𢘜禆褀椂禀𥡗禝𧬹礼禩渪𧄦㺨秆𩄍秔"] +] diff --git a/node_modules/express/node_modules/iconv-lite/encodings/tables/cp936.json b/node_modules/express/node_modules/iconv-lite/encodings/tables/cp936.json new file mode 100644 index 0000000..49ddb9a --- /dev/null +++ b/node_modules/express/node_modules/iconv-lite/encodings/tables/cp936.json @@ -0,0 +1,264 @@ +[ +["0","\u0000",127,"€"], +["8140","丂丄丅丆丏丒丗丟丠両丣並丩丮丯丱丳丵丷丼乀乁乂乄乆乊乑乕乗乚乛乢乣乤乥乧乨乪",5,"乲乴",9,"乿",6,"亇亊"], +["8180","亐亖亗亙亜亝亞亣亪亯亰亱亴亶亷亸亹亼亽亾仈仌仏仐仒仚仛仜仠仢仦仧仩仭仮仯仱仴仸仹仺仼仾伀伂",6,"伋伌伒",4,"伜伝伡伣伨伩伬伭伮伱伳伵伷伹伻伾",4,"佄佅佇",5,"佒佔佖佡佢佦佨佪佫佭佮佱佲併佷佸佹佺佽侀侁侂侅來侇侊侌侎侐侒侓侕侖侘侙侚侜侞侟価侢"], +["8240","侤侫侭侰",4,"侶",8,"俀俁係俆俇俈俉俋俌俍俒",4,"俙俛俠俢俤俥俧俫俬俰俲俴俵俶俷俹俻俼俽俿",11], +["8280","個倎倐們倓倕倖倗倛倝倞倠倢倣値倧倫倯",10,"倻倽倿偀偁偂偄偅偆偉偊偋偍偐",4,"偖偗偘偙偛偝",7,"偦",5,"偭",8,"偸偹偺偼偽傁傂傃傄傆傇傉傊傋傌傎",20,"傤傦傪傫傭",4,"傳",6,"傼"], +["8340","傽",17,"僐",5,"僗僘僙僛",10,"僨僩僪僫僯僰僱僲僴僶",4,"僼",9,"儈"], +["8380","儉儊儌",5,"儓",13,"儢",28,"兂兇兊兌兎兏児兒兓兗兘兙兛兝",4,"兣兤兦內兩兪兯兲兺兾兿冃冄円冇冊冋冎冏冐冑冓冔冘冚冝冞冟冡冣冦",4,"冭冮冴冸冹冺冾冿凁凂凃凅凈凊凍凎凐凒",5], +["8440","凘凙凚凜凞凟凢凣凥",5,"凬凮凱凲凴凷凾刄刅刉刋刌刏刐刓刔刕刜刞刟刡刢刣別刦刧刪刬刯刱刲刴刵刼刾剄",5,"剋剎剏剒剓剕剗剘"], +["8480","剙剚剛剝剟剠剢剣剤剦剨剫剬剭剮剰剱剳",9,"剾劀劃",4,"劉",6,"劑劒劔",6,"劜劤劥劦劧劮劯劰労",9,"勀勁勂勄勅勆勈勊勌勍勎勏勑勓勔動勗務",5,"勠勡勢勣勥",10,"勱",7,"勻勼勽匁匂匃匄匇匉匊匋匌匎"], +["8540","匑匒匓匔匘匛匜匞匟匢匤匥匧匨匩匫匬匭匯",9,"匼匽區卂卄卆卋卌卍卐協単卙卛卝卥卨卪卬卭卲卶卹卻卼卽卾厀厁厃厇厈厊厎厏"], +["8580","厐",4,"厖厗厙厛厜厞厠厡厤厧厪厫厬厭厯",6,"厷厸厹厺厼厽厾叀參",4,"収叏叐叒叓叕叚叜叝叞叡叢叧叴叺叾叿吀吂吅吇吋吔吘吙吚吜吢吤吥吪吰吳吶吷吺吽吿呁呂呄呅呇呉呌呍呎呏呑呚呝",4,"呣呥呧呩",7,"呴呹呺呾呿咁咃咅咇咈咉咊咍咑咓咗咘咜咞咟咠咡"], +["8640","咢咥咮咰咲咵咶咷咹咺咼咾哃哅哊哋哖哘哛哠",4,"哫哬哯哰哱哴",5,"哻哾唀唂唃唄唅唈唊",4,"唒唓唕",5,"唜唝唞唟唡唥唦"], +["8680","唨唩唫唭唲唴唵唶唸唹唺唻唽啀啂啅啇啈啋",4,"啑啒啓啔啗",4,"啝啞啟啠啢啣啨啩啫啯",5,"啹啺啽啿喅喆喌喍喎喐喒喓喕喖喗喚喛喞喠",6,"喨",8,"喲喴営喸喺喼喿",4,"嗆嗇嗈嗊嗋嗎嗏嗐嗕嗗",4,"嗞嗠嗢嗧嗩嗭嗮嗰嗱嗴嗶嗸",4,"嗿嘂嘃嘄嘅"], +["8740","嘆嘇嘊嘋嘍嘐",7,"嘙嘚嘜嘝嘠嘡嘢嘥嘦嘨嘩嘪嘫嘮嘯嘰嘳嘵嘷嘸嘺嘼嘽嘾噀",11,"噏",4,"噕噖噚噛噝",4], +["8780","噣噥噦噧噭噮噯噰噲噳噴噵噷噸噹噺噽",7,"嚇",6,"嚐嚑嚒嚔",14,"嚤",10,"嚰",6,"嚸嚹嚺嚻嚽",12,"囋",8,"囕囖囘囙囜団囥",5,"囬囮囯囲図囶囷囸囻囼圀圁圂圅圇國",6], +["8840","園",9,"圝圞圠圡圢圤圥圦圧圫圱圲圴",4,"圼圽圿坁坃坄坅坆坈坉坋坒",4,"坘坙坢坣坥坧坬坮坰坱坲坴坵坸坹坺坽坾坿垀"], +["8880","垁垇垈垉垊垍",4,"垔",6,"垜垝垞垟垥垨垪垬垯垰垱垳垵垶垷垹",8,"埄",6,"埌埍埐埑埓埖埗埛埜埞埡埢埣埥",7,"埮埰埱埲埳埵埶執埻埼埾埿堁堃堄堅堈堉堊堌堎堏堐堒堓堔堖堗堘堚堛堜堝堟堢堣堥",4,"堫",4,"報堲堳場堶",7], +["8940","堾",5,"塅",6,"塎塏塐塒塓塕塖塗塙",4,"塟",5,"塦",4,"塭",16,"塿墂墄墆墇墈墊墋墌"], +["8980","墍",4,"墔",4,"墛墜墝墠",7,"墪",17,"墽墾墿壀壂壃壄壆",10,"壒壓壔壖",13,"壥",5,"壭壯壱売壴壵壷壸壺",7,"夃夅夆夈",4,"夎夐夑夒夓夗夘夛夝夞夠夡夢夣夦夨夬夰夲夳夵夶夻"], +["8a40","夽夾夿奀奃奅奆奊奌奍奐奒奓奙奛",4,"奡奣奤奦",12,"奵奷奺奻奼奾奿妀妅妉妋妌妎妏妐妑妔妕妘妚妛妜妝妟妠妡妢妦"], +["8a80","妧妬妭妰妱妳",5,"妺妼妽妿",6,"姇姈姉姌姍姎姏姕姖姙姛姞",4,"姤姦姧姩姪姫姭",11,"姺姼姽姾娀娂娊娋娍娎娏娐娒娔娕娖娗娙娚娛娝娞娡娢娤娦娧娨娪",6,"娳娵娷",4,"娽娾娿婁",4,"婇婈婋",9,"婖婗婘婙婛",5], +["8b40","婡婣婤婥婦婨婩婫",8,"婸婹婻婼婽婾媀",17,"媓",6,"媜",13,"媫媬"], +["8b80","媭",4,"媴媶媷媹",4,"媿嫀嫃",5,"嫊嫋嫍",4,"嫓嫕嫗嫙嫚嫛嫝嫞嫟嫢嫤嫥嫧嫨嫪嫬",4,"嫲",22,"嬊",11,"嬘",25,"嬳嬵嬶嬸",7,"孁",6], +["8c40","孈",7,"孒孖孞孠孡孧孨孫孭孮孯孲孴孶孷學孹孻孼孾孿宂宆宊宍宎宐宑宒宔宖実宧宨宩宬宭宮宯宱宲宷宺宻宼寀寁寃寈寉寊寋寍寎寏"], +["8c80","寑寔",8,"寠寢寣實寧審",4,"寯寱",6,"寽対尀専尃尅將專尋尌對導尐尒尓尗尙尛尞尟尠尡尣尦尨尩尪尫尭尮尯尰尲尳尵尶尷屃屄屆屇屌屍屒屓屔屖屗屘屚屛屜屝屟屢層屧",6,"屰屲",6,"屻屼屽屾岀岃",4,"岉岊岋岎岏岒岓岕岝",4,"岤",4], +["8d40","岪岮岯岰岲岴岶岹岺岻岼岾峀峂峃峅",5,"峌",5,"峓",5,"峚",6,"峢峣峧峩峫峬峮峯峱",9,"峼",4], +["8d80","崁崄崅崈",5,"崏",4,"崕崗崘崙崚崜崝崟",4,"崥崨崪崫崬崯",4,"崵",7,"崿",7,"嵈嵉嵍",10,"嵙嵚嵜嵞",10,"嵪嵭嵮嵰嵱嵲嵳嵵",12,"嶃",21,"嶚嶛嶜嶞嶟嶠"], +["8e40","嶡",21,"嶸",12,"巆",6,"巎",12,"巜巟巠巣巤巪巬巭"], +["8e80","巰巵巶巸",4,"巿帀帄帇帉帊帋帍帎帒帓帗帞",7,"帨",4,"帯帰帲",4,"帹帺帾帿幀幁幃幆",5,"幍",6,"幖",4,"幜幝幟幠幣",14,"幵幷幹幾庁庂広庅庈庉庌庍庎庒庘庛庝庡庢庣庤庨",4,"庮",4,"庴庺庻庼庽庿",6], +["8f40","廆廇廈廋",5,"廔廕廗廘廙廚廜",11,"廩廫",8,"廵廸廹廻廼廽弅弆弇弉弌弍弎弐弒弔弖弙弚弜弝弞弡弢弣弤"], +["8f80","弨弫弬弮弰弲",6,"弻弽弾弿彁",14,"彑彔彙彚彛彜彞彟彠彣彥彧彨彫彮彯彲彴彵彶彸彺彽彾彿徃徆徍徎徏徑従徔徖徚徛徝從徟徠徢",5,"復徫徬徯",5,"徶徸徹徺徻徾",4,"忇忈忊忋忎忓忔忕忚忛応忞忟忢忣忥忦忨忩忬忯忰忲忳忴忶忷忹忺忼怇"], +["9040","怈怉怋怌怐怑怓怗怘怚怞怟怢怣怤怬怭怮怰",4,"怶",4,"怽怾恀恄",6,"恌恎恏恑恓恔恖恗恘恛恜恞恟恠恡恥恦恮恱恲恴恵恷恾悀"], +["9080","悁悂悅悆悇悈悊悋悎悏悐悑悓悕悗悘悙悜悞悡悢悤悥悧悩悪悮悰悳悵悶悷悹悺悽",7,"惇惈惉惌",4,"惒惓惔惖惗惙惛惞惡",4,"惪惱惲惵惷惸惻",4,"愂愃愄愅愇愊愋愌愐",4,"愖愗愘愙愛愜愝愞愡愢愥愨愩愪愬",18,"慀",6], +["9140","慇慉態慍慏慐慒慓慔慖",6,"慞慟慠慡慣慤慥慦慩",6,"慱慲慳慴慶慸",18,"憌憍憏",4,"憕"], +["9180","憖",6,"憞",8,"憪憫憭",9,"憸",5,"憿懀懁懃",4,"應懌",4,"懓懕",16,"懧",13,"懶",8,"戀",5,"戇戉戓戔戙戜戝戞戠戣戦戧戨戩戫戭戯戰戱戲戵戶戸",4,"扂扄扅扆扊"], +["9240","扏扐払扖扗扙扚扜",6,"扤扥扨扱扲扴扵扷扸扺扻扽抁抂抃抅抆抇抈抋",5,"抔抙抜抝択抣抦抧抩抪抭抮抯抰抲抳抴抶抷抸抺抾拀拁"], +["9280","拃拋拏拑拕拝拞拠拡拤拪拫拰拲拵拸拹拺拻挀挃挄挅挆挊挋挌挍挏挐挒挓挔挕挗挘挙挜挦挧挩挬挭挮挰挱挳",5,"挻挼挾挿捀捁捄捇捈捊捑捒捓捔捖",7,"捠捤捥捦捨捪捫捬捯捰捲捳捴捵捸捹捼捽捾捿掁掃掄掅掆掋掍掑掓掔掕掗掙",6,"採掤掦掫掯掱掲掵掶掹掻掽掿揀"], +["9340","揁揂揃揅揇揈揊揋揌揑揓揔揕揗",6,"揟揢揤",4,"揫揬揮揯揰揱揳揵揷揹揺揻揼揾搃搄搆",4,"損搎搑搒搕",5,"搝搟搢搣搤"], +["9380","搥搧搨搩搫搮",5,"搵",4,"搻搼搾摀摂摃摉摋",6,"摓摕摖摗摙",4,"摟",7,"摨摪摫摬摮",9,"摻",6,"撃撆撈",8,"撓撔撗撘撚撛撜撝撟",4,"撥撦撧撨撪撫撯撱撲撳撴撶撹撻撽撾撿擁擃擄擆",6,"擏擑擓擔擕擖擙據"], +["9440","擛擜擝擟擠擡擣擥擧",24,"攁",7,"攊",7,"攓",4,"攙",8], +["9480","攢攣攤攦",4,"攬攭攰攱攲攳攷攺攼攽敀",4,"敆敇敊敋敍敎敐敒敓敔敗敘敚敜敟敠敡敤敥敧敨敩敪敭敮敯敱敳敵敶數",14,"斈斉斊斍斎斏斒斔斕斖斘斚斝斞斠斢斣斦斨斪斬斮斱",7,"斺斻斾斿旀旂旇旈旉旊旍旐旑旓旔旕旘",7,"旡旣旤旪旫"], +["9540","旲旳旴旵旸旹旻",4,"昁昄昅昇昈昉昋昍昐昑昒昖昗昘昚昛昜昞昡昢昣昤昦昩昪昫昬昮昰昲昳昷",4,"昽昿晀時晄",6,"晍晎晐晑晘"], +["9580","晙晛晜晝晞晠晢晣晥晧晩",4,"晱晲晳晵晸晹晻晼晽晿暀暁暃暅暆暈暉暊暋暍暎暏暐暒暓暔暕暘",4,"暞",8,"暩",4,"暯",4,"暵暶暷暸暺暻暼暽暿",25,"曚曞",7,"曧曨曪",5,"曱曵曶書曺曻曽朁朂會"], +["9640","朄朅朆朇朌朎朏朑朒朓朖朘朙朚朜朞朠",5,"朧朩朮朰朲朳朶朷朸朹朻朼朾朿杁杄杅杇杊杋杍杒杔杕杗",4,"杝杢杣杤杦杧杫杬杮東杴杶"], +["9680","杸杹杺杻杽枀枂枃枅枆枈枊枌枍枎枏枑枒枓枔枖枙枛枟枠枡枤枦枩枬枮枱枲枴枹",7,"柂柅",9,"柕柖柗柛柟柡柣柤柦柧柨柪柫柭柮柲柵",7,"柾栁栂栃栄栆栍栐栒栔栕栘",4,"栞栟栠栢",6,"栫",6,"栴栵栶栺栻栿桇桋桍桏桒桖",5], +["9740","桜桝桞桟桪桬",7,"桵桸",8,"梂梄梇",7,"梐梑梒梔梕梖梘",9,"梣梤梥梩梪梫梬梮梱梲梴梶梷梸"], +["9780","梹",6,"棁棃",5,"棊棌棎棏棐棑棓棔棖棗棙棛",4,"棡棢棤",9,"棯棲棳棴棶棷棸棻棽棾棿椀椂椃椄椆",4,"椌椏椑椓",11,"椡椢椣椥",7,"椮椯椱椲椳椵椶椷椸椺椻椼椾楀楁楃",16,"楕楖楘楙楛楜楟"], +["9840","楡楢楤楥楧楨楩楪楬業楯楰楲",4,"楺楻楽楾楿榁榃榅榊榋榌榎",5,"榖榗榙榚榝",9,"榩榪榬榮榯榰榲榳榵榶榸榹榺榼榽"], +["9880","榾榿槀槂",7,"構槍槏槑槒槓槕",5,"槜槝槞槡",11,"槮槯槰槱槳",9,"槾樀",9,"樋",11,"標",5,"樠樢",5,"権樫樬樭樮樰樲樳樴樶",6,"樿",4,"橅橆橈",7,"橑",6,"橚"], +["9940","橜",4,"橢橣橤橦",10,"橲",6,"橺橻橽橾橿檁檂檃檅",8,"檏檒",4,"檘",7,"檡",5], +["9980","檧檨檪檭",114,"欥欦欨",6], +["9a40","欯欰欱欳欴欵欶欸欻欼欽欿歀歁歂歄歅歈歊歋歍",11,"歚",7,"歨歩歫",13,"歺歽歾歿殀殅殈"], +["9a80","殌殎殏殐殑殔殕殗殘殙殜",4,"殢",7,"殫",7,"殶殸",6,"毀毃毄毆",4,"毌毎毐毑毘毚毜",4,"毢",7,"毬毭毮毰毱毲毴毶毷毸毺毻毼毾",6,"氈",4,"氎氒気氜氝氞氠氣氥氫氬氭氱氳氶氷氹氺氻氼氾氿汃汄汅汈汋",4,"汑汒汓汖汘"], +["9b40","汙汚汢汣汥汦汧汫",4,"汱汳汵汷汸決汻汼汿沀沄沇沊沋沍沎沑沒沕沖沗沘沚沜沝沞沠沢沨沬沯沰沴沵沶沷沺泀況泂泃泆泇泈泋泍泎泏泑泒泘"], +["9b80","泙泚泜泝泟泤泦泧泩泬泭泲泴泹泿洀洂洃洅洆洈洉洊洍洏洐洑洓洔洕洖洘洜洝洟",5,"洦洨洩洬洭洯洰洴洶洷洸洺洿浀浂浄浉浌浐浕浖浗浘浛浝浟浡浢浤浥浧浨浫浬浭浰浱浲浳浵浶浹浺浻浽",4,"涃涄涆涇涊涋涍涏涐涒涖",4,"涜涢涥涬涭涰涱涳涴涶涷涹",5,"淁淂淃淈淉淊"], +["9c40","淍淎淏淐淒淓淔淕淗淚淛淜淟淢淣淥淧淨淩淪淭淯淰淲淴淵淶淸淺淽",7,"渆渇済渉渋渏渒渓渕渘渙減渜渞渟渢渦渧渨渪測渮渰渱渳渵"], +["9c80","渶渷渹渻",7,"湅",7,"湏湐湑湒湕湗湙湚湜湝湞湠",10,"湬湭湯",14,"満溁溂溄溇溈溊",4,"溑",6,"溙溚溛溝溞溠溡溣溤溦溨溩溫溬溭溮溰溳溵溸溹溼溾溿滀滃滄滅滆滈滉滊滌滍滎滐滒滖滘滙滛滜滝滣滧滪",5], +["9d40","滰滱滲滳滵滶滷滸滺",7,"漃漄漅漇漈漊",4,"漐漑漒漖",9,"漡漢漣漥漦漧漨漬漮漰漲漴漵漷",6,"漿潀潁潂"], +["9d80","潃潄潅潈潉潊潌潎",9,"潙潚潛潝潟潠潡潣潤潥潧",5,"潯潰潱潳潵潶潷潹潻潽",6,"澅澆澇澊澋澏",12,"澝澞澟澠澢",4,"澨",10,"澴澵澷澸澺",5,"濁濃",5,"濊",6,"濓",10,"濟濢濣濤濥"], +["9e40","濦",7,"濰",32,"瀒",7,"瀜",6,"瀤",6], +["9e80","瀫",9,"瀶瀷瀸瀺",17,"灍灎灐",13,"灟",11,"灮灱灲灳灴灷灹灺灻災炁炂炃炄炆炇炈炋炌炍炏炐炑炓炗炘炚炛炞",12,"炰炲炴炵炶為炾炿烄烅烆烇烉烋",12,"烚"], +["9f40","烜烝烞烠烡烢烣烥烪烮烰",6,"烸烺烻烼烾",10,"焋",4,"焑焒焔焗焛",10,"焧",7,"焲焳焴"], +["9f80","焵焷",13,"煆煇煈煉煋煍煏",12,"煝煟",4,"煥煩",4,"煯煰煱煴煵煶煷煹煻煼煾",5,"熅",4,"熋熌熍熎熐熑熒熓熕熖熗熚",4,"熡",6,"熩熪熫熭",5,"熴熶熷熸熺",8,"燄",9,"燏",4], +["a040","燖",9,"燡燢燣燤燦燨",5,"燯",9,"燺",11,"爇",19], +["a080","爛爜爞",9,"爩爫爭爮爯爲爳爴爺爼爾牀",6,"牉牊牋牎牏牐牑牓牔牕牗牘牚牜牞牠牣牤牥牨牪牫牬牭牰牱牳牴牶牷牸牻牼牽犂犃犅",4,"犌犎犐犑犓",11,"犠",11,"犮犱犲犳犵犺",6,"狅狆狇狉狊狋狌狏狑狓狔狕狖狘狚狛"], +["a1a1"," 、。·ˉˇ¨〃々—~‖…‘’“”〔〕〈",7,"〖〗【】±×÷∶∧∨∑∏∪∩∈∷√⊥∥∠⌒⊙∫∮≡≌≈∽∝≠≮≯≤≥∞∵∴♂♀°′″℃$¤¢£‰§№☆★○●◎◇◆□■△▲※→←↑↓〓"], +["a2a1","ⅰ",9], +["a2b1","⒈",19,"⑴",19,"①",9], +["a2e5","㈠",9], +["a2f1","Ⅰ",11], +["a3a1","!"#¥%",88," ̄"], +["a4a1","ぁ",82], +["a5a1","ァ",85], +["a6a1","Α",16,"Σ",6], +["a6c1","α",16,"σ",6], +["a6e0","︵︶︹︺︿﹀︽︾﹁﹂﹃﹄"], +["a6ee","︻︼︷︸︱"], +["a6f4","︳︴"], +["a7a1","А",5,"ЁЖ",25], +["a7d1","а",5,"ёж",25], +["a840","ˊˋ˙–―‥‵℅℉↖↗↘↙∕∟∣≒≦≧⊿═",35,"▁",6], +["a880","█",7,"▓▔▕▼▽◢◣◤◥☉⊕〒〝〞"], +["a8a1","āáǎàēéěèīíǐìōóǒòūúǔùǖǘǚǜüêɑ"], +["a8bd","ńň"], +["a8c0","ɡ"], +["a8c5","ㄅ",36], +["a940","〡",8,"㊣㎎㎏㎜㎝㎞㎡㏄㏎㏑㏒㏕︰¬¦"], +["a959","℡㈱"], +["a95c","‐"], +["a960","ー゛゜ヽヾ〆ゝゞ﹉",9,"﹔﹕﹖﹗﹙",8], +["a980","﹢",4,"﹨﹩﹪﹫"], +["a996","〇"], +["a9a4","─",75], +["aa40","狜狝狟狢",5,"狪狫狵狶狹狽狾狿猀猂猄",5,"猋猌猍猏猐猑猒猔猘猙猚猟猠猣猤猦猧猨猭猯猰猲猳猵猶猺猻猼猽獀",8], +["aa80","獉獊獋獌獎獏獑獓獔獕獖獘",7,"獡",10,"獮獰獱"], +["ab40","獲",11,"獿",4,"玅玆玈玊玌玍玏玐玒玓玔玕玗玘玙玚玜玝玞玠玡玣",5,"玪玬玭玱玴玵玶玸玹玼玽玾玿珁珃",4], +["ab80","珋珌珎珒",6,"珚珛珜珝珟珡珢珣珤珦珨珪珫珬珮珯珰珱珳",4], +["ac40","珸",10,"琄琇琈琋琌琍琎琑",8,"琜",5,"琣琤琧琩琫琭琯琱琲琷",4,"琽琾琿瑀瑂",11], +["ac80","瑎",6,"瑖瑘瑝瑠",12,"瑮瑯瑱",4,"瑸瑹瑺"], +["ad40","瑻瑼瑽瑿璂璄璅璆璈璉璊璌璍璏璑",10,"璝璟",7,"璪",15,"璻",12], +["ad80","瓈",9,"瓓",8,"瓝瓟瓡瓥瓧",6,"瓰瓱瓲"], +["ae40","瓳瓵瓸",6,"甀甁甂甃甅",7,"甎甐甒甔甕甖甗甛甝甞甠",4,"甦甧甪甮甴甶甹甼甽甿畁畂畃畄畆畇畉畊畍畐畑畒畓畕畖畗畘"], +["ae80","畝",7,"畧畨畩畫",6,"畳畵當畷畺",4,"疀疁疂疄疅疇"], +["af40","疈疉疊疌疍疎疐疓疕疘疛疜疞疢疦",4,"疭疶疷疺疻疿痀痁痆痋痌痎痏痐痑痓痗痙痚痜痝痟痠痡痥痩痬痭痮痯痲痳痵痶痷痸痺痻痽痾瘂瘄瘆瘇"], +["af80","瘈瘉瘋瘍瘎瘏瘑瘒瘓瘔瘖瘚瘜瘝瘞瘡瘣瘧瘨瘬瘮瘯瘱瘲瘶瘷瘹瘺瘻瘽癁療癄"], +["b040","癅",6,"癎",5,"癕癗",4,"癝癟癠癡癢癤",6,"癬癭癮癰",7,"癹発發癿皀皁皃皅皉皊皌皍皏皐皒皔皕皗皘皚皛"], +["b080","皜",7,"皥",8,"皯皰皳皵",9,"盀盁盃啊阿埃挨哎唉哀皑癌蔼矮艾碍爱隘鞍氨安俺按暗岸胺案肮昂盎凹敖熬翱袄傲奥懊澳芭捌扒叭吧笆八疤巴拔跋靶把耙坝霸罢爸白柏百摆佰败拜稗斑班搬扳般颁板版扮拌伴瓣半办绊邦帮梆榜膀绑棒磅蚌镑傍谤苞胞包褒剥"], +["b140","盄盇盉盋盌盓盕盙盚盜盝盞盠",4,"盦",7,"盰盳盵盶盷盺盻盽盿眀眂眃眅眆眊県眎",10,"眛眜眝眞眡眣眤眥眧眪眫"], +["b180","眬眮眰",4,"眹眻眽眾眿睂睄睅睆睈",7,"睒",7,"睜薄雹保堡饱宝抱报暴豹鲍爆杯碑悲卑北辈背贝钡倍狈备惫焙被奔苯本笨崩绷甭泵蹦迸逼鼻比鄙笔彼碧蓖蔽毕毙毖币庇痹闭敝弊必辟壁臂避陛鞭边编贬扁便变卞辨辩辫遍标彪膘表鳖憋别瘪彬斌濒滨宾摈兵冰柄丙秉饼炳"], +["b240","睝睞睟睠睤睧睩睪睭",11,"睺睻睼瞁瞂瞃瞆",5,"瞏瞐瞓",11,"瞡瞣瞤瞦瞨瞫瞭瞮瞯瞱瞲瞴瞶",4], +["b280","瞼瞾矀",12,"矎",8,"矘矙矚矝",4,"矤病并玻菠播拨钵波博勃搏铂箔伯帛舶脖膊渤泊驳捕卜哺补埠不布步簿部怖擦猜裁材才财睬踩采彩菜蔡餐参蚕残惭惨灿苍舱仓沧藏操糙槽曹草厕策侧册测层蹭插叉茬茶查碴搽察岔差诧拆柴豺搀掺蝉馋谗缠铲产阐颤昌猖"], +["b340","矦矨矪矯矰矱矲矴矵矷矹矺矻矼砃",5,"砊砋砎砏砐砓砕砙砛砞砠砡砢砤砨砪砫砮砯砱砲砳砵砶砽砿硁硂硃硄硆硈硉硊硋硍硏硑硓硔硘硙硚"], +["b380","硛硜硞",11,"硯",7,"硸硹硺硻硽",6,"场尝常长偿肠厂敞畅唱倡超抄钞朝嘲潮巢吵炒车扯撤掣彻澈郴臣辰尘晨忱沉陈趁衬撑称城橙成呈乘程惩澄诚承逞骋秤吃痴持匙池迟弛驰耻齿侈尺赤翅斥炽充冲虫崇宠抽酬畴踌稠愁筹仇绸瞅丑臭初出橱厨躇锄雏滁除楚"], +["b440","碄碅碆碈碊碋碏碐碒碔碕碖碙碝碞碠碢碤碦碨",7,"碵碶碷碸確碻碼碽碿磀磂磃磄磆磇磈磌磍磎磏磑磒磓磖磗磘磚",9], +["b480","磤磥磦磧磩磪磫磭",4,"磳磵磶磸磹磻",5,"礂礃礄礆",6,"础储矗搐触处揣川穿椽传船喘串疮窗幢床闯创吹炊捶锤垂春椿醇唇淳纯蠢戳绰疵茨磁雌辞慈瓷词此刺赐次聪葱囱匆从丛凑粗醋簇促蹿篡窜摧崔催脆瘁粹淬翠村存寸磋撮搓措挫错搭达答瘩打大呆歹傣戴带殆代贷袋待逮"], +["b540","礍",5,"礔",9,"礟",4,"礥",14,"礵",4,"礽礿祂祃祄祅祇祊",8,"祔祕祘祙祡祣"], +["b580","祤祦祩祪祫祬祮祰",6,"祹祻",4,"禂禃禆禇禈禉禋禌禍禎禐禑禒怠耽担丹单郸掸胆旦氮但惮淡诞弹蛋当挡党荡档刀捣蹈倒岛祷导到稻悼道盗德得的蹬灯登等瞪凳邓堤低滴迪敌笛狄涤翟嫡抵底地蒂第帝弟递缔颠掂滇碘点典靛垫电佃甸店惦奠淀殿碉叼雕凋刁掉吊钓调跌爹碟蝶迭谍叠"], +["b640","禓",6,"禛",11,"禨",10,"禴",4,"禼禿秂秄秅秇秈秊秌秎秏秐秓秔秖秗秙",5,"秠秡秢秥秨秪"], +["b680","秬秮秱",6,"秹秺秼秾秿稁稄稅稇稈稉稊稌稏",4,"稕稖稘稙稛稜丁盯叮钉顶鼎锭定订丢东冬董懂动栋侗恫冻洞兜抖斗陡豆逗痘都督毒犊独读堵睹赌杜镀肚度渡妒端短锻段断缎堆兑队对墩吨蹲敦顿囤钝盾遁掇哆多夺垛躲朵跺舵剁惰堕蛾峨鹅俄额讹娥恶厄扼遏鄂饿恩而儿耳尔饵洱二"], +["b740","稝稟稡稢稤",14,"稴稵稶稸稺稾穀",5,"穇",9,"穒",4,"穘",16], +["b780","穩",6,"穱穲穳穵穻穼穽穾窂窅窇窉窊窋窌窎窏窐窓窔窙窚窛窞窡窢贰发罚筏伐乏阀法珐藩帆番翻樊矾钒繁凡烦反返范贩犯饭泛坊芳方肪房防妨仿访纺放菲非啡飞肥匪诽吠肺废沸费芬酚吩氛分纷坟焚汾粉奋份忿愤粪丰封枫蜂峰锋风疯烽逢冯缝讽奉凤佛否夫敷肤孵扶拂辐幅氟符伏俘服"], +["b840","窣窤窧窩窪窫窮",4,"窴",10,"竀",10,"竌",9,"竗竘竚竛竜竝竡竢竤竧",5,"竮竰竱竲竳"], +["b880","竴",4,"竻竼竾笀笁笂笅笇笉笌笍笎笐笒笓笖笗笘笚笜笝笟笡笢笣笧笩笭浮涪福袱弗甫抚辅俯釜斧脯腑府腐赴副覆赋复傅付阜父腹负富讣附妇缚咐噶嘎该改概钙盖溉干甘杆柑竿肝赶感秆敢赣冈刚钢缸肛纲岗港杠篙皋高膏羔糕搞镐稿告哥歌搁戈鸽胳疙割革葛格蛤阁隔铬个各给根跟耕更庚羹"], +["b940","笯笰笲笴笵笶笷笹笻笽笿",5,"筆筈筊筍筎筓筕筗筙筜筞筟筡筣",10,"筯筰筳筴筶筸筺筼筽筿箁箂箃箄箆",6,"箎箏"], +["b980","箑箒箓箖箘箙箚箛箞箟箠箣箤箥箮箯箰箲箳箵箶箷箹",7,"篂篃範埂耿梗工攻功恭龚供躬公宫弓巩汞拱贡共钩勾沟苟狗垢构购够辜菇咕箍估沽孤姑鼓古蛊骨谷股故顾固雇刮瓜剐寡挂褂乖拐怪棺关官冠观管馆罐惯灌贯光广逛瑰规圭硅归龟闺轨鬼诡癸桂柜跪贵刽辊滚棍锅郭国果裹过哈"], +["ba40","篅篈築篊篋篍篎篏篐篒篔",4,"篛篜篞篟篠篢篣篤篧篨篩篫篬篭篯篰篲",4,"篸篹篺篻篽篿",7,"簈簉簊簍簎簐",5,"簗簘簙"], +["ba80","簚",4,"簠",5,"簨簩簫",12,"簹",5,"籂骸孩海氦亥害骇酣憨邯韩含涵寒函喊罕翰撼捍旱憾悍焊汗汉夯杭航壕嚎豪毫郝好耗号浩呵喝荷菏核禾和何合盒貉阂河涸赫褐鹤贺嘿黑痕很狠恨哼亨横衡恒轰哄烘虹鸿洪宏弘红喉侯猴吼厚候后呼乎忽瑚壶葫胡蝴狐糊湖"], +["bb40","籃",9,"籎",36,"籵",5,"籾",9], +["bb80","粈粊",6,"粓粔粖粙粚粛粠粡粣粦粧粨粩粫粬粭粯粰粴",4,"粺粻弧虎唬护互沪户花哗华猾滑画划化话槐徊怀淮坏欢环桓还缓换患唤痪豢焕涣宦幻荒慌黄磺蝗簧皇凰惶煌晃幌恍谎灰挥辉徽恢蛔回毁悔慧卉惠晦贿秽会烩汇讳诲绘荤昏婚魂浑混豁活伙火获或惑霍货祸击圾基机畸稽积箕"], +["bc40","粿糀糂糃糄糆糉糋糎",6,"糘糚糛糝糞糡",6,"糩",5,"糰",7,"糹糺糼",13,"紋",5], +["bc80","紑",14,"紡紣紤紥紦紨紩紪紬紭紮細",6,"肌饥迹激讥鸡姬绩缉吉极棘辑籍集及急疾汲即嫉级挤几脊己蓟技冀季伎祭剂悸济寄寂计记既忌际妓继纪嘉枷夹佳家加荚颊贾甲钾假稼价架驾嫁歼监坚尖笺间煎兼肩艰奸缄茧检柬碱硷拣捡简俭剪减荐槛鉴践贱见键箭件"], +["bd40","紷",54,"絯",7], +["bd80","絸",32,"健舰剑饯渐溅涧建僵姜将浆江疆蒋桨奖讲匠酱降蕉椒礁焦胶交郊浇骄娇嚼搅铰矫侥脚狡角饺缴绞剿教酵轿较叫窖揭接皆秸街阶截劫节桔杰捷睫竭洁结解姐戒藉芥界借介疥诫届巾筋斤金今津襟紧锦仅谨进靳晋禁近烬浸"], +["be40","継",12,"綧",6,"綯",42], +["be80","線",32,"尽劲荆兢茎睛晶鲸京惊精粳经井警景颈静境敬镜径痉靖竟竞净炯窘揪究纠玖韭久灸九酒厩救旧臼舅咎就疚鞠拘狙疽居驹菊局咀矩举沮聚拒据巨具距踞锯俱句惧炬剧捐鹃娟倦眷卷绢撅攫抉掘倔爵觉决诀绝均菌钧军君峻"], +["bf40","緻",62], +["bf80","縺縼",4,"繂",4,"繈",21,"俊竣浚郡骏喀咖卡咯开揩楷凯慨刊堪勘坎砍看康慷糠扛抗亢炕考拷烤靠坷苛柯棵磕颗科壳咳可渴克刻客课肯啃垦恳坑吭空恐孔控抠口扣寇枯哭窟苦酷库裤夸垮挎跨胯块筷侩快宽款匡筐狂框矿眶旷况亏盔岿窥葵奎魁傀"], +["c040","繞",35,"纃",23,"纜纝纞"], +["c080","纮纴纻纼绖绤绬绹缊缐缞缷缹缻",6,"罃罆",9,"罒罓馈愧溃坤昆捆困括扩廓阔垃拉喇蜡腊辣啦莱来赖蓝婪栏拦篮阑兰澜谰揽览懒缆烂滥琅榔狼廊郎朗浪捞劳牢老佬姥酪烙涝勒乐雷镭蕾磊累儡垒擂肋类泪棱楞冷厘梨犁黎篱狸离漓理李里鲤礼莉荔吏栗丽厉励砾历利傈例俐"], +["c140","罖罙罛罜罝罞罠罣",4,"罫罬罭罯罰罳罵罶罷罸罺罻罼罽罿羀羂",7,"羋羍羏",4,"羕",4,"羛羜羠羢羣羥羦羨",6,"羱"], +["c180","羳",4,"羺羻羾翀翂翃翄翆翇翈翉翋翍翏",4,"翖翗翙",5,"翢翣痢立粒沥隶力璃哩俩联莲连镰廉怜涟帘敛脸链恋炼练粮凉梁粱良两辆量晾亮谅撩聊僚疗燎寥辽潦了撂镣廖料列裂烈劣猎琳林磷霖临邻鳞淋凛赁吝拎玲菱零龄铃伶羚凌灵陵岭领另令溜琉榴硫馏留刘瘤流柳六龙聋咙笼窿"], +["c240","翤翧翨翪翫翬翭翯翲翴",6,"翽翾翿耂耇耈耉耊耎耏耑耓耚耛耝耞耟耡耣耤耫",5,"耲耴耹耺耼耾聀聁聄聅聇聈聉聎聏聐聑聓聕聖聗"], +["c280","聙聛",13,"聫",5,"聲",11,"隆垄拢陇楼娄搂篓漏陋芦卢颅庐炉掳卤虏鲁麓碌露路赂鹿潞禄录陆戮驴吕铝侣旅履屡缕虑氯律率滤绿峦挛孪滦卵乱掠略抡轮伦仑沦纶论萝螺罗逻锣箩骡裸落洛骆络妈麻玛码蚂马骂嘛吗埋买麦卖迈脉瞒馒蛮满蔓曼慢漫"], +["c340","聾肁肂肅肈肊肍",5,"肔肕肗肙肞肣肦肧肨肬肰肳肵肶肸肹肻胅胇",4,"胏",6,"胘胟胠胢胣胦胮胵胷胹胻胾胿脀脁脃脄脅脇脈脋"], +["c380","脌脕脗脙脛脜脝脟",12,"脭脮脰脳脴脵脷脹",4,"脿谩芒茫盲氓忙莽猫茅锚毛矛铆卯茂冒帽貌贸么玫枚梅酶霉煤没眉媒镁每美昧寐妹媚门闷们萌蒙檬盟锰猛梦孟眯醚靡糜迷谜弥米秘觅泌蜜密幂棉眠绵冕免勉娩缅面苗描瞄藐秒渺庙妙蔑灭民抿皿敏悯闽明螟鸣铭名命谬摸"], +["c440","腀",5,"腇腉腍腎腏腒腖腗腘腛",4,"腡腢腣腤腦腨腪腫腬腯腲腳腵腶腷腸膁膃",4,"膉膋膌膍膎膐膒",5,"膙膚膞",4,"膤膥"], +["c480","膧膩膫",7,"膴",5,"膼膽膾膿臄臅臇臈臉臋臍",6,"摹蘑模膜磨摩魔抹末莫墨默沫漠寞陌谋牟某拇牡亩姆母墓暮幕募慕木目睦牧穆拿哪呐钠那娜纳氖乃奶耐奈南男难囊挠脑恼闹淖呢馁内嫩能妮霓倪泥尼拟你匿腻逆溺蔫拈年碾撵捻念娘酿鸟尿捏聂孽啮镊镍涅您柠狞凝宁"], +["c540","臔",14,"臤臥臦臨臩臫臮",4,"臵",5,"臽臿舃與",4,"舎舏舑舓舕",5,"舝舠舤舥舦舧舩舮舲舺舼舽舿"], +["c580","艀艁艂艃艅艆艈艊艌艍艎艐",7,"艙艛艜艝艞艠",7,"艩拧泞牛扭钮纽脓浓农弄奴努怒女暖虐疟挪懦糯诺哦欧鸥殴藕呕偶沤啪趴爬帕怕琶拍排牌徘湃派攀潘盘磐盼畔判叛乓庞旁耪胖抛咆刨炮袍跑泡呸胚培裴赔陪配佩沛喷盆砰抨烹澎彭蓬棚硼篷膨朋鹏捧碰坯砒霹批披劈琵毗"], +["c640","艪艫艬艭艱艵艶艷艸艻艼芀芁芃芅芆芇芉芌芐芓芔芕芖芚芛芞芠芢芣芧芲芵芶芺芻芼芿苀苂苃苅苆苉苐苖苙苚苝苢苧苨苩苪苬苭苮苰苲苳苵苶苸"], +["c680","苺苼",4,"茊茋茍茐茒茓茖茘茙茝",9,"茩茪茮茰茲茷茻茽啤脾疲皮匹痞僻屁譬篇偏片骗飘漂瓢票撇瞥拼频贫品聘乒坪苹萍平凭瓶评屏坡泼颇婆破魄迫粕剖扑铺仆莆葡菩蒲埔朴圃普浦谱曝瀑期欺栖戚妻七凄漆柒沏其棋奇歧畦崎脐齐旗祈祁骑起岂乞企启契砌器气迄弃汽泣讫掐"], +["c740","茾茿荁荂荄荅荈荊",4,"荓荕",4,"荝荢荰",6,"荹荺荾",6,"莇莈莊莋莌莍莏莐莑莔莕莖莗莙莚莝莟莡",6,"莬莭莮"], +["c780","莯莵莻莾莿菂菃菄菆菈菉菋菍菎菐菑菒菓菕菗菙菚菛菞菢菣菤菦菧菨菫菬菭恰洽牵扦钎铅千迁签仟谦乾黔钱钳前潜遣浅谴堑嵌欠歉枪呛腔羌墙蔷强抢橇锹敲悄桥瞧乔侨巧鞘撬翘峭俏窍切茄且怯窃钦侵亲秦琴勤芹擒禽寝沁青轻氢倾卿清擎晴氰情顷请庆琼穷秋丘邱球求囚酋泅趋区蛆曲躯屈驱渠"], +["c840","菮華菳",4,"菺菻菼菾菿萀萂萅萇萈萉萊萐萒",5,"萙萚萛萞",5,"萩",7,"萲",5,"萹萺萻萾",7,"葇葈葉"], +["c880","葊",6,"葒",4,"葘葝葞葟葠葢葤",4,"葪葮葯葰葲葴葷葹葻葼取娶龋趣去圈颧权醛泉全痊拳犬券劝缺炔瘸却鹊榷确雀裙群然燃冉染瓤壤攘嚷让饶扰绕惹热壬仁人忍韧任认刃妊纫扔仍日戎茸蓉荣融熔溶容绒冗揉柔肉茹蠕儒孺如辱乳汝入褥软阮蕊瑞锐闰润若弱撒洒萨腮鳃塞赛三叁"], +["c940","葽",4,"蒃蒄蒅蒆蒊蒍蒏",7,"蒘蒚蒛蒝蒞蒟蒠蒢",12,"蒰蒱蒳蒵蒶蒷蒻蒼蒾蓀蓂蓃蓅蓆蓇蓈蓋蓌蓎蓏蓒蓔蓕蓗"], +["c980","蓘",4,"蓞蓡蓢蓤蓧",4,"蓭蓮蓯蓱",10,"蓽蓾蔀蔁蔂伞散桑嗓丧搔骚扫嫂瑟色涩森僧莎砂杀刹沙纱傻啥煞筛晒珊苫杉山删煽衫闪陕擅赡膳善汕扇缮墒伤商赏晌上尚裳梢捎稍烧芍勺韶少哨邵绍奢赊蛇舌舍赦摄射慑涉社设砷申呻伸身深娠绅神沈审婶甚肾慎渗声生甥牲升绳"], +["ca40","蔃",8,"蔍蔎蔏蔐蔒蔔蔕蔖蔘蔙蔛蔜蔝蔞蔠蔢",8,"蔭",9,"蔾",4,"蕄蕅蕆蕇蕋",10], +["ca80","蕗蕘蕚蕛蕜蕝蕟",4,"蕥蕦蕧蕩",8,"蕳蕵蕶蕷蕸蕼蕽蕿薀薁省盛剩胜圣师失狮施湿诗尸虱十石拾时什食蚀实识史矢使屎驶始式示士世柿事拭誓逝势是嗜噬适仕侍释饰氏市恃室视试收手首守寿授售受瘦兽蔬枢梳殊抒输叔舒淑疏书赎孰熟薯暑曙署蜀黍鼠属术述树束戍竖墅庶数漱"], +["cb40","薂薃薆薈",6,"薐",10,"薝",6,"薥薦薧薩薫薬薭薱",5,"薸薺",6,"藂",6,"藊",4,"藑藒"], +["cb80","藔藖",5,"藝",6,"藥藦藧藨藪",14,"恕刷耍摔衰甩帅栓拴霜双爽谁水睡税吮瞬顺舜说硕朔烁斯撕嘶思私司丝死肆寺嗣四伺似饲巳松耸怂颂送宋讼诵搜艘擞嗽苏酥俗素速粟僳塑溯宿诉肃酸蒜算虽隋随绥髓碎岁穗遂隧祟孙损笋蓑梭唆缩琐索锁所塌他它她塔"], +["cc40","藹藺藼藽藾蘀",4,"蘆",10,"蘒蘓蘔蘕蘗",15,"蘨蘪",13,"蘹蘺蘻蘽蘾蘿虀"], +["cc80","虁",11,"虒虓處",4,"虛虜虝號虠虡虣",7,"獭挞蹋踏胎苔抬台泰酞太态汰坍摊贪瘫滩坛檀痰潭谭谈坦毯袒碳探叹炭汤塘搪堂棠膛唐糖倘躺淌趟烫掏涛滔绦萄桃逃淘陶讨套特藤腾疼誊梯剔踢锑提题蹄啼体替嚏惕涕剃屉天添填田甜恬舔腆挑条迢眺跳贴铁帖厅听烃"], +["cd40","虭虯虰虲",6,"蚃",6,"蚎",4,"蚔蚖",5,"蚞",4,"蚥蚦蚫蚭蚮蚲蚳蚷蚸蚹蚻",4,"蛁蛂蛃蛅蛈蛌蛍蛒蛓蛕蛖蛗蛚蛜"], +["cd80","蛝蛠蛡蛢蛣蛥蛦蛧蛨蛪蛫蛬蛯蛵蛶蛷蛺蛻蛼蛽蛿蜁蜄蜅蜆蜋蜌蜎蜏蜐蜑蜔蜖汀廷停亭庭挺艇通桐酮瞳同铜彤童桶捅筒统痛偷投头透凸秃突图徒途涂屠土吐兔湍团推颓腿蜕褪退吞屯臀拖托脱鸵陀驮驼椭妥拓唾挖哇蛙洼娃瓦袜歪外豌弯湾玩顽丸烷完碗挽晚皖惋宛婉万腕汪王亡枉网往旺望忘妄威"], +["ce40","蜙蜛蜝蜟蜠蜤蜦蜧蜨蜪蜫蜬蜭蜯蜰蜲蜳蜵蜶蜸蜹蜺蜼蜽蝀",6,"蝊蝋蝍蝏蝐蝑蝒蝔蝕蝖蝘蝚",5,"蝡蝢蝦",7,"蝯蝱蝲蝳蝵"], +["ce80","蝷蝸蝹蝺蝿螀螁螄螆螇螉螊螌螎",4,"螔螕螖螘",6,"螠",4,"巍微危韦违桅围唯惟为潍维苇萎委伟伪尾纬未蔚味畏胃喂魏位渭谓尉慰卫瘟温蚊文闻纹吻稳紊问嗡翁瓮挝蜗涡窝我斡卧握沃巫呜钨乌污诬屋无芜梧吾吴毋武五捂午舞伍侮坞戊雾晤物勿务悟误昔熙析西硒矽晰嘻吸锡牺"], +["cf40","螥螦螧螩螪螮螰螱螲螴螶螷螸螹螻螼螾螿蟁",4,"蟇蟈蟉蟌",4,"蟔",6,"蟜蟝蟞蟟蟡蟢蟣蟤蟦蟧蟨蟩蟫蟬蟭蟯",9], +["cf80","蟺蟻蟼蟽蟿蠀蠁蠂蠄",5,"蠋",7,"蠔蠗蠘蠙蠚蠜",4,"蠣稀息希悉膝夕惜熄烯溪汐犀檄袭席习媳喜铣洗系隙戏细瞎虾匣霞辖暇峡侠狭下厦夏吓掀锨先仙鲜纤咸贤衔舷闲涎弦嫌显险现献县腺馅羡宪陷限线相厢镶香箱襄湘乡翔祥详想响享项巷橡像向象萧硝霄削哮嚣销消宵淆晓"], +["d040","蠤",13,"蠳",5,"蠺蠻蠽蠾蠿衁衂衃衆",5,"衎",5,"衕衖衘衚",6,"衦衧衪衭衯衱衳衴衵衶衸衹衺"], +["d080","衻衼袀袃袆袇袉袊袌袎袏袐袑袓袔袕袗",4,"袝",4,"袣袥",5,"小孝校肖啸笑效楔些歇蝎鞋协挟携邪斜胁谐写械卸蟹懈泄泻谢屑薪芯锌欣辛新忻心信衅星腥猩惺兴刑型形邢行醒幸杏性姓兄凶胸匈汹雄熊休修羞朽嗅锈秀袖绣墟戌需虚嘘须徐许蓄酗叙旭序畜恤絮婿绪续轩喧宣悬旋玄"], +["d140","袬袮袯袰袲",4,"袸袹袺袻袽袾袿裀裃裄裇裈裊裋裌裍裏裐裑裓裖裗裚",4,"裠裡裦裧裩",6,"裲裵裶裷裺裻製裿褀褁褃",5], +["d180","褉褋",4,"褑褔",4,"褜",4,"褢褣褤褦褧褨褩褬褭褮褯褱褲褳褵褷选癣眩绚靴薛学穴雪血勋熏循旬询寻驯巡殉汛训讯逊迅压押鸦鸭呀丫芽牙蚜崖衙涯雅哑亚讶焉咽阉烟淹盐严研蜒岩延言颜阎炎沿奄掩眼衍演艳堰燕厌砚雁唁彦焰宴谚验殃央鸯秧杨扬佯疡羊洋阳氧仰痒养样漾邀腰妖瑶"], +["d240","褸",8,"襂襃襅",24,"襠",5,"襧",19,"襼"], +["d280","襽襾覀覂覄覅覇",26,"摇尧遥窑谣姚咬舀药要耀椰噎耶爷野冶也页掖业叶曳腋夜液一壹医揖铱依伊衣颐夷遗移仪胰疑沂宜姨彝椅蚁倚已乙矣以艺抑易邑屹亿役臆逸肄疫亦裔意毅忆义益溢诣议谊译异翼翌绎茵荫因殷音阴姻吟银淫寅饮尹引隐"], +["d340","覢",30,"觃觍觓觔觕觗觘觙觛觝觟觠觡觢觤觧觨觩觪觬觭觮觰觱觲觴",6], +["d380","觻",4,"訁",5,"計",21,"印英樱婴鹰应缨莹萤营荧蝇迎赢盈影颖硬映哟拥佣臃痈庸雍踊蛹咏泳涌永恿勇用幽优悠忧尤由邮铀犹油游酉有友右佑釉诱又幼迂淤于盂榆虞愚舆余俞逾鱼愉渝渔隅予娱雨与屿禹宇语羽玉域芋郁吁遇喻峪御愈欲狱育誉"], +["d440","訞",31,"訿",8,"詉",21], +["d480","詟",25,"詺",6,"浴寓裕预豫驭鸳渊冤元垣袁原援辕园员圆猿源缘远苑愿怨院曰约越跃钥岳粤月悦阅耘云郧匀陨允运蕴酝晕韵孕匝砸杂栽哉灾宰载再在咱攒暂赞赃脏葬遭糟凿藻枣早澡蚤躁噪造皂灶燥责择则泽贼怎增憎曾赠扎喳渣札轧"], +["d540","誁",7,"誋",7,"誔",46], +["d580","諃",32,"铡闸眨栅榨咋乍炸诈摘斋宅窄债寨瞻毡詹粘沾盏斩辗崭展蘸栈占战站湛绽樟章彰漳张掌涨杖丈帐账仗胀瘴障招昭找沼赵照罩兆肇召遮折哲蛰辙者锗蔗这浙珍斟真甄砧臻贞针侦枕疹诊震振镇阵蒸挣睁征狰争怔整拯正政"], +["d640","諤",34,"謈",27], +["d680","謤謥謧",30,"帧症郑证芝枝支吱蜘知肢脂汁之织职直植殖执值侄址指止趾只旨纸志挚掷至致置帜峙制智秩稚质炙痔滞治窒中盅忠钟衷终种肿重仲众舟周州洲诌粥轴肘帚咒皱宙昼骤珠株蛛朱猪诸诛逐竹烛煮拄瞩嘱主著柱助蛀贮铸筑"], +["d740","譆",31,"譧",4,"譭",25], +["d780","讇",24,"讬讱讻诇诐诪谉谞住注祝驻抓爪拽专砖转撰赚篆桩庄装妆撞壮状椎锥追赘坠缀谆准捉拙卓桌琢茁酌啄着灼浊兹咨资姿滋淄孜紫仔籽滓子自渍字鬃棕踪宗综总纵邹走奏揍租足卒族祖诅阻组钻纂嘴醉最罪尊遵昨左佐柞做作坐座"], +["d840","谸",8,"豂豃豄豅豈豊豋豍",7,"豖豗豘豙豛",5,"豣",6,"豬",6,"豴豵豶豷豻",6,"貃貄貆貇"], +["d880","貈貋貍",6,"貕貖貗貙",20,"亍丌兀丐廿卅丕亘丞鬲孬噩丨禺丿匕乇夭爻卮氐囟胤馗毓睾鼗丶亟鼐乜乩亓芈孛啬嘏仄厍厝厣厥厮靥赝匚叵匦匮匾赜卦卣刂刈刎刭刳刿剀剌剞剡剜蒯剽劂劁劐劓冂罔亻仃仉仂仨仡仫仞伛仳伢佤仵伥伧伉伫佞佧攸佚佝"], +["d940","貮",62], +["d980","賭",32,"佟佗伲伽佶佴侑侉侃侏佾佻侪佼侬侔俦俨俪俅俚俣俜俑俟俸倩偌俳倬倏倮倭俾倜倌倥倨偾偃偕偈偎偬偻傥傧傩傺僖儆僭僬僦僮儇儋仝氽佘佥俎龠汆籴兮巽黉馘冁夔勹匍訇匐凫夙兕亠兖亳衮袤亵脔裒禀嬴蠃羸冫冱冽冼"], +["da40","贎",14,"贠赑赒赗赟赥赨赩赪赬赮赯赱赲赸",8,"趂趃趆趇趈趉趌",4,"趒趓趕",9,"趠趡"], +["da80","趢趤",12,"趲趶趷趹趻趽跀跁跂跅跇跈跉跊跍跐跒跓跔凇冖冢冥讠讦讧讪讴讵讷诂诃诋诏诎诒诓诔诖诘诙诜诟诠诤诨诩诮诰诳诶诹诼诿谀谂谄谇谌谏谑谒谔谕谖谙谛谘谝谟谠谡谥谧谪谫谮谯谲谳谵谶卩卺阝阢阡阱阪阽阼陂陉陔陟陧陬陲陴隈隍隗隰邗邛邝邙邬邡邴邳邶邺"], +["db40","跕跘跙跜跠跡跢跥跦跧跩跭跮跰跱跲跴跶跼跾",6,"踆踇踈踋踍踎踐踑踒踓踕",7,"踠踡踤",4,"踫踭踰踲踳踴踶踷踸踻踼踾"], +["db80","踿蹃蹅蹆蹌",4,"蹓",5,"蹚",11,"蹧蹨蹪蹫蹮蹱邸邰郏郅邾郐郄郇郓郦郢郜郗郛郫郯郾鄄鄢鄞鄣鄱鄯鄹酃酆刍奂劢劬劭劾哿勐勖勰叟燮矍廴凵凼鬯厶弁畚巯坌垩垡塾墼壅壑圩圬圪圳圹圮圯坜圻坂坩垅坫垆坼坻坨坭坶坳垭垤垌垲埏垧垴垓垠埕埘埚埙埒垸埴埯埸埤埝"], +["dc40","蹳蹵蹷",4,"蹽蹾躀躂躃躄躆躈",6,"躑躒躓躕",6,"躝躟",11,"躭躮躰躱躳",6,"躻",7], +["dc80","軃",10,"軏",21,"堋堍埽埭堀堞堙塄堠塥塬墁墉墚墀馨鼙懿艹艽艿芏芊芨芄芎芑芗芙芫芸芾芰苈苊苣芘芷芮苋苌苁芩芴芡芪芟苄苎芤苡茉苷苤茏茇苜苴苒苘茌苻苓茑茚茆茔茕苠苕茜荑荛荜茈莒茼茴茱莛荞茯荏荇荃荟荀茗荠茭茺茳荦荥"], +["dd40","軥",62], +["dd80","輤",32,"荨茛荩荬荪荭荮莰荸莳莴莠莪莓莜莅荼莶莩荽莸荻莘莞莨莺莼菁萁菥菘堇萘萋菝菽菖萜萸萑萆菔菟萏萃菸菹菪菅菀萦菰菡葜葑葚葙葳蒇蒈葺蒉葸萼葆葩葶蒌蒎萱葭蓁蓍蓐蓦蒽蓓蓊蒿蒺蓠蒡蒹蒴蒗蓥蓣蔌甍蔸蓰蔹蔟蔺"], +["de40","轅",32,"轪辀辌辒辝辠辡辢辤辥辦辧辪辬辭辮辯農辳辴辵辷辸辺辻込辿迀迃迆"], +["de80","迉",4,"迏迒迖迗迚迠迡迣迧迬迯迱迲迴迵迶迺迻迼迾迿逇逈逌逎逓逕逘蕖蔻蓿蓼蕙蕈蕨蕤蕞蕺瞢蕃蕲蕻薤薨薇薏蕹薮薜薅薹薷薰藓藁藜藿蘧蘅蘩蘖蘼廾弈夼奁耷奕奚奘匏尢尥尬尴扌扪抟抻拊拚拗拮挢拶挹捋捃掭揶捱捺掎掴捭掬掊捩掮掼揲揸揠揿揄揞揎摒揆掾摅摁搋搛搠搌搦搡摞撄摭撖"], +["df40","這逜連逤逥逧",5,"逰",4,"逷逹逺逽逿遀遃遅遆遈",4,"過達違遖遙遚遜",5,"遤遦遧適遪遫遬遯",4,"遶",6,"遾邁"], +["df80","還邅邆邇邉邊邌",4,"邒邔邖邘邚邜邞邟邠邤邥邧邨邩邫邭邲邷邼邽邿郀摺撷撸撙撺擀擐擗擤擢攉攥攮弋忒甙弑卟叱叽叩叨叻吒吖吆呋呒呓呔呖呃吡呗呙吣吲咂咔呷呱呤咚咛咄呶呦咝哐咭哂咴哒咧咦哓哔呲咣哕咻咿哌哙哚哜咩咪咤哝哏哞唛哧唠哽唔哳唢唣唏唑唧唪啧喏喵啉啭啁啕唿啐唼"], +["e040","郂郃郆郈郉郋郌郍郒郔郕郖郘郙郚郞郟郠郣郤郥郩郪郬郮郰郱郲郳郵郶郷郹郺郻郼郿鄀鄁鄃鄅",19,"鄚鄛鄜"], +["e080","鄝鄟鄠鄡鄤",10,"鄰鄲",6,"鄺",8,"酄唷啖啵啶啷唳唰啜喋嗒喃喱喹喈喁喟啾嗖喑啻嗟喽喾喔喙嗪嗷嗉嘟嗑嗫嗬嗔嗦嗝嗄嗯嗥嗲嗳嗌嗍嗨嗵嗤辔嘞嘈嘌嘁嘤嘣嗾嘀嘧嘭噘嘹噗嘬噍噢噙噜噌噔嚆噤噱噫噻噼嚅嚓嚯囔囗囝囡囵囫囹囿圄圊圉圜帏帙帔帑帱帻帼"], +["e140","酅酇酈酑酓酔酕酖酘酙酛酜酟酠酦酧酨酫酭酳酺酻酼醀",4,"醆醈醊醎醏醓",6,"醜",5,"醤",5,"醫醬醰醱醲醳醶醷醸醹醻"], +["e180","醼",10,"釈釋釐釒",9,"針",8,"帷幄幔幛幞幡岌屺岍岐岖岈岘岙岑岚岜岵岢岽岬岫岱岣峁岷峄峒峤峋峥崂崃崧崦崮崤崞崆崛嵘崾崴崽嵬嵛嵯嵝嵫嵋嵊嵩嵴嶂嶙嶝豳嶷巅彳彷徂徇徉後徕徙徜徨徭徵徼衢彡犭犰犴犷犸狃狁狎狍狒狨狯狩狲狴狷猁狳猃狺"], +["e240","釦",62], +["e280","鈥",32,"狻猗猓猡猊猞猝猕猢猹猥猬猸猱獐獍獗獠獬獯獾舛夥飧夤夂饣饧",5,"饴饷饽馀馄馇馊馍馐馑馓馔馕庀庑庋庖庥庠庹庵庾庳赓廒廑廛廨廪膺忄忉忖忏怃忮怄忡忤忾怅怆忪忭忸怙怵怦怛怏怍怩怫怊怿怡恸恹恻恺恂"], +["e340","鉆",45,"鉵",16], +["e380","銆",7,"銏",24,"恪恽悖悚悭悝悃悒悌悛惬悻悱惝惘惆惚悴愠愦愕愣惴愀愎愫慊慵憬憔憧憷懔懵忝隳闩闫闱闳闵闶闼闾阃阄阆阈阊阋阌阍阏阒阕阖阗阙阚丬爿戕氵汔汜汊沣沅沐沔沌汨汩汴汶沆沩泐泔沭泷泸泱泗沲泠泖泺泫泮沱泓泯泾"], +["e440","銨",5,"銯",24,"鋉",31], +["e480","鋩",32,"洹洧洌浃浈洇洄洙洎洫浍洮洵洚浏浒浔洳涑浯涞涠浞涓涔浜浠浼浣渚淇淅淞渎涿淠渑淦淝淙渖涫渌涮渫湮湎湫溲湟溆湓湔渲渥湄滟溱溘滠漭滢溥溧溽溻溷滗溴滏溏滂溟潢潆潇漤漕滹漯漶潋潴漪漉漩澉澍澌潸潲潼潺濑"], +["e540","錊",51,"錿",10], +["e580","鍊",31,"鍫濉澧澹澶濂濡濮濞濠濯瀚瀣瀛瀹瀵灏灞宀宄宕宓宥宸甯骞搴寤寮褰寰蹇謇辶迓迕迥迮迤迩迦迳迨逅逄逋逦逑逍逖逡逵逶逭逯遄遑遒遐遨遘遢遛暹遴遽邂邈邃邋彐彗彖彘尻咫屐屙孱屣屦羼弪弩弭艴弼鬻屮妁妃妍妩妪妣"], +["e640","鍬",34,"鎐",27], +["e680","鎬",29,"鏋鏌鏍妗姊妫妞妤姒妲妯姗妾娅娆姝娈姣姘姹娌娉娲娴娑娣娓婀婧婊婕娼婢婵胬媪媛婷婺媾嫫媲嫒嫔媸嫠嫣嫱嫖嫦嫘嫜嬉嬗嬖嬲嬷孀尕尜孚孥孳孑孓孢驵驷驸驺驿驽骀骁骅骈骊骐骒骓骖骘骛骜骝骟骠骢骣骥骧纟纡纣纥纨纩"], +["e740","鏎",7,"鏗",54], +["e780","鐎",32,"纭纰纾绀绁绂绉绋绌绐绔绗绛绠绡绨绫绮绯绱绲缍绶绺绻绾缁缂缃缇缈缋缌缏缑缒缗缙缜缛缟缡",6,"缪缫缬缭缯",4,"缵幺畿巛甾邕玎玑玮玢玟珏珂珑玷玳珀珉珈珥珙顼琊珩珧珞玺珲琏琪瑛琦琥琨琰琮琬"], +["e840","鐯",14,"鐿",43,"鑬鑭鑮鑯"], +["e880","鑰",20,"钑钖钘铇铏铓铔铚铦铻锜锠琛琚瑁瑜瑗瑕瑙瑷瑭瑾璜璎璀璁璇璋璞璨璩璐璧瓒璺韪韫韬杌杓杞杈杩枥枇杪杳枘枧杵枨枞枭枋杷杼柰栉柘栊柩枰栌柙枵柚枳柝栀柃枸柢栎柁柽栲栳桠桡桎桢桄桤梃栝桕桦桁桧桀栾桊桉栩梵梏桴桷梓桫棂楮棼椟椠棹"], +["e940","锧锳锽镃镈镋镕镚镠镮镴镵長",7,"門",42], +["e980","閫",32,"椤棰椋椁楗棣椐楱椹楠楂楝榄楫榀榘楸椴槌榇榈槎榉楦楣楹榛榧榻榫榭槔榱槁槊槟榕槠榍槿樯槭樗樘橥槲橄樾檠橐橛樵檎橹樽樨橘橼檑檐檩檗檫猷獒殁殂殇殄殒殓殍殚殛殡殪轫轭轱轲轳轵轶轸轷轹轺轼轾辁辂辄辇辋"], +["ea40","闌",27,"闬闿阇阓阘阛阞阠阣",6,"阫阬阭阯阰阷阸阹阺阾陁陃陊陎陏陑陒陓陖陗"], +["ea80","陘陙陚陜陝陞陠陣陥陦陫陭",4,"陳陸",12,"隇隉隊辍辎辏辘辚軎戋戗戛戟戢戡戥戤戬臧瓯瓴瓿甏甑甓攴旮旯旰昊昙杲昃昕昀炅曷昝昴昱昶昵耆晟晔晁晏晖晡晗晷暄暌暧暝暾曛曜曦曩贲贳贶贻贽赀赅赆赈赉赇赍赕赙觇觊觋觌觎觏觐觑牮犟牝牦牯牾牿犄犋犍犏犒挈挲掰"], +["eb40","隌階隑隒隓隕隖隚際隝",9,"隨",7,"隱隲隴隵隷隸隺隻隿雂雃雈雊雋雐雑雓雔雖",9,"雡",6,"雫"], +["eb80","雬雭雮雰雱雲雴雵雸雺電雼雽雿霂霃霅霊霋霌霐霑霒霔霕霗",4,"霝霟霠搿擘耄毪毳毽毵毹氅氇氆氍氕氘氙氚氡氩氤氪氲攵敕敫牍牒牖爰虢刖肟肜肓肼朊肽肱肫肭肴肷胧胨胩胪胛胂胄胙胍胗朐胝胫胱胴胭脍脎胲胼朕脒豚脶脞脬脘脲腈腌腓腴腙腚腱腠腩腼腽腭腧塍媵膈膂膑滕膣膪臌朦臊膻"], +["ec40","霡",8,"霫霬霮霯霱霳",4,"霺霻霼霽霿",18,"靔靕靗靘靚靜靝靟靣靤靦靧靨靪",7], +["ec80","靲靵靷",4,"靽",7,"鞆",4,"鞌鞎鞏鞐鞓鞕鞖鞗鞙",4,"臁膦欤欷欹歃歆歙飑飒飓飕飙飚殳彀毂觳斐齑斓於旆旄旃旌旎旒旖炀炜炖炝炻烀炷炫炱烨烊焐焓焖焯焱煳煜煨煅煲煊煸煺熘熳熵熨熠燠燔燧燹爝爨灬焘煦熹戾戽扃扈扉礻祀祆祉祛祜祓祚祢祗祠祯祧祺禅禊禚禧禳忑忐"], +["ed40","鞞鞟鞡鞢鞤",6,"鞬鞮鞰鞱鞳鞵",46], +["ed80","韤韥韨韮",4,"韴韷",23,"怼恝恚恧恁恙恣悫愆愍慝憩憝懋懑戆肀聿沓泶淼矶矸砀砉砗砘砑斫砭砜砝砹砺砻砟砼砥砬砣砩硎硭硖硗砦硐硇硌硪碛碓碚碇碜碡碣碲碹碥磔磙磉磬磲礅磴礓礤礞礴龛黹黻黼盱眄眍盹眇眈眚眢眙眭眦眵眸睐睑睇睃睚睨"], +["ee40","頏",62], +["ee80","顎",32,"睢睥睿瞍睽瞀瞌瞑瞟瞠瞰瞵瞽町畀畎畋畈畛畲畹疃罘罡罟詈罨罴罱罹羁罾盍盥蠲钅钆钇钋钊钌钍钏钐钔钗钕钚钛钜钣钤钫钪钭钬钯钰钲钴钶",4,"钼钽钿铄铈",6,"铐铑铒铕铖铗铙铘铛铞铟铠铢铤铥铧铨铪"], +["ef40","顯",5,"颋颎颒颕颙颣風",37,"飏飐飔飖飗飛飜飝飠",4], +["ef80","飥飦飩",30,"铩铫铮铯铳铴铵铷铹铼铽铿锃锂锆锇锉锊锍锎锏锒",4,"锘锛锝锞锟锢锪锫锩锬锱锲锴锶锷锸锼锾锿镂锵镄镅镆镉镌镎镏镒镓镔镖镗镘镙镛镞镟镝镡镢镤",8,"镯镱镲镳锺矧矬雉秕秭秣秫稆嵇稃稂稞稔"], +["f040","餈",4,"餎餏餑",28,"餯",26], +["f080","饊",9,"饖",12,"饤饦饳饸饹饻饾馂馃馉稹稷穑黏馥穰皈皎皓皙皤瓞瓠甬鸠鸢鸨",4,"鸲鸱鸶鸸鸷鸹鸺鸾鹁鹂鹄鹆鹇鹈鹉鹋鹌鹎鹑鹕鹗鹚鹛鹜鹞鹣鹦",6,"鹱鹭鹳疒疔疖疠疝疬疣疳疴疸痄疱疰痃痂痖痍痣痨痦痤痫痧瘃痱痼痿瘐瘀瘅瘌瘗瘊瘥瘘瘕瘙"], +["f140","馌馎馚",10,"馦馧馩",47], +["f180","駙",32,"瘛瘼瘢瘠癀瘭瘰瘿瘵癃瘾瘳癍癞癔癜癖癫癯翊竦穸穹窀窆窈窕窦窠窬窨窭窳衤衩衲衽衿袂袢裆袷袼裉裢裎裣裥裱褚裼裨裾裰褡褙褓褛褊褴褫褶襁襦襻疋胥皲皴矜耒耔耖耜耠耢耥耦耧耩耨耱耋耵聃聆聍聒聩聱覃顸颀颃"], +["f240","駺",62], +["f280","騹",32,"颉颌颍颏颔颚颛颞颟颡颢颥颦虍虔虬虮虿虺虼虻蚨蚍蚋蚬蚝蚧蚣蚪蚓蚩蚶蛄蚵蛎蚰蚺蚱蚯蛉蛏蚴蛩蛱蛲蛭蛳蛐蜓蛞蛴蛟蛘蛑蜃蜇蛸蜈蜊蜍蜉蜣蜻蜞蜥蜮蜚蜾蝈蜴蜱蜩蜷蜿螂蜢蝽蝾蝻蝠蝰蝌蝮螋蝓蝣蝼蝤蝙蝥螓螯螨蟒"], +["f340","驚",17,"驲骃骉骍骎骔骕骙骦骩",6,"骲骳骴骵骹骻骽骾骿髃髄髆",4,"髍髎髏髐髒體髕髖髗髙髚髛髜"], +["f380","髝髞髠髢髣髤髥髧髨髩髪髬髮髰",8,"髺髼",6,"鬄鬅鬆蟆螈螅螭螗螃螫蟥螬螵螳蟋蟓螽蟑蟀蟊蟛蟪蟠蟮蠖蠓蟾蠊蠛蠡蠹蠼缶罂罄罅舐竺竽笈笃笄笕笊笫笏筇笸笪笙笮笱笠笥笤笳笾笞筘筚筅筵筌筝筠筮筻筢筲筱箐箦箧箸箬箝箨箅箪箜箢箫箴篑篁篌篝篚篥篦篪簌篾篼簏簖簋"], +["f440","鬇鬉",5,"鬐鬑鬒鬔",10,"鬠鬡鬢鬤",10,"鬰鬱鬳",7,"鬽鬾鬿魀魆魊魋魌魎魐魒魓魕",5], +["f480","魛",32,"簟簪簦簸籁籀臾舁舂舄臬衄舡舢舣舭舯舨舫舸舻舳舴舾艄艉艋艏艚艟艨衾袅袈裘裟襞羝羟羧羯羰羲籼敉粑粝粜粞粢粲粼粽糁糇糌糍糈糅糗糨艮暨羿翎翕翥翡翦翩翮翳糸絷綦綮繇纛麸麴赳趄趔趑趱赧赭豇豉酊酐酎酏酤"], +["f540","魼",62], +["f580","鮻",32,"酢酡酰酩酯酽酾酲酴酹醌醅醐醍醑醢醣醪醭醮醯醵醴醺豕鹾趸跫踅蹙蹩趵趿趼趺跄跖跗跚跞跎跏跛跆跬跷跸跣跹跻跤踉跽踔踝踟踬踮踣踯踺蹀踹踵踽踱蹉蹁蹂蹑蹒蹊蹰蹶蹼蹯蹴躅躏躔躐躜躞豸貂貊貅貘貔斛觖觞觚觜"], +["f640","鯜",62], +["f680","鰛",32,"觥觫觯訾謦靓雩雳雯霆霁霈霏霎霪霭霰霾龀龃龅",5,"龌黾鼋鼍隹隼隽雎雒瞿雠銎銮鋈錾鍪鏊鎏鐾鑫鱿鲂鲅鲆鲇鲈稣鲋鲎鲐鲑鲒鲔鲕鲚鲛鲞",5,"鲥",4,"鲫鲭鲮鲰",7,"鲺鲻鲼鲽鳄鳅鳆鳇鳊鳋"], +["f740","鰼",62], +["f780","鱻鱽鱾鲀鲃鲄鲉鲊鲌鲏鲓鲖鲗鲘鲙鲝鲪鲬鲯鲹鲾",4,"鳈鳉鳑鳒鳚鳛鳠鳡鳌",4,"鳓鳔鳕鳗鳘鳙鳜鳝鳟鳢靼鞅鞑鞒鞔鞯鞫鞣鞲鞴骱骰骷鹘骶骺骼髁髀髅髂髋髌髑魅魃魇魉魈魍魑飨餍餮饕饔髟髡髦髯髫髻髭髹鬈鬏鬓鬟鬣麽麾縻麂麇麈麋麒鏖麝麟黛黜黝黠黟黢黩黧黥黪黯鼢鼬鼯鼹鼷鼽鼾齄"], +["f840","鳣",62], +["f880","鴢",32], +["f940","鵃",62], +["f980","鶂",32], +["fa40","鶣",62], +["fa80","鷢",32], +["fb40","鸃",27,"鸤鸧鸮鸰鸴鸻鸼鹀鹍鹐鹒鹓鹔鹖鹙鹝鹟鹠鹡鹢鹥鹮鹯鹲鹴",9,"麀"], +["fb80","麁麃麄麅麆麉麊麌",5,"麔",8,"麞麠",5,"麧麨麩麪"], +["fc40","麫",8,"麵麶麷麹麺麼麿",4,"黅黆黇黈黊黋黌黐黒黓黕黖黗黙黚點黡黣黤黦黨黫黬黭黮黰",8,"黺黽黿",6], +["fc80","鼆",4,"鼌鼏鼑鼒鼔鼕鼖鼘鼚",5,"鼡鼣",8,"鼭鼮鼰鼱"], +["fd40","鼲",4,"鼸鼺鼼鼿",4,"齅",10,"齒",38], +["fd80","齹",5,"龁龂龍",11,"龜龝龞龡",4,"郎凉秊裏隣"], +["fe40","兀嗀﨎﨏﨑﨓﨔礼﨟蘒﨡﨣﨤﨧﨨﨩"] +] diff --git a/node_modules/express/node_modules/iconv-lite/encodings/tables/cp949.json b/node_modules/express/node_modules/iconv-lite/encodings/tables/cp949.json new file mode 100644 index 0000000..2022a00 --- /dev/null +++ b/node_modules/express/node_modules/iconv-lite/encodings/tables/cp949.json @@ -0,0 +1,273 @@ +[ +["0","\u0000",127], +["8141","갂갃갅갆갋",4,"갘갞갟갡갢갣갥",6,"갮갲갳갴"], +["8161","갵갶갷갺갻갽갾갿걁",9,"걌걎",5,"걕"], +["8181","걖걗걙걚걛걝",18,"걲걳걵걶걹걻",4,"겂겇겈겍겎겏겑겒겓겕",6,"겞겢",5,"겫겭겮겱",6,"겺겾겿곀곂곃곅곆곇곉곊곋곍",7,"곖곘",7,"곢곣곥곦곩곫곭곮곲곴곷",4,"곾곿괁괂괃괅괇",4,"괎괐괒괓"], +["8241","괔괕괖괗괙괚괛괝괞괟괡",7,"괪괫괮",5], +["8261","괶괷괹괺괻괽",6,"굆굈굊",5,"굑굒굓굕굖굗"], +["8281","굙",7,"굢굤",7,"굮굯굱굲굷굸굹굺굾궀궃",4,"궊궋궍궎궏궑",10,"궞",5,"궥",17,"궸",7,"귂귃귅귆귇귉",6,"귒귔",7,"귝귞귟귡귢귣귥",18], +["8341","귺귻귽귾긂",5,"긊긌긎",5,"긕",7], +["8361","긝",18,"긲긳긵긶긹긻긼"], +["8381","긽긾긿깂깄깇깈깉깋깏깑깒깓깕깗",4,"깞깢깣깤깦깧깪깫깭깮깯깱",6,"깺깾",5,"꺆",5,"꺍",46,"꺿껁껂껃껅",6,"껎껒",5,"껚껛껝",8], +["8441","껦껧껩껪껬껮",5,"껵껶껷껹껺껻껽",8], +["8461","꼆꼉꼊꼋꼌꼎꼏꼑",18], +["8481","꼤",7,"꼮꼯꼱꼳꼵",6,"꼾꽀꽄꽅꽆꽇꽊",5,"꽑",10,"꽞",5,"꽦",18,"꽺",5,"꾁꾂꾃꾅꾆꾇꾉",6,"꾒꾓꾔꾖",5,"꾝",26,"꾺꾻꾽꾾"], +["8541","꾿꿁",5,"꿊꿌꿏",4,"꿕",6,"꿝",4], +["8561","꿢",5,"꿪",5,"꿲꿳꿵꿶꿷꿹",6,"뀂뀃"], +["8581","뀅",6,"뀍뀎뀏뀑뀒뀓뀕",6,"뀞",9,"뀩",26,"끆끇끉끋끍끏끐끑끒끖끘끚끛끜끞",29,"끾끿낁낂낃낅",6,"낎낐낒",5,"낛낝낞낣낤"], +["8641","낥낦낧낪낰낲낶낷낹낺낻낽",6,"냆냊",5,"냒"], +["8661","냓냕냖냗냙",6,"냡냢냣냤냦",10], +["8681","냱",22,"넊넍넎넏넑넔넕넖넗넚넞",4,"넦넧넩넪넫넭",6,"넶넺",5,"녂녃녅녆녇녉",6,"녒녓녖녗녙녚녛녝녞녟녡",22,"녺녻녽녾녿놁놃",4,"놊놌놎놏놐놑놕놖놗놙놚놛놝"], +["8741","놞",9,"놩",15], +["8761","놹",18,"뇍뇎뇏뇑뇒뇓뇕"], +["8781","뇖",5,"뇞뇠",7,"뇪뇫뇭뇮뇯뇱",7,"뇺뇼뇾",5,"눆눇눉눊눍",6,"눖눘눚",5,"눡",18,"눵",6,"눽",26,"뉙뉚뉛뉝뉞뉟뉡",6,"뉪",4], +["8841","뉯",4,"뉶",5,"뉽",6,"늆늇늈늊",4], +["8861","늏늒늓늕늖늗늛",4,"늢늤늧늨늩늫늭늮늯늱늲늳늵늶늷"], +["8881","늸",15,"닊닋닍닎닏닑닓",4,"닚닜닞닟닠닡닣닧닩닪닰닱닲닶닼닽닾댂댃댅댆댇댉",6,"댒댖",5,"댝",54,"덗덙덚덝덠덡덢덣"], +["8941","덦덨덪덬덭덯덲덳덵덶덷덹",6,"뎂뎆",5,"뎍"], +["8961","뎎뎏뎑뎒뎓뎕",10,"뎢",5,"뎩뎪뎫뎭"], +["8981","뎮",21,"돆돇돉돊돍돏돑돒돓돖돘돚돜돞돟돡돢돣돥돦돧돩",18,"돽",18,"됑",6,"됙됚됛됝됞됟됡",6,"됪됬",7,"됵",15], +["8a41","둅",10,"둒둓둕둖둗둙",6,"둢둤둦"], +["8a61","둧",4,"둭",18,"뒁뒂"], +["8a81","뒃",4,"뒉",19,"뒞",5,"뒥뒦뒧뒩뒪뒫뒭",7,"뒶뒸뒺",5,"듁듂듃듅듆듇듉",6,"듑듒듓듔듖",5,"듞듟듡듢듥듧",4,"듮듰듲",5,"듹",26,"딖딗딙딚딝"], +["8b41","딞",5,"딦딫",4,"딲딳딵딶딷딹",6,"땂땆"], +["8b61","땇땈땉땊땎땏땑땒땓땕",6,"땞땢",8], +["8b81","땫",52,"떢떣떥떦떧떩떬떭떮떯떲떶",4,"떾떿뗁뗂뗃뗅",6,"뗎뗒",5,"뗙",18,"뗭",18], +["8c41","똀",15,"똒똓똕똖똗똙",4], +["8c61","똞",6,"똦",5,"똭",6,"똵",5], +["8c81","똻",12,"뙉",26,"뙥뙦뙧뙩",50,"뚞뚟뚡뚢뚣뚥",5,"뚭뚮뚯뚰뚲",16], +["8d41","뛃",16,"뛕",8], +["8d61","뛞",17,"뛱뛲뛳뛵뛶뛷뛹뛺"], +["8d81","뛻",4,"뜂뜃뜄뜆",33,"뜪뜫뜭뜮뜱",6,"뜺뜼",7,"띅띆띇띉띊띋띍",6,"띖",9,"띡띢띣띥띦띧띩",6,"띲띴띶",5,"띾띿랁랂랃랅",6,"랎랓랔랕랚랛랝랞"], +["8e41","랟랡",6,"랪랮",5,"랶랷랹",8], +["8e61","럂",4,"럈럊",19], +["8e81","럞",13,"럮럯럱럲럳럵",6,"럾렂",4,"렊렋렍렎렏렑",6,"렚렜렞",5,"렦렧렩렪렫렭",6,"렶렺",5,"롁롂롃롅",11,"롒롔",7,"롞롟롡롢롣롥",6,"롮롰롲",5,"롹롺롻롽",7], +["8f41","뢅",7,"뢎",17], +["8f61","뢠",7,"뢩",6,"뢱뢲뢳뢵뢶뢷뢹",4], +["8f81","뢾뢿룂룄룆",5,"룍룎룏룑룒룓룕",7,"룞룠룢",5,"룪룫룭룮룯룱",6,"룺룼룾",5,"뤅",18,"뤙",6,"뤡",26,"뤾뤿륁륂륃륅",6,"륍륎륐륒",5], +["9041","륚륛륝륞륟륡",6,"륪륬륮",5,"륶륷륹륺륻륽"], +["9061","륾",5,"릆릈릋릌릏",15], +["9081","릟",12,"릮릯릱릲릳릵",6,"릾맀맂",5,"맊맋맍맓",4,"맚맜맟맠맢맦맧맩맪맫맭",6,"맶맻",4,"먂",5,"먉",11,"먖",33,"먺먻먽먾먿멁멃멄멅멆"], +["9141","멇멊멌멏멐멑멒멖멗멙멚멛멝",6,"멦멪",5], +["9161","멲멳멵멶멷멹",9,"몆몈몉몊몋몍",5], +["9181","몓",20,"몪몭몮몯몱몳",4,"몺몼몾",5,"뫅뫆뫇뫉",14,"뫚",33,"뫽뫾뫿묁묂묃묅",7,"묎묐묒",5,"묙묚묛묝묞묟묡",6], +["9241","묨묪묬",7,"묷묹묺묿",4,"뭆뭈뭊뭋뭌뭎뭑뭒"], +["9261","뭓뭕뭖뭗뭙",7,"뭢뭤",7,"뭭",4], +["9281","뭲",21,"뮉뮊뮋뮍뮎뮏뮑",18,"뮥뮦뮧뮩뮪뮫뮭",6,"뮵뮶뮸",7,"믁믂믃믅믆믇믉",6,"믑믒믔",35,"믺믻믽믾밁"], +["9341","밃",4,"밊밎밐밒밓밙밚밠밡밢밣밦밨밪밫밬밮밯밲밳밵"], +["9361","밶밷밹",6,"뱂뱆뱇뱈뱊뱋뱎뱏뱑",8], +["9381","뱚뱛뱜뱞",37,"벆벇벉벊벍벏",4,"벖벘벛",4,"벢벣벥벦벩",6,"벲벶",5,"벾벿볁볂볃볅",7,"볎볒볓볔볖볗볙볚볛볝",22,"볷볹볺볻볽"], +["9441","볾",5,"봆봈봊",5,"봑봒봓봕",8], +["9461","봞",5,"봥",6,"봭",12], +["9481","봺",5,"뵁",6,"뵊뵋뵍뵎뵏뵑",6,"뵚",9,"뵥뵦뵧뵩",22,"붂붃붅붆붋",4,"붒붔붖붗붘붛붝",6,"붥",10,"붱",6,"붹",24], +["9541","뷒뷓뷖뷗뷙뷚뷛뷝",11,"뷪",5,"뷱"], +["9561","뷲뷳뷵뷶뷷뷹",6,"븁븂븄븆",5,"븎븏븑븒븓"], +["9581","븕",6,"븞븠",35,"빆빇빉빊빋빍빏",4,"빖빘빜빝빞빟빢빣빥빦빧빩빫",4,"빲빶",4,"빾빿뺁뺂뺃뺅",6,"뺎뺒",5,"뺚",13,"뺩",14], +["9641","뺸",23,"뻒뻓"], +["9661","뻕뻖뻙",6,"뻡뻢뻦",5,"뻭",8], +["9681","뻶",10,"뼂",5,"뼊",13,"뼚뼞",33,"뽂뽃뽅뽆뽇뽉",6,"뽒뽓뽔뽖",44], +["9741","뾃",16,"뾕",8], +["9761","뾞",17,"뾱",7], +["9781","뾹",11,"뿆",5,"뿎뿏뿑뿒뿓뿕",6,"뿝뿞뿠뿢",89,"쀽쀾쀿"], +["9841","쁀",16,"쁒",5,"쁙쁚쁛"], +["9861","쁝쁞쁟쁡",6,"쁪",15], +["9881","쁺",21,"삒삓삕삖삗삙",6,"삢삤삦",5,"삮삱삲삷",4,"삾샂샃샄샆샇샊샋샍샎샏샑",6,"샚샞",5,"샦샧샩샪샫샭",6,"샶샸샺",5,"섁섂섃섅섆섇섉",6,"섑섒섓섔섖",5,"섡섢섥섨섩섪섫섮"], +["9941","섲섳섴섵섷섺섻섽섾섿셁",6,"셊셎",5,"셖셗"], +["9961","셙셚셛셝",6,"셦셪",5,"셱셲셳셵셶셷셹셺셻"], +["9981","셼",8,"솆",5,"솏솑솒솓솕솗",4,"솞솠솢솣솤솦솧솪솫솭솮솯솱",11,"솾",5,"쇅쇆쇇쇉쇊쇋쇍",6,"쇕쇖쇙",6,"쇡쇢쇣쇥쇦쇧쇩",6,"쇲쇴",7,"쇾쇿숁숂숃숅",6,"숎숐숒",5,"숚숛숝숞숡숢숣"], +["9a41","숤숥숦숧숪숬숮숰숳숵",16], +["9a61","쉆쉇쉉",6,"쉒쉓쉕쉖쉗쉙",6,"쉡쉢쉣쉤쉦"], +["9a81","쉧",4,"쉮쉯쉱쉲쉳쉵",6,"쉾슀슂",5,"슊",5,"슑",6,"슙슚슜슞",5,"슦슧슩슪슫슮",5,"슶슸슺",33,"싞싟싡싢싥",5,"싮싰싲싳싴싵싷싺싽싾싿쌁",6,"쌊쌋쌎쌏"], +["9b41","쌐쌑쌒쌖쌗쌙쌚쌛쌝",6,"쌦쌧쌪",8], +["9b61","쌳",17,"썆",7], +["9b81","썎",25,"썪썫썭썮썯썱썳",4,"썺썻썾",5,"쎅쎆쎇쎉쎊쎋쎍",50,"쏁",22,"쏚"], +["9c41","쏛쏝쏞쏡쏣",4,"쏪쏫쏬쏮",5,"쏶쏷쏹",5], +["9c61","쏿",8,"쐉",6,"쐑",9], +["9c81","쐛",8,"쐥",6,"쐭쐮쐯쐱쐲쐳쐵",6,"쐾",9,"쑉",26,"쑦쑧쑩쑪쑫쑭",6,"쑶쑷쑸쑺",5,"쒁",18,"쒕",6,"쒝",12], +["9d41","쒪",13,"쒹쒺쒻쒽",8], +["9d61","쓆",25], +["9d81","쓠",8,"쓪",5,"쓲쓳쓵쓶쓷쓹쓻쓼쓽쓾씂",9,"씍씎씏씑씒씓씕",6,"씝",10,"씪씫씭씮씯씱",6,"씺씼씾",5,"앆앇앋앏앐앑앒앖앚앛앜앟앢앣앥앦앧앩",6,"앲앶",5,"앾앿얁얂얃얅얆얈얉얊얋얎얐얒얓얔"], +["9e41","얖얙얚얛얝얞얟얡",7,"얪",9,"얶"], +["9e61","얷얺얿",4,"엋엍엏엒엓엕엖엗엙",6,"엢엤엦엧"], +["9e81","엨엩엪엫엯엱엲엳엵엸엹엺엻옂옃옄옉옊옋옍옎옏옑",6,"옚옝",6,"옦옧옩옪옫옯옱옲옶옸옺옼옽옾옿왂왃왅왆왇왉",6,"왒왖",5,"왞왟왡",10,"왭왮왰왲",5,"왺왻왽왾왿욁",6,"욊욌욎",5,"욖욗욙욚욛욝",6,"욦"], +["9f41","욨욪",5,"욲욳욵욶욷욻",4,"웂웄웆",5,"웎"], +["9f61","웏웑웒웓웕",6,"웞웟웢",5,"웪웫웭웮웯웱웲"], +["9f81","웳",4,"웺웻웼웾",5,"윆윇윉윊윋윍",6,"윖윘윚",5,"윢윣윥윦윧윩",6,"윲윴윶윸윹윺윻윾윿읁읂읃읅",4,"읋읎읐읙읚읛읝읞읟읡",6,"읩읪읬",7,"읶읷읹읺읻읿잀잁잂잆잋잌잍잏잒잓잕잙잛",4,"잢잧",4,"잮잯잱잲잳잵잶잷"], +["a041","잸잹잺잻잾쟂",5,"쟊쟋쟍쟏쟑",6,"쟙쟚쟛쟜"], +["a061","쟞",5,"쟥쟦쟧쟩쟪쟫쟭",13], +["a081","쟻",4,"젂젃젅젆젇젉젋",4,"젒젔젗",4,"젞젟젡젢젣젥",6,"젮젰젲",5,"젹젺젻젽젾젿졁",6,"졊졋졎",5,"졕",26,"졲졳졵졶졷졹졻",4,"좂좄좈좉좊좎",5,"좕",7,"좞좠좢좣좤"], +["a141","좥좦좧좩",18,"좾좿죀죁"], +["a161","죂죃죅죆죇죉죊죋죍",6,"죖죘죚",5,"죢죣죥"], +["a181","죦",14,"죶",5,"죾죿줁줂줃줇",4,"줎 、。·‥…¨〃­―∥\∼‘’“”〔〕〈",9,"±×÷≠≤≥∞∴°′″℃Å¢£¥♂♀∠⊥⌒∂∇≡≒§※☆★○●◎◇◆□■△▲▽▼→←↑↓↔〓≪≫√∽∝∵∫∬∈∋⊆⊇⊂⊃∪∩∧∨¬"], +["a241","줐줒",5,"줙",18], +["a261","줭",6,"줵",18], +["a281","쥈",7,"쥒쥓쥕쥖쥗쥙",6,"쥢쥤",7,"쥭쥮쥯⇒⇔∀∃´~ˇ˘˝˚˙¸˛¡¿ː∮∑∏¤℉‰◁◀▷▶♤♠♡♥♧♣⊙◈▣◐◑▒▤▥▨▧▦▩♨☏☎☜☞¶†‡↕↗↙↖↘♭♩♪♬㉿㈜№㏇™㏂㏘℡€®"], +["a341","쥱쥲쥳쥵",6,"쥽",10,"즊즋즍즎즏"], +["a361","즑",6,"즚즜즞",16], +["a381","즯",16,"짂짃짅짆짉짋",4,"짒짔짗짘짛!",58,"₩]",32," ̄"], +["a441","짞짟짡짣짥짦짨짩짪짫짮짲",5,"짺짻짽짾짿쨁쨂쨃쨄"], +["a461","쨅쨆쨇쨊쨎",5,"쨕쨖쨗쨙",12], +["a481","쨦쨧쨨쨪",28,"ㄱ",93], +["a541","쩇",4,"쩎쩏쩑쩒쩓쩕",6,"쩞쩢",5,"쩩쩪"], +["a561","쩫",17,"쩾",5,"쪅쪆"], +["a581","쪇",16,"쪙",14,"ⅰ",9], +["a5b0","Ⅰ",9], +["a5c1","Α",16,"Σ",6], +["a5e1","α",16,"σ",6], +["a641","쪨",19,"쪾쪿쫁쫂쫃쫅"], +["a661","쫆",5,"쫎쫐쫒쫔쫕쫖쫗쫚",5,"쫡",6], +["a681","쫨쫩쫪쫫쫭",6,"쫵",18,"쬉쬊─│┌┐┘└├┬┤┴┼━┃┏┓┛┗┣┳┫┻╋┠┯┨┷┿┝┰┥┸╂┒┑┚┙┖┕┎┍┞┟┡┢┦┧┩┪┭┮┱┲┵┶┹┺┽┾╀╁╃",7], +["a741","쬋",4,"쬑쬒쬓쬕쬖쬗쬙",6,"쬢",7], +["a761","쬪",22,"쭂쭃쭄"], +["a781","쭅쭆쭇쭊쭋쭍쭎쭏쭑",6,"쭚쭛쭜쭞",5,"쭥",7,"㎕㎖㎗ℓ㎘㏄㎣㎤㎥㎦㎙",9,"㏊㎍㎎㎏㏏㎈㎉㏈㎧㎨㎰",9,"㎀",4,"㎺",5,"㎐",4,"Ω㏀㏁㎊㎋㎌㏖㏅㎭㎮㎯㏛㎩㎪㎫㎬㏝㏐㏓㏃㏉㏜㏆"], +["a841","쭭",10,"쭺",14], +["a861","쮉",18,"쮝",6], +["a881","쮤",19,"쮹",11,"ÆЪĦ"], +["a8a6","IJ"], +["a8a8","ĿŁØŒºÞŦŊ"], +["a8b1","㉠",27,"ⓐ",25,"①",14,"½⅓⅔¼¾⅛⅜⅝⅞"], +["a941","쯅",14,"쯕",10], +["a961","쯠쯡쯢쯣쯥쯦쯨쯪",18], +["a981","쯽",14,"찎찏찑찒찓찕",6,"찞찟찠찣찤æđðħıijĸŀłøœßþŧŋʼn㈀",27,"⒜",25,"⑴",14,"¹²³⁴ⁿ₁₂₃₄"], +["aa41","찥찦찪찫찭찯찱",6,"찺찿",4,"챆챇챉챊챋챍챎"], +["aa61","챏",4,"챖챚",5,"챡챢챣챥챧챩",6,"챱챲"], +["aa81","챳챴챶",29,"ぁ",82], +["ab41","첔첕첖첗첚첛첝첞첟첡",6,"첪첮",5,"첶첷첹"], +["ab61","첺첻첽",6,"쳆쳈쳊",5,"쳑쳒쳓쳕",5], +["ab81","쳛",8,"쳥",6,"쳭쳮쳯쳱",12,"ァ",85], +["ac41","쳾쳿촀촂",5,"촊촋촍촎촏촑",6,"촚촜촞촟촠"], +["ac61","촡촢촣촥촦촧촩촪촫촭",11,"촺",4], +["ac81","촿",28,"쵝쵞쵟А",5,"ЁЖ",25], +["acd1","а",5,"ёж",25], +["ad41","쵡쵢쵣쵥",6,"쵮쵰쵲",5,"쵹",7], +["ad61","춁",6,"춉",10,"춖춗춙춚춛춝춞춟"], +["ad81","춠춡춢춣춦춨춪",5,"춱",18,"췅"], +["ae41","췆",5,"췍췎췏췑",16], +["ae61","췢",5,"췩췪췫췭췮췯췱",6,"췺췼췾",4], +["ae81","츃츅츆츇츉츊츋츍",6,"츕츖츗츘츚",5,"츢츣츥츦츧츩츪츫"], +["af41","츬츭츮츯츲츴츶",19], +["af61","칊",13,"칚칛칝칞칢",5,"칪칬"], +["af81","칮",5,"칶칷칹칺칻칽",6,"캆캈캊",5,"캒캓캕캖캗캙"], +["b041","캚",5,"캢캦",5,"캮",12], +["b061","캻",5,"컂",19], +["b081","컖",13,"컦컧컩컪컭",6,"컶컺",5,"가각간갇갈갉갊감",7,"같",4,"갠갤갬갭갯갰갱갸갹갼걀걋걍걔걘걜거걱건걷걸걺검겁것겄겅겆겉겊겋게겐겔겜겝겟겠겡겨격겪견겯결겸겹겻겼경곁계곈곌곕곗고곡곤곧골곪곬곯곰곱곳공곶과곽관괄괆"], +["b141","켂켃켅켆켇켉",6,"켒켔켖",5,"켝켞켟켡켢켣"], +["b161","켥",6,"켮켲",5,"켹",11], +["b181","콅",14,"콖콗콙콚콛콝",6,"콦콨콪콫콬괌괍괏광괘괜괠괩괬괭괴괵괸괼굄굅굇굉교굔굘굡굣구국군굳굴굵굶굻굼굽굿궁궂궈궉권궐궜궝궤궷귀귁귄귈귐귑귓규균귤그극근귿글긁금급긋긍긔기긱긴긷길긺김깁깃깅깆깊까깍깎깐깔깖깜깝깟깠깡깥깨깩깬깰깸"], +["b241","콭콮콯콲콳콵콶콷콹",6,"쾁쾂쾃쾄쾆",5,"쾍"], +["b261","쾎",18,"쾢",5,"쾩"], +["b281","쾪",5,"쾱",18,"쿅",6,"깹깻깼깽꺄꺅꺌꺼꺽꺾껀껄껌껍껏껐껑께껙껜껨껫껭껴껸껼꼇꼈꼍꼐꼬꼭꼰꼲꼴꼼꼽꼿꽁꽂꽃꽈꽉꽐꽜꽝꽤꽥꽹꾀꾄꾈꾐꾑꾕꾜꾸꾹꾼꿀꿇꿈꿉꿋꿍꿎꿔꿜꿨꿩꿰꿱꿴꿸뀀뀁뀄뀌뀐뀔뀜뀝뀨끄끅끈끊끌끎끓끔끕끗끙"], +["b341","쿌",19,"쿢쿣쿥쿦쿧쿩"], +["b361","쿪",5,"쿲쿴쿶",5,"쿽쿾쿿퀁퀂퀃퀅",5], +["b381","퀋",5,"퀒",5,"퀙",19,"끝끼끽낀낄낌낍낏낑나낙낚난낟날낡낢남납낫",4,"낱낳내낵낸낼냄냅냇냈냉냐냑냔냘냠냥너넉넋넌널넒넓넘넙넛넜넝넣네넥넨넬넴넵넷넸넹녀녁년녈념녑녔녕녘녜녠노녹논놀놂놈놉놋농높놓놔놘놜놨뇌뇐뇔뇜뇝"], +["b441","퀮",5,"퀶퀷퀹퀺퀻퀽",6,"큆큈큊",5], +["b461","큑큒큓큕큖큗큙",6,"큡",10,"큮큯"], +["b481","큱큲큳큵",6,"큾큿킀킂",18,"뇟뇨뇩뇬뇰뇹뇻뇽누눅눈눋눌눔눕눗눙눠눴눼뉘뉜뉠뉨뉩뉴뉵뉼늄늅늉느늑는늘늙늚늠늡늣능늦늪늬늰늴니닉닌닐닒님닙닛닝닢다닥닦단닫",4,"닳담답닷",4,"닿대댁댄댈댐댑댓댔댕댜더덕덖던덛덜덞덟덤덥"], +["b541","킕",14,"킦킧킩킪킫킭",5], +["b561","킳킶킸킺",5,"탂탃탅탆탇탊",5,"탒탖",4], +["b581","탛탞탟탡탢탣탥",6,"탮탲",5,"탹",11,"덧덩덫덮데덱덴델뎀뎁뎃뎄뎅뎌뎐뎔뎠뎡뎨뎬도독돈돋돌돎돐돔돕돗동돛돝돠돤돨돼됐되된될됨됩됫됴두둑둔둘둠둡둣둥둬뒀뒈뒝뒤뒨뒬뒵뒷뒹듀듄듈듐듕드득든듣들듦듬듭듯등듸디딕딘딛딜딤딥딧딨딩딪따딱딴딸"], +["b641","턅",7,"턎",17], +["b661","턠",15,"턲턳턵턶턷턹턻턼턽턾"], +["b681","턿텂텆",5,"텎텏텑텒텓텕",6,"텞텠텢",5,"텩텪텫텭땀땁땃땄땅땋때땍땐땔땜땝땟땠땡떠떡떤떨떪떫떰떱떳떴떵떻떼떽뗀뗄뗌뗍뗏뗐뗑뗘뗬또똑똔똘똥똬똴뙈뙤뙨뚜뚝뚠뚤뚫뚬뚱뛔뛰뛴뛸뜀뜁뜅뜨뜩뜬뜯뜰뜸뜹뜻띄띈띌띔띕띠띤띨띰띱띳띵라락란랄람랍랏랐랑랒랖랗"], +["b741","텮",13,"텽",6,"톅톆톇톉톊"], +["b761","톋",20,"톢톣톥톦톧"], +["b781","톩",6,"톲톴톶톷톸톹톻톽톾톿퇁",14,"래랙랜랠램랩랫랬랭랴략랸럇량러럭런럴럼럽럿렀렁렇레렉렌렐렘렙렛렝려력련렬렴렵렷렸령례롄롑롓로록론롤롬롭롯롱롸롼뢍뢨뢰뢴뢸룀룁룃룅료룐룔룝룟룡루룩룬룰룸룹룻룽뤄뤘뤠뤼뤽륀륄륌륏륑류륙륜률륨륩"], +["b841","퇐",7,"퇙",17], +["b861","퇫",8,"퇵퇶퇷퇹",13], +["b881","툈툊",5,"툑",24,"륫륭르륵른를름릅릇릉릊릍릎리릭린릴림립릿링마막만많",4,"맘맙맛망맞맡맣매맥맨맬맴맵맷맸맹맺먀먁먈먕머먹먼멀멂멈멉멋멍멎멓메멕멘멜멤멥멧멨멩며멱면멸몃몄명몇몌모목몫몬몰몲몸몹못몽뫄뫈뫘뫙뫼"], +["b941","툪툫툮툯툱툲툳툵",6,"툾퉀퉂",5,"퉉퉊퉋퉌"], +["b961","퉍",14,"퉝",6,"퉥퉦퉧퉨"], +["b981","퉩",22,"튂튃튅튆튇튉튊튋튌묀묄묍묏묑묘묜묠묩묫무묵묶문묻물묽묾뭄뭅뭇뭉뭍뭏뭐뭔뭘뭡뭣뭬뮈뮌뮐뮤뮨뮬뮴뮷므믄믈믐믓미믹민믿밀밂밈밉밋밌밍및밑바",4,"받",4,"밤밥밧방밭배백밴밸뱀뱁뱃뱄뱅뱉뱌뱍뱐뱝버벅번벋벌벎범법벗"], +["ba41","튍튎튏튒튓튔튖",5,"튝튞튟튡튢튣튥",6,"튭"], +["ba61","튮튯튰튲",5,"튺튻튽튾틁틃",4,"틊틌",5], +["ba81","틒틓틕틖틗틙틚틛틝",6,"틦",9,"틲틳틵틶틷틹틺벙벚베벡벤벧벨벰벱벳벴벵벼벽변별볍볏볐병볕볘볜보복볶본볼봄봅봇봉봐봔봤봬뵀뵈뵉뵌뵐뵘뵙뵤뵨부북분붇불붉붊붐붑붓붕붙붚붜붤붰붸뷔뷕뷘뷜뷩뷰뷴뷸븀븃븅브븍븐블븜븝븟비빅빈빌빎빔빕빗빙빚빛빠빡빤"], +["bb41","틻",4,"팂팄팆",5,"팏팑팒팓팕팗",4,"팞팢팣"], +["bb61","팤팦팧팪팫팭팮팯팱",6,"팺팾",5,"퍆퍇퍈퍉"], +["bb81","퍊",31,"빨빪빰빱빳빴빵빻빼빽뺀뺄뺌뺍뺏뺐뺑뺘뺙뺨뻐뻑뻔뻗뻘뻠뻣뻤뻥뻬뼁뼈뼉뼘뼙뼛뼜뼝뽀뽁뽄뽈뽐뽑뽕뾔뾰뿅뿌뿍뿐뿔뿜뿟뿡쀼쁑쁘쁜쁠쁨쁩삐삑삔삘삠삡삣삥사삭삯산삳살삵삶삼삽삿샀상샅새색샌샐샘샙샛샜생샤"], +["bc41","퍪",17,"퍾퍿펁펂펃펅펆펇"], +["bc61","펈펉펊펋펎펒",5,"펚펛펝펞펟펡",6,"펪펬펮"], +["bc81","펯",4,"펵펶펷펹펺펻펽",6,"폆폇폊",5,"폑",5,"샥샨샬샴샵샷샹섀섄섈섐섕서",4,"섣설섦섧섬섭섯섰성섶세섹센셀셈셉셋셌셍셔셕션셜셤셥셧셨셩셰셴셸솅소속솎손솔솖솜솝솟송솥솨솩솬솰솽쇄쇈쇌쇔쇗쇘쇠쇤쇨쇰쇱쇳쇼쇽숀숄숌숍숏숑수숙순숟술숨숩숫숭"], +["bd41","폗폙",7,"폢폤",7,"폮폯폱폲폳폵폶폷"], +["bd61","폸폹폺폻폾퐀퐂",5,"퐉",13], +["bd81","퐗",5,"퐞",25,"숯숱숲숴쉈쉐쉑쉔쉘쉠쉥쉬쉭쉰쉴쉼쉽쉿슁슈슉슐슘슛슝스슥슨슬슭슴습슷승시식신싣실싫심십싯싱싶싸싹싻싼쌀쌈쌉쌌쌍쌓쌔쌕쌘쌜쌤쌥쌨쌩썅써썩썬썰썲썸썹썼썽쎄쎈쎌쏀쏘쏙쏜쏟쏠쏢쏨쏩쏭쏴쏵쏸쐈쐐쐤쐬쐰"], +["be41","퐸",7,"푁푂푃푅",14], +["be61","푔",7,"푝푞푟푡푢푣푥",7,"푮푰푱푲"], +["be81","푳",4,"푺푻푽푾풁풃",4,"풊풌풎",5,"풕",8,"쐴쐼쐽쑈쑤쑥쑨쑬쑴쑵쑹쒀쒔쒜쒸쒼쓩쓰쓱쓴쓸쓺쓿씀씁씌씐씔씜씨씩씬씰씸씹씻씽아악안앉않알앍앎앓암압앗았앙앝앞애액앤앨앰앱앳앴앵야약얀얄얇얌얍얏양얕얗얘얜얠얩어억언얹얻얼얽얾엄",6,"엌엎"], +["bf41","풞",10,"풪",14], +["bf61","풹",18,"퓍퓎퓏퓑퓒퓓퓕"], +["bf81","퓖",5,"퓝퓞퓠",7,"퓩퓪퓫퓭퓮퓯퓱",6,"퓹퓺퓼에엑엔엘엠엡엣엥여역엮연열엶엷염",5,"옅옆옇예옌옐옘옙옛옜오옥온올옭옮옰옳옴옵옷옹옻와왁완왈왐왑왓왔왕왜왝왠왬왯왱외왹왼욀욈욉욋욍요욕욘욜욤욥욧용우욱운울욹욺움웁웃웅워웍원월웜웝웠웡웨"], +["c041","퓾",5,"픅픆픇픉픊픋픍",6,"픖픘",5], +["c061","픞",25], +["c081","픸픹픺픻픾픿핁핂핃핅",6,"핎핐핒",5,"핚핛핝핞핟핡핢핣웩웬웰웸웹웽위윅윈윌윔윕윗윙유육윤율윰윱윳융윷으윽은을읊음읍읏응",7,"읜읠읨읫이익인일읽읾잃임입잇있잉잊잎자작잔잖잗잘잚잠잡잣잤장잦재잭잰잴잼잽잿쟀쟁쟈쟉쟌쟎쟐쟘쟝쟤쟨쟬저적전절젊"], +["c141","핤핦핧핪핬핮",5,"핶핷핹핺핻핽",6,"햆햊햋"], +["c161","햌햍햎햏햑",19,"햦햧"], +["c181","햨",31,"점접젓정젖제젝젠젤젬젭젯젱져젼졀졈졉졌졍졔조족존졸졺좀좁좃종좆좇좋좌좍좔좝좟좡좨좼좽죄죈죌죔죕죗죙죠죡죤죵주죽준줄줅줆줌줍줏중줘줬줴쥐쥑쥔쥘쥠쥡쥣쥬쥰쥴쥼즈즉즌즐즘즙즛증지직진짇질짊짐집짓"], +["c241","헊헋헍헎헏헑헓",4,"헚헜헞",5,"헦헧헩헪헫헭헮"], +["c261","헯",4,"헶헸헺",5,"혂혃혅혆혇혉",6,"혒"], +["c281","혖",5,"혝혞혟혡혢혣혥",7,"혮",9,"혺혻징짖짙짚짜짝짠짢짤짧짬짭짯짰짱째짹짼쨀쨈쨉쨋쨌쨍쨔쨘쨩쩌쩍쩐쩔쩜쩝쩟쩠쩡쩨쩽쪄쪘쪼쪽쫀쫄쫌쫍쫏쫑쫓쫘쫙쫠쫬쫴쬈쬐쬔쬘쬠쬡쭁쭈쭉쭌쭐쭘쭙쭝쭤쭸쭹쮜쮸쯔쯤쯧쯩찌찍찐찔찜찝찡찢찧차착찬찮찰참찹찻"], +["c341","혽혾혿홁홂홃홄홆홇홊홌홎홏홐홒홓홖홗홙홚홛홝",4], +["c361","홢",4,"홨홪",5,"홲홳홵",11], +["c381","횁횂횄횆",5,"횎횏횑횒횓횕",7,"횞횠횢",5,"횩횪찼창찾채책챈챌챔챕챗챘챙챠챤챦챨챰챵처척천철첨첩첫첬청체첵첸첼쳄쳅쳇쳉쳐쳔쳤쳬쳰촁초촉촌촐촘촙촛총촤촨촬촹최쵠쵤쵬쵭쵯쵱쵸춈추축춘출춤춥춧충춰췄췌췐취췬췰췸췹췻췽츄츈츌츔츙츠측츤츨츰츱츳층"], +["c441","횫횭횮횯횱",7,"횺횼",7,"훆훇훉훊훋"], +["c461","훍훎훏훐훒훓훕훖훘훚",5,"훡훢훣훥훦훧훩",4], +["c481","훮훯훱훲훳훴훶",5,"훾훿휁휂휃휅",11,"휒휓휔치칙친칟칠칡침칩칫칭카칵칸칼캄캅캇캉캐캑캔캘캠캡캣캤캥캬캭컁커컥컨컫컬컴컵컷컸컹케켁켄켈켐켑켓켕켜켠켤켬켭켯켰켱켸코콕콘콜콤콥콧콩콰콱콴콸쾀쾅쾌쾡쾨쾰쿄쿠쿡쿤쿨쿰쿱쿳쿵쿼퀀퀄퀑퀘퀭퀴퀵퀸퀼"], +["c541","휕휖휗휚휛휝휞휟휡",6,"휪휬휮",5,"휶휷휹"], +["c561","휺휻휽",6,"흅흆흈흊",5,"흒흓흕흚",4], +["c581","흟흢흤흦흧흨흪흫흭흮흯흱흲흳흵",6,"흾흿힀힂",5,"힊힋큄큅큇큉큐큔큘큠크큭큰클큼큽킁키킥킨킬킴킵킷킹타탁탄탈탉탐탑탓탔탕태택탠탤탬탭탯탰탱탸턍터턱턴털턺텀텁텃텄텅테텍텐텔템텝텟텡텨텬텼톄톈토톡톤톨톰톱톳통톺톼퇀퇘퇴퇸툇툉툐투툭툰툴툼툽툿퉁퉈퉜"], +["c641","힍힎힏힑",6,"힚힜힞",5], +["c6a1","퉤튀튁튄튈튐튑튕튜튠튤튬튱트특튼튿틀틂틈틉틋틔틘틜틤틥티틱틴틸팀팁팃팅파팍팎판팔팖팜팝팟팠팡팥패팩팬팰팸팹팻팼팽퍄퍅퍼퍽펀펄펌펍펏펐펑페펙펜펠펨펩펫펭펴편펼폄폅폈평폐폘폡폣포폭폰폴폼폽폿퐁"], +["c7a1","퐈퐝푀푄표푠푤푭푯푸푹푼푿풀풂품풉풋풍풔풩퓌퓐퓔퓜퓟퓨퓬퓰퓸퓻퓽프픈플픔픕픗피픽핀필핌핍핏핑하학한할핥함합핫항해핵핸핼햄햅햇했행햐향허헉헌헐헒험헙헛헝헤헥헨헬헴헵헷헹혀혁현혈혐협혓혔형혜혠"], +["c8a1","혤혭호혹혼홀홅홈홉홋홍홑화확환활홧황홰홱홴횃횅회획횐횔횝횟횡효횬횰횹횻후훅훈훌훑훔훗훙훠훤훨훰훵훼훽휀휄휑휘휙휜휠휨휩휫휭휴휵휸휼흄흇흉흐흑흔흖흗흘흙흠흡흣흥흩희흰흴흼흽힁히힉힌힐힘힙힛힝"], +["caa1","伽佳假價加可呵哥嘉嫁家暇架枷柯歌珂痂稼苛茄街袈訶賈跏軻迦駕刻却各恪慤殼珏脚覺角閣侃刊墾奸姦干幹懇揀杆柬桿澗癎看磵稈竿簡肝艮艱諫間乫喝曷渴碣竭葛褐蝎鞨勘坎堪嵌感憾戡敢柑橄減甘疳監瞰紺邯鑑鑒龕"], +["cba1","匣岬甲胛鉀閘剛堈姜岡崗康强彊慷江畺疆糠絳綱羌腔舡薑襁講鋼降鱇介价個凱塏愷愾慨改槪漑疥皆盖箇芥蓋豈鎧開喀客坑更粳羹醵倨去居巨拒据據擧渠炬祛距踞車遽鉅鋸乾件健巾建愆楗腱虔蹇鍵騫乞傑杰桀儉劍劒檢"], +["cca1","瞼鈐黔劫怯迲偈憩揭擊格檄激膈覡隔堅牽犬甄絹繭肩見譴遣鵑抉決潔結缺訣兼慊箝謙鉗鎌京俓倞傾儆勁勍卿坰境庚徑慶憬擎敬景暻更梗涇炅烱璟璥瓊痙硬磬竟競絅經耕耿脛莖警輕逕鏡頃頸驚鯨係啓堺契季屆悸戒桂械"], +["cda1","棨溪界癸磎稽系繫繼計誡谿階鷄古叩告呱固姑孤尻庫拷攷故敲暠枯槁沽痼皐睾稿羔考股膏苦苽菰藁蠱袴誥賈辜錮雇顧高鼓哭斛曲梏穀谷鵠困坤崑昆梱棍滾琨袞鯤汨滑骨供公共功孔工恐恭拱控攻珙空蚣貢鞏串寡戈果瓜"], +["cea1","科菓誇課跨過鍋顆廓槨藿郭串冠官寬慣棺款灌琯瓘管罐菅觀貫關館刮恝括适侊光匡壙廣曠洸炚狂珖筐胱鑛卦掛罫乖傀塊壞怪愧拐槐魁宏紘肱轟交僑咬喬嬌嶠巧攪敎校橋狡皎矯絞翹膠蕎蛟較轎郊餃驕鮫丘久九仇俱具勾"], +["cfa1","區口句咎嘔坵垢寇嶇廐懼拘救枸柩構歐毆毬求溝灸狗玖球瞿矩究絿耉臼舅舊苟衢謳購軀逑邱鉤銶駒驅鳩鷗龜國局菊鞠鞫麴君窘群裙軍郡堀屈掘窟宮弓穹窮芎躬倦券勸卷圈拳捲權淃眷厥獗蕨蹶闕机櫃潰詭軌饋句晷歸貴"], +["d0a1","鬼龜叫圭奎揆槻珪硅窺竅糾葵規赳逵閨勻均畇筠菌鈞龜橘克剋劇戟棘極隙僅劤勤懃斤根槿瑾筋芹菫覲謹近饉契今妗擒昑檎琴禁禽芩衾衿襟金錦伋及急扱汲級給亘兢矜肯企伎其冀嗜器圻基埼夔奇妓寄岐崎己幾忌技旗旣"], +["d1a1","朞期杞棋棄機欺氣汽沂淇玘琦琪璂璣畸畿碁磯祁祇祈祺箕紀綺羈耆耭肌記譏豈起錡錤飢饑騎騏驥麒緊佶吉拮桔金喫儺喇奈娜懦懶拏拿癩",5,"那樂",4,"諾酪駱亂卵暖欄煖爛蘭難鸞捏捺南嵐枏楠湳濫男藍襤拉"], +["d2a1","納臘蠟衲囊娘廊",4,"乃來內奈柰耐冷女年撚秊念恬拈捻寧寗努勞奴弩怒擄櫓爐瑙盧",5,"駑魯",10,"濃籠聾膿農惱牢磊腦賂雷尿壘",7,"嫩訥杻紐勒",5,"能菱陵尼泥匿溺多茶"], +["d3a1","丹亶但單團壇彖斷旦檀段湍短端簞緞蛋袒鄲鍛撻澾獺疸達啖坍憺擔曇淡湛潭澹痰聃膽蕁覃談譚錟沓畓答踏遝唐堂塘幢戇撞棠當糖螳黨代垈坮大對岱帶待戴擡玳臺袋貸隊黛宅德悳倒刀到圖堵塗導屠島嶋度徒悼挑掉搗桃"], +["d4a1","棹櫂淘渡滔濤燾盜睹禱稻萄覩賭跳蹈逃途道都鍍陶韜毒瀆牘犢獨督禿篤纛讀墩惇敦旽暾沌焞燉豚頓乭突仝冬凍動同憧東桐棟洞潼疼瞳童胴董銅兜斗杜枓痘竇荳讀豆逗頭屯臀芚遁遯鈍得嶝橙燈登等藤謄鄧騰喇懶拏癩羅"], +["d5a1","蘿螺裸邏樂洛烙珞絡落諾酪駱丹亂卵欄欒瀾爛蘭鸞剌辣嵐擥攬欖濫籃纜藍襤覽拉臘蠟廊朗浪狼琅瑯螂郞來崍徠萊冷掠略亮倆兩凉梁樑粮粱糧良諒輛量侶儷勵呂廬慮戾旅櫚濾礪藜蠣閭驢驪麗黎力曆歷瀝礫轢靂憐戀攣漣"], +["d6a1","煉璉練聯蓮輦連鍊冽列劣洌烈裂廉斂殮濂簾獵令伶囹寧岺嶺怜玲笭羚翎聆逞鈴零靈領齡例澧禮醴隷勞怒撈擄櫓潞瀘爐盧老蘆虜路輅露魯鷺鹵碌祿綠菉錄鹿麓論壟弄朧瀧瓏籠聾儡瀨牢磊賂賚賴雷了僚寮廖料燎療瞭聊蓼"], +["d7a1","遼鬧龍壘婁屢樓淚漏瘻累縷蔞褸鏤陋劉旒柳榴流溜瀏琉瑠留瘤硫謬類六戮陸侖倫崙淪綸輪律慄栗率隆勒肋凜凌楞稜綾菱陵俚利厘吏唎履悧李梨浬犁狸理璃異痢籬罹羸莉裏裡里釐離鯉吝潾燐璘藺躪隣鱗麟林淋琳臨霖砬"], +["d8a1","立笠粒摩瑪痲碼磨馬魔麻寞幕漠膜莫邈万卍娩巒彎慢挽晩曼滿漫灣瞞萬蔓蠻輓饅鰻唜抹末沫茉襪靺亡妄忘忙望網罔芒茫莽輞邙埋妹媒寐昧枚梅每煤罵買賣邁魅脈貊陌驀麥孟氓猛盲盟萌冪覓免冕勉棉沔眄眠綿緬面麵滅"], +["d9a1","蔑冥名命明暝椧溟皿瞑茗蓂螟酩銘鳴袂侮冒募姆帽慕摸摹暮某模母毛牟牡瑁眸矛耗芼茅謀謨貌木沐牧目睦穆鶩歿沒夢朦蒙卯墓妙廟描昴杳渺猫竗苗錨務巫憮懋戊拇撫无楙武毋無珷畝繆舞茂蕪誣貿霧鵡墨默們刎吻問文"], +["daa1","汶紊紋聞蚊門雯勿沕物味媚尾嵋彌微未梶楣渼湄眉米美薇謎迷靡黴岷悶愍憫敏旻旼民泯玟珉緡閔密蜜謐剝博拍搏撲朴樸泊珀璞箔粕縛膊舶薄迫雹駁伴半反叛拌搬攀斑槃泮潘班畔瘢盤盼磐磻礬絆般蟠返頒飯勃拔撥渤潑"], +["dba1","發跋醱鉢髮魃倣傍坊妨尨幇彷房放方旁昉枋榜滂磅紡肪膀舫芳蒡蚌訪謗邦防龐倍俳北培徘拜排杯湃焙盃背胚裴裵褙賠輩配陪伯佰帛柏栢白百魄幡樊煩燔番磻繁蕃藩飜伐筏罰閥凡帆梵氾汎泛犯範范法琺僻劈壁擘檗璧癖"], +["dca1","碧蘗闢霹便卞弁變辨辯邊別瞥鱉鼈丙倂兵屛幷昞昺柄棅炳甁病秉竝輧餠騈保堡報寶普步洑湺潽珤甫菩補褓譜輔伏僕匐卜宓復服福腹茯蔔複覆輹輻馥鰒本乶俸奉封峯峰捧棒烽熢琫縫蓬蜂逢鋒鳳不付俯傅剖副否咐埠夫婦"], +["dda1","孚孵富府復扶敷斧浮溥父符簿缶腐腑膚艀芙莩訃負賦賻赴趺部釜阜附駙鳧北分吩噴墳奔奮忿憤扮昐汾焚盆粉糞紛芬賁雰不佛弗彿拂崩朋棚硼繃鵬丕備匕匪卑妃婢庇悲憊扉批斐枇榧比毖毗毘沸泌琵痺砒碑秕秘粃緋翡肥"], +["dea1","脾臂菲蜚裨誹譬費鄙非飛鼻嚬嬪彬斌檳殯浜濱瀕牝玭貧賓頻憑氷聘騁乍事些仕伺似使俟僿史司唆嗣四士奢娑寫寺射巳師徙思捨斜斯柶査梭死沙泗渣瀉獅砂社祀祠私篩紗絲肆舍莎蓑蛇裟詐詞謝賜赦辭邪飼駟麝削數朔索"], +["dfa1","傘刪山散汕珊産疝算蒜酸霰乷撒殺煞薩三參杉森渗芟蔘衫揷澁鈒颯上傷像償商喪嘗孀尙峠常床庠廂想桑橡湘爽牀狀相祥箱翔裳觴詳象賞霜塞璽賽嗇塞穡索色牲生甥省笙墅壻嶼序庶徐恕抒捿敍暑曙書栖棲犀瑞筮絮緖署"], +["e0a1","胥舒薯西誓逝鋤黍鼠夕奭席惜昔晳析汐淅潟石碩蓆釋錫仙僊先善嬋宣扇敾旋渲煽琁瑄璇璿癬禪線繕羨腺膳船蘚蟬詵跣選銑鐥饍鮮卨屑楔泄洩渫舌薛褻設說雪齧剡暹殲纖蟾贍閃陝攝涉燮葉城姓宬性惺成星晟猩珹盛省筬"], +["e1a1","聖聲腥誠醒世勢歲洗稅笹細說貰召嘯塑宵小少巢所掃搔昭梳沼消溯瀟炤燒甦疏疎瘙笑篠簫素紹蔬蕭蘇訴逍遡邵銷韶騷俗屬束涑粟續謖贖速孫巽損蓀遜飡率宋悚松淞訟誦送頌刷殺灑碎鎖衰釗修受嗽囚垂壽嫂守岫峀帥愁"], +["e2a1","戍手授搜收數樹殊水洙漱燧狩獸琇璲瘦睡秀穗竪粹綏綬繡羞脩茱蒐蓚藪袖誰讐輸遂邃酬銖銹隋隧隨雖需須首髓鬚叔塾夙孰宿淑潚熟琡璹肅菽巡徇循恂旬栒楯橓殉洵淳珣盾瞬筍純脣舜荀蓴蕣詢諄醇錞順馴戌術述鉥崇崧"], +["e3a1","嵩瑟膝蝨濕拾習褶襲丞乘僧勝升承昇繩蠅陞侍匙嘶始媤尸屎屍市弑恃施是時枾柴猜矢示翅蒔蓍視試詩諡豕豺埴寔式息拭植殖湜熄篒蝕識軾食飾伸侁信呻娠宸愼新晨燼申神紳腎臣莘薪藎蜃訊身辛辰迅失室實悉審尋心沁"], +["e4a1","沈深瀋甚芯諶什十拾雙氏亞俄兒啞娥峨我牙芽莪蛾衙訝阿雅餓鴉鵝堊岳嶽幄惡愕握樂渥鄂鍔顎鰐齷安岸按晏案眼雁鞍顔鮟斡謁軋閼唵岩巖庵暗癌菴闇壓押狎鴨仰央怏昻殃秧鴦厓哀埃崖愛曖涯碍艾隘靄厄扼掖液縊腋額"], +["e5a1","櫻罌鶯鸚也倻冶夜惹揶椰爺耶若野弱掠略約若葯蒻藥躍亮佯兩凉壤孃恙揚攘敭暘梁楊樣洋瀁煬痒瘍禳穰糧羊良襄諒讓釀陽量養圄御於漁瘀禦語馭魚齬億憶抑檍臆偃堰彦焉言諺孼蘖俺儼嚴奄掩淹嶪業円予余勵呂女如廬"], +["e6a1","旅歟汝濾璵礖礪與艅茹輿轝閭餘驪麗黎亦力域役易曆歷疫繹譯轢逆驛嚥堧姸娟宴年延憐戀捐挻撚椽沇沿涎涓淵演漣烟然煙煉燃燕璉硏硯秊筵緣練縯聯衍軟輦蓮連鉛鍊鳶列劣咽悅涅烈熱裂說閱厭廉念捻染殮炎焰琰艶苒"], +["e7a1","簾閻髥鹽曄獵燁葉令囹塋寧嶺嶸影怜映暎楹榮永泳渶潁濚瀛瀯煐營獰玲瑛瑩瓔盈穎纓羚聆英詠迎鈴鍈零霙靈領乂倪例刈叡曳汭濊猊睿穢芮藝蘂禮裔詣譽豫醴銳隸霓預五伍俉傲午吾吳嗚塢墺奧娛寤悟惡懊敖旿晤梧汚澳"], +["e8a1","烏熬獒筽蜈誤鰲鼇屋沃獄玉鈺溫瑥瘟穩縕蘊兀壅擁瓮甕癰翁邕雍饔渦瓦窩窪臥蛙蝸訛婉完宛梡椀浣玩琓琬碗緩翫脘腕莞豌阮頑曰往旺枉汪王倭娃歪矮外嵬巍猥畏了僚僥凹堯夭妖姚寥寮尿嶢拗搖撓擾料曜樂橈燎燿瑤療"], +["e9a1","窈窯繇繞耀腰蓼蟯要謠遙遼邀饒慾欲浴縟褥辱俑傭冗勇埇墉容庸慂榕涌湧溶熔瑢用甬聳茸蓉踊鎔鏞龍于佑偶優又友右宇寓尤愚憂旴牛玗瑀盂祐禑禹紆羽芋藕虞迂遇郵釪隅雨雩勖彧旭昱栯煜稶郁頊云暈橒殞澐熉耘芸蕓"], +["eaa1","運隕雲韻蔚鬱亐熊雄元原員圓園垣媛嫄寃怨愿援沅洹湲源爰猿瑗苑袁轅遠阮院願鴛月越鉞位偉僞危圍委威尉慰暐渭爲瑋緯胃萎葦蔿蝟衛褘謂違韋魏乳侑儒兪劉唯喩孺宥幼幽庾悠惟愈愉揄攸有杻柔柚柳楡楢油洧流游溜"], +["eba1","濡猶猷琉瑜由留癒硫紐維臾萸裕誘諛諭踰蹂遊逾遺酉釉鍮類六堉戮毓肉育陸倫允奫尹崙淪潤玧胤贇輪鈗閏律慄栗率聿戎瀜絨融隆垠恩慇殷誾銀隱乙吟淫蔭陰音飮揖泣邑凝應膺鷹依倚儀宜意懿擬椅毅疑矣義艤薏蟻衣誼"], +["eca1","議醫二以伊利吏夷姨履已弛彛怡易李梨泥爾珥理異痍痢移罹而耳肄苡荑裏裡貽貳邇里離飴餌匿溺瀷益翊翌翼謚人仁刃印吝咽因姻寅引忍湮燐璘絪茵藺蚓認隣靭靷鱗麟一佚佾壹日溢逸鎰馹任壬妊姙恁林淋稔臨荏賃入卄"], +["eda1","立笠粒仍剩孕芿仔刺咨姉姿子字孜恣慈滋炙煮玆瓷疵磁紫者自茨蔗藉諮資雌作勺嚼斫昨灼炸爵綽芍酌雀鵲孱棧殘潺盞岑暫潛箴簪蠶雜丈仗匠場墻壯奬將帳庄張掌暲杖樟檣欌漿牆狀獐璋章粧腸臟臧莊葬蔣薔藏裝贓醬長"], +["eea1","障再哉在宰才材栽梓渽滓災縡裁財載齋齎爭箏諍錚佇低儲咀姐底抵杵楮樗沮渚狙猪疽箸紵苧菹著藷詛貯躇這邸雎齟勣吊嫡寂摘敵滴狄炙的積笛籍績翟荻謫賊赤跡蹟迪迹適鏑佃佺傳全典前剪塡塼奠專展廛悛戰栓殿氈澱"], +["efa1","煎琠田甸畑癲筌箋箭篆纏詮輾轉鈿銓錢鐫電顚顫餞切截折浙癤竊節絶占岾店漸点粘霑鮎點接摺蝶丁井亭停偵呈姃定幀庭廷征情挺政整旌晶晸柾楨檉正汀淀淨渟湞瀞炡玎珽町睛碇禎程穽精綎艇訂諪貞鄭酊釘鉦鋌錠霆靖"], +["f0a1","靜頂鼎制劑啼堤帝弟悌提梯濟祭第臍薺製諸蹄醍除際霽題齊俎兆凋助嘲弔彫措操早晁曺曹朝條棗槽漕潮照燥爪璪眺祖祚租稠窕粗糟組繰肇藻蚤詔調趙躁造遭釣阻雕鳥族簇足鏃存尊卒拙猝倧宗從悰慫棕淙琮種終綜縱腫"], +["f1a1","踪踵鍾鐘佐坐左座挫罪主住侏做姝胄呪周嗾奏宙州廚晝朱柱株注洲湊澍炷珠疇籌紂紬綢舟蛛註誅走躊輳週酎酒鑄駐竹粥俊儁准埈寯峻晙樽浚準濬焌畯竣蠢逡遵雋駿茁中仲衆重卽櫛楫汁葺增憎曾拯烝甑症繒蒸證贈之只"], +["f2a1","咫地址志持指摯支旨智枝枳止池沚漬知砥祉祗紙肢脂至芝芷蜘誌識贄趾遲直稙稷織職唇嗔塵振搢晉晋桭榛殄津溱珍瑨璡畛疹盡眞瞋秦縉縝臻蔯袗診賑軫辰進鎭陣陳震侄叱姪嫉帙桎瓆疾秩窒膣蛭質跌迭斟朕什執潗緝輯"], +["f3a1","鏶集徵懲澄且侘借叉嗟嵯差次此磋箚茶蹉車遮捉搾着窄錯鑿齪撰澯燦璨瓚竄簒纂粲纘讚贊鑽餐饌刹察擦札紮僭參塹慘慙懺斬站讒讖倉倡創唱娼廠彰愴敞昌昶暢槍滄漲猖瘡窓脹艙菖蒼債埰寀寨彩採砦綵菜蔡采釵冊柵策"], +["f4a1","責凄妻悽處倜刺剔尺慽戚拓擲斥滌瘠脊蹠陟隻仟千喘天川擅泉淺玔穿舛薦賤踐遷釧闡阡韆凸哲喆徹撤澈綴輟轍鐵僉尖沾添甛瞻簽籤詹諂堞妾帖捷牒疊睫諜貼輒廳晴淸聽菁請靑鯖切剃替涕滯締諦逮遞體初剿哨憔抄招梢"], +["f5a1","椒楚樵炒焦硝礁礎秒稍肖艸苕草蕉貂超酢醋醮促囑燭矗蜀觸寸忖村邨叢塚寵悤憁摠總聰蔥銃撮催崔最墜抽推椎楸樞湫皺秋芻萩諏趨追鄒酋醜錐錘鎚雛騶鰍丑畜祝竺筑築縮蓄蹙蹴軸逐春椿瑃出朮黜充忠沖蟲衝衷悴膵萃"], +["f6a1","贅取吹嘴娶就炊翠聚脆臭趣醉驟鷲側仄厠惻測層侈値嗤峙幟恥梔治淄熾痔痴癡稚穉緇緻置致蚩輜雉馳齒則勅飭親七柒漆侵寢枕沈浸琛砧針鍼蟄秤稱快他咤唾墮妥惰打拖朶楕舵陀馱駝倬卓啄坼度托拓擢晫柝濁濯琢琸託"], +["f7a1","鐸呑嘆坦彈憚歎灘炭綻誕奪脫探眈耽貪塔搭榻宕帑湯糖蕩兌台太怠態殆汰泰笞胎苔跆邰颱宅擇澤撑攄兎吐土討慟桶洞痛筒統通堆槌腿褪退頹偸套妬投透鬪慝特闖坡婆巴把播擺杷波派爬琶破罷芭跛頗判坂板版瓣販辦鈑"], +["f8a1","阪八叭捌佩唄悖敗沛浿牌狽稗覇貝彭澎烹膨愎便偏扁片篇編翩遍鞭騙貶坪平枰萍評吠嬖幣廢弊斃肺蔽閉陛佈包匍匏咆哺圃布怖抛抱捕暴泡浦疱砲胞脯苞葡蒲袍褒逋鋪飽鮑幅暴曝瀑爆輻俵剽彪慓杓標漂瓢票表豹飇飄驃"], +["f9a1","品稟楓諷豊風馮彼披疲皮被避陂匹弼必泌珌畢疋筆苾馝乏逼下何厦夏廈昰河瑕荷蝦賀遐霞鰕壑學虐謔鶴寒恨悍旱汗漢澣瀚罕翰閑閒限韓割轄函含咸啣喊檻涵緘艦銜陷鹹合哈盒蛤閤闔陜亢伉姮嫦巷恒抗杭桁沆港缸肛航"], +["faa1","行降項亥偕咳垓奚孩害懈楷海瀣蟹解該諧邂駭骸劾核倖幸杏荇行享向嚮珦鄕響餉饗香噓墟虛許憲櫶獻軒歇險驗奕爀赫革俔峴弦懸晛泫炫玄玹現眩睍絃絢縣舷衒見賢鉉顯孑穴血頁嫌俠協夾峽挾浹狹脅脇莢鋏頰亨兄刑型"], +["fba1","形泂滎瀅灐炯熒珩瑩荊螢衡逈邢鎣馨兮彗惠慧暳蕙蹊醯鞋乎互呼壕壺好岵弧戶扈昊晧毫浩淏湖滸澔濠濩灝狐琥瑚瓠皓祜糊縞胡芦葫蒿虎號蝴護豪鎬頀顥惑或酷婚昏混渾琿魂忽惚笏哄弘汞泓洪烘紅虹訌鴻化和嬅樺火畵"], +["fca1","禍禾花華話譁貨靴廓擴攫確碻穫丸喚奐宦幻患換歡晥桓渙煥環紈還驩鰥活滑猾豁闊凰幌徨恍惶愰慌晃晄榥況湟滉潢煌璜皇篁簧荒蝗遑隍黃匯回廻徊恢悔懷晦會檜淮澮灰獪繪膾茴蛔誨賄劃獲宖橫鐄哮嚆孝效斅曉梟涍淆"], +["fda1","爻肴酵驍侯候厚后吼喉嗅帿後朽煦珝逅勛勳塤壎焄熏燻薰訓暈薨喧暄煊萱卉喙毁彙徽揮暉煇諱輝麾休携烋畦虧恤譎鷸兇凶匈洶胸黑昕欣炘痕吃屹紇訖欠欽歆吸恰洽翕興僖凞喜噫囍姬嬉希憙憘戱晞曦熙熹熺犧禧稀羲詰"] +] diff --git a/node_modules/express/node_modules/iconv-lite/encodings/tables/cp950.json b/node_modules/express/node_modules/iconv-lite/encodings/tables/cp950.json new file mode 100644 index 0000000..d8bc871 --- /dev/null +++ b/node_modules/express/node_modules/iconv-lite/encodings/tables/cp950.json @@ -0,0 +1,177 @@ +[ +["0","\u0000",127], +["a140"," ,、。.‧;:?!︰…‥﹐﹑﹒·﹔﹕﹖﹗|–︱—︳╴︴﹏()︵︶{}︷︸〔〕︹︺【】︻︼《》︽︾〈〉︿﹀「」﹁﹂『』﹃﹄﹙﹚"], +["a1a1","﹛﹜﹝﹞‘’“”〝〞‵′#&*※§〃○●△▲◎☆★◇◆□■▽▼㊣℅¯ ̄_ˍ﹉﹊﹍﹎﹋﹌﹟﹠﹡+-×÷±√<>=≦≧≠∞≒≡﹢",4,"~∩∪⊥∠∟⊿㏒㏑∫∮∵∴♀♂⊕⊙↑↓←→↖↗↙↘∥∣/"], +["a240","\∕﹨$¥〒¢£%@℃℉﹩﹪﹫㏕㎜㎝㎞㏎㎡㎎㎏㏄°兙兛兞兝兡兣嗧瓩糎▁",7,"▏▎▍▌▋▊▉┼┴┬┤├▔─│▕┌┐└┘╭"], +["a2a1","╮╰╯═╞╪╡◢◣◥◤╱╲╳0",9,"Ⅰ",9,"〡",8,"十卄卅A",25,"a",21], +["a340","wxyzΑ",16,"Σ",6,"α",16,"σ",6,"ㄅ",10], +["a3a1","ㄐ",25,"˙ˉˊˇˋ"], +["a3e1","€"], +["a440","一乙丁七乃九了二人儿入八几刀刁力匕十卜又三下丈上丫丸凡久么也乞于亡兀刃勺千叉口土士夕大女子孑孓寸小尢尸山川工己已巳巾干廾弋弓才"], +["a4a1","丑丐不中丰丹之尹予云井互五亢仁什仃仆仇仍今介仄元允內六兮公冗凶分切刈勻勾勿化匹午升卅卞厄友及反壬天夫太夭孔少尤尺屯巴幻廿弔引心戈戶手扎支文斗斤方日曰月木欠止歹毋比毛氏水火爪父爻片牙牛犬王丙"], +["a540","世丕且丘主乍乏乎以付仔仕他仗代令仙仞充兄冉冊冬凹出凸刊加功包匆北匝仟半卉卡占卯卮去可古右召叮叩叨叼司叵叫另只史叱台句叭叻四囚外"], +["a5a1","央失奴奶孕它尼巨巧左市布平幼弁弘弗必戊打扔扒扑斥旦朮本未末札正母民氐永汁汀氾犯玄玉瓜瓦甘生用甩田由甲申疋白皮皿目矛矢石示禾穴立丞丟乒乓乩亙交亦亥仿伉伙伊伕伍伐休伏仲件任仰仳份企伋光兇兆先全"], +["a640","共再冰列刑划刎刖劣匈匡匠印危吉吏同吊吐吁吋各向名合吃后吆吒因回囝圳地在圭圬圯圩夙多夷夸妄奸妃好她如妁字存宇守宅安寺尖屹州帆并年"], +["a6a1","式弛忙忖戎戌戍成扣扛托收早旨旬旭曲曳有朽朴朱朵次此死氖汝汗汙江池汐汕污汛汍汎灰牟牝百竹米糸缶羊羽老考而耒耳聿肉肋肌臣自至臼舌舛舟艮色艾虫血行衣西阡串亨位住佇佗佞伴佛何估佐佑伽伺伸佃佔似但佣"], +["a740","作你伯低伶余佝佈佚兌克免兵冶冷別判利刪刨劫助努劬匣即卵吝吭吞吾否呎吧呆呃吳呈呂君吩告吹吻吸吮吵吶吠吼呀吱含吟听囪困囤囫坊坑址坍"], +["a7a1","均坎圾坐坏圻壯夾妝妒妨妞妣妙妖妍妤妓妊妥孝孜孚孛完宋宏尬局屁尿尾岐岑岔岌巫希序庇床廷弄弟彤形彷役忘忌志忍忱快忸忪戒我抄抗抖技扶抉扭把扼找批扳抒扯折扮投抓抑抆改攻攸旱更束李杏材村杜杖杞杉杆杠"], +["a840","杓杗步每求汞沙沁沈沉沅沛汪決沐汰沌汨沖沒汽沃汲汾汴沆汶沍沔沘沂灶灼災灸牢牡牠狄狂玖甬甫男甸皂盯矣私秀禿究系罕肖肓肝肘肛肚育良芒"], +["a8a1","芋芍見角言谷豆豕貝赤走足身車辛辰迂迆迅迄巡邑邢邪邦那酉釆里防阮阱阪阬並乖乳事些亞享京佯依侍佳使佬供例來侃佰併侈佩佻侖佾侏侑佺兔兒兕兩具其典冽函刻券刷刺到刮制剁劾劻卒協卓卑卦卷卸卹取叔受味呵"], +["a940","咖呸咕咀呻呷咄咒咆呼咐呱呶和咚呢周咋命咎固垃坷坪坩坡坦坤坼夜奉奇奈奄奔妾妻委妹妮姑姆姐姍始姓姊妯妳姒姅孟孤季宗定官宜宙宛尚屈居"], +["a9a1","屆岷岡岸岩岫岱岳帘帚帖帕帛帑幸庚店府底庖延弦弧弩往征彿彼忝忠忽念忿怏怔怯怵怖怪怕怡性怩怫怛或戕房戾所承拉拌拄抿拂抹拒招披拓拔拋拈抨抽押拐拙拇拍抵拚抱拘拖拗拆抬拎放斧於旺昔易昌昆昂明昀昏昕昊"], +["aa40","昇服朋杭枋枕東果杳杷枇枝林杯杰板枉松析杵枚枓杼杪杲欣武歧歿氓氛泣注泳沱泌泥河沽沾沼波沫法泓沸泄油況沮泗泅泱沿治泡泛泊沬泯泜泖泠"], +["aaa1","炕炎炒炊炙爬爭爸版牧物狀狎狙狗狐玩玨玟玫玥甽疝疙疚的盂盲直知矽社祀祁秉秈空穹竺糾罔羌羋者肺肥肢肱股肫肩肴肪肯臥臾舍芳芝芙芭芽芟芹花芬芥芯芸芣芰芾芷虎虱初表軋迎返近邵邸邱邶采金長門阜陀阿阻附"], +["ab40","陂隹雨青非亟亭亮信侵侯便俠俑俏保促侶俘俟俊俗侮俐俄係俚俎俞侷兗冒冑冠剎剃削前剌剋則勇勉勃勁匍南卻厚叛咬哀咨哎哉咸咦咳哇哂咽咪品"], +["aba1","哄哈咯咫咱咻咩咧咿囿垂型垠垣垢城垮垓奕契奏奎奐姜姘姿姣姨娃姥姪姚姦威姻孩宣宦室客宥封屎屏屍屋峙峒巷帝帥帟幽庠度建弈弭彥很待徊律徇後徉怒思怠急怎怨恍恰恨恢恆恃恬恫恪恤扁拜挖按拼拭持拮拽指拱拷"], +["ac40","拯括拾拴挑挂政故斫施既春昭映昧是星昨昱昤曷柿染柱柔某柬架枯柵柩柯柄柑枴柚查枸柏柞柳枰柙柢柝柒歪殃殆段毒毗氟泉洋洲洪流津洌洱洞洗"], +["aca1","活洽派洶洛泵洹洧洸洩洮洵洎洫炫為炳炬炯炭炸炮炤爰牲牯牴狩狠狡玷珊玻玲珍珀玳甚甭畏界畎畋疫疤疥疢疣癸皆皇皈盈盆盃盅省盹相眉看盾盼眇矜砂研砌砍祆祉祈祇禹禺科秒秋穿突竿竽籽紂紅紀紉紇約紆缸美羿耄"], +["ad40","耐耍耑耶胖胥胚胃胄背胡胛胎胞胤胝致舢苧范茅苣苛苦茄若茂茉苒苗英茁苜苔苑苞苓苟苯茆虐虹虻虺衍衫要觔計訂訃貞負赴赳趴軍軌述迦迢迪迥"], +["ada1","迭迫迤迨郊郎郁郃酋酊重閂限陋陌降面革韋韭音頁風飛食首香乘亳倌倍倣俯倦倥俸倩倖倆值借倚倒們俺倀倔倨俱倡個候倘俳修倭倪俾倫倉兼冤冥冢凍凌准凋剖剜剔剛剝匪卿原厝叟哨唐唁唷哼哥哲唆哺唔哩哭員唉哮哪"], +["ae40","哦唧唇哽唏圃圄埂埔埋埃堉夏套奘奚娑娘娜娟娛娓姬娠娣娩娥娌娉孫屘宰害家宴宮宵容宸射屑展屐峭峽峻峪峨峰島崁峴差席師庫庭座弱徒徑徐恙"], +["aea1","恣恥恐恕恭恩息悄悟悚悍悔悌悅悖扇拳挈拿捎挾振捕捂捆捏捉挺捐挽挪挫挨捍捌效敉料旁旅時晉晏晃晒晌晅晁書朔朕朗校核案框桓根桂桔栩梳栗桌桑栽柴桐桀格桃株桅栓栘桁殊殉殷氣氧氨氦氤泰浪涕消涇浦浸海浙涓"], +["af40","浬涉浮浚浴浩涌涊浹涅浥涔烊烘烤烙烈烏爹特狼狹狽狸狷玆班琉珮珠珪珞畔畝畜畚留疾病症疲疳疽疼疹痂疸皋皰益盍盎眩真眠眨矩砰砧砸砝破砷"], +["afa1","砥砭砠砟砲祕祐祠祟祖神祝祗祚秤秣秧租秦秩秘窄窈站笆笑粉紡紗紋紊素索純紐紕級紜納紙紛缺罟羔翅翁耆耘耕耙耗耽耿胱脂胰脅胭胴脆胸胳脈能脊胼胯臭臬舀舐航舫舨般芻茫荒荔荊茸荐草茵茴荏茲茹茶茗荀茱茨荃"], +["b040","虔蚊蚪蚓蚤蚩蚌蚣蚜衰衷袁袂衽衹記訐討訌訕訊託訓訖訏訑豈豺豹財貢起躬軒軔軏辱送逆迷退迺迴逃追逅迸邕郡郝郢酒配酌釘針釗釜釙閃院陣陡"], +["b0a1","陛陝除陘陞隻飢馬骨高鬥鬲鬼乾偺偽停假偃偌做偉健偶偎偕偵側偷偏倏偯偭兜冕凰剪副勒務勘動匐匏匙匿區匾參曼商啪啦啄啞啡啃啊唱啖問啕唯啤唸售啜唬啣唳啁啗圈國圉域堅堊堆埠埤基堂堵執培夠奢娶婁婉婦婪婀"], +["b140","娼婢婚婆婊孰寇寅寄寂宿密尉專將屠屜屝崇崆崎崛崖崢崑崩崔崙崤崧崗巢常帶帳帷康庸庶庵庾張強彗彬彩彫得徙從徘御徠徜恿患悉悠您惋悴惦悽"], +["b1a1","情悻悵惜悼惘惕惆惟悸惚惇戚戛扈掠控捲掖探接捷捧掘措捱掩掉掃掛捫推掄授掙採掬排掏掀捻捩捨捺敝敖救教敗啟敏敘敕敔斜斛斬族旋旌旎晝晚晤晨晦晞曹勗望梁梯梢梓梵桿桶梱梧梗械梃棄梭梆梅梔條梨梟梡梂欲殺"], +["b240","毫毬氫涎涼淳淙液淡淌淤添淺清淇淋涯淑涮淞淹涸混淵淅淒渚涵淚淫淘淪深淮淨淆淄涪淬涿淦烹焉焊烽烯爽牽犁猜猛猖猓猙率琅琊球理現琍瓠瓶"], +["b2a1","瓷甜產略畦畢異疏痔痕疵痊痍皎盔盒盛眷眾眼眶眸眺硫硃硎祥票祭移窒窕笠笨笛第符笙笞笮粒粗粕絆絃統紮紹紼絀細紳組累終紲紱缽羞羚翌翎習耜聊聆脯脖脣脫脩脰脤舂舵舷舶船莎莞莘荸莢莖莽莫莒莊莓莉莠荷荻荼"], +["b340","莆莧處彪蛇蛀蚶蛄蚵蛆蛋蚱蚯蛉術袞袈被袒袖袍袋覓規訪訝訣訥許設訟訛訢豉豚販責貫貨貪貧赧赦趾趺軛軟這逍通逗連速逝逐逕逞造透逢逖逛途"], +["b3a1","部郭都酗野釵釦釣釧釭釩閉陪陵陳陸陰陴陶陷陬雀雪雩章竟頂頃魚鳥鹵鹿麥麻傢傍傅備傑傀傖傘傚最凱割剴創剩勞勝勛博厥啻喀喧啼喊喝喘喂喜喪喔喇喋喃喳單喟唾喲喚喻喬喱啾喉喫喙圍堯堪場堤堰報堡堝堠壹壺奠"], +["b440","婷媚婿媒媛媧孳孱寒富寓寐尊尋就嵌嵐崴嵇巽幅帽幀幃幾廊廁廂廄弼彭復循徨惑惡悲悶惠愜愣惺愕惰惻惴慨惱愎惶愉愀愒戟扉掣掌描揀揩揉揆揍"], +["b4a1","插揣提握揖揭揮捶援揪換摒揚揹敞敦敢散斑斐斯普晰晴晶景暑智晾晷曾替期朝棺棕棠棘棗椅棟棵森棧棹棒棲棣棋棍植椒椎棉棚楮棻款欺欽殘殖殼毯氮氯氬港游湔渡渲湧湊渠渥渣減湛湘渤湖湮渭渦湯渴湍渺測湃渝渾滋"], +["b540","溉渙湎湣湄湲湩湟焙焚焦焰無然煮焜牌犄犀猶猥猴猩琺琪琳琢琥琵琶琴琯琛琦琨甥甦畫番痢痛痣痙痘痞痠登發皖皓皴盜睏短硝硬硯稍稈程稅稀窘"], +["b5a1","窗窖童竣等策筆筐筒答筍筋筏筑粟粥絞結絨絕紫絮絲絡給絢絰絳善翔翕耋聒肅腕腔腋腑腎脹腆脾腌腓腴舒舜菩萃菸萍菠菅萋菁華菱菴著萊菰萌菌菽菲菊萸萎萄菜萇菔菟虛蛟蛙蛭蛔蛛蛤蛐蛞街裁裂袱覃視註詠評詞証詁"], +["b640","詔詛詐詆訴診訶詖象貂貯貼貳貽賁費賀貴買貶貿貸越超趁跎距跋跚跑跌跛跆軻軸軼辜逮逵週逸進逶鄂郵鄉郾酣酥量鈔鈕鈣鈉鈞鈍鈐鈇鈑閔閏開閑"], +["b6a1","間閒閎隊階隋陽隅隆隍陲隄雁雅雄集雇雯雲韌項順須飧飪飯飩飲飭馮馭黃黍黑亂傭債傲傳僅傾催傷傻傯僇剿剷剽募勦勤勢勣匯嗟嗨嗓嗦嗎嗜嗇嗑嗣嗤嗯嗚嗡嗅嗆嗥嗉園圓塞塑塘塗塚塔填塌塭塊塢塒塋奧嫁嫉嫌媾媽媼"], +["b740","媳嫂媲嵩嵯幌幹廉廈弒彙徬微愚意慈感想愛惹愁愈慎慌慄慍愾愴愧愍愆愷戡戢搓搾搞搪搭搽搬搏搜搔損搶搖搗搆敬斟新暗暉暇暈暖暄暘暍會榔業"], +["b7a1","楚楷楠楔極椰概楊楨楫楞楓楹榆楝楣楛歇歲毀殿毓毽溢溯滓溶滂源溝滇滅溥溘溼溺溫滑準溜滄滔溪溧溴煎煙煩煤煉照煜煬煦煌煥煞煆煨煖爺牒猷獅猿猾瑯瑚瑕瑟瑞瑁琿瑙瑛瑜當畸瘀痰瘁痲痱痺痿痴痳盞盟睛睫睦睞督"], +["b840","睹睪睬睜睥睨睢矮碎碰碗碘碌碉硼碑碓硿祺祿禁萬禽稜稚稠稔稟稞窟窠筷節筠筮筧粱粳粵經絹綑綁綏絛置罩罪署義羨群聖聘肆肄腱腰腸腥腮腳腫"], +["b8a1","腹腺腦舅艇蒂葷落萱葵葦葫葉葬葛萼萵葡董葩葭葆虞虜號蛹蜓蜈蜇蜀蛾蛻蜂蜃蜆蜊衙裟裔裙補裘裝裡裊裕裒覜解詫該詳試詩詰誇詼詣誠話誅詭詢詮詬詹詻訾詨豢貊貉賊資賈賄貲賃賂賅跡跟跨路跳跺跪跤跦躲較載軾輊"], +["b940","辟農運遊道遂達逼違遐遇遏過遍遑逾遁鄒鄗酬酪酩釉鈷鉗鈸鈽鉀鈾鉛鉋鉤鉑鈴鉉鉍鉅鈹鈿鉚閘隘隔隕雍雋雉雊雷電雹零靖靴靶預頑頓頊頒頌飼飴"], +["b9a1","飽飾馳馱馴髡鳩麂鼎鼓鼠僧僮僥僖僭僚僕像僑僱僎僩兢凳劃劂匱厭嗾嘀嘛嘗嗽嘔嘆嘉嘍嘎嗷嘖嘟嘈嘐嗶團圖塵塾境墓墊塹墅塽壽夥夢夤奪奩嫡嫦嫩嫗嫖嫘嫣孵寞寧寡寥實寨寢寤察對屢嶄嶇幛幣幕幗幔廓廖弊彆彰徹慇"], +["ba40","愿態慷慢慣慟慚慘慵截撇摘摔撤摸摟摺摑摧搴摭摻敲斡旗旖暢暨暝榜榨榕槁榮槓構榛榷榻榫榴槐槍榭槌榦槃榣歉歌氳漳演滾漓滴漩漾漠漬漏漂漢"], +["baa1","滿滯漆漱漸漲漣漕漫漯澈漪滬漁滲滌滷熔熙煽熊熄熒爾犒犖獄獐瑤瑣瑪瑰瑭甄疑瘧瘍瘋瘉瘓盡監瞄睽睿睡磁碟碧碳碩碣禎福禍種稱窪窩竭端管箕箋筵算箝箔箏箸箇箄粹粽精綻綰綜綽綾綠緊綴網綱綺綢綿綵綸維緒緇綬"], +["bb40","罰翠翡翟聞聚肇腐膀膏膈膊腿膂臧臺與舔舞艋蓉蒿蓆蓄蒙蒞蒲蒜蓋蒸蓀蓓蒐蒼蓑蓊蜿蜜蜻蜢蜥蜴蜘蝕蜷蜩裳褂裴裹裸製裨褚裯誦誌語誣認誡誓誤"], +["bba1","說誥誨誘誑誚誧豪貍貌賓賑賒赫趙趕跼輔輒輕輓辣遠遘遜遣遙遞遢遝遛鄙鄘鄞酵酸酷酴鉸銀銅銘銖鉻銓銜銨鉼銑閡閨閩閣閥閤隙障際雌雒需靼鞅韶頗領颯颱餃餅餌餉駁骯骰髦魁魂鳴鳶鳳麼鼻齊億儀僻僵價儂儈儉儅凜"], +["bc40","劇劈劉劍劊勰厲嘮嘻嘹嘲嘿嘴嘩噓噎噗噴嘶嘯嘰墀墟增墳墜墮墩墦奭嬉嫻嬋嫵嬌嬈寮寬審寫層履嶝嶔幢幟幡廢廚廟廝廣廠彈影德徵慶慧慮慝慕憂"], +["bca1","慼慰慫慾憧憐憫憎憬憚憤憔憮戮摩摯摹撞撲撈撐撰撥撓撕撩撒撮播撫撚撬撙撢撳敵敷數暮暫暴暱樣樟槨樁樞標槽模樓樊槳樂樅槭樑歐歎殤毅毆漿潼澄潑潦潔澆潭潛潸潮澎潺潰潤澗潘滕潯潠潟熟熬熱熨牖犛獎獗瑩璋璃"], +["bd40","瑾璀畿瘠瘩瘟瘤瘦瘡瘢皚皺盤瞎瞇瞌瞑瞋磋磅確磊碾磕碼磐稿稼穀稽稷稻窯窮箭箱範箴篆篇篁箠篌糊締練緯緻緘緬緝編緣線緞緩綞緙緲緹罵罷羯"], +["bda1","翩耦膛膜膝膠膚膘蔗蔽蔚蓮蔬蔭蔓蔑蔣蔡蔔蓬蔥蓿蔆螂蝴蝶蝠蝦蝸蝨蝙蝗蝌蝓衛衝褐複褒褓褕褊誼諒談諄誕請諸課諉諂調誰論諍誶誹諛豌豎豬賠賞賦賤賬賭賢賣賜質賡赭趟趣踫踐踝踢踏踩踟踡踞躺輝輛輟輩輦輪輜輞"], +["be40","輥適遮遨遭遷鄰鄭鄧鄱醇醉醋醃鋅銻銷鋪銬鋤鋁銳銼鋒鋇鋰銲閭閱霄霆震霉靠鞍鞋鞏頡頫頜颳養餓餒餘駝駐駟駛駑駕駒駙骷髮髯鬧魅魄魷魯鴆鴉"], +["bea1","鴃麩麾黎墨齒儒儘儔儐儕冀冪凝劑劓勳噙噫噹噩噤噸噪器噥噱噯噬噢噶壁墾壇壅奮嬝嬴學寰導彊憲憑憩憊懍憶憾懊懈戰擅擁擋撻撼據擄擇擂操撿擒擔撾整曆曉暹曄曇暸樽樸樺橙橫橘樹橄橢橡橋橇樵機橈歙歷氅濂澱澡"], +["bf40","濃澤濁澧澳激澹澶澦澠澴熾燉燐燒燈燕熹燎燙燜燃燄獨璜璣璘璟璞瓢甌甍瘴瘸瘺盧盥瞠瞞瞟瞥磨磚磬磧禦積穎穆穌穋窺篙簑築篤篛篡篩篦糕糖縊"], +["bfa1","縑縈縛縣縞縝縉縐罹羲翰翱翮耨膳膩膨臻興艘艙蕊蕙蕈蕨蕩蕃蕉蕭蕪蕞螃螟螞螢融衡褪褲褥褫褡親覦諦諺諫諱謀諜諧諮諾謁謂諷諭諳諶諼豫豭貓賴蹄踱踴蹂踹踵輻輯輸輳辨辦遵遴選遲遼遺鄴醒錠錶鋸錳錯錢鋼錫錄錚"], +["c040","錐錦錡錕錮錙閻隧隨險雕霎霑霖霍霓霏靛靜靦鞘頰頸頻頷頭頹頤餐館餞餛餡餚駭駢駱骸骼髻髭鬨鮑鴕鴣鴦鴨鴒鴛默黔龍龜優償儡儲勵嚎嚀嚐嚅嚇"], +["c0a1","嚏壕壓壑壎嬰嬪嬤孺尷屨嶼嶺嶽嶸幫彌徽應懂懇懦懋戲戴擎擊擘擠擰擦擬擱擢擭斂斃曙曖檀檔檄檢檜櫛檣橾檗檐檠歜殮毚氈濘濱濟濠濛濤濫濯澀濬濡濩濕濮濰燧營燮燦燥燭燬燴燠爵牆獰獲璩環璦璨癆療癌盪瞳瞪瞰瞬"], +["c140","瞧瞭矯磷磺磴磯礁禧禪穗窿簇簍篾篷簌篠糠糜糞糢糟糙糝縮績繆縷縲繃縫總縱繅繁縴縹繈縵縿縯罄翳翼聱聲聰聯聳臆臃膺臂臀膿膽臉膾臨舉艱薪"], +["c1a1","薄蕾薜薑薔薯薛薇薨薊虧蟀蟑螳蟒蟆螫螻螺蟈蟋褻褶襄褸褽覬謎謗謙講謊謠謝謄謐豁谿豳賺賽購賸賻趨蹉蹋蹈蹊轄輾轂轅輿避遽還邁邂邀鄹醣醞醜鍍鎂錨鍵鍊鍥鍋錘鍾鍬鍛鍰鍚鍔闊闋闌闈闆隱隸雖霜霞鞠韓顆颶餵騁"], +["c240","駿鮮鮫鮪鮭鴻鴿麋黏點黜黝黛鼾齋叢嚕嚮壙壘嬸彝懣戳擴擲擾攆擺擻擷斷曜朦檳檬櫃檻檸櫂檮檯歟歸殯瀉瀋濾瀆濺瀑瀏燻燼燾燸獷獵璧璿甕癖癘"], +["c2a1","癒瞽瞿瞻瞼礎禮穡穢穠竄竅簫簧簪簞簣簡糧織繕繞繚繡繒繙罈翹翻職聶臍臏舊藏薩藍藐藉薰薺薹薦蟯蟬蟲蟠覆覲觴謨謹謬謫豐贅蹙蹣蹦蹤蹟蹕軀轉轍邇邃邈醫醬釐鎔鎊鎖鎢鎳鎮鎬鎰鎘鎚鎗闔闖闐闕離雜雙雛雞霤鞣鞦"], +["c340","鞭韹額顏題顎顓颺餾餿餽餮馥騎髁鬃鬆魏魎魍鯊鯉鯽鯈鯀鵑鵝鵠黠鼕鼬儳嚥壞壟壢寵龐廬懲懷懶懵攀攏曠曝櫥櫝櫚櫓瀛瀟瀨瀚瀝瀕瀘爆爍牘犢獸"], +["c3a1","獺璽瓊瓣疇疆癟癡矇礙禱穫穩簾簿簸簽簷籀繫繭繹繩繪羅繳羶羹羸臘藩藝藪藕藤藥藷蟻蠅蠍蟹蟾襠襟襖襞譁譜識證譚譎譏譆譙贈贊蹼蹲躇蹶蹬蹺蹴轔轎辭邊邋醱醮鏡鏑鏟鏃鏈鏜鏝鏖鏢鏍鏘鏤鏗鏨關隴難霪霧靡韜韻類"], +["c440","願顛颼饅饉騖騙鬍鯨鯧鯖鯛鶉鵡鵲鵪鵬麒麗麓麴勸嚨嚷嚶嚴嚼壤孀孃孽寶巉懸懺攘攔攙曦朧櫬瀾瀰瀲爐獻瓏癢癥礦礪礬礫竇競籌籃籍糯糰辮繽繼"], +["c4a1","纂罌耀臚艦藻藹蘑藺蘆蘋蘇蘊蠔蠕襤覺觸議譬警譯譟譫贏贍躉躁躅躂醴釋鐘鐃鏽闡霰飄饒饑馨騫騰騷騵鰓鰍鹹麵黨鼯齟齣齡儷儸囁囀囂夔屬巍懼懾攝攜斕曩櫻欄櫺殲灌爛犧瓖瓔癩矓籐纏續羼蘗蘭蘚蠣蠢蠡蠟襪襬覽譴"], +["c540","護譽贓躊躍躋轟辯醺鐮鐳鐵鐺鐸鐲鐫闢霸霹露響顧顥饗驅驃驀騾髏魔魑鰭鰥鶯鶴鷂鶸麝黯鼙齜齦齧儼儻囈囊囉孿巔巒彎懿攤權歡灑灘玀瓤疊癮癬"], +["c5a1","禳籠籟聾聽臟襲襯觼讀贖贗躑躓轡酈鑄鑑鑒霽霾韃韁顫饕驕驍髒鬚鱉鰱鰾鰻鷓鷗鼴齬齪龔囌巖戀攣攫攪曬欐瓚竊籤籣籥纓纖纔臢蘸蘿蠱變邐邏鑣鑠鑤靨顯饜驚驛驗髓體髑鱔鱗鱖鷥麟黴囑壩攬灞癱癲矗罐羈蠶蠹衢讓讒"], +["c640","讖艷贛釀鑪靂靈靄韆顰驟鬢魘鱟鷹鷺鹼鹽鼇齷齲廳欖灣籬籮蠻觀躡釁鑲鑰顱饞髖鬣黌灤矚讚鑷韉驢驥纜讜躪釅鑽鑾鑼鱷鱸黷豔鑿鸚爨驪鬱鸛鸞籲"], +["c940","乂乜凵匚厂万丌乇亍囗兀屮彳丏冇与丮亓仂仉仈冘勼卬厹圠夃夬尐巿旡殳毌气爿丱丼仨仜仩仡仝仚刌匜卌圢圣夗夯宁宄尒尻屴屳帄庀庂忉戉扐氕"], +["c9a1","氶汃氿氻犮犰玊禸肊阞伎优伬仵伔仱伀价伈伝伂伅伢伓伄仴伒冱刓刉刐劦匢匟卍厊吇囡囟圮圪圴夼妀奼妅奻奾奷奿孖尕尥屼屺屻屾巟幵庄异弚彴忕忔忏扜扞扤扡扦扢扙扠扚扥旯旮朾朹朸朻机朿朼朳氘汆汒汜汏汊汔汋"], +["ca40","汌灱牞犴犵玎甪癿穵网艸艼芀艽艿虍襾邙邗邘邛邔阢阤阠阣佖伻佢佉体佤伾佧佒佟佁佘伭伳伿佡冏冹刜刞刡劭劮匉卣卲厎厏吰吷吪呔呅吙吜吥吘"], +["caa1","吽呏呁吨吤呇囮囧囥坁坅坌坉坋坒夆奀妦妘妠妗妎妢妐妏妧妡宎宒尨尪岍岏岈岋岉岒岊岆岓岕巠帊帎庋庉庌庈庍弅弝彸彶忒忑忐忭忨忮忳忡忤忣忺忯忷忻怀忴戺抃抌抎抏抔抇扱扻扺扰抁抈扷扽扲扴攷旰旴旳旲旵杅杇"], +["cb40","杙杕杌杈杝杍杚杋毐氙氚汸汧汫沄沋沏汱汯汩沚汭沇沕沜汦汳汥汻沎灴灺牣犿犽狃狆狁犺狅玕玗玓玔玒町甹疔疕皁礽耴肕肙肐肒肜芐芏芅芎芑芓"], +["cba1","芊芃芄豸迉辿邟邡邥邞邧邠阰阨阯阭丳侘佼侅佽侀侇佶佴侉侄佷佌侗佪侚佹侁佸侐侜侔侞侒侂侕佫佮冞冼冾刵刲刳剆刱劼匊匋匼厒厔咇呿咁咑咂咈呫呺呾呥呬呴呦咍呯呡呠咘呣呧呤囷囹坯坲坭坫坱坰坶垀坵坻坳坴坢"], +["cc40","坨坽夌奅妵妺姏姎妲姌姁妶妼姃姖妱妽姀姈妴姇孢孥宓宕屄屇岮岤岠岵岯岨岬岟岣岭岢岪岧岝岥岶岰岦帗帔帙弨弢弣弤彔徂彾彽忞忥怭怦怙怲怋"], +["cca1","怴怊怗怳怚怞怬怢怍怐怮怓怑怌怉怜戔戽抭抴拑抾抪抶拊抮抳抯抻抩抰抸攽斨斻昉旼昄昒昈旻昃昋昍昅旽昑昐曶朊枅杬枎枒杶杻枘枆构杴枍枌杺枟枑枙枃杽极杸杹枔欥殀歾毞氝沓泬泫泮泙沶泔沭泧沷泐泂沺泃泆泭泲"], +["cd40","泒泝沴沊沝沀泞泀洰泍泇沰泹泏泩泑炔炘炅炓炆炄炑炖炂炚炃牪狖狋狘狉狜狒狔狚狌狑玤玡玭玦玢玠玬玝瓝瓨甿畀甾疌疘皯盳盱盰盵矸矼矹矻矺"], +["cda1","矷祂礿秅穸穻竻籵糽耵肏肮肣肸肵肭舠芠苀芫芚芘芛芵芧芮芼芞芺芴芨芡芩苂芤苃芶芢虰虯虭虮豖迒迋迓迍迖迕迗邲邴邯邳邰阹阽阼阺陃俍俅俓侲俉俋俁俔俜俙侻侳俛俇俖侺俀侹俬剄剉勀勂匽卼厗厖厙厘咺咡咭咥哏"], +["ce40","哃茍咷咮哖咶哅哆咠呰咼咢咾呲哞咰垵垞垟垤垌垗垝垛垔垘垏垙垥垚垕壴复奓姡姞姮娀姱姝姺姽姼姶姤姲姷姛姩姳姵姠姾姴姭宨屌峐峘峌峗峋峛"], +["cea1","峞峚峉峇峊峖峓峔峏峈峆峎峟峸巹帡帢帣帠帤庰庤庢庛庣庥弇弮彖徆怷怹恔恲恞恅恓恇恉恛恌恀恂恟怤恄恘恦恮扂扃拏挍挋拵挎挃拫拹挏挌拸拶挀挓挔拺挕拻拰敁敃斪斿昶昡昲昵昜昦昢昳昫昺昝昴昹昮朏朐柁柲柈枺"], +["cf40","柜枻柸柘柀枷柅柫柤柟枵柍枳柷柶柮柣柂枹柎柧柰枲柼柆柭柌枮柦柛柺柉柊柃柪柋欨殂殄殶毖毘毠氠氡洨洴洭洟洼洿洒洊泚洳洄洙洺洚洑洀洝浂"], +["cfa1","洁洘洷洃洏浀洇洠洬洈洢洉洐炷炟炾炱炰炡炴炵炩牁牉牊牬牰牳牮狊狤狨狫狟狪狦狣玅珌珂珈珅玹玶玵玴珫玿珇玾珃珆玸珋瓬瓮甮畇畈疧疪癹盄眈眃眄眅眊盷盻盺矧矨砆砑砒砅砐砏砎砉砃砓祊祌祋祅祄秕种秏秖秎窀"], +["d040","穾竑笀笁籺籸籹籿粀粁紃紈紁罘羑羍羾耇耎耏耔耷胘胇胠胑胈胂胐胅胣胙胜胊胕胉胏胗胦胍臿舡芔苙苾苹茇苨茀苕茺苫苖苴苬苡苲苵茌苻苶苰苪"], +["d0a1","苤苠苺苳苭虷虴虼虳衁衎衧衪衩觓訄訇赲迣迡迮迠郱邽邿郕郅邾郇郋郈釔釓陔陏陑陓陊陎倞倅倇倓倢倰倛俵俴倳倷倬俶俷倗倜倠倧倵倯倱倎党冔冓凊凄凅凈凎剡剚剒剞剟剕剢勍匎厞唦哢唗唒哧哳哤唚哿唄唈哫唑唅哱"], +["d140","唊哻哷哸哠唎唃唋圁圂埌堲埕埒垺埆垽垼垸垶垿埇埐垹埁夎奊娙娖娭娮娕娏娗娊娞娳孬宧宭宬尃屖屔峬峿峮峱峷崀峹帩帨庨庮庪庬弳弰彧恝恚恧"], +["d1a1","恁悢悈悀悒悁悝悃悕悛悗悇悜悎戙扆拲挐捖挬捄捅挶捃揤挹捋捊挼挩捁挴捘捔捙挭捇挳捚捑挸捗捀捈敊敆旆旃旄旂晊晟晇晑朒朓栟栚桉栲栳栻桋桏栖栱栜栵栫栭栯桎桄栴栝栒栔栦栨栮桍栺栥栠欬欯欭欱欴歭肂殈毦毤"], +["d240","毨毣毢毧氥浺浣浤浶洍浡涒浘浢浭浯涑涍淯浿涆浞浧浠涗浰浼浟涂涘洯浨涋浾涀涄洖涃浻浽浵涐烜烓烑烝烋缹烢烗烒烞烠烔烍烅烆烇烚烎烡牂牸"], +["d2a1","牷牶猀狺狴狾狶狳狻猁珓珙珥珖玼珧珣珩珜珒珛珔珝珚珗珘珨瓞瓟瓴瓵甡畛畟疰痁疻痄痀疿疶疺皊盉眝眛眐眓眒眣眑眕眙眚眢眧砣砬砢砵砯砨砮砫砡砩砳砪砱祔祛祏祜祓祒祑秫秬秠秮秭秪秜秞秝窆窉窅窋窌窊窇竘笐"], +["d340","笄笓笅笏笈笊笎笉笒粄粑粊粌粈粍粅紞紝紑紎紘紖紓紟紒紏紌罜罡罞罠罝罛羖羒翃翂翀耖耾耹胺胲胹胵脁胻脀舁舯舥茳茭荄茙荑茥荖茿荁茦茜茢"], +["d3a1","荂荎茛茪茈茼荍茖茤茠茷茯茩荇荅荌荓茞茬荋茧荈虓虒蚢蚨蚖蚍蚑蚞蚇蚗蚆蚋蚚蚅蚥蚙蚡蚧蚕蚘蚎蚝蚐蚔衃衄衭衵衶衲袀衱衿衯袃衾衴衼訒豇豗豻貤貣赶赸趵趷趶軑軓迾迵适迿迻逄迼迶郖郠郙郚郣郟郥郘郛郗郜郤酐"], +["d440","酎酏釕釢釚陜陟隼飣髟鬯乿偰偪偡偞偠偓偋偝偲偈偍偁偛偊偢倕偅偟偩偫偣偤偆偀偮偳偗偑凐剫剭剬剮勖勓匭厜啵啶唼啍啐唴唪啑啢唶唵唰啒啅"], +["d4a1","唌唲啥啎唹啈唭唻啀啋圊圇埻堔埢埶埜埴堀埭埽堈埸堋埳埏堇埮埣埲埥埬埡堎埼堐埧堁堌埱埩埰堍堄奜婠婘婕婧婞娸娵婭婐婟婥婬婓婤婗婃婝婒婄婛婈媎娾婍娹婌婰婩婇婑婖婂婜孲孮寁寀屙崞崋崝崚崠崌崨崍崦崥崏"], +["d540","崰崒崣崟崮帾帴庱庴庹庲庳弶弸徛徖徟悊悐悆悾悰悺惓惔惏惤惙惝惈悱惛悷惊悿惃惍惀挲捥掊掂捽掽掞掭掝掗掫掎捯掇掐据掯捵掜捭掮捼掤挻掟"], +["d5a1","捸掅掁掑掍捰敓旍晥晡晛晙晜晢朘桹梇梐梜桭桮梮梫楖桯梣梬梩桵桴梲梏桷梒桼桫桲梪梀桱桾梛梖梋梠梉梤桸桻梑梌梊桽欶欳欷欸殑殏殍殎殌氪淀涫涴涳湴涬淩淢涷淶淔渀淈淠淟淖涾淥淜淝淛淴淊涽淭淰涺淕淂淏淉"], +["d640","淐淲淓淽淗淍淣涻烺焍烷焗烴焌烰焄烳焐烼烿焆焓焀烸烶焋焂焎牾牻牼牿猝猗猇猑猘猊猈狿猏猞玈珶珸珵琄琁珽琇琀珺珼珿琌琋珴琈畤畣痎痒痏"], +["d6a1","痋痌痑痐皏皉盓眹眯眭眱眲眴眳眽眥眻眵硈硒硉硍硊硌砦硅硐祤祧祩祪祣祫祡离秺秸秶秷窏窔窐笵筇笴笥笰笢笤笳笘笪笝笱笫笭笯笲笸笚笣粔粘粖粣紵紽紸紶紺絅紬紩絁絇紾紿絊紻紨罣羕羜羝羛翊翋翍翐翑翇翏翉耟"], +["d740","耞耛聇聃聈脘脥脙脛脭脟脬脞脡脕脧脝脢舑舸舳舺舴舲艴莐莣莨莍荺荳莤荴莏莁莕莙荵莔莩荽莃莌莝莛莪莋荾莥莯莈莗莰荿莦莇莮荶莚虙虖蚿蚷"], +["d7a1","蛂蛁蛅蚺蚰蛈蚹蚳蚸蛌蚴蚻蚼蛃蚽蚾衒袉袕袨袢袪袚袑袡袟袘袧袙袛袗袤袬袌袓袎覂觖觙觕訰訧訬訞谹谻豜豝豽貥赽赻赹趼跂趹趿跁軘軞軝軜軗軠軡逤逋逑逜逌逡郯郪郰郴郲郳郔郫郬郩酖酘酚酓酕釬釴釱釳釸釤釹釪"], +["d840","釫釷釨釮镺閆閈陼陭陫陱陯隿靪頄飥馗傛傕傔傞傋傣傃傌傎傝偨傜傒傂傇兟凔匒匑厤厧喑喨喥喭啷噅喢喓喈喏喵喁喣喒喤啽喌喦啿喕喡喎圌堩堷"], +["d8a1","堙堞堧堣堨埵塈堥堜堛堳堿堶堮堹堸堭堬堻奡媯媔媟婺媢媞婸媦婼媥媬媕媮娷媄媊媗媃媋媩婻婽媌媜媏媓媝寪寍寋寔寑寊寎尌尰崷嵃嵫嵁嵋崿崵嵑嵎嵕崳崺嵒崽崱嵙嵂崹嵉崸崼崲崶嵀嵅幄幁彘徦徥徫惉悹惌惢惎惄愔"], +["d940","惲愊愖愅惵愓惸惼惾惁愃愘愝愐惿愄愋扊掔掱掰揎揥揨揯揃撝揳揊揠揶揕揲揵摡揟掾揝揜揄揘揓揂揇揌揋揈揰揗揙攲敧敪敤敜敨敥斌斝斞斮旐旒"], +["d9a1","晼晬晻暀晱晹晪晲朁椌棓椄棜椪棬棪棱椏棖棷棫棤棶椓椐棳棡椇棌椈楰梴椑棯棆椔棸棐棽棼棨椋椊椗棎棈棝棞棦棴棑椆棔棩椕椥棇欹欻欿欼殔殗殙殕殽毰毲毳氰淼湆湇渟湉溈渼渽湅湢渫渿湁湝湳渜渳湋湀湑渻渃渮湞"], +["da40","湨湜湡渱渨湠湱湫渹渢渰湓湥渧湸湤湷湕湹湒湦渵渶湚焠焞焯烻焮焱焣焥焢焲焟焨焺焛牋牚犈犉犆犅犋猒猋猰猢猱猳猧猲猭猦猣猵猌琮琬琰琫琖"], +["daa1","琚琡琭琱琤琣琝琩琠琲瓻甯畯畬痧痚痡痦痝痟痤痗皕皒盚睆睇睄睍睅睊睎睋睌矞矬硠硤硥硜硭硱硪确硰硩硨硞硢祴祳祲祰稂稊稃稌稄窙竦竤筊笻筄筈筌筎筀筘筅粢粞粨粡絘絯絣絓絖絧絪絏絭絜絫絒絔絩絑絟絎缾缿罥"], +["db40","罦羢羠羡翗聑聏聐胾胔腃腊腒腏腇脽腍脺臦臮臷臸臹舄舼舽舿艵茻菏菹萣菀菨萒菧菤菼菶萐菆菈菫菣莿萁菝菥菘菿菡菋菎菖菵菉萉萏菞萑萆菂菳"], +["dba1","菕菺菇菑菪萓菃菬菮菄菻菗菢萛菛菾蛘蛢蛦蛓蛣蛚蛪蛝蛫蛜蛬蛩蛗蛨蛑衈衖衕袺裗袹袸裀袾袶袼袷袽袲褁裉覕覘覗觝觚觛詎詍訹詙詀詗詘詄詅詒詈詑詊詌詏豟貁貀貺貾貰貹貵趄趀趉跘跓跍跇跖跜跏跕跙跈跗跅軯軷軺"], +["dc40","軹軦軮軥軵軧軨軶軫軱軬軴軩逭逴逯鄆鄬鄄郿郼鄈郹郻鄁鄀鄇鄅鄃酡酤酟酢酠鈁鈊鈥鈃鈚鈦鈏鈌鈀鈒釿釽鈆鈄鈧鈂鈜鈤鈙鈗鈅鈖镻閍閌閐隇陾隈"], +["dca1","隉隃隀雂雈雃雱雰靬靰靮頇颩飫鳦黹亃亄亶傽傿僆傮僄僊傴僈僂傰僁傺傱僋僉傶傸凗剺剸剻剼嗃嗛嗌嗐嗋嗊嗝嗀嗔嗄嗩喿嗒喍嗏嗕嗢嗖嗈嗲嗍嗙嗂圔塓塨塤塏塍塉塯塕塎塝塙塥塛堽塣塱壼嫇嫄嫋媺媸媱媵媰媿嫈媻嫆"], +["dd40","媷嫀嫊媴媶嫍媹媐寖寘寙尟尳嵱嵣嵊嵥嵲嵬嵞嵨嵧嵢巰幏幎幊幍幋廅廌廆廋廇彀徯徭惷慉慊愫慅愶愲愮慆愯慏愩慀戠酨戣戥戤揅揱揫搐搒搉搠搤"], +["dda1","搳摃搟搕搘搹搷搢搣搌搦搰搨摁搵搯搊搚摀搥搧搋揧搛搮搡搎敯斒旓暆暌暕暐暋暊暙暔晸朠楦楟椸楎楢楱椿楅楪椹楂楗楙楺楈楉椵楬椳椽楥棰楸椴楩楀楯楄楶楘楁楴楌椻楋椷楜楏楑椲楒椯楻椼歆歅歃歂歈歁殛嗀毻毼"], +["de40","毹毷毸溛滖滈溏滀溟溓溔溠溱溹滆滒溽滁溞滉溷溰滍溦滏溲溾滃滜滘溙溒溎溍溤溡溿溳滐滊溗溮溣煇煔煒煣煠煁煝煢煲煸煪煡煂煘煃煋煰煟煐煓"], +["dea1","煄煍煚牏犍犌犑犐犎猼獂猻猺獀獊獉瑄瑊瑋瑒瑑瑗瑀瑏瑐瑎瑂瑆瑍瑔瓡瓿瓾瓽甝畹畷榃痯瘏瘃痷痾痼痹痸瘐痻痶痭痵痽皙皵盝睕睟睠睒睖睚睩睧睔睙睭矠碇碚碔碏碄碕碅碆碡碃硹碙碀碖硻祼禂祽祹稑稘稙稒稗稕稢稓"], +["df40","稛稐窣窢窞竫筦筤筭筴筩筲筥筳筱筰筡筸筶筣粲粴粯綈綆綀綍絿綅絺綎絻綃絼綌綔綄絽綒罭罫罧罨罬羦羥羧翛翜耡腤腠腷腜腩腛腢腲朡腞腶腧腯"], +["dfa1","腄腡舝艉艄艀艂艅蓱萿葖葶葹蒏蒍葥葑葀蒆葧萰葍葽葚葙葴葳葝蔇葞萷萺萴葺葃葸萲葅萩菙葋萯葂萭葟葰萹葎葌葒葯蓅蒎萻葇萶萳葨葾葄萫葠葔葮葐蜋蜄蛷蜌蛺蛖蛵蝍蛸蜎蜉蜁蛶蜍蜅裖裋裍裎裞裛裚裌裐覅覛觟觥觤"], +["e040","觡觠觢觜触詶誆詿詡訿詷誂誄詵誃誁詴詺谼豋豊豥豤豦貆貄貅賌赨赩趑趌趎趏趍趓趔趐趒跰跠跬跱跮跐跩跣跢跧跲跫跴輆軿輁輀輅輇輈輂輋遒逿"], +["e0a1","遄遉逽鄐鄍鄏鄑鄖鄔鄋鄎酮酯鉈鉒鈰鈺鉦鈳鉥鉞銃鈮鉊鉆鉭鉬鉏鉠鉧鉯鈶鉡鉰鈱鉔鉣鉐鉲鉎鉓鉌鉖鈲閟閜閞閛隒隓隑隗雎雺雽雸雵靳靷靸靲頏頍頎颬飶飹馯馲馰馵骭骫魛鳪鳭鳧麀黽僦僔僗僨僳僛僪僝僤僓僬僰僯僣僠"], +["e140","凘劀劁勩勫匰厬嘧嘕嘌嘒嗼嘏嘜嘁嘓嘂嗺嘝嘄嗿嗹墉塼墐墘墆墁塿塴墋塺墇墑墎塶墂墈塻墔墏壾奫嫜嫮嫥嫕嫪嫚嫭嫫嫳嫢嫠嫛嫬嫞嫝嫙嫨嫟孷寠"], +["e1a1","寣屣嶂嶀嵽嶆嵺嶁嵷嶊嶉嶈嵾嵼嶍嵹嵿幘幙幓廘廑廗廎廜廕廙廒廔彄彃彯徶愬愨慁慞慱慳慒慓慲慬憀慴慔慺慛慥愻慪慡慖戩戧戫搫摍摛摝摴摶摲摳摽摵摦撦摎撂摞摜摋摓摠摐摿搿摬摫摙摥摷敳斠暡暠暟朅朄朢榱榶槉"], +["e240","榠槎榖榰榬榼榑榙榎榧榍榩榾榯榿槄榽榤槔榹槊榚槏榳榓榪榡榞槙榗榐槂榵榥槆歊歍歋殞殟殠毃毄毾滎滵滱漃漥滸漷滻漮漉潎漙漚漧漘漻漒滭漊"], +["e2a1","漶潳滹滮漭潀漰漼漵滫漇漎潃漅滽滶漹漜滼漺漟漍漞漈漡熇熐熉熀熅熂熏煻熆熁熗牄牓犗犕犓獃獍獑獌瑢瑳瑱瑵瑲瑧瑮甀甂甃畽疐瘖瘈瘌瘕瘑瘊瘔皸瞁睼瞅瞂睮瞀睯睾瞃碲碪碴碭碨硾碫碞碥碠碬碢碤禘禊禋禖禕禔禓"], +["e340","禗禈禒禐稫穊稰稯稨稦窨窫窬竮箈箜箊箑箐箖箍箌箛箎箅箘劄箙箤箂粻粿粼粺綧綷緂綣綪緁緀緅綝緎緄緆緋緌綯綹綖綼綟綦綮綩綡緉罳翢翣翥翞"], +["e3a1","耤聝聜膉膆膃膇膍膌膋舕蒗蒤蒡蒟蒺蓎蓂蒬蒮蒫蒹蒴蓁蓍蒪蒚蒱蓐蒝蒧蒻蒢蒔蓇蓌蒛蒩蒯蒨蓖蒘蒶蓏蒠蓗蓔蓒蓛蒰蒑虡蜳蜣蜨蝫蝀蜮蜞蜡蜙蜛蝃蜬蝁蜾蝆蜠蜲蜪蜭蜼蜒蜺蜱蜵蝂蜦蜧蜸蜤蜚蜰蜑裷裧裱裲裺裾裮裼裶裻"], +["e440","裰裬裫覝覡覟覞觩觫觨誫誙誋誒誏誖谽豨豩賕賏賗趖踉踂跿踍跽踊踃踇踆踅跾踀踄輐輑輎輍鄣鄜鄠鄢鄟鄝鄚鄤鄡鄛酺酲酹酳銥銤鉶銛鉺銠銔銪銍"], +["e4a1","銦銚銫鉹銗鉿銣鋮銎銂銕銢鉽銈銡銊銆銌銙銧鉾銇銩銝銋鈭隞隡雿靘靽靺靾鞃鞀鞂靻鞄鞁靿韎韍頖颭颮餂餀餇馝馜駃馹馻馺駂馽駇骱髣髧鬾鬿魠魡魟鳱鳲鳵麧僿儃儰僸儆儇僶僾儋儌僽儊劋劌勱勯噈噂噌嘵噁噊噉噆噘"], +["e540","噚噀嘳嘽嘬嘾嘸嘪嘺圚墫墝墱墠墣墯墬墥墡壿嫿嫴嫽嫷嫶嬃嫸嬂嫹嬁嬇嬅嬏屧嶙嶗嶟嶒嶢嶓嶕嶠嶜嶡嶚嶞幩幝幠幜緳廛廞廡彉徲憋憃慹憱憰憢憉"], +["e5a1","憛憓憯憭憟憒憪憡憍慦憳戭摮摰撖撠撅撗撜撏撋撊撌撣撟摨撱撘敶敺敹敻斲斳暵暰暩暲暷暪暯樀樆樗槥槸樕槱槤樠槿槬槢樛樝槾樧槲槮樔槷槧橀樈槦槻樍槼槫樉樄樘樥樏槶樦樇槴樖歑殥殣殢殦氁氀毿氂潁漦潾澇濆澒"], +["e640","澍澉澌潢潏澅潚澖潶潬澂潕潲潒潐潗澔澓潝漀潡潫潽潧澐潓澋潩潿澕潣潷潪潻熲熯熛熰熠熚熩熵熝熥熞熤熡熪熜熧熳犘犚獘獒獞獟獠獝獛獡獚獙"], +["e6a1","獢璇璉璊璆璁瑽璅璈瑼瑹甈甇畾瘥瘞瘙瘝瘜瘣瘚瘨瘛皜皝皞皛瞍瞏瞉瞈磍碻磏磌磑磎磔磈磃磄磉禚禡禠禜禢禛歶稹窲窴窳箷篋箾箬篎箯箹篊箵糅糈糌糋緷緛緪緧緗緡縃緺緦緶緱緰緮緟罶羬羰羭翭翫翪翬翦翨聤聧膣膟"], +["e740","膞膕膢膙膗舖艏艓艒艐艎艑蔤蔻蔏蔀蔩蔎蔉蔍蔟蔊蔧蔜蓻蔫蓺蔈蔌蓴蔪蓲蔕蓷蓫蓳蓼蔒蓪蓩蔖蓾蔨蔝蔮蔂蓽蔞蓶蔱蔦蓧蓨蓰蓯蓹蔘蔠蔰蔋蔙蔯虢"], +["e7a1","蝖蝣蝤蝷蟡蝳蝘蝔蝛蝒蝡蝚蝑蝞蝭蝪蝐蝎蝟蝝蝯蝬蝺蝮蝜蝥蝏蝻蝵蝢蝧蝩衚褅褌褔褋褗褘褙褆褖褑褎褉覢覤覣觭觰觬諏諆誸諓諑諔諕誻諗誾諀諅諘諃誺誽諙谾豍貏賥賟賙賨賚賝賧趠趜趡趛踠踣踥踤踮踕踛踖踑踙踦踧"], +["e840","踔踒踘踓踜踗踚輬輤輘輚輠輣輖輗遳遰遯遧遫鄯鄫鄩鄪鄲鄦鄮醅醆醊醁醂醄醀鋐鋃鋄鋀鋙銶鋏鋱鋟鋘鋩鋗鋝鋌鋯鋂鋨鋊鋈鋎鋦鋍鋕鋉鋠鋞鋧鋑鋓"], +["e8a1","銵鋡鋆銴镼閬閫閮閰隤隢雓霅霈霂靚鞊鞎鞈韐韏頞頝頦頩頨頠頛頧颲餈飺餑餔餖餗餕駜駍駏駓駔駎駉駖駘駋駗駌骳髬髫髳髲髱魆魃魧魴魱魦魶魵魰魨魤魬鳼鳺鳽鳿鳷鴇鴀鳹鳻鴈鴅鴄麃黓鼏鼐儜儓儗儚儑凞匴叡噰噠噮"], +["e940","噳噦噣噭噲噞噷圜圛壈墽壉墿墺壂墼壆嬗嬙嬛嬡嬔嬓嬐嬖嬨嬚嬠嬞寯嶬嶱嶩嶧嶵嶰嶮嶪嶨嶲嶭嶯嶴幧幨幦幯廩廧廦廨廥彋徼憝憨憖懅憴懆懁懌憺"], +["e9a1","憿憸憌擗擖擐擏擉撽撉擃擛擳擙攳敿敼斢曈暾曀曊曋曏暽暻暺曌朣樴橦橉橧樲橨樾橝橭橶橛橑樨橚樻樿橁橪橤橐橏橔橯橩橠樼橞橖橕橍橎橆歕歔歖殧殪殫毈毇氄氃氆澭濋澣濇澼濎濈潞濄澽澞濊澨瀄澥澮澺澬澪濏澿澸"], +["ea40","澢濉澫濍澯澲澰燅燂熿熸燖燀燁燋燔燊燇燏熽燘熼燆燚燛犝犞獩獦獧獬獥獫獪瑿璚璠璔璒璕璡甋疀瘯瘭瘱瘽瘳瘼瘵瘲瘰皻盦瞚瞝瞡瞜瞛瞢瞣瞕瞙"], +["eaa1","瞗磝磩磥磪磞磣磛磡磢磭磟磠禤穄穈穇窶窸窵窱窷篞篣篧篝篕篥篚篨篹篔篪篢篜篫篘篟糒糔糗糐糑縒縡縗縌縟縠縓縎縜縕縚縢縋縏縖縍縔縥縤罃罻罼罺羱翯耪耩聬膱膦膮膹膵膫膰膬膴膲膷膧臲艕艖艗蕖蕅蕫蕍蕓蕡蕘"], +["eb40","蕀蕆蕤蕁蕢蕄蕑蕇蕣蔾蕛蕱蕎蕮蕵蕕蕧蕠薌蕦蕝蕔蕥蕬虣虥虤螛螏螗螓螒螈螁螖螘蝹螇螣螅螐螑螝螄螔螜螚螉褞褦褰褭褮褧褱褢褩褣褯褬褟觱諠"], +["eba1","諢諲諴諵諝謔諤諟諰諈諞諡諨諿諯諻貑貒貐賵賮賱賰賳赬赮趥趧踳踾踸蹀蹅踶踼踽蹁踰踿躽輶輮輵輲輹輷輴遶遹遻邆郺鄳鄵鄶醓醐醑醍醏錧錞錈錟錆錏鍺錸錼錛錣錒錁鍆錭錎錍鋋錝鋺錥錓鋹鋷錴錂錤鋿錩錹錵錪錔錌"], +["ec40","錋鋾錉錀鋻錖閼闍閾閹閺閶閿閵閽隩雔霋霒霐鞙鞗鞔韰韸頵頯頲餤餟餧餩馞駮駬駥駤駰駣駪駩駧骹骿骴骻髶髺髹髷鬳鮀鮅鮇魼魾魻鮂鮓鮒鮐魺鮕"], +["eca1","魽鮈鴥鴗鴠鴞鴔鴩鴝鴘鴢鴐鴙鴟麈麆麇麮麭黕黖黺鼒鼽儦儥儢儤儠儩勴嚓嚌嚍嚆嚄嚃噾嚂噿嚁壖壔壏壒嬭嬥嬲嬣嬬嬧嬦嬯嬮孻寱寲嶷幬幪徾徻懃憵憼懧懠懥懤懨懞擯擩擣擫擤擨斁斀斶旚曒檍檖檁檥檉檟檛檡檞檇檓檎"], +["ed40","檕檃檨檤檑橿檦檚檅檌檒歛殭氉濌澩濴濔濣濜濭濧濦濞濲濝濢濨燡燱燨燲燤燰燢獳獮獯璗璲璫璐璪璭璱璥璯甐甑甒甏疄癃癈癉癇皤盩瞵瞫瞲瞷瞶"], +["eda1","瞴瞱瞨矰磳磽礂磻磼磲礅磹磾礄禫禨穜穛穖穘穔穚窾竀竁簅簏篲簀篿篻簎篴簋篳簂簉簃簁篸篽簆篰篱簐簊糨縭縼繂縳顈縸縪繉繀繇縩繌縰縻縶繄縺罅罿罾罽翴翲耬膻臄臌臊臅臇膼臩艛艚艜薃薀薏薧薕薠薋薣蕻薤薚薞"], +["ee40","蕷蕼薉薡蕺蕸蕗薎薖薆薍薙薝薁薢薂薈薅蕹蕶薘薐薟虨螾螪螭蟅螰螬螹螵螼螮蟉蟃蟂蟌螷螯蟄蟊螴螶螿螸螽蟞螲褵褳褼褾襁襒褷襂覭覯覮觲觳謞"], +["eea1","謘謖謑謅謋謢謏謒謕謇謍謈謆謜謓謚豏豰豲豱豯貕貔賹赯蹎蹍蹓蹐蹌蹇轃轀邅遾鄸醚醢醛醙醟醡醝醠鎡鎃鎯鍤鍖鍇鍼鍘鍜鍶鍉鍐鍑鍠鍭鎏鍌鍪鍹鍗鍕鍒鍏鍱鍷鍻鍡鍞鍣鍧鎀鍎鍙闇闀闉闃闅閷隮隰隬霠霟霘霝霙鞚鞡鞜"], +["ef40","鞞鞝韕韔韱顁顄顊顉顅顃餥餫餬餪餳餲餯餭餱餰馘馣馡騂駺駴駷駹駸駶駻駽駾駼騃骾髾髽鬁髼魈鮚鮨鮞鮛鮦鮡鮥鮤鮆鮢鮠鮯鴳鵁鵧鴶鴮鴯鴱鴸鴰"], +["efa1","鵅鵂鵃鴾鴷鵀鴽翵鴭麊麉麍麰黈黚黻黿鼤鼣鼢齔龠儱儭儮嚘嚜嚗嚚嚝嚙奰嬼屩屪巀幭幮懘懟懭懮懱懪懰懫懖懩擿攄擽擸攁攃擼斔旛曚曛曘櫅檹檽櫡櫆檺檶檷櫇檴檭歞毉氋瀇瀌瀍瀁瀅瀔瀎濿瀀濻瀦濼濷瀊爁燿燹爃燽獶"], +["f040","璸瓀璵瓁璾璶璻瓂甔甓癜癤癙癐癓癗癚皦皽盬矂瞺磿礌礓礔礉礐礒礑禭禬穟簜簩簙簠簟簭簝簦簨簢簥簰繜繐繖繣繘繢繟繑繠繗繓羵羳翷翸聵臑臒"], +["f0a1","臐艟艞薴藆藀藃藂薳薵薽藇藄薿藋藎藈藅薱薶藒蘤薸薷薾虩蟧蟦蟢蟛蟫蟪蟥蟟蟳蟤蟔蟜蟓蟭蟘蟣螤蟗蟙蠁蟴蟨蟝襓襋襏襌襆襐襑襉謪謧謣謳謰謵譇謯謼謾謱謥謷謦謶謮謤謻謽謺豂豵貙貘貗賾贄贂贀蹜蹢蹠蹗蹖蹞蹥蹧"], +["f140","蹛蹚蹡蹝蹩蹔轆轇轈轋鄨鄺鄻鄾醨醥醧醯醪鎵鎌鎒鎷鎛鎝鎉鎧鎎鎪鎞鎦鎕鎈鎙鎟鎍鎱鎑鎲鎤鎨鎴鎣鎥闒闓闑隳雗雚巂雟雘雝霣霢霥鞬鞮鞨鞫鞤鞪"], +["f1a1","鞢鞥韗韙韖韘韺顐顑顒颸饁餼餺騏騋騉騍騄騑騊騅騇騆髀髜鬈鬄鬅鬩鬵魊魌魋鯇鯆鯃鮿鯁鮵鮸鯓鮶鯄鮹鮽鵜鵓鵏鵊鵛鵋鵙鵖鵌鵗鵒鵔鵟鵘鵚麎麌黟鼁鼀鼖鼥鼫鼪鼩鼨齌齕儴儵劖勷厴嚫嚭嚦嚧嚪嚬壚壝壛夒嬽嬾嬿巃幰"], +["f240","徿懻攇攐攍攉攌攎斄旞旝曞櫧櫠櫌櫑櫙櫋櫟櫜櫐櫫櫏櫍櫞歠殰氌瀙瀧瀠瀖瀫瀡瀢瀣瀩瀗瀤瀜瀪爌爊爇爂爅犥犦犤犣犡瓋瓅璷瓃甖癠矉矊矄矱礝礛"], +["f2a1","礡礜礗礞禰穧穨簳簼簹簬簻糬糪繶繵繸繰繷繯繺繲繴繨罋罊羃羆羷翽翾聸臗臕艤艡艣藫藱藭藙藡藨藚藗藬藲藸藘藟藣藜藑藰藦藯藞藢蠀蟺蠃蟶蟷蠉蠌蠋蠆蟼蠈蟿蠊蠂襢襚襛襗襡襜襘襝襙覈覷覶觶譐譈譊譀譓譖譔譋譕"], +["f340","譑譂譒譗豃豷豶貚贆贇贉趬趪趭趫蹭蹸蹳蹪蹯蹻軂轒轑轏轐轓辴酀鄿醰醭鏞鏇鏏鏂鏚鏐鏹鏬鏌鏙鎩鏦鏊鏔鏮鏣鏕鏄鏎鏀鏒鏧镽闚闛雡霩霫霬霨霦"], +["f3a1","鞳鞷鞶韝韞韟顜顙顝顗颿颽颻颾饈饇饃馦馧騚騕騥騝騤騛騢騠騧騣騞騜騔髂鬋鬊鬎鬌鬷鯪鯫鯠鯞鯤鯦鯢鯰鯔鯗鯬鯜鯙鯥鯕鯡鯚鵷鶁鶊鶄鶈鵱鶀鵸鶆鶋鶌鵽鵫鵴鵵鵰鵩鶅鵳鵻鶂鵯鵹鵿鶇鵨麔麑黀黼鼭齀齁齍齖齗齘匷嚲"], +["f440","嚵嚳壣孅巆巇廮廯忀忁懹攗攖攕攓旟曨曣曤櫳櫰櫪櫨櫹櫱櫮櫯瀼瀵瀯瀷瀴瀱灂瀸瀿瀺瀹灀瀻瀳灁爓爔犨獽獼璺皫皪皾盭矌矎矏矍矲礥礣礧礨礤礩"], +["f4a1","禲穮穬穭竷籉籈籊籇籅糮繻繾纁纀羺翿聹臛臙舋艨艩蘢藿蘁藾蘛蘀藶蘄蘉蘅蘌藽蠙蠐蠑蠗蠓蠖襣襦覹觷譠譪譝譨譣譥譧譭趮躆躈躄轙轖轗轕轘轚邍酃酁醷醵醲醳鐋鐓鏻鐠鐏鐔鏾鐕鐐鐨鐙鐍鏵鐀鏷鐇鐎鐖鐒鏺鐉鏸鐊鏿"], +["f540","鏼鐌鏶鐑鐆闞闠闟霮霯鞹鞻韽韾顠顢顣顟飁飂饐饎饙饌饋饓騲騴騱騬騪騶騩騮騸騭髇髊髆鬐鬒鬑鰋鰈鯷鰅鰒鯸鱀鰇鰎鰆鰗鰔鰉鶟鶙鶤鶝鶒鶘鶐鶛"], +["f5a1","鶠鶔鶜鶪鶗鶡鶚鶢鶨鶞鶣鶿鶩鶖鶦鶧麙麛麚黥黤黧黦鼰鼮齛齠齞齝齙龑儺儹劘劗囃嚽嚾孈孇巋巏廱懽攛欂櫼欃櫸欀灃灄灊灈灉灅灆爝爚爙獾甗癪矐礭礱礯籔籓糲纊纇纈纋纆纍罍羻耰臝蘘蘪蘦蘟蘣蘜蘙蘧蘮蘡蘠蘩蘞蘥"], +["f640","蠩蠝蠛蠠蠤蠜蠫衊襭襩襮襫觺譹譸譅譺譻贐贔趯躎躌轞轛轝酆酄酅醹鐿鐻鐶鐩鐽鐼鐰鐹鐪鐷鐬鑀鐱闥闤闣霵霺鞿韡顤飉飆飀饘饖騹騽驆驄驂驁騺"], +["f6a1","騿髍鬕鬗鬘鬖鬺魒鰫鰝鰜鰬鰣鰨鰩鰤鰡鶷鶶鶼鷁鷇鷊鷏鶾鷅鷃鶻鶵鷎鶹鶺鶬鷈鶱鶭鷌鶳鷍鶲鹺麜黫黮黭鼛鼘鼚鼱齎齥齤龒亹囆囅囋奱孋孌巕巑廲攡攠攦攢欋欈欉氍灕灖灗灒爞爟犩獿瓘瓕瓙瓗癭皭礵禴穰穱籗籜籙籛籚"], +["f740","糴糱纑罏羇臞艫蘴蘵蘳蘬蘲蘶蠬蠨蠦蠪蠥襱覿覾觻譾讄讂讆讅譿贕躕躔躚躒躐躖躗轠轢酇鑌鑐鑊鑋鑏鑇鑅鑈鑉鑆霿韣顪顩飋饔饛驎驓驔驌驏驈驊"], +["f7a1","驉驒驐髐鬙鬫鬻魖魕鱆鱈鰿鱄鰹鰳鱁鰼鰷鰴鰲鰽鰶鷛鷒鷞鷚鷋鷐鷜鷑鷟鷩鷙鷘鷖鷵鷕鷝麶黰鼵鼳鼲齂齫龕龢儽劙壨壧奲孍巘蠯彏戁戃戄攩攥斖曫欑欒欏毊灛灚爢玂玁玃癰矔籧籦纕艬蘺虀蘹蘼蘱蘻蘾蠰蠲蠮蠳襶襴襳觾"], +["f840","讌讎讋讈豅贙躘轤轣醼鑢鑕鑝鑗鑞韄韅頀驖驙鬞鬟鬠鱒鱘鱐鱊鱍鱋鱕鱙鱌鱎鷻鷷鷯鷣鷫鷸鷤鷶鷡鷮鷦鷲鷰鷢鷬鷴鷳鷨鷭黂黐黲黳鼆鼜鼸鼷鼶齃齏"], +["f8a1","齱齰齮齯囓囍孎屭攭曭曮欓灟灡灝灠爣瓛瓥矕礸禷禶籪纗羉艭虃蠸蠷蠵衋讔讕躞躟躠躝醾醽釂鑫鑨鑩雥靆靃靇韇韥驞髕魙鱣鱧鱦鱢鱞鱠鸂鷾鸇鸃鸆鸅鸀鸁鸉鷿鷽鸄麠鼞齆齴齵齶囔攮斸欘欙欗欚灢爦犪矘矙礹籩籫糶纚"], +["f940","纘纛纙臠臡虆虇虈襹襺襼襻觿讘讙躥躤躣鑮鑭鑯鑱鑳靉顲饟鱨鱮鱭鸋鸍鸐鸏鸒鸑麡黵鼉齇齸齻齺齹圞灦籯蠼趲躦釃鑴鑸鑶鑵驠鱴鱳鱱鱵鸔鸓黶鼊"], +["f9a1","龤灨灥糷虪蠾蠽蠿讞貜躩軉靋顳顴飌饡馫驤驦驧鬤鸕鸗齈戇欞爧虌躨钂钀钁驩驨鬮鸙爩虋讟钃鱹麷癵驫鱺鸝灩灪麤齾齉龘碁銹裏墻恒粧嫺╔╦╗╠╬╣╚╩╝╒╤╕╞╪╡╘╧╛╓╥╖╟╫╢╙╨╜║═╭╮╰╯▓"] +] diff --git a/node_modules/express/node_modules/iconv-lite/encodings/tables/eucjp.json b/node_modules/express/node_modules/iconv-lite/encodings/tables/eucjp.json new file mode 100644 index 0000000..4fa61ca --- /dev/null +++ b/node_modules/express/node_modules/iconv-lite/encodings/tables/eucjp.json @@ -0,0 +1,182 @@ +[ +["0","\u0000",127], +["8ea1","。",62], +["a1a1"," 、。,.・:;?!゛゜´`¨^ ̄_ヽヾゝゞ〃仝々〆〇ー―‐/\~∥|…‥‘’“”()〔〕[]{}〈",9,"+-±×÷=≠<>≦≧∞∴♂♀°′″℃¥$¢£%#&*@§☆★○●◎◇"], +["a2a1","◆□■△▲▽▼※〒→←↑↓〓"], +["a2ba","∈∋⊆⊇⊂⊃∪∩"], +["a2ca","∧∨¬⇒⇔∀∃"], +["a2dc","∠⊥⌒∂∇≡≒≪≫√∽∝∵∫∬"], +["a2f2","ʼn♯♭♪†‡¶"], +["a2fe","◯"], +["a3b0","0",9], +["a3c1","A",25], +["a3e1","a",25], +["a4a1","ぁ",82], +["a5a1","ァ",85], +["a6a1","Α",16,"Σ",6], +["a6c1","α",16,"σ",6], +["a7a1","А",5,"ЁЖ",25], +["a7d1","а",5,"ёж",25], +["a8a1","─│┌┐┘└├┬┤┴┼━┃┏┓┛┗┣┳┫┻╋┠┯┨┷┿┝┰┥┸╂"], +["ada1","①",19,"Ⅰ",9], +["adc0","㍉㌔㌢㍍㌘㌧㌃㌶㍑㍗㌍㌦㌣㌫㍊㌻㎜㎝㎞㎎㎏㏄㎡"], +["addf","㍻〝〟№㏍℡㊤",4,"㈱㈲㈹㍾㍽㍼≒≡∫∮∑√⊥∠∟⊿∵∩∪"], +["b0a1","亜唖娃阿哀愛挨姶逢葵茜穐悪握渥旭葦芦鯵梓圧斡扱宛姐虻飴絢綾鮎或粟袷安庵按暗案闇鞍杏以伊位依偉囲夷委威尉惟意慰易椅為畏異移維緯胃萎衣謂違遺医井亥域育郁磯一壱溢逸稲茨芋鰯允印咽員因姻引飲淫胤蔭"], +["b1a1","院陰隠韻吋右宇烏羽迂雨卯鵜窺丑碓臼渦嘘唄欝蔚鰻姥厩浦瓜閏噂云運雲荏餌叡営嬰影映曳栄永泳洩瑛盈穎頴英衛詠鋭液疫益駅悦謁越閲榎厭円園堰奄宴延怨掩援沿演炎焔煙燕猿縁艶苑薗遠鉛鴛塩於汚甥凹央奥往応"], +["b2a1","押旺横欧殴王翁襖鴬鴎黄岡沖荻億屋憶臆桶牡乙俺卸恩温穏音下化仮何伽価佳加可嘉夏嫁家寡科暇果架歌河火珂禍禾稼箇花苛茄荷華菓蝦課嘩貨迦過霞蚊俄峨我牙画臥芽蛾賀雅餓駕介会解回塊壊廻快怪悔恢懐戒拐改"], +["b3a1","魁晦械海灰界皆絵芥蟹開階貝凱劾外咳害崖慨概涯碍蓋街該鎧骸浬馨蛙垣柿蛎鈎劃嚇各廓拡撹格核殻獲確穫覚角赫較郭閣隔革学岳楽額顎掛笠樫橿梶鰍潟割喝恰括活渇滑葛褐轄且鰹叶椛樺鞄株兜竃蒲釜鎌噛鴨栢茅萱"], +["b4a1","粥刈苅瓦乾侃冠寒刊勘勧巻喚堪姦完官寛干幹患感慣憾換敢柑桓棺款歓汗漢澗潅環甘監看竿管簡緩缶翰肝艦莞観諌貫還鑑間閑関陥韓館舘丸含岸巌玩癌眼岩翫贋雁頑顔願企伎危喜器基奇嬉寄岐希幾忌揮机旗既期棋棄"], +["b5a1","機帰毅気汽畿祈季稀紀徽規記貴起軌輝飢騎鬼亀偽儀妓宜戯技擬欺犠疑祇義蟻誼議掬菊鞠吉吃喫桔橘詰砧杵黍却客脚虐逆丘久仇休及吸宮弓急救朽求汲泣灸球究窮笈級糾給旧牛去居巨拒拠挙渠虚許距鋸漁禦魚亨享京"], +["b6a1","供侠僑兇競共凶協匡卿叫喬境峡強彊怯恐恭挟教橋況狂狭矯胸脅興蕎郷鏡響饗驚仰凝尭暁業局曲極玉桐粁僅勤均巾錦斤欣欽琴禁禽筋緊芹菌衿襟謹近金吟銀九倶句区狗玖矩苦躯駆駈駒具愚虞喰空偶寓遇隅串櫛釧屑屈"], +["b7a1","掘窟沓靴轡窪熊隈粂栗繰桑鍬勲君薫訓群軍郡卦袈祁係傾刑兄啓圭珪型契形径恵慶慧憩掲携敬景桂渓畦稽系経継繋罫茎荊蛍計詣警軽頚鶏芸迎鯨劇戟撃激隙桁傑欠決潔穴結血訣月件倹倦健兼券剣喧圏堅嫌建憲懸拳捲"], +["b8a1","検権牽犬献研硯絹県肩見謙賢軒遣鍵険顕験鹸元原厳幻弦減源玄現絃舷言諺限乎個古呼固姑孤己庫弧戸故枯湖狐糊袴股胡菰虎誇跨鈷雇顧鼓五互伍午呉吾娯後御悟梧檎瑚碁語誤護醐乞鯉交佼侯候倖光公功効勾厚口向"], +["b9a1","后喉坑垢好孔孝宏工巧巷幸広庚康弘恒慌抗拘控攻昂晃更杭校梗構江洪浩港溝甲皇硬稿糠紅紘絞綱耕考肯肱腔膏航荒行衡講貢購郊酵鉱砿鋼閤降項香高鴻剛劫号合壕拷濠豪轟麹克刻告国穀酷鵠黒獄漉腰甑忽惚骨狛込"], +["baa1","此頃今困坤墾婚恨懇昏昆根梱混痕紺艮魂些佐叉唆嵯左差査沙瑳砂詐鎖裟坐座挫債催再最哉塞妻宰彩才採栽歳済災采犀砕砦祭斎細菜裁載際剤在材罪財冴坂阪堺榊肴咲崎埼碕鷺作削咋搾昨朔柵窄策索錯桜鮭笹匙冊刷"], +["bba1","察拶撮擦札殺薩雑皐鯖捌錆鮫皿晒三傘参山惨撒散桟燦珊産算纂蚕讃賛酸餐斬暫残仕仔伺使刺司史嗣四士始姉姿子屍市師志思指支孜斯施旨枝止死氏獅祉私糸紙紫肢脂至視詞詩試誌諮資賜雌飼歯事似侍児字寺慈持時"], +["bca1","次滋治爾璽痔磁示而耳自蒔辞汐鹿式識鴫竺軸宍雫七叱執失嫉室悉湿漆疾質実蔀篠偲柴芝屡蕊縞舎写射捨赦斜煮社紗者謝車遮蛇邪借勺尺杓灼爵酌釈錫若寂弱惹主取守手朱殊狩珠種腫趣酒首儒受呪寿授樹綬需囚収周"], +["bda1","宗就州修愁拾洲秀秋終繍習臭舟蒐衆襲讐蹴輯週酋酬集醜什住充十従戎柔汁渋獣縦重銃叔夙宿淑祝縮粛塾熟出術述俊峻春瞬竣舜駿准循旬楯殉淳準潤盾純巡遵醇順処初所暑曙渚庶緒署書薯藷諸助叙女序徐恕鋤除傷償"], +["bea1","勝匠升召哨商唱嘗奨妾娼宵将小少尚庄床廠彰承抄招掌捷昇昌昭晶松梢樟樵沼消渉湘焼焦照症省硝礁祥称章笑粧紹肖菖蒋蕉衝裳訟証詔詳象賞醤鉦鍾鐘障鞘上丈丞乗冗剰城場壌嬢常情擾条杖浄状畳穣蒸譲醸錠嘱埴飾"], +["bfa1","拭植殖燭織職色触食蝕辱尻伸信侵唇娠寝審心慎振新晋森榛浸深申疹真神秦紳臣芯薪親診身辛進針震人仁刃塵壬尋甚尽腎訊迅陣靭笥諏須酢図厨逗吹垂帥推水炊睡粋翠衰遂酔錐錘随瑞髄崇嵩数枢趨雛据杉椙菅頗雀裾"], +["c0a1","澄摺寸世瀬畝是凄制勢姓征性成政整星晴棲栖正清牲生盛精聖声製西誠誓請逝醒青静斉税脆隻席惜戚斥昔析石積籍績脊責赤跡蹟碩切拙接摂折設窃節説雪絶舌蝉仙先千占宣専尖川戦扇撰栓栴泉浅洗染潜煎煽旋穿箭線"], +["c1a1","繊羨腺舛船薦詮賎践選遷銭銑閃鮮前善漸然全禅繕膳糎噌塑岨措曾曽楚狙疏疎礎祖租粗素組蘇訴阻遡鼠僧創双叢倉喪壮奏爽宋層匝惣想捜掃挿掻操早曹巣槍槽漕燥争痩相窓糟総綜聡草荘葬蒼藻装走送遭鎗霜騒像増憎"], +["c2a1","臓蔵贈造促側則即息捉束測足速俗属賊族続卒袖其揃存孫尊損村遜他多太汰詑唾堕妥惰打柁舵楕陀駄騨体堆対耐岱帯待怠態戴替泰滞胎腿苔袋貸退逮隊黛鯛代台大第醍題鷹滝瀧卓啄宅托択拓沢濯琢託鐸濁諾茸凧蛸只"], +["c3a1","叩但達辰奪脱巽竪辿棚谷狸鱈樽誰丹単嘆坦担探旦歎淡湛炭短端箪綻耽胆蛋誕鍛団壇弾断暖檀段男談値知地弛恥智池痴稚置致蜘遅馳築畜竹筑蓄逐秩窒茶嫡着中仲宙忠抽昼柱注虫衷註酎鋳駐樗瀦猪苧著貯丁兆凋喋寵"], +["c4a1","帖帳庁弔張彫徴懲挑暢朝潮牒町眺聴脹腸蝶調諜超跳銚長頂鳥勅捗直朕沈珍賃鎮陳津墜椎槌追鎚痛通塚栂掴槻佃漬柘辻蔦綴鍔椿潰坪壷嬬紬爪吊釣鶴亭低停偵剃貞呈堤定帝底庭廷弟悌抵挺提梯汀碇禎程締艇訂諦蹄逓"], +["c5a1","邸鄭釘鼎泥摘擢敵滴的笛適鏑溺哲徹撤轍迭鉄典填天展店添纏甜貼転顛点伝殿澱田電兎吐堵塗妬屠徒斗杜渡登菟賭途都鍍砥砺努度土奴怒倒党冬凍刀唐塔塘套宕島嶋悼投搭東桃梼棟盗淘湯涛灯燈当痘祷等答筒糖統到"], +["c6a1","董蕩藤討謄豆踏逃透鐙陶頭騰闘働動同堂導憧撞洞瞳童胴萄道銅峠鴇匿得徳涜特督禿篤毒独読栃橡凸突椴届鳶苫寅酉瀞噸屯惇敦沌豚遁頓呑曇鈍奈那内乍凪薙謎灘捺鍋楢馴縄畷南楠軟難汝二尼弐迩匂賑肉虹廿日乳入"], +["c7a1","如尿韮任妊忍認濡禰祢寧葱猫熱年念捻撚燃粘乃廼之埜嚢悩濃納能脳膿農覗蚤巴把播覇杷波派琶破婆罵芭馬俳廃拝排敗杯盃牌背肺輩配倍培媒梅楳煤狽買売賠陪這蝿秤矧萩伯剥博拍柏泊白箔粕舶薄迫曝漠爆縛莫駁麦"], +["c8a1","函箱硲箸肇筈櫨幡肌畑畠八鉢溌発醗髪伐罰抜筏閥鳩噺塙蛤隼伴判半反叛帆搬斑板氾汎版犯班畔繁般藩販範釆煩頒飯挽晩番盤磐蕃蛮匪卑否妃庇彼悲扉批披斐比泌疲皮碑秘緋罷肥被誹費避非飛樋簸備尾微枇毘琵眉美"], +["c9a1","鼻柊稗匹疋髭彦膝菱肘弼必畢筆逼桧姫媛紐百謬俵彪標氷漂瓢票表評豹廟描病秒苗錨鋲蒜蛭鰭品彬斌浜瀕貧賓頻敏瓶不付埠夫婦富冨布府怖扶敷斧普浮父符腐膚芙譜負賦赴阜附侮撫武舞葡蕪部封楓風葺蕗伏副復幅服"], +["caa1","福腹複覆淵弗払沸仏物鮒分吻噴墳憤扮焚奮粉糞紛雰文聞丙併兵塀幣平弊柄並蔽閉陛米頁僻壁癖碧別瞥蔑箆偏変片篇編辺返遍便勉娩弁鞭保舗鋪圃捕歩甫補輔穂募墓慕戊暮母簿菩倣俸包呆報奉宝峰峯崩庖抱捧放方朋"], +["cba1","法泡烹砲縫胞芳萌蓬蜂褒訪豊邦鋒飽鳳鵬乏亡傍剖坊妨帽忘忙房暴望某棒冒紡肪膨謀貌貿鉾防吠頬北僕卜墨撲朴牧睦穆釦勃没殆堀幌奔本翻凡盆摩磨魔麻埋妹昧枚毎哩槙幕膜枕鮪柾鱒桝亦俣又抹末沫迄侭繭麿万慢満"], +["cca1","漫蔓味未魅巳箕岬密蜜湊蓑稔脈妙粍民眠務夢無牟矛霧鵡椋婿娘冥名命明盟迷銘鳴姪牝滅免棉綿緬面麺摸模茂妄孟毛猛盲網耗蒙儲木黙目杢勿餅尤戻籾貰問悶紋門匁也冶夜爺耶野弥矢厄役約薬訳躍靖柳薮鑓愉愈油癒"], +["cda1","諭輸唯佑優勇友宥幽悠憂揖有柚湧涌猶猷由祐裕誘遊邑郵雄融夕予余与誉輿預傭幼妖容庸揚揺擁曜楊様洋溶熔用窯羊耀葉蓉要謡踊遥陽養慾抑欲沃浴翌翼淀羅螺裸来莱頼雷洛絡落酪乱卵嵐欄濫藍蘭覧利吏履李梨理璃"], +["cea1","痢裏裡里離陸律率立葎掠略劉流溜琉留硫粒隆竜龍侶慮旅虜了亮僚両凌寮料梁涼猟療瞭稜糧良諒遼量陵領力緑倫厘林淋燐琳臨輪隣鱗麟瑠塁涙累類令伶例冷励嶺怜玲礼苓鈴隷零霊麗齢暦歴列劣烈裂廉恋憐漣煉簾練聯"], +["cfa1","蓮連錬呂魯櫓炉賂路露労婁廊弄朗楼榔浪漏牢狼篭老聾蝋郎六麓禄肋録論倭和話歪賄脇惑枠鷲亙亘鰐詫藁蕨椀湾碗腕"], +["d0a1","弌丐丕个丱丶丼丿乂乖乘亂亅豫亊舒弍于亞亟亠亢亰亳亶从仍仄仆仂仗仞仭仟价伉佚估佛佝佗佇佶侈侏侘佻佩佰侑佯來侖儘俔俟俎俘俛俑俚俐俤俥倚倨倔倪倥倅伜俶倡倩倬俾俯們倆偃假會偕偐偈做偖偬偸傀傚傅傴傲"], +["d1a1","僉僊傳僂僖僞僥僭僣僮價僵儉儁儂儖儕儔儚儡儺儷儼儻儿兀兒兌兔兢竸兩兪兮冀冂囘册冉冏冑冓冕冖冤冦冢冩冪冫决冱冲冰况冽凅凉凛几處凩凭凰凵凾刄刋刔刎刧刪刮刳刹剏剄剋剌剞剔剪剴剩剳剿剽劍劔劒剱劈劑辨"], +["d2a1","辧劬劭劼劵勁勍勗勞勣勦飭勠勳勵勸勹匆匈甸匍匐匏匕匚匣匯匱匳匸區卆卅丗卉卍凖卞卩卮夘卻卷厂厖厠厦厥厮厰厶參簒雙叟曼燮叮叨叭叺吁吽呀听吭吼吮吶吩吝呎咏呵咎呟呱呷呰咒呻咀呶咄咐咆哇咢咸咥咬哄哈咨"], +["d3a1","咫哂咤咾咼哘哥哦唏唔哽哮哭哺哢唹啀啣啌售啜啅啖啗唸唳啝喙喀咯喊喟啻啾喘喞單啼喃喩喇喨嗚嗅嗟嗄嗜嗤嗔嘔嗷嘖嗾嗽嘛嗹噎噐營嘴嘶嘲嘸噫噤嘯噬噪嚆嚀嚊嚠嚔嚏嚥嚮嚶嚴囂嚼囁囃囀囈囎囑囓囗囮囹圀囿圄圉"], +["d4a1","圈國圍圓團圖嗇圜圦圷圸坎圻址坏坩埀垈坡坿垉垓垠垳垤垪垰埃埆埔埒埓堊埖埣堋堙堝塲堡塢塋塰毀塒堽塹墅墹墟墫墺壞墻墸墮壅壓壑壗壙壘壥壜壤壟壯壺壹壻壼壽夂夊夐夛梦夥夬夭夲夸夾竒奕奐奎奚奘奢奠奧奬奩"], +["d5a1","奸妁妝佞侫妣妲姆姨姜妍姙姚娥娟娑娜娉娚婀婬婉娵娶婢婪媚媼媾嫋嫂媽嫣嫗嫦嫩嫖嫺嫻嬌嬋嬖嬲嫐嬪嬶嬾孃孅孀孑孕孚孛孥孩孰孳孵學斈孺宀它宦宸寃寇寉寔寐寤實寢寞寥寫寰寶寳尅將專對尓尠尢尨尸尹屁屆屎屓"], +["d6a1","屐屏孱屬屮乢屶屹岌岑岔妛岫岻岶岼岷峅岾峇峙峩峽峺峭嶌峪崋崕崗嵜崟崛崑崔崢崚崙崘嵌嵒嵎嵋嵬嵳嵶嶇嶄嶂嶢嶝嶬嶮嶽嶐嶷嶼巉巍巓巒巖巛巫已巵帋帚帙帑帛帶帷幄幃幀幎幗幔幟幢幤幇幵并幺麼广庠廁廂廈廐廏"], +["d7a1","廖廣廝廚廛廢廡廨廩廬廱廳廰廴廸廾弃弉彝彜弋弑弖弩弭弸彁彈彌彎弯彑彖彗彙彡彭彳彷徃徂彿徊很徑徇從徙徘徠徨徭徼忖忻忤忸忱忝悳忿怡恠怙怐怩怎怱怛怕怫怦怏怺恚恁恪恷恟恊恆恍恣恃恤恂恬恫恙悁悍惧悃悚"], +["d8a1","悄悛悖悗悒悧悋惡悸惠惓悴忰悽惆悵惘慍愕愆惶惷愀惴惺愃愡惻惱愍愎慇愾愨愧慊愿愼愬愴愽慂慄慳慷慘慙慚慫慴慯慥慱慟慝慓慵憙憖憇憬憔憚憊憑憫憮懌懊應懷懈懃懆憺懋罹懍懦懣懶懺懴懿懽懼懾戀戈戉戍戌戔戛"], +["d9a1","戞戡截戮戰戲戳扁扎扞扣扛扠扨扼抂抉找抒抓抖拔抃抔拗拑抻拏拿拆擔拈拜拌拊拂拇抛拉挌拮拱挧挂挈拯拵捐挾捍搜捏掖掎掀掫捶掣掏掉掟掵捫捩掾揩揀揆揣揉插揶揄搖搴搆搓搦搶攝搗搨搏摧摯摶摎攪撕撓撥撩撈撼"], +["daa1","據擒擅擇撻擘擂擱擧舉擠擡抬擣擯攬擶擴擲擺攀擽攘攜攅攤攣攫攴攵攷收攸畋效敖敕敍敘敞敝敲數斂斃變斛斟斫斷旃旆旁旄旌旒旛旙无旡旱杲昊昃旻杳昵昶昴昜晏晄晉晁晞晝晤晧晨晟晢晰暃暈暎暉暄暘暝曁暹曉暾暼"], +["dba1","曄暸曖曚曠昿曦曩曰曵曷朏朖朞朦朧霸朮朿朶杁朸朷杆杞杠杙杣杤枉杰枩杼杪枌枋枦枡枅枷柯枴柬枳柩枸柤柞柝柢柮枹柎柆柧檜栞框栩桀桍栲桎梳栫桙档桷桿梟梏梭梔條梛梃檮梹桴梵梠梺椏梍桾椁棊椈棘椢椦棡椌棍"], +["dca1","棔棧棕椶椒椄棗棣椥棹棠棯椨椪椚椣椡棆楹楷楜楸楫楔楾楮椹楴椽楙椰楡楞楝榁楪榲榮槐榿槁槓榾槎寨槊槝榻槃榧樮榑榠榜榕榴槞槨樂樛槿權槹槲槧樅榱樞槭樔槫樊樒櫁樣樓橄樌橲樶橸橇橢橙橦橈樸樢檐檍檠檄檢檣"], +["dda1","檗蘗檻櫃櫂檸檳檬櫞櫑櫟檪櫚櫪櫻欅蘖櫺欒欖鬱欟欸欷盜欹飮歇歃歉歐歙歔歛歟歡歸歹歿殀殄殃殍殘殕殞殤殪殫殯殲殱殳殷殼毆毋毓毟毬毫毳毯麾氈氓气氛氤氣汞汕汢汪沂沍沚沁沛汾汨汳沒沐泄泱泓沽泗泅泝沮沱沾"], +["dea1","沺泛泯泙泪洟衍洶洫洽洸洙洵洳洒洌浣涓浤浚浹浙涎涕濤涅淹渕渊涵淇淦涸淆淬淞淌淨淒淅淺淙淤淕淪淮渭湮渮渙湲湟渾渣湫渫湶湍渟湃渺湎渤滿渝游溂溪溘滉溷滓溽溯滄溲滔滕溏溥滂溟潁漑灌滬滸滾漿滲漱滯漲滌"], +["dfa1","漾漓滷澆潺潸澁澀潯潛濳潭澂潼潘澎澑濂潦澳澣澡澤澹濆澪濟濕濬濔濘濱濮濛瀉瀋濺瀑瀁瀏濾瀛瀚潴瀝瀘瀟瀰瀾瀲灑灣炙炒炯烱炬炸炳炮烟烋烝烙焉烽焜焙煥煕熈煦煢煌煖煬熏燻熄熕熨熬燗熹熾燒燉燔燎燠燬燧燵燼"], +["e0a1","燹燿爍爐爛爨爭爬爰爲爻爼爿牀牆牋牘牴牾犂犁犇犒犖犢犧犹犲狃狆狄狎狒狢狠狡狹狷倏猗猊猜猖猝猴猯猩猥猾獎獏默獗獪獨獰獸獵獻獺珈玳珎玻珀珥珮珞璢琅瑯琥珸琲琺瑕琿瑟瑙瑁瑜瑩瑰瑣瑪瑶瑾璋璞璧瓊瓏瓔珱"], +["e1a1","瓠瓣瓧瓩瓮瓲瓰瓱瓸瓷甄甃甅甌甎甍甕甓甞甦甬甼畄畍畊畉畛畆畚畩畤畧畫畭畸當疆疇畴疊疉疂疔疚疝疥疣痂疳痃疵疽疸疼疱痍痊痒痙痣痞痾痿痼瘁痰痺痲痳瘋瘍瘉瘟瘧瘠瘡瘢瘤瘴瘰瘻癇癈癆癜癘癡癢癨癩癪癧癬癰"], +["e2a1","癲癶癸發皀皃皈皋皎皖皓皙皚皰皴皸皹皺盂盍盖盒盞盡盥盧盪蘯盻眈眇眄眩眤眞眥眦眛眷眸睇睚睨睫睛睥睿睾睹瞎瞋瞑瞠瞞瞰瞶瞹瞿瞼瞽瞻矇矍矗矚矜矣矮矼砌砒礦砠礪硅碎硴碆硼碚碌碣碵碪碯磑磆磋磔碾碼磅磊磬"], +["e3a1","磧磚磽磴礇礒礑礙礬礫祀祠祗祟祚祕祓祺祿禊禝禧齋禪禮禳禹禺秉秕秧秬秡秣稈稍稘稙稠稟禀稱稻稾稷穃穗穉穡穢穩龝穰穹穽窈窗窕窘窖窩竈窰窶竅竄窿邃竇竊竍竏竕竓站竚竝竡竢竦竭竰笂笏笊笆笳笘笙笞笵笨笶筐"], +["e4a1","筺笄筍笋筌筅筵筥筴筧筰筱筬筮箝箘箟箍箜箚箋箒箏筝箙篋篁篌篏箴篆篝篩簑簔篦篥籠簀簇簓篳篷簗簍篶簣簧簪簟簷簫簽籌籃籔籏籀籐籘籟籤籖籥籬籵粃粐粤粭粢粫粡粨粳粲粱粮粹粽糀糅糂糘糒糜糢鬻糯糲糴糶糺紆"], +["e5a1","紂紜紕紊絅絋紮紲紿紵絆絳絖絎絲絨絮絏絣經綉絛綏絽綛綺綮綣綵緇綽綫總綢綯緜綸綟綰緘緝緤緞緻緲緡縅縊縣縡縒縱縟縉縋縢繆繦縻縵縹繃縷縲縺繧繝繖繞繙繚繹繪繩繼繻纃緕繽辮繿纈纉續纒纐纓纔纖纎纛纜缸缺"], +["e6a1","罅罌罍罎罐网罕罔罘罟罠罨罩罧罸羂羆羃羈羇羌羔羞羝羚羣羯羲羹羮羶羸譱翅翆翊翕翔翡翦翩翳翹飜耆耄耋耒耘耙耜耡耨耿耻聊聆聒聘聚聟聢聨聳聲聰聶聹聽聿肄肆肅肛肓肚肭冐肬胛胥胙胝胄胚胖脉胯胱脛脩脣脯腋"], +["e7a1","隋腆脾腓腑胼腱腮腥腦腴膃膈膊膀膂膠膕膤膣腟膓膩膰膵膾膸膽臀臂膺臉臍臑臙臘臈臚臟臠臧臺臻臾舁舂舅與舊舍舐舖舩舫舸舳艀艙艘艝艚艟艤艢艨艪艫舮艱艷艸艾芍芒芫芟芻芬苡苣苟苒苴苳苺莓范苻苹苞茆苜茉苙"], +["e8a1","茵茴茖茲茱荀茹荐荅茯茫茗茘莅莚莪莟莢莖茣莎莇莊荼莵荳荵莠莉莨菴萓菫菎菽萃菘萋菁菷萇菠菲萍萢萠莽萸蔆菻葭萪萼蕚蒄葷葫蒭葮蒂葩葆萬葯葹萵蓊葢蒹蒿蒟蓙蓍蒻蓚蓐蓁蓆蓖蒡蔡蓿蓴蔗蔘蔬蔟蔕蔔蓼蕀蕣蕘蕈"], +["e9a1","蕁蘂蕋蕕薀薤薈薑薊薨蕭薔薛藪薇薜蕷蕾薐藉薺藏薹藐藕藝藥藜藹蘊蘓蘋藾藺蘆蘢蘚蘰蘿虍乕虔號虧虱蚓蚣蚩蚪蚋蚌蚶蚯蛄蛆蚰蛉蠣蚫蛔蛞蛩蛬蛟蛛蛯蜒蜆蜈蜀蜃蛻蜑蜉蜍蛹蜊蜴蜿蜷蜻蜥蜩蜚蝠蝟蝸蝌蝎蝴蝗蝨蝮蝙"], +["eaa1","蝓蝣蝪蠅螢螟螂螯蟋螽蟀蟐雖螫蟄螳蟇蟆螻蟯蟲蟠蠏蠍蟾蟶蟷蠎蟒蠑蠖蠕蠢蠡蠱蠶蠹蠧蠻衄衂衒衙衞衢衫袁衾袞衵衽袵衲袂袗袒袮袙袢袍袤袰袿袱裃裄裔裘裙裝裹褂裼裴裨裲褄褌褊褓襃褞褥褪褫襁襄褻褶褸襌褝襠襞"], +["eba1","襦襤襭襪襯襴襷襾覃覈覊覓覘覡覩覦覬覯覲覺覽覿觀觚觜觝觧觴觸訃訖訐訌訛訝訥訶詁詛詒詆詈詼詭詬詢誅誂誄誨誡誑誥誦誚誣諄諍諂諚諫諳諧諤諱謔諠諢諷諞諛謌謇謚諡謖謐謗謠謳鞫謦謫謾謨譁譌譏譎證譖譛譚譫"], +["eca1","譟譬譯譴譽讀讌讎讒讓讖讙讚谺豁谿豈豌豎豐豕豢豬豸豺貂貉貅貊貍貎貔豼貘戝貭貪貽貲貳貮貶賈賁賤賣賚賽賺賻贄贅贊贇贏贍贐齎贓賍贔贖赧赭赱赳趁趙跂趾趺跏跚跖跌跛跋跪跫跟跣跼踈踉跿踝踞踐踟蹂踵踰踴蹊"], +["eda1","蹇蹉蹌蹐蹈蹙蹤蹠踪蹣蹕蹶蹲蹼躁躇躅躄躋躊躓躑躔躙躪躡躬躰軆躱躾軅軈軋軛軣軼軻軫軾輊輅輕輒輙輓輜輟輛輌輦輳輻輹轅轂輾轌轉轆轎轗轜轢轣轤辜辟辣辭辯辷迚迥迢迪迯邇迴逅迹迺逑逕逡逍逞逖逋逧逶逵逹迸"], +["eea1","遏遐遑遒逎遉逾遖遘遞遨遯遶隨遲邂遽邁邀邊邉邏邨邯邱邵郢郤扈郛鄂鄒鄙鄲鄰酊酖酘酣酥酩酳酲醋醉醂醢醫醯醪醵醴醺釀釁釉釋釐釖釟釡釛釼釵釶鈞釿鈔鈬鈕鈑鉞鉗鉅鉉鉤鉈銕鈿鉋鉐銜銖銓銛鉚鋏銹銷鋩錏鋺鍄錮"], +["efa1","錙錢錚錣錺錵錻鍜鍠鍼鍮鍖鎰鎬鎭鎔鎹鏖鏗鏨鏥鏘鏃鏝鏐鏈鏤鐚鐔鐓鐃鐇鐐鐶鐫鐵鐡鐺鑁鑒鑄鑛鑠鑢鑞鑪鈩鑰鑵鑷鑽鑚鑼鑾钁鑿閂閇閊閔閖閘閙閠閨閧閭閼閻閹閾闊濶闃闍闌闕闔闖關闡闥闢阡阨阮阯陂陌陏陋陷陜陞"], +["f0a1","陝陟陦陲陬隍隘隕隗險隧隱隲隰隴隶隸隹雎雋雉雍襍雜霍雕雹霄霆霈霓霎霑霏霖霙霤霪霰霹霽霾靄靆靈靂靉靜靠靤靦靨勒靫靱靹鞅靼鞁靺鞆鞋鞏鞐鞜鞨鞦鞣鞳鞴韃韆韈韋韜韭齏韲竟韶韵頏頌頸頤頡頷頽顆顏顋顫顯顰"], +["f1a1","顱顴顳颪颯颱颶飄飃飆飩飫餃餉餒餔餘餡餝餞餤餠餬餮餽餾饂饉饅饐饋饑饒饌饕馗馘馥馭馮馼駟駛駝駘駑駭駮駱駲駻駸騁騏騅駢騙騫騷驅驂驀驃騾驕驍驛驗驟驢驥驤驩驫驪骭骰骼髀髏髑髓體髞髟髢髣髦髯髫髮髴髱髷"], +["f2a1","髻鬆鬘鬚鬟鬢鬣鬥鬧鬨鬩鬪鬮鬯鬲魄魃魏魍魎魑魘魴鮓鮃鮑鮖鮗鮟鮠鮨鮴鯀鯊鮹鯆鯏鯑鯒鯣鯢鯤鯔鯡鰺鯲鯱鯰鰕鰔鰉鰓鰌鰆鰈鰒鰊鰄鰮鰛鰥鰤鰡鰰鱇鰲鱆鰾鱚鱠鱧鱶鱸鳧鳬鳰鴉鴈鳫鴃鴆鴪鴦鶯鴣鴟鵄鴕鴒鵁鴿鴾鵆鵈"], +["f3a1","鵝鵞鵤鵑鵐鵙鵲鶉鶇鶫鵯鵺鶚鶤鶩鶲鷄鷁鶻鶸鶺鷆鷏鷂鷙鷓鷸鷦鷭鷯鷽鸚鸛鸞鹵鹹鹽麁麈麋麌麒麕麑麝麥麩麸麪麭靡黌黎黏黐黔黜點黝黠黥黨黯黴黶黷黹黻黼黽鼇鼈皷鼕鼡鼬鼾齊齒齔齣齟齠齡齦齧齬齪齷齲齶龕龜龠"], +["f4a1","堯槇遙瑤凜熙"], +["f9a1","纊褜鍈銈蓜俉炻昱棈鋹曻彅丨仡仼伀伃伹佖侒侊侚侔俍偀倢俿倞偆偰偂傔僴僘兊兤冝冾凬刕劜劦勀勛匀匇匤卲厓厲叝﨎咜咊咩哿喆坙坥垬埈埇﨏塚增墲夋奓奛奝奣妤妺孖寀甯寘寬尞岦岺峵崧嵓﨑嵂嵭嶸嶹巐弡弴彧德"], +["faa1","忞恝悅悊惞惕愠惲愑愷愰憘戓抦揵摠撝擎敎昀昕昻昉昮昞昤晥晗晙晴晳暙暠暲暿曺朎朗杦枻桒柀栁桄棏﨓楨﨔榘槢樰橫橆橳橾櫢櫤毖氿汜沆汯泚洄涇浯涖涬淏淸淲淼渹湜渧渼溿澈澵濵瀅瀇瀨炅炫焏焄煜煆煇凞燁燾犱"], +["fba1","犾猤猪獷玽珉珖珣珒琇珵琦琪琩琮瑢璉璟甁畯皂皜皞皛皦益睆劯砡硎硤硺礰礼神祥禔福禛竑竧靖竫箞精絈絜綷綠緖繒罇羡羽茁荢荿菇菶葈蒴蕓蕙蕫﨟薰蘒﨡蠇裵訒訷詹誧誾諟諸諶譓譿賰賴贒赶﨣軏﨤逸遧郞都鄕鄧釚"], +["fca1","釗釞釭釮釤釥鈆鈐鈊鈺鉀鈼鉎鉙鉑鈹鉧銧鉷鉸鋧鋗鋙鋐﨧鋕鋠鋓錥錡鋻﨨錞鋿錝錂鍰鍗鎤鏆鏞鏸鐱鑅鑈閒隆﨩隝隯霳霻靃靍靏靑靕顗顥飯飼餧館馞驎髙髜魵魲鮏鮱鮻鰀鵰鵫鶴鸙黑"], +["fcf1","ⅰ",9,"¬¦'""], +["8fa2af","˘ˇ¸˙˝¯˛˚~΄΅"], +["8fa2c2","¡¦¿"], +["8fa2eb","ºª©®™¤№"], +["8fa6e1","ΆΈΉΊΪ"], +["8fa6e7","Ό"], +["8fa6e9","ΎΫ"], +["8fa6ec","Ώ"], +["8fa6f1","άέήίϊΐόςύϋΰώ"], +["8fa7c2","Ђ",10,"ЎЏ"], +["8fa7f2","ђ",10,"ўџ"], +["8fa9a1","ÆĐ"], +["8fa9a4","Ħ"], +["8fa9a6","IJ"], +["8fa9a8","ŁĿ"], +["8fa9ab","ŊØŒ"], +["8fa9af","ŦÞ"], +["8fa9c1","æđðħıijĸłŀʼnŋøœßŧþ"], +["8faaa1","ÁÀÄÂĂǍĀĄÅÃĆĈČÇĊĎÉÈËÊĚĖĒĘ"], +["8faaba","ĜĞĢĠĤÍÌÏÎǏİĪĮĨĴĶĹĽĻŃŇŅÑÓÒÖÔǑŐŌÕŔŘŖŚŜŠŞŤŢÚÙÜÛŬǓŰŪŲŮŨǗǛǙǕŴÝŸŶŹŽŻ"], +["8faba1","áàäâăǎāąåãćĉčçċďéèëêěėēęǵĝğ"], +["8fabbd","ġĥíìïîǐ"], +["8fabc5","īįĩĵķĺľļńňņñóòöôǒőōõŕřŗśŝšşťţúùüûŭǔűūųůũǘǜǚǖŵýÿŷźžż"], +["8fb0a1","丂丄丅丌丒丟丣两丨丫丮丯丰丵乀乁乄乇乑乚乜乣乨乩乴乵乹乿亍亖亗亝亯亹仃仐仚仛仠仡仢仨仯仱仳仵份仾仿伀伂伃伈伋伌伒伕伖众伙伮伱你伳伵伷伹伻伾佀佂佈佉佋佌佒佔佖佘佟佣佪佬佮佱佷佸佹佺佽佾侁侂侄"], +["8fb1a1","侅侉侊侌侎侐侒侓侔侗侙侚侞侟侲侷侹侻侼侽侾俀俁俅俆俈俉俋俌俍俏俒俜俠俢俰俲俼俽俿倀倁倄倇倊倌倎倐倓倗倘倛倜倝倞倢倧倮倰倲倳倵偀偁偂偅偆偊偌偎偑偒偓偗偙偟偠偢偣偦偧偪偭偰偱倻傁傃傄傆傊傎傏傐"], +["8fb2a1","傒傓傔傖傛傜傞",4,"傪傯傰傹傺傽僀僃僄僇僌僎僐僓僔僘僜僝僟僢僤僦僨僩僯僱僶僺僾儃儆儇儈儋儌儍儎僲儐儗儙儛儜儝儞儣儧儨儬儭儯儱儳儴儵儸儹兂兊兏兓兕兗兘兟兤兦兾冃冄冋冎冘冝冡冣冭冸冺冼冾冿凂"], +["8fb3a1","凈减凑凒凓凕凘凞凢凥凮凲凳凴凷刁刂刅划刓刕刖刘刢刨刱刲刵刼剅剉剕剗剘剚剜剟剠剡剦剮剷剸剹劀劂劅劊劌劓劕劖劗劘劚劜劤劥劦劧劯劰劶劷劸劺劻劽勀勄勆勈勌勏勑勔勖勛勜勡勥勨勩勪勬勰勱勴勶勷匀匃匊匋"], +["8fb4a1","匌匑匓匘匛匜匞匟匥匧匨匩匫匬匭匰匲匵匼匽匾卂卌卋卙卛卡卣卥卬卭卲卹卾厃厇厈厎厓厔厙厝厡厤厪厫厯厲厴厵厷厸厺厽叀叅叏叒叓叕叚叝叞叠另叧叵吂吓吚吡吧吨吪启吱吴吵呃呄呇呍呏呞呢呤呦呧呩呫呭呮呴呿"], +["8fb5a1","咁咃咅咈咉咍咑咕咖咜咟咡咦咧咩咪咭咮咱咷咹咺咻咿哆哊响哎哠哪哬哯哶哼哾哿唀唁唅唈唉唌唍唎唕唪唫唲唵唶唻唼唽啁啇啉啊啍啐啑啘啚啛啞啠啡啤啦啿喁喂喆喈喎喏喑喒喓喔喗喣喤喭喲喿嗁嗃嗆嗉嗋嗌嗎嗑嗒"], +["8fb6a1","嗓嗗嗘嗛嗞嗢嗩嗶嗿嘅嘈嘊嘍",5,"嘙嘬嘰嘳嘵嘷嘹嘻嘼嘽嘿噀噁噃噄噆噉噋噍噏噔噞噠噡噢噣噦噩噭噯噱噲噵嚄嚅嚈嚋嚌嚕嚙嚚嚝嚞嚟嚦嚧嚨嚩嚫嚬嚭嚱嚳嚷嚾囅囉囊囋囏囐囌囍囙囜囝囟囡囤",4,"囱囫园"], +["8fb7a1","囶囷圁圂圇圊圌圑圕圚圛圝圠圢圣圤圥圩圪圬圮圯圳圴圽圾圿坅坆坌坍坒坢坥坧坨坫坭",4,"坳坴坵坷坹坺坻坼坾垁垃垌垔垗垙垚垜垝垞垟垡垕垧垨垩垬垸垽埇埈埌埏埕埝埞埤埦埧埩埭埰埵埶埸埽埾埿堃堄堈堉埡"], +["8fb8a1","堌堍堛堞堟堠堦堧堭堲堹堿塉塌塍塏塐塕塟塡塤塧塨塸塼塿墀墁墇墈墉墊墌墍墏墐墔墖墝墠墡墢墦墩墱墲壄墼壂壈壍壎壐壒壔壖壚壝壡壢壩壳夅夆夋夌夒夓夔虁夝夡夣夤夨夯夰夳夵夶夿奃奆奒奓奙奛奝奞奟奡奣奫奭"], +["8fb9a1","奯奲奵奶她奻奼妋妌妎妒妕妗妟妤妧妭妮妯妰妳妷妺妼姁姃姄姈姊姍姒姝姞姟姣姤姧姮姯姱姲姴姷娀娄娌娍娎娒娓娞娣娤娧娨娪娭娰婄婅婇婈婌婐婕婞婣婥婧婭婷婺婻婾媋媐媓媖媙媜媞媟媠媢媧媬媱媲媳媵媸媺媻媿"], +["8fbaa1","嫄嫆嫈嫏嫚嫜嫠嫥嫪嫮嫵嫶嫽嬀嬁嬈嬗嬴嬙嬛嬝嬡嬥嬭嬸孁孋孌孒孖孞孨孮孯孼孽孾孿宁宄宆宊宎宐宑宓宔宖宨宩宬宭宯宱宲宷宺宼寀寁寍寏寖",4,"寠寯寱寴寽尌尗尞尟尣尦尩尫尬尮尰尲尵尶屙屚屜屢屣屧屨屩"], +["8fbba1","屭屰屴屵屺屻屼屽岇岈岊岏岒岝岟岠岢岣岦岪岲岴岵岺峉峋峒峝峗峮峱峲峴崁崆崍崒崫崣崤崦崧崱崴崹崽崿嵂嵃嵆嵈嵕嵑嵙嵊嵟嵠嵡嵢嵤嵪嵭嵰嵹嵺嵾嵿嶁嶃嶈嶊嶒嶓嶔嶕嶙嶛嶟嶠嶧嶫嶰嶴嶸嶹巃巇巋巐巎巘巙巠巤"], +["8fbca1","巩巸巹帀帇帍帒帔帕帘帟帠帮帨帲帵帾幋幐幉幑幖幘幛幜幞幨幪",4,"幰庀庋庎庢庤庥庨庪庬庱庳庽庾庿廆廌廋廎廑廒廔廕廜廞廥廫异弆弇弈弎弙弜弝弡弢弣弤弨弫弬弮弰弴弶弻弽弿彀彄彅彇彍彐彔彘彛彠彣彤彧"], +["8fbda1","彯彲彴彵彸彺彽彾徉徍徏徖徜徝徢徧徫徤徬徯徰徱徸忄忇忈忉忋忐",4,"忞忡忢忨忩忪忬忭忮忯忲忳忶忺忼怇怊怍怓怔怗怘怚怟怤怭怳怵恀恇恈恉恌恑恔恖恗恝恡恧恱恾恿悂悆悈悊悎悑悓悕悘悝悞悢悤悥您悰悱悷"], +["8fbea1","悻悾惂惄惈惉惊惋惎惏惔惕惙惛惝惞惢惥惲惵惸惼惽愂愇愊愌愐",4,"愖愗愙愜愞愢愪愫愰愱愵愶愷愹慁慅慆慉慞慠慬慲慸慻慼慿憀憁憃憄憋憍憒憓憗憘憜憝憟憠憥憨憪憭憸憹憼懀懁懂懎懏懕懜懝懞懟懡懢懧懩懥"], +["8fbfa1","懬懭懯戁戃戄戇戓戕戜戠戢戣戧戩戫戹戽扂扃扄扆扌扐扑扒扔扖扚扜扤扭扯扳扺扽抍抎抏抐抦抨抳抶抷抺抾抿拄拎拕拖拚拪拲拴拼拽挃挄挊挋挍挐挓挖挘挩挪挭挵挶挹挼捁捂捃捄捆捊捋捎捒捓捔捘捛捥捦捬捭捱捴捵"], +["8fc0a1","捸捼捽捿掂掄掇掊掐掔掕掙掚掞掤掦掭掮掯掽揁揅揈揎揑揓揔揕揜揠揥揪揬揲揳揵揸揹搉搊搐搒搔搘搞搠搢搤搥搩搪搯搰搵搽搿摋摏摑摒摓摔摚摛摜摝摟摠摡摣摭摳摴摻摽撅撇撏撐撑撘撙撛撝撟撡撣撦撨撬撳撽撾撿"], +["8fc1a1","擄擉擊擋擌擎擐擑擕擗擤擥擩擪擭擰擵擷擻擿攁攄攈攉攊攏攓攔攖攙攛攞攟攢攦攩攮攱攺攼攽敃敇敉敐敒敔敟敠敧敫敺敽斁斅斊斒斕斘斝斠斣斦斮斲斳斴斿旂旈旉旎旐旔旖旘旟旰旲旴旵旹旾旿昀昄昈昉昍昑昒昕昖昝"], +["8fc2a1","昞昡昢昣昤昦昩昪昫昬昮昰昱昳昹昷晀晅晆晊晌晑晎晗晘晙晛晜晠晡曻晪晫晬晾晳晵晿晷晸晹晻暀晼暋暌暍暐暒暙暚暛暜暟暠暤暭暱暲暵暻暿曀曂曃曈曌曎曏曔曛曟曨曫曬曮曺朅朇朎朓朙朜朠朢朳朾杅杇杈杌杔杕杝"], +["8fc3a1","杦杬杮杴杶杻极构枎枏枑枓枖枘枙枛枰枱枲枵枻枼枽柹柀柂柃柅柈柉柒柗柙柜柡柦柰柲柶柷桒栔栙栝栟栨栧栬栭栯栰栱栳栻栿桄桅桊桌桕桗桘桛桫桮",4,"桵桹桺桻桼梂梄梆梈梖梘梚梜梡梣梥梩梪梮梲梻棅棈棌棏"], +["8fc4a1","棐棑棓棖棙棜棝棥棨棪棫棬棭棰棱棵棶棻棼棽椆椉椊椐椑椓椖椗椱椳椵椸椻楂楅楉楎楗楛楣楤楥楦楨楩楬楰楱楲楺楻楿榀榍榒榖榘榡榥榦榨榫榭榯榷榸榺榼槅槈槑槖槗槢槥槮槯槱槳槵槾樀樁樃樏樑樕樚樝樠樤樨樰樲"], +["8fc5a1","樴樷樻樾樿橅橆橉橊橎橐橑橒橕橖橛橤橧橪橱橳橾檁檃檆檇檉檋檑檛檝檞檟檥檫檯檰檱檴檽檾檿櫆櫉櫈櫌櫐櫔櫕櫖櫜櫝櫤櫧櫬櫰櫱櫲櫼櫽欂欃欆欇欉欏欐欑欗欛欞欤欨欫欬欯欵欶欻欿歆歊歍歒歖歘歝歠歧歫歮歰歵歽"], +["8fc6a1","歾殂殅殗殛殟殠殢殣殨殩殬殭殮殰殸殹殽殾毃毄毉毌毖毚毡毣毦毧毮毱毷毹毿氂氄氅氉氍氎氐氒氙氟氦氧氨氬氮氳氵氶氺氻氿汊汋汍汏汒汔汙汛汜汫汭汯汴汶汸汹汻沅沆沇沉沔沕沗沘沜沟沰沲沴泂泆泍泏泐泑泒泔泖"], +["8fc7a1","泚泜泠泧泩泫泬泮泲泴洄洇洊洎洏洑洓洚洦洧洨汧洮洯洱洹洼洿浗浞浟浡浥浧浯浰浼涂涇涑涒涔涖涗涘涪涬涴涷涹涽涿淄淈淊淎淏淖淛淝淟淠淢淥淩淯淰淴淶淼渀渄渞渢渧渲渶渹渻渼湄湅湈湉湋湏湑湒湓湔湗湜湝湞"], +["8fc8a1","湢湣湨湳湻湽溍溓溙溠溧溭溮溱溳溻溿滀滁滃滇滈滊滍滎滏滫滭滮滹滻滽漄漈漊漌漍漖漘漚漛漦漩漪漯漰漳漶漻漼漭潏潑潒潓潗潙潚潝潞潡潢潨潬潽潾澃澇澈澋澌澍澐澒澓澔澖澚澟澠澥澦澧澨澮澯澰澵澶澼濅濇濈濊"], +["8fc9a1","濚濞濨濩濰濵濹濼濽瀀瀅瀆瀇瀍瀗瀠瀣瀯瀴瀷瀹瀼灃灄灈灉灊灋灔灕灝灞灎灤灥灬灮灵灶灾炁炅炆炔",4,"炛炤炫炰炱炴炷烊烑烓烔烕烖烘烜烤烺焃",4,"焋焌焏焞焠焫焭焯焰焱焸煁煅煆煇煊煋煐煒煗煚煜煞煠"], +["8fcaa1","煨煹熀熅熇熌熒熚熛熠熢熯熰熲熳熺熿燀燁燄燋燌燓燖燙燚燜燸燾爀爇爈爉爓爗爚爝爟爤爫爯爴爸爹牁牂牃牅牎牏牐牓牕牖牚牜牞牠牣牨牫牮牯牱牷牸牻牼牿犄犉犍犎犓犛犨犭犮犱犴犾狁狇狉狌狕狖狘狟狥狳狴狺狻"], +["8fcba1","狾猂猄猅猇猋猍猒猓猘猙猞猢猤猧猨猬猱猲猵猺猻猽獃獍獐獒獖獘獝獞獟獠獦獧獩獫獬獮獯獱獷獹獼玀玁玃玅玆玎玐玓玕玗玘玜玞玟玠玢玥玦玪玫玭玵玷玹玼玽玿珅珆珉珋珌珏珒珓珖珙珝珡珣珦珧珩珴珵珷珹珺珻珽"], +["8fcca1","珿琀琁琄琇琊琑琚琛琤琦琨",9,"琹瑀瑃瑄瑆瑇瑋瑍瑑瑒瑗瑝瑢瑦瑧瑨瑫瑭瑮瑱瑲璀璁璅璆璇璉璏璐璑璒璘璙璚璜璟璠璡璣璦璨璩璪璫璮璯璱璲璵璹璻璿瓈瓉瓌瓐瓓瓘瓚瓛瓞瓟瓤瓨瓪瓫瓯瓴瓺瓻瓼瓿甆"], +["8fcda1","甒甖甗甠甡甤甧甩甪甯甶甹甽甾甿畀畃畇畈畎畐畒畗畞畟畡畯畱畹",5,"疁疅疐疒疓疕疙疜疢疤疴疺疿痀痁痄痆痌痎痏痗痜痟痠痡痤痧痬痮痯痱痹瘀瘂瘃瘄瘇瘈瘊瘌瘏瘒瘓瘕瘖瘙瘛瘜瘝瘞瘣瘥瘦瘩瘭瘲瘳瘵瘸瘹"], +["8fcea1","瘺瘼癊癀癁癃癄癅癉癋癕癙癟癤癥癭癮癯癱癴皁皅皌皍皕皛皜皝皟皠皢",6,"皪皭皽盁盅盉盋盌盎盔盙盠盦盨盬盰盱盶盹盼眀眆眊眎眒眔眕眗眙眚眜眢眨眭眮眯眴眵眶眹眽眾睂睅睆睊睍睎睏睒睖睗睜睞睟睠睢"], +["8fcfa1","睤睧睪睬睰睲睳睴睺睽瞀瞄瞌瞍瞔瞕瞖瞚瞟瞢瞧瞪瞮瞯瞱瞵瞾矃矉矑矒矕矙矞矟矠矤矦矪矬矰矱矴矸矻砅砆砉砍砎砑砝砡砢砣砭砮砰砵砷硃硄硇硈硌硎硒硜硞硠硡硣硤硨硪确硺硾碊碏碔碘碡碝碞碟碤碨碬碭碰碱碲碳"], +["8fd0a1","碻碽碿磇磈磉磌磎磒磓磕磖磤磛磟磠磡磦磪磲磳礀磶磷磺磻磿礆礌礐礚礜礞礟礠礥礧礩礭礱礴礵礻礽礿祄祅祆祊祋祏祑祔祘祛祜祧祩祫祲祹祻祼祾禋禌禑禓禔禕禖禘禛禜禡禨禩禫禯禱禴禸离秂秄秇秈秊秏秔秖秚秝秞"], +["8fd1a1","秠秢秥秪秫秭秱秸秼稂稃稇稉稊稌稑稕稛稞稡稧稫稭稯稰稴稵稸稹稺穄穅穇穈穌穕穖穙穜穝穟穠穥穧穪穭穵穸穾窀窂窅窆窊窋窐窑窔窞窠窣窬窳窵窹窻窼竆竉竌竎竑竛竨竩竫竬竱竴竻竽竾笇笔笟笣笧笩笪笫笭笮笯笰"], +["8fd2a1","笱笴笽笿筀筁筇筎筕筠筤筦筩筪筭筯筲筳筷箄箉箎箐箑箖箛箞箠箥箬箯箰箲箵箶箺箻箼箽篂篅篈篊篔篖篗篙篚篛篨篪篲篴篵篸篹篺篼篾簁簂簃簄簆簉簋簌簎簏簙簛簠簥簦簨簬簱簳簴簶簹簺籆籊籕籑籒籓籙",5], +["8fd3a1","籡籣籧籩籭籮籰籲籹籼籽粆粇粏粔粞粠粦粰粶粷粺粻粼粿糄糇糈糉糍糏糓糔糕糗糙糚糝糦糩糫糵紃紇紈紉紏紑紒紓紖紝紞紣紦紪紭紱紼紽紾絀絁絇絈絍絑絓絗絙絚絜絝絥絧絪絰絸絺絻絿綁綂綃綅綆綈綋綌綍綑綖綗綝"], +["8fd4a1","綞綦綧綪綳綶綷綹緂",4,"緌緍緎緗緙縀緢緥緦緪緫緭緱緵緶緹緺縈縐縑縕縗縜縝縠縧縨縬縭縯縳縶縿繄繅繇繎繐繒繘繟繡繢繥繫繮繯繳繸繾纁纆纇纊纍纑纕纘纚纝纞缼缻缽缾缿罃罄罇罏罒罓罛罜罝罡罣罤罥罦罭"], +["8fd5a1","罱罽罾罿羀羋羍羏羐羑羖羗羜羡羢羦羪羭羴羼羿翀翃翈翎翏翛翟翣翥翨翬翮翯翲翺翽翾翿耇耈耊耍耎耏耑耓耔耖耝耞耟耠耤耦耬耮耰耴耵耷耹耺耼耾聀聄聠聤聦聭聱聵肁肈肎肜肞肦肧肫肸肹胈胍胏胒胔胕胗胘胠胭胮"], +["8fd6a1","胰胲胳胶胹胺胾脃脋脖脗脘脜脞脠脤脧脬脰脵脺脼腅腇腊腌腒腗腠腡腧腨腩腭腯腷膁膐膄膅膆膋膎膖膘膛膞膢膮膲膴膻臋臃臅臊臎臏臕臗臛臝臞臡臤臫臬臰臱臲臵臶臸臹臽臿舀舃舏舓舔舙舚舝舡舢舨舲舴舺艃艄艅艆"], +["8fd7a1","艋艎艏艑艖艜艠艣艧艭艴艻艽艿芀芁芃芄芇芉芊芎芑芔芖芘芚芛芠芡芣芤芧芨芩芪芮芰芲芴芷芺芼芾芿苆苐苕苚苠苢苤苨苪苭苯苶苷苽苾茀茁茇茈茊茋荔茛茝茞茟茡茢茬茭茮茰茳茷茺茼茽荂荃荄荇荍荎荑荕荖荗荰荸"], +["8fd8a1","荽荿莀莂莄莆莍莒莔莕莘莙莛莜莝莦莧莩莬莾莿菀菇菉菏菐菑菔菝荓菨菪菶菸菹菼萁萆萊萏萑萕萙莭萯萹葅葇葈葊葍葏葑葒葖葘葙葚葜葠葤葥葧葪葰葳葴葶葸葼葽蒁蒅蒒蒓蒕蒞蒦蒨蒩蒪蒯蒱蒴蒺蒽蒾蓀蓂蓇蓈蓌蓏蓓"], +["8fd9a1","蓜蓧蓪蓯蓰蓱蓲蓷蔲蓺蓻蓽蔂蔃蔇蔌蔎蔐蔜蔞蔢蔣蔤蔥蔧蔪蔫蔯蔳蔴蔶蔿蕆蕏",4,"蕖蕙蕜",6,"蕤蕫蕯蕹蕺蕻蕽蕿薁薅薆薉薋薌薏薓薘薝薟薠薢薥薧薴薶薷薸薼薽薾薿藂藇藊藋藎薭藘藚藟藠藦藨藭藳藶藼"], +["8fdaa1","藿蘀蘄蘅蘍蘎蘐蘑蘒蘘蘙蘛蘞蘡蘧蘩蘶蘸蘺蘼蘽虀虂虆虒虓虖虗虘虙虝虠",4,"虩虬虯虵虶虷虺蚍蚑蚖蚘蚚蚜蚡蚦蚧蚨蚭蚱蚳蚴蚵蚷蚸蚹蚿蛀蛁蛃蛅蛑蛒蛕蛗蛚蛜蛠蛣蛥蛧蚈蛺蛼蛽蜄蜅蜇蜋蜎蜏蜐蜓蜔蜙蜞蜟蜡蜣"], +["8fdba1","蜨蜮蜯蜱蜲蜹蜺蜼蜽蜾蝀蝃蝅蝍蝘蝝蝡蝤蝥蝯蝱蝲蝻螃",6,"螋螌螐螓螕螗螘螙螞螠螣螧螬螭螮螱螵螾螿蟁蟈蟉蟊蟎蟕蟖蟙蟚蟜蟟蟢蟣蟤蟪蟫蟭蟱蟳蟸蟺蟿蠁蠃蠆蠉蠊蠋蠐蠙蠒蠓蠔蠘蠚蠛蠜蠞蠟蠨蠭蠮蠰蠲蠵"], +["8fdca1","蠺蠼衁衃衅衈衉衊衋衎衑衕衖衘衚衜衟衠衤衩衱衹衻袀袘袚袛袜袟袠袨袪袺袽袾裀裊",4,"裑裒裓裛裞裧裯裰裱裵裷褁褆褍褎褏褕褖褘褙褚褜褠褦褧褨褰褱褲褵褹褺褾襀襂襅襆襉襏襒襗襚襛襜襡襢襣襫襮襰襳襵襺"], +["8fdda1","襻襼襽覉覍覐覔覕覛覜覟覠覥覰覴覵覶覷覼觔",4,"觥觩觫觭觱觳觶觹觽觿訄訅訇訏訑訒訔訕訞訠訢訤訦訫訬訯訵訷訽訾詀詃詅詇詉詍詎詓詖詗詘詜詝詡詥詧詵詶詷詹詺詻詾詿誀誃誆誋誏誐誒誖誗誙誟誧誩誮誯誳"], +["8fdea1","誶誷誻誾諃諆諈諉諊諑諓諔諕諗諝諟諬諰諴諵諶諼諿謅謆謋謑謜謞謟謊謭謰謷謼譂",4,"譈譒譓譔譙譍譞譣譭譶譸譹譼譾讁讄讅讋讍讏讔讕讜讞讟谸谹谽谾豅豇豉豋豏豑豓豔豗豘豛豝豙豣豤豦豨豩豭豳豵豶豻豾貆"], +["8fdfa1","貇貋貐貒貓貙貛貜貤貹貺賅賆賉賋賏賖賕賙賝賡賨賬賯賰賲賵賷賸賾賿贁贃贉贒贗贛赥赩赬赮赿趂趄趈趍趐趑趕趞趟趠趦趫趬趯趲趵趷趹趻跀跅跆跇跈跊跎跑跔跕跗跙跤跥跧跬跰趼跱跲跴跽踁踄踅踆踋踑踔踖踠踡踢"], +["8fe0a1","踣踦踧踱踳踶踷踸踹踽蹀蹁蹋蹍蹎蹏蹔蹛蹜蹝蹞蹡蹢蹩蹬蹭蹯蹰蹱蹹蹺蹻躂躃躉躐躒躕躚躛躝躞躢躧躩躭躮躳躵躺躻軀軁軃軄軇軏軑軔軜軨軮軰軱軷軹軺軭輀輂輇輈輏輐輖輗輘輞輠輡輣輥輧輨輬輭輮輴輵輶輷輺轀轁"], +["8fe1a1","轃轇轏轑",4,"轘轝轞轥辝辠辡辤辥辦辵辶辸达迀迁迆迊迋迍运迒迓迕迠迣迤迨迮迱迵迶迻迾适逄逈逌逘逛逨逩逯逪逬逭逳逴逷逿遃遄遌遛遝遢遦遧遬遰遴遹邅邈邋邌邎邐邕邗邘邙邛邠邡邢邥邰邲邳邴邶邽郌邾郃"], +["8fe2a1","郄郅郇郈郕郗郘郙郜郝郟郥郒郶郫郯郰郴郾郿鄀鄄鄅鄆鄈鄍鄐鄔鄖鄗鄘鄚鄜鄞鄠鄥鄢鄣鄧鄩鄮鄯鄱鄴鄶鄷鄹鄺鄼鄽酃酇酈酏酓酗酙酚酛酡酤酧酭酴酹酺酻醁醃醅醆醊醎醑醓醔醕醘醞醡醦醨醬醭醮醰醱醲醳醶醻醼醽醿"], +["8fe3a1","釂釃釅釓釔釗釙釚釞釤釥釩釪釬",5,"釷釹釻釽鈀鈁鈄鈅鈆鈇鈉鈊鈌鈐鈒鈓鈖鈘鈜鈝鈣鈤鈥鈦鈨鈮鈯鈰鈳鈵鈶鈸鈹鈺鈼鈾鉀鉂鉃鉆鉇鉊鉍鉎鉏鉑鉘鉙鉜鉝鉠鉡鉥鉧鉨鉩鉮鉯鉰鉵",4,"鉻鉼鉽鉿銈銉銊銍銎銒銗"], +["8fe4a1","銙銟銠銤銥銧銨銫銯銲銶銸銺銻銼銽銿",4,"鋅鋆鋇鋈鋋鋌鋍鋎鋐鋓鋕鋗鋘鋙鋜鋝鋟鋠鋡鋣鋥鋧鋨鋬鋮鋰鋹鋻鋿錀錂錈錍錑錔錕錜錝錞錟錡錤錥錧錩錪錳錴錶錷鍇鍈鍉鍐鍑鍒鍕鍗鍘鍚鍞鍤鍥鍧鍩鍪鍭鍯鍰鍱鍳鍴鍶"], +["8fe5a1","鍺鍽鍿鎀鎁鎂鎈鎊鎋鎍鎏鎒鎕鎘鎛鎞鎡鎣鎤鎦鎨鎫鎴鎵鎶鎺鎩鏁鏄鏅鏆鏇鏉",4,"鏓鏙鏜鏞鏟鏢鏦鏧鏹鏷鏸鏺鏻鏽鐁鐂鐄鐈鐉鐍鐎鐏鐕鐖鐗鐟鐮鐯鐱鐲鐳鐴鐻鐿鐽鑃鑅鑈鑊鑌鑕鑙鑜鑟鑡鑣鑨鑫鑭鑮鑯鑱鑲钄钃镸镹"], +["8fe6a1","镾閄閈閌閍閎閝閞閟閡閦閩閫閬閴閶閺閽閿闆闈闉闋闐闑闒闓闙闚闝闞闟闠闤闦阝阞阢阤阥阦阬阱阳阷阸阹阺阼阽陁陒陔陖陗陘陡陮陴陻陼陾陿隁隂隃隄隉隑隖隚隝隟隤隥隦隩隮隯隳隺雊雒嶲雘雚雝雞雟雩雯雱雺霂"], +["8fe7a1","霃霅霉霚霛霝霡霢霣霨霱霳靁靃靊靎靏靕靗靘靚靛靣靧靪靮靳靶靷靸靻靽靿鞀鞉鞕鞖鞗鞙鞚鞞鞟鞢鞬鞮鞱鞲鞵鞶鞸鞹鞺鞼鞾鞿韁韄韅韇韉韊韌韍韎韐韑韔韗韘韙韝韞韠韛韡韤韯韱韴韷韸韺頇頊頙頍頎頔頖頜頞頠頣頦"], +["8fe8a1","頫頮頯頰頲頳頵頥頾顄顇顊顑顒顓顖顗顙顚顢顣顥顦顪顬颫颭颮颰颴颷颸颺颻颿飂飅飈飌飡飣飥飦飧飪飳飶餂餇餈餑餕餖餗餚餛餜餟餢餦餧餫餱",4,"餹餺餻餼饀饁饆饇饈饍饎饔饘饙饛饜饞饟饠馛馝馟馦馰馱馲馵"], +["8fe9a1","馹馺馽馿駃駉駓駔駙駚駜駞駧駪駫駬駰駴駵駹駽駾騂騃騄騋騌騐騑騖騞騠騢騣騤騧騭騮騳騵騶騸驇驁驄驊驋驌驎驑驔驖驝骪骬骮骯骲骴骵骶骹骻骾骿髁髃髆髈髎髐髒髕髖髗髛髜髠髤髥髧髩髬髲髳髵髹髺髽髿",4], +["8feaa1","鬄鬅鬈鬉鬋鬌鬍鬎鬐鬒鬖鬙鬛鬜鬠鬦鬫鬭鬳鬴鬵鬷鬹鬺鬽魈魋魌魕魖魗魛魞魡魣魥魦魨魪",4,"魳魵魷魸魹魿鮀鮄鮅鮆鮇鮉鮊鮋鮍鮏鮐鮔鮚鮝鮞鮦鮧鮩鮬鮰鮱鮲鮷鮸鮻鮼鮾鮿鯁鯇鯈鯎鯐鯗鯘鯝鯟鯥鯧鯪鯫鯯鯳鯷鯸"], +["8feba1","鯹鯺鯽鯿鰀鰂鰋鰏鰑鰖鰘鰙鰚鰜鰞鰢鰣鰦",4,"鰱鰵鰶鰷鰽鱁鱃鱄鱅鱉鱊鱎鱏鱐鱓鱔鱖鱘鱛鱝鱞鱟鱣鱩鱪鱜鱫鱨鱮鱰鱲鱵鱷鱻鳦鳲鳷鳹鴋鴂鴑鴗鴘鴜鴝鴞鴯鴰鴲鴳鴴鴺鴼鵅鴽鵂鵃鵇鵊鵓鵔鵟鵣鵢鵥鵩鵪鵫鵰鵶鵷鵻"], +["8feca1","鵼鵾鶃鶄鶆鶊鶍鶎鶒鶓鶕鶖鶗鶘鶡鶪鶬鶮鶱鶵鶹鶼鶿鷃鷇鷉鷊鷔鷕鷖鷗鷚鷞鷟鷠鷥鷧鷩鷫鷮鷰鷳鷴鷾鸊鸂鸇鸎鸐鸑鸒鸕鸖鸙鸜鸝鹺鹻鹼麀麂麃麄麅麇麎麏麖麘麛麞麤麨麬麮麯麰麳麴麵黆黈黋黕黟黤黧黬黭黮黰黱黲黵"], +["8feda1","黸黿鼂鼃鼉鼏鼐鼑鼒鼔鼖鼗鼙鼚鼛鼟鼢鼦鼪鼫鼯鼱鼲鼴鼷鼹鼺鼼鼽鼿齁齃",4,"齓齕齖齗齘齚齝齞齨齩齭",4,"齳齵齺齽龏龐龑龒龔龖龗龞龡龢龣龥"] +] diff --git a/node_modules/express/node_modules/iconv-lite/encodings/tables/gb18030-ranges.json b/node_modules/express/node_modules/iconv-lite/encodings/tables/gb18030-ranges.json new file mode 100644 index 0000000..85c6934 --- /dev/null +++ b/node_modules/express/node_modules/iconv-lite/encodings/tables/gb18030-ranges.json @@ -0,0 +1 @@ +{"uChars":[128,165,169,178,184,216,226,235,238,244,248,251,253,258,276,284,300,325,329,334,364,463,465,467,469,471,473,475,477,506,594,610,712,716,730,930,938,962,970,1026,1104,1106,8209,8215,8218,8222,8231,8241,8244,8246,8252,8365,8452,8454,8458,8471,8482,8556,8570,8596,8602,8713,8720,8722,8726,8731,8737,8740,8742,8748,8751,8760,8766,8777,8781,8787,8802,8808,8816,8854,8858,8870,8896,8979,9322,9372,9548,9588,9616,9622,9634,9652,9662,9672,9676,9680,9702,9735,9738,9793,9795,11906,11909,11913,11917,11928,11944,11947,11951,11956,11960,11964,11979,12284,12292,12312,12319,12330,12351,12436,12447,12535,12543,12586,12842,12850,12964,13200,13215,13218,13253,13263,13267,13270,13384,13428,13727,13839,13851,14617,14703,14801,14816,14964,15183,15471,15585,16471,16736,17208,17325,17330,17374,17623,17997,18018,18212,18218,18301,18318,18760,18811,18814,18820,18823,18844,18848,18872,19576,19620,19738,19887,40870,59244,59336,59367,59413,59417,59423,59431,59437,59443,59452,59460,59478,59493,63789,63866,63894,63976,63986,64016,64018,64021,64025,64034,64037,64042,65074,65093,65107,65112,65127,65132,65375,65510,65536],"gbChars":[0,36,38,45,50,81,89,95,96,100,103,104,105,109,126,133,148,172,175,179,208,306,307,308,309,310,311,312,313,341,428,443,544,545,558,741,742,749,750,805,819,820,7922,7924,7925,7927,7934,7943,7944,7945,7950,8062,8148,8149,8152,8164,8174,8236,8240,8262,8264,8374,8380,8381,8384,8388,8390,8392,8393,8394,8396,8401,8406,8416,8419,8424,8437,8439,8445,8482,8485,8496,8521,8603,8936,8946,9046,9050,9063,9066,9076,9092,9100,9108,9111,9113,9131,9162,9164,9218,9219,11329,11331,11334,11336,11346,11361,11363,11366,11370,11372,11375,11389,11682,11686,11687,11692,11694,11714,11716,11723,11725,11730,11736,11982,11989,12102,12336,12348,12350,12384,12393,12395,12397,12510,12553,12851,12962,12973,13738,13823,13919,13933,14080,14298,14585,14698,15583,15847,16318,16434,16438,16481,16729,17102,17122,17315,17320,17402,17418,17859,17909,17911,17915,17916,17936,17939,17961,18664,18703,18814,18962,19043,33469,33470,33471,33484,33485,33490,33497,33501,33505,33513,33520,33536,33550,37845,37921,37948,38029,38038,38064,38065,38066,38069,38075,38076,38078,39108,39109,39113,39114,39115,39116,39265,39394,189000]} \ No newline at end of file diff --git a/node_modules/express/node_modules/iconv-lite/encodings/tables/gbk-added.json b/node_modules/express/node_modules/iconv-lite/encodings/tables/gbk-added.json new file mode 100644 index 0000000..8abfa9f --- /dev/null +++ b/node_modules/express/node_modules/iconv-lite/encodings/tables/gbk-added.json @@ -0,0 +1,55 @@ +[ +["a140","",62], +["a180","",32], +["a240","",62], +["a280","",32], +["a2ab","",5], +["a2e3","€"], +["a2ef",""], +["a2fd",""], +["a340","",62], +["a380","",31," "], +["a440","",62], +["a480","",32], +["a4f4","",10], +["a540","",62], +["a580","",32], +["a5f7","",7], +["a640","",62], +["a680","",32], +["a6b9","",7], +["a6d9","",6], +["a6ec",""], +["a6f3",""], +["a6f6","",8], +["a740","",62], +["a780","",32], +["a7c2","",14], +["a7f2","",12], +["a896","",10], +["a8bc",""], +["a8bf","ǹ"], +["a8c1",""], +["a8ea","",20], +["a958",""], +["a95b",""], +["a95d",""], +["a989","〾⿰",11], +["a997","",12], +["a9f0","",14], +["aaa1","",93], +["aba1","",93], +["aca1","",93], +["ada1","",93], +["aea1","",93], +["afa1","",93], +["d7fa","",4], +["f8a1","",93], +["f9a1","",93], +["faa1","",93], +["fba1","",93], +["fca1","",93], +["fda1","",93], +["fe50","⺁⺄㑳㑇⺈⺋㖞㘚㘎⺌⺗㥮㤘㧏㧟㩳㧐㭎㱮㳠⺧⺪䁖䅟⺮䌷⺳⺶⺷䎱䎬⺻䏝䓖䙡䙌"], +["fe80","䜣䜩䝼䞍⻊䥇䥺䥽䦂䦃䦅䦆䦟䦛䦷䦶䲣䲟䲠䲡䱷䲢䴓",6,"䶮",93] +] diff --git a/node_modules/express/node_modules/iconv-lite/encodings/tables/shiftjis.json b/node_modules/express/node_modules/iconv-lite/encodings/tables/shiftjis.json new file mode 100644 index 0000000..5a3a43c --- /dev/null +++ b/node_modules/express/node_modules/iconv-lite/encodings/tables/shiftjis.json @@ -0,0 +1,125 @@ +[ +["0","\u0000",128], +["a1","。",62], +["8140"," 、。,.・:;?!゛゜´`¨^ ̄_ヽヾゝゞ〃仝々〆〇ー―‐/\~∥|…‥‘’“”()〔〕[]{}〈",9,"+-±×"], +["8180","÷=≠<>≦≧∞∴♂♀°′″℃¥$¢£%#&*@§☆★○●◎◇◆□■△▲▽▼※〒→←↑↓〓"], +["81b8","∈∋⊆⊇⊂⊃∪∩"], +["81c8","∧∨¬⇒⇔∀∃"], +["81da","∠⊥⌒∂∇≡≒≪≫√∽∝∵∫∬"], +["81f0","ʼn♯♭♪†‡¶"], +["81fc","◯"], +["824f","0",9], +["8260","A",25], +["8281","a",25], +["829f","ぁ",82], +["8340","ァ",62], +["8380","ム",22], +["839f","Α",16,"Σ",6], +["83bf","α",16,"σ",6], +["8440","А",5,"ЁЖ",25], +["8470","а",5,"ёж",7], +["8480","о",17], +["849f","─│┌┐┘└├┬┤┴┼━┃┏┓┛┗┣┳┫┻╋┠┯┨┷┿┝┰┥┸╂"], +["8740","①",19,"Ⅰ",9], +["875f","㍉㌔㌢㍍㌘㌧㌃㌶㍑㍗㌍㌦㌣㌫㍊㌻㎜㎝㎞㎎㎏㏄㎡"], +["877e","㍻"], +["8780","〝〟№㏍℡㊤",4,"㈱㈲㈹㍾㍽㍼≒≡∫∮∑√⊥∠∟⊿∵∩∪"], +["889f","亜唖娃阿哀愛挨姶逢葵茜穐悪握渥旭葦芦鯵梓圧斡扱宛姐虻飴絢綾鮎或粟袷安庵按暗案闇鞍杏以伊位依偉囲夷委威尉惟意慰易椅為畏異移維緯胃萎衣謂違遺医井亥域育郁磯一壱溢逸稲茨芋鰯允印咽員因姻引飲淫胤蔭"], +["8940","院陰隠韻吋右宇烏羽迂雨卯鵜窺丑碓臼渦嘘唄欝蔚鰻姥厩浦瓜閏噂云運雲荏餌叡営嬰影映曳栄永泳洩瑛盈穎頴英衛詠鋭液疫益駅悦謁越閲榎厭円"], +["8980","園堰奄宴延怨掩援沿演炎焔煙燕猿縁艶苑薗遠鉛鴛塩於汚甥凹央奥往応押旺横欧殴王翁襖鴬鴎黄岡沖荻億屋憶臆桶牡乙俺卸恩温穏音下化仮何伽価佳加可嘉夏嫁家寡科暇果架歌河火珂禍禾稼箇花苛茄荷華菓蝦課嘩貨迦過霞蚊俄峨我牙画臥芽蛾賀雅餓駕介会解回塊壊廻快怪悔恢懐戒拐改"], +["8a40","魁晦械海灰界皆絵芥蟹開階貝凱劾外咳害崖慨概涯碍蓋街該鎧骸浬馨蛙垣柿蛎鈎劃嚇各廓拡撹格核殻獲確穫覚角赫較郭閣隔革学岳楽額顎掛笠樫"], +["8a80","橿梶鰍潟割喝恰括活渇滑葛褐轄且鰹叶椛樺鞄株兜竃蒲釜鎌噛鴨栢茅萱粥刈苅瓦乾侃冠寒刊勘勧巻喚堪姦完官寛干幹患感慣憾換敢柑桓棺款歓汗漢澗潅環甘監看竿管簡緩缶翰肝艦莞観諌貫還鑑間閑関陥韓館舘丸含岸巌玩癌眼岩翫贋雁頑顔願企伎危喜器基奇嬉寄岐希幾忌揮机旗既期棋棄"], +["8b40","機帰毅気汽畿祈季稀紀徽規記貴起軌輝飢騎鬼亀偽儀妓宜戯技擬欺犠疑祇義蟻誼議掬菊鞠吉吃喫桔橘詰砧杵黍却客脚虐逆丘久仇休及吸宮弓急救"], +["8b80","朽求汲泣灸球究窮笈級糾給旧牛去居巨拒拠挙渠虚許距鋸漁禦魚亨享京供侠僑兇競共凶協匡卿叫喬境峡強彊怯恐恭挟教橋況狂狭矯胸脅興蕎郷鏡響饗驚仰凝尭暁業局曲極玉桐粁僅勤均巾錦斤欣欽琴禁禽筋緊芹菌衿襟謹近金吟銀九倶句区狗玖矩苦躯駆駈駒具愚虞喰空偶寓遇隅串櫛釧屑屈"], +["8c40","掘窟沓靴轡窪熊隈粂栗繰桑鍬勲君薫訓群軍郡卦袈祁係傾刑兄啓圭珪型契形径恵慶慧憩掲携敬景桂渓畦稽系経継繋罫茎荊蛍計詣警軽頚鶏芸迎鯨"], +["8c80","劇戟撃激隙桁傑欠決潔穴結血訣月件倹倦健兼券剣喧圏堅嫌建憲懸拳捲検権牽犬献研硯絹県肩見謙賢軒遣鍵険顕験鹸元原厳幻弦減源玄現絃舷言諺限乎個古呼固姑孤己庫弧戸故枯湖狐糊袴股胡菰虎誇跨鈷雇顧鼓五互伍午呉吾娯後御悟梧檎瑚碁語誤護醐乞鯉交佼侯候倖光公功効勾厚口向"], +["8d40","后喉坑垢好孔孝宏工巧巷幸広庚康弘恒慌抗拘控攻昂晃更杭校梗構江洪浩港溝甲皇硬稿糠紅紘絞綱耕考肯肱腔膏航荒行衡講貢購郊酵鉱砿鋼閤降"], +["8d80","項香高鴻剛劫号合壕拷濠豪轟麹克刻告国穀酷鵠黒獄漉腰甑忽惚骨狛込此頃今困坤墾婚恨懇昏昆根梱混痕紺艮魂些佐叉唆嵯左差査沙瑳砂詐鎖裟坐座挫債催再最哉塞妻宰彩才採栽歳済災采犀砕砦祭斎細菜裁載際剤在材罪財冴坂阪堺榊肴咲崎埼碕鷺作削咋搾昨朔柵窄策索錯桜鮭笹匙冊刷"], +["8e40","察拶撮擦札殺薩雑皐鯖捌錆鮫皿晒三傘参山惨撒散桟燦珊産算纂蚕讃賛酸餐斬暫残仕仔伺使刺司史嗣四士始姉姿子屍市師志思指支孜斯施旨枝止"], +["8e80","死氏獅祉私糸紙紫肢脂至視詞詩試誌諮資賜雌飼歯事似侍児字寺慈持時次滋治爾璽痔磁示而耳自蒔辞汐鹿式識鴫竺軸宍雫七叱執失嫉室悉湿漆疾質実蔀篠偲柴芝屡蕊縞舎写射捨赦斜煮社紗者謝車遮蛇邪借勺尺杓灼爵酌釈錫若寂弱惹主取守手朱殊狩珠種腫趣酒首儒受呪寿授樹綬需囚収周"], +["8f40","宗就州修愁拾洲秀秋終繍習臭舟蒐衆襲讐蹴輯週酋酬集醜什住充十従戎柔汁渋獣縦重銃叔夙宿淑祝縮粛塾熟出術述俊峻春瞬竣舜駿准循旬楯殉淳"], +["8f80","準潤盾純巡遵醇順処初所暑曙渚庶緒署書薯藷諸助叙女序徐恕鋤除傷償勝匠升召哨商唱嘗奨妾娼宵将小少尚庄床廠彰承抄招掌捷昇昌昭晶松梢樟樵沼消渉湘焼焦照症省硝礁祥称章笑粧紹肖菖蒋蕉衝裳訟証詔詳象賞醤鉦鍾鐘障鞘上丈丞乗冗剰城場壌嬢常情擾条杖浄状畳穣蒸譲醸錠嘱埴飾"], +["9040","拭植殖燭織職色触食蝕辱尻伸信侵唇娠寝審心慎振新晋森榛浸深申疹真神秦紳臣芯薪親診身辛進針震人仁刃塵壬尋甚尽腎訊迅陣靭笥諏須酢図厨"], +["9080","逗吹垂帥推水炊睡粋翠衰遂酔錐錘随瑞髄崇嵩数枢趨雛据杉椙菅頗雀裾澄摺寸世瀬畝是凄制勢姓征性成政整星晴棲栖正清牲生盛精聖声製西誠誓請逝醒青静斉税脆隻席惜戚斥昔析石積籍績脊責赤跡蹟碩切拙接摂折設窃節説雪絶舌蝉仙先千占宣専尖川戦扇撰栓栴泉浅洗染潜煎煽旋穿箭線"], +["9140","繊羨腺舛船薦詮賎践選遷銭銑閃鮮前善漸然全禅繕膳糎噌塑岨措曾曽楚狙疏疎礎祖租粗素組蘇訴阻遡鼠僧創双叢倉喪壮奏爽宋層匝惣想捜掃挿掻"], +["9180","操早曹巣槍槽漕燥争痩相窓糟総綜聡草荘葬蒼藻装走送遭鎗霜騒像増憎臓蔵贈造促側則即息捉束測足速俗属賊族続卒袖其揃存孫尊損村遜他多太汰詑唾堕妥惰打柁舵楕陀駄騨体堆対耐岱帯待怠態戴替泰滞胎腿苔袋貸退逮隊黛鯛代台大第醍題鷹滝瀧卓啄宅托択拓沢濯琢託鐸濁諾茸凧蛸只"], +["9240","叩但達辰奪脱巽竪辿棚谷狸鱈樽誰丹単嘆坦担探旦歎淡湛炭短端箪綻耽胆蛋誕鍛団壇弾断暖檀段男談値知地弛恥智池痴稚置致蜘遅馳築畜竹筑蓄"], +["9280","逐秩窒茶嫡着中仲宙忠抽昼柱注虫衷註酎鋳駐樗瀦猪苧著貯丁兆凋喋寵帖帳庁弔張彫徴懲挑暢朝潮牒町眺聴脹腸蝶調諜超跳銚長頂鳥勅捗直朕沈珍賃鎮陳津墜椎槌追鎚痛通塚栂掴槻佃漬柘辻蔦綴鍔椿潰坪壷嬬紬爪吊釣鶴亭低停偵剃貞呈堤定帝底庭廷弟悌抵挺提梯汀碇禎程締艇訂諦蹄逓"], +["9340","邸鄭釘鼎泥摘擢敵滴的笛適鏑溺哲徹撤轍迭鉄典填天展店添纏甜貼転顛点伝殿澱田電兎吐堵塗妬屠徒斗杜渡登菟賭途都鍍砥砺努度土奴怒倒党冬"], +["9380","凍刀唐塔塘套宕島嶋悼投搭東桃梼棟盗淘湯涛灯燈当痘祷等答筒糖統到董蕩藤討謄豆踏逃透鐙陶頭騰闘働動同堂導憧撞洞瞳童胴萄道銅峠鴇匿得徳涜特督禿篤毒独読栃橡凸突椴届鳶苫寅酉瀞噸屯惇敦沌豚遁頓呑曇鈍奈那内乍凪薙謎灘捺鍋楢馴縄畷南楠軟難汝二尼弐迩匂賑肉虹廿日乳入"], +["9440","如尿韮任妊忍認濡禰祢寧葱猫熱年念捻撚燃粘乃廼之埜嚢悩濃納能脳膿農覗蚤巴把播覇杷波派琶破婆罵芭馬俳廃拝排敗杯盃牌背肺輩配倍培媒梅"], +["9480","楳煤狽買売賠陪這蝿秤矧萩伯剥博拍柏泊白箔粕舶薄迫曝漠爆縛莫駁麦函箱硲箸肇筈櫨幡肌畑畠八鉢溌発醗髪伐罰抜筏閥鳩噺塙蛤隼伴判半反叛帆搬斑板氾汎版犯班畔繁般藩販範釆煩頒飯挽晩番盤磐蕃蛮匪卑否妃庇彼悲扉批披斐比泌疲皮碑秘緋罷肥被誹費避非飛樋簸備尾微枇毘琵眉美"], +["9540","鼻柊稗匹疋髭彦膝菱肘弼必畢筆逼桧姫媛紐百謬俵彪標氷漂瓢票表評豹廟描病秒苗錨鋲蒜蛭鰭品彬斌浜瀕貧賓頻敏瓶不付埠夫婦富冨布府怖扶敷"], +["9580","斧普浮父符腐膚芙譜負賦赴阜附侮撫武舞葡蕪部封楓風葺蕗伏副復幅服福腹複覆淵弗払沸仏物鮒分吻噴墳憤扮焚奮粉糞紛雰文聞丙併兵塀幣平弊柄並蔽閉陛米頁僻壁癖碧別瞥蔑箆偏変片篇編辺返遍便勉娩弁鞭保舗鋪圃捕歩甫補輔穂募墓慕戊暮母簿菩倣俸包呆報奉宝峰峯崩庖抱捧放方朋"], +["9640","法泡烹砲縫胞芳萌蓬蜂褒訪豊邦鋒飽鳳鵬乏亡傍剖坊妨帽忘忙房暴望某棒冒紡肪膨謀貌貿鉾防吠頬北僕卜墨撲朴牧睦穆釦勃没殆堀幌奔本翻凡盆"], +["9680","摩磨魔麻埋妹昧枚毎哩槙幕膜枕鮪柾鱒桝亦俣又抹末沫迄侭繭麿万慢満漫蔓味未魅巳箕岬密蜜湊蓑稔脈妙粍民眠務夢無牟矛霧鵡椋婿娘冥名命明盟迷銘鳴姪牝滅免棉綿緬面麺摸模茂妄孟毛猛盲網耗蒙儲木黙目杢勿餅尤戻籾貰問悶紋門匁也冶夜爺耶野弥矢厄役約薬訳躍靖柳薮鑓愉愈油癒"], +["9740","諭輸唯佑優勇友宥幽悠憂揖有柚湧涌猶猷由祐裕誘遊邑郵雄融夕予余与誉輿預傭幼妖容庸揚揺擁曜楊様洋溶熔用窯羊耀葉蓉要謡踊遥陽養慾抑欲"], +["9780","沃浴翌翼淀羅螺裸来莱頼雷洛絡落酪乱卵嵐欄濫藍蘭覧利吏履李梨理璃痢裏裡里離陸律率立葎掠略劉流溜琉留硫粒隆竜龍侶慮旅虜了亮僚両凌寮料梁涼猟療瞭稜糧良諒遼量陵領力緑倫厘林淋燐琳臨輪隣鱗麟瑠塁涙累類令伶例冷励嶺怜玲礼苓鈴隷零霊麗齢暦歴列劣烈裂廉恋憐漣煉簾練聯"], +["9840","蓮連錬呂魯櫓炉賂路露労婁廊弄朗楼榔浪漏牢狼篭老聾蝋郎六麓禄肋録論倭和話歪賄脇惑枠鷲亙亘鰐詫藁蕨椀湾碗腕"], +["989f","弌丐丕个丱丶丼丿乂乖乘亂亅豫亊舒弍于亞亟亠亢亰亳亶从仍仄仆仂仗仞仭仟价伉佚估佛佝佗佇佶侈侏侘佻佩佰侑佯來侖儘俔俟俎俘俛俑俚俐俤俥倚倨倔倪倥倅伜俶倡倩倬俾俯們倆偃假會偕偐偈做偖偬偸傀傚傅傴傲"], +["9940","僉僊傳僂僖僞僥僭僣僮價僵儉儁儂儖儕儔儚儡儺儷儼儻儿兀兒兌兔兢竸兩兪兮冀冂囘册冉冏冑冓冕冖冤冦冢冩冪冫决冱冲冰况冽凅凉凛几處凩凭"], +["9980","凰凵凾刄刋刔刎刧刪刮刳刹剏剄剋剌剞剔剪剴剩剳剿剽劍劔劒剱劈劑辨辧劬劭劼劵勁勍勗勞勣勦飭勠勳勵勸勹匆匈甸匍匐匏匕匚匣匯匱匳匸區卆卅丗卉卍凖卞卩卮夘卻卷厂厖厠厦厥厮厰厶參簒雙叟曼燮叮叨叭叺吁吽呀听吭吼吮吶吩吝呎咏呵咎呟呱呷呰咒呻咀呶咄咐咆哇咢咸咥咬哄哈咨"], +["9a40","咫哂咤咾咼哘哥哦唏唔哽哮哭哺哢唹啀啣啌售啜啅啖啗唸唳啝喙喀咯喊喟啻啾喘喞單啼喃喩喇喨嗚嗅嗟嗄嗜嗤嗔嘔嗷嘖嗾嗽嘛嗹噎噐營嘴嘶嘲嘸"], +["9a80","噫噤嘯噬噪嚆嚀嚊嚠嚔嚏嚥嚮嚶嚴囂嚼囁囃囀囈囎囑囓囗囮囹圀囿圄圉圈國圍圓團圖嗇圜圦圷圸坎圻址坏坩埀垈坡坿垉垓垠垳垤垪垰埃埆埔埒埓堊埖埣堋堙堝塲堡塢塋塰毀塒堽塹墅墹墟墫墺壞墻墸墮壅壓壑壗壙壘壥壜壤壟壯壺壹壻壼壽夂夊夐夛梦夥夬夭夲夸夾竒奕奐奎奚奘奢奠奧奬奩"], +["9b40","奸妁妝佞侫妣妲姆姨姜妍姙姚娥娟娑娜娉娚婀婬婉娵娶婢婪媚媼媾嫋嫂媽嫣嫗嫦嫩嫖嫺嫻嬌嬋嬖嬲嫐嬪嬶嬾孃孅孀孑孕孚孛孥孩孰孳孵學斈孺宀"], +["9b80","它宦宸寃寇寉寔寐寤實寢寞寥寫寰寶寳尅將專對尓尠尢尨尸尹屁屆屎屓屐屏孱屬屮乢屶屹岌岑岔妛岫岻岶岼岷峅岾峇峙峩峽峺峭嶌峪崋崕崗嵜崟崛崑崔崢崚崙崘嵌嵒嵎嵋嵬嵳嵶嶇嶄嶂嶢嶝嶬嶮嶽嶐嶷嶼巉巍巓巒巖巛巫已巵帋帚帙帑帛帶帷幄幃幀幎幗幔幟幢幤幇幵并幺麼广庠廁廂廈廐廏"], +["9c40","廖廣廝廚廛廢廡廨廩廬廱廳廰廴廸廾弃弉彝彜弋弑弖弩弭弸彁彈彌彎弯彑彖彗彙彡彭彳彷徃徂彿徊很徑徇從徙徘徠徨徭徼忖忻忤忸忱忝悳忿怡恠"], +["9c80","怙怐怩怎怱怛怕怫怦怏怺恚恁恪恷恟恊恆恍恣恃恤恂恬恫恙悁悍惧悃悚悄悛悖悗悒悧悋惡悸惠惓悴忰悽惆悵惘慍愕愆惶惷愀惴惺愃愡惻惱愍愎慇愾愨愧慊愿愼愬愴愽慂慄慳慷慘慙慚慫慴慯慥慱慟慝慓慵憙憖憇憬憔憚憊憑憫憮懌懊應懷懈懃懆憺懋罹懍懦懣懶懺懴懿懽懼懾戀戈戉戍戌戔戛"], +["9d40","戞戡截戮戰戲戳扁扎扞扣扛扠扨扼抂抉找抒抓抖拔抃抔拗拑抻拏拿拆擔拈拜拌拊拂拇抛拉挌拮拱挧挂挈拯拵捐挾捍搜捏掖掎掀掫捶掣掏掉掟掵捫"], +["9d80","捩掾揩揀揆揣揉插揶揄搖搴搆搓搦搶攝搗搨搏摧摯摶摎攪撕撓撥撩撈撼據擒擅擇撻擘擂擱擧舉擠擡抬擣擯攬擶擴擲擺攀擽攘攜攅攤攣攫攴攵攷收攸畋效敖敕敍敘敞敝敲數斂斃變斛斟斫斷旃旆旁旄旌旒旛旙无旡旱杲昊昃旻杳昵昶昴昜晏晄晉晁晞晝晤晧晨晟晢晰暃暈暎暉暄暘暝曁暹曉暾暼"], +["9e40","曄暸曖曚曠昿曦曩曰曵曷朏朖朞朦朧霸朮朿朶杁朸朷杆杞杠杙杣杤枉杰枩杼杪枌枋枦枡枅枷柯枴柬枳柩枸柤柞柝柢柮枹柎柆柧檜栞框栩桀桍栲桎"], +["9e80","梳栫桙档桷桿梟梏梭梔條梛梃檮梹桴梵梠梺椏梍桾椁棊椈棘椢椦棡椌棍棔棧棕椶椒椄棗棣椥棹棠棯椨椪椚椣椡棆楹楷楜楸楫楔楾楮椹楴椽楙椰楡楞楝榁楪榲榮槐榿槁槓榾槎寨槊槝榻槃榧樮榑榠榜榕榴槞槨樂樛槿權槹槲槧樅榱樞槭樔槫樊樒櫁樣樓橄樌橲樶橸橇橢橙橦橈樸樢檐檍檠檄檢檣"], +["9f40","檗蘗檻櫃櫂檸檳檬櫞櫑櫟檪櫚櫪櫻欅蘖櫺欒欖鬱欟欸欷盜欹飮歇歃歉歐歙歔歛歟歡歸歹歿殀殄殃殍殘殕殞殤殪殫殯殲殱殳殷殼毆毋毓毟毬毫毳毯"], +["9f80","麾氈氓气氛氤氣汞汕汢汪沂沍沚沁沛汾汨汳沒沐泄泱泓沽泗泅泝沮沱沾沺泛泯泙泪洟衍洶洫洽洸洙洵洳洒洌浣涓浤浚浹浙涎涕濤涅淹渕渊涵淇淦涸淆淬淞淌淨淒淅淺淙淤淕淪淮渭湮渮渙湲湟渾渣湫渫湶湍渟湃渺湎渤滿渝游溂溪溘滉溷滓溽溯滄溲滔滕溏溥滂溟潁漑灌滬滸滾漿滲漱滯漲滌"], +["e040","漾漓滷澆潺潸澁澀潯潛濳潭澂潼潘澎澑濂潦澳澣澡澤澹濆澪濟濕濬濔濘濱濮濛瀉瀋濺瀑瀁瀏濾瀛瀚潴瀝瀘瀟瀰瀾瀲灑灣炙炒炯烱炬炸炳炮烟烋烝"], +["e080","烙焉烽焜焙煥煕熈煦煢煌煖煬熏燻熄熕熨熬燗熹熾燒燉燔燎燠燬燧燵燼燹燿爍爐爛爨爭爬爰爲爻爼爿牀牆牋牘牴牾犂犁犇犒犖犢犧犹犲狃狆狄狎狒狢狠狡狹狷倏猗猊猜猖猝猴猯猩猥猾獎獏默獗獪獨獰獸獵獻獺珈玳珎玻珀珥珮珞璢琅瑯琥珸琲琺瑕琿瑟瑙瑁瑜瑩瑰瑣瑪瑶瑾璋璞璧瓊瓏瓔珱"], +["e140","瓠瓣瓧瓩瓮瓲瓰瓱瓸瓷甄甃甅甌甎甍甕甓甞甦甬甼畄畍畊畉畛畆畚畩畤畧畫畭畸當疆疇畴疊疉疂疔疚疝疥疣痂疳痃疵疽疸疼疱痍痊痒痙痣痞痾痿"], +["e180","痼瘁痰痺痲痳瘋瘍瘉瘟瘧瘠瘡瘢瘤瘴瘰瘻癇癈癆癜癘癡癢癨癩癪癧癬癰癲癶癸發皀皃皈皋皎皖皓皙皚皰皴皸皹皺盂盍盖盒盞盡盥盧盪蘯盻眈眇眄眩眤眞眥眦眛眷眸睇睚睨睫睛睥睿睾睹瞎瞋瞑瞠瞞瞰瞶瞹瞿瞼瞽瞻矇矍矗矚矜矣矮矼砌砒礦砠礪硅碎硴碆硼碚碌碣碵碪碯磑磆磋磔碾碼磅磊磬"], +["e240","磧磚磽磴礇礒礑礙礬礫祀祠祗祟祚祕祓祺祿禊禝禧齋禪禮禳禹禺秉秕秧秬秡秣稈稍稘稙稠稟禀稱稻稾稷穃穗穉穡穢穩龝穰穹穽窈窗窕窘窖窩竈窰"], +["e280","窶竅竄窿邃竇竊竍竏竕竓站竚竝竡竢竦竭竰笂笏笊笆笳笘笙笞笵笨笶筐筺笄筍笋筌筅筵筥筴筧筰筱筬筮箝箘箟箍箜箚箋箒箏筝箙篋篁篌篏箴篆篝篩簑簔篦篥籠簀簇簓篳篷簗簍篶簣簧簪簟簷簫簽籌籃籔籏籀籐籘籟籤籖籥籬籵粃粐粤粭粢粫粡粨粳粲粱粮粹粽糀糅糂糘糒糜糢鬻糯糲糴糶糺紆"], +["e340","紂紜紕紊絅絋紮紲紿紵絆絳絖絎絲絨絮絏絣經綉絛綏絽綛綺綮綣綵緇綽綫總綢綯緜綸綟綰緘緝緤緞緻緲緡縅縊縣縡縒縱縟縉縋縢繆繦縻縵縹繃縷"], +["e380","縲縺繧繝繖繞繙繚繹繪繩繼繻纃緕繽辮繿纈纉續纒纐纓纔纖纎纛纜缸缺罅罌罍罎罐网罕罔罘罟罠罨罩罧罸羂羆羃羈羇羌羔羞羝羚羣羯羲羹羮羶羸譱翅翆翊翕翔翡翦翩翳翹飜耆耄耋耒耘耙耜耡耨耿耻聊聆聒聘聚聟聢聨聳聲聰聶聹聽聿肄肆肅肛肓肚肭冐肬胛胥胙胝胄胚胖脉胯胱脛脩脣脯腋"], +["e440","隋腆脾腓腑胼腱腮腥腦腴膃膈膊膀膂膠膕膤膣腟膓膩膰膵膾膸膽臀臂膺臉臍臑臙臘臈臚臟臠臧臺臻臾舁舂舅與舊舍舐舖舩舫舸舳艀艙艘艝艚艟艤"], +["e480","艢艨艪艫舮艱艷艸艾芍芒芫芟芻芬苡苣苟苒苴苳苺莓范苻苹苞茆苜茉苙茵茴茖茲茱荀茹荐荅茯茫茗茘莅莚莪莟莢莖茣莎莇莊荼莵荳荵莠莉莨菴萓菫菎菽萃菘萋菁菷萇菠菲萍萢萠莽萸蔆菻葭萪萼蕚蒄葷葫蒭葮蒂葩葆萬葯葹萵蓊葢蒹蒿蒟蓙蓍蒻蓚蓐蓁蓆蓖蒡蔡蓿蓴蔗蔘蔬蔟蔕蔔蓼蕀蕣蕘蕈"], +["e540","蕁蘂蕋蕕薀薤薈薑薊薨蕭薔薛藪薇薜蕷蕾薐藉薺藏薹藐藕藝藥藜藹蘊蘓蘋藾藺蘆蘢蘚蘰蘿虍乕虔號虧虱蚓蚣蚩蚪蚋蚌蚶蚯蛄蛆蚰蛉蠣蚫蛔蛞蛩蛬"], +["e580","蛟蛛蛯蜒蜆蜈蜀蜃蛻蜑蜉蜍蛹蜊蜴蜿蜷蜻蜥蜩蜚蝠蝟蝸蝌蝎蝴蝗蝨蝮蝙蝓蝣蝪蠅螢螟螂螯蟋螽蟀蟐雖螫蟄螳蟇蟆螻蟯蟲蟠蠏蠍蟾蟶蟷蠎蟒蠑蠖蠕蠢蠡蠱蠶蠹蠧蠻衄衂衒衙衞衢衫袁衾袞衵衽袵衲袂袗袒袮袙袢袍袤袰袿袱裃裄裔裘裙裝裹褂裼裴裨裲褄褌褊褓襃褞褥褪褫襁襄褻褶褸襌褝襠襞"], +["e640","襦襤襭襪襯襴襷襾覃覈覊覓覘覡覩覦覬覯覲覺覽覿觀觚觜觝觧觴觸訃訖訐訌訛訝訥訶詁詛詒詆詈詼詭詬詢誅誂誄誨誡誑誥誦誚誣諄諍諂諚諫諳諧"], +["e680","諤諱謔諠諢諷諞諛謌謇謚諡謖謐謗謠謳鞫謦謫謾謨譁譌譏譎證譖譛譚譫譟譬譯譴譽讀讌讎讒讓讖讙讚谺豁谿豈豌豎豐豕豢豬豸豺貂貉貅貊貍貎貔豼貘戝貭貪貽貲貳貮貶賈賁賤賣賚賽賺賻贄贅贊贇贏贍贐齎贓賍贔贖赧赭赱赳趁趙跂趾趺跏跚跖跌跛跋跪跫跟跣跼踈踉跿踝踞踐踟蹂踵踰踴蹊"], +["e740","蹇蹉蹌蹐蹈蹙蹤蹠踪蹣蹕蹶蹲蹼躁躇躅躄躋躊躓躑躔躙躪躡躬躰軆躱躾軅軈軋軛軣軼軻軫軾輊輅輕輒輙輓輜輟輛輌輦輳輻輹轅轂輾轌轉轆轎轗轜"], +["e780","轢轣轤辜辟辣辭辯辷迚迥迢迪迯邇迴逅迹迺逑逕逡逍逞逖逋逧逶逵逹迸遏遐遑遒逎遉逾遖遘遞遨遯遶隨遲邂遽邁邀邊邉邏邨邯邱邵郢郤扈郛鄂鄒鄙鄲鄰酊酖酘酣酥酩酳酲醋醉醂醢醫醯醪醵醴醺釀釁釉釋釐釖釟釡釛釼釵釶鈞釿鈔鈬鈕鈑鉞鉗鉅鉉鉤鉈銕鈿鉋鉐銜銖銓銛鉚鋏銹銷鋩錏鋺鍄錮"], +["e840","錙錢錚錣錺錵錻鍜鍠鍼鍮鍖鎰鎬鎭鎔鎹鏖鏗鏨鏥鏘鏃鏝鏐鏈鏤鐚鐔鐓鐃鐇鐐鐶鐫鐵鐡鐺鑁鑒鑄鑛鑠鑢鑞鑪鈩鑰鑵鑷鑽鑚鑼鑾钁鑿閂閇閊閔閖閘閙"], +["e880","閠閨閧閭閼閻閹閾闊濶闃闍闌闕闔闖關闡闥闢阡阨阮阯陂陌陏陋陷陜陞陝陟陦陲陬隍隘隕隗險隧隱隲隰隴隶隸隹雎雋雉雍襍雜霍雕雹霄霆霈霓霎霑霏霖霙霤霪霰霹霽霾靄靆靈靂靉靜靠靤靦靨勒靫靱靹鞅靼鞁靺鞆鞋鞏鞐鞜鞨鞦鞣鞳鞴韃韆韈韋韜韭齏韲竟韶韵頏頌頸頤頡頷頽顆顏顋顫顯顰"], +["e940","顱顴顳颪颯颱颶飄飃飆飩飫餃餉餒餔餘餡餝餞餤餠餬餮餽餾饂饉饅饐饋饑饒饌饕馗馘馥馭馮馼駟駛駝駘駑駭駮駱駲駻駸騁騏騅駢騙騫騷驅驂驀驃"], +["e980","騾驕驍驛驗驟驢驥驤驩驫驪骭骰骼髀髏髑髓體髞髟髢髣髦髯髫髮髴髱髷髻鬆鬘鬚鬟鬢鬣鬥鬧鬨鬩鬪鬮鬯鬲魄魃魏魍魎魑魘魴鮓鮃鮑鮖鮗鮟鮠鮨鮴鯀鯊鮹鯆鯏鯑鯒鯣鯢鯤鯔鯡鰺鯲鯱鯰鰕鰔鰉鰓鰌鰆鰈鰒鰊鰄鰮鰛鰥鰤鰡鰰鱇鰲鱆鰾鱚鱠鱧鱶鱸鳧鳬鳰鴉鴈鳫鴃鴆鴪鴦鶯鴣鴟鵄鴕鴒鵁鴿鴾鵆鵈"], +["ea40","鵝鵞鵤鵑鵐鵙鵲鶉鶇鶫鵯鵺鶚鶤鶩鶲鷄鷁鶻鶸鶺鷆鷏鷂鷙鷓鷸鷦鷭鷯鷽鸚鸛鸞鹵鹹鹽麁麈麋麌麒麕麑麝麥麩麸麪麭靡黌黎黏黐黔黜點黝黠黥黨黯"], +["ea80","黴黶黷黹黻黼黽鼇鼈皷鼕鼡鼬鼾齊齒齔齣齟齠齡齦齧齬齪齷齲齶龕龜龠堯槇遙瑤凜熙"], +["ed40","纊褜鍈銈蓜俉炻昱棈鋹曻彅丨仡仼伀伃伹佖侒侊侚侔俍偀倢俿倞偆偰偂傔僴僘兊兤冝冾凬刕劜劦勀勛匀匇匤卲厓厲叝﨎咜咊咩哿喆坙坥垬埈埇﨏"], +["ed80","塚增墲夋奓奛奝奣妤妺孖寀甯寘寬尞岦岺峵崧嵓﨑嵂嵭嶸嶹巐弡弴彧德忞恝悅悊惞惕愠惲愑愷愰憘戓抦揵摠撝擎敎昀昕昻昉昮昞昤晥晗晙晴晳暙暠暲暿曺朎朗杦枻桒柀栁桄棏﨓楨﨔榘槢樰橫橆橳橾櫢櫤毖氿汜沆汯泚洄涇浯涖涬淏淸淲淼渹湜渧渼溿澈澵濵瀅瀇瀨炅炫焏焄煜煆煇凞燁燾犱"], +["ee40","犾猤猪獷玽珉珖珣珒琇珵琦琪琩琮瑢璉璟甁畯皂皜皞皛皦益睆劯砡硎硤硺礰礼神祥禔福禛竑竧靖竫箞精絈絜綷綠緖繒罇羡羽茁荢荿菇菶葈蒴蕓蕙"], +["ee80","蕫﨟薰蘒﨡蠇裵訒訷詹誧誾諟諸諶譓譿賰賴贒赶﨣軏﨤逸遧郞都鄕鄧釚釗釞釭釮釤釥鈆鈐鈊鈺鉀鈼鉎鉙鉑鈹鉧銧鉷鉸鋧鋗鋙鋐﨧鋕鋠鋓錥錡鋻﨨錞鋿錝錂鍰鍗鎤鏆鏞鏸鐱鑅鑈閒隆﨩隝隯霳霻靃靍靏靑靕顗顥飯飼餧館馞驎髙髜魵魲鮏鮱鮻鰀鵰鵫鶴鸙黑"], +["eeef","ⅰ",9,"¬¦'""], +["f040","",62], +["f080","",124], +["f140","",62], +["f180","",124], +["f240","",62], +["f280","",124], +["f340","",62], +["f380","",124], +["f440","",62], +["f480","",124], +["f540","",62], +["f580","",124], +["f640","",62], +["f680","",124], +["f740","",62], +["f780","",124], +["f840","",62], +["f880","",124], +["f940",""], +["fa40","ⅰ",9,"Ⅰ",9,"¬¦'"㈱№℡∵纊褜鍈銈蓜俉炻昱棈鋹曻彅丨仡仼伀伃伹佖侒侊侚侔俍偀倢俿倞偆偰偂傔僴僘兊"], +["fa80","兤冝冾凬刕劜劦勀勛匀匇匤卲厓厲叝﨎咜咊咩哿喆坙坥垬埈埇﨏塚增墲夋奓奛奝奣妤妺孖寀甯寘寬尞岦岺峵崧嵓﨑嵂嵭嶸嶹巐弡弴彧德忞恝悅悊惞惕愠惲愑愷愰憘戓抦揵摠撝擎敎昀昕昻昉昮昞昤晥晗晙晴晳暙暠暲暿曺朎朗杦枻桒柀栁桄棏﨓楨﨔榘槢樰橫橆橳橾櫢櫤毖氿汜沆汯泚洄涇浯"], +["fb40","涖涬淏淸淲淼渹湜渧渼溿澈澵濵瀅瀇瀨炅炫焏焄煜煆煇凞燁燾犱犾猤猪獷玽珉珖珣珒琇珵琦琪琩琮瑢璉璟甁畯皂皜皞皛皦益睆劯砡硎硤硺礰礼神"], +["fb80","祥禔福禛竑竧靖竫箞精絈絜綷綠緖繒罇羡羽茁荢荿菇菶葈蒴蕓蕙蕫﨟薰蘒﨡蠇裵訒訷詹誧誾諟諸諶譓譿賰賴贒赶﨣軏﨤逸遧郞都鄕鄧釚釗釞釭釮釤釥鈆鈐鈊鈺鉀鈼鉎鉙鉑鈹鉧銧鉷鉸鋧鋗鋙鋐﨧鋕鋠鋓錥錡鋻﨨錞鋿錝錂鍰鍗鎤鏆鏞鏸鐱鑅鑈閒隆﨩隝隯霳霻靃靍靏靑靕顗顥飯飼餧館馞驎髙"], +["fc40","髜魵魲鮏鮱鮻鰀鵰鵫鶴鸙黑"] +] diff --git a/node_modules/express/node_modules/iconv-lite/encodings/utf16.js b/node_modules/express/node_modules/iconv-lite/encodings/utf16.js new file mode 100644 index 0000000..54765ae --- /dev/null +++ b/node_modules/express/node_modules/iconv-lite/encodings/utf16.js @@ -0,0 +1,177 @@ +"use strict"; +var Buffer = require("safer-buffer").Buffer; + +// Note: UTF16-LE (or UCS2) codec is Node.js native. See encodings/internal.js + +// == UTF16-BE codec. ========================================================== + +exports.utf16be = Utf16BECodec; +function Utf16BECodec() { +} + +Utf16BECodec.prototype.encoder = Utf16BEEncoder; +Utf16BECodec.prototype.decoder = Utf16BEDecoder; +Utf16BECodec.prototype.bomAware = true; + + +// -- Encoding + +function Utf16BEEncoder() { +} + +Utf16BEEncoder.prototype.write = function(str) { + var buf = Buffer.from(str, 'ucs2'); + for (var i = 0; i < buf.length; i += 2) { + var tmp = buf[i]; buf[i] = buf[i+1]; buf[i+1] = tmp; + } + return buf; +} + +Utf16BEEncoder.prototype.end = function() { +} + + +// -- Decoding + +function Utf16BEDecoder() { + this.overflowByte = -1; +} + +Utf16BEDecoder.prototype.write = function(buf) { + if (buf.length == 0) + return ''; + + var buf2 = Buffer.alloc(buf.length + 1), + i = 0, j = 0; + + if (this.overflowByte !== -1) { + buf2[0] = buf[0]; + buf2[1] = this.overflowByte; + i = 1; j = 2; + } + + for (; i < buf.length-1; i += 2, j+= 2) { + buf2[j] = buf[i+1]; + buf2[j+1] = buf[i]; + } + + this.overflowByte = (i == buf.length-1) ? buf[buf.length-1] : -1; + + return buf2.slice(0, j).toString('ucs2'); +} + +Utf16BEDecoder.prototype.end = function() { +} + + +// == UTF-16 codec ============================================================= +// Decoder chooses automatically from UTF-16LE and UTF-16BE using BOM and space-based heuristic. +// Defaults to UTF-16LE, as it's prevalent and default in Node. +// http://en.wikipedia.org/wiki/UTF-16 and http://encoding.spec.whatwg.org/#utf-16le +// Decoder default can be changed: iconv.decode(buf, 'utf16', {defaultEncoding: 'utf-16be'}); + +// Encoder uses UTF-16LE and prepends BOM (which can be overridden with addBOM: false). + +exports.utf16 = Utf16Codec; +function Utf16Codec(codecOptions, iconv) { + this.iconv = iconv; +} + +Utf16Codec.prototype.encoder = Utf16Encoder; +Utf16Codec.prototype.decoder = Utf16Decoder; + + +// -- Encoding (pass-through) + +function Utf16Encoder(options, codec) { + options = options || {}; + if (options.addBOM === undefined) + options.addBOM = true; + this.encoder = codec.iconv.getEncoder('utf-16le', options); +} + +Utf16Encoder.prototype.write = function(str) { + return this.encoder.write(str); +} + +Utf16Encoder.prototype.end = function() { + return this.encoder.end(); +} + + +// -- Decoding + +function Utf16Decoder(options, codec) { + this.decoder = null; + this.initialBytes = []; + this.initialBytesLen = 0; + + this.options = options || {}; + this.iconv = codec.iconv; +} + +Utf16Decoder.prototype.write = function(buf) { + if (!this.decoder) { + // Codec is not chosen yet. Accumulate initial bytes. + this.initialBytes.push(buf); + this.initialBytesLen += buf.length; + + if (this.initialBytesLen < 16) // We need more bytes to use space heuristic (see below) + return ''; + + // We have enough bytes -> detect endianness. + var buf = Buffer.concat(this.initialBytes), + encoding = detectEncoding(buf, this.options.defaultEncoding); + this.decoder = this.iconv.getDecoder(encoding, this.options); + this.initialBytes.length = this.initialBytesLen = 0; + } + + return this.decoder.write(buf); +} + +Utf16Decoder.prototype.end = function() { + if (!this.decoder) { + var buf = Buffer.concat(this.initialBytes), + encoding = detectEncoding(buf, this.options.defaultEncoding); + this.decoder = this.iconv.getDecoder(encoding, this.options); + + var res = this.decoder.write(buf), + trail = this.decoder.end(); + + return trail ? (res + trail) : res; + } + return this.decoder.end(); +} + +function detectEncoding(buf, defaultEncoding) { + var enc = defaultEncoding || 'utf-16le'; + + if (buf.length >= 2) { + // Check BOM. + if (buf[0] == 0xFE && buf[1] == 0xFF) // UTF-16BE BOM + enc = 'utf-16be'; + else if (buf[0] == 0xFF && buf[1] == 0xFE) // UTF-16LE BOM + enc = 'utf-16le'; + else { + // No BOM found. Try to deduce encoding from initial content. + // Most of the time, the content has ASCII chars (U+00**), but the opposite (U+**00) is uncommon. + // So, we count ASCII as if it was LE or BE, and decide from that. + var asciiCharsLE = 0, asciiCharsBE = 0, // Counts of chars in both positions + _len = Math.min(buf.length - (buf.length % 2), 64); // Len is always even. + + for (var i = 0; i < _len; i += 2) { + if (buf[i] === 0 && buf[i+1] !== 0) asciiCharsBE++; + if (buf[i] !== 0 && buf[i+1] === 0) asciiCharsLE++; + } + + if (asciiCharsBE > asciiCharsLE) + enc = 'utf-16be'; + else if (asciiCharsBE < asciiCharsLE) + enc = 'utf-16le'; + } + } + + return enc; +} + + diff --git a/node_modules/express/node_modules/iconv-lite/encodings/utf7.js b/node_modules/express/node_modules/iconv-lite/encodings/utf7.js new file mode 100644 index 0000000..b7631c2 --- /dev/null +++ b/node_modules/express/node_modules/iconv-lite/encodings/utf7.js @@ -0,0 +1,290 @@ +"use strict"; +var Buffer = require("safer-buffer").Buffer; + +// UTF-7 codec, according to https://tools.ietf.org/html/rfc2152 +// See also below a UTF-7-IMAP codec, according to http://tools.ietf.org/html/rfc3501#section-5.1.3 + +exports.utf7 = Utf7Codec; +exports.unicode11utf7 = 'utf7'; // Alias UNICODE-1-1-UTF-7 +function Utf7Codec(codecOptions, iconv) { + this.iconv = iconv; +}; + +Utf7Codec.prototype.encoder = Utf7Encoder; +Utf7Codec.prototype.decoder = Utf7Decoder; +Utf7Codec.prototype.bomAware = true; + + +// -- Encoding + +var nonDirectChars = /[^A-Za-z0-9'\(\),-\.\/:\? \n\r\t]+/g; + +function Utf7Encoder(options, codec) { + this.iconv = codec.iconv; +} + +Utf7Encoder.prototype.write = function(str) { + // Naive implementation. + // Non-direct chars are encoded as "+-"; single "+" char is encoded as "+-". + return Buffer.from(str.replace(nonDirectChars, function(chunk) { + return "+" + (chunk === '+' ? '' : + this.iconv.encode(chunk, 'utf16-be').toString('base64').replace(/=+$/, '')) + + "-"; + }.bind(this))); +} + +Utf7Encoder.prototype.end = function() { +} + + +// -- Decoding + +function Utf7Decoder(options, codec) { + this.iconv = codec.iconv; + this.inBase64 = false; + this.base64Accum = ''; +} + +var base64Regex = /[A-Za-z0-9\/+]/; +var base64Chars = []; +for (var i = 0; i < 256; i++) + base64Chars[i] = base64Regex.test(String.fromCharCode(i)); + +var plusChar = '+'.charCodeAt(0), + minusChar = '-'.charCodeAt(0), + andChar = '&'.charCodeAt(0); + +Utf7Decoder.prototype.write = function(buf) { + var res = "", lastI = 0, + inBase64 = this.inBase64, + base64Accum = this.base64Accum; + + // The decoder is more involved as we must handle chunks in stream. + + for (var i = 0; i < buf.length; i++) { + if (!inBase64) { // We're in direct mode. + // Write direct chars until '+' + if (buf[i] == plusChar) { + res += this.iconv.decode(buf.slice(lastI, i), "ascii"); // Write direct chars. + lastI = i+1; + inBase64 = true; + } + } else { // We decode base64. + if (!base64Chars[buf[i]]) { // Base64 ended. + if (i == lastI && buf[i] == minusChar) {// "+-" -> "+" + res += "+"; + } else { + var b64str = base64Accum + buf.slice(lastI, i).toString(); + res += this.iconv.decode(Buffer.from(b64str, 'base64'), "utf16-be"); + } + + if (buf[i] != minusChar) // Minus is absorbed after base64. + i--; + + lastI = i+1; + inBase64 = false; + base64Accum = ''; + } + } + } + + if (!inBase64) { + res += this.iconv.decode(buf.slice(lastI), "ascii"); // Write direct chars. + } else { + var b64str = base64Accum + buf.slice(lastI).toString(); + + var canBeDecoded = b64str.length - (b64str.length % 8); // Minimal chunk: 2 quads -> 2x3 bytes -> 3 chars. + base64Accum = b64str.slice(canBeDecoded); // The rest will be decoded in future. + b64str = b64str.slice(0, canBeDecoded); + + res += this.iconv.decode(Buffer.from(b64str, 'base64'), "utf16-be"); + } + + this.inBase64 = inBase64; + this.base64Accum = base64Accum; + + return res; +} + +Utf7Decoder.prototype.end = function() { + var res = ""; + if (this.inBase64 && this.base64Accum.length > 0) + res = this.iconv.decode(Buffer.from(this.base64Accum, 'base64'), "utf16-be"); + + this.inBase64 = false; + this.base64Accum = ''; + return res; +} + + +// UTF-7-IMAP codec. +// RFC3501 Sec. 5.1.3 Modified UTF-7 (http://tools.ietf.org/html/rfc3501#section-5.1.3) +// Differences: +// * Base64 part is started by "&" instead of "+" +// * Direct characters are 0x20-0x7E, except "&" (0x26) +// * In Base64, "," is used instead of "/" +// * Base64 must not be used to represent direct characters. +// * No implicit shift back from Base64 (should always end with '-') +// * String must end in non-shifted position. +// * "-&" while in base64 is not allowed. + + +exports.utf7imap = Utf7IMAPCodec; +function Utf7IMAPCodec(codecOptions, iconv) { + this.iconv = iconv; +}; + +Utf7IMAPCodec.prototype.encoder = Utf7IMAPEncoder; +Utf7IMAPCodec.prototype.decoder = Utf7IMAPDecoder; +Utf7IMAPCodec.prototype.bomAware = true; + + +// -- Encoding + +function Utf7IMAPEncoder(options, codec) { + this.iconv = codec.iconv; + this.inBase64 = false; + this.base64Accum = Buffer.alloc(6); + this.base64AccumIdx = 0; +} + +Utf7IMAPEncoder.prototype.write = function(str) { + var inBase64 = this.inBase64, + base64Accum = this.base64Accum, + base64AccumIdx = this.base64AccumIdx, + buf = Buffer.alloc(str.length*5 + 10), bufIdx = 0; + + for (var i = 0; i < str.length; i++) { + var uChar = str.charCodeAt(i); + if (0x20 <= uChar && uChar <= 0x7E) { // Direct character or '&'. + if (inBase64) { + if (base64AccumIdx > 0) { + bufIdx += buf.write(base64Accum.slice(0, base64AccumIdx).toString('base64').replace(/\//g, ',').replace(/=+$/, ''), bufIdx); + base64AccumIdx = 0; + } + + buf[bufIdx++] = minusChar; // Write '-', then go to direct mode. + inBase64 = false; + } + + if (!inBase64) { + buf[bufIdx++] = uChar; // Write direct character + + if (uChar === andChar) // Ampersand -> '&-' + buf[bufIdx++] = minusChar; + } + + } else { // Non-direct character + if (!inBase64) { + buf[bufIdx++] = andChar; // Write '&', then go to base64 mode. + inBase64 = true; + } + if (inBase64) { + base64Accum[base64AccumIdx++] = uChar >> 8; + base64Accum[base64AccumIdx++] = uChar & 0xFF; + + if (base64AccumIdx == base64Accum.length) { + bufIdx += buf.write(base64Accum.toString('base64').replace(/\//g, ','), bufIdx); + base64AccumIdx = 0; + } + } + } + } + + this.inBase64 = inBase64; + this.base64AccumIdx = base64AccumIdx; + + return buf.slice(0, bufIdx); +} + +Utf7IMAPEncoder.prototype.end = function() { + var buf = Buffer.alloc(10), bufIdx = 0; + if (this.inBase64) { + if (this.base64AccumIdx > 0) { + bufIdx += buf.write(this.base64Accum.slice(0, this.base64AccumIdx).toString('base64').replace(/\//g, ',').replace(/=+$/, ''), bufIdx); + this.base64AccumIdx = 0; + } + + buf[bufIdx++] = minusChar; // Write '-', then go to direct mode. + this.inBase64 = false; + } + + return buf.slice(0, bufIdx); +} + + +// -- Decoding + +function Utf7IMAPDecoder(options, codec) { + this.iconv = codec.iconv; + this.inBase64 = false; + this.base64Accum = ''; +} + +var base64IMAPChars = base64Chars.slice(); +base64IMAPChars[','.charCodeAt(0)] = true; + +Utf7IMAPDecoder.prototype.write = function(buf) { + var res = "", lastI = 0, + inBase64 = this.inBase64, + base64Accum = this.base64Accum; + + // The decoder is more involved as we must handle chunks in stream. + // It is forgiving, closer to standard UTF-7 (for example, '-' is optional at the end). + + for (var i = 0; i < buf.length; i++) { + if (!inBase64) { // We're in direct mode. + // Write direct chars until '&' + if (buf[i] == andChar) { + res += this.iconv.decode(buf.slice(lastI, i), "ascii"); // Write direct chars. + lastI = i+1; + inBase64 = true; + } + } else { // We decode base64. + if (!base64IMAPChars[buf[i]]) { // Base64 ended. + if (i == lastI && buf[i] == minusChar) { // "&-" -> "&" + res += "&"; + } else { + var b64str = base64Accum + buf.slice(lastI, i).toString().replace(/,/g, '/'); + res += this.iconv.decode(Buffer.from(b64str, 'base64'), "utf16-be"); + } + + if (buf[i] != minusChar) // Minus may be absorbed after base64. + i--; + + lastI = i+1; + inBase64 = false; + base64Accum = ''; + } + } + } + + if (!inBase64) { + res += this.iconv.decode(buf.slice(lastI), "ascii"); // Write direct chars. + } else { + var b64str = base64Accum + buf.slice(lastI).toString().replace(/,/g, '/'); + + var canBeDecoded = b64str.length - (b64str.length % 8); // Minimal chunk: 2 quads -> 2x3 bytes -> 3 chars. + base64Accum = b64str.slice(canBeDecoded); // The rest will be decoded in future. + b64str = b64str.slice(0, canBeDecoded); + + res += this.iconv.decode(Buffer.from(b64str, 'base64'), "utf16-be"); + } + + this.inBase64 = inBase64; + this.base64Accum = base64Accum; + + return res; +} + +Utf7IMAPDecoder.prototype.end = function() { + var res = ""; + if (this.inBase64 && this.base64Accum.length > 0) + res = this.iconv.decode(Buffer.from(this.base64Accum, 'base64'), "utf16-be"); + + this.inBase64 = false; + this.base64Accum = ''; + return res; +} + + diff --git a/node_modules/express/node_modules/iconv-lite/lib/bom-handling.js b/node_modules/express/node_modules/iconv-lite/lib/bom-handling.js new file mode 100644 index 0000000..1050872 --- /dev/null +++ b/node_modules/express/node_modules/iconv-lite/lib/bom-handling.js @@ -0,0 +1,52 @@ +"use strict"; + +var BOMChar = '\uFEFF'; + +exports.PrependBOM = PrependBOMWrapper +function PrependBOMWrapper(encoder, options) { + this.encoder = encoder; + this.addBOM = true; +} + +PrependBOMWrapper.prototype.write = function(str) { + if (this.addBOM) { + str = BOMChar + str; + this.addBOM = false; + } + + return this.encoder.write(str); +} + +PrependBOMWrapper.prototype.end = function() { + return this.encoder.end(); +} + + +//------------------------------------------------------------------------------ + +exports.StripBOM = StripBOMWrapper; +function StripBOMWrapper(decoder, options) { + this.decoder = decoder; + this.pass = false; + this.options = options || {}; +} + +StripBOMWrapper.prototype.write = function(buf) { + var res = this.decoder.write(buf); + if (this.pass || !res) + return res; + + if (res[0] === BOMChar) { + res = res.slice(1); + if (typeof this.options.stripBOM === 'function') + this.options.stripBOM(); + } + + this.pass = true; + return res; +} + +StripBOMWrapper.prototype.end = function() { + return this.decoder.end(); +} + diff --git a/node_modules/express/node_modules/iconv-lite/lib/extend-node.js b/node_modules/express/node_modules/iconv-lite/lib/extend-node.js new file mode 100644 index 0000000..87f5394 --- /dev/null +++ b/node_modules/express/node_modules/iconv-lite/lib/extend-node.js @@ -0,0 +1,217 @@ +"use strict"; +var Buffer = require("buffer").Buffer; +// Note: not polyfilled with safer-buffer on a purpose, as overrides Buffer + +// == Extend Node primitives to use iconv-lite ================================= + +module.exports = function (iconv) { + var original = undefined; // Place to keep original methods. + + // Node authors rewrote Buffer internals to make it compatible with + // Uint8Array and we cannot patch key functions since then. + // Note: this does use older Buffer API on a purpose + iconv.supportsNodeEncodingsExtension = !(Buffer.from || new Buffer(0) instanceof Uint8Array); + + iconv.extendNodeEncodings = function extendNodeEncodings() { + if (original) return; + original = {}; + + if (!iconv.supportsNodeEncodingsExtension) { + console.error("ACTION NEEDED: require('iconv-lite').extendNodeEncodings() is not supported in your version of Node"); + console.error("See more info at https://github.com/ashtuchkin/iconv-lite/wiki/Node-v4-compatibility"); + return; + } + + var nodeNativeEncodings = { + 'hex': true, 'utf8': true, 'utf-8': true, 'ascii': true, 'binary': true, + 'base64': true, 'ucs2': true, 'ucs-2': true, 'utf16le': true, 'utf-16le': true, + }; + + Buffer.isNativeEncoding = function(enc) { + return enc && nodeNativeEncodings[enc.toLowerCase()]; + } + + // -- SlowBuffer ----------------------------------------------------------- + var SlowBuffer = require('buffer').SlowBuffer; + + original.SlowBufferToString = SlowBuffer.prototype.toString; + SlowBuffer.prototype.toString = function(encoding, start, end) { + encoding = String(encoding || 'utf8').toLowerCase(); + + // Use native conversion when possible + if (Buffer.isNativeEncoding(encoding)) + return original.SlowBufferToString.call(this, encoding, start, end); + + // Otherwise, use our decoding method. + if (typeof start == 'undefined') start = 0; + if (typeof end == 'undefined') end = this.length; + return iconv.decode(this.slice(start, end), encoding); + } + + original.SlowBufferWrite = SlowBuffer.prototype.write; + SlowBuffer.prototype.write = function(string, offset, length, encoding) { + // Support both (string, offset, length, encoding) + // and the legacy (string, encoding, offset, length) + if (isFinite(offset)) { + if (!isFinite(length)) { + encoding = length; + length = undefined; + } + } else { // legacy + var swap = encoding; + encoding = offset; + offset = length; + length = swap; + } + + offset = +offset || 0; + var remaining = this.length - offset; + if (!length) { + length = remaining; + } else { + length = +length; + if (length > remaining) { + length = remaining; + } + } + encoding = String(encoding || 'utf8').toLowerCase(); + + // Use native conversion when possible + if (Buffer.isNativeEncoding(encoding)) + return original.SlowBufferWrite.call(this, string, offset, length, encoding); + + if (string.length > 0 && (length < 0 || offset < 0)) + throw new RangeError('attempt to write beyond buffer bounds'); + + // Otherwise, use our encoding method. + var buf = iconv.encode(string, encoding); + if (buf.length < length) length = buf.length; + buf.copy(this, offset, 0, length); + return length; + } + + // -- Buffer --------------------------------------------------------------- + + original.BufferIsEncoding = Buffer.isEncoding; + Buffer.isEncoding = function(encoding) { + return Buffer.isNativeEncoding(encoding) || iconv.encodingExists(encoding); + } + + original.BufferByteLength = Buffer.byteLength; + Buffer.byteLength = SlowBuffer.byteLength = function(str, encoding) { + encoding = String(encoding || 'utf8').toLowerCase(); + + // Use native conversion when possible + if (Buffer.isNativeEncoding(encoding)) + return original.BufferByteLength.call(this, str, encoding); + + // Slow, I know, but we don't have a better way yet. + return iconv.encode(str, encoding).length; + } + + original.BufferToString = Buffer.prototype.toString; + Buffer.prototype.toString = function(encoding, start, end) { + encoding = String(encoding || 'utf8').toLowerCase(); + + // Use native conversion when possible + if (Buffer.isNativeEncoding(encoding)) + return original.BufferToString.call(this, encoding, start, end); + + // Otherwise, use our decoding method. + if (typeof start == 'undefined') start = 0; + if (typeof end == 'undefined') end = this.length; + return iconv.decode(this.slice(start, end), encoding); + } + + original.BufferWrite = Buffer.prototype.write; + Buffer.prototype.write = function(string, offset, length, encoding) { + var _offset = offset, _length = length, _encoding = encoding; + // Support both (string, offset, length, encoding) + // and the legacy (string, encoding, offset, length) + if (isFinite(offset)) { + if (!isFinite(length)) { + encoding = length; + length = undefined; + } + } else { // legacy + var swap = encoding; + encoding = offset; + offset = length; + length = swap; + } + + encoding = String(encoding || 'utf8').toLowerCase(); + + // Use native conversion when possible + if (Buffer.isNativeEncoding(encoding)) + return original.BufferWrite.call(this, string, _offset, _length, _encoding); + + offset = +offset || 0; + var remaining = this.length - offset; + if (!length) { + length = remaining; + } else { + length = +length; + if (length > remaining) { + length = remaining; + } + } + + if (string.length > 0 && (length < 0 || offset < 0)) + throw new RangeError('attempt to write beyond buffer bounds'); + + // Otherwise, use our encoding method. + var buf = iconv.encode(string, encoding); + if (buf.length < length) length = buf.length; + buf.copy(this, offset, 0, length); + return length; + + // TODO: Set _charsWritten. + } + + + // -- Readable ------------------------------------------------------------- + if (iconv.supportsStreams) { + var Readable = require('stream').Readable; + + original.ReadableSetEncoding = Readable.prototype.setEncoding; + Readable.prototype.setEncoding = function setEncoding(enc, options) { + // Use our own decoder, it has the same interface. + // We cannot use original function as it doesn't handle BOM-s. + this._readableState.decoder = iconv.getDecoder(enc, options); + this._readableState.encoding = enc; + } + + Readable.prototype.collect = iconv._collect; + } + } + + // Remove iconv-lite Node primitive extensions. + iconv.undoExtendNodeEncodings = function undoExtendNodeEncodings() { + if (!iconv.supportsNodeEncodingsExtension) + return; + if (!original) + throw new Error("require('iconv-lite').undoExtendNodeEncodings(): Nothing to undo; extendNodeEncodings() is not called.") + + delete Buffer.isNativeEncoding; + + var SlowBuffer = require('buffer').SlowBuffer; + + SlowBuffer.prototype.toString = original.SlowBufferToString; + SlowBuffer.prototype.write = original.SlowBufferWrite; + + Buffer.isEncoding = original.BufferIsEncoding; + Buffer.byteLength = original.BufferByteLength; + Buffer.prototype.toString = original.BufferToString; + Buffer.prototype.write = original.BufferWrite; + + if (iconv.supportsStreams) { + var Readable = require('stream').Readable; + + Readable.prototype.setEncoding = original.ReadableSetEncoding; + delete Readable.prototype.collect; + } + + original = undefined; + } +} diff --git a/node_modules/express/node_modules/iconv-lite/lib/index.d.ts b/node_modules/express/node_modules/iconv-lite/lib/index.d.ts new file mode 100644 index 0000000..0547eb3 --- /dev/null +++ b/node_modules/express/node_modules/iconv-lite/lib/index.d.ts @@ -0,0 +1,24 @@ +/*--------------------------------------------------------------------------------------------- + * Copyright (c) Microsoft Corporation. All rights reserved. + * Licensed under the MIT License. + * REQUIREMENT: This definition is dependent on the @types/node definition. + * Install with `npm install @types/node --save-dev` + *--------------------------------------------------------------------------------------------*/ + +declare module 'iconv-lite' { + export function decode(buffer: Buffer, encoding: string, options?: Options): string; + + export function encode(content: string, encoding: string, options?: Options): Buffer; + + export function encodingExists(encoding: string): boolean; + + export function decodeStream(encoding: string, options?: Options): NodeJS.ReadWriteStream; + + export function encodeStream(encoding: string, options?: Options): NodeJS.ReadWriteStream; +} + +export interface Options { + stripBOM?: boolean; + addBOM?: boolean; + defaultEncoding?: string; +} diff --git a/node_modules/express/node_modules/iconv-lite/lib/index.js b/node_modules/express/node_modules/iconv-lite/lib/index.js new file mode 100644 index 0000000..5391919 --- /dev/null +++ b/node_modules/express/node_modules/iconv-lite/lib/index.js @@ -0,0 +1,153 @@ +"use strict"; + +// Some environments don't have global Buffer (e.g. React Native). +// Solution would be installing npm modules "buffer" and "stream" explicitly. +var Buffer = require("safer-buffer").Buffer; + +var bomHandling = require("./bom-handling"), + iconv = module.exports; + +// All codecs and aliases are kept here, keyed by encoding name/alias. +// They are lazy loaded in `iconv.getCodec` from `encodings/index.js`. +iconv.encodings = null; + +// Characters emitted in case of error. +iconv.defaultCharUnicode = '�'; +iconv.defaultCharSingleByte = '?'; + +// Public API. +iconv.encode = function encode(str, encoding, options) { + str = "" + (str || ""); // Ensure string. + + var encoder = iconv.getEncoder(encoding, options); + + var res = encoder.write(str); + var trail = encoder.end(); + + return (trail && trail.length > 0) ? Buffer.concat([res, trail]) : res; +} + +iconv.decode = function decode(buf, encoding, options) { + if (typeof buf === 'string') { + if (!iconv.skipDecodeWarning) { + console.error('Iconv-lite warning: decode()-ing strings is deprecated. Refer to https://github.com/ashtuchkin/iconv-lite/wiki/Use-Buffers-when-decoding'); + iconv.skipDecodeWarning = true; + } + + buf = Buffer.from("" + (buf || ""), "binary"); // Ensure buffer. + } + + var decoder = iconv.getDecoder(encoding, options); + + var res = decoder.write(buf); + var trail = decoder.end(); + + return trail ? (res + trail) : res; +} + +iconv.encodingExists = function encodingExists(enc) { + try { + iconv.getCodec(enc); + return true; + } catch (e) { + return false; + } +} + +// Legacy aliases to convert functions +iconv.toEncoding = iconv.encode; +iconv.fromEncoding = iconv.decode; + +// Search for a codec in iconv.encodings. Cache codec data in iconv._codecDataCache. +iconv._codecDataCache = {}; +iconv.getCodec = function getCodec(encoding) { + if (!iconv.encodings) + iconv.encodings = require("../encodings"); // Lazy load all encoding definitions. + + // Canonicalize encoding name: strip all non-alphanumeric chars and appended year. + var enc = iconv._canonicalizeEncoding(encoding); + + // Traverse iconv.encodings to find actual codec. + var codecOptions = {}; + while (true) { + var codec = iconv._codecDataCache[enc]; + if (codec) + return codec; + + var codecDef = iconv.encodings[enc]; + + switch (typeof codecDef) { + case "string": // Direct alias to other encoding. + enc = codecDef; + break; + + case "object": // Alias with options. Can be layered. + for (var key in codecDef) + codecOptions[key] = codecDef[key]; + + if (!codecOptions.encodingName) + codecOptions.encodingName = enc; + + enc = codecDef.type; + break; + + case "function": // Codec itself. + if (!codecOptions.encodingName) + codecOptions.encodingName = enc; + + // The codec function must load all tables and return object with .encoder and .decoder methods. + // It'll be called only once (for each different options object). + codec = new codecDef(codecOptions, iconv); + + iconv._codecDataCache[codecOptions.encodingName] = codec; // Save it to be reused later. + return codec; + + default: + throw new Error("Encoding not recognized: '" + encoding + "' (searched as: '"+enc+"')"); + } + } +} + +iconv._canonicalizeEncoding = function(encoding) { + // Canonicalize encoding name: strip all non-alphanumeric chars and appended year. + return (''+encoding).toLowerCase().replace(/:\d{4}$|[^0-9a-z]/g, ""); +} + +iconv.getEncoder = function getEncoder(encoding, options) { + var codec = iconv.getCodec(encoding), + encoder = new codec.encoder(options, codec); + + if (codec.bomAware && options && options.addBOM) + encoder = new bomHandling.PrependBOM(encoder, options); + + return encoder; +} + +iconv.getDecoder = function getDecoder(encoding, options) { + var codec = iconv.getCodec(encoding), + decoder = new codec.decoder(options, codec); + + if (codec.bomAware && !(options && options.stripBOM === false)) + decoder = new bomHandling.StripBOM(decoder, options); + + return decoder; +} + + +// Load extensions in Node. All of them are omitted in Browserify build via 'browser' field in package.json. +var nodeVer = typeof process !== 'undefined' && process.versions && process.versions.node; +if (nodeVer) { + + // Load streaming support in Node v0.10+ + var nodeVerArr = nodeVer.split(".").map(Number); + if (nodeVerArr[0] > 0 || nodeVerArr[1] >= 10) { + require("./streams")(iconv); + } + + // Load Node primitive extensions. + require("./extend-node")(iconv); +} + +if ("Ā" != "\u0100") { + console.error("iconv-lite warning: javascript files use encoding different from utf-8. See https://github.com/ashtuchkin/iconv-lite/wiki/Javascript-source-file-encodings for more info."); +} diff --git a/node_modules/express/node_modules/iconv-lite/lib/streams.js b/node_modules/express/node_modules/iconv-lite/lib/streams.js new file mode 100644 index 0000000..4409552 --- /dev/null +++ b/node_modules/express/node_modules/iconv-lite/lib/streams.js @@ -0,0 +1,121 @@ +"use strict"; + +var Buffer = require("buffer").Buffer, + Transform = require("stream").Transform; + + +// == Exports ================================================================== +module.exports = function(iconv) { + + // Additional Public API. + iconv.encodeStream = function encodeStream(encoding, options) { + return new IconvLiteEncoderStream(iconv.getEncoder(encoding, options), options); + } + + iconv.decodeStream = function decodeStream(encoding, options) { + return new IconvLiteDecoderStream(iconv.getDecoder(encoding, options), options); + } + + iconv.supportsStreams = true; + + + // Not published yet. + iconv.IconvLiteEncoderStream = IconvLiteEncoderStream; + iconv.IconvLiteDecoderStream = IconvLiteDecoderStream; + iconv._collect = IconvLiteDecoderStream.prototype.collect; +}; + + +// == Encoder stream ======================================================= +function IconvLiteEncoderStream(conv, options) { + this.conv = conv; + options = options || {}; + options.decodeStrings = false; // We accept only strings, so we don't need to decode them. + Transform.call(this, options); +} + +IconvLiteEncoderStream.prototype = Object.create(Transform.prototype, { + constructor: { value: IconvLiteEncoderStream } +}); + +IconvLiteEncoderStream.prototype._transform = function(chunk, encoding, done) { + if (typeof chunk != 'string') + return done(new Error("Iconv encoding stream needs strings as its input.")); + try { + var res = this.conv.write(chunk); + if (res && res.length) this.push(res); + done(); + } + catch (e) { + done(e); + } +} + +IconvLiteEncoderStream.prototype._flush = function(done) { + try { + var res = this.conv.end(); + if (res && res.length) this.push(res); + done(); + } + catch (e) { + done(e); + } +} + +IconvLiteEncoderStream.prototype.collect = function(cb) { + var chunks = []; + this.on('error', cb); + this.on('data', function(chunk) { chunks.push(chunk); }); + this.on('end', function() { + cb(null, Buffer.concat(chunks)); + }); + return this; +} + + +// == Decoder stream ======================================================= +function IconvLiteDecoderStream(conv, options) { + this.conv = conv; + options = options || {}; + options.encoding = this.encoding = 'utf8'; // We output strings. + Transform.call(this, options); +} + +IconvLiteDecoderStream.prototype = Object.create(Transform.prototype, { + constructor: { value: IconvLiteDecoderStream } +}); + +IconvLiteDecoderStream.prototype._transform = function(chunk, encoding, done) { + if (!Buffer.isBuffer(chunk)) + return done(new Error("Iconv decoding stream needs buffers as its input.")); + try { + var res = this.conv.write(chunk); + if (res && res.length) this.push(res, this.encoding); + done(); + } + catch (e) { + done(e); + } +} + +IconvLiteDecoderStream.prototype._flush = function(done) { + try { + var res = this.conv.end(); + if (res && res.length) this.push(res, this.encoding); + done(); + } + catch (e) { + done(e); + } +} + +IconvLiteDecoderStream.prototype.collect = function(cb) { + var res = ''; + this.on('error', cb); + this.on('data', function(chunk) { res += chunk; }); + this.on('end', function() { + cb(null, res); + }); + return this; +} + diff --git a/node_modules/express/node_modules/iconv-lite/package.json b/node_modules/express/node_modules/iconv-lite/package.json new file mode 100644 index 0000000..fff6478 --- /dev/null +++ b/node_modules/express/node_modules/iconv-lite/package.json @@ -0,0 +1,46 @@ +{ + "name": "iconv-lite", + "description": "Convert character encodings in pure javascript.", + "version": "0.4.23", + "license": "MIT", + "keywords": [ + "iconv", + "convert", + "charset", + "icu" + ], + "author": "Alexander Shtuchkin ", + "main": "./lib/index.js", + "typings": "./lib/index.d.ts", + "homepage": "https://github.com/ashtuchkin/iconv-lite", + "bugs": "https://github.com/ashtuchkin/iconv-lite/issues", + "repository": { + "type": "git", + "url": "git://github.com/ashtuchkin/iconv-lite.git" + }, + "engines": { + "node": ">=0.10.0" + }, + "scripts": { + "coverage": "istanbul cover _mocha -- --grep .", + "coverage-open": "open coverage/lcov-report/index.html", + "test": "mocha --reporter spec --grep ." + }, + "browser": { + "./lib/extend-node": false, + "./lib/streams": false + }, + "devDependencies": { + "mocha": "^3.1.0", + "request": "~2.81.0", + "unorm": "*", + "errto": "*", + "async": "*", + "istanbul": "*", + "semver": "*", + "iconv": "*" + }, + "dependencies": { + "safer-buffer": ">= 2.1.2 < 3" + } +} diff --git a/node_modules/express/node_modules/raw-body/HISTORY.md b/node_modules/express/node_modules/raw-body/HISTORY.md index 0b6b837..b08ec23 100644 --- a/node_modules/express/node_modules/raw-body/HISTORY.md +++ b/node_modules/express/node_modules/raw-body/HISTORY.md @@ -1,48 +1,3 @@ -2.5.1 / 2022-02-28 -================== - - * Fix error on early async hooks implementations - -2.5.0 / 2022-02-21 -================== - - * Prevent loss of async hooks context - * Prevent hanging when stream is not readable - * deps: http-errors@2.0.0 - - deps: depd@2.0.0 - - deps: statuses@2.0.1 - -2.4.3 / 2022-02-14 -================== - - * deps: bytes@3.1.2 - -2.4.2 / 2021-11-16 -================== - - * deps: bytes@3.1.1 - * deps: http-errors@1.8.1 - - deps: setprototypeof@1.2.0 - - deps: toidentifier@1.0.1 - -2.4.1 / 2019-06-25 -================== - - * deps: http-errors@1.7.3 - - deps: inherits@2.0.4 - -2.4.0 / 2019-04-17 -================== - - * deps: bytes@3.1.0 - - Add petabyte (`pb`) support - * deps: http-errors@1.7.2 - - Set constructor name when possible - - deps: setprototypeof@1.1.1 - - deps: statuses@'>= 1.5.0 < 2' - * deps: iconv-lite@0.4.24 - - Added encoding MIK - 2.3.3 / 2018-05-08 ================== @@ -58,7 +13,7 @@ ================== * deps: iconv-lite@0.4.19 - - Fix ISO-8859-1 regression + - Fix ISO-8859-1regression - Update Windows-1255 2.3.1 / 2017-09-07 diff --git a/node_modules/express/node_modules/raw-body/LICENSE b/node_modules/express/node_modules/raw-body/LICENSE index 1029a7a..d695c8f 100644 --- a/node_modules/express/node_modules/raw-body/LICENSE +++ b/node_modules/express/node_modules/raw-body/LICENSE @@ -1,7 +1,7 @@ The MIT License (MIT) Copyright (c) 2013-2014 Jonathan Ong -Copyright (c) 2014-2022 Douglas Christopher Wilson +Copyright (c) 2014-2015 Douglas Christopher Wilson Permission is hereby granted, free of charge, to any person obtaining a copy of this software and associated documentation files (the "Software"), to deal diff --git a/node_modules/express/node_modules/raw-body/README.md b/node_modules/express/node_modules/raw-body/README.md index 695c660..2ce79d2 100644 --- a/node_modules/express/node_modules/raw-body/README.md +++ b/node_modules/express/node_modules/raw-body/README.md @@ -3,7 +3,7 @@ [![NPM Version][npm-image]][npm-url] [![NPM Downloads][downloads-image]][downloads-url] [![Node.js Version][node-version-image]][node-version-url] -[![Build status][github-actions-ci-image]][github-actions-ci-url] +[![Build status][travis-image]][travis-url] [![Test coverage][coveralls-image]][coveralls-url] Gets the entire buffer of a stream either as a `Buffer` or a string. @@ -33,6 +33,8 @@ $ npm install @types/node ## API + + ```js var getRawBody = require('raw-body') ``` @@ -61,10 +63,8 @@ You can also pass a string in place of options to just specify the encoding. If an error occurs, the stream will be paused, everything unpiped, and you are responsible for correctly disposing the stream. -For HTTP requests, you may need to finish consuming the stream if -you want to keep the socket open for future requests. For streams -that use file descriptors, you should `stream.destroy()` or -`stream.close()` to prevent leaks. +For HTTP requests, no handling is required if you send a response. +For streams that use file descriptors, you should `stream.destroy()` or `stream.close()` to prevent leaks. ## Errors @@ -81,7 +81,7 @@ otherwise an error created by this module, which has the following attributes: ### Types -The errors from this module have a `type` property which allows for the programmatic +The errors from this module have a `type` property which allows for the progamatic determination of the type of error returned. #### encoding.unsupported @@ -111,10 +111,6 @@ This error will occur when the given stream has an encoding set on it, making it a decoded stream. The stream should not have an encoding set and is expected to emit `Buffer` objects. -#### stream.not.readable - -This error will occur when the given stream is not readable. - ## Examples ### Simple Express example @@ -215,9 +211,9 @@ server.listen(3000); [npm-url]: https://npmjs.org/package/raw-body [node-version-image]: https://img.shields.io/node/v/raw-body.svg [node-version-url]: https://nodejs.org/en/download/ +[travis-image]: https://img.shields.io/travis/stream-utils/raw-body/master.svg +[travis-url]: https://travis-ci.org/stream-utils/raw-body [coveralls-image]: https://img.shields.io/coveralls/stream-utils/raw-body/master.svg [coveralls-url]: https://coveralls.io/r/stream-utils/raw-body?branch=master [downloads-image]: https://img.shields.io/npm/dm/raw-body.svg [downloads-url]: https://npmjs.org/package/raw-body -[github-actions-ci-image]: https://img.shields.io/github/workflow/status/stream-utils/raw-body/ci/master?label=ci -[github-actions-ci-url]: https://github.com/jshttp/stream-utils/raw-body?query=workflow%3Aci diff --git a/node_modules/express/node_modules/raw-body/SECURITY.md b/node_modules/express/node_modules/raw-body/SECURITY.md deleted file mode 100644 index 2421efc..0000000 --- a/node_modules/express/node_modules/raw-body/SECURITY.md +++ /dev/null @@ -1,24 +0,0 @@ -# Security Policies and Procedures - -## Reporting a Bug - -The `raw-body` team and community take all security bugs seriously. Thank you -for improving the security of Express. We appreciate your efforts and -responsible disclosure and will make every effort to acknowledge your -contributions. - -Report security bugs by emailing the current owners of `raw-body`. This information -can be found in the npm registry using the command `npm owner ls raw-body`. -If unsure or unable to get the information from the above, open an issue -in the [project issue tracker](https://github.com/stream-utils/raw-body/issues) -asking for the current contact information. - -To ensure the timely response to your report, please ensure that the entirety -of the report is contained within the email body and not solely behind a web -link or an attachment. - -At least one owner will acknowledge your email within 48 hours, and will send a -more detailed response within 48 hours indicating the next steps in handling -your report. After the initial reply to your report, the owners will -endeavor to keep you informed of the progress towards a fix and full -announcement, and may ask for additional information or guidance. diff --git a/node_modules/express/node_modules/raw-body/index.js b/node_modules/express/node_modules/raw-body/index.js index a8f537f..7fe8186 100644 --- a/node_modules/express/node_modules/raw-body/index.js +++ b/node_modules/express/node_modules/raw-body/index.js @@ -1,7 +1,7 @@ /*! * raw-body * Copyright(c) 2013-2014 Jonathan Ong - * Copyright(c) 2014-2022 Douglas Christopher Wilson + * Copyright(c) 2014-2015 Douglas Christopher Wilson * MIT Licensed */ @@ -12,7 +12,6 @@ * @private */ -var asyncHooks = tryRequireAsyncHooks() var bytes = require('bytes') var createError = require('http-errors') var iconv = require('iconv-lite') @@ -106,7 +105,7 @@ function getRawBody (stream, options, callback) { if (done) { // classic callback style - return readStream(stream, encoding, length, limit, wrap(done)) + return readStream(stream, encoding, length, limit, done) } return new Promise(function executor (resolve, reject) { @@ -174,12 +173,6 @@ function readStream (stream, encoding, length, limit, callback) { })) } - if (typeof stream.readable !== 'undefined' && !stream.readable) { - return done(createError(500, 'stream is not readable', { - type: 'stream.not.readable' - })) - } - var received = 0 var decoder @@ -291,39 +284,3 @@ function readStream (stream, encoding, length, limit, callback) { stream.removeListener('close', cleanup) } } - -/** - * Try to require async_hooks - * @private - */ - -function tryRequireAsyncHooks () { - try { - return require('async_hooks') - } catch (e) { - return {} - } -} - -/** - * Wrap function with async resource, if possible. - * AsyncResource.bind static method backported. - * @private - */ - -function wrap (fn) { - var res - - // create anonymous resource - if (asyncHooks.AsyncResource) { - res = new asyncHooks.AsyncResource(fn.name || 'bound-anonymous-fn') - } - - // incompatible node.js - if (!res || !res.runInAsyncScope) { - return fn - } - - // return bound function - return res.runInAsyncScope.bind(res, fn, null) -} diff --git a/node_modules/express/node_modules/raw-body/package.json b/node_modules/express/node_modules/raw-body/package.json index 50fc90a..2ea2775 100644 --- a/node_modules/express/node_modules/raw-body/package.json +++ b/node_modules/express/node_modules/raw-body/package.json @@ -1,7 +1,7 @@ { "name": "raw-body", "description": "Get and validate the raw body of a readable stream.", - "version": "2.5.1", + "version": "2.3.3", "author": "Jonathan Ong (http://jongleberry.com)", "contributors": [ "Douglas Christopher Wilson ", @@ -10,24 +10,24 @@ "license": "MIT", "repository": "stream-utils/raw-body", "dependencies": { - "bytes": "3.1.2", - "http-errors": "2.0.0", - "iconv-lite": "0.4.24", + "bytes": "3.0.0", + "http-errors": "1.6.3", + "iconv-lite": "0.4.23", "unpipe": "1.0.0" }, "devDependencies": { - "bluebird": "3.7.2", - "eslint": "7.32.0", - "eslint-config-standard": "14.1.1", - "eslint-plugin-import": "2.25.4", - "eslint-plugin-markdown": "2.2.1", - "eslint-plugin-node": "11.1.0", - "eslint-plugin-promise": "5.2.0", - "eslint-plugin-standard": "4.1.0", - "mocha": "9.2.1", - "nyc": "15.1.0", - "readable-stream": "2.3.7", - "safe-buffer": "5.2.1" + "bluebird": "3.5.1", + "eslint": "4.19.1", + "eslint-config-standard": "11.0.0", + "eslint-plugin-import": "2.11.0", + "eslint-plugin-markdown": "1.0.0-beta.6", + "eslint-plugin-node": "6.0.1", + "eslint-plugin-promise": "3.7.0", + "eslint-plugin-standard": "3.1.0", + "istanbul": "0.4.5", + "mocha": "2.5.3", + "readable-stream": "2.3.6", + "safe-buffer": "5.1.2" }, "engines": { "node": ">= 0.8" @@ -36,14 +36,13 @@ "HISTORY.md", "LICENSE", "README.md", - "SECURITY.md", "index.d.ts", "index.js" ], "scripts": { - "lint": "eslint .", + "lint": "eslint --plugin markdown --ext js,md .", "test": "mocha --trace-deprecation --reporter spec --bail --check-leaks test/", - "test-ci": "nyc --reporter=lcovonly --reporter=text npm test", - "test-cov": "nyc --reporter=html --reporter=text npm test" + "test-cov": "istanbul cover node_modules/mocha/bin/_mocha -- --trace-deprecation --reporter dot --check-leaks test/", + "test-travis": "istanbul cover node_modules/mocha/bin/_mocha --report lcovonly -- --trace-deprecation --reporter spec --check-leaks test/" } } diff --git a/node_modules/express/package.json b/node_modules/express/package.json index 0996637..74196ad 100644 --- a/node_modules/express/package.json +++ b/node_modules/express/package.json @@ -1,7 +1,7 @@ { "name": "express", "description": "Fast, unopinionated, minimalist web framework", - "version": "4.18.2", + "version": "4.16.4", "author": "TJ Holowaychuk ", "contributors": [ "Aaron Heckmann ", @@ -20,7 +20,6 @@ "framework", "sinatra", "web", - "http", "rest", "restful", "router", @@ -28,55 +27,55 @@ "api" ], "dependencies": { - "accepts": "~1.3.8", + "accepts": "~1.3.5", "array-flatten": "1.1.1", - "body-parser": "1.20.1", - "content-disposition": "0.5.4", + "body-parser": "1.18.3", + "content-disposition": "0.5.2", "content-type": "~1.0.4", - "cookie": "0.5.0", + "cookie": "0.3.1", "cookie-signature": "1.0.6", "debug": "2.6.9", - "depd": "2.0.0", + "depd": "~1.1.2", "encodeurl": "~1.0.2", "escape-html": "~1.0.3", "etag": "~1.8.1", - "finalhandler": "1.2.0", + "finalhandler": "1.1.1", "fresh": "0.5.2", - "http-errors": "2.0.0", "merge-descriptors": "1.0.1", "methods": "~1.1.2", - "on-finished": "2.4.1", - "parseurl": "~1.3.3", + "on-finished": "~2.3.0", + "parseurl": "~1.3.2", "path-to-regexp": "0.1.7", - "proxy-addr": "~2.0.7", - "qs": "6.11.0", - "range-parser": "~1.2.1", - "safe-buffer": "5.2.1", - "send": "0.18.0", - "serve-static": "1.15.0", - "setprototypeof": "1.2.0", - "statuses": "2.0.1", - "type-is": "~1.6.18", + "proxy-addr": "~2.0.4", + "qs": "6.5.2", + "range-parser": "~1.2.0", + "safe-buffer": "5.1.2", + "send": "0.16.2", + "serve-static": "1.13.2", + "setprototypeof": "1.1.0", + "statuses": "~1.4.0", + "type-is": "~1.6.16", "utils-merge": "1.0.1", "vary": "~1.1.2" }, "devDependencies": { "after": "0.8.2", - "connect-redis": "3.4.2", - "cookie-parser": "1.4.6", - "cookie-session": "2.0.0", - "ejs": "3.1.8", - "eslint": "8.24.0", - "express-session": "1.17.2", - "hbs": "4.2.0", - "marked": "0.7.0", + "connect-redis": "3.4.0", + "cookie-parser": "~1.4.3", + "cookie-session": "1.3.2", + "ejs": "2.6.1", + "eslint": "2.13.1", + "express-session": "1.15.6", + "hbs": "4.0.1", + "istanbul": "0.4.5", + "marked": "0.5.1", "method-override": "3.0.0", - "mocha": "10.0.0", - "morgan": "1.10.0", - "multiparty": "4.2.3", - "nyc": "15.1.0", + "mocha": "5.2.0", + "morgan": "1.9.1", + "multiparty": "4.2.1", "pbkdf2-password": "1.2.1", - "supertest": "6.3.0", + "should": "13.2.3", + "supertest": "3.3.0", "vhost": "~3.0.2" }, "engines": { @@ -92,8 +91,8 @@ "scripts": { "lint": "eslint .", "test": "mocha --require test/support/env --reporter spec --bail --check-leaks test/ test/acceptance/", - "test-ci": "nyc --reporter=lcovonly --reporter=text npm test", - "test-cov": "nyc --reporter=html --reporter=text npm test", + "test-ci": "istanbul cover node_modules/mocha/bin/_mocha --report lcovonly -- --require test/support/env --reporter spec --check-leaks test/ test/acceptance/", + "test-cov": "istanbul cover node_modules/mocha/bin/_mocha -- --require test/support/env --reporter dot --check-leaks test/ test/acceptance/", "test-tap": "mocha --require test/support/env --reporter tap --check-leaks test/ test/acceptance/" } } diff --git a/node_modules/finalhandler/HISTORY.md b/node_modules/finalhandler/HISTORY.md index ec2d38b..9e43d2a 100644 --- a/node_modules/finalhandler/HISTORY.md +++ b/node_modules/finalhandler/HISTORY.md @@ -1,18 +1,3 @@ -1.2.0 / 2022-03-22 -================== - - * Remove set content headers that break response - * deps: on-finished@2.4.1 - * deps: statuses@2.0.1 - - Rename `425 Unordered Collection` to standard `425 Too Early` - -1.1.2 / 2019-05-09 -================== - - * Set stricter `Content-Security-Policy` header - * deps: parseurl@~1.3.3 - * deps: statuses@~1.5.0 - 1.1.1 / 2018-03-06 ================== diff --git a/node_modules/finalhandler/LICENSE b/node_modules/finalhandler/LICENSE index 6022106..fb30982 100644 --- a/node_modules/finalhandler/LICENSE +++ b/node_modules/finalhandler/LICENSE @@ -1,6 +1,6 @@ (The MIT License) -Copyright (c) 2014-2022 Douglas Christopher Wilson +Copyright (c) 2014-2017 Douglas Christopher Wilson Permission is hereby granted, free of charge, to any person obtaining a copy of this software and associated documentation files (the diff --git a/node_modules/finalhandler/README.md b/node_modules/finalhandler/README.md index 81f10ef..6756f0c 100644 --- a/node_modules/finalhandler/README.md +++ b/node_modules/finalhandler/README.md @@ -3,7 +3,7 @@ [![NPM Version][npm-image]][npm-url] [![NPM Downloads][downloads-image]][downloads-url] [![Node.js Version][node-image]][node-url] -[![Build Status][github-actions-ci-image]][github-actions-ci-url] +[![Build Status][travis-image]][travis-url] [![Test Coverage][coveralls-image]][coveralls-url] Node.js function to invoke as the final step to respond to HTTP request. @@ -20,6 +20,8 @@ $ npm install finalhandler ## API + + ```js var finalhandler = require('finalhandler') ``` @@ -29,8 +31,7 @@ var finalhandler = require('finalhandler') Returns function to be invoked as the final step for the given `req` and `res`. This function is to be invoked as `fn(err)`. If `err` is falsy, the handler will write out a 404 response to the `res`. If it is truthy, an error response will -be written out to the `res` or `res` will be terminated if a response has already -started. +be written out to the `res`. When an error is written, the following information is added to the response: @@ -115,7 +116,7 @@ var fs = require('fs') var http = require('http') var server = http.createServer(function (req, res) { - var done = finalhandler(req, res, { onerror: logerror }) + var done = finalhandler(req, res, {onerror: logerror}) fs.readFile('index.html', function (err, buf) { if (err) return done(err) @@ -139,9 +140,9 @@ function logerror (err) { [npm-url]: https://npmjs.org/package/finalhandler [node-image]: https://img.shields.io/node/v/finalhandler.svg [node-url]: https://nodejs.org/en/download +[travis-image]: https://img.shields.io/travis/pillarjs/finalhandler.svg +[travis-url]: https://travis-ci.org/pillarjs/finalhandler [coveralls-image]: https://img.shields.io/coveralls/pillarjs/finalhandler.svg [coveralls-url]: https://coveralls.io/r/pillarjs/finalhandler?branch=master [downloads-image]: https://img.shields.io/npm/dm/finalhandler.svg [downloads-url]: https://npmjs.org/package/finalhandler -[github-actions-ci-image]: https://img.shields.io/github/workflow/status/pillarjs/finalhandler/ci/master?label=ci -[github-actions-ci-url]: https://github.com/jshttp/pillarjs/finalhandler?query=workflow%3Aci diff --git a/node_modules/finalhandler/SECURITY.md b/node_modules/finalhandler/SECURITY.md deleted file mode 100644 index 6e23249..0000000 --- a/node_modules/finalhandler/SECURITY.md +++ /dev/null @@ -1,25 +0,0 @@ -# Security Policies and Procedures - -## Reporting a Bug - -The `finalhandler` team and community take all security bugs seriously. Thank -you for improving the security of Express. We appreciate your efforts and -responsible disclosure and will make every effort to acknowledge your -contributions. - -Report security bugs by emailing the current owner(s) of `finalhandler`. This -information can be found in the npm registry using the command -`npm owner ls finalhandler`. -If unsure or unable to get the information from the above, open an issue -in the [project issue tracker](https://github.com/pillarjs/finalhandler/issues) -asking for the current contact information. - -To ensure the timely response to your report, please ensure that the entirety -of the report is contained within the email body and not solely behind a web -link or an attachment. - -At least one owner will acknowledge your email within 48 hours, and will send a -more detailed response within 48 hours indicating the next steps in handling -your report. After the initial reply to your report, the owners will -endeavor to keep you informed of the progress towards a fix and full -announcement, and may ask for additional information or guidance. diff --git a/node_modules/finalhandler/index.js b/node_modules/finalhandler/index.js index f628e42..f20ffe3 100644 --- a/node_modules/finalhandler/index.js +++ b/node_modules/finalhandler/index.js @@ -1,6 +1,6 @@ /*! * finalhandler - * Copyright(c) 2014-2022 Douglas Christopher Wilson + * Copyright(c) 2014-2017 Douglas Christopher Wilson * MIT Licensed */ @@ -181,7 +181,7 @@ function getErrorMessage (err, status, env) { } } - return msg || statuses.message[status] + return msg || statuses[status] } /** @@ -276,18 +276,13 @@ function send (req, res, status, headers, message) { // response status res.statusCode = status - res.statusMessage = statuses.message[status] - - // remove any content headers - res.removeHeader('Content-Encoding') - res.removeHeader('Content-Language') - res.removeHeader('Content-Range') + res.statusMessage = statuses[status] // response headers setHeaders(res, headers) // security headers - res.setHeader('Content-Security-Policy', "default-src 'none'") + res.setHeader('Content-Security-Policy', "default-src 'self'") res.setHeader('X-Content-Type-Options', 'nosniff') // standard headers diff --git a/node_modules/finalhandler/package.json b/node_modules/finalhandler/package.json index 16bf11e..f552e03 100644 --- a/node_modules/finalhandler/package.json +++ b/node_modules/finalhandler/package.json @@ -1,7 +1,7 @@ { "name": "finalhandler", "description": "Node.js final http responder", - "version": "1.2.0", + "version": "1.1.1", "author": "Douglas Christopher Wilson ", "license": "MIT", "repository": "pillarjs/finalhandler", @@ -9,38 +9,37 @@ "debug": "2.6.9", "encodeurl": "~1.0.2", "escape-html": "~1.0.3", - "on-finished": "2.4.1", - "parseurl": "~1.3.3", - "statuses": "2.0.1", + "on-finished": "~2.3.0", + "parseurl": "~1.3.2", + "statuses": "~1.4.0", "unpipe": "~1.0.0" }, "devDependencies": { - "eslint": "7.32.0", - "eslint-config-standard": "14.1.1", - "eslint-plugin-import": "2.25.4", - "eslint-plugin-markdown": "2.2.1", - "eslint-plugin-node": "11.1.0", - "eslint-plugin-promise": "5.2.0", - "eslint-plugin-standard": "4.1.0", - "mocha": "9.2.2", - "nyc": "15.1.0", - "readable-stream": "2.3.6", - "safe-buffer": "5.2.1", - "supertest": "6.2.2" + "eslint": "4.18.1", + "eslint-config-standard": "11.0.0", + "eslint-plugin-import": "2.9.0", + "eslint-plugin-markdown": "1.0.0-beta.6", + "eslint-plugin-node": "6.0.1", + "eslint-plugin-promise": "3.6.0", + "eslint-plugin-standard": "3.0.1", + "istanbul": "0.4.5", + "mocha": "2.5.3", + "readable-stream": "2.3.4", + "safe-buffer": "5.1.1", + "supertest": "1.1.0" }, "files": [ "LICENSE", "HISTORY.md", - "SECURITY.md", "index.js" ], "engines": { "node": ">= 0.8" }, "scripts": { - "lint": "eslint .", + "lint": "eslint --plugin markdown --ext js,md .", "test": "mocha --reporter spec --bail --check-leaks test/", - "test-ci": "nyc --reporter=lcovonly --reporter=text npm test", - "test-cov": "nyc --reporter=html --reporter=text npm test" + "test-ci": "istanbul cover node_modules/mocha/bin/_mocha --report lcovonly -- --reporter spec --check-leaks test/", + "test-cov": "istanbul cover node_modules/mocha/bin/_mocha -- --reporter dot --check-leaks test/" } } diff --git a/node_modules/function-bind/.editorconfig b/node_modules/function-bind/.editorconfig new file mode 100644 index 0000000..ac29ade --- /dev/null +++ b/node_modules/function-bind/.editorconfig @@ -0,0 +1,20 @@ +root = true + +[*] +indent_style = tab +indent_size = 4 +end_of_line = lf +charset = utf-8 +trim_trailing_whitespace = true +insert_final_newline = true +max_line_length = 120 + +[CHANGELOG.md] +indent_style = space +indent_size = 2 + +[*.json] +max_line_length = off + +[Makefile] +max_line_length = off diff --git a/node_modules/function-bind/.eslintrc b/node_modules/function-bind/.eslintrc index 71a054f..9b33d8e 100644 --- a/node_modules/function-bind/.eslintrc +++ b/node_modules/function-bind/.eslintrc @@ -6,16 +6,10 @@ "rules": { "func-name-matching": 0, "indent": [2, 4], + "max-nested-callbacks": [2, 3], + "max-params": [2, 3], + "max-statements": [2, 20], "no-new-func": [1], - }, - - "overrides": [ - { - "files": "test/**", - "rules": { - "max-lines-per-function": 0, - "strict": [0] - }, - }, - ], + "strict": [0] + } } diff --git a/node_modules/function-bind/.github/FUNDING.yml b/node_modules/function-bind/.github/FUNDING.yml deleted file mode 100644 index 7448219..0000000 --- a/node_modules/function-bind/.github/FUNDING.yml +++ /dev/null @@ -1,12 +0,0 @@ -# These are supported funding model platforms - -github: [ljharb] -patreon: # Replace with a single Patreon username -open_collective: # Replace with a single Open Collective username -ko_fi: # Replace with a single Ko-fi username -tidelift: npm/function-bind -community_bridge: # Replace with a single Community Bridge project-name e.g., cloud-foundry -liberapay: # Replace with a single Liberapay username -issuehunt: # Replace with a single IssueHunt username -otechie: # Replace with a single Otechie username -custom: # Replace with up to 4 custom sponsorship URLs e.g., ['link1', 'link2'] diff --git a/node_modules/function-bind/.github/SECURITY.md b/node_modules/function-bind/.github/SECURITY.md deleted file mode 100644 index 82e4285..0000000 --- a/node_modules/function-bind/.github/SECURITY.md +++ /dev/null @@ -1,3 +0,0 @@ -# Security - -Please email [@ljharb](https://github.com/ljharb) or see https://tidelift.com/security if you have a potential security vulnerability to report. diff --git a/node_modules/function-bind/.jscs.json b/node_modules/function-bind/.jscs.json new file mode 100644 index 0000000..8c44794 --- /dev/null +++ b/node_modules/function-bind/.jscs.json @@ -0,0 +1,176 @@ +{ + "es3": true, + + "additionalRules": [], + + "requireSemicolons": true, + + "disallowMultipleSpaces": true, + + "disallowIdentifierNames": [], + + "requireCurlyBraces": { + "allExcept": [], + "keywords": ["if", "else", "for", "while", "do", "try", "catch"] + }, + + "requireSpaceAfterKeywords": ["if", "else", "for", "while", "do", "switch", "return", "try", "catch", "function"], + + "disallowSpaceAfterKeywords": [], + + "disallowSpaceBeforeComma": true, + "disallowSpaceAfterComma": false, + "disallowSpaceBeforeSemicolon": true, + + "disallowNodeTypes": [ + "DebuggerStatement", + "ForInStatement", + "LabeledStatement", + "SwitchCase", + "SwitchStatement", + "WithStatement" + ], + + "requireObjectKeysOnNewLine": { "allExcept": ["sameLine"] }, + + "requireSpacesInAnonymousFunctionExpression": { "beforeOpeningRoundBrace": true, "beforeOpeningCurlyBrace": true }, + "requireSpacesInNamedFunctionExpression": { "beforeOpeningCurlyBrace": true }, + "disallowSpacesInNamedFunctionExpression": { "beforeOpeningRoundBrace": true }, + "requireSpacesInFunctionDeclaration": { "beforeOpeningCurlyBrace": true }, + "disallowSpacesInFunctionDeclaration": { "beforeOpeningRoundBrace": true }, + + "requireSpaceBetweenArguments": true, + + "disallowSpacesInsideParentheses": true, + + "disallowSpacesInsideArrayBrackets": true, + + "disallowQuotedKeysInObjects": { "allExcept": ["reserved"] }, + + "disallowSpaceAfterObjectKeys": true, + + "requireCommaBeforeLineBreak": true, + + "disallowSpaceAfterPrefixUnaryOperators": ["++", "--", "+", "-", "~", "!"], + "requireSpaceAfterPrefixUnaryOperators": [], + + "disallowSpaceBeforePostfixUnaryOperators": ["++", "--"], + "requireSpaceBeforePostfixUnaryOperators": [], + + "disallowSpaceBeforeBinaryOperators": [], + "requireSpaceBeforeBinaryOperators": ["+", "-", "/", "*", "=", "==", "===", "!=", "!=="], + + "requireSpaceAfterBinaryOperators": ["+", "-", "/", "*", "=", "==", "===", "!=", "!=="], + "disallowSpaceAfterBinaryOperators": [], + + "disallowImplicitTypeConversion": ["binary", "string"], + + "disallowKeywords": ["with", "eval"], + + "requireKeywordsOnNewLine": [], + "disallowKeywordsOnNewLine": ["else"], + + "requireLineFeedAtFileEnd": true, + + "disallowTrailingWhitespace": true, + + "disallowTrailingComma": true, + + "excludeFiles": ["node_modules/**", "vendor/**"], + + "disallowMultipleLineStrings": true, + + "requireDotNotation": { "allExcept": ["keywords"] }, + + "requireParenthesesAroundIIFE": true, + + "validateLineBreaks": "LF", + + "validateQuoteMarks": { + "escape": true, + "mark": "'" + }, + + "disallowOperatorBeforeLineBreak": [], + + "requireSpaceBeforeKeywords": [ + "do", + "for", + "if", + "else", + "switch", + "case", + "try", + "catch", + "finally", + "while", + "with", + "return" + ], + + "validateAlignedFunctionParameters": { + "lineBreakAfterOpeningBraces": true, + "lineBreakBeforeClosingBraces": true + }, + + "requirePaddingNewLinesBeforeExport": true, + + "validateNewlineAfterArrayElements": { + "maximum": 8 + }, + + "requirePaddingNewLinesAfterUseStrict": true, + + "disallowArrowFunctions": true, + + "disallowMultiLineTernary": true, + + "validateOrderInObjectKeys": "asc-insensitive", + + "disallowIdenticalDestructuringNames": true, + + "disallowNestedTernaries": { "maxLevel": 1 }, + + "requireSpaceAfterComma": { "allExcept": ["trailing"] }, + "requireAlignedMultilineParams": false, + + "requireSpacesInGenerator": { + "afterStar": true + }, + + "disallowSpacesInGenerator": { + "beforeStar": true + }, + + "disallowVar": false, + + "requireArrayDestructuring": false, + + "requireEnhancedObjectLiterals": false, + + "requireObjectDestructuring": false, + + "requireEarlyReturn": false, + + "requireCapitalizedConstructorsNew": { + "allExcept": ["Function", "String", "Object", "Symbol", "Number", "Date", "RegExp", "Error", "Boolean", "Array"] + }, + + "requireImportAlphabetized": false, + + "requireSpaceBeforeObjectValues": true, + "requireSpaceBeforeDestructuredValues": true, + + "disallowSpacesInsideTemplateStringPlaceholders": true, + + "disallowArrayDestructuringReturn": false, + + "requireNewlineBeforeSingleStatementsInIf": false, + + "disallowUnusedVariables": true, + + "requireSpacesInsideImportedObjectBraces": true, + + "requireUseStrict": true +} + diff --git a/node_modules/function-bind/.npmignore b/node_modules/function-bind/.npmignore new file mode 100644 index 0000000..dbb555f --- /dev/null +++ b/node_modules/function-bind/.npmignore @@ -0,0 +1,22 @@ +# gitignore +.DS_Store +.monitor +.*.swp +.nodemonignore +releases +*.log +*.err +fleet.json +public/browserify +bin/*.json +.bin +build +compile +.lock-wscript +coverage +node_modules + +# Only apps should have lockfiles +npm-shrinkwrap.json +package-lock.json +yarn.lock diff --git a/node_modules/function-bind/.nycrc b/node_modules/function-bind/.nycrc deleted file mode 100644 index 1826526..0000000 --- a/node_modules/function-bind/.nycrc +++ /dev/null @@ -1,13 +0,0 @@ -{ - "all": true, - "check-coverage": false, - "reporter": ["text-summary", "text", "html", "json"], - "lines": 86, - "statements": 85.93, - "functions": 82.43, - "branches": 76.06, - "exclude": [ - "coverage", - "test" - ] -} diff --git a/node_modules/function-bind/.travis.yml b/node_modules/function-bind/.travis.yml new file mode 100644 index 0000000..85f70d2 --- /dev/null +++ b/node_modules/function-bind/.travis.yml @@ -0,0 +1,168 @@ +language: node_js +os: + - linux +node_js: + - "8.4" + - "7.10" + - "6.11" + - "5.12" + - "4.8" + - "iojs-v3.3" + - "iojs-v2.5" + - "iojs-v1.8" + - "0.12" + - "0.10" + - "0.8" +before_install: + - 'if [ "${TRAVIS_NODE_VERSION}" = "0.6" ]; then npm install -g npm@1.3 ; elif [ "${TRAVIS_NODE_VERSION}" != "0.9" ]; then case "$(npm --version)" in 1.*) npm install -g npm@1.4.28 ;; 2.*) npm install -g npm@2 ;; esac ; fi' + - 'if [ "${TRAVIS_NODE_VERSION}" != "0.6" ] && [ "${TRAVIS_NODE_VERSION}" != "0.9" ]; then if [ "${TRAVIS_NODE_VERSION%${TRAVIS_NODE_VERSION#[0-9]}}" = "0" ] || [ "${TRAVIS_NODE_VERSION:0:4}" = "iojs" ]; then npm install -g npm@4.5 ; else npm install -g npm; fi; fi' +install: + - 'if [ "${TRAVIS_NODE_VERSION}" = "0.6" ]; then nvm install 0.8 && npm install -g npm@1.3 && npm install -g npm@1.4.28 && npm install -g npm@2 && npm install && nvm use "${TRAVIS_NODE_VERSION}"; else npm install; fi;' +script: + - 'if [ -n "${PRETEST-}" ]; then npm run pretest ; fi' + - 'if [ -n "${POSTTEST-}" ]; then npm run posttest ; fi' + - 'if [ -n "${COVERAGE-}" ]; then npm run coverage ; fi' + - 'if [ -n "${TEST-}" ]; then npm run tests-only ; fi' +sudo: false +env: + - TEST=true +matrix: + fast_finish: true + include: + - node_js: "node" + env: PRETEST=true + - node_js: "4" + env: COVERAGE=true + - node_js: "8.3" + env: TEST=true ALLOW_FAILURE=true + - node_js: "8.2" + env: TEST=true ALLOW_FAILURE=true + - node_js: "8.1" + env: TEST=true ALLOW_FAILURE=true + - node_js: "8.0" + env: TEST=true ALLOW_FAILURE=true + - node_js: "7.9" + env: TEST=true ALLOW_FAILURE=true + - node_js: "7.8" + env: TEST=true ALLOW_FAILURE=true + - node_js: "7.7" + env: TEST=true ALLOW_FAILURE=true + - node_js: "7.6" + env: TEST=true ALLOW_FAILURE=true + - node_js: "7.5" + env: TEST=true ALLOW_FAILURE=true + - node_js: "7.4" + env: TEST=true ALLOW_FAILURE=true + - node_js: "7.3" + env: TEST=true ALLOW_FAILURE=true + - node_js: "7.2" + env: TEST=true ALLOW_FAILURE=true + - node_js: "7.1" + env: TEST=true ALLOW_FAILURE=true + - node_js: "7.0" + env: TEST=true ALLOW_FAILURE=true + - node_js: "6.10" + env: TEST=true ALLOW_FAILURE=true + - node_js: "6.9" + env: TEST=true ALLOW_FAILURE=true + - node_js: "6.8" + env: TEST=true ALLOW_FAILURE=true + - node_js: "6.7" + env: TEST=true ALLOW_FAILURE=true + - node_js: "6.6" + env: TEST=true ALLOW_FAILURE=true + - node_js: "6.5" + env: TEST=true ALLOW_FAILURE=true + - node_js: "6.4" + env: TEST=true ALLOW_FAILURE=true + - node_js: "6.3" + env: TEST=true ALLOW_FAILURE=true + - node_js: "6.2" + env: TEST=true ALLOW_FAILURE=true + - node_js: "6.1" + env: TEST=true ALLOW_FAILURE=true + - node_js: "6.0" + env: TEST=true ALLOW_FAILURE=true + - node_js: "5.11" + env: TEST=true ALLOW_FAILURE=true + - node_js: "5.10" + env: TEST=true ALLOW_FAILURE=true + - node_js: "5.9" + env: TEST=true ALLOW_FAILURE=true + - node_js: "5.8" + env: TEST=true ALLOW_FAILURE=true + - node_js: "5.7" + env: TEST=true ALLOW_FAILURE=true + - node_js: "5.6" + env: TEST=true ALLOW_FAILURE=true + - node_js: "5.5" + env: TEST=true ALLOW_FAILURE=true + - node_js: "5.4" + env: TEST=true ALLOW_FAILURE=true + - node_js: "5.3" + env: TEST=true ALLOW_FAILURE=true + - node_js: "5.2" + env: TEST=true ALLOW_FAILURE=true + - node_js: "5.1" + env: TEST=true ALLOW_FAILURE=true + - node_js: "5.0" + env: TEST=true ALLOW_FAILURE=true + - node_js: "4.7" + env: TEST=true ALLOW_FAILURE=true + - node_js: "4.6" + env: TEST=true ALLOW_FAILURE=true + - node_js: "4.5" + env: TEST=true ALLOW_FAILURE=true + - node_js: "4.4" + env: TEST=true ALLOW_FAILURE=true + - node_js: "4.3" + env: TEST=true ALLOW_FAILURE=true + - node_js: "4.2" + env: TEST=true ALLOW_FAILURE=true + - node_js: "4.1" + env: TEST=true ALLOW_FAILURE=true + - node_js: "4.0" + env: TEST=true ALLOW_FAILURE=true + - node_js: "iojs-v3.2" + env: TEST=true ALLOW_FAILURE=true + - node_js: "iojs-v3.1" + env: TEST=true ALLOW_FAILURE=true + - node_js: "iojs-v3.0" + env: TEST=true ALLOW_FAILURE=true + - node_js: "iojs-v2.4" + env: TEST=true ALLOW_FAILURE=true + - node_js: "iojs-v2.3" + env: TEST=true ALLOW_FAILURE=true + - node_js: "iojs-v2.2" + env: TEST=true ALLOW_FAILURE=true + - node_js: "iojs-v2.1" + env: TEST=true ALLOW_FAILURE=true + - node_js: "iojs-v2.0" + env: TEST=true ALLOW_FAILURE=true + - node_js: "iojs-v1.7" + env: TEST=true ALLOW_FAILURE=true + - node_js: "iojs-v1.6" + env: TEST=true ALLOW_FAILURE=true + - node_js: "iojs-v1.5" + env: TEST=true ALLOW_FAILURE=true + - node_js: "iojs-v1.4" + env: TEST=true ALLOW_FAILURE=true + - node_js: "iojs-v1.3" + env: TEST=true ALLOW_FAILURE=true + - node_js: "iojs-v1.2" + env: TEST=true ALLOW_FAILURE=true + - node_js: "iojs-v1.1" + env: TEST=true ALLOW_FAILURE=true + - node_js: "iojs-v1.0" + env: TEST=true ALLOW_FAILURE=true + - node_js: "0.11" + env: TEST=true ALLOW_FAILURE=true + - node_js: "0.9" + env: TEST=true ALLOW_FAILURE=true + - node_js: "0.6" + env: TEST=true ALLOW_FAILURE=true + - node_js: "0.4" + env: TEST=true ALLOW_FAILURE=true + allow_failures: + - os: osx + - env: TEST=true ALLOW_FAILURE=true diff --git a/node_modules/function-bind/CHANGELOG.md b/node_modules/function-bind/CHANGELOG.md deleted file mode 100644 index f9e6cc0..0000000 --- a/node_modules/function-bind/CHANGELOG.md +++ /dev/null @@ -1,136 +0,0 @@ -# Changelog - -All notable changes to this project will be documented in this file. - -The format is based on [Keep a Changelog](https://keepachangelog.com/en/1.0.0/) -and this project adheres to [Semantic Versioning](https://semver.org/spec/v2.0.0.html). - -## [v1.1.2](https://github.com/ljharb/function-bind/compare/v1.1.1...v1.1.2) - 2023-10-12 - -### Merged - -- Point to the correct file [`#16`](https://github.com/ljharb/function-bind/pull/16) - -### Commits - -- [Tests] migrate tests to Github Actions [`4f8b57c`](https://github.com/ljharb/function-bind/commit/4f8b57c02f2011fe9ae353d5e74e8745f0988af8) -- [Tests] remove `jscs` [`90eb2ed`](https://github.com/ljharb/function-bind/commit/90eb2edbeefd5b76cd6c3a482ea3454db169b31f) -- [meta] update `.gitignore` [`53fcdc3`](https://github.com/ljharb/function-bind/commit/53fcdc371cd66634d6e9b71c836a50f437e89fed) -- [Tests] up to `node` `v11.10`, `v10.15`, `v9.11`, `v8.15`, `v6.16`, `v4.9`; use `nvm install-latest-npm`; run audit script in tests [`1fe8f6e`](https://github.com/ljharb/function-bind/commit/1fe8f6e9aed0dfa8d8b3cdbd00c7f5ea0cd2b36e) -- [meta] add `auto-changelog` [`1921fcb`](https://github.com/ljharb/function-bind/commit/1921fcb5b416b63ffc4acad051b6aad5722f777d) -- [Robustness] remove runtime dependency on all builtins except `.apply` [`f743e61`](https://github.com/ljharb/function-bind/commit/f743e61aa6bb2360358c04d4884c9db853d118b7) -- Docs: enable badges; update wording [`503cb12`](https://github.com/ljharb/function-bind/commit/503cb12d998b5f91822776c73332c7adcd6355dd) -- [readme] update badges [`290c5db`](https://github.com/ljharb/function-bind/commit/290c5dbbbda7264efaeb886552a374b869a4bb48) -- [Tests] switch to nyc for coverage [`ea360ba`](https://github.com/ljharb/function-bind/commit/ea360ba907fc2601ed18d01a3827fa2d3533cdf8) -- [Dev Deps] update `eslint`, `@ljharb/eslint-config`, `tape` [`cae5e9e`](https://github.com/ljharb/function-bind/commit/cae5e9e07a5578dc6df26c03ee22851ce05b943c) -- [meta] add `funding` field; create FUNDING.yml [`c9f4274`](https://github.com/ljharb/function-bind/commit/c9f4274aa80ea3aae9657a3938fdba41a3b04ca6) -- [Tests] fix eslint errors from #15 [`f69aaa2`](https://github.com/ljharb/function-bind/commit/f69aaa2beb2fdab4415bfb885760a699d0b9c964) -- [actions] fix permissions [`99a0cd9`](https://github.com/ljharb/function-bind/commit/99a0cd9f3b5bac223a0d572f081834cd73314be7) -- [meta] use `npmignore` to autogenerate an npmignore file [`f03b524`](https://github.com/ljharb/function-bind/commit/f03b524ca91f75a109a5d062f029122c86ecd1ae) -- [Dev Deps] update `@ljharb/eslint‑config`, `eslint`, `tape` [`7af9300`](https://github.com/ljharb/function-bind/commit/7af930023ae2ce7645489532821e4fbbcd7a2280) -- [Dev Deps] update `eslint`, `@ljharb/eslint-config`, `covert`, `tape` [`64a9127`](https://github.com/ljharb/function-bind/commit/64a9127ab0bd331b93d6572eaf6e9971967fc08c) -- [Tests] use `aud` instead of `npm audit` [`e75069c`](https://github.com/ljharb/function-bind/commit/e75069c50010a8fcce2a9ce2324934c35fdb4386) -- [Dev Deps] update `@ljharb/eslint-config`, `aud`, `tape` [`d03555c`](https://github.com/ljharb/function-bind/commit/d03555ca59dea3b71ce710045e4303b9e2619e28) -- [meta] add `safe-publish-latest` [`9c8f809`](https://github.com/ljharb/function-bind/commit/9c8f8092aed027d7e80c94f517aa892385b64f09) -- [Dev Deps] update `@ljharb/eslint-config`, `tape` [`baf6893`](https://github.com/ljharb/function-bind/commit/baf6893e27f5b59abe88bc1995e6f6ed1e527397) -- [meta] create SECURITY.md [`4db1779`](https://github.com/ljharb/function-bind/commit/4db17799f1f28ae294cb95e0081ca2b591c3911b) -- [Tests] add `npm run audit` [`c8b38ec`](https://github.com/ljharb/function-bind/commit/c8b38ec40ed3f85dabdee40ed4148f1748375bc2) -- Revert "Point to the correct file" [`05cdf0f`](https://github.com/ljharb/function-bind/commit/05cdf0fa205c6a3c5ba40bbedd1dfa9874f915c9) - -## [v1.1.1](https://github.com/ljharb/function-bind/compare/v1.1.0...v1.1.1) - 2017-08-28 - -### Commits - -- [Tests] up to `node` `v8`; newer npm breaks on older node; fix scripts [`817f7d2`](https://github.com/ljharb/function-bind/commit/817f7d28470fdbff8ef608d4d565dd4d1430bc5e) -- [Dev Deps] update `eslint`, `jscs`, `tape`, `@ljharb/eslint-config` [`854288b`](https://github.com/ljharb/function-bind/commit/854288b1b6f5c555f89aceb9eff1152510262084) -- [Dev Deps] update `tape`, `jscs`, `eslint`, `@ljharb/eslint-config` [`83e639f`](https://github.com/ljharb/function-bind/commit/83e639ff74e6cd6921285bccec22c1bcf72311bd) -- Only apps should have lockfiles [`5ed97f5`](https://github.com/ljharb/function-bind/commit/5ed97f51235c17774e0832e122abda0f3229c908) -- Use a SPDX-compliant “license” field. [`5feefea`](https://github.com/ljharb/function-bind/commit/5feefea0dc0193993e83e5df01ded424403a5381) - -## [v1.1.0](https://github.com/ljharb/function-bind/compare/v1.0.2...v1.1.0) - 2016-02-14 - -### Commits - -- Update `eslint`, `tape`; use my personal shared `eslint` config [`9c9062a`](https://github.com/ljharb/function-bind/commit/9c9062abbe9dd70b59ea2c3a3c3a81f29b457097) -- Add `npm run eslint` [`dd96c56`](https://github.com/ljharb/function-bind/commit/dd96c56720034a3c1ffee10b8a59a6f7c53e24ad) -- [New] return the native `bind` when available. [`82186e0`](https://github.com/ljharb/function-bind/commit/82186e03d73e580f95ff167e03f3582bed90ed72) -- [Dev Deps] update `tape`, `jscs`, `eslint`, `@ljharb/eslint-config` [`a3dd767`](https://github.com/ljharb/function-bind/commit/a3dd76720c795cb7f4586b0544efabf8aa107b8b) -- Update `eslint` [`3dae2f7`](https://github.com/ljharb/function-bind/commit/3dae2f7423de30a2d20313ddb1edc19660142fe9) -- Update `tape`, `covert`, `jscs` [`a181eee`](https://github.com/ljharb/function-bind/commit/a181eee0cfa24eb229c6e843a971f36e060a2f6a) -- [Tests] up to `node` `v5.6`, `v4.3` [`964929a`](https://github.com/ljharb/function-bind/commit/964929a6a4ddb36fb128de2bcc20af5e4f22e1ed) -- Test up to `io.js` `v2.1` [`2be7310`](https://github.com/ljharb/function-bind/commit/2be7310f2f74886a7124ca925be411117d41d5ea) -- Update `tape`, `jscs`, `eslint`, `@ljharb/eslint-config` [`45f3d68`](https://github.com/ljharb/function-bind/commit/45f3d6865c6ca93726abcef54febe009087af101) -- [Dev Deps] update `tape`, `jscs` [`6e1340d`](https://github.com/ljharb/function-bind/commit/6e1340d94642deaecad3e717825db641af4f8b1f) -- [Tests] up to `io.js` `v3.3`, `node` `v4.1` [`d9bad2b`](https://github.com/ljharb/function-bind/commit/d9bad2b778b1b3a6dd2876087b88b3acf319f8cc) -- Update `eslint` [`935590c`](https://github.com/ljharb/function-bind/commit/935590caa024ab356102e4858e8fc315b2ccc446) -- [Dev Deps] update `jscs`, `eslint`, `@ljharb/eslint-config` [`8c9a1ef`](https://github.com/ljharb/function-bind/commit/8c9a1efd848e5167887aa8501857a0940a480c57) -- Test on `io.js` `v2.2` [`9a3a38c`](https://github.com/ljharb/function-bind/commit/9a3a38c92013aed6e108666e7bd40969b84ac86e) -- Run `travis-ci` tests on `iojs` and `node` v0.12; speed up builds; allow 0.8 failures. [`69afc26`](https://github.com/ljharb/function-bind/commit/69afc2617405b147dd2a8d8ae73ca9e9283f18b4) -- [Dev Deps] Update `tape`, `eslint` [`36c1be0`](https://github.com/ljharb/function-bind/commit/36c1be0ab12b45fe5df6b0fdb01a5d5137fd0115) -- Update `tape`, `jscs` [`98d8303`](https://github.com/ljharb/function-bind/commit/98d8303cd5ca1c6b8f985469f86b0d44d7d45f6e) -- Update `jscs` [`9633a4e`](https://github.com/ljharb/function-bind/commit/9633a4e9fbf82051c240855166e468ba8ba0846f) -- Update `tape`, `jscs` [`c80ef0f`](https://github.com/ljharb/function-bind/commit/c80ef0f46efc9791e76fa50de4414092ac147831) -- Test up to `io.js` `v3.0` [`7e2c853`](https://github.com/ljharb/function-bind/commit/7e2c8537d52ab9cf5a655755561d8917684c0df4) -- Test on `io.js` `v2.4` [`5a199a2`](https://github.com/ljharb/function-bind/commit/5a199a27ba46795ba5eaf0845d07d4b8232895c9) -- Test on `io.js` `v2.3` [`a511b88`](https://github.com/ljharb/function-bind/commit/a511b8896de0bddf3b56862daa416c701f4d0453) -- Fixing a typo from 822b4e1938db02dc9584aa434fd3a45cb20caf43 [`732d6b6`](https://github.com/ljharb/function-bind/commit/732d6b63a9b33b45230e630dbcac7a10855d3266) -- Update `jscs` [`da52a48`](https://github.com/ljharb/function-bind/commit/da52a4886c06d6490f46ae30b15e4163ba08905d) -- Lock covert to v1.0.0. [`d6150fd`](https://github.com/ljharb/function-bind/commit/d6150fda1e6f486718ebdeff823333d9e48e7430) - -## [v1.0.2](https://github.com/ljharb/function-bind/compare/v1.0.1...v1.0.2) - 2014-10-04 - -## [v1.0.1](https://github.com/ljharb/function-bind/compare/v1.0.0...v1.0.1) - 2014-10-03 - -### Merged - -- make CI build faster [`#3`](https://github.com/ljharb/function-bind/pull/3) - -### Commits - -- Using my standard jscs.json [`d8ee94c`](https://github.com/ljharb/function-bind/commit/d8ee94c993eff0a84cf5744fe6a29627f5cffa1a) -- Adding `npm run lint` [`7571ab7`](https://github.com/ljharb/function-bind/commit/7571ab7dfdbd99b25a1dbb2d232622bd6f4f9c10) -- Using consistent indentation [`e91a1b1`](https://github.com/ljharb/function-bind/commit/e91a1b13a61e99ec1e530e299b55508f74218a95) -- Updating jscs [`7e17892`](https://github.com/ljharb/function-bind/commit/7e1789284bc629bc9c1547a61c9b227bbd8c7a65) -- Using consistent quotes [`c50b57f`](https://github.com/ljharb/function-bind/commit/c50b57fcd1c5ec38320979c837006069ebe02b77) -- Adding keywords [`cb94631`](https://github.com/ljharb/function-bind/commit/cb946314eed35f21186a25fb42fc118772f9ee00) -- Directly export a function expression instead of using a declaration, and relying on hoisting. [`5a33c5f`](https://github.com/ljharb/function-bind/commit/5a33c5f45642de180e0d207110bf7d1843ceb87c) -- Naming npm URL and badge in README; use SVG [`2aef8fc`](https://github.com/ljharb/function-bind/commit/2aef8fcb79d54e63a58ae557c4e60949e05d5e16) -- Naming deps URLs in README [`04228d7`](https://github.com/ljharb/function-bind/commit/04228d766670ee45ca24e98345c1f6a7621065b5) -- Naming travis-ci URLs in README; using SVG [`62c810c`](https://github.com/ljharb/function-bind/commit/62c810c2f54ced956cd4d4ab7b793055addfe36e) -- Make sure functions are invoked correctly (also passing coverage tests) [`2b289b4`](https://github.com/ljharb/function-bind/commit/2b289b4dfbf037ffcfa4dc95eb540f6165e9e43a) -- Removing the strict mode pragmas; they make tests fail. [`1aa701d`](https://github.com/ljharb/function-bind/commit/1aa701d199ddc3782476e8f7eef82679be97b845) -- Adding myself as a contributor [`85fd57b`](https://github.com/ljharb/function-bind/commit/85fd57b0860e5a7af42de9a287f3f265fc6d72fc) -- Adding strict mode pragmas [`915b08e`](https://github.com/ljharb/function-bind/commit/915b08e084c86a722eafe7245e21db74aa21ca4c) -- Adding devDeps URLs to README [`4ccc731`](https://github.com/ljharb/function-bind/commit/4ccc73112c1769859e4ca3076caf4086b3cba2cd) -- Fixing the description. [`a7a472c`](https://github.com/ljharb/function-bind/commit/a7a472cf649af515c635cf560fc478fbe48999c8) -- Using a function expression instead of a function declaration. [`b5d3e4e`](https://github.com/ljharb/function-bind/commit/b5d3e4ea6aaffc63888953eeb1fbc7ff45f1fa14) -- Updating tape [`f086be6`](https://github.com/ljharb/function-bind/commit/f086be6029fb56dde61a258c1340600fa174d1e0) -- Updating jscs [`5f9bdb3`](https://github.com/ljharb/function-bind/commit/5f9bdb375ab13ba48f30852aab94029520c54d71) -- Updating jscs [`9b409ba`](https://github.com/ljharb/function-bind/commit/9b409ba6118e23395a4e5d83ef39152aab9d3bfc) -- Run coverage as part of tests. [`8e1b6d4`](https://github.com/ljharb/function-bind/commit/8e1b6d459f047d1bd4fee814e01247c984c80bd0) -- Run linter as part of tests [`c1ca83f`](https://github.com/ljharb/function-bind/commit/c1ca83f832df94587d09e621beba682fabfaa987) -- Updating covert [`701e837`](https://github.com/ljharb/function-bind/commit/701e83774b57b4d3ef631e1948143f43a72f4bb9) - -## [v1.0.0](https://github.com/ljharb/function-bind/compare/v0.2.0...v1.0.0) - 2014-08-09 - -### Commits - -- Make sure old and unstable nodes don't fail Travis [`27adca3`](https://github.com/ljharb/function-bind/commit/27adca34a4ab6ad67b6dfde43942a1b103ce4d75) -- Fixing an issue when the bound function is called as a constructor in ES3. [`e20122d`](https://github.com/ljharb/function-bind/commit/e20122d267d92ce553859b280cbbea5d27c07731) -- Adding `npm run coverage` [`a2e29c4`](https://github.com/ljharb/function-bind/commit/a2e29c4ecaef9e2f6cd1603e868c139073375502) -- Updating tape [`b741168`](https://github.com/ljharb/function-bind/commit/b741168b12b235b1717ff696087645526b69213c) -- Upgrading tape [`63631a0`](https://github.com/ljharb/function-bind/commit/63631a04c7fbe97cc2fa61829cc27246d6986f74) -- Updating tape [`363cb46`](https://github.com/ljharb/function-bind/commit/363cb46dafb23cb3e347729a22f9448051d78464) - -## v0.2.0 - 2014-03-23 - -### Commits - -- Updating test coverage to match es5-shim. [`aa94d44`](https://github.com/ljharb/function-bind/commit/aa94d44b8f9d7f69f10e060db7709aa7a694e5d4) -- initial [`942ee07`](https://github.com/ljharb/function-bind/commit/942ee07e94e542d91798137bc4b80b926137e066) -- Setting the bound function's length properly. [`079f46a`](https://github.com/ljharb/function-bind/commit/079f46a2d3515b7c0b308c2c13fceb641f97ca25) -- Ensuring that some older browsers will throw when given a regex. [`36ac55b`](https://github.com/ljharb/function-bind/commit/36ac55b87f460d4330253c92870aa26fbfe8227f) -- Removing npm scripts that don't have dependencies [`9d2be60`](https://github.com/ljharb/function-bind/commit/9d2be600002cb8bc8606f8f3585ad3e05868c750) -- Updating tape [`297a4ac`](https://github.com/ljharb/function-bind/commit/297a4acc5464db381940aafb194d1c88f4e678f3) -- Skipping length tests for now. [`d9891ea`](https://github.com/ljharb/function-bind/commit/d9891ea4d2aaffa69f408339cdd61ff740f70565) -- don't take my tea [`dccd930`](https://github.com/ljharb/function-bind/commit/dccd930bfd60ea10cb178d28c97550c3bc8c1e07) diff --git a/node_modules/function-bind/README.md b/node_modules/function-bind/README.md index 814c20b..81862a0 100644 --- a/node_modules/function-bind/README.md +++ b/node_modules/function-bind/README.md @@ -1,20 +1,23 @@ -# function-bind [![Version Badge][npm-version-svg]][package-url] +# function-bind -[![github actions][actions-image]][actions-url] - -[![dependency status][deps-svg]][deps-url] -[![dev dependency status][dev-deps-svg]][dev-deps-url] -[![License][license-image]][license-url] -[![Downloads][downloads-image]][downloads-url] + -[![npm badge][npm-badge-png]][package-url] + Implementation of function.prototype.bind -Old versions of phantomjs, Internet Explorer < 9, and node < 0.6 don't support `Function.prototype.bind`. - ## Example +I mainly do this for unit tests I run on phantomjs. +PhantomJS does not have Function.prototype.bind :( + ```js Function.prototype.bind = require("function-bind") ``` @@ -29,18 +32,17 @@ Function.prototype.bind = require("function-bind") ## MIT Licenced -[package-url]: https://npmjs.org/package/function-bind -[npm-version-svg]: https://versionbadg.es/Raynos/function-bind.svg -[deps-svg]: https://david-dm.org/Raynos/function-bind.svg -[deps-url]: https://david-dm.org/Raynos/function-bind -[dev-deps-svg]: https://david-dm.org/Raynos/function-bind/dev-status.svg -[dev-deps-url]: https://david-dm.org/Raynos/function-bind#info=devDependencies -[npm-badge-png]: https://nodei.co/npm/function-bind.png?downloads=true&stars=true -[license-image]: https://img.shields.io/npm/l/function-bind.svg -[license-url]: LICENSE -[downloads-image]: https://img.shields.io/npm/dm/function-bind.svg -[downloads-url]: https://npm-stat.com/charts.html?package=function-bind -[codecov-image]: https://codecov.io/gh/Raynos/function-bind/branch/main/graphs/badge.svg -[codecov-url]: https://app.codecov.io/gh/Raynos/function-bind/ -[actions-image]: https://img.shields.io/endpoint?url=https://github-actions-badge-u3jn4tfpocch.runkit.sh/Raynos/function-bind -[actions-url]: https://github.com/Raynos/function-bind/actions + [travis-svg]: https://travis-ci.org/Raynos/function-bind.svg + [travis-url]: https://travis-ci.org/Raynos/function-bind + [npm-badge-svg]: https://badge.fury.io/js/function-bind.svg + [npm-url]: https://npmjs.org/package/function-bind + [5]: https://coveralls.io/repos/Raynos/function-bind/badge.png + [6]: https://coveralls.io/r/Raynos/function-bind + [7]: https://gemnasium.com/Raynos/function-bind.png + [8]: https://gemnasium.com/Raynos/function-bind + [deps-svg]: https://david-dm.org/Raynos/function-bind.svg + [deps-url]: https://david-dm.org/Raynos/function-bind + [dev-deps-svg]: https://david-dm.org/Raynos/function-bind/dev-status.svg + [dev-deps-url]: https://david-dm.org/Raynos/function-bind#info=devDependencies + [11]: https://ci.testling.com/Raynos/function-bind.png + [12]: https://ci.testling.com/Raynos/function-bind diff --git a/node_modules/function-bind/implementation.js b/node_modules/function-bind/implementation.js index fd4384c..cc4daec 100644 --- a/node_modules/function-bind/implementation.js +++ b/node_modules/function-bind/implementation.js @@ -3,75 +3,43 @@ /* eslint no-invalid-this: 1 */ var ERROR_MESSAGE = 'Function.prototype.bind called on incompatible '; +var slice = Array.prototype.slice; var toStr = Object.prototype.toString; -var max = Math.max; var funcType = '[object Function]'; -var concatty = function concatty(a, b) { - var arr = []; - - for (var i = 0; i < a.length; i += 1) { - arr[i] = a[i]; - } - for (var j = 0; j < b.length; j += 1) { - arr[j + a.length] = b[j]; - } - - return arr; -}; - -var slicy = function slicy(arrLike, offset) { - var arr = []; - for (var i = offset || 0, j = 0; i < arrLike.length; i += 1, j += 1) { - arr[j] = arrLike[i]; - } - return arr; -}; - -var joiny = function (arr, joiner) { - var str = ''; - for (var i = 0; i < arr.length; i += 1) { - str += arr[i]; - if (i + 1 < arr.length) { - str += joiner; - } - } - return str; -}; - module.exports = function bind(that) { var target = this; - if (typeof target !== 'function' || toStr.apply(target) !== funcType) { + if (typeof target !== 'function' || toStr.call(target) !== funcType) { throw new TypeError(ERROR_MESSAGE + target); } - var args = slicy(arguments, 1); + var args = slice.call(arguments, 1); var bound; var binder = function () { if (this instanceof bound) { var result = target.apply( this, - concatty(args, arguments) + args.concat(slice.call(arguments)) ); if (Object(result) === result) { return result; } return this; + } else { + return target.apply( + that, + args.concat(slice.call(arguments)) + ); } - return target.apply( - that, - concatty(args, arguments) - ); - }; - var boundLength = max(0, target.length - args.length); + var boundLength = Math.max(0, target.length - args.length); var boundArgs = []; for (var i = 0; i < boundLength; i++) { - boundArgs[i] = '$' + i; + boundArgs.push('$' + i); } - bound = Function('binder', 'return function (' + joiny(boundArgs, ',') + '){ return binder.apply(this,arguments); }')(binder); + bound = Function('binder', 'return function (' + boundArgs.join(',') + '){ return binder.apply(this,arguments); }')(binder); if (target.prototype) { var Empty = function Empty() {}; diff --git a/node_modules/function-bind/package.json b/node_modules/function-bind/package.json index 6185963..20a1727 100644 --- a/node_modules/function-bind/package.json +++ b/node_modules/function-bind/package.json @@ -1,6 +1,6 @@ { "name": "function-bind", - "version": "1.1.2", + "version": "1.1.1", "description": "Implementation of Function.prototype.bind", "keywords": [ "function", @@ -9,13 +9,7 @@ "es5" ], "author": "Raynos ", - "repository": { - "type": "git", - "url": "https://github.com/Raynos/function-bind.git" - }, - "funding": { - "url": "https://github.com/sponsors/ljharb" - }, + "repository": "git://github.com/Raynos/function-bind.git", "main": "index", "homepage": "https://github.com/Raynos/function-bind", "contributors": [ @@ -31,29 +25,24 @@ "url": "https://github.com/Raynos/function-bind/issues", "email": "raynos2@gmail.com" }, + "dependencies": {}, "devDependencies": { - "@ljharb/eslint-config": "^21.1.0", - "aud": "^2.0.3", - "auto-changelog": "^2.4.0", - "eslint": "=8.8.0", - "in-publish": "^2.0.1", - "npmignore": "^0.3.0", - "nyc": "^10.3.2", - "safe-publish-latest": "^2.0.0", - "tape": "^5.7.1" + "@ljharb/eslint-config": "^12.2.1", + "covert": "^1.1.0", + "eslint": "^4.5.0", + "jscs": "^3.0.7", + "tape": "^4.8.0" }, "license": "MIT", "scripts": { - "prepublishOnly": "safe-publish-latest", - "prepublish": "not-in-publish || npm run prepublishOnly", - "prepack": "npmignore --auto --commentLines=autogenerated", "pretest": "npm run lint", "test": "npm run tests-only", - "posttest": "aud --production", - "tests-only": "nyc tape 'test/**/*.js'", - "lint": "eslint --ext=js,mjs .", - "version": "auto-changelog && git add CHANGELOG.md", - "postversion": "auto-changelog && git add CHANGELOG.md && git commit --no-edit --amend && git tag -f \"v$(node -e \"console.log(require('./package.json').version)\")\"" + "posttest": "npm run coverage -- --quiet", + "tests-only": "node test", + "coverage": "covert test/*.js", + "lint": "npm run jscs && npm run eslint", + "jscs": "jscs *.js */*.js", + "eslint": "eslint *.js */*.js" }, "testling": { "files": "test/index.js", @@ -70,18 +59,5 @@ "iphone/6.0..latest", "android-browser/4.2..latest" ] - }, - "auto-changelog": { - "output": "CHANGELOG.md", - "template": "keepachangelog", - "unreleased": false, - "commitLimit": false, - "backfillLimit": false, - "hideCredit": true - }, - "publishConfig": { - "ignore": [ - ".github/workflows" - ] } } diff --git a/node_modules/get-intrinsic/CHANGELOG.md b/node_modules/get-intrinsic/CHANGELOG.md index 870b590..37370b9 100644 --- a/node_modules/get-intrinsic/CHANGELOG.md +++ b/node_modules/get-intrinsic/CHANGELOG.md @@ -5,14 +5,6 @@ All notable changes to this project will be documented in this file. The format is based on [Keep a Changelog](https://keepachangelog.com/en/1.0.0/) and this project adheres to [Semantic Versioning](https://semver.org/spec/v2.0.0.html). -## [v1.2.2](https://github.com/ljharb/get-intrinsic/compare/v1.2.1...v1.2.2) - 2023-10-20 - -### Commits - -- [Dev Deps] update `@ljharb/eslint-config`, `aud`, `call-bind`, `es-abstract`, `mock-property`, `object-inspect`, `tape` [`f51bcf2`](https://github.com/ljharb/get-intrinsic/commit/f51bcf26412d58d17ce17c91c9afd0ad271f0762) -- [Refactor] use `hasown` instead of `has` [`18d14b7`](https://github.com/ljharb/get-intrinsic/commit/18d14b799bea6b5765e1cec91890830cbcdb0587) -- [Deps] update `function-bind` [`6e109c8`](https://github.com/ljharb/get-intrinsic/commit/6e109c81e03804cc5e7824fb64353cdc3d8ee2c7) - ## [v1.2.1](https://github.com/ljharb/get-intrinsic/compare/v1.2.0...v1.2.1) - 2023-05-13 ### Commits diff --git a/node_modules/get-intrinsic/index.js b/node_modules/get-intrinsic/index.js index be180b0..c1957c9 100644 --- a/node_modules/get-intrinsic/index.js +++ b/node_modules/get-intrinsic/index.js @@ -214,7 +214,7 @@ var LEGACY_ALIASES = { }; var bind = require('function-bind'); -var hasOwn = require('hasown'); +var hasOwn = require('has'); var $concat = bind.call(Function.call, Array.prototype.concat); var $spliceApply = bind.call(Function.apply, Array.prototype.splice); var $replace = bind.call(Function.call, String.prototype.replace); diff --git a/node_modules/get-intrinsic/package.json b/node_modules/get-intrinsic/package.json index ffffe09..9c7058f 100644 --- a/node_modules/get-intrinsic/package.json +++ b/node_modules/get-intrinsic/package.json @@ -1,6 +1,6 @@ { "name": "get-intrinsic", - "version": "1.2.2", + "version": "1.2.1", "description": "Get and robustly cache all JS language-level intrinsics at first require time", "main": "index.js", "exports": { @@ -48,11 +48,11 @@ }, "homepage": "https://github.com/ljharb/get-intrinsic#readme", "devDependencies": { - "@ljharb/eslint-config": "^21.1.0", - "aud": "^2.0.3", + "@ljharb/eslint-config": "^21.0.1", + "aud": "^2.0.2", "auto-changelog": "^2.4.0", - "call-bind": "^1.0.5", - "es-abstract": "^1.22.2", + "call-bind": "^1.0.2", + "es-abstract": "^1.21.2", "es-value-fixtures": "^1.4.2", "eslint": "=8.8.0", "evalmd": "^0.0.19", @@ -61,12 +61,12 @@ "make-async-function": "^1.0.0", "make-async-generator-function": "^1.0.0", "make-generator-function": "^2.0.0", - "mock-property": "^1.0.2", + "mock-property": "^1.0.0", "npmignore": "^0.3.0", "nyc": "^10.3.2", - "object-inspect": "^1.13.1", + "object-inspect": "^1.12.3", "safe-publish-latest": "^2.0.0", - "tape": "^5.7.2" + "tape": "^5.6.3" }, "auto-changelog": { "output": "CHANGELOG.md", @@ -77,10 +77,10 @@ "hideCredit": true }, "dependencies": { - "function-bind": "^1.1.2", + "function-bind": "^1.1.1", + "has": "^1.0.3", "has-proto": "^1.0.1", - "has-symbols": "^1.0.3", - "hasown": "^2.0.0" + "has-symbols": "^1.0.3" }, "testling": { "files": "test/GetIntrinsic.js" diff --git a/node_modules/gopd/.eslintrc b/node_modules/gopd/.eslintrc deleted file mode 100644 index e2550c0..0000000 --- a/node_modules/gopd/.eslintrc +++ /dev/null @@ -1,16 +0,0 @@ -{ - "root": true, - - "extends": "@ljharb", - - "rules": { - "func-style": [2, "declaration"], - "id-length": 0, - "multiline-comment-style": 0, - "new-cap": [2, { - "capIsNewExceptions": [ - "GetIntrinsic", - ], - }], - }, -} diff --git a/node_modules/gopd/.github/FUNDING.yml b/node_modules/gopd/.github/FUNDING.yml deleted file mode 100644 index 94a44a8..0000000 --- a/node_modules/gopd/.github/FUNDING.yml +++ /dev/null @@ -1,12 +0,0 @@ -# These are supported funding model platforms - -github: [ljharb] -patreon: # Replace with a single Patreon username -open_collective: # Replace with a single Open Collective username -ko_fi: # Replace with a single Ko-fi username -tidelift: npm/gopd -community_bridge: # Replace with a single Community Bridge project-name e.g., cloud-foundry -liberapay: # Replace with a single Liberapay username -issuehunt: # Replace with a single IssueHunt username -otechie: # Replace with a single Otechie username -custom: # Replace with up to 4 custom sponsorship URLs e.g., ['link1', 'link2'] diff --git a/node_modules/gopd/CHANGELOG.md b/node_modules/gopd/CHANGELOG.md deleted file mode 100644 index f111eb1..0000000 --- a/node_modules/gopd/CHANGELOG.md +++ /dev/null @@ -1,25 +0,0 @@ -# Changelog - -All notable changes to this project will be documented in this file. - -The format is based on [Keep a Changelog](https://keepachangelog.com/en/1.0.0/) -and this project adheres to [Semantic Versioning](https://semver.org/spec/v2.0.0.html). - -## [v1.0.1](https://github.com/ljharb/gopd/compare/v1.0.0...v1.0.1) - 2022-11-01 - -### Commits - -- [Fix] actually export gOPD instead of dP [`4b624bf`](https://github.com/ljharb/gopd/commit/4b624bfbeff788c5e3ff16d9443a83627847234f) - -## v1.0.0 - 2022-11-01 - -### Commits - -- Initial implementation, tests, readme [`0911e01`](https://github.com/ljharb/gopd/commit/0911e012cd642092bd88b732c161c58bf4f20bea) -- Initial commit [`b84e33f`](https://github.com/ljharb/gopd/commit/b84e33f5808a805ac57ff88d4247ad935569acbe) -- [actions] add reusable workflows [`12ae28a`](https://github.com/ljharb/gopd/commit/12ae28ae5f50f86e750215b6e2188901646d0119) -- npm init [`280118b`](https://github.com/ljharb/gopd/commit/280118badb45c80b4483836b5cb5315bddf6e582) -- [meta] add `auto-changelog` [`bb78de5`](https://github.com/ljharb/gopd/commit/bb78de5639a180747fb290c28912beaaf1615709) -- [meta] create FUNDING.yml; add `funding` in package.json [`11c22e6`](https://github.com/ljharb/gopd/commit/11c22e6355bb01f24e7fac4c9bb3055eb5b25002) -- [meta] use `npmignore` to autogenerate an npmignore file [`4f4537a`](https://github.com/ljharb/gopd/commit/4f4537a843b39f698c52f072845092e6fca345bb) -- Only apps should have lockfiles [`c567022`](https://github.com/ljharb/gopd/commit/c567022a18573aa7951cf5399445d9840e23e98b) diff --git a/node_modules/gopd/LICENSE b/node_modules/gopd/LICENSE deleted file mode 100644 index 6abfe14..0000000 --- a/node_modules/gopd/LICENSE +++ /dev/null @@ -1,21 +0,0 @@ -MIT License - -Copyright (c) 2022 Jordan Harband - -Permission is hereby granted, free of charge, to any person obtaining a copy -of this software and associated documentation files (the "Software"), to deal -in the Software without restriction, including without limitation the rights -to use, copy, modify, merge, publish, distribute, sublicense, and/or sell -copies of the Software, and to permit persons to whom the Software is -furnished to do so, subject to the following conditions: - -The above copyright notice and this permission notice shall be included in all -copies or substantial portions of the Software. - -THE SOFTWARE IS PROVIDED "AS IS", WITHOUT WARRANTY OF ANY KIND, EXPRESS OR -IMPLIED, INCLUDING BUT NOT LIMITED TO THE WARRANTIES OF MERCHANTABILITY, -FITNESS FOR A PARTICULAR PURPOSE AND NONINFRINGEMENT. IN NO EVENT SHALL THE -AUTHORS OR COPYRIGHT HOLDERS BE LIABLE FOR ANY CLAIM, DAMAGES OR OTHER -LIABILITY, WHETHER IN AN ACTION OF CONTRACT, TORT OR OTHERWISE, ARISING FROM, -OUT OF OR IN CONNECTION WITH THE SOFTWARE OR THE USE OR OTHER DEALINGS IN THE -SOFTWARE. diff --git a/node_modules/gopd/README.md b/node_modules/gopd/README.md deleted file mode 100644 index 784e56a..0000000 --- a/node_modules/gopd/README.md +++ /dev/null @@ -1,40 +0,0 @@ -# gopd [![Version Badge][npm-version-svg]][package-url] - -[![github actions][actions-image]][actions-url] -[![coverage][codecov-image]][codecov-url] -[![License][license-image]][license-url] -[![Downloads][downloads-image]][downloads-url] - -[![npm badge][npm-badge-png]][package-url] - -`Object.getOwnPropertyDescriptor`, but accounts for IE's broken implementation. - -## Usage - -```javascript -var gOPD = require('gopd'); -var assert = require('assert'); - -if (gOPD) { - assert.equal(typeof gOPD, 'function', 'descriptors supported'); - // use gOPD like Object.getOwnPropertyDescriptor here -} else { - assert.ok(!gOPD, 'descriptors not supported'); -} -``` - -[package-url]: https://npmjs.org/package/gopd -[npm-version-svg]: https://versionbadg.es/ljharb/gopd.svg -[deps-svg]: https://david-dm.org/ljharb/gopd.svg -[deps-url]: https://david-dm.org/ljharb/gopd -[dev-deps-svg]: https://david-dm.org/ljharb/gopd/dev-status.svg -[dev-deps-url]: https://david-dm.org/ljharb/gopd#info=devDependencies -[npm-badge-png]: https://nodei.co/npm/gopd.png?downloads=true&stars=true -[license-image]: https://img.shields.io/npm/l/gopd.svg -[license-url]: LICENSE -[downloads-image]: https://img.shields.io/npm/dm/gopd.svg -[downloads-url]: https://npm-stat.com/charts.html?package=gopd -[codecov-image]: https://codecov.io/gh/ljharb/gopd/branch/main/graphs/badge.svg -[codecov-url]: https://app.codecov.io/gh/ljharb/gopd/ -[actions-image]: https://img.shields.io/endpoint?url=https://github-actions-badge-u3jn4tfpocch.runkit.sh/ljharb/gopd -[actions-url]: https://github.com/ljharb/gopd/actions diff --git a/node_modules/gopd/index.js b/node_modules/gopd/index.js deleted file mode 100644 index fb6d3bb..0000000 --- a/node_modules/gopd/index.js +++ /dev/null @@ -1,16 +0,0 @@ -'use strict'; - -var GetIntrinsic = require('get-intrinsic'); - -var $gOPD = GetIntrinsic('%Object.getOwnPropertyDescriptor%', true); - -if ($gOPD) { - try { - $gOPD([], 'length'); - } catch (e) { - // IE 8 has a broken gOPD - $gOPD = null; - } -} - -module.exports = $gOPD; diff --git a/node_modules/gopd/package.json b/node_modules/gopd/package.json deleted file mode 100644 index d5e1fa4..0000000 --- a/node_modules/gopd/package.json +++ /dev/null @@ -1,71 +0,0 @@ -{ - "name": "gopd", - "version": "1.0.1", - "description": "`Object.getOwnPropertyDescriptor`, but accounts for IE's broken implementation.", - "main": "index.js", - "exports": { - ".": "./index.js", - "./package.json": "./package.json" - }, - "sideEffects": false, - "scripts": { - "prepack": "npmignore --auto --commentLines=autogenerated", - "prepublishOnly": "safe-publish-latest", - "prepublish": "not-in-publish || npm run prepublishOnly", - "lint": "eslint --ext=js,mjs .", - "postlint": "evalmd README.md", - "pretest": "npm run lint", - "tests-only": "tape 'test/**/*.js'", - "test": "npm run tests-only", - "posttest": "aud --production", - "version": "auto-changelog && git add CHANGELOG.md", - "postversion": "auto-changelog && git add CHANGELOG.md && git commit --no-edit --amend && git tag -f \"v$(node -e \"console.log(require('./package.json').version)\")\"" - }, - "repository": { - "type": "git", - "url": "git+https://github.com/ljharb/gopd.git" - }, - "keywords": [ - "ecmascript", - "javascript", - "getownpropertydescriptor", - "property", - "descriptor" - ], - "author": "Jordan Harband ", - "funding": { - "url": "https://github.com/sponsors/ljharb" - }, - "license": "MIT", - "bugs": { - "url": "https://github.com/ljharb/gopd/issues" - }, - "homepage": "https://github.com/ljharb/gopd#readme", - "dependencies": { - "get-intrinsic": "^1.1.3" - }, - "devDependencies": { - "@ljharb/eslint-config": "^21.0.0", - "aud": "^2.0.1", - "auto-changelog": "^2.4.0", - "eslint": "=8.8.0", - "evalmd": "^0.0.19", - "in-publish": "^2.0.1", - "npmignore": "^0.3.0", - "safe-publish-latest": "^2.0.0", - "tape": "^5.6.1" - }, - "auto-changelog": { - "output": "CHANGELOG.md", - "template": "keepachangelog", - "unreleased": false, - "commitLimit": false, - "backfillLimit": false, - "hideCredit": true - }, - "publishConfig": { - "ignore": [ - ".github/workflows" - ] - } -} diff --git a/node_modules/gopd/test/index.js b/node_modules/gopd/test/index.js deleted file mode 100644 index 0376bfb..0000000 --- a/node_modules/gopd/test/index.js +++ /dev/null @@ -1,35 +0,0 @@ -'use strict'; - -var test = require('tape'); -var gOPD = require('../'); - -test('gOPD', function (t) { - t.test('supported', { skip: !gOPD }, function (st) { - st.equal(typeof gOPD, 'function', 'is a function'); - - var obj = { x: 1 }; - st.ok('x' in obj, 'property exists'); - - var desc = gOPD(obj, 'x'); - st.deepEqual( - desc, - { - configurable: true, - enumerable: true, - value: 1, - writable: true - }, - 'descriptor is as expected' - ); - - st.end(); - }); - - t.test('not supported', { skip: gOPD }, function (st) { - st.notOk(gOPD, 'is falsy'); - - st.end(); - }); - - t.end(); -}); diff --git a/node_modules/has-property-descriptors/.eslintrc b/node_modules/has-property-descriptors/.eslintrc deleted file mode 100644 index 2fcc002..0000000 --- a/node_modules/has-property-descriptors/.eslintrc +++ /dev/null @@ -1,13 +0,0 @@ -{ - "root": true, - - "extends": "@ljharb", - - "rules": { - "func-name-matching": 0, - "id-length": 0, - "new-cap": [2, { - "capIsNewExceptions": ["GetIntrinsic"], - }], - }, -} diff --git a/node_modules/has-property-descriptors/.github/FUNDING.yml b/node_modules/has-property-descriptors/.github/FUNDING.yml deleted file mode 100644 index 817aacf..0000000 --- a/node_modules/has-property-descriptors/.github/FUNDING.yml +++ /dev/null @@ -1,12 +0,0 @@ -# These are supported funding model platforms - -github: [ljharb] -patreon: # Replace with a single Patreon username -open_collective: # Replace with a single Open Collective username -ko_fi: # Replace with a single Ko-fi username -tidelift: npm/has-property-descriptors -community_bridge: # Replace with a single Community Bridge project-name e.g., cloud-foundry -liberapay: # Replace with a single Liberapay username -issuehunt: # Replace with a single IssueHunt username -otechie: # Replace with a single Otechie username -custom: # Replace with up to 4 custom sponsorship URLs e.g., ['link1', 'link2'] diff --git a/node_modules/has-property-descriptors/.nycrc b/node_modules/has-property-descriptors/.nycrc deleted file mode 100644 index bdd626c..0000000 --- a/node_modules/has-property-descriptors/.nycrc +++ /dev/null @@ -1,9 +0,0 @@ -{ - "all": true, - "check-coverage": false, - "reporter": ["text-summary", "text", "html", "json"], - "exclude": [ - "coverage", - "test" - ] -} diff --git a/node_modules/has-property-descriptors/CHANGELOG.md b/node_modules/has-property-descriptors/CHANGELOG.md deleted file mode 100644 index 2cec99c..0000000 --- a/node_modules/has-property-descriptors/CHANGELOG.md +++ /dev/null @@ -1,27 +0,0 @@ -# Changelog - -All notable changes to this project will be documented in this file. - -The format is based on [Keep a Changelog](https://keepachangelog.com/en/1.0.0/) -and this project adheres to [Semantic Versioning](https://semver.org/spec/v2.0.0.html). - -## [v1.0.1](https://github.com/inspect-js/has-property-descriptors/compare/v1.0.0...v1.0.1) - 2023-10-20 - -### Commits - -- [meta] use `npmignore` to autogenerate an npmignore file [`5bbf4da`](https://github.com/inspect-js/has-property-descriptors/commit/5bbf4dae1b58950d87bb3af508bee7513e640868) -- [actions] update rebase action to use reusable workflow [`3a5585b`](https://github.com/inspect-js/has-property-descriptors/commit/3a5585bf74988f71a8f59e67a07d594e62c51fd8) -- [Dev Deps] update `@ljharb/eslint-config`, `aud`, `tape` [`e5c1212`](https://github.com/inspect-js/has-property-descriptors/commit/e5c1212048a8fda549794c47863724ca60b89cae) -- [Dev Deps] update `aud`, `tape` [`e942917`](https://github.com/inspect-js/has-property-descriptors/commit/e942917b6c2f7c090d5623048989cf20d0834ebf) -- [Deps] update `get-intrinsic` [`f4a44ec`](https://github.com/inspect-js/has-property-descriptors/commit/f4a44ec6d94146fa6c550d3c15c31a2062c83ef4) -- [Deps] update `get-intrinsic` [`eeb275b`](https://github.com/inspect-js/has-property-descriptors/commit/eeb275b473e5d72ca843b61ca25cfcb06a5d4300) - -## v1.0.0 - 2022-04-14 - -### Commits - -- Initial implementation, tests [`303559f`](https://github.com/inspect-js/has-property-descriptors/commit/303559f2a72dfe7111573a1aec475ed4a184c35a) -- Initial commit [`3a7ca2d`](https://github.com/inspect-js/has-property-descriptors/commit/3a7ca2dc49f1fff0279a28bb16265e7615e14749) -- read me [`dd73dce`](https://github.com/inspect-js/has-property-descriptors/commit/dd73dce09d89d0f7a4a6e3b1e562a506f979a767) -- npm init [`c1e6557`](https://github.com/inspect-js/has-property-descriptors/commit/c1e655779de632d68cb944c50da6b71bcb7b8c85) -- Only apps should have lockfiles [`e72f7c6`](https://github.com/inspect-js/has-property-descriptors/commit/e72f7c68de534b2d273ee665f8b18d4ecc7f70b0) diff --git a/node_modules/has-property-descriptors/LICENSE b/node_modules/has-property-descriptors/LICENSE deleted file mode 100644 index 2e7b9a3..0000000 --- a/node_modules/has-property-descriptors/LICENSE +++ /dev/null @@ -1,21 +0,0 @@ -MIT License - -Copyright (c) 2022 Inspect JS - -Permission is hereby granted, free of charge, to any person obtaining a copy -of this software and associated documentation files (the "Software"), to deal -in the Software without restriction, including without limitation the rights -to use, copy, modify, merge, publish, distribute, sublicense, and/or sell -copies of the Software, and to permit persons to whom the Software is -furnished to do so, subject to the following conditions: - -The above copyright notice and this permission notice shall be included in all -copies or substantial portions of the Software. - -THE SOFTWARE IS PROVIDED "AS IS", WITHOUT WARRANTY OF ANY KIND, EXPRESS OR -IMPLIED, INCLUDING BUT NOT LIMITED TO THE WARRANTIES OF MERCHANTABILITY, -FITNESS FOR A PARTICULAR PURPOSE AND NONINFRINGEMENT. IN NO EVENT SHALL THE -AUTHORS OR COPYRIGHT HOLDERS BE LIABLE FOR ANY CLAIM, DAMAGES OR OTHER -LIABILITY, WHETHER IN AN ACTION OF CONTRACT, TORT OR OTHERWISE, ARISING FROM, -OUT OF OR IN CONNECTION WITH THE SOFTWARE OR THE USE OR OTHER DEALINGS IN THE -SOFTWARE. diff --git a/node_modules/has-property-descriptors/README.md b/node_modules/has-property-descriptors/README.md deleted file mode 100644 index d81fbd9..0000000 --- a/node_modules/has-property-descriptors/README.md +++ /dev/null @@ -1,43 +0,0 @@ -# has-property-descriptors [![Version Badge][npm-version-svg]][package-url] - -[![github actions][actions-image]][actions-url] -[![coverage][codecov-image]][codecov-url] -[![dependency status][deps-svg]][deps-url] -[![dev dependency status][dev-deps-svg]][dev-deps-url] -[![License][license-image]][license-url] -[![Downloads][downloads-image]][downloads-url] - -[![npm badge][npm-badge-png]][package-url] - -Does the environment have full property descriptor support? Handles IE 8's broken defineProperty/gOPD. - -## Example - -```js -var hasPropertyDescriptors = require('has-property-descriptors'); -var assert = require('assert'); - -assert.equal(hasPropertyDescriptors(), true); // will be `false` in IE 6-8, and ES5 engines - -// Arrays can not have their length `[[Defined]]` in some engines -assert.equal(hasPropertyDescriptors.hasArrayLengthDefineBug(), false); // will be `true` in Firefox 4-22, and node v0.6 -``` - -## Tests -Simply clone the repo, `npm install`, and run `npm test` - -[package-url]: https://npmjs.org/package/has-property-descriptors -[npm-version-svg]: https://versionbadg.es/inspect-js/has-property-descriptors.svg -[deps-svg]: https://david-dm.org/inspect-js/has-property-descriptors.svg -[deps-url]: https://david-dm.org/inspect-js/has-property-descriptors -[dev-deps-svg]: https://david-dm.org/inspect-js/has-property-descriptors/dev-status.svg -[dev-deps-url]: https://david-dm.org/inspect-js/has-property-descriptors#info=devDependencies -[npm-badge-png]: https://nodei.co/npm/has-property-descriptors.png?downloads=true&stars=true -[license-image]: https://img.shields.io/npm/l/has-property-descriptors.svg -[license-url]: LICENSE -[downloads-image]: https://img.shields.io/npm/dm/has-property-descriptors.svg -[downloads-url]: https://npm-stat.com/charts.html?package=has-property-descriptors -[codecov-image]: https://codecov.io/gh/inspect-js/has-property-descriptors/branch/main/graphs/badge.svg -[codecov-url]: https://app.codecov.io/gh/inspect-js/has-property-descriptors/ -[actions-image]: https://img.shields.io/endpoint?url=https://github-actions-badge-u3jn4tfpocch.runkit.sh/inspect-js/has-property-descriptors -[actions-url]: https://github.com/inspect-js/has-property-descriptors/actions diff --git a/node_modules/has-property-descriptors/index.js b/node_modules/has-property-descriptors/index.js deleted file mode 100644 index 8e30683..0000000 --- a/node_modules/has-property-descriptors/index.js +++ /dev/null @@ -1,33 +0,0 @@ -'use strict'; - -var GetIntrinsic = require('get-intrinsic'); - -var $defineProperty = GetIntrinsic('%Object.defineProperty%', true); - -var hasPropertyDescriptors = function hasPropertyDescriptors() { - if ($defineProperty) { - try { - $defineProperty({}, 'a', { value: 1 }); - return true; - } catch (e) { - // IE 8 has a broken defineProperty - return false; - } - } - return false; -}; - -hasPropertyDescriptors.hasArrayLengthDefineBug = function hasArrayLengthDefineBug() { - // node v0.6 has a bug where array lengths can be Set but not Defined - if (!hasPropertyDescriptors()) { - return null; - } - try { - return $defineProperty([], 'length', { value: 1 }).length !== 1; - } catch (e) { - // In Firefox 4-22, defining length on an array throws an exception. - return true; - } -}; - -module.exports = hasPropertyDescriptors; diff --git a/node_modules/has-property-descriptors/package.json b/node_modules/has-property-descriptors/package.json deleted file mode 100644 index 831e018..0000000 --- a/node_modules/has-property-descriptors/package.json +++ /dev/null @@ -1,77 +0,0 @@ -{ - "name": "has-property-descriptors", - "version": "1.0.1", - "description": "Does the environment have full property descriptor support? Handles IE 8's broken defineProperty/gOPD.", - "main": "index.js", - "exports": { - ".": "./index.js", - "./package.json": "./package.json" - }, - "sideEffects": false, - "scripts": { - "prepack": "npmignore --auto --commentLines=autogenerated", - "prepublishOnly": "safe-publish-latest", - "prepublish": "not-in-publish || npm run prepublishOnly", - "pretest": "npm run lint", - "prelint": "evalmd README.md", - "lint": "eslint --ext=js,mjs .", - "tests-only": "nyc tape 'test/**/*.js'", - "test": "npm run tests-only", - "posttest": "aud --production", - "version": "auto-changelog && git add CHANGELOG.md", - "postversion": "auto-changelog && git add CHANGELOG.md && git commit --no-edit --amend && git tag -f \"v$(node -e \"console.log(require('./package.json').version)\")\"" - }, - "repository": { - "type": "git", - "url": "git+https://github.com/inspect-js/has-property-descriptors.git" - }, - "keywords": [ - "property", - "descriptors", - "has", - "environment", - "env", - "defineProperty", - "getOwnPropertyDescriptor" - ], - "author": "Jordan Harband ", - "funding": { - "url": "https://github.com/sponsors/ljharb" - }, - "license": "MIT", - "bugs": { - "url": "https://github.com/inspect-js/has-property-descriptors/issues" - }, - "homepage": "https://github.com/inspect-js/has-property-descriptors#readme", - "devDependencies": { - "@ljharb/eslint-config": "^21.1.0", - "aud": "^2.0.3", - "auto-changelog": "^2.4.0", - "eslint": "=8.8.0", - "evalmd": "^0.0.19", - "in-publish": "^2.0.1", - "npmignore": "^0.3.0", - "nyc": "^10.3.2", - "safe-publish-latest": "^2.0.0", - "tape": "^5.7.2" - }, - "dependencies": { - "get-intrinsic": "^1.2.2" - }, - "testling": { - "files": "test/index.js" - }, - "auto-changelog": { - "output": "CHANGELOG.md", - "template": "keepachangelog", - "unreleased": false, - "commitLimit": false, - "backfillLimit": false, - "hideCredit": true - }, - "publishConfig": { - "ignore": [ - ".github/workflows" - ] - } -} diff --git a/node_modules/has-property-descriptors/test/index.js b/node_modules/has-property-descriptors/test/index.js deleted file mode 100644 index 7f02bd3..0000000 --- a/node_modules/has-property-descriptors/test/index.js +++ /dev/null @@ -1,57 +0,0 @@ -'use strict'; - -var test = require('tape'); - -var hasPropertyDescriptors = require('../'); - -var sentinel = {}; - -test('hasPropertyDescriptors', function (t) { - t.equal(typeof hasPropertyDescriptors, 'function', 'is a function'); - t.equal(typeof hasPropertyDescriptors.hasArrayLengthDefineBug, 'function', '`hasArrayLengthDefineBug` property is a function'); - - var yes = hasPropertyDescriptors(); - t.test('property descriptors', { skip: !yes }, function (st) { - var o = { a: sentinel }; - - st.deepEqual( - Object.getOwnPropertyDescriptor(o, 'a'), - { - configurable: true, - enumerable: true, - value: sentinel, - writable: true - }, - 'has expected property descriptor' - ); - - Object.defineProperty(o, 'a', { enumerable: false, writable: false }); - - st.deepEqual( - Object.getOwnPropertyDescriptor(o, 'a'), - { - configurable: true, - enumerable: false, - value: sentinel, - writable: false - }, - 'has expected property descriptor after [[Define]]' - ); - - st.end(); - }); - - var arrayBug = hasPropertyDescriptors.hasArrayLengthDefineBug(); - t.test('defining array lengths', { skip: !yes || arrayBug }, function (st) { - var arr = [1, , 3]; // eslint-disable-line no-sparse-arrays - st.equal(arr.length, 3, 'array starts with length 3'); - - Object.defineProperty(arr, 'length', { value: 5 }); - - st.equal(arr.length, 5, 'array ends with length 5'); - - st.end(); - }); - - t.end(); -}); diff --git a/node_modules/has/LICENSE-MIT b/node_modules/has/LICENSE-MIT new file mode 100644 index 0000000..ae7014d --- /dev/null +++ b/node_modules/has/LICENSE-MIT @@ -0,0 +1,22 @@ +Copyright (c) 2013 Thiago de Arruda + +Permission is hereby granted, free of charge, to any person +obtaining a copy of this software and associated documentation +files (the "Software"), to deal in the Software without +restriction, including without limitation the rights to use, +copy, modify, merge, publish, distribute, sublicense, and/or sell +copies of the Software, and to permit persons to whom the +Software is furnished to do so, subject to the following +conditions: + +The above copyright notice and this permission notice shall be +included in all copies or substantial portions of the Software. + +THE SOFTWARE IS PROVIDED "AS IS", WITHOUT WARRANTY OF ANY KIND, +EXPRESS OR IMPLIED, INCLUDING BUT NOT LIMITED TO THE WARRANTIES +OF MERCHANTABILITY, FITNESS FOR A PARTICULAR PURPOSE AND +NONINFRINGEMENT. IN NO EVENT SHALL THE AUTHORS OR COPYRIGHT +HOLDERS BE LIABLE FOR ANY CLAIM, DAMAGES OR OTHER LIABILITY, +WHETHER IN AN ACTION OF CONTRACT, TORT OR OTHERWISE, ARISING +FROM, OUT OF OR IN CONNECTION WITH THE SOFTWARE OR THE USE OR +OTHER DEALINGS IN THE SOFTWARE. diff --git a/node_modules/has/README.md b/node_modules/has/README.md new file mode 100644 index 0000000..635e3a4 --- /dev/null +++ b/node_modules/has/README.md @@ -0,0 +1,18 @@ +# has + +> Object.prototype.hasOwnProperty.call shortcut + +## Installation + +```sh +npm install --save has +``` + +## Usage + +```js +var has = require('has'); + +has({}, 'hasOwnProperty'); // false +has(Object.prototype, 'hasOwnProperty'); // true +``` diff --git a/node_modules/has/package.json b/node_modules/has/package.json new file mode 100644 index 0000000..7c4592f --- /dev/null +++ b/node_modules/has/package.json @@ -0,0 +1,48 @@ +{ + "name": "has", + "description": "Object.prototype.hasOwnProperty.call shortcut", + "version": "1.0.3", + "homepage": "https://github.com/tarruda/has", + "author": { + "name": "Thiago de Arruda", + "email": "tpadilha84@gmail.com" + }, + "contributors": [ + { + "name": "Jordan Harband", + "email": "ljharb@gmail.com", + "url": "http://ljharb.codes" + } + ], + "repository": { + "type": "git", + "url": "git://github.com/tarruda/has.git" + }, + "bugs": { + "url": "https://github.com/tarruda/has/issues" + }, + "license": "MIT", + "licenses": [ + { + "type": "MIT", + "url": "https://github.com/tarruda/has/blob/master/LICENSE-MIT" + } + ], + "main": "./src", + "dependencies": { + "function-bind": "^1.1.1" + }, + "devDependencies": { + "@ljharb/eslint-config": "^12.2.1", + "eslint": "^4.19.1", + "tape": "^4.9.0" + }, + "engines": { + "node": ">= 0.4.0" + }, + "scripts": { + "lint": "eslint .", + "pretest": "npm run lint", + "test": "tape test" + } +} diff --git a/node_modules/has/src/index.js b/node_modules/has/src/index.js new file mode 100644 index 0000000..dd92dd9 --- /dev/null +++ b/node_modules/has/src/index.js @@ -0,0 +1,5 @@ +'use strict'; + +var bind = require('function-bind'); + +module.exports = bind.call(Function.call, Object.prototype.hasOwnProperty); diff --git a/node_modules/has/test/index.js b/node_modules/has/test/index.js new file mode 100644 index 0000000..43d480b --- /dev/null +++ b/node_modules/has/test/index.js @@ -0,0 +1,10 @@ +'use strict'; + +var test = require('tape'); +var has = require('../'); + +test('has', function (t) { + t.equal(has({}, 'hasOwnProperty'), false, 'object literal does not have own property "hasOwnProperty"'); + t.equal(has(Object.prototype, 'hasOwnProperty'), true, 'Object.prototype has own property "hasOwnProperty"'); + t.end(); +}); diff --git a/node_modules/hasown/.eslintrc b/node_modules/hasown/.eslintrc deleted file mode 100644 index 3b5d9e9..0000000 --- a/node_modules/hasown/.eslintrc +++ /dev/null @@ -1,5 +0,0 @@ -{ - "root": true, - - "extends": "@ljharb", -} diff --git a/node_modules/hasown/.github/FUNDING.yml b/node_modules/hasown/.github/FUNDING.yml deleted file mode 100644 index d68c8b7..0000000 --- a/node_modules/hasown/.github/FUNDING.yml +++ /dev/null @@ -1,12 +0,0 @@ -# These are supported funding model platforms - -github: [ljharb] -patreon: # Replace with a single Patreon username -open_collective: # Replace with a single Open Collective username -ko_fi: # Replace with a single Ko-fi username -tidelift: npm/hasown -community_bridge: # Replace with a single Community Bridge project-name e.g., cloud-foundry -liberapay: # Replace with a single Liberapay username -issuehunt: # Replace with a single IssueHunt username -otechie: # Replace with a single Otechie username -custom: # Replace with a single custom sponsorship URL diff --git a/node_modules/hasown/.nycrc b/node_modules/hasown/.nycrc deleted file mode 100644 index 1826526..0000000 --- a/node_modules/hasown/.nycrc +++ /dev/null @@ -1,13 +0,0 @@ -{ - "all": true, - "check-coverage": false, - "reporter": ["text-summary", "text", "html", "json"], - "lines": 86, - "statements": 85.93, - "functions": 82.43, - "branches": 76.06, - "exclude": [ - "coverage", - "test" - ] -} diff --git a/node_modules/hasown/CHANGELOG.md b/node_modules/hasown/CHANGELOG.md deleted file mode 100644 index 1cbd1f5..0000000 --- a/node_modules/hasown/CHANGELOG.md +++ /dev/null @@ -1,20 +0,0 @@ -# Changelog - -All notable changes to this project will be documented in this file. - -The format is based on [Keep a Changelog](https://keepachangelog.com/en/1.0.0/) -and this project adheres to [Semantic Versioning](https://semver.org/spec/v2.0.0.html). - -## [v2.0.0](https://github.com/inspect-js/hasOwn/compare/v1.0.1...v2.0.0) - 2023-10-19 - -### Commits - -- revamped implementation, tests, readme [`72bf8b3`](https://github.com/inspect-js/hasOwn/commit/72bf8b338e77a638f0a290c63ffaed18339c36b4) -- [meta] revamp package.json [`079775f`](https://github.com/inspect-js/hasOwn/commit/079775fb1ec72c1c6334069593617a0be3847458) -- Only apps should have lockfiles [`6640e23`](https://github.com/inspect-js/hasOwn/commit/6640e233d1bb8b65260880f90787637db157d215) - -## v1.0.1 - 2023-10-10 - -### Commits - -- Initial commit [`8dbfde6`](https://github.com/inspect-js/hasOwn/commit/8dbfde6e8fb0ebb076fab38d138f2984eb340a62) diff --git a/node_modules/hasown/LICENSE b/node_modules/hasown/LICENSE deleted file mode 100644 index 0314929..0000000 --- a/node_modules/hasown/LICENSE +++ /dev/null @@ -1,21 +0,0 @@ -MIT License - -Copyright (c) Jordan Harband and contributors - -Permission is hereby granted, free of charge, to any person obtaining a copy -of this software and associated documentation files (the "Software"), to deal -in the Software without restriction, including without limitation the rights -to use, copy, modify, merge, publish, distribute, sublicense, and/or sell -copies of the Software, and to permit persons to whom the Software is -furnished to do so, subject to the following conditions: - -The above copyright notice and this permission notice shall be included in all -copies or substantial portions of the Software. - -THE SOFTWARE IS PROVIDED "AS IS", WITHOUT WARRANTY OF ANY KIND, EXPRESS OR -IMPLIED, INCLUDING BUT NOT LIMITED TO THE WARRANTIES OF MERCHANTABILITY, -FITNESS FOR A PARTICULAR PURPOSE AND NONINFRINGEMENT. IN NO EVENT SHALL THE -AUTHORS OR COPYRIGHT HOLDERS BE LIABLE FOR ANY CLAIM, DAMAGES OR OTHER -LIABILITY, WHETHER IN AN ACTION OF CONTRACT, TORT OR OTHERWISE, ARISING FROM, -OUT OF OR IN CONNECTION WITH THE SOFTWARE OR THE USE OR OTHER DEALINGS IN THE -SOFTWARE. diff --git a/node_modules/hasown/README.md b/node_modules/hasown/README.md deleted file mode 100644 index f759b8a..0000000 --- a/node_modules/hasown/README.md +++ /dev/null @@ -1,40 +0,0 @@ -# hasown [![Version Badge][npm-version-svg]][package-url] - -[![github actions][actions-image]][actions-url] -[![coverage][codecov-image]][codecov-url] -[![License][license-image]][license-url] -[![Downloads][downloads-image]][downloads-url] - -[![npm badge][npm-badge-png]][package-url] - -A robust, ES3 compatible, "has own property" predicate. - -## Example - -```js -const assert = require('assert'); -const hasOwn = require('hasown'); - -assert.equal(hasOwn({}, 'toString'), false); -assert.equal(hasOwn([], 'length'), true); -assert.equal(hasOwn({ a: 42 }, 'a'), true); -``` - -## Tests -Simply clone the repo, `npm install`, and run `npm test` - -[package-url]: https://npmjs.org/package/hasown -[npm-version-svg]: https://versionbadg.es/inspect-js/hasown.svg -[deps-svg]: https://david-dm.org/inspect-js/hasOwn.svg -[deps-url]: https://david-dm.org/inspect-js/hasOwn -[dev-deps-svg]: https://david-dm.org/inspect-js/hasOwn/dev-status.svg -[dev-deps-url]: https://david-dm.org/inspect-js/hasOwn#info=devDependencies -[npm-badge-png]: https://nodei.co/npm/hasown.png?downloads=true&stars=true -[license-image]: https://img.shields.io/npm/l/hasown.svg -[license-url]: LICENSE -[downloads-image]: https://img.shields.io/npm/dm/hasown.svg -[downloads-url]: https://npm-stat.com/charts.html?package=hasown -[codecov-image]: https://codecov.io/gh/inspect-js/hasOwn/branch/main/graphs/badge.svg -[codecov-url]: https://app.codecov.io/gh/inspect-js/hasOwn/ -[actions-image]: https://img.shields.io/endpoint?url=https://github-actions-badge-u3jn4tfpocch.runkit.sh/inspect-js/hasOwn -[actions-url]: https://github.com/inspect-js/hasOwn/actions diff --git a/node_modules/hasown/index.d.ts b/node_modules/hasown/index.d.ts deleted file mode 100644 index caf4a06..0000000 --- a/node_modules/hasown/index.d.ts +++ /dev/null @@ -1,3 +0,0 @@ -declare const _exports: (o: {}, p: PropertyKey) => p is never; -export = _exports; -//# sourceMappingURL=index.d.ts.map \ No newline at end of file diff --git a/node_modules/hasown/index.d.ts.map b/node_modules/hasown/index.d.ts.map deleted file mode 100644 index d40068a..0000000 --- a/node_modules/hasown/index.d.ts.map +++ /dev/null @@ -1 +0,0 @@ -{"version":3,"file":"index.d.ts","sourceRoot":"","sources":["index.js"],"names":[],"mappings":"4BAMe,EAAE,KAAK,WAAW"} \ No newline at end of file diff --git a/node_modules/hasown/index.js b/node_modules/hasown/index.js deleted file mode 100644 index 3b91618..0000000 --- a/node_modules/hasown/index.js +++ /dev/null @@ -1,8 +0,0 @@ -'use strict'; - -var call = Function.prototype.call; -var $hasOwn = Object.prototype.hasOwnProperty; -var bind = require('function-bind'); - -/** @type {(o: {}, p: PropertyKey) => p is keyof o} */ -module.exports = bind.call(call, $hasOwn); diff --git a/node_modules/hasown/package.json b/node_modules/hasown/package.json deleted file mode 100644 index 9545006..0000000 --- a/node_modules/hasown/package.json +++ /dev/null @@ -1,91 +0,0 @@ -{ - "name": "hasown", - "version": "2.0.0", - "description": "A robust, ES3 compatible, \"has own property\" predicate.", - "main": "index.js", - "exports": { - ".": "./index.js", - "./package.json": "./package.json" - }, - "scripts": { - "prepack": "npmignore --auto --commentLines=autogenerated && npm run emit-types", - "prepublish": "not-in-publish || npm run prepublishOnly", - "prepublishOnly": "safe-publish-latest", - "prelint": "evalmd README.md", - "lint": "eslint --ext=js,mjs .", - "postlint": "npm run tsc", - "preemit-types": "rm -f *.ts *.ts.map test/*.ts test/*.ts.map", - "emit-types": "npm run tsc -- --noEmit false --emitDeclarationOnly", - "pretest": "npm run lint", - "tsc": "tsc -p .", - "tests-only": "nyc tape 'test/**/*.js'", - "test": "npm run tests-only", - "posttest": "aud --production", - "version": "auto-changelog && git add CHANGELOG.md", - "postversion": "auto-changelog && git add CHANGELOG.md && git commit --no-edit --amend && git tag -f \"v$(node -e \"console.log(require('./package.json').version)\")\"" - }, - "repository": { - "type": "git", - "url": "git+https://github.com/inspect-js/hasOwn.git" - }, - "keywords": [ - "has", - "hasOwnProperty", - "hasOwn", - "has-own", - "own", - "has", - "property", - "in", - "javascript", - "ecmascript" - ], - "author": "Jordan Harband ", - "license": "MIT", - "bugs": { - "url": "https://github.com/inspect-js/hasOwn/issues" - }, - "homepage": "https://github.com/inspect-js/hasOwn#readme", - "dependencies": { - "function-bind": "^1.1.2" - }, - "devDependencies": { - "@ljharb/eslint-config": "^21.1.0", - "@types/function-bind": "^1.1.9", - "@types/mock-property": "^1.0.1", - "@types/tape": "^5.6.3", - "aud": "^2.0.3", - "auto-changelog": "^2.4.0", - "eslint": "=8.8.0", - "evalmd": "^0.0.19", - "in-publish": "^2.0.1", - "mock-property": "^1.0.2", - "npmignore": "^0.3.0", - "nyc": "^10.3.2", - "safe-publish-latest": "^2.0.0", - "tape": "^5.7.1", - "typescript": "^5.3.0-dev.20231019" - }, - "engines": { - "node": ">= 0.4" - }, - "testling": { - "files": "test/index.js" - }, - "auto-changelog": { - "output": "CHANGELOG.md", - "template": "keepachangelog", - "unreleased": false, - "commitLimit": false, - "backfillLimit": false, - "hideCredit": true - }, - "publishConfig": { - "ignore": [ - ".github/workflows", - "test", - "!*.d.ts", - "!*.d.ts.map" - ] - } -} diff --git a/node_modules/hasown/tsconfig.json b/node_modules/hasown/tsconfig.json deleted file mode 100644 index fdab34f..0000000 --- a/node_modules/hasown/tsconfig.json +++ /dev/null @@ -1,49 +0,0 @@ -{ - "compilerOptions": { - /* Visit https://aka.ms/tsconfig to read more about this file */ - - /* Projects */ - - /* Language and Environment */ - "target": "es2016", /* Set the JavaScript language version for emitted JavaScript and include compatible library declarations. */ - // "lib": [], /* Specify a set of bundled library declaration files that describe the target runtime environment. */ - // "noLib": true, /* Disable including any library files, including the default lib.d.ts. */ - "useDefineForClassFields": true, /* Emit ECMAScript-standard-compliant class fields. */ - // "moduleDetection": "auto", /* Control what method is used to detect module-format JS files. */ - - /* Modules */ - "module": "commonjs", /* Specify what module code is generated. */ - // "rootDir": "./", /* Specify the root folder within your source files. */ - // "moduleResolution": "node10", /* Specify how TypeScript looks up a file from a given module specifier. */ - // "baseUrl": "./", /* Specify the base directory to resolve non-relative module names. */ - // "paths": {}, /* Specify a set of entries that re-map imports to additional lookup locations. */ - // "rootDirs": [], /* Allow multiple folders to be treated as one when resolving modules. */ - "typeRoots": ["types"], /* Specify multiple folders that act like './node_modules/@types'. */ - "resolveJsonModule": true, /* Enable importing .json files. */ - // "allowArbitraryExtensions": true, /* Enable importing files with any extension, provided a declaration file is present. */ - - /* JavaScript Support */ - "allowJs": true, /* Allow JavaScript files to be a part of your program. Use the 'checkJS' option to get errors from these files. */ - "checkJs": true, /* Enable error reporting in type-checked JavaScript files. */ - "maxNodeModuleJsDepth": 1, /* Specify the maximum folder depth used for checking JavaScript files from 'node_modules'. Only applicable with 'allowJs'. */ - - /* Emit */ - "declaration": true, /* Generate .d.ts files from TypeScript and JavaScript files in your project. */ - "declarationMap": true, /* Create sourcemaps for d.ts files. */ - "noEmit": true, /* Disable emitting files from a compilation. */ - - /* Interop Constraints */ - "allowSyntheticDefaultImports": true, /* Allow 'import x from y' when a module doesn't have a default export. */ - "esModuleInterop": true, /* Emit additional JavaScript to ease support for importing CommonJS modules. This enables 'allowSyntheticDefaultImports' for type compatibility. */ - "forceConsistentCasingInFileNames": true, /* Ensure that casing is correct in imports. */ - - /* Type Checking */ - "strict": true, /* Enable all strict type-checking options. */ - - /* Completeness */ - //"skipLibCheck": true /* Skip type checking all .d.ts files. */ - }, - "exclude": [ - "coverage" - ] -} diff --git a/node_modules/http-errors/HISTORY.md b/node_modules/http-errors/HISTORY.md index 7228684..cba86e2 100644 --- a/node_modules/http-errors/HISTORY.md +++ b/node_modules/http-errors/HISTORY.md @@ -1,58 +1,10 @@ -2.0.0 / 2021-12-17 -================== - - * Drop support for Node.js 0.6 - * Remove `I'mateapot` export; use `ImATeapot` instead - * Remove support for status being non-first argument - * Rename `UnorderedCollection` constructor to `TooEarly` - * deps: depd@2.0.0 - - Replace internal `eval` usage with `Function` constructor - - Use instance methods on `process` to check for listeners - * deps: statuses@2.0.1 - - Fix messaging casing of `418 I'm a Teapot` - - Remove code 306 - - Rename `425 Unordered Collection` to standard `425 Too Early` - -2021-11-14 / 1.8.1 -================== - - * deps: toidentifier@1.0.1 - -2020-06-29 / 1.8.0 -================== - - * Add `isHttpError` export to determine if value is an HTTP error - * deps: setprototypeof@1.2.0 - -2019-06-24 / 1.7.3 -================== - - * deps: inherits@2.0.4 - -2019-02-18 / 1.7.2 -================== - - * deps: setprototypeof@1.1.1 - -2018-09-08 / 1.7.1 -================== - - * Fix error creating objects in some environments - -2018-07-30 / 1.7.0 -================== - - * Set constructor name when possible - * Use `toidentifier` module to make class names - * deps: statuses@'>= 1.5.0 < 2' - 2018-03-29 / 1.6.3 ================== * deps: depd@~1.1.2 - perf: remove argument reassignment * deps: setprototypeof@1.1.0 - * deps: statuses@'>= 1.4.0 < 2' + * deps: statuses@'>= 1.3.1 < 2' 2017-08-04 / 1.6.2 ================== diff --git a/node_modules/http-errors/README.md b/node_modules/http-errors/README.md index a8b7330..79663d8 100644 --- a/node_modules/http-errors/README.md +++ b/node_modules/http-errors/README.md @@ -1,9 +1,9 @@ # http-errors -[![NPM Version][npm-version-image]][npm-url] -[![NPM Downloads][npm-downloads-image]][node-url] -[![Node.js Version][node-image]][node-url] -[![Build Status][ci-image]][ci-url] +[![NPM Version][npm-image]][npm-url] +[![NPM Downloads][downloads-image]][downloads-url] +[![Node.js Version][node-version-image]][node-version-url] +[![Build Status][travis-image]][travis-url] [![Test Coverage][coveralls-image]][coveralls-url] Create HTTP errors for Express, Koa, Connect, etc. with ease. @@ -14,7 +14,7 @@ This is a [Node.js](https://nodejs.org/en/) module available through the [npm registry](https://www.npmjs.com/). Installation is done using the [`npm install` command](https://docs.npmjs.com/getting-started/installing-npm-packages-locally): -```console +```bash $ npm install http-errors ``` @@ -35,6 +35,8 @@ app.use(function (req, res, next) { This is the current API, currently extracted from Koa and subject to change. +All errors inherit from JavaScript `Error` and the exported `createError.HttpError`. + ### Error Properties - `expose` - can be used to signal if `message` should be sent to the client, @@ -50,8 +52,7 @@ This is the current API, currently extracted from Koa and subject to change. ### createError([status], [message], [properties]) -Create a new error object with the given message `msg`. -The error object inherits from `createError.HttpError`. + ```js var err = createError(404, 'This video does not exist!') @@ -61,43 +62,9 @@ var err = createError(404, 'This video does not exist!') - `message` - the message of the error, defaulting to node's text for that status code. - `properties` - custom properties to attach to the object -### createError([status], [error], [properties]) - -Extend the given `error` object with `createError.HttpError` -properties. This will not alter the inheritance of the given -`error` object, and the modified `error` object is the -return value. - - - -```js -fs.readFile('foo.txt', function (err, buf) { - if (err) { - if (err.code === 'ENOENT') { - var httpError = createError(404, err, { expose: false }) - } else { - var httpError = createError(500, err) - } - } -}) -``` - -- `status` - the status code as a number -- `error` - the error object to extend -- `properties` - custom properties to attach to the object - -### createError.isHttpError(val) - -Determine if the provided `val` is an `HttpError`. This will return `true` -if the error inherits from the `HttpError` constructor of this module or -matches the "duck type" for an error this module creates. All outputs from -the `createError` factory will return `true` for this function, including -if an non-`HttpError` was passed into the factory. - ### new createError\[code || name\](\[msg]\)) -Create a new error object with the given message `msg`. -The error object inherits from `createError.HttpError`. + ```js var err = new createError.NotFound() @@ -133,7 +100,7 @@ var err = new createError.NotFound() |422 |UnprocessableEntity | |423 |Locked | |424 |FailedDependency | -|425 |TooEarly | +|425 |UnorderedCollection | |426 |UpgradeRequired | |428 |PreconditionRequired | |429 |TooManyRequests | @@ -156,14 +123,13 @@ var err = new createError.NotFound() [MIT](LICENSE) -[ci-image]: https://badgen.net/github/checks/jshttp/http-errors/master?label=ci -[ci-url]: https://github.com/jshttp/http-errors/actions?query=workflow%3Aci -[coveralls-image]: https://badgen.net/coveralls/c/github/jshttp/http-errors/master -[coveralls-url]: https://coveralls.io/r/jshttp/http-errors?branch=master -[node-image]: https://badgen.net/npm/node/http-errors -[node-url]: https://nodejs.org/en/download -[npm-downloads-image]: https://badgen.net/npm/dm/http-errors +[npm-image]: https://img.shields.io/npm/v/http-errors.svg [npm-url]: https://npmjs.org/package/http-errors -[npm-version-image]: https://badgen.net/npm/v/http-errors -[travis-image]: https://badgen.net/travis/jshttp/http-errors/master +[node-version-image]: https://img.shields.io/node/v/http-errors.svg +[node-version-url]: https://nodejs.org/en/download/ +[travis-image]: https://img.shields.io/travis/jshttp/http-errors.svg [travis-url]: https://travis-ci.org/jshttp/http-errors +[coveralls-image]: https://img.shields.io/coveralls/jshttp/http-errors.svg +[coveralls-url]: https://coveralls.io/r/jshttp/http-errors +[downloads-image]: https://img.shields.io/npm/dm/http-errors.svg +[downloads-url]: https://npmjs.org/package/http-errors diff --git a/node_modules/http-errors/index.js b/node_modules/http-errors/index.js index c425f1e..9509303 100644 --- a/node_modules/http-errors/index.js +++ b/node_modules/http-errors/index.js @@ -16,7 +16,6 @@ var deprecate = require('depd')('http-errors') var setPrototypeOf = require('setprototypeof') var statuses = require('statuses') var inherits = require('inherits') -var toIdentifier = require('toidentifier') /** * Module exports. @@ -25,7 +24,6 @@ var toIdentifier = require('toidentifier') module.exports = createError module.exports.HttpError = createHttpErrorConstructor() -module.exports.isHttpError = createIsHttpErrorFunction(module.exports.HttpError) // Populate exports for all constructors populateConstructorExports(module.exports, statuses.codes, module.exports.HttpError) @@ -54,18 +52,24 @@ function createError () { var props = {} for (var i = 0; i < arguments.length; i++) { var arg = arguments[i] - var type = typeof arg - if (type === 'object' && arg instanceof Error) { + if (arg instanceof Error) { err = arg status = err.status || err.statusCode || status - } else if (type === 'number' && i === 0) { - status = arg - } else if (type === 'string') { - msg = arg - } else if (type === 'object') { - props = arg - } else { - throw new TypeError('argument #' + (i + 1) + ' unsupported type ' + type) + continue + } + switch (typeof arg) { + case 'string': + msg = arg + break + case 'number': + status = arg + if (i !== 0) { + deprecate('non-first-argument status code; replace with createError(' + arg + ', ...)') + } + break + case 'object': + props = arg + break } } @@ -74,7 +78,7 @@ function createError () { } if (typeof status !== 'number' || - (!statuses.message[status] && (status < 400 || status >= 600))) { + (!statuses[status] && (status < 400 || status >= 600))) { status = 500 } @@ -85,7 +89,7 @@ function createError () { // create error err = HttpError ? new HttpError(msg) - : new Error(msg || statuses.message[status]) + : new Error(msg || statuses[status]) Error.captureStackTrace(err, createError) } @@ -125,11 +129,11 @@ function createHttpErrorConstructor () { */ function createClientErrorConstructor (HttpError, name, code) { - var className = toClassName(name) + var className = name.match(/Error$/) ? name : name + 'Error' function ClientError (message) { // create the error object - var msg = message != null ? message : statuses.message[code] + var msg = message != null ? message : statuses[code] var err = new Error(msg) // capture a stack trace to the construction point @@ -158,7 +162,6 @@ function createClientErrorConstructor (HttpError, name, code) { } inherits(ClientError, HttpError) - nameFunc(ClientError, className) ClientError.prototype.status = code ClientError.prototype.statusCode = code @@ -167,38 +170,17 @@ function createClientErrorConstructor (HttpError, name, code) { return ClientError } -/** - * Create function to test is a value is a HttpError. - * @private - */ - -function createIsHttpErrorFunction (HttpError) { - return function isHttpError (val) { - if (!val || typeof val !== 'object') { - return false - } - - if (val instanceof HttpError) { - return true - } - - return val instanceof Error && - typeof val.expose === 'boolean' && - typeof val.statusCode === 'number' && val.status === val.statusCode - } -} - /** * Create a constructor for a server error. * @private */ function createServerErrorConstructor (HttpError, name, code) { - var className = toClassName(name) + var className = name.match(/Error$/) ? name : name + 'Error' function ServerError (message) { // create the error object - var msg = message != null ? message : statuses.message[code] + var msg = message != null ? message : statuses[code] var err = new Error(msg) // capture a stack trace to the construction point @@ -227,7 +209,6 @@ function createServerErrorConstructor (HttpError, name, code) { } inherits(ServerError, HttpError) - nameFunc(ServerError, className) ServerError.prototype.status = code ServerError.prototype.statusCode = code @@ -236,20 +217,6 @@ function createServerErrorConstructor (HttpError, name, code) { return ServerError } -/** - * Set the name of a function, if possible. - * @private - */ - -function nameFunc (func, name) { - var desc = Object.getOwnPropertyDescriptor(func, 'name') - - if (desc && desc.configurable) { - desc.value = name - Object.defineProperty(func, 'name', desc) - } -} - /** * Populate the exports object with constructors for every error class. * @private @@ -258,7 +225,7 @@ function nameFunc (func, name) { function populateConstructorExports (exports, codes, HttpError) { codes.forEach(function forEachCode (code) { var CodeError - var name = toIdentifier(statuses.message[code]) + var name = toIdentifier(statuses[code]) switch (codeClass(code)) { case 400: @@ -275,15 +242,19 @@ function populateConstructorExports (exports, codes, HttpError) { exports[name] = CodeError } }) + + // backwards-compatibility + exports["I'mateapot"] = deprecate.function(exports.ImATeapot, + '"I\'mateapot"; use "ImATeapot" instead') } /** - * Get a class name from a name identifier. + * Convert a string of words to a JavaScript identifier. * @private */ -function toClassName (name) { - return name.substr(-5) !== 'Error' - ? name + 'Error' - : name +function toIdentifier (str) { + return str.split(' ').map(function (token) { + return token.slice(0, 1).toUpperCase() + token.slice(1) + }).join('').replace(/[^ _0-9a-z]/gi, '') } diff --git a/node_modules/http-errors/package.json b/node_modules/http-errors/package.json index 4cb6d7e..a8d28e4 100644 --- a/node_modules/http-errors/package.json +++ b/node_modules/http-errors/package.json @@ -1,7 +1,7 @@ { "name": "http-errors", "description": "Create HTTP error objects", - "version": "2.0.0", + "version": "1.6.3", "author": "Jonathan Ong (http://jongleberry.com)", "contributors": [ "Alan Plum ", @@ -10,32 +10,30 @@ "license": "MIT", "repository": "jshttp/http-errors", "dependencies": { - "depd": "2.0.0", - "inherits": "2.0.4", - "setprototypeof": "1.2.0", - "statuses": "2.0.1", - "toidentifier": "1.0.1" + "depd": "~1.1.2", + "inherits": "2.0.3", + "setprototypeof": "1.1.0", + "statuses": ">= 1.4.0 < 2" }, "devDependencies": { - "eslint": "7.32.0", - "eslint-config-standard": "14.1.1", - "eslint-plugin-import": "2.25.3", - "eslint-plugin-markdown": "2.2.1", - "eslint-plugin-node": "11.1.0", - "eslint-plugin-promise": "5.2.0", - "eslint-plugin-standard": "4.1.0", - "mocha": "9.1.3", - "nyc": "15.1.0" + "eslint": "4.18.1", + "eslint-config-standard": "11.0.0", + "eslint-plugin-import": "2.9.0", + "eslint-plugin-markdown": "1.0.0-beta.6", + "eslint-plugin-node": "6.0.1", + "eslint-plugin-promise": "3.6.0", + "eslint-plugin-standard": "3.0.1", + "istanbul": "0.4.5", + "mocha": "1.21.5" }, "engines": { - "node": ">= 0.8" + "node": ">= 0.6" }, "scripts": { - "lint": "eslint . && node ./scripts/lint-readme-list.js", + "lint": "eslint --plugin markdown --ext js,md .", "test": "mocha --reporter spec --bail", - "test-ci": "nyc --reporter=lcov --reporter=text npm test", - "test-cov": "nyc --reporter=html --reporter=text npm test", - "version": "node scripts/version-history.js && git add HISTORY.md" + "test-cov": "istanbul cover node_modules/mocha/bin/_mocha -- --reporter dot", + "test-travis": "istanbul cover node_modules/mocha/bin/_mocha --report lcovonly -- --reporter dot" }, "keywords": [ "http", diff --git a/node_modules/inherits/inherits.js b/node_modules/inherits/inherits.js index f71f2d9..3b94763 100644 --- a/node_modules/inherits/inherits.js +++ b/node_modules/inherits/inherits.js @@ -1,9 +1,7 @@ try { var util = require('util'); - /* istanbul ignore next */ if (typeof util.inherits !== 'function') throw ''; module.exports = util.inherits; } catch (e) { - /* istanbul ignore next */ module.exports = require('./inherits_browser.js'); } diff --git a/node_modules/inherits/inherits_browser.js b/node_modules/inherits/inherits_browser.js index 86bbb3d..c1e78a7 100644 --- a/node_modules/inherits/inherits_browser.js +++ b/node_modules/inherits/inherits_browser.js @@ -1,27 +1,23 @@ if (typeof Object.create === 'function') { // implementation from standard node.js 'util' module module.exports = function inherits(ctor, superCtor) { - if (superCtor) { - ctor.super_ = superCtor - ctor.prototype = Object.create(superCtor.prototype, { - constructor: { - value: ctor, - enumerable: false, - writable: true, - configurable: true - } - }) - } + ctor.super_ = superCtor + ctor.prototype = Object.create(superCtor.prototype, { + constructor: { + value: ctor, + enumerable: false, + writable: true, + configurable: true + } + }); }; } else { // old school shim for old browsers module.exports = function inherits(ctor, superCtor) { - if (superCtor) { - ctor.super_ = superCtor - var TempCtor = function () {} - TempCtor.prototype = superCtor.prototype - ctor.prototype = new TempCtor() - ctor.prototype.constructor = ctor - } + ctor.super_ = superCtor + var TempCtor = function () {} + TempCtor.prototype = superCtor.prototype + ctor.prototype = new TempCtor() + ctor.prototype.constructor = ctor } } diff --git a/node_modules/inherits/package.json b/node_modules/inherits/package.json index 37b4366..7cf62b9 100644 --- a/node_modules/inherits/package.json +++ b/node_modules/inherits/package.json @@ -1,7 +1,7 @@ { "name": "inherits", "description": "Browser-friendly inheritance fully compatible with standard node.js inherits()", - "version": "2.0.4", + "version": "2.0.3", "keywords": [ "inheritance", "class", @@ -17,10 +17,10 @@ "repository": "git://github.com/isaacs/inherits", "license": "ISC", "scripts": { - "test": "tap" + "test": "node test" }, "devDependencies": { - "tap": "^14.2.4" + "tap": "^7.1.0" }, "files": [ "inherits.js", diff --git a/node_modules/mime/CHANGELOG.md b/node_modules/mime/CHANGELOG.md deleted file mode 100644 index f127535..0000000 --- a/node_modules/mime/CHANGELOG.md +++ /dev/null @@ -1,164 +0,0 @@ -# Changelog - -## v1.6.0 (24/11/2017) -*No changelog for this release.* - ---- - -## v2.0.4 (24/11/2017) -- [**closed**] Switch to mime-score module for resolving extension contention issues. [#182](https://github.com/broofa/node-mime/issues/182) -- [**closed**] Update mime-db to 1.31.0 in v1.x branch [#181](https://github.com/broofa/node-mime/issues/181) - ---- - -## v1.5.0 (22/11/2017) -- [**closed**] need ES5 version ready in npm package [#179](https://github.com/broofa/node-mime/issues/179) -- [**closed**] mime-db no trace of iWork - pages / numbers / etc. [#178](https://github.com/broofa/node-mime/issues/178) -- [**closed**] How it works in brownser ? [#176](https://github.com/broofa/node-mime/issues/176) -- [**closed**] Missing `./Mime` [#175](https://github.com/broofa/node-mime/issues/175) -- [**closed**] Vulnerable Regular Expression [#167](https://github.com/broofa/node-mime/issues/167) - ---- - -## v2.0.3 (25/09/2017) -*No changelog for this release.* - ---- - -## v1.4.1 (25/09/2017) -- [**closed**] Issue when bundling with webpack [#172](https://github.com/broofa/node-mime/issues/172) - ---- - -## v2.0.2 (15/09/2017) -- [**V2**] fs.readFileSync is not a function [#165](https://github.com/broofa/node-mime/issues/165) -- [**closed**] The extension for video/quicktime should map to .mov, not .qt [#164](https://github.com/broofa/node-mime/issues/164) -- [**V2**] [v2 Feedback request] Mime class API [#163](https://github.com/broofa/node-mime/issues/163) -- [**V2**] [v2 Feedback request] Resolving conflicts over extensions [#162](https://github.com/broofa/node-mime/issues/162) -- [**V2**] Allow callers to load module with official, full, or no defined types. [#161](https://github.com/broofa/node-mime/issues/161) -- [**V2**] Use "facets" to resolve extension conflicts [#160](https://github.com/broofa/node-mime/issues/160) -- [**V2**] Remove fs and path dependencies [#152](https://github.com/broofa/node-mime/issues/152) -- [**V2**] Default content-type should not be application/octet-stream [#139](https://github.com/broofa/node-mime/issues/139) -- [**V2**] reset mime-types [#124](https://github.com/broofa/node-mime/issues/124) -- [**V2**] Extensionless paths should return null or false [#113](https://github.com/broofa/node-mime/issues/113) - ---- - -## v2.0.1 (14/09/2017) -- [**closed**] Changelog for v2.0 does not mention breaking changes [#171](https://github.com/broofa/node-mime/issues/171) -- [**closed**] MIME breaking with 'class' declaration as it is without 'use strict mode' [#170](https://github.com/broofa/node-mime/issues/170) - ---- - -## v2.0.0 (12/09/2017) -- [**closed**] woff and woff2 [#168](https://github.com/broofa/node-mime/issues/168) - ---- - -## v1.4.0 (28/08/2017) -- [**closed**] support for ac3 voc files [#159](https://github.com/broofa/node-mime/issues/159) -- [**closed**] Help understanding change from application/xml to text/xml [#158](https://github.com/broofa/node-mime/issues/158) -- [**closed**] no longer able to override mimetype [#157](https://github.com/broofa/node-mime/issues/157) -- [**closed**] application/vnd.adobe.photoshop [#147](https://github.com/broofa/node-mime/issues/147) -- [**closed**] Directories should appear as something other than application/octet-stream [#135](https://github.com/broofa/node-mime/issues/135) -- [**closed**] requested features [#131](https://github.com/broofa/node-mime/issues/131) -- [**closed**] Make types.json loading optional? [#129](https://github.com/broofa/node-mime/issues/129) -- [**closed**] Cannot find module './types.json' [#120](https://github.com/broofa/node-mime/issues/120) -- [**V2**] .wav files show up as "audio/x-wav" instead of "audio/x-wave" [#118](https://github.com/broofa/node-mime/issues/118) -- [**closed**] Don't be a pain in the ass for node community [#108](https://github.com/broofa/node-mime/issues/108) -- [**closed**] don't make default_type global [#78](https://github.com/broofa/node-mime/issues/78) -- [**closed**] mime.extension() fails if the content-type is parameterized [#74](https://github.com/broofa/node-mime/issues/74) - ---- - -## v1.3.6 (11/05/2017) -- [**closed**] .md should be text/markdown as of March 2016 [#154](https://github.com/broofa/node-mime/issues/154) -- [**closed**] Error while installing mime [#153](https://github.com/broofa/node-mime/issues/153) -- [**closed**] application/manifest+json [#149](https://github.com/broofa/node-mime/issues/149) -- [**closed**] Dynamic adaptive streaming over HTTP (DASH) file extension typo [#141](https://github.com/broofa/node-mime/issues/141) -- [**closed**] charsets image/png undefined [#140](https://github.com/broofa/node-mime/issues/140) -- [**closed**] Mime-db dependency out of date [#130](https://github.com/broofa/node-mime/issues/130) -- [**closed**] how to support plist? [#126](https://github.com/broofa/node-mime/issues/126) -- [**closed**] how does .types file format look like? [#123](https://github.com/broofa/node-mime/issues/123) -- [**closed**] Feature: support for expanding MIME patterns [#121](https://github.com/broofa/node-mime/issues/121) -- [**closed**] DEBUG_MIME doesn't work [#117](https://github.com/broofa/node-mime/issues/117) - ---- - -## v1.3.4 (06/02/2015) -*No changelog for this release.* - ---- - -## v1.3.3 (06/02/2015) -*No changelog for this release.* - ---- - -## v1.3.1 (05/02/2015) -- [**closed**] Consider adding support for Handlebars .hbs file ending [#111](https://github.com/broofa/node-mime/issues/111) -- [**closed**] Consider adding support for hjson. [#110](https://github.com/broofa/node-mime/issues/110) -- [**closed**] Add mime type for Opus audio files [#94](https://github.com/broofa/node-mime/issues/94) -- [**closed**] Consider making the `Requesting New Types` information more visible [#77](https://github.com/broofa/node-mime/issues/77) - ---- - -## v1.3.0 (05/02/2015) -- [**closed**] Add common name? [#114](https://github.com/broofa/node-mime/issues/114) -- [**closed**] application/x-yaml [#104](https://github.com/broofa/node-mime/issues/104) -- [**closed**] Add mime type for WOFF file format 2.0 [#102](https://github.com/broofa/node-mime/issues/102) -- [**closed**] application/x-msi for .msi [#99](https://github.com/broofa/node-mime/issues/99) -- [**closed**] Add mimetype for gettext translation files [#98](https://github.com/broofa/node-mime/issues/98) -- [**closed**] collaborators [#88](https://github.com/broofa/node-mime/issues/88) -- [**closed**] getting errot in installation of mime module...any1 can help? [#87](https://github.com/broofa/node-mime/issues/87) -- [**closed**] should application/json's charset be utf8? [#86](https://github.com/broofa/node-mime/issues/86) -- [**closed**] Add "license" and "licenses" to package.json [#81](https://github.com/broofa/node-mime/issues/81) -- [**closed**] lookup with extension-less file on Windows returns wrong type [#68](https://github.com/broofa/node-mime/issues/68) - ---- - -## v1.2.11 (15/08/2013) -- [**closed**] Update mime.types [#65](https://github.com/broofa/node-mime/issues/65) -- [**closed**] Publish a new version [#63](https://github.com/broofa/node-mime/issues/63) -- [**closed**] README should state upfront that "application/octet-stream" is default for unknown extension [#55](https://github.com/broofa/node-mime/issues/55) -- [**closed**] Suggested improvement to the charset API [#52](https://github.com/broofa/node-mime/issues/52) - ---- - -## v1.2.10 (25/07/2013) -- [**closed**] Mime type for woff files should be application/font-woff and not application/x-font-woff [#62](https://github.com/broofa/node-mime/issues/62) -- [**closed**] node.types in conflict with mime.types [#51](https://github.com/broofa/node-mime/issues/51) - ---- - -## v1.2.9 (17/01/2013) -- [**closed**] Please update "mime" NPM [#49](https://github.com/broofa/node-mime/issues/49) -- [**closed**] Please add semicolon [#46](https://github.com/broofa/node-mime/issues/46) -- [**closed**] parse full mime types [#43](https://github.com/broofa/node-mime/issues/43) - ---- - -## v1.2.8 (10/01/2013) -- [**closed**] /js directory mime is application/javascript. Is it correct? [#47](https://github.com/broofa/node-mime/issues/47) -- [**closed**] Add mime types for lua code. [#45](https://github.com/broofa/node-mime/issues/45) - ---- - -## v1.2.7 (19/10/2012) -- [**closed**] cannot install 1.2.7 via npm [#41](https://github.com/broofa/node-mime/issues/41) -- [**closed**] Transfer ownership to @broofa [#36](https://github.com/broofa/node-mime/issues/36) -- [**closed**] it's wrong to set charset to UTF-8 for text [#30](https://github.com/broofa/node-mime/issues/30) -- [**closed**] Allow multiple instances of MIME types container [#27](https://github.com/broofa/node-mime/issues/27) - ---- - -## v1.2.5 (16/02/2012) -- [**closed**] When looking up a types, check hasOwnProperty [#23](https://github.com/broofa/node-mime/issues/23) -- [**closed**] Bump version to 1.2.2 [#18](https://github.com/broofa/node-mime/issues/18) -- [**closed**] No license [#16](https://github.com/broofa/node-mime/issues/16) -- [**closed**] Some types missing that are used by html5/css3 [#13](https://github.com/broofa/node-mime/issues/13) -- [**closed**] npm install fails for 1.2.1 [#12](https://github.com/broofa/node-mime/issues/12) -- [**closed**] image/pjpeg + image/x-png [#10](https://github.com/broofa/node-mime/issues/10) -- [**closed**] symlink [#8](https://github.com/broofa/node-mime/issues/8) -- [**closed**] gzip [#2](https://github.com/broofa/node-mime/issues/2) -- [**closed**] ALL CAPS filenames return incorrect mime type [#1](https://github.com/broofa/node-mime/issues/1) diff --git a/node_modules/mime/build/build.js b/node_modules/mime/build/build.js new file mode 100644 index 0000000..ed5313e --- /dev/null +++ b/node_modules/mime/build/build.js @@ -0,0 +1,11 @@ +var db = require('mime-db'); + +var mapByType = {}; +Object.keys(db).forEach(function(key) { + var extensions = db[key].extensions; + if (extensions) { + mapByType[key] = extensions; + } +}); + +console.log(JSON.stringify(mapByType)); diff --git a/node_modules/mime/build/test.js b/node_modules/mime/build/test.js new file mode 100644 index 0000000..010c42b --- /dev/null +++ b/node_modules/mime/build/test.js @@ -0,0 +1,60 @@ +/** + * Usage: node test.js + */ + +var mime = require('../mime'); +var assert = require('assert'); +var path = require('path'); + +// +// Test mime lookups +// + +assert.equal('text/plain', mime.lookup('text.txt')); // normal file +assert.equal('text/plain', mime.lookup('TEXT.TXT')); // uppercase +assert.equal('text/plain', mime.lookup('dir/text.txt')); // dir + file +assert.equal('text/plain', mime.lookup('.text.txt')); // hidden file +assert.equal('text/plain', mime.lookup('.txt')); // nameless +assert.equal('text/plain', mime.lookup('txt')); // extension-only +assert.equal('text/plain', mime.lookup('/txt')); // extension-less () +assert.equal('text/plain', mime.lookup('\\txt')); // Windows, extension-less +assert.equal('application/octet-stream', mime.lookup('text.nope')); // unrecognized +assert.equal('fallback', mime.lookup('text.fallback', 'fallback')); // alternate default + +// +// Test extensions +// + +assert.equal('txt', mime.extension(mime.types.text)); +assert.equal('html', mime.extension(mime.types.htm)); +assert.equal('bin', mime.extension('application/octet-stream')); +assert.equal('bin', mime.extension('application/octet-stream ')); +assert.equal('html', mime.extension(' text/html; charset=UTF-8')); +assert.equal('html', mime.extension('text/html; charset=UTF-8 ')); +assert.equal('html', mime.extension('text/html; charset=UTF-8')); +assert.equal('html', mime.extension('text/html ; charset=UTF-8')); +assert.equal('html', mime.extension('text/html;charset=UTF-8')); +assert.equal('html', mime.extension('text/Html;charset=UTF-8')); +assert.equal(undefined, mime.extension('unrecognized')); + +// +// Test node.types lookups +// + +assert.equal('application/font-woff', mime.lookup('file.woff')); +assert.equal('application/octet-stream', mime.lookup('file.buffer')); +// TODO: Uncomment once #157 is resolved +// assert.equal('audio/mp4', mime.lookup('file.m4a')); +assert.equal('font/otf', mime.lookup('file.otf')); + +// +// Test charsets +// + +assert.equal('UTF-8', mime.charsets.lookup('text/plain')); +assert.equal('UTF-8', mime.charsets.lookup(mime.types.js)); +assert.equal('UTF-8', mime.charsets.lookup(mime.types.json)); +assert.equal(undefined, mime.charsets.lookup(mime.types.bin)); +assert.equal('fallback', mime.charsets.lookup('application/octet-stream', 'fallback')); + +console.log('\nAll tests passed'); diff --git a/node_modules/mime/package.json b/node_modules/mime/package.json index 6bd24bc..26967d5 100644 --- a/node_modules/mime/package.json +++ b/node_modules/mime/package.json @@ -7,9 +7,6 @@ "bin": { "mime": "cli.js" }, - "engines": { - "node": ">=4" - }, "contributors": [ { "name": "Benjamin Thomas", @@ -21,14 +18,11 @@ "license": "MIT", "dependencies": {}, "devDependencies": { - "github-release-notes": "0.13.1", - "mime-db": "1.31.0", - "mime-score": "1.1.0" + "mime-db": "1.30.0" }, "scripts": { - "prepare": "node src/build.js", - "changelog": "gren changelog --tags=all --generate --override", - "test": "node src/test.js" + "prepublish": "node build/build.js > types.json", + "test": "node build/test.js" }, "keywords": [ "util", @@ -40,5 +34,5 @@ "url": "https://github.com/broofa/node-mime", "type": "git" }, - "version": "1.6.0" + "version": "1.4.1" } diff --git a/node_modules/mime/src/build.js b/node_modules/mime/src/build.js deleted file mode 100644 index 4928e48..0000000 --- a/node_modules/mime/src/build.js +++ /dev/null @@ -1,53 +0,0 @@ -#!/usr/bin/env node - -'use strict'; - -const fs = require('fs'); -const path = require('path'); -const mimeScore = require('mime-score'); - -let db = require('mime-db'); -let chalk = require('chalk'); - -const STANDARD_FACET_SCORE = 900; - -const byExtension = {}; - -// Clear out any conflict extensions in mime-db -for (let type in db) { - let entry = db[type]; - entry.type = type; - - if (!entry.extensions) continue; - - entry.extensions.forEach(ext => { - if (ext in byExtension) { - const e0 = entry; - const e1 = byExtension[ext]; - e0.pri = mimeScore(e0.type, e0.source); - e1.pri = mimeScore(e1.type, e1.source); - - let drop = e0.pri < e1.pri ? e0 : e1; - let keep = e0.pri >= e1.pri ? e0 : e1; - drop.extensions = drop.extensions.filter(e => e !== ext); - - console.log(`${ext}: Keeping ${chalk.green(keep.type)} (${keep.pri}), dropping ${chalk.red(drop.type)} (${drop.pri})`); - } - byExtension[ext] = entry; - }); -} - -function writeTypesFile(types, path) { - fs.writeFileSync(path, JSON.stringify(types)); -} - -// Segregate into standard and non-standard types based on facet per -// https://tools.ietf.org/html/rfc6838#section-3.1 -const types = {}; - -Object.keys(db).sort().forEach(k => { - const entry = db[k]; - types[entry.type] = entry.extensions; -}); - -writeTypesFile(types, path.join(__dirname, '..', 'types.json')); diff --git a/node_modules/mime/src/test.js b/node_modules/mime/src/test.js deleted file mode 100644 index 42958a2..0000000 --- a/node_modules/mime/src/test.js +++ /dev/null @@ -1,60 +0,0 @@ -/** - * Usage: node test.js - */ - -var mime = require('../mime'); -var assert = require('assert'); -var path = require('path'); - -// -// Test mime lookups -// - -assert.equal('text/plain', mime.lookup('text.txt')); // normal file -assert.equal('text/plain', mime.lookup('TEXT.TXT')); // uppercase -assert.equal('text/plain', mime.lookup('dir/text.txt')); // dir + file -assert.equal('text/plain', mime.lookup('.text.txt')); // hidden file -assert.equal('text/plain', mime.lookup('.txt')); // nameless -assert.equal('text/plain', mime.lookup('txt')); // extension-only -assert.equal('text/plain', mime.lookup('/txt')); // extension-less () -assert.equal('text/plain', mime.lookup('\\txt')); // Windows, extension-less -assert.equal('application/octet-stream', mime.lookup('text.nope')); // unrecognized -assert.equal('fallback', mime.lookup('text.fallback', 'fallback')); // alternate default - -// -// Test extensions -// - -assert.equal('txt', mime.extension(mime.types.text)); -assert.equal('html', mime.extension(mime.types.htm)); -assert.equal('bin', mime.extension('application/octet-stream')); -assert.equal('bin', mime.extension('application/octet-stream ')); -assert.equal('html', mime.extension(' text/html; charset=UTF-8')); -assert.equal('html', mime.extension('text/html; charset=UTF-8 ')); -assert.equal('html', mime.extension('text/html; charset=UTF-8')); -assert.equal('html', mime.extension('text/html ; charset=UTF-8')); -assert.equal('html', mime.extension('text/html;charset=UTF-8')); -assert.equal('html', mime.extension('text/Html;charset=UTF-8')); -assert.equal(undefined, mime.extension('unrecognized')); - -// -// Test node.types lookups -// - -assert.equal('font/woff', mime.lookup('file.woff')); -assert.equal('application/octet-stream', mime.lookup('file.buffer')); -// TODO: Uncomment once #157 is resolved -// assert.equal('audio/mp4', mime.lookup('file.m4a')); -assert.equal('font/otf', mime.lookup('file.otf')); - -// -// Test charsets -// - -assert.equal('UTF-8', mime.charsets.lookup('text/plain')); -assert.equal('UTF-8', mime.charsets.lookup(mime.types.js)); -assert.equal('UTF-8', mime.charsets.lookup(mime.types.json)); -assert.equal(undefined, mime.charsets.lookup(mime.types.bin)); -assert.equal('fallback', mime.charsets.lookup('application/octet-stream', 'fallback')); - -console.log('\nAll tests passed'); diff --git a/node_modules/mime/types.json b/node_modules/mime/types.json index bec78ab..5369cd1 100644 --- a/node_modules/mime/types.json +++ b/node_modules/mime/types.json @@ -1 +1 @@ -{"application/andrew-inset":["ez"],"application/applixware":["aw"],"application/atom+xml":["atom"],"application/atomcat+xml":["atomcat"],"application/atomsvc+xml":["atomsvc"],"application/bdoc":["bdoc"],"application/ccxml+xml":["ccxml"],"application/cdmi-capability":["cdmia"],"application/cdmi-container":["cdmic"],"application/cdmi-domain":["cdmid"],"application/cdmi-object":["cdmio"],"application/cdmi-queue":["cdmiq"],"application/cu-seeme":["cu"],"application/dash+xml":["mpd"],"application/davmount+xml":["davmount"],"application/docbook+xml":["dbk"],"application/dssc+der":["dssc"],"application/dssc+xml":["xdssc"],"application/ecmascript":["ecma"],"application/emma+xml":["emma"],"application/epub+zip":["epub"],"application/exi":["exi"],"application/font-tdpfr":["pfr"],"application/font-woff":[],"application/font-woff2":[],"application/geo+json":["geojson"],"application/gml+xml":["gml"],"application/gpx+xml":["gpx"],"application/gxf":["gxf"],"application/gzip":["gz"],"application/hyperstudio":["stk"],"application/inkml+xml":["ink","inkml"],"application/ipfix":["ipfix"],"application/java-archive":["jar","war","ear"],"application/java-serialized-object":["ser"],"application/java-vm":["class"],"application/javascript":["js","mjs"],"application/json":["json","map"],"application/json5":["json5"],"application/jsonml+json":["jsonml"],"application/ld+json":["jsonld"],"application/lost+xml":["lostxml"],"application/mac-binhex40":["hqx"],"application/mac-compactpro":["cpt"],"application/mads+xml":["mads"],"application/manifest+json":["webmanifest"],"application/marc":["mrc"],"application/marcxml+xml":["mrcx"],"application/mathematica":["ma","nb","mb"],"application/mathml+xml":["mathml"],"application/mbox":["mbox"],"application/mediaservercontrol+xml":["mscml"],"application/metalink+xml":["metalink"],"application/metalink4+xml":["meta4"],"application/mets+xml":["mets"],"application/mods+xml":["mods"],"application/mp21":["m21","mp21"],"application/mp4":["mp4s","m4p"],"application/msword":["doc","dot"],"application/mxf":["mxf"],"application/octet-stream":["bin","dms","lrf","mar","so","dist","distz","pkg","bpk","dump","elc","deploy","exe","dll","deb","dmg","iso","img","msi","msp","msm","buffer"],"application/oda":["oda"],"application/oebps-package+xml":["opf"],"application/ogg":["ogx"],"application/omdoc+xml":["omdoc"],"application/onenote":["onetoc","onetoc2","onetmp","onepkg"],"application/oxps":["oxps"],"application/patch-ops-error+xml":["xer"],"application/pdf":["pdf"],"application/pgp-encrypted":["pgp"],"application/pgp-signature":["asc","sig"],"application/pics-rules":["prf"],"application/pkcs10":["p10"],"application/pkcs7-mime":["p7m","p7c"],"application/pkcs7-signature":["p7s"],"application/pkcs8":["p8"],"application/pkix-attr-cert":["ac"],"application/pkix-cert":["cer"],"application/pkix-crl":["crl"],"application/pkix-pkipath":["pkipath"],"application/pkixcmp":["pki"],"application/pls+xml":["pls"],"application/postscript":["ai","eps","ps"],"application/prs.cww":["cww"],"application/pskc+xml":["pskcxml"],"application/raml+yaml":["raml"],"application/rdf+xml":["rdf"],"application/reginfo+xml":["rif"],"application/relax-ng-compact-syntax":["rnc"],"application/resource-lists+xml":["rl"],"application/resource-lists-diff+xml":["rld"],"application/rls-services+xml":["rs"],"application/rpki-ghostbusters":["gbr"],"application/rpki-manifest":["mft"],"application/rpki-roa":["roa"],"application/rsd+xml":["rsd"],"application/rss+xml":["rss"],"application/rtf":["rtf"],"application/sbml+xml":["sbml"],"application/scvp-cv-request":["scq"],"application/scvp-cv-response":["scs"],"application/scvp-vp-request":["spq"],"application/scvp-vp-response":["spp"],"application/sdp":["sdp"],"application/set-payment-initiation":["setpay"],"application/set-registration-initiation":["setreg"],"application/shf+xml":["shf"],"application/smil+xml":["smi","smil"],"application/sparql-query":["rq"],"application/sparql-results+xml":["srx"],"application/srgs":["gram"],"application/srgs+xml":["grxml"],"application/sru+xml":["sru"],"application/ssdl+xml":["ssdl"],"application/ssml+xml":["ssml"],"application/tei+xml":["tei","teicorpus"],"application/thraud+xml":["tfi"],"application/timestamped-data":["tsd"],"application/vnd.3gpp.pic-bw-large":["plb"],"application/vnd.3gpp.pic-bw-small":["psb"],"application/vnd.3gpp.pic-bw-var":["pvb"],"application/vnd.3gpp2.tcap":["tcap"],"application/vnd.3m.post-it-notes":["pwn"],"application/vnd.accpac.simply.aso":["aso"],"application/vnd.accpac.simply.imp":["imp"],"application/vnd.acucobol":["acu"],"application/vnd.acucorp":["atc","acutc"],"application/vnd.adobe.air-application-installer-package+zip":["air"],"application/vnd.adobe.formscentral.fcdt":["fcdt"],"application/vnd.adobe.fxp":["fxp","fxpl"],"application/vnd.adobe.xdp+xml":["xdp"],"application/vnd.adobe.xfdf":["xfdf"],"application/vnd.ahead.space":["ahead"],"application/vnd.airzip.filesecure.azf":["azf"],"application/vnd.airzip.filesecure.azs":["azs"],"application/vnd.amazon.ebook":["azw"],"application/vnd.americandynamics.acc":["acc"],"application/vnd.amiga.ami":["ami"],"application/vnd.android.package-archive":["apk"],"application/vnd.anser-web-certificate-issue-initiation":["cii"],"application/vnd.anser-web-funds-transfer-initiation":["fti"],"application/vnd.antix.game-component":["atx"],"application/vnd.apple.installer+xml":["mpkg"],"application/vnd.apple.mpegurl":["m3u8"],"application/vnd.apple.pkpass":["pkpass"],"application/vnd.aristanetworks.swi":["swi"],"application/vnd.astraea-software.iota":["iota"],"application/vnd.audiograph":["aep"],"application/vnd.blueice.multipass":["mpm"],"application/vnd.bmi":["bmi"],"application/vnd.businessobjects":["rep"],"application/vnd.chemdraw+xml":["cdxml"],"application/vnd.chipnuts.karaoke-mmd":["mmd"],"application/vnd.cinderella":["cdy"],"application/vnd.claymore":["cla"],"application/vnd.cloanto.rp9":["rp9"],"application/vnd.clonk.c4group":["c4g","c4d","c4f","c4p","c4u"],"application/vnd.cluetrust.cartomobile-config":["c11amc"],"application/vnd.cluetrust.cartomobile-config-pkg":["c11amz"],"application/vnd.commonspace":["csp"],"application/vnd.contact.cmsg":["cdbcmsg"],"application/vnd.cosmocaller":["cmc"],"application/vnd.crick.clicker":["clkx"],"application/vnd.crick.clicker.keyboard":["clkk"],"application/vnd.crick.clicker.palette":["clkp"],"application/vnd.crick.clicker.template":["clkt"],"application/vnd.crick.clicker.wordbank":["clkw"],"application/vnd.criticaltools.wbs+xml":["wbs"],"application/vnd.ctc-posml":["pml"],"application/vnd.cups-ppd":["ppd"],"application/vnd.curl.car":["car"],"application/vnd.curl.pcurl":["pcurl"],"application/vnd.dart":["dart"],"application/vnd.data-vision.rdz":["rdz"],"application/vnd.dece.data":["uvf","uvvf","uvd","uvvd"],"application/vnd.dece.ttml+xml":["uvt","uvvt"],"application/vnd.dece.unspecified":["uvx","uvvx"],"application/vnd.dece.zip":["uvz","uvvz"],"application/vnd.denovo.fcselayout-link":["fe_launch"],"application/vnd.dna":["dna"],"application/vnd.dolby.mlp":["mlp"],"application/vnd.dpgraph":["dpg"],"application/vnd.dreamfactory":["dfac"],"application/vnd.ds-keypoint":["kpxx"],"application/vnd.dvb.ait":["ait"],"application/vnd.dvb.service":["svc"],"application/vnd.dynageo":["geo"],"application/vnd.ecowin.chart":["mag"],"application/vnd.enliven":["nml"],"application/vnd.epson.esf":["esf"],"application/vnd.epson.msf":["msf"],"application/vnd.epson.quickanime":["qam"],"application/vnd.epson.salt":["slt"],"application/vnd.epson.ssf":["ssf"],"application/vnd.eszigno3+xml":["es3","et3"],"application/vnd.ezpix-album":["ez2"],"application/vnd.ezpix-package":["ez3"],"application/vnd.fdf":["fdf"],"application/vnd.fdsn.mseed":["mseed"],"application/vnd.fdsn.seed":["seed","dataless"],"application/vnd.flographit":["gph"],"application/vnd.fluxtime.clip":["ftc"],"application/vnd.framemaker":["fm","frame","maker","book"],"application/vnd.frogans.fnc":["fnc"],"application/vnd.frogans.ltf":["ltf"],"application/vnd.fsc.weblaunch":["fsc"],"application/vnd.fujitsu.oasys":["oas"],"application/vnd.fujitsu.oasys2":["oa2"],"application/vnd.fujitsu.oasys3":["oa3"],"application/vnd.fujitsu.oasysgp":["fg5"],"application/vnd.fujitsu.oasysprs":["bh2"],"application/vnd.fujixerox.ddd":["ddd"],"application/vnd.fujixerox.docuworks":["xdw"],"application/vnd.fujixerox.docuworks.binder":["xbd"],"application/vnd.fuzzysheet":["fzs"],"application/vnd.genomatix.tuxedo":["txd"],"application/vnd.geogebra.file":["ggb"],"application/vnd.geogebra.tool":["ggt"],"application/vnd.geometry-explorer":["gex","gre"],"application/vnd.geonext":["gxt"],"application/vnd.geoplan":["g2w"],"application/vnd.geospace":["g3w"],"application/vnd.gmx":["gmx"],"application/vnd.google-apps.document":["gdoc"],"application/vnd.google-apps.presentation":["gslides"],"application/vnd.google-apps.spreadsheet":["gsheet"],"application/vnd.google-earth.kml+xml":["kml"],"application/vnd.google-earth.kmz":["kmz"],"application/vnd.grafeq":["gqf","gqs"],"application/vnd.groove-account":["gac"],"application/vnd.groove-help":["ghf"],"application/vnd.groove-identity-message":["gim"],"application/vnd.groove-injector":["grv"],"application/vnd.groove-tool-message":["gtm"],"application/vnd.groove-tool-template":["tpl"],"application/vnd.groove-vcard":["vcg"],"application/vnd.hal+xml":["hal"],"application/vnd.handheld-entertainment+xml":["zmm"],"application/vnd.hbci":["hbci"],"application/vnd.hhe.lesson-player":["les"],"application/vnd.hp-hpgl":["hpgl"],"application/vnd.hp-hpid":["hpid"],"application/vnd.hp-hps":["hps"],"application/vnd.hp-jlyt":["jlt"],"application/vnd.hp-pcl":["pcl"],"application/vnd.hp-pclxl":["pclxl"],"application/vnd.hydrostatix.sof-data":["sfd-hdstx"],"application/vnd.ibm.minipay":["mpy"],"application/vnd.ibm.modcap":["afp","listafp","list3820"],"application/vnd.ibm.rights-management":["irm"],"application/vnd.ibm.secure-container":["sc"],"application/vnd.iccprofile":["icc","icm"],"application/vnd.igloader":["igl"],"application/vnd.immervision-ivp":["ivp"],"application/vnd.immervision-ivu":["ivu"],"application/vnd.insors.igm":["igm"],"application/vnd.intercon.formnet":["xpw","xpx"],"application/vnd.intergeo":["i2g"],"application/vnd.intu.qbo":["qbo"],"application/vnd.intu.qfx":["qfx"],"application/vnd.ipunplugged.rcprofile":["rcprofile"],"application/vnd.irepository.package+xml":["irp"],"application/vnd.is-xpr":["xpr"],"application/vnd.isac.fcs":["fcs"],"application/vnd.jam":["jam"],"application/vnd.jcp.javame.midlet-rms":["rms"],"application/vnd.jisp":["jisp"],"application/vnd.joost.joda-archive":["joda"],"application/vnd.kahootz":["ktz","ktr"],"application/vnd.kde.karbon":["karbon"],"application/vnd.kde.kchart":["chrt"],"application/vnd.kde.kformula":["kfo"],"application/vnd.kde.kivio":["flw"],"application/vnd.kde.kontour":["kon"],"application/vnd.kde.kpresenter":["kpr","kpt"],"application/vnd.kde.kspread":["ksp"],"application/vnd.kde.kword":["kwd","kwt"],"application/vnd.kenameaapp":["htke"],"application/vnd.kidspiration":["kia"],"application/vnd.kinar":["kne","knp"],"application/vnd.koan":["skp","skd","skt","skm"],"application/vnd.kodak-descriptor":["sse"],"application/vnd.las.las+xml":["lasxml"],"application/vnd.llamagraphics.life-balance.desktop":["lbd"],"application/vnd.llamagraphics.life-balance.exchange+xml":["lbe"],"application/vnd.lotus-1-2-3":["123"],"application/vnd.lotus-approach":["apr"],"application/vnd.lotus-freelance":["pre"],"application/vnd.lotus-notes":["nsf"],"application/vnd.lotus-organizer":["org"],"application/vnd.lotus-screencam":["scm"],"application/vnd.lotus-wordpro":["lwp"],"application/vnd.macports.portpkg":["portpkg"],"application/vnd.mcd":["mcd"],"application/vnd.medcalcdata":["mc1"],"application/vnd.mediastation.cdkey":["cdkey"],"application/vnd.mfer":["mwf"],"application/vnd.mfmp":["mfm"],"application/vnd.micrografx.flo":["flo"],"application/vnd.micrografx.igx":["igx"],"application/vnd.mif":["mif"],"application/vnd.mobius.daf":["daf"],"application/vnd.mobius.dis":["dis"],"application/vnd.mobius.mbk":["mbk"],"application/vnd.mobius.mqy":["mqy"],"application/vnd.mobius.msl":["msl"],"application/vnd.mobius.plc":["plc"],"application/vnd.mobius.txf":["txf"],"application/vnd.mophun.application":["mpn"],"application/vnd.mophun.certificate":["mpc"],"application/vnd.mozilla.xul+xml":["xul"],"application/vnd.ms-artgalry":["cil"],"application/vnd.ms-cab-compressed":["cab"],"application/vnd.ms-excel":["xls","xlm","xla","xlc","xlt","xlw"],"application/vnd.ms-excel.addin.macroenabled.12":["xlam"],"application/vnd.ms-excel.sheet.binary.macroenabled.12":["xlsb"],"application/vnd.ms-excel.sheet.macroenabled.12":["xlsm"],"application/vnd.ms-excel.template.macroenabled.12":["xltm"],"application/vnd.ms-fontobject":["eot"],"application/vnd.ms-htmlhelp":["chm"],"application/vnd.ms-ims":["ims"],"application/vnd.ms-lrm":["lrm"],"application/vnd.ms-officetheme":["thmx"],"application/vnd.ms-outlook":["msg"],"application/vnd.ms-pki.seccat":["cat"],"application/vnd.ms-pki.stl":["stl"],"application/vnd.ms-powerpoint":["ppt","pps","pot"],"application/vnd.ms-powerpoint.addin.macroenabled.12":["ppam"],"application/vnd.ms-powerpoint.presentation.macroenabled.12":["pptm"],"application/vnd.ms-powerpoint.slide.macroenabled.12":["sldm"],"application/vnd.ms-powerpoint.slideshow.macroenabled.12":["ppsm"],"application/vnd.ms-powerpoint.template.macroenabled.12":["potm"],"application/vnd.ms-project":["mpp","mpt"],"application/vnd.ms-word.document.macroenabled.12":["docm"],"application/vnd.ms-word.template.macroenabled.12":["dotm"],"application/vnd.ms-works":["wps","wks","wcm","wdb"],"application/vnd.ms-wpl":["wpl"],"application/vnd.ms-xpsdocument":["xps"],"application/vnd.mseq":["mseq"],"application/vnd.musician":["mus"],"application/vnd.muvee.style":["msty"],"application/vnd.mynfc":["taglet"],"application/vnd.neurolanguage.nlu":["nlu"],"application/vnd.nitf":["ntf","nitf"],"application/vnd.noblenet-directory":["nnd"],"application/vnd.noblenet-sealer":["nns"],"application/vnd.noblenet-web":["nnw"],"application/vnd.nokia.n-gage.data":["ngdat"],"application/vnd.nokia.n-gage.symbian.install":["n-gage"],"application/vnd.nokia.radio-preset":["rpst"],"application/vnd.nokia.radio-presets":["rpss"],"application/vnd.novadigm.edm":["edm"],"application/vnd.novadigm.edx":["edx"],"application/vnd.novadigm.ext":["ext"],"application/vnd.oasis.opendocument.chart":["odc"],"application/vnd.oasis.opendocument.chart-template":["otc"],"application/vnd.oasis.opendocument.database":["odb"],"application/vnd.oasis.opendocument.formula":["odf"],"application/vnd.oasis.opendocument.formula-template":["odft"],"application/vnd.oasis.opendocument.graphics":["odg"],"application/vnd.oasis.opendocument.graphics-template":["otg"],"application/vnd.oasis.opendocument.image":["odi"],"application/vnd.oasis.opendocument.image-template":["oti"],"application/vnd.oasis.opendocument.presentation":["odp"],"application/vnd.oasis.opendocument.presentation-template":["otp"],"application/vnd.oasis.opendocument.spreadsheet":["ods"],"application/vnd.oasis.opendocument.spreadsheet-template":["ots"],"application/vnd.oasis.opendocument.text":["odt"],"application/vnd.oasis.opendocument.text-master":["odm"],"application/vnd.oasis.opendocument.text-template":["ott"],"application/vnd.oasis.opendocument.text-web":["oth"],"application/vnd.olpc-sugar":["xo"],"application/vnd.oma.dd2+xml":["dd2"],"application/vnd.openofficeorg.extension":["oxt"],"application/vnd.openxmlformats-officedocument.presentationml.presentation":["pptx"],"application/vnd.openxmlformats-officedocument.presentationml.slide":["sldx"],"application/vnd.openxmlformats-officedocument.presentationml.slideshow":["ppsx"],"application/vnd.openxmlformats-officedocument.presentationml.template":["potx"],"application/vnd.openxmlformats-officedocument.spreadsheetml.sheet":["xlsx"],"application/vnd.openxmlformats-officedocument.spreadsheetml.template":["xltx"],"application/vnd.openxmlformats-officedocument.wordprocessingml.document":["docx"],"application/vnd.openxmlformats-officedocument.wordprocessingml.template":["dotx"],"application/vnd.osgeo.mapguide.package":["mgp"],"application/vnd.osgi.dp":["dp"],"application/vnd.osgi.subsystem":["esa"],"application/vnd.palm":["pdb","pqa","oprc"],"application/vnd.pawaafile":["paw"],"application/vnd.pg.format":["str"],"application/vnd.pg.osasli":["ei6"],"application/vnd.picsel":["efif"],"application/vnd.pmi.widget":["wg"],"application/vnd.pocketlearn":["plf"],"application/vnd.powerbuilder6":["pbd"],"application/vnd.previewsystems.box":["box"],"application/vnd.proteus.magazine":["mgz"],"application/vnd.publishare-delta-tree":["qps"],"application/vnd.pvi.ptid1":["ptid"],"application/vnd.quark.quarkxpress":["qxd","qxt","qwd","qwt","qxl","qxb"],"application/vnd.realvnc.bed":["bed"],"application/vnd.recordare.musicxml":["mxl"],"application/vnd.recordare.musicxml+xml":["musicxml"],"application/vnd.rig.cryptonote":["cryptonote"],"application/vnd.rim.cod":["cod"],"application/vnd.rn-realmedia":["rm"],"application/vnd.rn-realmedia-vbr":["rmvb"],"application/vnd.route66.link66+xml":["link66"],"application/vnd.sailingtracker.track":["st"],"application/vnd.seemail":["see"],"application/vnd.sema":["sema"],"application/vnd.semd":["semd"],"application/vnd.semf":["semf"],"application/vnd.shana.informed.formdata":["ifm"],"application/vnd.shana.informed.formtemplate":["itp"],"application/vnd.shana.informed.interchange":["iif"],"application/vnd.shana.informed.package":["ipk"],"application/vnd.simtech-mindmapper":["twd","twds"],"application/vnd.smaf":["mmf"],"application/vnd.smart.teacher":["teacher"],"application/vnd.solent.sdkm+xml":["sdkm","sdkd"],"application/vnd.spotfire.dxp":["dxp"],"application/vnd.spotfire.sfs":["sfs"],"application/vnd.stardivision.calc":["sdc"],"application/vnd.stardivision.draw":["sda"],"application/vnd.stardivision.impress":["sdd"],"application/vnd.stardivision.math":["smf"],"application/vnd.stardivision.writer":["sdw","vor"],"application/vnd.stardivision.writer-global":["sgl"],"application/vnd.stepmania.package":["smzip"],"application/vnd.stepmania.stepchart":["sm"],"application/vnd.sun.wadl+xml":["wadl"],"application/vnd.sun.xml.calc":["sxc"],"application/vnd.sun.xml.calc.template":["stc"],"application/vnd.sun.xml.draw":["sxd"],"application/vnd.sun.xml.draw.template":["std"],"application/vnd.sun.xml.impress":["sxi"],"application/vnd.sun.xml.impress.template":["sti"],"application/vnd.sun.xml.math":["sxm"],"application/vnd.sun.xml.writer":["sxw"],"application/vnd.sun.xml.writer.global":["sxg"],"application/vnd.sun.xml.writer.template":["stw"],"application/vnd.sus-calendar":["sus","susp"],"application/vnd.svd":["svd"],"application/vnd.symbian.install":["sis","sisx"],"application/vnd.syncml+xml":["xsm"],"application/vnd.syncml.dm+wbxml":["bdm"],"application/vnd.syncml.dm+xml":["xdm"],"application/vnd.tao.intent-module-archive":["tao"],"application/vnd.tcpdump.pcap":["pcap","cap","dmp"],"application/vnd.tmobile-livetv":["tmo"],"application/vnd.trid.tpt":["tpt"],"application/vnd.triscape.mxs":["mxs"],"application/vnd.trueapp":["tra"],"application/vnd.ufdl":["ufd","ufdl"],"application/vnd.uiq.theme":["utz"],"application/vnd.umajin":["umj"],"application/vnd.unity":["unityweb"],"application/vnd.uoml+xml":["uoml"],"application/vnd.vcx":["vcx"],"application/vnd.visio":["vsd","vst","vss","vsw"],"application/vnd.visionary":["vis"],"application/vnd.vsf":["vsf"],"application/vnd.wap.wbxml":["wbxml"],"application/vnd.wap.wmlc":["wmlc"],"application/vnd.wap.wmlscriptc":["wmlsc"],"application/vnd.webturbo":["wtb"],"application/vnd.wolfram.player":["nbp"],"application/vnd.wordperfect":["wpd"],"application/vnd.wqd":["wqd"],"application/vnd.wt.stf":["stf"],"application/vnd.xara":["xar"],"application/vnd.xfdl":["xfdl"],"application/vnd.yamaha.hv-dic":["hvd"],"application/vnd.yamaha.hv-script":["hvs"],"application/vnd.yamaha.hv-voice":["hvp"],"application/vnd.yamaha.openscoreformat":["osf"],"application/vnd.yamaha.openscoreformat.osfpvg+xml":["osfpvg"],"application/vnd.yamaha.smaf-audio":["saf"],"application/vnd.yamaha.smaf-phrase":["spf"],"application/vnd.yellowriver-custom-menu":["cmp"],"application/vnd.zul":["zir","zirz"],"application/vnd.zzazz.deck+xml":["zaz"],"application/voicexml+xml":["vxml"],"application/wasm":["wasm"],"application/widget":["wgt"],"application/winhlp":["hlp"],"application/wsdl+xml":["wsdl"],"application/wspolicy+xml":["wspolicy"],"application/x-7z-compressed":["7z"],"application/x-abiword":["abw"],"application/x-ace-compressed":["ace"],"application/x-apple-diskimage":[],"application/x-arj":["arj"],"application/x-authorware-bin":["aab","x32","u32","vox"],"application/x-authorware-map":["aam"],"application/x-authorware-seg":["aas"],"application/x-bcpio":["bcpio"],"application/x-bdoc":[],"application/x-bittorrent":["torrent"],"application/x-blorb":["blb","blorb"],"application/x-bzip":["bz"],"application/x-bzip2":["bz2","boz"],"application/x-cbr":["cbr","cba","cbt","cbz","cb7"],"application/x-cdlink":["vcd"],"application/x-cfs-compressed":["cfs"],"application/x-chat":["chat"],"application/x-chess-pgn":["pgn"],"application/x-chrome-extension":["crx"],"application/x-cocoa":["cco"],"application/x-conference":["nsc"],"application/x-cpio":["cpio"],"application/x-csh":["csh"],"application/x-debian-package":["udeb"],"application/x-dgc-compressed":["dgc"],"application/x-director":["dir","dcr","dxr","cst","cct","cxt","w3d","fgd","swa"],"application/x-doom":["wad"],"application/x-dtbncx+xml":["ncx"],"application/x-dtbook+xml":["dtb"],"application/x-dtbresource+xml":["res"],"application/x-dvi":["dvi"],"application/x-envoy":["evy"],"application/x-eva":["eva"],"application/x-font-bdf":["bdf"],"application/x-font-ghostscript":["gsf"],"application/x-font-linux-psf":["psf"],"application/x-font-pcf":["pcf"],"application/x-font-snf":["snf"],"application/x-font-type1":["pfa","pfb","pfm","afm"],"application/x-freearc":["arc"],"application/x-futuresplash":["spl"],"application/x-gca-compressed":["gca"],"application/x-glulx":["ulx"],"application/x-gnumeric":["gnumeric"],"application/x-gramps-xml":["gramps"],"application/x-gtar":["gtar"],"application/x-hdf":["hdf"],"application/x-httpd-php":["php"],"application/x-install-instructions":["install"],"application/x-iso9660-image":[],"application/x-java-archive-diff":["jardiff"],"application/x-java-jnlp-file":["jnlp"],"application/x-latex":["latex"],"application/x-lua-bytecode":["luac"],"application/x-lzh-compressed":["lzh","lha"],"application/x-makeself":["run"],"application/x-mie":["mie"],"application/x-mobipocket-ebook":["prc","mobi"],"application/x-ms-application":["application"],"application/x-ms-shortcut":["lnk"],"application/x-ms-wmd":["wmd"],"application/x-ms-wmz":["wmz"],"application/x-ms-xbap":["xbap"],"application/x-msaccess":["mdb"],"application/x-msbinder":["obd"],"application/x-mscardfile":["crd"],"application/x-msclip":["clp"],"application/x-msdos-program":[],"application/x-msdownload":["com","bat"],"application/x-msmediaview":["mvb","m13","m14"],"application/x-msmetafile":["wmf","emf","emz"],"application/x-msmoney":["mny"],"application/x-mspublisher":["pub"],"application/x-msschedule":["scd"],"application/x-msterminal":["trm"],"application/x-mswrite":["wri"],"application/x-netcdf":["nc","cdf"],"application/x-ns-proxy-autoconfig":["pac"],"application/x-nzb":["nzb"],"application/x-perl":["pl","pm"],"application/x-pilot":[],"application/x-pkcs12":["p12","pfx"],"application/x-pkcs7-certificates":["p7b","spc"],"application/x-pkcs7-certreqresp":["p7r"],"application/x-rar-compressed":["rar"],"application/x-redhat-package-manager":["rpm"],"application/x-research-info-systems":["ris"],"application/x-sea":["sea"],"application/x-sh":["sh"],"application/x-shar":["shar"],"application/x-shockwave-flash":["swf"],"application/x-silverlight-app":["xap"],"application/x-sql":["sql"],"application/x-stuffit":["sit"],"application/x-stuffitx":["sitx"],"application/x-subrip":["srt"],"application/x-sv4cpio":["sv4cpio"],"application/x-sv4crc":["sv4crc"],"application/x-t3vm-image":["t3"],"application/x-tads":["gam"],"application/x-tar":["tar"],"application/x-tcl":["tcl","tk"],"application/x-tex":["tex"],"application/x-tex-tfm":["tfm"],"application/x-texinfo":["texinfo","texi"],"application/x-tgif":["obj"],"application/x-ustar":["ustar"],"application/x-virtualbox-hdd":["hdd"],"application/x-virtualbox-ova":["ova"],"application/x-virtualbox-ovf":["ovf"],"application/x-virtualbox-vbox":["vbox"],"application/x-virtualbox-vbox-extpack":["vbox-extpack"],"application/x-virtualbox-vdi":["vdi"],"application/x-virtualbox-vhd":["vhd"],"application/x-virtualbox-vmdk":["vmdk"],"application/x-wais-source":["src"],"application/x-web-app-manifest+json":["webapp"],"application/x-x509-ca-cert":["der","crt","pem"],"application/x-xfig":["fig"],"application/x-xliff+xml":["xlf"],"application/x-xpinstall":["xpi"],"application/x-xz":["xz"],"application/x-zmachine":["z1","z2","z3","z4","z5","z6","z7","z8"],"application/xaml+xml":["xaml"],"application/xcap-diff+xml":["xdf"],"application/xenc+xml":["xenc"],"application/xhtml+xml":["xhtml","xht"],"application/xml":["xml","xsl","xsd","rng"],"application/xml-dtd":["dtd"],"application/xop+xml":["xop"],"application/xproc+xml":["xpl"],"application/xslt+xml":["xslt"],"application/xspf+xml":["xspf"],"application/xv+xml":["mxml","xhvml","xvml","xvm"],"application/yang":["yang"],"application/yin+xml":["yin"],"application/zip":["zip"],"audio/3gpp":[],"audio/adpcm":["adp"],"audio/basic":["au","snd"],"audio/midi":["mid","midi","kar","rmi"],"audio/mp3":[],"audio/mp4":["m4a","mp4a"],"audio/mpeg":["mpga","mp2","mp2a","mp3","m2a","m3a"],"audio/ogg":["oga","ogg","spx"],"audio/s3m":["s3m"],"audio/silk":["sil"],"audio/vnd.dece.audio":["uva","uvva"],"audio/vnd.digital-winds":["eol"],"audio/vnd.dra":["dra"],"audio/vnd.dts":["dts"],"audio/vnd.dts.hd":["dtshd"],"audio/vnd.lucent.voice":["lvp"],"audio/vnd.ms-playready.media.pya":["pya"],"audio/vnd.nuera.ecelp4800":["ecelp4800"],"audio/vnd.nuera.ecelp7470":["ecelp7470"],"audio/vnd.nuera.ecelp9600":["ecelp9600"],"audio/vnd.rip":["rip"],"audio/wav":["wav"],"audio/wave":[],"audio/webm":["weba"],"audio/x-aac":["aac"],"audio/x-aiff":["aif","aiff","aifc"],"audio/x-caf":["caf"],"audio/x-flac":["flac"],"audio/x-m4a":[],"audio/x-matroska":["mka"],"audio/x-mpegurl":["m3u"],"audio/x-ms-wax":["wax"],"audio/x-ms-wma":["wma"],"audio/x-pn-realaudio":["ram","ra"],"audio/x-pn-realaudio-plugin":["rmp"],"audio/x-realaudio":[],"audio/x-wav":[],"audio/xm":["xm"],"chemical/x-cdx":["cdx"],"chemical/x-cif":["cif"],"chemical/x-cmdf":["cmdf"],"chemical/x-cml":["cml"],"chemical/x-csml":["csml"],"chemical/x-xyz":["xyz"],"font/collection":["ttc"],"font/otf":["otf"],"font/ttf":["ttf"],"font/woff":["woff"],"font/woff2":["woff2"],"image/apng":["apng"],"image/bmp":["bmp"],"image/cgm":["cgm"],"image/g3fax":["g3"],"image/gif":["gif"],"image/ief":["ief"],"image/jp2":["jp2","jpg2"],"image/jpeg":["jpeg","jpg","jpe"],"image/jpm":["jpm"],"image/jpx":["jpx","jpf"],"image/ktx":["ktx"],"image/png":["png"],"image/prs.btif":["btif"],"image/sgi":["sgi"],"image/svg+xml":["svg","svgz"],"image/tiff":["tiff","tif"],"image/vnd.adobe.photoshop":["psd"],"image/vnd.dece.graphic":["uvi","uvvi","uvg","uvvg"],"image/vnd.djvu":["djvu","djv"],"image/vnd.dvb.subtitle":[],"image/vnd.dwg":["dwg"],"image/vnd.dxf":["dxf"],"image/vnd.fastbidsheet":["fbs"],"image/vnd.fpx":["fpx"],"image/vnd.fst":["fst"],"image/vnd.fujixerox.edmics-mmr":["mmr"],"image/vnd.fujixerox.edmics-rlc":["rlc"],"image/vnd.ms-modi":["mdi"],"image/vnd.ms-photo":["wdp"],"image/vnd.net-fpx":["npx"],"image/vnd.wap.wbmp":["wbmp"],"image/vnd.xiff":["xif"],"image/webp":["webp"],"image/x-3ds":["3ds"],"image/x-cmu-raster":["ras"],"image/x-cmx":["cmx"],"image/x-freehand":["fh","fhc","fh4","fh5","fh7"],"image/x-icon":["ico"],"image/x-jng":["jng"],"image/x-mrsid-image":["sid"],"image/x-ms-bmp":[],"image/x-pcx":["pcx"],"image/x-pict":["pic","pct"],"image/x-portable-anymap":["pnm"],"image/x-portable-bitmap":["pbm"],"image/x-portable-graymap":["pgm"],"image/x-portable-pixmap":["ppm"],"image/x-rgb":["rgb"],"image/x-tga":["tga"],"image/x-xbitmap":["xbm"],"image/x-xpixmap":["xpm"],"image/x-xwindowdump":["xwd"],"message/rfc822":["eml","mime"],"model/gltf+json":["gltf"],"model/gltf-binary":["glb"],"model/iges":["igs","iges"],"model/mesh":["msh","mesh","silo"],"model/vnd.collada+xml":["dae"],"model/vnd.dwf":["dwf"],"model/vnd.gdl":["gdl"],"model/vnd.gtw":["gtw"],"model/vnd.mts":["mts"],"model/vnd.vtu":["vtu"],"model/vrml":["wrl","vrml"],"model/x3d+binary":["x3db","x3dbz"],"model/x3d+vrml":["x3dv","x3dvz"],"model/x3d+xml":["x3d","x3dz"],"text/cache-manifest":["appcache","manifest"],"text/calendar":["ics","ifb"],"text/coffeescript":["coffee","litcoffee"],"text/css":["css"],"text/csv":["csv"],"text/hjson":["hjson"],"text/html":["html","htm","shtml"],"text/jade":["jade"],"text/jsx":["jsx"],"text/less":["less"],"text/markdown":["markdown","md"],"text/mathml":["mml"],"text/n3":["n3"],"text/plain":["txt","text","conf","def","list","log","in","ini"],"text/prs.lines.tag":["dsc"],"text/richtext":["rtx"],"text/rtf":[],"text/sgml":["sgml","sgm"],"text/slim":["slim","slm"],"text/stylus":["stylus","styl"],"text/tab-separated-values":["tsv"],"text/troff":["t","tr","roff","man","me","ms"],"text/turtle":["ttl"],"text/uri-list":["uri","uris","urls"],"text/vcard":["vcard"],"text/vnd.curl":["curl"],"text/vnd.curl.dcurl":["dcurl"],"text/vnd.curl.mcurl":["mcurl"],"text/vnd.curl.scurl":["scurl"],"text/vnd.dvb.subtitle":["sub"],"text/vnd.fly":["fly"],"text/vnd.fmi.flexstor":["flx"],"text/vnd.graphviz":["gv"],"text/vnd.in3d.3dml":["3dml"],"text/vnd.in3d.spot":["spot"],"text/vnd.sun.j2me.app-descriptor":["jad"],"text/vnd.wap.wml":["wml"],"text/vnd.wap.wmlscript":["wmls"],"text/vtt":["vtt"],"text/x-asm":["s","asm"],"text/x-c":["c","cc","cxx","cpp","h","hh","dic"],"text/x-component":["htc"],"text/x-fortran":["f","for","f77","f90"],"text/x-handlebars-template":["hbs"],"text/x-java-source":["java"],"text/x-lua":["lua"],"text/x-markdown":["mkd"],"text/x-nfo":["nfo"],"text/x-opml":["opml"],"text/x-org":[],"text/x-pascal":["p","pas"],"text/x-processing":["pde"],"text/x-sass":["sass"],"text/x-scss":["scss"],"text/x-setext":["etx"],"text/x-sfv":["sfv"],"text/x-suse-ymp":["ymp"],"text/x-uuencode":["uu"],"text/x-vcalendar":["vcs"],"text/x-vcard":["vcf"],"text/xml":[],"text/yaml":["yaml","yml"],"video/3gpp":["3gp","3gpp"],"video/3gpp2":["3g2"],"video/h261":["h261"],"video/h263":["h263"],"video/h264":["h264"],"video/jpeg":["jpgv"],"video/jpm":["jpgm"],"video/mj2":["mj2","mjp2"],"video/mp2t":["ts"],"video/mp4":["mp4","mp4v","mpg4"],"video/mpeg":["mpeg","mpg","mpe","m1v","m2v"],"video/ogg":["ogv"],"video/quicktime":["qt","mov"],"video/vnd.dece.hd":["uvh","uvvh"],"video/vnd.dece.mobile":["uvm","uvvm"],"video/vnd.dece.pd":["uvp","uvvp"],"video/vnd.dece.sd":["uvs","uvvs"],"video/vnd.dece.video":["uvv","uvvv"],"video/vnd.dvb.file":["dvb"],"video/vnd.fvt":["fvt"],"video/vnd.mpegurl":["mxu","m4u"],"video/vnd.ms-playready.media.pyv":["pyv"],"video/vnd.uvvu.mp4":["uvu","uvvu"],"video/vnd.vivo":["viv"],"video/webm":["webm"],"video/x-f4v":["f4v"],"video/x-fli":["fli"],"video/x-flv":["flv"],"video/x-m4v":["m4v"],"video/x-matroska":["mkv","mk3d","mks"],"video/x-mng":["mng"],"video/x-ms-asf":["asf","asx"],"video/x-ms-vob":["vob"],"video/x-ms-wm":["wm"],"video/x-ms-wmv":["wmv"],"video/x-ms-wmx":["wmx"],"video/x-ms-wvx":["wvx"],"video/x-msvideo":["avi"],"video/x-sgi-movie":["movie"],"video/x-smv":["smv"],"x-conference/x-cooltalk":["ice"]} \ No newline at end of file +{"application/andrew-inset":["ez"],"application/applixware":["aw"],"application/atom+xml":["atom"],"application/atomcat+xml":["atomcat"],"application/atomsvc+xml":["atomsvc"],"application/bdoc":["bdoc"],"application/ccxml+xml":["ccxml"],"application/cdmi-capability":["cdmia"],"application/cdmi-container":["cdmic"],"application/cdmi-domain":["cdmid"],"application/cdmi-object":["cdmio"],"application/cdmi-queue":["cdmiq"],"application/cu-seeme":["cu"],"application/dash+xml":["mpd"],"application/davmount+xml":["davmount"],"application/docbook+xml":["dbk"],"application/dssc+der":["dssc"],"application/dssc+xml":["xdssc"],"application/ecmascript":["ecma"],"application/emma+xml":["emma"],"application/epub+zip":["epub"],"application/exi":["exi"],"application/font-tdpfr":["pfr"],"application/font-woff":["woff"],"application/font-woff2":["woff2"],"application/geo+json":["geojson"],"application/gml+xml":["gml"],"application/gpx+xml":["gpx"],"application/gxf":["gxf"],"application/gzip":["gz"],"application/hyperstudio":["stk"],"application/inkml+xml":["ink","inkml"],"application/ipfix":["ipfix"],"application/java-archive":["jar","war","ear"],"application/java-serialized-object":["ser"],"application/java-vm":["class"],"application/javascript":["js","mjs"],"application/json":["json","map"],"application/json5":["json5"],"application/jsonml+json":["jsonml"],"application/ld+json":["jsonld"],"application/lost+xml":["lostxml"],"application/mac-binhex40":["hqx"],"application/mac-compactpro":["cpt"],"application/mads+xml":["mads"],"application/manifest+json":["webmanifest"],"application/marc":["mrc"],"application/marcxml+xml":["mrcx"],"application/mathematica":["ma","nb","mb"],"application/mathml+xml":["mathml"],"application/mbox":["mbox"],"application/mediaservercontrol+xml":["mscml"],"application/metalink+xml":["metalink"],"application/metalink4+xml":["meta4"],"application/mets+xml":["mets"],"application/mods+xml":["mods"],"application/mp21":["m21","mp21"],"application/mp4":["mp4s","m4p"],"application/msword":["doc","dot"],"application/mxf":["mxf"],"application/octet-stream":["bin","dms","lrf","mar","so","dist","distz","pkg","bpk","dump","elc","deploy","exe","dll","deb","dmg","iso","img","msi","msp","msm","buffer"],"application/oda":["oda"],"application/oebps-package+xml":["opf"],"application/ogg":["ogx"],"application/omdoc+xml":["omdoc"],"application/onenote":["onetoc","onetoc2","onetmp","onepkg"],"application/oxps":["oxps"],"application/patch-ops-error+xml":["xer"],"application/pdf":["pdf"],"application/pgp-encrypted":["pgp"],"application/pgp-signature":["asc","sig"],"application/pics-rules":["prf"],"application/pkcs10":["p10"],"application/pkcs7-mime":["p7m","p7c"],"application/pkcs7-signature":["p7s"],"application/pkcs8":["p8"],"application/pkix-attr-cert":["ac"],"application/pkix-cert":["cer"],"application/pkix-crl":["crl"],"application/pkix-pkipath":["pkipath"],"application/pkixcmp":["pki"],"application/pls+xml":["pls"],"application/postscript":["ai","eps","ps"],"application/prs.cww":["cww"],"application/pskc+xml":["pskcxml"],"application/rdf+xml":["rdf"],"application/reginfo+xml":["rif"],"application/relax-ng-compact-syntax":["rnc"],"application/resource-lists+xml":["rl"],"application/resource-lists-diff+xml":["rld"],"application/rls-services+xml":["rs"],"application/rpki-ghostbusters":["gbr"],"application/rpki-manifest":["mft"],"application/rpki-roa":["roa"],"application/rsd+xml":["rsd"],"application/rss+xml":["rss"],"application/rtf":["rtf"],"application/sbml+xml":["sbml"],"application/scvp-cv-request":["scq"],"application/scvp-cv-response":["scs"],"application/scvp-vp-request":["spq"],"application/scvp-vp-response":["spp"],"application/sdp":["sdp"],"application/set-payment-initiation":["setpay"],"application/set-registration-initiation":["setreg"],"application/shf+xml":["shf"],"application/smil+xml":["smi","smil"],"application/sparql-query":["rq"],"application/sparql-results+xml":["srx"],"application/srgs":["gram"],"application/srgs+xml":["grxml"],"application/sru+xml":["sru"],"application/ssdl+xml":["ssdl"],"application/ssml+xml":["ssml"],"application/tei+xml":["tei","teicorpus"],"application/thraud+xml":["tfi"],"application/timestamped-data":["tsd"],"application/vnd.3gpp.pic-bw-large":["plb"],"application/vnd.3gpp.pic-bw-small":["psb"],"application/vnd.3gpp.pic-bw-var":["pvb"],"application/vnd.3gpp2.tcap":["tcap"],"application/vnd.3m.post-it-notes":["pwn"],"application/vnd.accpac.simply.aso":["aso"],"application/vnd.accpac.simply.imp":["imp"],"application/vnd.acucobol":["acu"],"application/vnd.acucorp":["atc","acutc"],"application/vnd.adobe.air-application-installer-package+zip":["air"],"application/vnd.adobe.formscentral.fcdt":["fcdt"],"application/vnd.adobe.fxp":["fxp","fxpl"],"application/vnd.adobe.xdp+xml":["xdp"],"application/vnd.adobe.xfdf":["xfdf"],"application/vnd.ahead.space":["ahead"],"application/vnd.airzip.filesecure.azf":["azf"],"application/vnd.airzip.filesecure.azs":["azs"],"application/vnd.amazon.ebook":["azw"],"application/vnd.americandynamics.acc":["acc"],"application/vnd.amiga.ami":["ami"],"application/vnd.android.package-archive":["apk"],"application/vnd.anser-web-certificate-issue-initiation":["cii"],"application/vnd.anser-web-funds-transfer-initiation":["fti"],"application/vnd.antix.game-component":["atx"],"application/vnd.apple.installer+xml":["mpkg"],"application/vnd.apple.mpegurl":["m3u8"],"application/vnd.apple.pkpass":["pkpass"],"application/vnd.aristanetworks.swi":["swi"],"application/vnd.astraea-software.iota":["iota"],"application/vnd.audiograph":["aep"],"application/vnd.blueice.multipass":["mpm"],"application/vnd.bmi":["bmi"],"application/vnd.businessobjects":["rep"],"application/vnd.chemdraw+xml":["cdxml"],"application/vnd.chipnuts.karaoke-mmd":["mmd"],"application/vnd.cinderella":["cdy"],"application/vnd.claymore":["cla"],"application/vnd.cloanto.rp9":["rp9"],"application/vnd.clonk.c4group":["c4g","c4d","c4f","c4p","c4u"],"application/vnd.cluetrust.cartomobile-config":["c11amc"],"application/vnd.cluetrust.cartomobile-config-pkg":["c11amz"],"application/vnd.commonspace":["csp"],"application/vnd.contact.cmsg":["cdbcmsg"],"application/vnd.cosmocaller":["cmc"],"application/vnd.crick.clicker":["clkx"],"application/vnd.crick.clicker.keyboard":["clkk"],"application/vnd.crick.clicker.palette":["clkp"],"application/vnd.crick.clicker.template":["clkt"],"application/vnd.crick.clicker.wordbank":["clkw"],"application/vnd.criticaltools.wbs+xml":["wbs"],"application/vnd.ctc-posml":["pml"],"application/vnd.cups-ppd":["ppd"],"application/vnd.curl.car":["car"],"application/vnd.curl.pcurl":["pcurl"],"application/vnd.dart":["dart"],"application/vnd.data-vision.rdz":["rdz"],"application/vnd.dece.data":["uvf","uvvf","uvd","uvvd"],"application/vnd.dece.ttml+xml":["uvt","uvvt"],"application/vnd.dece.unspecified":["uvx","uvvx"],"application/vnd.dece.zip":["uvz","uvvz"],"application/vnd.denovo.fcselayout-link":["fe_launch"],"application/vnd.dna":["dna"],"application/vnd.dolby.mlp":["mlp"],"application/vnd.dpgraph":["dpg"],"application/vnd.dreamfactory":["dfac"],"application/vnd.ds-keypoint":["kpxx"],"application/vnd.dvb.ait":["ait"],"application/vnd.dvb.service":["svc"],"application/vnd.dynageo":["geo"],"application/vnd.ecowin.chart":["mag"],"application/vnd.enliven":["nml"],"application/vnd.epson.esf":["esf"],"application/vnd.epson.msf":["msf"],"application/vnd.epson.quickanime":["qam"],"application/vnd.epson.salt":["slt"],"application/vnd.epson.ssf":["ssf"],"application/vnd.eszigno3+xml":["es3","et3"],"application/vnd.ezpix-album":["ez2"],"application/vnd.ezpix-package":["ez3"],"application/vnd.fdf":["fdf"],"application/vnd.fdsn.mseed":["mseed"],"application/vnd.fdsn.seed":["seed","dataless"],"application/vnd.flographit":["gph"],"application/vnd.fluxtime.clip":["ftc"],"application/vnd.framemaker":["fm","frame","maker","book"],"application/vnd.frogans.fnc":["fnc"],"application/vnd.frogans.ltf":["ltf"],"application/vnd.fsc.weblaunch":["fsc"],"application/vnd.fujitsu.oasys":["oas"],"application/vnd.fujitsu.oasys2":["oa2"],"application/vnd.fujitsu.oasys3":["oa3"],"application/vnd.fujitsu.oasysgp":["fg5"],"application/vnd.fujitsu.oasysprs":["bh2"],"application/vnd.fujixerox.ddd":["ddd"],"application/vnd.fujixerox.docuworks":["xdw"],"application/vnd.fujixerox.docuworks.binder":["xbd"],"application/vnd.fuzzysheet":["fzs"],"application/vnd.genomatix.tuxedo":["txd"],"application/vnd.geogebra.file":["ggb"],"application/vnd.geogebra.tool":["ggt"],"application/vnd.geometry-explorer":["gex","gre"],"application/vnd.geonext":["gxt"],"application/vnd.geoplan":["g2w"],"application/vnd.geospace":["g3w"],"application/vnd.gmx":["gmx"],"application/vnd.google-apps.document":["gdoc"],"application/vnd.google-apps.presentation":["gslides"],"application/vnd.google-apps.spreadsheet":["gsheet"],"application/vnd.google-earth.kml+xml":["kml"],"application/vnd.google-earth.kmz":["kmz"],"application/vnd.grafeq":["gqf","gqs"],"application/vnd.groove-account":["gac"],"application/vnd.groove-help":["ghf"],"application/vnd.groove-identity-message":["gim"],"application/vnd.groove-injector":["grv"],"application/vnd.groove-tool-message":["gtm"],"application/vnd.groove-tool-template":["tpl"],"application/vnd.groove-vcard":["vcg"],"application/vnd.hal+xml":["hal"],"application/vnd.handheld-entertainment+xml":["zmm"],"application/vnd.hbci":["hbci"],"application/vnd.hhe.lesson-player":["les"],"application/vnd.hp-hpgl":["hpgl"],"application/vnd.hp-hpid":["hpid"],"application/vnd.hp-hps":["hps"],"application/vnd.hp-jlyt":["jlt"],"application/vnd.hp-pcl":["pcl"],"application/vnd.hp-pclxl":["pclxl"],"application/vnd.hydrostatix.sof-data":["sfd-hdstx"],"application/vnd.ibm.minipay":["mpy"],"application/vnd.ibm.modcap":["afp","listafp","list3820"],"application/vnd.ibm.rights-management":["irm"],"application/vnd.ibm.secure-container":["sc"],"application/vnd.iccprofile":["icc","icm"],"application/vnd.igloader":["igl"],"application/vnd.immervision-ivp":["ivp"],"application/vnd.immervision-ivu":["ivu"],"application/vnd.insors.igm":["igm"],"application/vnd.intercon.formnet":["xpw","xpx"],"application/vnd.intergeo":["i2g"],"application/vnd.intu.qbo":["qbo"],"application/vnd.intu.qfx":["qfx"],"application/vnd.ipunplugged.rcprofile":["rcprofile"],"application/vnd.irepository.package+xml":["irp"],"application/vnd.is-xpr":["xpr"],"application/vnd.isac.fcs":["fcs"],"application/vnd.jam":["jam"],"application/vnd.jcp.javame.midlet-rms":["rms"],"application/vnd.jisp":["jisp"],"application/vnd.joost.joda-archive":["joda"],"application/vnd.kahootz":["ktz","ktr"],"application/vnd.kde.karbon":["karbon"],"application/vnd.kde.kchart":["chrt"],"application/vnd.kde.kformula":["kfo"],"application/vnd.kde.kivio":["flw"],"application/vnd.kde.kontour":["kon"],"application/vnd.kde.kpresenter":["kpr","kpt"],"application/vnd.kde.kspread":["ksp"],"application/vnd.kde.kword":["kwd","kwt"],"application/vnd.kenameaapp":["htke"],"application/vnd.kidspiration":["kia"],"application/vnd.kinar":["kne","knp"],"application/vnd.koan":["skp","skd","skt","skm"],"application/vnd.kodak-descriptor":["sse"],"application/vnd.las.las+xml":["lasxml"],"application/vnd.llamagraphics.life-balance.desktop":["lbd"],"application/vnd.llamagraphics.life-balance.exchange+xml":["lbe"],"application/vnd.lotus-1-2-3":["123"],"application/vnd.lotus-approach":["apr"],"application/vnd.lotus-freelance":["pre"],"application/vnd.lotus-notes":["nsf"],"application/vnd.lotus-organizer":["org"],"application/vnd.lotus-screencam":["scm"],"application/vnd.lotus-wordpro":["lwp"],"application/vnd.macports.portpkg":["portpkg"],"application/vnd.mcd":["mcd"],"application/vnd.medcalcdata":["mc1"],"application/vnd.mediastation.cdkey":["cdkey"],"application/vnd.mfer":["mwf"],"application/vnd.mfmp":["mfm"],"application/vnd.micrografx.flo":["flo"],"application/vnd.micrografx.igx":["igx"],"application/vnd.mif":["mif"],"application/vnd.mobius.daf":["daf"],"application/vnd.mobius.dis":["dis"],"application/vnd.mobius.mbk":["mbk"],"application/vnd.mobius.mqy":["mqy"],"application/vnd.mobius.msl":["msl"],"application/vnd.mobius.plc":["plc"],"application/vnd.mobius.txf":["txf"],"application/vnd.mophun.application":["mpn"],"application/vnd.mophun.certificate":["mpc"],"application/vnd.mozilla.xul+xml":["xul"],"application/vnd.ms-artgalry":["cil"],"application/vnd.ms-cab-compressed":["cab"],"application/vnd.ms-excel":["xls","xlm","xla","xlc","xlt","xlw"],"application/vnd.ms-excel.addin.macroenabled.12":["xlam"],"application/vnd.ms-excel.sheet.binary.macroenabled.12":["xlsb"],"application/vnd.ms-excel.sheet.macroenabled.12":["xlsm"],"application/vnd.ms-excel.template.macroenabled.12":["xltm"],"application/vnd.ms-fontobject":["eot"],"application/vnd.ms-htmlhelp":["chm"],"application/vnd.ms-ims":["ims"],"application/vnd.ms-lrm":["lrm"],"application/vnd.ms-officetheme":["thmx"],"application/vnd.ms-outlook":["msg"],"application/vnd.ms-pki.seccat":["cat"],"application/vnd.ms-pki.stl":["stl"],"application/vnd.ms-powerpoint":["ppt","pps","pot"],"application/vnd.ms-powerpoint.addin.macroenabled.12":["ppam"],"application/vnd.ms-powerpoint.presentation.macroenabled.12":["pptm"],"application/vnd.ms-powerpoint.slide.macroenabled.12":["sldm"],"application/vnd.ms-powerpoint.slideshow.macroenabled.12":["ppsm"],"application/vnd.ms-powerpoint.template.macroenabled.12":["potm"],"application/vnd.ms-project":["mpp","mpt"],"application/vnd.ms-word.document.macroenabled.12":["docm"],"application/vnd.ms-word.template.macroenabled.12":["dotm"],"application/vnd.ms-works":["wps","wks","wcm","wdb"],"application/vnd.ms-wpl":["wpl"],"application/vnd.ms-xpsdocument":["xps"],"application/vnd.mseq":["mseq"],"application/vnd.musician":["mus"],"application/vnd.muvee.style":["msty"],"application/vnd.mynfc":["taglet"],"application/vnd.neurolanguage.nlu":["nlu"],"application/vnd.nitf":["ntf","nitf"],"application/vnd.noblenet-directory":["nnd"],"application/vnd.noblenet-sealer":["nns"],"application/vnd.noblenet-web":["nnw"],"application/vnd.nokia.n-gage.data":["ngdat"],"application/vnd.nokia.n-gage.symbian.install":["n-gage"],"application/vnd.nokia.radio-preset":["rpst"],"application/vnd.nokia.radio-presets":["rpss"],"application/vnd.novadigm.edm":["edm"],"application/vnd.novadigm.edx":["edx"],"application/vnd.novadigm.ext":["ext"],"application/vnd.oasis.opendocument.chart":["odc"],"application/vnd.oasis.opendocument.chart-template":["otc"],"application/vnd.oasis.opendocument.database":["odb"],"application/vnd.oasis.opendocument.formula":["odf"],"application/vnd.oasis.opendocument.formula-template":["odft"],"application/vnd.oasis.opendocument.graphics":["odg"],"application/vnd.oasis.opendocument.graphics-template":["otg"],"application/vnd.oasis.opendocument.image":["odi"],"application/vnd.oasis.opendocument.image-template":["oti"],"application/vnd.oasis.opendocument.presentation":["odp"],"application/vnd.oasis.opendocument.presentation-template":["otp"],"application/vnd.oasis.opendocument.spreadsheet":["ods"],"application/vnd.oasis.opendocument.spreadsheet-template":["ots"],"application/vnd.oasis.opendocument.text":["odt"],"application/vnd.oasis.opendocument.text-master":["odm"],"application/vnd.oasis.opendocument.text-template":["ott"],"application/vnd.oasis.opendocument.text-web":["oth"],"application/vnd.olpc-sugar":["xo"],"application/vnd.oma.dd2+xml":["dd2"],"application/vnd.openofficeorg.extension":["oxt"],"application/vnd.openxmlformats-officedocument.presentationml.presentation":["pptx"],"application/vnd.openxmlformats-officedocument.presentationml.slide":["sldx"],"application/vnd.openxmlformats-officedocument.presentationml.slideshow":["ppsx"],"application/vnd.openxmlformats-officedocument.presentationml.template":["potx"],"application/vnd.openxmlformats-officedocument.spreadsheetml.sheet":["xlsx"],"application/vnd.openxmlformats-officedocument.spreadsheetml.template":["xltx"],"application/vnd.openxmlformats-officedocument.wordprocessingml.document":["docx"],"application/vnd.openxmlformats-officedocument.wordprocessingml.template":["dotx"],"application/vnd.osgeo.mapguide.package":["mgp"],"application/vnd.osgi.dp":["dp"],"application/vnd.osgi.subsystem":["esa"],"application/vnd.palm":["pdb","pqa","oprc"],"application/vnd.pawaafile":["paw"],"application/vnd.pg.format":["str"],"application/vnd.pg.osasli":["ei6"],"application/vnd.picsel":["efif"],"application/vnd.pmi.widget":["wg"],"application/vnd.pocketlearn":["plf"],"application/vnd.powerbuilder6":["pbd"],"application/vnd.previewsystems.box":["box"],"application/vnd.proteus.magazine":["mgz"],"application/vnd.publishare-delta-tree":["qps"],"application/vnd.pvi.ptid1":["ptid"],"application/vnd.quark.quarkxpress":["qxd","qxt","qwd","qwt","qxl","qxb"],"application/vnd.realvnc.bed":["bed"],"application/vnd.recordare.musicxml":["mxl"],"application/vnd.recordare.musicxml+xml":["musicxml"],"application/vnd.rig.cryptonote":["cryptonote"],"application/vnd.rim.cod":["cod"],"application/vnd.rn-realmedia":["rm"],"application/vnd.rn-realmedia-vbr":["rmvb"],"application/vnd.route66.link66+xml":["link66"],"application/vnd.sailingtracker.track":["st"],"application/vnd.seemail":["see"],"application/vnd.sema":["sema"],"application/vnd.semd":["semd"],"application/vnd.semf":["semf"],"application/vnd.shana.informed.formdata":["ifm"],"application/vnd.shana.informed.formtemplate":["itp"],"application/vnd.shana.informed.interchange":["iif"],"application/vnd.shana.informed.package":["ipk"],"application/vnd.simtech-mindmapper":["twd","twds"],"application/vnd.smaf":["mmf"],"application/vnd.smart.teacher":["teacher"],"application/vnd.solent.sdkm+xml":["sdkm","sdkd"],"application/vnd.spotfire.dxp":["dxp"],"application/vnd.spotfire.sfs":["sfs"],"application/vnd.stardivision.calc":["sdc"],"application/vnd.stardivision.draw":["sda"],"application/vnd.stardivision.impress":["sdd"],"application/vnd.stardivision.math":["smf"],"application/vnd.stardivision.writer":["sdw","vor"],"application/vnd.stardivision.writer-global":["sgl"],"application/vnd.stepmania.package":["smzip"],"application/vnd.stepmania.stepchart":["sm"],"application/vnd.sun.wadl+xml":["wadl"],"application/vnd.sun.xml.calc":["sxc"],"application/vnd.sun.xml.calc.template":["stc"],"application/vnd.sun.xml.draw":["sxd"],"application/vnd.sun.xml.draw.template":["std"],"application/vnd.sun.xml.impress":["sxi"],"application/vnd.sun.xml.impress.template":["sti"],"application/vnd.sun.xml.math":["sxm"],"application/vnd.sun.xml.writer":["sxw"],"application/vnd.sun.xml.writer.global":["sxg"],"application/vnd.sun.xml.writer.template":["stw"],"application/vnd.sus-calendar":["sus","susp"],"application/vnd.svd":["svd"],"application/vnd.symbian.install":["sis","sisx"],"application/vnd.syncml+xml":["xsm"],"application/vnd.syncml.dm+wbxml":["bdm"],"application/vnd.syncml.dm+xml":["xdm"],"application/vnd.tao.intent-module-archive":["tao"],"application/vnd.tcpdump.pcap":["pcap","cap","dmp"],"application/vnd.tmobile-livetv":["tmo"],"application/vnd.trid.tpt":["tpt"],"application/vnd.triscape.mxs":["mxs"],"application/vnd.trueapp":["tra"],"application/vnd.ufdl":["ufd","ufdl"],"application/vnd.uiq.theme":["utz"],"application/vnd.umajin":["umj"],"application/vnd.unity":["unityweb"],"application/vnd.uoml+xml":["uoml"],"application/vnd.vcx":["vcx"],"application/vnd.visio":["vsd","vst","vss","vsw"],"application/vnd.visionary":["vis"],"application/vnd.vsf":["vsf"],"application/vnd.wap.wbxml":["wbxml"],"application/vnd.wap.wmlc":["wmlc"],"application/vnd.wap.wmlscriptc":["wmlsc"],"application/vnd.webturbo":["wtb"],"application/vnd.wolfram.player":["nbp"],"application/vnd.wordperfect":["wpd"],"application/vnd.wqd":["wqd"],"application/vnd.wt.stf":["stf"],"application/vnd.xara":["xar"],"application/vnd.xfdl":["xfdl"],"application/vnd.yamaha.hv-dic":["hvd"],"application/vnd.yamaha.hv-script":["hvs"],"application/vnd.yamaha.hv-voice":["hvp"],"application/vnd.yamaha.openscoreformat":["osf"],"application/vnd.yamaha.openscoreformat.osfpvg+xml":["osfpvg"],"application/vnd.yamaha.smaf-audio":["saf"],"application/vnd.yamaha.smaf-phrase":["spf"],"application/vnd.yellowriver-custom-menu":["cmp"],"application/vnd.zul":["zir","zirz"],"application/vnd.zzazz.deck+xml":["zaz"],"application/voicexml+xml":["vxml"],"application/widget":["wgt"],"application/winhlp":["hlp"],"application/wsdl+xml":["wsdl"],"application/wspolicy+xml":["wspolicy"],"application/x-7z-compressed":["7z"],"application/x-abiword":["abw"],"application/x-ace-compressed":["ace"],"application/x-apple-diskimage":["dmg"],"application/x-arj":["arj"],"application/x-authorware-bin":["aab","x32","u32","vox"],"application/x-authorware-map":["aam"],"application/x-authorware-seg":["aas"],"application/x-bcpio":["bcpio"],"application/x-bdoc":["bdoc"],"application/x-bittorrent":["torrent"],"application/x-blorb":["blb","blorb"],"application/x-bzip":["bz"],"application/x-bzip2":["bz2","boz"],"application/x-cbr":["cbr","cba","cbt","cbz","cb7"],"application/x-cdlink":["vcd"],"application/x-cfs-compressed":["cfs"],"application/x-chat":["chat"],"application/x-chess-pgn":["pgn"],"application/x-chrome-extension":["crx"],"application/x-cocoa":["cco"],"application/x-conference":["nsc"],"application/x-cpio":["cpio"],"application/x-csh":["csh"],"application/x-debian-package":["deb","udeb"],"application/x-dgc-compressed":["dgc"],"application/x-director":["dir","dcr","dxr","cst","cct","cxt","w3d","fgd","swa"],"application/x-doom":["wad"],"application/x-dtbncx+xml":["ncx"],"application/x-dtbook+xml":["dtb"],"application/x-dtbresource+xml":["res"],"application/x-dvi":["dvi"],"application/x-envoy":["evy"],"application/x-eva":["eva"],"application/x-font-bdf":["bdf"],"application/x-font-ghostscript":["gsf"],"application/x-font-linux-psf":["psf"],"application/x-font-otf":["otf"],"application/x-font-pcf":["pcf"],"application/x-font-snf":["snf"],"application/x-font-ttf":["ttf","ttc"],"application/x-font-type1":["pfa","pfb","pfm","afm"],"application/x-freearc":["arc"],"application/x-futuresplash":["spl"],"application/x-gca-compressed":["gca"],"application/x-glulx":["ulx"],"application/x-gnumeric":["gnumeric"],"application/x-gramps-xml":["gramps"],"application/x-gtar":["gtar"],"application/x-hdf":["hdf"],"application/x-httpd-php":["php"],"application/x-install-instructions":["install"],"application/x-iso9660-image":["iso"],"application/x-java-archive-diff":["jardiff"],"application/x-java-jnlp-file":["jnlp"],"application/x-latex":["latex"],"application/x-lua-bytecode":["luac"],"application/x-lzh-compressed":["lzh","lha"],"application/x-makeself":["run"],"application/x-mie":["mie"],"application/x-mobipocket-ebook":["prc","mobi"],"application/x-ms-application":["application"],"application/x-ms-shortcut":["lnk"],"application/x-ms-wmd":["wmd"],"application/x-ms-wmz":["wmz"],"application/x-ms-xbap":["xbap"],"application/x-msaccess":["mdb"],"application/x-msbinder":["obd"],"application/x-mscardfile":["crd"],"application/x-msclip":["clp"],"application/x-msdos-program":["exe"],"application/x-msdownload":["exe","dll","com","bat","msi"],"application/x-msmediaview":["mvb","m13","m14"],"application/x-msmetafile":["wmf","wmz","emf","emz"],"application/x-msmoney":["mny"],"application/x-mspublisher":["pub"],"application/x-msschedule":["scd"],"application/x-msterminal":["trm"],"application/x-mswrite":["wri"],"application/x-netcdf":["nc","cdf"],"application/x-ns-proxy-autoconfig":["pac"],"application/x-nzb":["nzb"],"application/x-perl":["pl","pm"],"application/x-pilot":["prc","pdb"],"application/x-pkcs12":["p12","pfx"],"application/x-pkcs7-certificates":["p7b","spc"],"application/x-pkcs7-certreqresp":["p7r"],"application/x-rar-compressed":["rar"],"application/x-redhat-package-manager":["rpm"],"application/x-research-info-systems":["ris"],"application/x-sea":["sea"],"application/x-sh":["sh"],"application/x-shar":["shar"],"application/x-shockwave-flash":["swf"],"application/x-silverlight-app":["xap"],"application/x-sql":["sql"],"application/x-stuffit":["sit"],"application/x-stuffitx":["sitx"],"application/x-subrip":["srt"],"application/x-sv4cpio":["sv4cpio"],"application/x-sv4crc":["sv4crc"],"application/x-t3vm-image":["t3"],"application/x-tads":["gam"],"application/x-tar":["tar"],"application/x-tcl":["tcl","tk"],"application/x-tex":["tex"],"application/x-tex-tfm":["tfm"],"application/x-texinfo":["texinfo","texi"],"application/x-tgif":["obj"],"application/x-ustar":["ustar"],"application/x-virtualbox-hdd":["hdd"],"application/x-virtualbox-ova":["ova"],"application/x-virtualbox-ovf":["ovf"],"application/x-virtualbox-vbox":["vbox"],"application/x-virtualbox-vbox-extpack":["vbox-extpack"],"application/x-virtualbox-vdi":["vdi"],"application/x-virtualbox-vhd":["vhd"],"application/x-virtualbox-vmdk":["vmdk"],"application/x-wais-source":["src"],"application/x-web-app-manifest+json":["webapp"],"application/x-x509-ca-cert":["der","crt","pem"],"application/x-xfig":["fig"],"application/x-xliff+xml":["xlf"],"application/x-xpinstall":["xpi"],"application/x-xz":["xz"],"application/x-zmachine":["z1","z2","z3","z4","z5","z6","z7","z8"],"application/xaml+xml":["xaml"],"application/xcap-diff+xml":["xdf"],"application/xenc+xml":["xenc"],"application/xhtml+xml":["xhtml","xht"],"application/xml":["xml","xsl","xsd","rng"],"application/xml-dtd":["dtd"],"application/xop+xml":["xop"],"application/xproc+xml":["xpl"],"application/xslt+xml":["xslt"],"application/xspf+xml":["xspf"],"application/xv+xml":["mxml","xhvml","xvml","xvm"],"application/yang":["yang"],"application/yin+xml":["yin"],"application/zip":["zip"],"audio/3gpp":["3gpp"],"audio/adpcm":["adp"],"audio/basic":["au","snd"],"audio/midi":["mid","midi","kar","rmi"],"audio/mp3":["mp3"],"audio/mp4":["m4a","mp4a"],"audio/mpeg":["mpga","mp2","mp2a","mp3","m2a","m3a"],"audio/ogg":["oga","ogg","spx"],"audio/s3m":["s3m"],"audio/silk":["sil"],"audio/vnd.dece.audio":["uva","uvva"],"audio/vnd.digital-winds":["eol"],"audio/vnd.dra":["dra"],"audio/vnd.dts":["dts"],"audio/vnd.dts.hd":["dtshd"],"audio/vnd.lucent.voice":["lvp"],"audio/vnd.ms-playready.media.pya":["pya"],"audio/vnd.nuera.ecelp4800":["ecelp4800"],"audio/vnd.nuera.ecelp7470":["ecelp7470"],"audio/vnd.nuera.ecelp9600":["ecelp9600"],"audio/vnd.rip":["rip"],"audio/wav":["wav"],"audio/wave":["wav"],"audio/webm":["weba"],"audio/x-aac":["aac"],"audio/x-aiff":["aif","aiff","aifc"],"audio/x-caf":["caf"],"audio/x-flac":["flac"],"audio/x-m4a":["m4a"],"audio/x-matroska":["mka"],"audio/x-mpegurl":["m3u"],"audio/x-ms-wax":["wax"],"audio/x-ms-wma":["wma"],"audio/x-pn-realaudio":["ram","ra"],"audio/x-pn-realaudio-plugin":["rmp"],"audio/x-realaudio":["ra"],"audio/x-wav":["wav"],"audio/xm":["xm"],"chemical/x-cdx":["cdx"],"chemical/x-cif":["cif"],"chemical/x-cmdf":["cmdf"],"chemical/x-cml":["cml"],"chemical/x-csml":["csml"],"chemical/x-xyz":["xyz"],"font/otf":["otf"],"image/apng":["apng"],"image/bmp":["bmp"],"image/cgm":["cgm"],"image/g3fax":["g3"],"image/gif":["gif"],"image/ief":["ief"],"image/jpeg":["jpeg","jpg","jpe"],"image/ktx":["ktx"],"image/png":["png"],"image/prs.btif":["btif"],"image/sgi":["sgi"],"image/svg+xml":["svg","svgz"],"image/tiff":["tiff","tif"],"image/vnd.adobe.photoshop":["psd"],"image/vnd.dece.graphic":["uvi","uvvi","uvg","uvvg"],"image/vnd.djvu":["djvu","djv"],"image/vnd.dvb.subtitle":["sub"],"image/vnd.dwg":["dwg"],"image/vnd.dxf":["dxf"],"image/vnd.fastbidsheet":["fbs"],"image/vnd.fpx":["fpx"],"image/vnd.fst":["fst"],"image/vnd.fujixerox.edmics-mmr":["mmr"],"image/vnd.fujixerox.edmics-rlc":["rlc"],"image/vnd.ms-modi":["mdi"],"image/vnd.ms-photo":["wdp"],"image/vnd.net-fpx":["npx"],"image/vnd.wap.wbmp":["wbmp"],"image/vnd.xiff":["xif"],"image/webp":["webp"],"image/x-3ds":["3ds"],"image/x-cmu-raster":["ras"],"image/x-cmx":["cmx"],"image/x-freehand":["fh","fhc","fh4","fh5","fh7"],"image/x-icon":["ico"],"image/x-jng":["jng"],"image/x-mrsid-image":["sid"],"image/x-ms-bmp":["bmp"],"image/x-pcx":["pcx"],"image/x-pict":["pic","pct"],"image/x-portable-anymap":["pnm"],"image/x-portable-bitmap":["pbm"],"image/x-portable-graymap":["pgm"],"image/x-portable-pixmap":["ppm"],"image/x-rgb":["rgb"],"image/x-tga":["tga"],"image/x-xbitmap":["xbm"],"image/x-xpixmap":["xpm"],"image/x-xwindowdump":["xwd"],"message/rfc822":["eml","mime"],"model/gltf+json":["gltf"],"model/gltf-binary":["glb"],"model/iges":["igs","iges"],"model/mesh":["msh","mesh","silo"],"model/vnd.collada+xml":["dae"],"model/vnd.dwf":["dwf"],"model/vnd.gdl":["gdl"],"model/vnd.gtw":["gtw"],"model/vnd.mts":["mts"],"model/vnd.vtu":["vtu"],"model/vrml":["wrl","vrml"],"model/x3d+binary":["x3db","x3dbz"],"model/x3d+vrml":["x3dv","x3dvz"],"model/x3d+xml":["x3d","x3dz"],"text/cache-manifest":["appcache","manifest"],"text/calendar":["ics","ifb"],"text/coffeescript":["coffee","litcoffee"],"text/css":["css"],"text/csv":["csv"],"text/hjson":["hjson"],"text/html":["html","htm","shtml"],"text/jade":["jade"],"text/jsx":["jsx"],"text/less":["less"],"text/markdown":["markdown","md"],"text/mathml":["mml"],"text/n3":["n3"],"text/plain":["txt","text","conf","def","list","log","in","ini"],"text/prs.lines.tag":["dsc"],"text/richtext":["rtx"],"text/rtf":["rtf"],"text/sgml":["sgml","sgm"],"text/slim":["slim","slm"],"text/stylus":["stylus","styl"],"text/tab-separated-values":["tsv"],"text/troff":["t","tr","roff","man","me","ms"],"text/turtle":["ttl"],"text/uri-list":["uri","uris","urls"],"text/vcard":["vcard"],"text/vnd.curl":["curl"],"text/vnd.curl.dcurl":["dcurl"],"text/vnd.curl.mcurl":["mcurl"],"text/vnd.curl.scurl":["scurl"],"text/vnd.dvb.subtitle":["sub"],"text/vnd.fly":["fly"],"text/vnd.fmi.flexstor":["flx"],"text/vnd.graphviz":["gv"],"text/vnd.in3d.3dml":["3dml"],"text/vnd.in3d.spot":["spot"],"text/vnd.sun.j2me.app-descriptor":["jad"],"text/vnd.wap.wml":["wml"],"text/vnd.wap.wmlscript":["wmls"],"text/vtt":["vtt"],"text/x-asm":["s","asm"],"text/x-c":["c","cc","cxx","cpp","h","hh","dic"],"text/x-component":["htc"],"text/x-fortran":["f","for","f77","f90"],"text/x-handlebars-template":["hbs"],"text/x-java-source":["java"],"text/x-lua":["lua"],"text/x-markdown":["mkd"],"text/x-nfo":["nfo"],"text/x-opml":["opml"],"text/x-org":["org"],"text/x-pascal":["p","pas"],"text/x-processing":["pde"],"text/x-sass":["sass"],"text/x-scss":["scss"],"text/x-setext":["etx"],"text/x-sfv":["sfv"],"text/x-suse-ymp":["ymp"],"text/x-uuencode":["uu"],"text/x-vcalendar":["vcs"],"text/x-vcard":["vcf"],"text/xml":["xml"],"text/yaml":["yaml","yml"],"video/3gpp":["3gp","3gpp"],"video/3gpp2":["3g2"],"video/h261":["h261"],"video/h263":["h263"],"video/h264":["h264"],"video/jpeg":["jpgv"],"video/jpm":["jpm","jpgm"],"video/mj2":["mj2","mjp2"],"video/mp2t":["ts"],"video/mp4":["mp4","mp4v","mpg4"],"video/mpeg":["mpeg","mpg","mpe","m1v","m2v"],"video/ogg":["ogv"],"video/quicktime":["qt","mov"],"video/vnd.dece.hd":["uvh","uvvh"],"video/vnd.dece.mobile":["uvm","uvvm"],"video/vnd.dece.pd":["uvp","uvvp"],"video/vnd.dece.sd":["uvs","uvvs"],"video/vnd.dece.video":["uvv","uvvv"],"video/vnd.dvb.file":["dvb"],"video/vnd.fvt":["fvt"],"video/vnd.mpegurl":["mxu","m4u"],"video/vnd.ms-playready.media.pyv":["pyv"],"video/vnd.uvvu.mp4":["uvu","uvvu"],"video/vnd.vivo":["viv"],"video/webm":["webm"],"video/x-f4v":["f4v"],"video/x-fli":["fli"],"video/x-flv":["flv"],"video/x-m4v":["m4v"],"video/x-matroska":["mkv","mk3d","mks"],"video/x-mng":["mng"],"video/x-ms-asf":["asf","asx"],"video/x-ms-vob":["vob"],"video/x-ms-wm":["wm"],"video/x-ms-wmv":["wmv"],"video/x-ms-wmx":["wmx"],"video/x-ms-wvx":["wvx"],"video/x-msvideo":["avi"],"video/x-sgi-movie":["movie"],"video/x-smv":["smv"],"x-conference/x-cooltalk":["ice"]} diff --git a/node_modules/node/bin/node.exe b/node_modules/node/bin/node.exe index 1fd9b1f..6610d11 100644 Binary files a/node_modules/node/bin/node.exe and b/node_modules/node/bin/node.exe differ diff --git a/node_modules/node/installArchSpecificPackage.js b/node_modules/node/installArchSpecificPackage.js index d6a28be..6b63f6c 100644 --- a/node_modules/node/installArchSpecificPackage.js +++ b/node_modules/node/installArchSpecificPackage.js @@ -1 +1 @@ -require('node-bin-setup')("20.10.0", require) \ No newline at end of file +require('node-bin-setup')("20.5.0", require) \ No newline at end of file diff --git a/node_modules/node/node_modules/.package-lock.json b/node_modules/node/node_modules/.package-lock.json index 4bf7a49..fa19f50 100644 --- a/node_modules/node/node_modules/.package-lock.json +++ b/node_modules/node/node_modules/.package-lock.json @@ -8,9 +8,9 @@ "integrity": "sha512-opgw9iSCAzT2+6wJOETCpeRYAQxSopqQ2z+N6BXwIMsQQ7Zj5M8MaafQY8JMlolRR6R1UXg2WmhKp0p9lSOivg==" }, "node_modules/node-win-x64": { - "version": "20.10.0", - "resolved": "https://registry.npmjs.org/node-win-x64/-/node-win-x64-20.10.0.tgz", - "integrity": "sha512-okRs8Rdk2y/r0SSjBo+RkPHzuCDCOTYw2iCzpIWGkameSHC4pj2Bbi0rSrDz5NaCWiap1ZdvUZFA1rg+30e46w==", + "version": "20.5.0", + "resolved": "https://registry.npmjs.org/node-win-x64/-/node-win-x64-20.5.0.tgz", + "integrity": "sha512-aOA5ZuwRVaMWXaAlCYCkdYPDNcDAfAa2RgYDIgdlPhP/eThwn5ilU4ECMfkT8oJqQ35B7rQxryuXixvl13MmoQ==", "cpu": "x64", "os": "win32", "bin": { diff --git a/node_modules/node/node_modules/node-win-x64/bin/node.exe b/node_modules/node/node_modules/node-win-x64/bin/node.exe index 1fd9b1f..6610d11 100644 Binary files a/node_modules/node/node_modules/node-win-x64/bin/node.exe and b/node_modules/node/node_modules/node-win-x64/bin/node.exe differ diff --git a/node_modules/node/node_modules/node-win-x64/package.json b/node_modules/node/node_modules/node-win-x64/package.json index cd324cb..3254a69 100644 --- a/node_modules/node/node_modules/node-win-x64/package.json +++ b/node_modules/node/node_modules/node-win-x64/package.json @@ -1,6 +1,6 @@ { "name": "node-win-x64", - "version": "v20.10.0", + "version": "v20.5.0", "description": "node", "bin": { "node": "bin/node.exe" diff --git a/node_modules/node/package.json b/node_modules/node/package.json index d840dcc..a260530 100644 --- a/node_modules/node/package.json +++ b/node_modules/node/package.json @@ -1,6 +1,6 @@ { "name": "node", - "version": "20.10.0", + "version": "20.5.0", "description": "node", "main": "index.js", "keywords": [ diff --git a/node_modules/object-inspect/CHANGELOG.md b/node_modules/object-inspect/CHANGELOG.md index c5772b4..d42237c 100644 --- a/node_modules/object-inspect/CHANGELOG.md +++ b/node_modules/object-inspect/CHANGELOG.md @@ -5,25 +5,6 @@ All notable changes to this project will be documented in this file. The format is based on [Keep a Changelog](https://keepachangelog.com/en/1.0.0/) and this project adheres to [Semantic Versioning](https://semver.org/spec/v2.0.0.html). -## [v1.13.1](https://github.com/inspect-js/object-inspect/compare/v1.13.0...v1.13.1) - 2023-10-19 - -### Commits - -- [Fix] in IE 8, global can !== window despite them being prototypes of each other [`30d0859`](https://github.com/inspect-js/object-inspect/commit/30d0859dc4606cf75c2410edcd5d5c6355f8d372) - -## [v1.13.0](https://github.com/inspect-js/object-inspect/compare/v1.12.3...v1.13.0) - 2023-10-14 - -### Commits - -- [New] add special handling for the global object [`431bab2`](https://github.com/inspect-js/object-inspect/commit/431bab21a490ee51d35395966a504501e8c685da) -- [Dev Deps] update `@ljharb/eslint-config`, `aud`, `tape` [`fd4f619`](https://github.com/inspect-js/object-inspect/commit/fd4f6193562b4b0e95dcf5c0201b4e8cbbc4f58d) -- [Dev Deps] update `mock-property`, `tape` [`b453f6c`](https://github.com/inspect-js/object-inspect/commit/b453f6ceeebf8a1b738a1029754092e0367a4134) -- [Dev Deps] update `error-cause` [`e8ffc57`](https://github.com/inspect-js/object-inspect/commit/e8ffc577d73b92bb6a4b00c44f14e3319e374888) -- [Dev Deps] update `tape` [`054b8b9`](https://github.com/inspect-js/object-inspect/commit/054b8b9b98633284cf989e582450ebfbbe53503c) -- [Dev Deps] temporarily remove `aud` due to breaking change in transitive deps [`2476845`](https://github.com/inspect-js/object-inspect/commit/2476845e0678dd290c541c81cd3dec8420782c52) -- [Dev Deps] pin `glob`, since v10.3.8+ requires a broken `jackspeak` [`383fa5e`](https://github.com/inspect-js/object-inspect/commit/383fa5eebc0afd705cc778a4b49d8e26452e49a8) -- [Dev Deps] pin `jackspeak` since 2.1.2+ depends on npm aliases, which kill the install process in npm < 6 [`68c244c`](https://github.com/inspect-js/object-inspect/commit/68c244c5174cdd877e5dcb8ee90aa3f44b2f25be) - ## [v1.12.3](https://github.com/inspect-js/object-inspect/compare/v1.12.2...v1.12.3) - 2023-01-12 ### Commits diff --git a/node_modules/object-inspect/index.js b/node_modules/object-inspect/index.js index ff20334..8496225 100644 --- a/node_modules/object-inspect/index.js +++ b/node_modules/object-inspect/index.js @@ -239,14 +239,6 @@ module.exports = function inspect_(obj, options, depth, seen) { if (isString(obj)) { return markBoxed(inspect(String(obj))); } - // note: in IE 8, sometimes `global !== window` but both are the prototypes of each other - /* eslint-env browser */ - if (typeof window !== 'undefined' && obj === window) { - return '{ [object Window] }'; - } - if (obj === global) { - return '{ [object globalThis] }'; - } if (!isDate(obj) && !isRegExp(obj)) { var ys = arrObjKeys(obj, inspect); var isPlainObject = gPO ? gPO(obj) === Object.prototype : obj instanceof Object || obj.constructor === Object; diff --git a/node_modules/object-inspect/package.json b/node_modules/object-inspect/package.json index 02de342..5f6d5cf 100644 --- a/node_modules/object-inspect/package.json +++ b/node_modules/object-inspect/package.json @@ -1,31 +1,29 @@ { "name": "object-inspect", - "version": "1.13.1", + "version": "1.12.3", "description": "string representations of objects in node and the browser", "main": "index.js", "sideEffects": false, "devDependencies": { - "@ljharb/eslint-config": "^21.1.0", + "@ljharb/eslint-config": "^21.0.1", "@pkgjs/support": "^0.0.6", + "aud": "^2.0.2", "auto-changelog": "^2.4.0", "core-js": "^2.6.12", - "error-cause": "^1.0.6", + "error-cause": "^1.0.5", "es-value-fixtures": "^1.4.2", "eslint": "=8.8.0", "for-each": "^0.3.3", "functions-have-names": "^1.2.3", - "glob": "=10.3.7", - "globalthis": "^1.0.3", "has-tostringtag": "^1.0.0", "in-publish": "^2.0.1", - "jackspeak": "=2.1.1", "make-arrow-function": "^1.2.0", - "mock-property": "^1.0.2", + "mock-property": "^1.0.0", "npmignore": "^0.3.0", "nyc": "^10.3.2", "safe-publish-latest": "^2.0.0", "string.prototype.repeat": "^1.0.0", - "tape": "^5.7.1" + "tape": "^5.6.1" }, "scripts": { "prepack": "npmignore --auto --commentLines=autogenerated", diff --git a/node_modules/object-inspect/test/global.js b/node_modules/object-inspect/test/global.js deleted file mode 100644 index c57216a..0000000 --- a/node_modules/object-inspect/test/global.js +++ /dev/null @@ -1,17 +0,0 @@ -'use strict'; - -var inspect = require('../'); - -var test = require('tape'); -var globalThis = require('globalthis')(); - -test('global object', function (t) { - /* eslint-env browser */ - var expected = typeof window === 'undefined' ? 'globalThis' : 'Window'; - t.equal( - inspect([globalThis]), - '[ { [object ' + expected + '] } ]' - ); - - t.end(); -}); diff --git a/node_modules/on-finished/HISTORY.md b/node_modules/on-finished/HISTORY.md index 1917595..98ff0e9 100644 --- a/node_modules/on-finished/HISTORY.md +++ b/node_modules/on-finished/HISTORY.md @@ -1,13 +1,3 @@ -2.4.1 / 2022-02-22 -================== - - * Fix error on early async hooks implementations - -2.4.0 / 2022-02-21 -================== - - * Prevent loss of async hooks context - 2.3.0 / 2015-05-26 ================== diff --git a/node_modules/on-finished/README.md b/node_modules/on-finished/README.md index 8973cde..a0e1157 100644 --- a/node_modules/on-finished/README.md +++ b/node_modules/on-finished/README.md @@ -1,19 +1,15 @@ # on-finished -[![NPM Version][npm-version-image]][npm-url] -[![NPM Downloads][npm-downloads-image]][npm-url] -[![Node.js Version][node-image]][node-url] -[![Build Status][ci-image]][ci-url] -[![Coverage Status][coveralls-image]][coveralls-url] +[![NPM Version][npm-image]][npm-url] +[![NPM Downloads][downloads-image]][downloads-url] +[![Node.js Version][node-version-image]][node-version-url] +[![Build Status][travis-image]][travis-url] +[![Test Coverage][coveralls-image]][coveralls-url] Execute a callback when a HTTP request closes, finishes, or errors. ## Install -This is a [Node.js](https://nodejs.org/en/) module available through the -[npm registry](https://www.npmjs.com/). Installation is done using the -[`npm install` command](https://docs.npmjs.com/getting-started/installing-npm-packages-locally): - ```sh $ npm install on-finished ``` @@ -36,12 +32,10 @@ with the response, like open files. Listener is invoked as `listener(err, res)`. - - ```js onFinished(res, function (err, res) { // clean up open fds, etc. - // err contains the error if request error'd + // err contains the error is request error'd }) ``` @@ -57,13 +51,11 @@ after reading the data. Listener is invoked as `listener(err, req)`. - - ```js var data = '' req.setEncoding('utf8') -req.on('data', function (str) { +res.on('data', function (str) { data += str }) @@ -105,7 +97,7 @@ interface**. This means if the `CONNECT` request contains a request entity, the request will be considered "finished" even before it has been read. There is no such thing as a response object to a `CONNECT` request in -Node.js, so there is no support for one. +Node.js, so there is no support for for one. ### HTTP Upgrade request @@ -125,7 +117,7 @@ entity, the request will be considered "finished" even before it has been read. There is no such thing as a response object to a `Upgrade` request in -Node.js, so there is no support for one. +Node.js, so there is no support for for one. ## Example @@ -134,14 +126,13 @@ once the response finishes. ```js var destroy = require('destroy') -var fs = require('fs') var http = require('http') var onFinished = require('on-finished') -http.createServer(function onRequest (req, res) { +http.createServer(function onRequest(req, res) { var stream = fs.createReadStream('package.json') stream.pipe(res) - onFinished(res, function () { + onFinished(res, function (err) { destroy(stream) }) }) @@ -151,12 +142,13 @@ http.createServer(function onRequest (req, res) { [MIT](LICENSE) -[ci-image]: https://badgen.net/github/checks/jshttp/on-finished/master?label=ci -[ci-url]: https://github.com/jshttp/on-finished/actions/workflows/ci.yml -[coveralls-image]: https://badgen.net/coveralls/c/github/jshttp/on-finished/master -[coveralls-url]: https://coveralls.io/r/jshttp/on-finished?branch=master -[node-image]: https://badgen.net/npm/node/on-finished -[node-url]: https://nodejs.org/en/download -[npm-downloads-image]: https://badgen.net/npm/dm/on-finished +[npm-image]: https://img.shields.io/npm/v/on-finished.svg [npm-url]: https://npmjs.org/package/on-finished -[npm-version-image]: https://badgen.net/npm/v/on-finished +[node-version-image]: https://img.shields.io/node/v/on-finished.svg +[node-version-url]: http://nodejs.org/download/ +[travis-image]: https://img.shields.io/travis/jshttp/on-finished/master.svg +[travis-url]: https://travis-ci.org/jshttp/on-finished +[coveralls-image]: https://img.shields.io/coveralls/jshttp/on-finished/master.svg +[coveralls-url]: https://coveralls.io/r/jshttp/on-finished?branch=master +[downloads-image]: https://img.shields.io/npm/dm/on-finished.svg +[downloads-url]: https://npmjs.org/package/on-finished diff --git a/node_modules/on-finished/index.js b/node_modules/on-finished/index.js index e68df7b..9abd98f 100644 --- a/node_modules/on-finished/index.js +++ b/node_modules/on-finished/index.js @@ -20,7 +20,6 @@ module.exports.isFinished = isFinished * @private */ -var asyncHooks = tryRequireAsyncHooks() var first = require('ee-first') /** @@ -31,7 +30,7 @@ var first = require('ee-first') /* istanbul ignore next */ var defer = typeof setImmediate === 'function' ? setImmediate - : function (fn) { process.nextTick(fn.bind.apply(fn, arguments)) } + : function(fn){ process.nextTick(fn.bind.apply(fn, arguments)) } /** * Invoke callback when the response has finished, useful for @@ -43,14 +42,14 @@ var defer = typeof setImmediate === 'function' * @public */ -function onFinished (msg, listener) { +function onFinished(msg, listener) { if (isFinished(msg) !== false) { defer(listener, null, msg) return msg } // attach the listener to the message - attachListener(msg, wrap(listener)) + attachListener(msg, listener) return msg } @@ -63,7 +62,7 @@ function onFinished (msg, listener) { * @public */ -function isFinished (msg) { +function isFinished(msg) { var socket = msg.socket if (typeof msg.finished === 'boolean') { @@ -88,12 +87,12 @@ function isFinished (msg) { * @private */ -function attachFinishedListener (msg, callback) { +function attachFinishedListener(msg, callback) { var eeMsg var eeSocket var finished = false - function onFinish (error) { + function onFinish(error) { eeMsg.cancel() eeSocket.cancel() @@ -104,7 +103,7 @@ function attachFinishedListener (msg, callback) { // finished on first message event eeMsg = eeSocket = first([[msg, 'end', 'finish']], onFinish) - function onSocket (socket) { + function onSocket(socket) { // remove listener msg.removeListener('socket', onSocket) @@ -125,7 +124,7 @@ function attachFinishedListener (msg, callback) { msg.on('socket', onSocket) if (msg.socket === undefined) { - // istanbul ignore next: node.js 0.8 patch + // node.js 0.8 patch patchAssignSocket(msg, onSocket) } } @@ -138,7 +137,7 @@ function attachFinishedListener (msg, callback) { * @private */ -function attachListener (msg, listener) { +function attachListener(msg, listener) { var attached = msg.__onFinished // create a private single listener with queue @@ -158,8 +157,8 @@ function attachListener (msg, listener) { * @private */ -function createListener (msg) { - function listener (err) { +function createListener(msg) { + function listener(err) { if (msg.__onFinished === listener) msg.__onFinished = null if (!listener.queue) return @@ -184,51 +183,14 @@ function createListener (msg) { * @private */ -// istanbul ignore next: node.js 0.8 patch -function patchAssignSocket (res, callback) { +function patchAssignSocket(res, callback) { var assignSocket = res.assignSocket if (typeof assignSocket !== 'function') return // res.on('socket', callback) is broken in 0.8 - res.assignSocket = function _assignSocket (socket) { + res.assignSocket = function _assignSocket(socket) { assignSocket.call(this, socket) callback(socket) } } - -/** - * Try to require async_hooks - * @private - */ - -function tryRequireAsyncHooks () { - try { - return require('async_hooks') - } catch (e) { - return {} - } -} - -/** - * Wrap function with async resource, if possible. - * AsyncResource.bind static method backported. - * @private - */ - -function wrap (fn) { - var res - - // create anonymous resource - if (asyncHooks.AsyncResource) { - res = new asyncHooks.AsyncResource(fn.name || 'bound-anonymous-fn') - } - - // incompatible node.js - if (!res || !res.runInAsyncScope) { - return fn - } - - // return bound function - return res.runInAsyncScope.bind(res, fn, null) -} diff --git a/node_modules/on-finished/package.json b/node_modules/on-finished/package.json index 644cd81..b9df1bd 100644 --- a/node_modules/on-finished/package.json +++ b/node_modules/on-finished/package.json @@ -1,7 +1,7 @@ { "name": "on-finished", "description": "Execute a callback when a request closes, finishes, or errors", - "version": "2.4.1", + "version": "2.3.0", "contributors": [ "Douglas Christopher Wilson ", "Jonathan Ong (http://jongleberry.com)" @@ -12,15 +12,8 @@ "ee-first": "1.1.1" }, "devDependencies": { - "eslint": "7.32.0", - "eslint-config-standard": "14.1.1", - "eslint-plugin-import": "2.25.4", - "eslint-plugin-markdown": "2.2.1", - "eslint-plugin-node": "11.1.0", - "eslint-plugin-promise": "5.2.0", - "eslint-plugin-standard": "4.1.0", - "mocha": "9.2.1", - "nyc": "15.1.0" + "istanbul": "0.3.9", + "mocha": "2.2.5" }, "engines": { "node": ">= 0.8" @@ -31,9 +24,8 @@ "index.js" ], "scripts": { - "lint": "eslint .", "test": "mocha --reporter spec --bail --check-leaks test/", - "test-ci": "nyc --reporter=lcovonly --reporter=text npm test", - "test-cov": "nyc --reporter=html --reporter=text npm test" + "test-cov": "istanbul cover node_modules/mocha/bin/_mocha -- --reporter dot --check-leaks test/", + "test-travis": "istanbul cover node_modules/mocha/bin/_mocha --report lcovonly -- --reporter spec --check-leaks test/" } } diff --git a/node_modules/qs/.editorconfig b/node_modules/qs/.editorconfig index 2f08444..b2654e7 100644 --- a/node_modules/qs/.editorconfig +++ b/node_modules/qs/.editorconfig @@ -7,15 +7,11 @@ end_of_line = lf charset = utf-8 trim_trailing_whitespace = true insert_final_newline = true -max_line_length = 160 -quote_type = single +max_line_length = 140 [test/*] max_line_length = off -[LICENSE.md] -indent_size = off - [*.md] max_line_length = off @@ -32,12 +28,3 @@ indent_size = 2 [LICENSE] indent_size = 2 max_line_length = off - -[coverage/**/*] -indent_size = off -indent_style = off -indent = off -max_line_length = off - -[.nycrc] -indent_style = tab diff --git a/node_modules/qs/.eslintignore b/node_modules/qs/.eslintignore new file mode 100644 index 0000000..1521c8b --- /dev/null +++ b/node_modules/qs/.eslintignore @@ -0,0 +1 @@ +dist diff --git a/node_modules/qs/.eslintrc b/node_modules/qs/.eslintrc index 35220cd..b7a87b9 100644 --- a/node_modules/qs/.eslintrc +++ b/node_modules/qs/.eslintrc @@ -3,36 +3,17 @@ "extends": "@ljharb", - "ignorePatterns": [ - "dist/", - ], - "rules": { "complexity": 0, "consistent-return": 1, - "func-name-matching": 0, + "func-name-matching": 0, "id-length": [2, { "min": 1, "max": 25, "properties": "never" }], "indent": [2, 4], - "max-lines-per-function": [2, { "max": 150 }], - "max-params": [2, 16], - "max-statements": [2, 53], - "multiline-comment-style": 0, + "max-params": [2, 12], + "max-statements": [2, 45], "no-continue": 1, "no-magic-numbers": 0, "no-restricted-syntax": [2, "BreakStatement", "DebuggerStatement", "ForInStatement", "LabeledStatement", "WithStatement"], - }, - - "overrides": [ - { - "files": "test/**", - "rules": { - "function-paren-newline": 0, - "max-lines-per-function": 0, - "max-statements": 0, - "no-buffer-constructor": 0, - "no-extend-native": 0, - "no-throw-literal": 0, - }, - }, - ], + "operator-linebreak": [2, "before"], + } } diff --git a/node_modules/qs/CHANGELOG.md b/node_modules/qs/CHANGELOG.md index 37b1d3f..fe52320 100644 --- a/node_modules/qs/CHANGELOG.md +++ b/node_modules/qs/CHANGELOG.md @@ -1,265 +1,3 @@ -## **6.11.0 -- [New] [Fix] `stringify`: revert 0e903c0; add `commaRoundTrip` option (#442) -- [readme] fix version badge - -## **6.10.5** -- [Fix] `stringify`: with `arrayFormat: comma`, properly include an explicit `[]` on a single-item array (#434) - -## **6.10.4** -- [Fix] `stringify`: with `arrayFormat: comma`, include an explicit `[]` on a single-item array (#441) -- [meta] use `npmignore` to autogenerate an npmignore file -- [Dev Deps] update `eslint`, `@ljharb/eslint-config`, `aud`, `has-symbol`, `object-inspect`, `tape` - -## **6.10.3** -- [Fix] `parse`: ignore `__proto__` keys (#428) -- [Robustness] `stringify`: avoid relying on a global `undefined` (#427) -- [actions] reuse common workflows -- [Dev Deps] update `eslint`, `@ljharb/eslint-config`, `object-inspect`, `tape` - -## **6.10.2** -- [Fix] `stringify`: actually fix cyclic references (#426) -- [Fix] `stringify`: avoid encoding arrayformat comma when `encodeValuesOnly = true` (#424) -- [readme] remove travis badge; add github actions/codecov badges; update URLs -- [Docs] add note and links for coercing primitive values (#408) -- [actions] update codecov uploader -- [actions] update workflows -- [Tests] clean up stringify tests slightly -- [Dev Deps] update `eslint`, `@ljharb/eslint-config`, `aud`, `object-inspect`, `safe-publish-latest`, `tape` - -## **6.10.1** -- [Fix] `stringify`: avoid exception on repeated object values (#402) - -## **6.10.0** -- [New] `stringify`: throw on cycles, instead of an infinite loop (#395, #394, #393) -- [New] `parse`: add `allowSparse` option for collapsing arrays with missing indices (#312) -- [meta] fix README.md (#399) -- [meta] only run `npm run dist` in publish, not install -- [Dev Deps] update `eslint`, `@ljharb/eslint-config`, `aud`, `has-symbols`, `tape` -- [Tests] fix tests on node v0.6 -- [Tests] use `ljharb/actions/node/install` instead of `ljharb/actions/node/run` -- [Tests] Revert "[meta] ignore eclint transitive audit warning" - -## **6.9.7** -- [Fix] `parse`: ignore `__proto__` keys (#428) -- [Fix] `stringify`: avoid encoding arrayformat comma when `encodeValuesOnly = true` (#424) -- [Robustness] `stringify`: avoid relying on a global `undefined` (#427) -- [readme] remove travis badge; add github actions/codecov badges; update URLs -- [Docs] add note and links for coercing primitive values (#408) -- [Tests] clean up stringify tests slightly -- [meta] fix README.md (#399) -- Revert "[meta] ignore eclint transitive audit warning" -- [actions] backport actions from main -- [Dev Deps] backport updates from main - -## **6.9.6** -- [Fix] restore `dist` dir; mistakenly removed in d4f6c32 - -## **6.9.5** -- [Fix] `stringify`: do not encode parens for RFC1738 -- [Fix] `stringify`: fix arrayFormat comma with empty array/objects (#350) -- [Refactor] `format`: remove `util.assign` call -- [meta] add "Allow Edits" workflow; update rebase workflow -- [actions] switch Automatic Rebase workflow to `pull_request_target` event -- [Tests] `stringify`: add tests for #378 -- [Tests] migrate tests to Github Actions -- [Tests] run `nyc` on all tests; use `tape` runner -- [Dev Deps] update `eslint`, `@ljharb/eslint-config`, `browserify`, `mkdirp`, `object-inspect`, `tape`; add `aud` - -## **6.9.4** -- [Fix] `stringify`: when `arrayFormat` is `comma`, respect `serializeDate` (#364) -- [Refactor] `stringify`: reduce branching (part of #350) -- [Refactor] move `maybeMap` to `utils` -- [Dev Deps] update `browserify`, `tape` - -## **6.9.3** -- [Fix] proper comma parsing of URL-encoded commas (#361) -- [Fix] parses comma delimited array while having percent-encoded comma treated as normal text (#336) - -## **6.9.2** -- [Fix] `parse`: Fix parsing array from object with `comma` true (#359) -- [Fix] `parse`: throw a TypeError instead of an Error for bad charset (#349) -- [meta] ignore eclint transitive audit warning -- [meta] fix indentation in package.json -- [meta] add tidelift marketing copy -- [Dev Deps] update `eslint`, `@ljharb/eslint-config`, `object-inspect`, `has-symbols`, `tape`, `mkdirp`, `iconv-lite` -- [actions] add automatic rebasing / merge commit blocking - -## **6.9.1** -- [Fix] `parse`: with comma true, handle field that holds an array of arrays (#335) -- [Fix] `parse`: with comma true, do not split non-string values (#334) -- [meta] add `funding` field -- [Dev Deps] update `eslint`, `@ljharb/eslint-config` -- [Tests] use shared travis-ci config - -## **6.9.0** -- [New] `parse`/`stringify`: Pass extra key/value argument to `decoder` (#333) -- [Dev Deps] update `eslint`, `@ljharb/eslint-config`, `evalmd` -- [Tests] `parse`: add passing `arrayFormat` tests -- [Tests] add `posttest` using `npx aud` to run `npm audit` without a lockfile -- [Tests] up to `node` `v12.10`, `v11.15`, `v10.16`, `v8.16` -- [Tests] `Buffer.from` in node v5.0-v5.9 and v4.0-v4.4 requires a TypedArray - -## **6.8.3** -- [Fix] `parse`: ignore `__proto__` keys (#428) -- [Robustness] `stringify`: avoid relying on a global `undefined` (#427) -- [Fix] `stringify`: avoid encoding arrayformat comma when `encodeValuesOnly = true` (#424) -- [readme] remove travis badge; add github actions/codecov badges; update URLs -- [Tests] clean up stringify tests slightly -- [Docs] add note and links for coercing primitive values (#408) -- [meta] fix README.md (#399) -- [actions] backport actions from main -- [Dev Deps] backport updates from main -- [Refactor] `stringify`: reduce branching -- [meta] do not publish workflow files - -## **6.8.2** -- [Fix] proper comma parsing of URL-encoded commas (#361) -- [Fix] parses comma delimited array while having percent-encoded comma treated as normal text (#336) - -## **6.8.1** -- [Fix] `parse`: Fix parsing array from object with `comma` true (#359) -- [Fix] `parse`: throw a TypeError instead of an Error for bad charset (#349) -- [Fix] `parse`: with comma true, handle field that holds an array of arrays (#335) -- [fix] `parse`: with comma true, do not split non-string values (#334) -- [meta] add tidelift marketing copy -- [meta] add `funding` field -- [Dev Deps] update `eslint`, `@ljharb/eslint-config`, `tape`, `safe-publish-latest`, `evalmd`, `has-symbols`, `iconv-lite`, `mkdirp`, `object-inspect` -- [Tests] `parse`: add passing `arrayFormat` tests -- [Tests] use shared travis-ci configs -- [Tests] `Buffer.from` in node v5.0-v5.9 and v4.0-v4.4 requires a TypedArray -- [actions] add automatic rebasing / merge commit blocking - -## **6.8.0** -- [New] add `depth=false` to preserve the original key; [Fix] `depth=0` should preserve the original key (#326) -- [New] [Fix] stringify symbols and bigints -- [Fix] ensure node 0.12 can stringify Symbols -- [Fix] fix for an impossible situation: when the formatter is called with a non-string value -- [Refactor] `formats`: tiny bit of cleanup. -- [Dev Deps] update `eslint`, `@ljharb/eslint-config`, `browserify`, `safe-publish-latest`, `iconv-lite`, `tape` -- [Tests] add tests for `depth=0` and `depth=false` behavior, both current and intuitive/intended (#326) -- [Tests] use `eclint` instead of `editorconfig-tools` -- [docs] readme: add security note -- [meta] add github sponsorship -- [meta] add FUNDING.yml -- [meta] Clean up license text so it’s properly detected as BSD-3-Clause - -## **6.7.3** -- [Fix] `parse`: ignore `__proto__` keys (#428) -- [Fix] `stringify`: avoid encoding arrayformat comma when `encodeValuesOnly = true` (#424) -- [Robustness] `stringify`: avoid relying on a global `undefined` (#427) -- [readme] remove travis badge; add github actions/codecov badges; update URLs -- [Docs] add note and links for coercing primitive values (#408) -- [meta] fix README.md (#399) -- [meta] do not publish workflow files -- [actions] backport actions from main -- [Dev Deps] backport updates from main -- [Tests] use `nyc` for coverage -- [Tests] clean up stringify tests slightly - -## **6.7.2** -- [Fix] proper comma parsing of URL-encoded commas (#361) -- [Fix] parses comma delimited array while having percent-encoded comma treated as normal text (#336) - -## **6.7.1** -- [Fix] `parse`: Fix parsing array from object with `comma` true (#359) -- [Fix] `parse`: with comma true, handle field that holds an array of arrays (#335) -- [fix] `parse`: with comma true, do not split non-string values (#334) -- [Fix] `parse`: throw a TypeError instead of an Error for bad charset (#349) -- [Fix] fix for an impossible situation: when the formatter is called with a non-string value -- [Refactor] `formats`: tiny bit of cleanup. -- readme: add security note -- [meta] add tidelift marketing copy -- [meta] add `funding` field -- [meta] add FUNDING.yml -- [meta] Clean up license text so it’s properly detected as BSD-3-Clause -- [Dev Deps] update `eslint`, `@ljharb/eslint-config`, `tape`, `safe-publish-latest`, `evalmd`, `iconv-lite`, `mkdirp`, `object-inspect`, `browserify` -- [Tests] `parse`: add passing `arrayFormat` tests -- [Tests] use shared travis-ci configs -- [Tests] `Buffer.from` in node v5.0-v5.9 and v4.0-v4.4 requires a TypedArray -- [Tests] add tests for `depth=0` and `depth=false` behavior, both current and intuitive/intended -- [Tests] use `eclint` instead of `editorconfig-tools` -- [actions] add automatic rebasing / merge commit blocking - -## **6.7.0** -- [New] `stringify`/`parse`: add `comma` as an `arrayFormat` option (#276, #219) -- [Fix] correctly parse nested arrays (#212) -- [Fix] `utils.merge`: avoid a crash with a null target and a truthy non-array source, also with an array source -- [Robustness] `stringify`: cache `Object.prototype.hasOwnProperty` -- [Refactor] `utils`: `isBuffer`: small tweak; add tests -- [Refactor] use cached `Array.isArray` -- [Refactor] `parse`/`stringify`: make a function to normalize the options -- [Refactor] `utils`: reduce observable [[Get]]s -- [Refactor] `stringify`/`utils`: cache `Array.isArray` -- [Tests] always use `String(x)` over `x.toString()` -- [Tests] fix Buffer tests to work in node < 4.5 and node < 5.10 -- [Tests] temporarily allow coverage to fail - -## **6.6.1** -- [Fix] `parse`: ignore `__proto__` keys (#428) -- [Fix] fix for an impossible situation: when the formatter is called with a non-string value -- [Fix] `utils.merge`: avoid a crash with a null target and an array source -- [Fix] `utils.merge`: avoid a crash with a null target and a truthy non-array source -- [Fix] correctly parse nested arrays -- [Robustness] `stringify`: avoid relying on a global `undefined` (#427) -- [Robustness] `stringify`: cache `Object.prototype.hasOwnProperty` -- [Refactor] `formats`: tiny bit of cleanup. -- [Refactor] `utils`: `isBuffer`: small tweak; add tests -- [Refactor]: `stringify`/`utils`: cache `Array.isArray` -- [Refactor] `utils`: reduce observable [[Get]]s -- [Refactor] use cached `Array.isArray` -- [Refactor] `parse`/`stringify`: make a function to normalize the options -- [readme] remove travis badge; add github actions/codecov badges; update URLs -- [Docs] Clarify the need for "arrayLimit" option -- [meta] fix README.md (#399) -- [meta] do not publish workflow files -- [meta] Clean up license text so it’s properly detected as BSD-3-Clause -- [meta] add FUNDING.yml -- [meta] Fixes typo in CHANGELOG.md -- [actions] backport actions from main -- [Tests] fix Buffer tests to work in node < 4.5 and node < 5.10 -- [Tests] always use `String(x)` over `x.toString()` -- [Dev Deps] backport from main - -## **6.6.0** -- [New] Add support for iso-8859-1, utf8 "sentinel" and numeric entities (#268) -- [New] move two-value combine to a `utils` function (#189) -- [Fix] `stringify`: fix a crash with `strictNullHandling` and a custom `filter`/`serializeDate` (#279) -- [Fix] when `parseArrays` is false, properly handle keys ending in `[]` (#260) -- [Fix] `stringify`: do not crash in an obscure combo of `interpretNumericEntities`, a bad custom `decoder`, & `iso-8859-1` -- [Fix] `utils`: `merge`: fix crash when `source` is a truthy primitive & no options are provided -- [refactor] `stringify`: Avoid arr = arr.concat(...), push to the existing instance (#269) -- [Refactor] `parse`: only need to reassign the var once -- [Refactor] `parse`/`stringify`: clean up `charset` options checking; fix defaults -- [Refactor] add missing defaults -- [Refactor] `parse`: one less `concat` call -- [Refactor] `utils`: `compactQueue`: make it explicitly side-effecting -- [Dev Deps] update `browserify`, `eslint`, `@ljharb/eslint-config`, `iconv-lite`, `safe-publish-latest`, `tape` -- [Tests] up to `node` `v10.10`, `v9.11`, `v8.12`, `v6.14`, `v4.9`; pin included builds to LTS - -## **6.5.3** -- [Fix] `parse`: ignore `__proto__` keys (#428) -- [Fix]` `utils.merge`: avoid a crash with a null target and a truthy non-array source -- [Fix] correctly parse nested arrays -- [Fix] `stringify`: fix a crash with `strictNullHandling` and a custom `filter`/`serializeDate` (#279) -- [Fix] `utils`: `merge`: fix crash when `source` is a truthy primitive & no options are provided -- [Fix] when `parseArrays` is false, properly handle keys ending in `[]` -- [Fix] fix for an impossible situation: when the formatter is called with a non-string value -- [Fix] `utils.merge`: avoid a crash with a null target and an array source -- [Refactor] `utils`: reduce observable [[Get]]s -- [Refactor] use cached `Array.isArray` -- [Refactor] `stringify`: Avoid arr = arr.concat(...), push to the existing instance (#269) -- [Refactor] `parse`: only need to reassign the var once -- [Robustness] `stringify`: avoid relying on a global `undefined` (#427) -- [readme] remove travis badge; add github actions/codecov badges; update URLs -- [Docs] Clean up license text so it’s properly detected as BSD-3-Clause -- [Docs] Clarify the need for "arrayLimit" option -- [meta] fix README.md (#399) -- [meta] add FUNDING.yml -- [actions] backport actions from main -- [Tests] always use `String(x)` over `x.toString()` -- [Tests] remove nonexistent tape option -- [Dev Deps] backport from main - ## **6.5.2** - [Fix] use `safer-buffer` instead of `Buffer` constructor - [Refactor] utils: `module.exports` one thing, instead of mutating `exports` (#230) @@ -286,27 +24,6 @@ - [Tests] up to `node` `v8.1`, `v7.10`, `v6.11`; npm v4.6 breaks on node < v1; npm v5+ breaks on node < v4 - [Tests] add `editorconfig-tools` -## **6.4.1** -- [Fix] `parse`: ignore `__proto__` keys (#428) -- [Fix] fix for an impossible situation: when the formatter is called with a non-string value -- [Fix] use `safer-buffer` instead of `Buffer` constructor -- [Fix] `utils.merge`: avoid a crash with a null target and an array source -- [Fix]` `utils.merge`: avoid a crash with a null target and a truthy non-array source -- [Fix] `stringify`: fix a crash with `strictNullHandling` and a custom `filter`/`serializeDate` (#279) -- [Fix] `utils`: `merge`: fix crash when `source` is a truthy primitive & no options are provided -- [Fix] when `parseArrays` is false, properly handle keys ending in `[]` -- [Robustness] `stringify`: avoid relying on a global `undefined` (#427) -- [Refactor] use cached `Array.isArray` -- [Refactor] `stringify`: Avoid arr = arr.concat(...), push to the existing instance (#269) -- [readme] remove travis badge; add github actions/codecov badges; update URLs -- [Docs] Clarify the need for "arrayLimit" option -- [meta] fix README.md (#399) -- [meta] Clean up license text so it’s properly detected as BSD-3-Clause -- [meta] add FUNDING.yml -- [actions] backport actions from main -- [Tests] remove nonexistent tape option -- [Dev Deps] backport from main - ## **6.4.0** - [New] `qs.stringify`: add `encodeValuesOnly` option - [Fix] follow `allowPrototypes` option during merge (#201, #201) @@ -316,26 +33,6 @@ - [Tests] up to `node` `v7.7`, `v6.10`,` v4.8`; disable osx builds since they block linux builds - [eslint] reduce warnings -## **6.3.3** -- [Fix] `parse`: ignore `__proto__` keys (#428) -- [Fix] fix for an impossible situation: when the formatter is called with a non-string value -- [Fix] `utils.merge`: avoid a crash with a null target and an array source -- [Fix]` `utils.merge`: avoid a crash with a null target and a truthy non-array source -- [Fix] `stringify`: fix a crash with `strictNullHandling` and a custom `filter`/`serializeDate` (#279) -- [Fix] `utils`: `merge`: fix crash when `source` is a truthy primitive & no options are provided -- [Fix] when `parseArrays` is false, properly handle keys ending in `[]` -- [Robustness] `stringify`: avoid relying on a global `undefined` (#427) -- [Refactor] use cached `Array.isArray` -- [Refactor] `stringify`: Avoid arr = arr.concat(...), push to the existing instance (#269) -- [Docs] Clarify the need for "arrayLimit" option -- [meta] fix README.md (#399) -- [meta] Clean up license text so it’s properly detected as BSD-3-Clause -- [meta] add FUNDING.yml -- [actions] backport actions from main -- [Tests] use `safer-buffer` instead of `Buffer` constructor -- [Tests] remove nonexistent tape option -- [Dev Deps] backport from main - ## **6.3.2** - [Fix] follow `allowPrototypes` option during merge (#201, #200) - [Dev Deps] update `eslint` @@ -369,23 +66,6 @@ - [Tests] skip Object.create tests when null objects are not available - [Tests] Turn on eslint for test files (#175) -## **6.2.4** -- [Fix] `parse`: ignore `__proto__` keys (#428) -- [Fix] `utils.merge`: avoid a crash with a null target and an array source -- [Fix] `utils.merge`: avoid a crash with a null target and a truthy non-array source -- [Fix] `utils`: `merge`: fix crash when `source` is a truthy primitive & no options are provided -- [Fix] when `parseArrays` is false, properly handle keys ending in `[]` -- [Robustness] `stringify`: avoid relying on a global `undefined` (#427) -- [Refactor] use cached `Array.isArray` -- [Docs] Clarify the need for "arrayLimit" option -- [meta] fix README.md (#399) -- [meta] Clean up license text so it’s properly detected as BSD-3-Clause -- [meta] add FUNDING.yml -- [actions] backport actions from main -- [Tests] use `safer-buffer` instead of `Buffer` constructor -- [Tests] remove nonexistent tape option -- [Dev Deps] backport from main - ## **6.2.3** - [Fix] follow `allowPrototypes` option during merge (#201, #200) - [Fix] chmod a-x diff --git a/node_modules/qs/LICENSE b/node_modules/qs/LICENSE new file mode 100644 index 0000000..d456948 --- /dev/null +++ b/node_modules/qs/LICENSE @@ -0,0 +1,28 @@ +Copyright (c) 2014 Nathan LaFreniere and other contributors. +All rights reserved. + +Redistribution and use in source and binary forms, with or without +modification, are permitted provided that the following conditions are met: + * Redistributions of source code must retain the above copyright + notice, this list of conditions and the following disclaimer. + * Redistributions in binary form must reproduce the above copyright + notice, this list of conditions and the following disclaimer in the + documentation and/or other materials provided with the distribution. + * The names of any contributors may not be used to endorse or promote + products derived from this software without specific prior written + permission. + +THIS SOFTWARE IS PROVIDED BY THE COPYRIGHT HOLDERS AND CONTRIBUTORS "AS IS" AND +ANY EXPRESS OR IMPLIED WARRANTIES, INCLUDING, BUT NOT LIMITED TO, THE IMPLIED +WARRANTIES OF MERCHANTABILITY AND FITNESS FOR A PARTICULAR PURPOSE ARE +DISCLAIMED. IN NO EVENT SHALL THE COPYRIGHT HOLDERS AND CONTRIBUTORS BE LIABLE FOR ANY +DIRECT, INDIRECT, INCIDENTAL, SPECIAL, EXEMPLARY, OR CONSEQUENTIAL DAMAGES +(INCLUDING, BUT NOT LIMITED TO, PROCUREMENT OF SUBSTITUTE GOODS OR SERVICES; +LOSS OF USE, DATA, OR PROFITS; OR BUSINESS INTERRUPTION) HOWEVER CAUSED AND +ON ANY THEORY OF LIABILITY, WHETHER IN CONTRACT, STRICT LIABILITY, OR TORT +(INCLUDING NEGLIGENCE OR OTHERWISE) ARISING IN ANY WAY OUT OF THE USE OF THIS +SOFTWARE, EVEN IF ADVISED OF THE POSSIBILITY OF SUCH DAMAGE. + + * * * + +The complete list of contributors can be found at: https://github.com/hapijs/qs/graphs/contributors diff --git a/node_modules/qs/README.md b/node_modules/qs/README.md index 11be853..d811966 100644 --- a/node_modules/qs/README.md +++ b/node_modules/qs/README.md @@ -1,13 +1,12 @@ -# qs [![Version Badge][npm-version-svg]][package-url] +# qs [![Version Badge][2]][1] -[![github actions][actions-image]][actions-url] -[![coverage][codecov-image]][codecov-url] -[![dependency status][deps-svg]][deps-url] -[![dev dependency status][dev-deps-svg]][dev-deps-url] +[![Build Status][3]][4] +[![dependency status][5]][6] +[![dev dependency status][7]][8] [![License][license-image]][license-url] [![Downloads][downloads-image]][downloads-url] -[![npm badge][npm-badge-png]][package-url] +[![npm badge][11]][1] A querystring parsing and stringifying library with some added security. @@ -147,62 +146,6 @@ var withDots = qs.parse('a.b=c', { allowDots: true }); assert.deepEqual(withDots, { a: { b: 'c' } }); ``` -If you have to deal with legacy browsers or services, there's -also support for decoding percent-encoded octets as iso-8859-1: - -```javascript -var oldCharset = qs.parse('a=%A7', { charset: 'iso-8859-1' }); -assert.deepEqual(oldCharset, { a: '§' }); -``` - -Some services add an initial `utf8=✓` value to forms so that old -Internet Explorer versions are more likely to submit the form as -utf-8. Additionally, the server can check the value against wrong -encodings of the checkmark character and detect that a query string -or `application/x-www-form-urlencoded` body was *not* sent as -utf-8, eg. if the form had an `accept-charset` parameter or the -containing page had a different character set. - -**qs** supports this mechanism via the `charsetSentinel` option. -If specified, the `utf8` parameter will be omitted from the -returned object. It will be used to switch to `iso-8859-1`/`utf-8` -mode depending on how the checkmark is encoded. - -**Important**: When you specify both the `charset` option and the -`charsetSentinel` option, the `charset` will be overridden when -the request contains a `utf8` parameter from which the actual -charset can be deduced. In that sense the `charset` will behave -as the default charset rather than the authoritative charset. - -```javascript -var detectedAsUtf8 = qs.parse('utf8=%E2%9C%93&a=%C3%B8', { - charset: 'iso-8859-1', - charsetSentinel: true -}); -assert.deepEqual(detectedAsUtf8, { a: 'ø' }); - -// Browsers encode the checkmark as ✓ when submitting as iso-8859-1: -var detectedAsIso8859_1 = qs.parse('utf8=%26%2310003%3B&a=%F8', { - charset: 'utf-8', - charsetSentinel: true -}); -assert.deepEqual(detectedAsIso8859_1, { a: 'ø' }); -``` - -If you want to decode the `&#...;` syntax to the actual character, -you can specify the `interpretNumericEntities` option as well: - -```javascript -var detectedAsIso8859_1 = qs.parse('a=%26%239786%3B', { - charset: 'iso-8859-1', - interpretNumericEntities: true -}); -assert.deepEqual(detectedAsIso8859_1, { a: '☺' }); -``` - -It also works when the charset has been detected in `charsetSentinel` -mode. - ### Parsing Arrays **qs** can also parse arrays using a similar `[]` notation: @@ -228,13 +171,6 @@ var noSparse = qs.parse('a[1]=b&a[15]=c'); assert.deepEqual(noSparse, { a: ['b', 'c'] }); ``` -You may also use `allowSparse` option to parse sparse arrays: - -```javascript -var sparseArray = qs.parse('a[1]=2&a[3]=5', { allowSparse: true }); -assert.deepEqual(sparseArray, { a: [, '2', , '5'] }); -``` - Note that an empty string is also a value, and will be preserved: ```javascript @@ -246,7 +182,7 @@ assert.deepEqual(withIndexedEmptyString, { a: ['b', '', 'c'] }); ``` **qs** will also limit specifying indices in an array to a maximum index of `20`. Any array members with an index of greater than `20` will -instead be converted to an object with the index as the key. This is needed to handle cases when someone sent, for example, `a[999999999]` and it will take significant time to iterate over this huge array. +instead be converted to an object with the index as the key: ```javascript var withMaxIndex = qs.parse('a[100]=b'); @@ -281,24 +217,6 @@ var arraysOfObjects = qs.parse('a[][b]=c'); assert.deepEqual(arraysOfObjects, { a: [{ b: 'c' }] }); ``` -Some people use comma to join array, **qs** can parse it: -```javascript -var arraysOfObjects = qs.parse('a=b,c', { comma: true }) -assert.deepEqual(arraysOfObjects, { a: ['b', 'c'] }) -``` -(_this cannot convert nested objects, such as `a={b:1},{c:d}`_) - -### Parsing primitive/scalar values (numbers, booleans, null, etc) - -By default, all values are parsed as strings. This behavior will not change and is explained in [issue #91](https://github.com/ljharb/qs/issues/91). - -```javascript -var primitiveValues = qs.parse('a=15&b=true&c=null'); -assert.deepEqual(primitiveValues, { a: '15', b: 'true', c: 'null' }); -``` - -If you wish to auto-convert values which look like numbers, booleans, and other values into their primitive counterparts, you can use the [query-types Express JS middleware](https://github.com/xpepermint/query-types) which will auto-convert all request query parameters. - ### Stringifying [](#preventEval) @@ -349,30 +267,6 @@ var decoded = qs.parse('x=z', { decoder: function (str) { }}) ``` -You can encode keys and values using different logic by using the type argument provided to the encoder: - -```javascript -var encoded = qs.stringify({ a: { b: 'c' } }, { encoder: function (str, defaultEncoder, charset, type) { - if (type === 'key') { - return // Encoded key - } else if (type === 'value') { - return // Encoded value - } -}}) -``` - -The type argument is also provided to the decoder: - -```javascript -var decoded = qs.parse('x=z', { decoder: function (str, defaultDecoder, charset, type) { - if (type === 'key') { - return // Decoded key - } else if (type === 'value') { - return // Decoded value - } -}}) -``` - Examples beyond this point will be shown as though the output is not URI encoded for clarity. Please note that the return values in these cases *will* be URI encoded during real usage. When arrays are stringified, by default they are given explicit indices: @@ -398,12 +292,8 @@ qs.stringify({ a: ['b', 'c'] }, { arrayFormat: 'brackets' }) // 'a[]=b&a[]=c' qs.stringify({ a: ['b', 'c'] }, { arrayFormat: 'repeat' }) // 'a=b&a=c' -qs.stringify({ a: ['b', 'c'] }, { arrayFormat: 'comma' }) -// 'a=b,c' ``` -Note: when using `arrayFormat` set to `'comma'`, you can also pass the `commaRoundTrip` option set to `true` or `false`, to append `[]` on single-item arrays, so that they can round trip through a parse. - When objects are stringified, by default they use bracket notation: ```javascript @@ -536,40 +426,10 @@ var nullsSkipped = qs.stringify({ a: 'b', c: null}, { skipNulls: true }); assert.equal(nullsSkipped, 'a=b'); ``` -If you're communicating with legacy systems, you can switch to `iso-8859-1` -using the `charset` option: - -```javascript -var iso = qs.stringify({ æ: 'æ' }, { charset: 'iso-8859-1' }); -assert.equal(iso, '%E6=%E6'); -``` - -Characters that don't exist in `iso-8859-1` will be converted to numeric -entities, similar to what browsers do: - -```javascript -var numeric = qs.stringify({ a: '☺' }, { charset: 'iso-8859-1' }); -assert.equal(numeric, 'a=%26%239786%3B'); -``` - -You can use the `charsetSentinel` option to announce the character by -including an `utf8=✓` parameter with the proper encoding if the checkmark, -similar to what Ruby on Rails and others do when submitting forms. - -```javascript -var sentinel = qs.stringify({ a: '☺' }, { charsetSentinel: true }); -assert.equal(sentinel, 'utf8=%E2%9C%93&a=%E2%98%BA'); - -var isoSentinel = qs.stringify({ a: 'æ' }, { charsetSentinel: true, charset: 'iso-8859-1' }); -assert.equal(isoSentinel, 'utf8=%26%2310003%3B&a=%E6'); -``` - ### Dealing with special character sets -By default the encoding and decoding of characters is done in `utf-8`, -and `iso-8859-1` support is also built in via the `charset` parameter. - -If you wish to encode querystrings to a different character set (i.e. +By default the encoding and decoding of characters is done in `utf-8`. If you +wish to encode querystrings to a different character set (i.e. [Shift JIS](https://en.wikipedia.org/wiki/Shift_JIS)) you can use the [`qs-iconv`](https://github.com/martinheidegger/qs-iconv) library: @@ -598,28 +458,18 @@ assert.equal(qs.stringify({ a: 'b c' }, { format : 'RFC3986' }), 'a=b%20c'); assert.equal(qs.stringify({ a: 'b c' }, { format : 'RFC1738' }), 'a=b+c'); ``` -## Security - -Please email [@ljharb](https://github.com/ljharb) or see https://tidelift.com/security if you have a potential security vulnerability to report. - -## qs for enterprise - -Available as part of the Tidelift Subscription - -The maintainers of qs and thousands of other packages are working with Tidelift to deliver commercial support and maintenance for the open source dependencies you use to build your applications. Save time, reduce risk, and improve code health, while paying the maintainers of the exact dependencies you use. [Learn more.](https://tidelift.com/subscription/pkg/npm-qs?utm_source=npm-qs&utm_medium=referral&utm_campaign=enterprise&utm_term=repo) - -[package-url]: https://npmjs.org/package/qs -[npm-version-svg]: https://versionbadg.es/ljharb/qs.svg -[deps-svg]: https://david-dm.org/ljharb/qs.svg -[deps-url]: https://david-dm.org/ljharb/qs -[dev-deps-svg]: https://david-dm.org/ljharb/qs/dev-status.svg -[dev-deps-url]: https://david-dm.org/ljharb/qs#info=devDependencies -[npm-badge-png]: https://nodei.co/npm/qs.png?downloads=true&stars=true -[license-image]: https://img.shields.io/npm/l/qs.svg +[1]: https://npmjs.org/package/qs +[2]: http://versionbadg.es/ljharb/qs.svg +[3]: https://api.travis-ci.org/ljharb/qs.svg +[4]: https://travis-ci.org/ljharb/qs +[5]: https://david-dm.org/ljharb/qs.svg +[6]: https://david-dm.org/ljharb/qs +[7]: https://david-dm.org/ljharb/qs/dev-status.svg +[8]: https://david-dm.org/ljharb/qs?type=dev +[9]: https://ci.testling.com/ljharb/qs.png +[10]: https://ci.testling.com/ljharb/qs +[11]: https://nodei.co/npm/qs.png?downloads=true&stars=true +[license-image]: http://img.shields.io/npm/l/qs.svg [license-url]: LICENSE -[downloads-image]: https://img.shields.io/npm/dm/qs.svg -[downloads-url]: https://npm-stat.com/charts.html?package=qs -[codecov-image]: https://codecov.io/gh/ljharb/qs/branch/main/graphs/badge.svg -[codecov-url]: https://app.codecov.io/gh/ljharb/qs/ -[actions-image]: https://img.shields.io/endpoint?url=https://github-actions-badge-u3jn4tfpocch.runkit.sh/ljharb/qs -[actions-url]: https://github.com/ljharb/qs/actions +[downloads-image]: http://img.shields.io/npm/dm/qs.svg +[downloads-url]: http://npm-stat.com/charts.html?package=qs diff --git a/node_modules/qs/dist/qs.js b/node_modules/qs/dist/qs.js index 1c620a4..ecf7ba4 100644 --- a/node_modules/qs/dist/qs.js +++ b/node_modules/qs/dist/qs.js @@ -4,23 +4,18 @@ var replace = String.prototype.replace; var percentTwenties = /%20/g; -var Format = { - RFC1738: 'RFC1738', - RFC3986: 'RFC3986' -}; - module.exports = { - 'default': Format.RFC3986, + 'default': 'RFC3986', formatters: { RFC1738: function (value) { return replace.call(value, percentTwenties, '+'); }, RFC3986: function (value) { - return String(value); + return value; } }, - RFC1738: Format.RFC1738, - RFC3986: Format.RFC3986 + RFC1738: 'RFC1738', + RFC3986: 'RFC3986' }; },{}],2:[function(require,module,exports){ @@ -42,78 +37,26 @@ module.exports = { var utils = require('./utils'); var has = Object.prototype.hasOwnProperty; -var isArray = Array.isArray; var defaults = { allowDots: false, allowPrototypes: false, - allowSparse: false, arrayLimit: 20, - charset: 'utf-8', - charsetSentinel: false, - comma: false, decoder: utils.decode, delimiter: '&', depth: 5, - ignoreQueryPrefix: false, - interpretNumericEntities: false, parameterLimit: 1000, - parseArrays: true, plainObjects: false, strictNullHandling: false }; -var interpretNumericEntities = function (str) { - return str.replace(/&#(\d+);/g, function ($0, numberStr) { - return String.fromCharCode(parseInt(numberStr, 10)); - }); -}; - -var parseArrayValue = function (val, options) { - if (val && typeof val === 'string' && options.comma && val.indexOf(',') > -1) { - return val.split(','); - } - - return val; -}; - -// This is what browsers will submit when the ✓ character occurs in an -// application/x-www-form-urlencoded body and the encoding of the page containing -// the form is iso-8859-1, or when the submitted form has an accept-charset -// attribute of iso-8859-1. Presumably also with other charsets that do not contain -// the ✓ character, such as us-ascii. -var isoSentinel = 'utf8=%26%2310003%3B'; // encodeURIComponent('✓') - -// These are the percent-encoded utf-8 octets representing a checkmark, indicating that the request actually is utf-8 encoded. -var charsetSentinel = 'utf8=%E2%9C%93'; // encodeURIComponent('✓') - var parseValues = function parseQueryStringValues(str, options) { var obj = {}; var cleanStr = options.ignoreQueryPrefix ? str.replace(/^\?/, '') : str; var limit = options.parameterLimit === Infinity ? undefined : options.parameterLimit; var parts = cleanStr.split(options.delimiter, limit); - var skipIndex = -1; // Keep track of where the utf8 sentinel was found - var i; - - var charset = options.charset; - if (options.charsetSentinel) { - for (i = 0; i < parts.length; ++i) { - if (parts[i].indexOf('utf8=') === 0) { - if (parts[i] === charsetSentinel) { - charset = 'utf-8'; - } else if (parts[i] === isoSentinel) { - charset = 'iso-8859-1'; - } - skipIndex = i; - i = parts.length; // The eslint settings do not allow break; - } - } - } - for (i = 0; i < parts.length; ++i) { - if (i === skipIndex) { - continue; - } + for (var i = 0; i < parts.length; ++i) { var part = parts[i]; var bracketEqualsPos = part.indexOf(']='); @@ -121,28 +64,14 @@ var parseValues = function parseQueryStringValues(str, options) { var key, val; if (pos === -1) { - key = options.decoder(part, defaults.decoder, charset, 'key'); + key = options.decoder(part, defaults.decoder); val = options.strictNullHandling ? null : ''; } else { - key = options.decoder(part.slice(0, pos), defaults.decoder, charset, 'key'); - val = utils.maybeMap( - parseArrayValue(part.slice(pos + 1), options), - function (encodedVal) { - return options.decoder(encodedVal, defaults.decoder, charset, 'value'); - } - ); - } - - if (val && options.interpretNumericEntities && charset === 'iso-8859-1') { - val = interpretNumericEntities(val); - } - - if (part.indexOf('[]=') > -1) { - val = isArray(val) ? [val] : val; + key = options.decoder(part.slice(0, pos), defaults.decoder); + val = options.decoder(part.slice(pos + 1), defaults.decoder); } - if (has.call(obj, key)) { - obj[key] = utils.combine(obj[key], val); + obj[key] = [].concat(obj[key]).concat(val); } else { obj[key] = val; } @@ -151,22 +80,21 @@ var parseValues = function parseQueryStringValues(str, options) { return obj; }; -var parseObject = function (chain, val, options, valuesParsed) { - var leaf = valuesParsed ? val : parseArrayValue(val, options); +var parseObject = function (chain, val, options) { + var leaf = val; for (var i = chain.length - 1; i >= 0; --i) { var obj; var root = chain[i]; - if (root === '[]' && options.parseArrays) { - obj = [].concat(leaf); + if (root === '[]') { + obj = []; + obj = obj.concat(leaf); } else { obj = options.plainObjects ? Object.create(null) : {}; var cleanRoot = root.charAt(0) === '[' && root.charAt(root.length - 1) === ']' ? root.slice(1, -1) : root; var index = parseInt(cleanRoot, 10); - if (!options.parseArrays && cleanRoot === '') { - obj = { 0: leaf }; - } else if ( + if ( !isNaN(index) && root !== cleanRoot && String(index) === cleanRoot @@ -175,7 +103,7 @@ var parseObject = function (chain, val, options, valuesParsed) { ) { obj = []; obj[index] = leaf; - } else if (cleanRoot !== '__proto__') { + } else { obj[cleanRoot] = leaf; } } @@ -186,7 +114,7 @@ var parseObject = function (chain, val, options, valuesParsed) { return leaf; }; -var parseKeys = function parseQueryStringKeys(givenKey, val, options, valuesParsed) { +var parseKeys = function parseQueryStringKeys(givenKey, val, options) { if (!givenKey) { return; } @@ -201,14 +129,15 @@ var parseKeys = function parseQueryStringKeys(givenKey, val, options, valuesPars // Get the parent - var segment = options.depth > 0 && brackets.exec(key); + var segment = brackets.exec(key); var parent = segment ? key.slice(0, segment.index) : key; // Stash the parent if it exists var keys = []; if (parent) { - // If we aren't using plain objects, optionally prefix keys that would overwrite object prototype properties + // If we aren't using plain objects, optionally prefix keys + // that would overwrite object prototype properties if (!options.plainObjects && has.call(Object.prototype, parent)) { if (!options.allowPrototypes) { return; @@ -221,7 +150,7 @@ var parseKeys = function parseQueryStringKeys(givenKey, val, options, valuesPars // Loop through children appending to the array until we hit depth var i = 0; - while (options.depth > 0 && (segment = child.exec(key)) !== null && i < options.depth) { + while ((segment = child.exec(key)) !== null && i < options.depth) { i += 1; if (!options.plainObjects && has.call(Object.prototype, segment[1].slice(1, -1))) { if (!options.allowPrototypes) { @@ -237,46 +166,27 @@ var parseKeys = function parseQueryStringKeys(givenKey, val, options, valuesPars keys.push('[' + key.slice(segment.index) + ']'); } - return parseObject(keys, val, options, valuesParsed); + return parseObject(keys, val, options); }; -var normalizeParseOptions = function normalizeParseOptions(opts) { - if (!opts) { - return defaults; - } +module.exports = function (str, opts) { + var options = opts ? utils.assign({}, opts) : {}; - if (opts.decoder !== null && opts.decoder !== undefined && typeof opts.decoder !== 'function') { + if (options.decoder !== null && options.decoder !== undefined && typeof options.decoder !== 'function') { throw new TypeError('Decoder has to be a function.'); } - if (typeof opts.charset !== 'undefined' && opts.charset !== 'utf-8' && opts.charset !== 'iso-8859-1') { - throw new TypeError('The charset option must be either utf-8, iso-8859-1, or undefined'); - } - var charset = typeof opts.charset === 'undefined' ? defaults.charset : opts.charset; - - return { - allowDots: typeof opts.allowDots === 'undefined' ? defaults.allowDots : !!opts.allowDots, - allowPrototypes: typeof opts.allowPrototypes === 'boolean' ? opts.allowPrototypes : defaults.allowPrototypes, - allowSparse: typeof opts.allowSparse === 'boolean' ? opts.allowSparse : defaults.allowSparse, - arrayLimit: typeof opts.arrayLimit === 'number' ? opts.arrayLimit : defaults.arrayLimit, - charset: charset, - charsetSentinel: typeof opts.charsetSentinel === 'boolean' ? opts.charsetSentinel : defaults.charsetSentinel, - comma: typeof opts.comma === 'boolean' ? opts.comma : defaults.comma, - decoder: typeof opts.decoder === 'function' ? opts.decoder : defaults.decoder, - delimiter: typeof opts.delimiter === 'string' || utils.isRegExp(opts.delimiter) ? opts.delimiter : defaults.delimiter, - // eslint-disable-next-line no-implicit-coercion, no-extra-parens - depth: (typeof opts.depth === 'number' || opts.depth === false) ? +opts.depth : defaults.depth, - ignoreQueryPrefix: opts.ignoreQueryPrefix === true, - interpretNumericEntities: typeof opts.interpretNumericEntities === 'boolean' ? opts.interpretNumericEntities : defaults.interpretNumericEntities, - parameterLimit: typeof opts.parameterLimit === 'number' ? opts.parameterLimit : defaults.parameterLimit, - parseArrays: opts.parseArrays !== false, - plainObjects: typeof opts.plainObjects === 'boolean' ? opts.plainObjects : defaults.plainObjects, - strictNullHandling: typeof opts.strictNullHandling === 'boolean' ? opts.strictNullHandling : defaults.strictNullHandling - }; -}; - -module.exports = function (str, opts) { - var options = normalizeParseOptions(opts); + options.ignoreQueryPrefix = options.ignoreQueryPrefix === true; + options.delimiter = typeof options.delimiter === 'string' || utils.isRegExp(options.delimiter) ? options.delimiter : defaults.delimiter; + options.depth = typeof options.depth === 'number' ? options.depth : defaults.depth; + options.arrayLimit = typeof options.arrayLimit === 'number' ? options.arrayLimit : defaults.arrayLimit; + options.parseArrays = options.parseArrays !== false; + options.decoder = typeof options.decoder === 'function' ? options.decoder : defaults.decoder; + options.allowDots = typeof options.allowDots === 'boolean' ? options.allowDots : defaults.allowDots; + options.plainObjects = typeof options.plainObjects === 'boolean' ? options.plainObjects : defaults.plainObjects; + options.allowPrototypes = typeof options.allowPrototypes === 'boolean' ? options.allowPrototypes : defaults.allowPrototypes; + options.parameterLimit = typeof options.parameterLimit === 'number' ? options.parameterLimit : defaults.parameterLimit; + options.strictNullHandling = typeof options.strictNullHandling === 'boolean' ? options.strictNullHandling : defaults.strictNullHandling; if (str === '' || str === null || typeof str === 'undefined') { return options.plainObjects ? Object.create(null) : {}; @@ -290,83 +200,49 @@ module.exports = function (str, opts) { var keys = Object.keys(tempObj); for (var i = 0; i < keys.length; ++i) { var key = keys[i]; - var newObj = parseKeys(key, tempObj[key], options, typeof str === 'string'); + var newObj = parseKeys(key, tempObj[key], options); obj = utils.merge(obj, newObj, options); } - if (options.allowSparse === true) { - return obj; - } - return utils.compact(obj); }; },{"./utils":5}],4:[function(require,module,exports){ 'use strict'; -var getSideChannel = require('side-channel'); var utils = require('./utils'); var formats = require('./formats'); -var has = Object.prototype.hasOwnProperty; var arrayPrefixGenerators = { - brackets: function brackets(prefix) { + brackets: function brackets(prefix) { // eslint-disable-line func-name-matching return prefix + '[]'; }, - comma: 'comma', - indices: function indices(prefix, key) { + indices: function indices(prefix, key) { // eslint-disable-line func-name-matching return prefix + '[' + key + ']'; }, - repeat: function repeat(prefix) { + repeat: function repeat(prefix) { // eslint-disable-line func-name-matching return prefix; } }; -var isArray = Array.isArray; -var split = String.prototype.split; -var push = Array.prototype.push; -var pushToArray = function (arr, valueOrArray) { - push.apply(arr, isArray(valueOrArray) ? valueOrArray : [valueOrArray]); -}; - var toISO = Date.prototype.toISOString; -var defaultFormat = formats['default']; var defaults = { - addQueryPrefix: false, - allowDots: false, - charset: 'utf-8', - charsetSentinel: false, delimiter: '&', encode: true, encoder: utils.encode, encodeValuesOnly: false, - format: defaultFormat, - formatter: formats.formatters[defaultFormat], - // deprecated - indices: false, - serializeDate: function serializeDate(date) { + serializeDate: function serializeDate(date) { // eslint-disable-line func-name-matching return toISO.call(date); }, skipNulls: false, strictNullHandling: false }; -var isNonNullishPrimitive = function isNonNullishPrimitive(v) { - return typeof v === 'string' - || typeof v === 'number' - || typeof v === 'boolean' - || typeof v === 'symbol' - || typeof v === 'bigint'; -}; - -var sentinel = {}; - -var stringify = function stringify( +var stringify = function stringify( // eslint-disable-line func-name-matching object, prefix, generateArrayPrefix, - commaRoundTrip, strictNullHandling, skipNulls, encoder, @@ -374,66 +250,26 @@ var stringify = function stringify( sort, allowDots, serializeDate, - format, formatter, - encodeValuesOnly, - charset, - sideChannel + encodeValuesOnly ) { var obj = object; - - var tmpSc = sideChannel; - var step = 0; - var findFlag = false; - while ((tmpSc = tmpSc.get(sentinel)) !== void undefined && !findFlag) { - // Where object last appeared in the ref tree - var pos = tmpSc.get(object); - step += 1; - if (typeof pos !== 'undefined') { - if (pos === step) { - throw new RangeError('Cyclic object value'); - } else { - findFlag = true; // Break while - } - } - if (typeof tmpSc.get(sentinel) === 'undefined') { - step = 0; - } - } - if (typeof filter === 'function') { obj = filter(prefix, obj); } else if (obj instanceof Date) { obj = serializeDate(obj); - } else if (generateArrayPrefix === 'comma' && isArray(obj)) { - obj = utils.maybeMap(obj, function (value) { - if (value instanceof Date) { - return serializeDate(value); - } - return value; - }); - } - - if (obj === null) { + } else if (obj === null) { if (strictNullHandling) { - return encoder && !encodeValuesOnly ? encoder(prefix, defaults.encoder, charset, 'key', format) : prefix; + return encoder && !encodeValuesOnly ? encoder(prefix, defaults.encoder) : prefix; } obj = ''; } - if (isNonNullishPrimitive(obj) || utils.isBuffer(obj)) { + if (typeof obj === 'string' || typeof obj === 'number' || typeof obj === 'boolean' || utils.isBuffer(obj)) { if (encoder) { - var keyValue = encodeValuesOnly ? prefix : encoder(prefix, defaults.encoder, charset, 'key', format); - if (generateArrayPrefix === 'comma' && encodeValuesOnly) { - var valuesArray = split.call(String(obj), ','); - var valuesJoined = ''; - for (var i = 0; i < valuesArray.length; ++i) { - valuesJoined += (i === 0 ? '' : ',') + formatter(encoder(valuesArray[i], defaults.encoder, charset, 'value', format)); - } - return [formatter(keyValue) + (commaRoundTrip && isArray(obj) && valuesArray.length === 1 ? '[]' : '') + '=' + valuesJoined]; - } - return [formatter(keyValue) + '=' + formatter(encoder(obj, defaults.encoder, charset, 'value', format))]; + var keyValue = encodeValuesOnly ? prefix : encoder(prefix, defaults.encoder); + return [formatter(keyValue) + '=' + formatter(encoder(obj, defaults.encoder))]; } return [formatter(prefix) + '=' + formatter(String(obj))]; } @@ -445,114 +281,86 @@ var stringify = function stringify( } var objKeys; - if (generateArrayPrefix === 'comma' && isArray(obj)) { - // we need to join elements in - objKeys = [{ value: obj.length > 0 ? obj.join(',') || null : void undefined }]; - } else if (isArray(filter)) { + if (Array.isArray(filter)) { objKeys = filter; } else { var keys = Object.keys(obj); objKeys = sort ? keys.sort(sort) : keys; } - var adjustedPrefix = commaRoundTrip && isArray(obj) && obj.length === 1 ? prefix + '[]' : prefix; - - for (var j = 0; j < objKeys.length; ++j) { - var key = objKeys[j]; - var value = typeof key === 'object' && typeof key.value !== 'undefined' ? key.value : obj[key]; + for (var i = 0; i < objKeys.length; ++i) { + var key = objKeys[i]; - if (skipNulls && value === null) { + if (skipNulls && obj[key] === null) { continue; } - var keyPrefix = isArray(obj) - ? typeof generateArrayPrefix === 'function' ? generateArrayPrefix(adjustedPrefix, key) : adjustedPrefix - : adjustedPrefix + (allowDots ? '.' + key : '[' + key + ']'); - - sideChannel.set(object, step); - var valueSideChannel = getSideChannel(); - valueSideChannel.set(sentinel, sideChannel); - pushToArray(values, stringify( - value, - keyPrefix, - generateArrayPrefix, - commaRoundTrip, - strictNullHandling, - skipNulls, - encoder, - filter, - sort, - allowDots, - serializeDate, - format, - formatter, - encodeValuesOnly, - charset, - valueSideChannel - )); + if (Array.isArray(obj)) { + values = values.concat(stringify( + obj[key], + generateArrayPrefix(prefix, key), + generateArrayPrefix, + strictNullHandling, + skipNulls, + encoder, + filter, + sort, + allowDots, + serializeDate, + formatter, + encodeValuesOnly + )); + } else { + values = values.concat(stringify( + obj[key], + prefix + (allowDots ? '.' + key : '[' + key + ']'), + generateArrayPrefix, + strictNullHandling, + skipNulls, + encoder, + filter, + sort, + allowDots, + serializeDate, + formatter, + encodeValuesOnly + )); + } } return values; }; -var normalizeStringifyOptions = function normalizeStringifyOptions(opts) { - if (!opts) { - return defaults; - } +module.exports = function (object, opts) { + var obj = object; + var options = opts ? utils.assign({}, opts) : {}; - if (opts.encoder !== null && typeof opts.encoder !== 'undefined' && typeof opts.encoder !== 'function') { + if (options.encoder !== null && options.encoder !== undefined && typeof options.encoder !== 'function') { throw new TypeError('Encoder has to be a function.'); } - var charset = opts.charset || defaults.charset; - if (typeof opts.charset !== 'undefined' && opts.charset !== 'utf-8' && opts.charset !== 'iso-8859-1') { - throw new TypeError('The charset option must be either utf-8, iso-8859-1, or undefined'); - } - - var format = formats['default']; - if (typeof opts.format !== 'undefined') { - if (!has.call(formats.formatters, opts.format)) { - throw new TypeError('Unknown format option provided.'); - } - format = opts.format; - } - var formatter = formats.formatters[format]; - - var filter = defaults.filter; - if (typeof opts.filter === 'function' || isArray(opts.filter)) { - filter = opts.filter; - } - - return { - addQueryPrefix: typeof opts.addQueryPrefix === 'boolean' ? opts.addQueryPrefix : defaults.addQueryPrefix, - allowDots: typeof opts.allowDots === 'undefined' ? defaults.allowDots : !!opts.allowDots, - charset: charset, - charsetSentinel: typeof opts.charsetSentinel === 'boolean' ? opts.charsetSentinel : defaults.charsetSentinel, - delimiter: typeof opts.delimiter === 'undefined' ? defaults.delimiter : opts.delimiter, - encode: typeof opts.encode === 'boolean' ? opts.encode : defaults.encode, - encoder: typeof opts.encoder === 'function' ? opts.encoder : defaults.encoder, - encodeValuesOnly: typeof opts.encodeValuesOnly === 'boolean' ? opts.encodeValuesOnly : defaults.encodeValuesOnly, - filter: filter, - format: format, - formatter: formatter, - serializeDate: typeof opts.serializeDate === 'function' ? opts.serializeDate : defaults.serializeDate, - skipNulls: typeof opts.skipNulls === 'boolean' ? opts.skipNulls : defaults.skipNulls, - sort: typeof opts.sort === 'function' ? opts.sort : null, - strictNullHandling: typeof opts.strictNullHandling === 'boolean' ? opts.strictNullHandling : defaults.strictNullHandling - }; -}; - -module.exports = function (object, opts) { - var obj = object; - var options = normalizeStringifyOptions(opts); - + var delimiter = typeof options.delimiter === 'undefined' ? defaults.delimiter : options.delimiter; + var strictNullHandling = typeof options.strictNullHandling === 'boolean' ? options.strictNullHandling : defaults.strictNullHandling; + var skipNulls = typeof options.skipNulls === 'boolean' ? options.skipNulls : defaults.skipNulls; + var encode = typeof options.encode === 'boolean' ? options.encode : defaults.encode; + var encoder = typeof options.encoder === 'function' ? options.encoder : defaults.encoder; + var sort = typeof options.sort === 'function' ? options.sort : null; + var allowDots = typeof options.allowDots === 'undefined' ? false : options.allowDots; + var serializeDate = typeof options.serializeDate === 'function' ? options.serializeDate : defaults.serializeDate; + var encodeValuesOnly = typeof options.encodeValuesOnly === 'boolean' ? options.encodeValuesOnly : defaults.encodeValuesOnly; + if (typeof options.format === 'undefined') { + options.format = formats['default']; + } else if (!Object.prototype.hasOwnProperty.call(formats.formatters, options.format)) { + throw new TypeError('Unknown format option provided.'); + } + var formatter = formats.formatters[options.format]; var objKeys; var filter; if (typeof options.filter === 'function') { filter = options.filter; obj = filter('', obj); - } else if (isArray(options.filter)) { + } else if (Array.isArray(options.filter)) { filter = options.filter; objKeys = filter; } @@ -564,78 +372,57 @@ module.exports = function (object, opts) { } var arrayFormat; - if (opts && opts.arrayFormat in arrayPrefixGenerators) { - arrayFormat = opts.arrayFormat; - } else if (opts && 'indices' in opts) { - arrayFormat = opts.indices ? 'indices' : 'repeat'; + if (options.arrayFormat in arrayPrefixGenerators) { + arrayFormat = options.arrayFormat; + } else if ('indices' in options) { + arrayFormat = options.indices ? 'indices' : 'repeat'; } else { arrayFormat = 'indices'; } var generateArrayPrefix = arrayPrefixGenerators[arrayFormat]; - if (opts && 'commaRoundTrip' in opts && typeof opts.commaRoundTrip !== 'boolean') { - throw new TypeError('`commaRoundTrip` must be a boolean, or absent'); - } - var commaRoundTrip = generateArrayPrefix === 'comma' && opts && opts.commaRoundTrip; if (!objKeys) { objKeys = Object.keys(obj); } - if (options.sort) { - objKeys.sort(options.sort); + if (sort) { + objKeys.sort(sort); } - var sideChannel = getSideChannel(); for (var i = 0; i < objKeys.length; ++i) { var key = objKeys[i]; - if (options.skipNulls && obj[key] === null) { + if (skipNulls && obj[key] === null) { continue; } - pushToArray(keys, stringify( + + keys = keys.concat(stringify( obj[key], key, generateArrayPrefix, - commaRoundTrip, - options.strictNullHandling, - options.skipNulls, - options.encode ? options.encoder : null, - options.filter, - options.sort, - options.allowDots, - options.serializeDate, - options.format, - options.formatter, - options.encodeValuesOnly, - options.charset, - sideChannel + strictNullHandling, + skipNulls, + encode ? encoder : null, + filter, + sort, + allowDots, + serializeDate, + formatter, + encodeValuesOnly )); } - var joined = keys.join(options.delimiter); + var joined = keys.join(delimiter); var prefix = options.addQueryPrefix === true ? '?' : ''; - if (options.charsetSentinel) { - if (options.charset === 'iso-8859-1') { - // encodeURIComponent('✓'), the "numeric entity" representation of a checkmark - prefix += 'utf8=%26%2310003%3B&'; - } else { - // encodeURIComponent('✓') - prefix += 'utf8=%E2%9C%93&'; - } - } - return joined.length > 0 ? prefix + joined : ''; }; -},{"./formats":1,"./utils":5,"side-channel":16}],5:[function(require,module,exports){ +},{"./formats":1,"./utils":5}],5:[function(require,module,exports){ 'use strict'; -var formats = require('./formats'); - var has = Object.prototype.hasOwnProperty; -var isArray = Array.isArray; var hexTable = (function () { var array = []; @@ -647,11 +434,13 @@ var hexTable = (function () { }()); var compactQueue = function compactQueue(queue) { - while (queue.length > 1) { + var obj; + + while (queue.length) { var item = queue.pop(); - var obj = item.obj[item.prop]; + obj = item.obj[item.prop]; - if (isArray(obj)) { + if (Array.isArray(obj)) { var compacted = []; for (var j = 0; j < obj.length; ++j) { @@ -663,6 +452,8 @@ var compactQueue = function compactQueue(queue) { item.obj[item.prop] = compacted; } } + + return obj; }; var arrayToObject = function arrayToObject(source, options) { @@ -677,16 +468,15 @@ var arrayToObject = function arrayToObject(source, options) { }; var merge = function merge(target, source, options) { - /* eslint no-param-reassign: 0 */ if (!source) { return target; } if (typeof source !== 'object') { - if (isArray(target)) { + if (Array.isArray(target)) { target.push(source); - } else if (target && typeof target === 'object') { - if ((options && (options.plainObjects || options.allowPrototypes)) || !has.call(Object.prototype, source)) { + } else if (typeof target === 'object') { + if (options.plainObjects || options.allowPrototypes || !has.call(Object.prototype, source)) { target[source] = true; } } else { @@ -696,21 +486,20 @@ var merge = function merge(target, source, options) { return target; } - if (!target || typeof target !== 'object') { + if (typeof target !== 'object') { return [target].concat(source); } var mergeTarget = target; - if (isArray(target) && !isArray(source)) { + if (Array.isArray(target) && !Array.isArray(source)) { mergeTarget = arrayToObject(target, options); } - if (isArray(target) && isArray(source)) { + if (Array.isArray(target) && Array.isArray(source)) { source.forEach(function (item, i) { if (has.call(target, i)) { - var targetItem = target[i]; - if (targetItem && typeof targetItem === 'object' && item && typeof item === 'object') { - target[i] = merge(targetItem, item, options); + if (target[i] && typeof target[i] === 'object') { + target[i] = merge(target[i], item, options); } else { target.push(item); } @@ -740,39 +529,22 @@ var assign = function assignSingleSource(target, source) { }, target); }; -var decode = function (str, decoder, charset) { - var strWithoutPlus = str.replace(/\+/g, ' '); - if (charset === 'iso-8859-1') { - // unescape never throws, no try...catch needed: - return strWithoutPlus.replace(/%[0-9a-f]{2}/gi, unescape); - } - // utf-8 +var decode = function (str) { try { - return decodeURIComponent(strWithoutPlus); + return decodeURIComponent(str.replace(/\+/g, ' ')); } catch (e) { - return strWithoutPlus; + return str; } }; -var encode = function encode(str, defaultEncoder, charset, kind, format) { +var encode = function encode(str) { // This code was originally written by Brian White (mscdex) for the io.js core querystring library. // It has been adapted here for stricter adherence to RFC 3986 if (str.length === 0) { return str; } - var string = str; - if (typeof str === 'symbol') { - string = Symbol.prototype.toString.call(str); - } else if (typeof str !== 'string') { - string = String(str); - } - - if (charset === 'iso-8859-1') { - return escape(string).replace(/%u[0-9a-f]{4}/gi, function ($0) { - return '%26%23' + parseInt($0.slice(2), 16) + '%3B'; - }); - } + var string = typeof str === 'string' ? str : String(str); var out = ''; for (var i = 0; i < string.length; ++i) { @@ -786,7 +558,6 @@ var encode = function encode(str, defaultEncoder, charset, kind, format) { || (c >= 0x30 && c <= 0x39) // 0-9 || (c >= 0x41 && c <= 0x5A) // a-z || (c >= 0x61 && c <= 0x7A) // A-Z - || (format === formats.RFC1738 && (c === 0x28 || c === 0x29)) // ( ) ) { out += string.charAt(i); continue; @@ -809,7 +580,6 @@ var encode = function encode(str, defaultEncoder, charset, kind, format) { i += 1; c = 0x10000 + (((c & 0x3FF) << 10) | (string.charCodeAt(i) & 0x3FF)); - /* eslint operator-linebreak: [2, "before"] */ out += hexTable[0xF0 | (c >> 18)] + hexTable[0x80 | ((c >> 12) & 0x3F)] + hexTable[0x80 | ((c >> 6) & 0x3F)] @@ -838,9 +608,7 @@ var compact = function compact(value) { } } - compactQueue(queue); - - return value; + return compactQueue(queue); }; var isRegExp = function isRegExp(obj) { @@ -848,1207 +616,23 @@ var isRegExp = function isRegExp(obj) { }; var isBuffer = function isBuffer(obj) { - if (!obj || typeof obj !== 'object') { + if (obj === null || typeof obj === 'undefined') { return false; } return !!(obj.constructor && obj.constructor.isBuffer && obj.constructor.isBuffer(obj)); }; -var combine = function combine(a, b) { - return [].concat(a, b); -}; - -var maybeMap = function maybeMap(val, fn) { - if (isArray(val)) { - var mapped = []; - for (var i = 0; i < val.length; i += 1) { - mapped.push(fn(val[i])); - } - return mapped; - } - return fn(val); -}; - module.exports = { arrayToObject: arrayToObject, assign: assign, - combine: combine, compact: compact, decode: decode, encode: encode, isBuffer: isBuffer, isRegExp: isRegExp, - maybeMap: maybeMap, merge: merge }; -},{"./formats":1}],6:[function(require,module,exports){ - -},{}],7:[function(require,module,exports){ -'use strict'; - -var GetIntrinsic = require('get-intrinsic'); - -var callBind = require('./'); - -var $indexOf = callBind(GetIntrinsic('String.prototype.indexOf')); - -module.exports = function callBoundIntrinsic(name, allowMissing) { - var intrinsic = GetIntrinsic(name, !!allowMissing); - if (typeof intrinsic === 'function' && $indexOf(name, '.prototype.') > -1) { - return callBind(intrinsic); - } - return intrinsic; -}; - -},{"./":8,"get-intrinsic":11}],8:[function(require,module,exports){ -'use strict'; - -var bind = require('function-bind'); -var GetIntrinsic = require('get-intrinsic'); - -var $apply = GetIntrinsic('%Function.prototype.apply%'); -var $call = GetIntrinsic('%Function.prototype.call%'); -var $reflectApply = GetIntrinsic('%Reflect.apply%', true) || bind.call($call, $apply); - -var $gOPD = GetIntrinsic('%Object.getOwnPropertyDescriptor%', true); -var $defineProperty = GetIntrinsic('%Object.defineProperty%', true); -var $max = GetIntrinsic('%Math.max%'); - -if ($defineProperty) { - try { - $defineProperty({}, 'a', { value: 1 }); - } catch (e) { - // IE 8 has a broken defineProperty - $defineProperty = null; - } -} - -module.exports = function callBind(originalFunction) { - var func = $reflectApply(bind, $call, arguments); - if ($gOPD && $defineProperty) { - var desc = $gOPD(func, 'length'); - if (desc.configurable) { - // original length, plus the receiver, minus any additional arguments (after the receiver) - $defineProperty( - func, - 'length', - { value: 1 + $max(0, originalFunction.length - (arguments.length - 1)) } - ); - } - } - return func; -}; - -var applyBind = function applyBind() { - return $reflectApply(bind, $apply, arguments); -}; - -if ($defineProperty) { - $defineProperty(module.exports, 'apply', { value: applyBind }); -} else { - module.exports.apply = applyBind; -} - -},{"function-bind":10,"get-intrinsic":11}],9:[function(require,module,exports){ -'use strict'; - -/* eslint no-invalid-this: 1 */ - -var ERROR_MESSAGE = 'Function.prototype.bind called on incompatible '; -var slice = Array.prototype.slice; -var toStr = Object.prototype.toString; -var funcType = '[object Function]'; - -module.exports = function bind(that) { - var target = this; - if (typeof target !== 'function' || toStr.call(target) !== funcType) { - throw new TypeError(ERROR_MESSAGE + target); - } - var args = slice.call(arguments, 1); - - var bound; - var binder = function () { - if (this instanceof bound) { - var result = target.apply( - this, - args.concat(slice.call(arguments)) - ); - if (Object(result) === result) { - return result; - } - return this; - } else { - return target.apply( - that, - args.concat(slice.call(arguments)) - ); - } - }; - - var boundLength = Math.max(0, target.length - args.length); - var boundArgs = []; - for (var i = 0; i < boundLength; i++) { - boundArgs.push('$' + i); - } - - bound = Function('binder', 'return function (' + boundArgs.join(',') + '){ return binder.apply(this,arguments); }')(binder); - - if (target.prototype) { - var Empty = function Empty() {}; - Empty.prototype = target.prototype; - bound.prototype = new Empty(); - Empty.prototype = null; - } - - return bound; -}; - -},{}],10:[function(require,module,exports){ -'use strict'; - -var implementation = require('./implementation'); - -module.exports = Function.prototype.bind || implementation; - -},{"./implementation":9}],11:[function(require,module,exports){ -'use strict'; - -var undefined; - -var $SyntaxError = SyntaxError; -var $Function = Function; -var $TypeError = TypeError; - -// eslint-disable-next-line consistent-return -var getEvalledConstructor = function (expressionSyntax) { - try { - return $Function('"use strict"; return (' + expressionSyntax + ').constructor;')(); - } catch (e) {} -}; - -var $gOPD = Object.getOwnPropertyDescriptor; -if ($gOPD) { - try { - $gOPD({}, ''); - } catch (e) { - $gOPD = null; // this is IE 8, which has a broken gOPD - } -} - -var throwTypeError = function () { - throw new $TypeError(); -}; -var ThrowTypeError = $gOPD - ? (function () { - try { - // eslint-disable-next-line no-unused-expressions, no-caller, no-restricted-properties - arguments.callee; // IE 8 does not throw here - return throwTypeError; - } catch (calleeThrows) { - try { - // IE 8 throws on Object.getOwnPropertyDescriptor(arguments, '') - return $gOPD(arguments, 'callee').get; - } catch (gOPDthrows) { - return throwTypeError; - } - } - }()) - : throwTypeError; - -var hasSymbols = require('has-symbols')(); - -var getProto = Object.getPrototypeOf || function (x) { return x.__proto__; }; // eslint-disable-line no-proto - -var needsEval = {}; - -var TypedArray = typeof Uint8Array === 'undefined' ? undefined : getProto(Uint8Array); - -var INTRINSICS = { - '%AggregateError%': typeof AggregateError === 'undefined' ? undefined : AggregateError, - '%Array%': Array, - '%ArrayBuffer%': typeof ArrayBuffer === 'undefined' ? undefined : ArrayBuffer, - '%ArrayIteratorPrototype%': hasSymbols ? getProto([][Symbol.iterator]()) : undefined, - '%AsyncFromSyncIteratorPrototype%': undefined, - '%AsyncFunction%': needsEval, - '%AsyncGenerator%': needsEval, - '%AsyncGeneratorFunction%': needsEval, - '%AsyncIteratorPrototype%': needsEval, - '%Atomics%': typeof Atomics === 'undefined' ? undefined : Atomics, - '%BigInt%': typeof BigInt === 'undefined' ? undefined : BigInt, - '%Boolean%': Boolean, - '%DataView%': typeof DataView === 'undefined' ? undefined : DataView, - '%Date%': Date, - '%decodeURI%': decodeURI, - '%decodeURIComponent%': decodeURIComponent, - '%encodeURI%': encodeURI, - '%encodeURIComponent%': encodeURIComponent, - '%Error%': Error, - '%eval%': eval, // eslint-disable-line no-eval - '%EvalError%': EvalError, - '%Float32Array%': typeof Float32Array === 'undefined' ? undefined : Float32Array, - '%Float64Array%': typeof Float64Array === 'undefined' ? undefined : Float64Array, - '%FinalizationRegistry%': typeof FinalizationRegistry === 'undefined' ? undefined : FinalizationRegistry, - '%Function%': $Function, - '%GeneratorFunction%': needsEval, - '%Int8Array%': typeof Int8Array === 'undefined' ? undefined : Int8Array, - '%Int16Array%': typeof Int16Array === 'undefined' ? undefined : Int16Array, - '%Int32Array%': typeof Int32Array === 'undefined' ? undefined : Int32Array, - '%isFinite%': isFinite, - '%isNaN%': isNaN, - '%IteratorPrototype%': hasSymbols ? getProto(getProto([][Symbol.iterator]())) : undefined, - '%JSON%': typeof JSON === 'object' ? JSON : undefined, - '%Map%': typeof Map === 'undefined' ? undefined : Map, - '%MapIteratorPrototype%': typeof Map === 'undefined' || !hasSymbols ? undefined : getProto(new Map()[Symbol.iterator]()), - '%Math%': Math, - '%Number%': Number, - '%Object%': Object, - '%parseFloat%': parseFloat, - '%parseInt%': parseInt, - '%Promise%': typeof Promise === 'undefined' ? undefined : Promise, - '%Proxy%': typeof Proxy === 'undefined' ? undefined : Proxy, - '%RangeError%': RangeError, - '%ReferenceError%': ReferenceError, - '%Reflect%': typeof Reflect === 'undefined' ? undefined : Reflect, - '%RegExp%': RegExp, - '%Set%': typeof Set === 'undefined' ? undefined : Set, - '%SetIteratorPrototype%': typeof Set === 'undefined' || !hasSymbols ? undefined : getProto(new Set()[Symbol.iterator]()), - '%SharedArrayBuffer%': typeof SharedArrayBuffer === 'undefined' ? undefined : SharedArrayBuffer, - '%String%': String, - '%StringIteratorPrototype%': hasSymbols ? getProto(''[Symbol.iterator]()) : undefined, - '%Symbol%': hasSymbols ? Symbol : undefined, - '%SyntaxError%': $SyntaxError, - '%ThrowTypeError%': ThrowTypeError, - '%TypedArray%': TypedArray, - '%TypeError%': $TypeError, - '%Uint8Array%': typeof Uint8Array === 'undefined' ? undefined : Uint8Array, - '%Uint8ClampedArray%': typeof Uint8ClampedArray === 'undefined' ? undefined : Uint8ClampedArray, - '%Uint16Array%': typeof Uint16Array === 'undefined' ? undefined : Uint16Array, - '%Uint32Array%': typeof Uint32Array === 'undefined' ? undefined : Uint32Array, - '%URIError%': URIError, - '%WeakMap%': typeof WeakMap === 'undefined' ? undefined : WeakMap, - '%WeakRef%': typeof WeakRef === 'undefined' ? undefined : WeakRef, - '%WeakSet%': typeof WeakSet === 'undefined' ? undefined : WeakSet -}; - -var doEval = function doEval(name) { - var value; - if (name === '%AsyncFunction%') { - value = getEvalledConstructor('async function () {}'); - } else if (name === '%GeneratorFunction%') { - value = getEvalledConstructor('function* () {}'); - } else if (name === '%AsyncGeneratorFunction%') { - value = getEvalledConstructor('async function* () {}'); - } else if (name === '%AsyncGenerator%') { - var fn = doEval('%AsyncGeneratorFunction%'); - if (fn) { - value = fn.prototype; - } - } else if (name === '%AsyncIteratorPrototype%') { - var gen = doEval('%AsyncGenerator%'); - if (gen) { - value = getProto(gen.prototype); - } - } - - INTRINSICS[name] = value; - - return value; -}; - -var LEGACY_ALIASES = { - '%ArrayBufferPrototype%': ['ArrayBuffer', 'prototype'], - '%ArrayPrototype%': ['Array', 'prototype'], - '%ArrayProto_entries%': ['Array', 'prototype', 'entries'], - '%ArrayProto_forEach%': ['Array', 'prototype', 'forEach'], - '%ArrayProto_keys%': ['Array', 'prototype', 'keys'], - '%ArrayProto_values%': ['Array', 'prototype', 'values'], - '%AsyncFunctionPrototype%': ['AsyncFunction', 'prototype'], - '%AsyncGenerator%': ['AsyncGeneratorFunction', 'prototype'], - '%AsyncGeneratorPrototype%': ['AsyncGeneratorFunction', 'prototype', 'prototype'], - '%BooleanPrototype%': ['Boolean', 'prototype'], - '%DataViewPrototype%': ['DataView', 'prototype'], - '%DatePrototype%': ['Date', 'prototype'], - '%ErrorPrototype%': ['Error', 'prototype'], - '%EvalErrorPrototype%': ['EvalError', 'prototype'], - '%Float32ArrayPrototype%': ['Float32Array', 'prototype'], - '%Float64ArrayPrototype%': ['Float64Array', 'prototype'], - '%FunctionPrototype%': ['Function', 'prototype'], - '%Generator%': ['GeneratorFunction', 'prototype'], - '%GeneratorPrototype%': ['GeneratorFunction', 'prototype', 'prototype'], - '%Int8ArrayPrototype%': ['Int8Array', 'prototype'], - '%Int16ArrayPrototype%': ['Int16Array', 'prototype'], - '%Int32ArrayPrototype%': ['Int32Array', 'prototype'], - '%JSONParse%': ['JSON', 'parse'], - '%JSONStringify%': ['JSON', 'stringify'], - '%MapPrototype%': ['Map', 'prototype'], - '%NumberPrototype%': ['Number', 'prototype'], - '%ObjectPrototype%': ['Object', 'prototype'], - '%ObjProto_toString%': ['Object', 'prototype', 'toString'], - '%ObjProto_valueOf%': ['Object', 'prototype', 'valueOf'], - '%PromisePrototype%': ['Promise', 'prototype'], - '%PromiseProto_then%': ['Promise', 'prototype', 'then'], - '%Promise_all%': ['Promise', 'all'], - '%Promise_reject%': ['Promise', 'reject'], - '%Promise_resolve%': ['Promise', 'resolve'], - '%RangeErrorPrototype%': ['RangeError', 'prototype'], - '%ReferenceErrorPrototype%': ['ReferenceError', 'prototype'], - '%RegExpPrototype%': ['RegExp', 'prototype'], - '%SetPrototype%': ['Set', 'prototype'], - '%SharedArrayBufferPrototype%': ['SharedArrayBuffer', 'prototype'], - '%StringPrototype%': ['String', 'prototype'], - '%SymbolPrototype%': ['Symbol', 'prototype'], - '%SyntaxErrorPrototype%': ['SyntaxError', 'prototype'], - '%TypedArrayPrototype%': ['TypedArray', 'prototype'], - '%TypeErrorPrototype%': ['TypeError', 'prototype'], - '%Uint8ArrayPrototype%': ['Uint8Array', 'prototype'], - '%Uint8ClampedArrayPrototype%': ['Uint8ClampedArray', 'prototype'], - '%Uint16ArrayPrototype%': ['Uint16Array', 'prototype'], - '%Uint32ArrayPrototype%': ['Uint32Array', 'prototype'], - '%URIErrorPrototype%': ['URIError', 'prototype'], - '%WeakMapPrototype%': ['WeakMap', 'prototype'], - '%WeakSetPrototype%': ['WeakSet', 'prototype'] -}; - -var bind = require('function-bind'); -var hasOwn = require('has'); -var $concat = bind.call(Function.call, Array.prototype.concat); -var $spliceApply = bind.call(Function.apply, Array.prototype.splice); -var $replace = bind.call(Function.call, String.prototype.replace); -var $strSlice = bind.call(Function.call, String.prototype.slice); - -/* adapted from https://github.com/lodash/lodash/blob/4.17.15/dist/lodash.js#L6735-L6744 */ -var rePropName = /[^%.[\]]+|\[(?:(-?\d+(?:\.\d+)?)|(["'])((?:(?!\2)[^\\]|\\.)*?)\2)\]|(?=(?:\.|\[\])(?:\.|\[\]|%$))/g; -var reEscapeChar = /\\(\\)?/g; /** Used to match backslashes in property paths. */ -var stringToPath = function stringToPath(string) { - var first = $strSlice(string, 0, 1); - var last = $strSlice(string, -1); - if (first === '%' && last !== '%') { - throw new $SyntaxError('invalid intrinsic syntax, expected closing `%`'); - } else if (last === '%' && first !== '%') { - throw new $SyntaxError('invalid intrinsic syntax, expected opening `%`'); - } - var result = []; - $replace(string, rePropName, function (match, number, quote, subString) { - result[result.length] = quote ? $replace(subString, reEscapeChar, '$1') : number || match; - }); - return result; -}; -/* end adaptation */ - -var getBaseIntrinsic = function getBaseIntrinsic(name, allowMissing) { - var intrinsicName = name; - var alias; - if (hasOwn(LEGACY_ALIASES, intrinsicName)) { - alias = LEGACY_ALIASES[intrinsicName]; - intrinsicName = '%' + alias[0] + '%'; - } - - if (hasOwn(INTRINSICS, intrinsicName)) { - var value = INTRINSICS[intrinsicName]; - if (value === needsEval) { - value = doEval(intrinsicName); - } - if (typeof value === 'undefined' && !allowMissing) { - throw new $TypeError('intrinsic ' + name + ' exists, but is not available. Please file an issue!'); - } - - return { - alias: alias, - name: intrinsicName, - value: value - }; - } - - throw new $SyntaxError('intrinsic ' + name + ' does not exist!'); -}; - -module.exports = function GetIntrinsic(name, allowMissing) { - if (typeof name !== 'string' || name.length === 0) { - throw new $TypeError('intrinsic name must be a non-empty string'); - } - if (arguments.length > 1 && typeof allowMissing !== 'boolean') { - throw new $TypeError('"allowMissing" argument must be a boolean'); - } - - var parts = stringToPath(name); - var intrinsicBaseName = parts.length > 0 ? parts[0] : ''; - - var intrinsic = getBaseIntrinsic('%' + intrinsicBaseName + '%', allowMissing); - var intrinsicRealName = intrinsic.name; - var value = intrinsic.value; - var skipFurtherCaching = false; - - var alias = intrinsic.alias; - if (alias) { - intrinsicBaseName = alias[0]; - $spliceApply(parts, $concat([0, 1], alias)); - } - - for (var i = 1, isOwn = true; i < parts.length; i += 1) { - var part = parts[i]; - var first = $strSlice(part, 0, 1); - var last = $strSlice(part, -1); - if ( - ( - (first === '"' || first === "'" || first === '`') - || (last === '"' || last === "'" || last === '`') - ) - && first !== last - ) { - throw new $SyntaxError('property names with quotes must have matching quotes'); - } - if (part === 'constructor' || !isOwn) { - skipFurtherCaching = true; - } - - intrinsicBaseName += '.' + part; - intrinsicRealName = '%' + intrinsicBaseName + '%'; - - if (hasOwn(INTRINSICS, intrinsicRealName)) { - value = INTRINSICS[intrinsicRealName]; - } else if (value != null) { - if (!(part in value)) { - if (!allowMissing) { - throw new $TypeError('base intrinsic for ' + name + ' exists, but the property is not available.'); - } - return void undefined; - } - if ($gOPD && (i + 1) >= parts.length) { - var desc = $gOPD(value, part); - isOwn = !!desc; - - // By convention, when a data property is converted to an accessor - // property to emulate a data property that does not suffer from - // the override mistake, that accessor's getter is marked with - // an `originalValue` property. Here, when we detect this, we - // uphold the illusion by pretending to see that original data - // property, i.e., returning the value rather than the getter - // itself. - if (isOwn && 'get' in desc && !('originalValue' in desc.get)) { - value = desc.get; - } else { - value = value[part]; - } - } else { - isOwn = hasOwn(value, part); - value = value[part]; - } - - if (isOwn && !skipFurtherCaching) { - INTRINSICS[intrinsicRealName] = value; - } - } - } - return value; -}; - -},{"function-bind":10,"has":14,"has-symbols":12}],12:[function(require,module,exports){ -'use strict'; - -var origSymbol = typeof Symbol !== 'undefined' && Symbol; -var hasSymbolSham = require('./shams'); - -module.exports = function hasNativeSymbols() { - if (typeof origSymbol !== 'function') { return false; } - if (typeof Symbol !== 'function') { return false; } - if (typeof origSymbol('foo') !== 'symbol') { return false; } - if (typeof Symbol('bar') !== 'symbol') { return false; } - - return hasSymbolSham(); -}; - -},{"./shams":13}],13:[function(require,module,exports){ -'use strict'; - -/* eslint complexity: [2, 18], max-statements: [2, 33] */ -module.exports = function hasSymbols() { - if (typeof Symbol !== 'function' || typeof Object.getOwnPropertySymbols !== 'function') { return false; } - if (typeof Symbol.iterator === 'symbol') { return true; } - - var obj = {}; - var sym = Symbol('test'); - var symObj = Object(sym); - if (typeof sym === 'string') { return false; } - - if (Object.prototype.toString.call(sym) !== '[object Symbol]') { return false; } - if (Object.prototype.toString.call(symObj) !== '[object Symbol]') { return false; } - - // temp disabled per https://github.com/ljharb/object.assign/issues/17 - // if (sym instanceof Symbol) { return false; } - // temp disabled per https://github.com/WebReflection/get-own-property-symbols/issues/4 - // if (!(symObj instanceof Symbol)) { return false; } - - // if (typeof Symbol.prototype.toString !== 'function') { return false; } - // if (String(sym) !== Symbol.prototype.toString.call(sym)) { return false; } - - var symVal = 42; - obj[sym] = symVal; - for (sym in obj) { return false; } // eslint-disable-line no-restricted-syntax, no-unreachable-loop - if (typeof Object.keys === 'function' && Object.keys(obj).length !== 0) { return false; } - - if (typeof Object.getOwnPropertyNames === 'function' && Object.getOwnPropertyNames(obj).length !== 0) { return false; } - - var syms = Object.getOwnPropertySymbols(obj); - if (syms.length !== 1 || syms[0] !== sym) { return false; } - - if (!Object.prototype.propertyIsEnumerable.call(obj, sym)) { return false; } - - if (typeof Object.getOwnPropertyDescriptor === 'function') { - var descriptor = Object.getOwnPropertyDescriptor(obj, sym); - if (descriptor.value !== symVal || descriptor.enumerable !== true) { return false; } - } - - return true; -}; - -},{}],14:[function(require,module,exports){ -'use strict'; - -var bind = require('function-bind'); - -module.exports = bind.call(Function.call, Object.prototype.hasOwnProperty); - -},{"function-bind":10}],15:[function(require,module,exports){ -var hasMap = typeof Map === 'function' && Map.prototype; -var mapSizeDescriptor = Object.getOwnPropertyDescriptor && hasMap ? Object.getOwnPropertyDescriptor(Map.prototype, 'size') : null; -var mapSize = hasMap && mapSizeDescriptor && typeof mapSizeDescriptor.get === 'function' ? mapSizeDescriptor.get : null; -var mapForEach = hasMap && Map.prototype.forEach; -var hasSet = typeof Set === 'function' && Set.prototype; -var setSizeDescriptor = Object.getOwnPropertyDescriptor && hasSet ? Object.getOwnPropertyDescriptor(Set.prototype, 'size') : null; -var setSize = hasSet && setSizeDescriptor && typeof setSizeDescriptor.get === 'function' ? setSizeDescriptor.get : null; -var setForEach = hasSet && Set.prototype.forEach; -var hasWeakMap = typeof WeakMap === 'function' && WeakMap.prototype; -var weakMapHas = hasWeakMap ? WeakMap.prototype.has : null; -var hasWeakSet = typeof WeakSet === 'function' && WeakSet.prototype; -var weakSetHas = hasWeakSet ? WeakSet.prototype.has : null; -var hasWeakRef = typeof WeakRef === 'function' && WeakRef.prototype; -var weakRefDeref = hasWeakRef ? WeakRef.prototype.deref : null; -var booleanValueOf = Boolean.prototype.valueOf; -var objectToString = Object.prototype.toString; -var functionToString = Function.prototype.toString; -var $match = String.prototype.match; -var $slice = String.prototype.slice; -var $replace = String.prototype.replace; -var $toUpperCase = String.prototype.toUpperCase; -var $toLowerCase = String.prototype.toLowerCase; -var $test = RegExp.prototype.test; -var $concat = Array.prototype.concat; -var $join = Array.prototype.join; -var $arrSlice = Array.prototype.slice; -var $floor = Math.floor; -var bigIntValueOf = typeof BigInt === 'function' ? BigInt.prototype.valueOf : null; -var gOPS = Object.getOwnPropertySymbols; -var symToString = typeof Symbol === 'function' && typeof Symbol.iterator === 'symbol' ? Symbol.prototype.toString : null; -var hasShammedSymbols = typeof Symbol === 'function' && typeof Symbol.iterator === 'object'; -// ie, `has-tostringtag/shams -var toStringTag = typeof Symbol === 'function' && Symbol.toStringTag && (typeof Symbol.toStringTag === hasShammedSymbols ? 'object' : 'symbol') - ? Symbol.toStringTag - : null; -var isEnumerable = Object.prototype.propertyIsEnumerable; - -var gPO = (typeof Reflect === 'function' ? Reflect.getPrototypeOf : Object.getPrototypeOf) || ( - [].__proto__ === Array.prototype // eslint-disable-line no-proto - ? function (O) { - return O.__proto__; // eslint-disable-line no-proto - } - : null -); - -function addNumericSeparator(num, str) { - if ( - num === Infinity - || num === -Infinity - || num !== num - || (num && num > -1000 && num < 1000) - || $test.call(/e/, str) - ) { - return str; - } - var sepRegex = /[0-9](?=(?:[0-9]{3})+(?![0-9]))/g; - if (typeof num === 'number') { - var int = num < 0 ? -$floor(-num) : $floor(num); // trunc(num) - if (int !== num) { - var intStr = String(int); - var dec = $slice.call(str, intStr.length + 1); - return $replace.call(intStr, sepRegex, '$&_') + '.' + $replace.call($replace.call(dec, /([0-9]{3})/g, '$&_'), /_$/, ''); - } - } - return $replace.call(str, sepRegex, '$&_'); -} - -var utilInspect = require('./util.inspect'); -var inspectCustom = utilInspect.custom; -var inspectSymbol = isSymbol(inspectCustom) ? inspectCustom : null; - -module.exports = function inspect_(obj, options, depth, seen) { - var opts = options || {}; - - if (has(opts, 'quoteStyle') && (opts.quoteStyle !== 'single' && opts.quoteStyle !== 'double')) { - throw new TypeError('option "quoteStyle" must be "single" or "double"'); - } - if ( - has(opts, 'maxStringLength') && (typeof opts.maxStringLength === 'number' - ? opts.maxStringLength < 0 && opts.maxStringLength !== Infinity - : opts.maxStringLength !== null - ) - ) { - throw new TypeError('option "maxStringLength", if provided, must be a positive integer, Infinity, or `null`'); - } - var customInspect = has(opts, 'customInspect') ? opts.customInspect : true; - if (typeof customInspect !== 'boolean' && customInspect !== 'symbol') { - throw new TypeError('option "customInspect", if provided, must be `true`, `false`, or `\'symbol\'`'); - } - - if ( - has(opts, 'indent') - && opts.indent !== null - && opts.indent !== '\t' - && !(parseInt(opts.indent, 10) === opts.indent && opts.indent > 0) - ) { - throw new TypeError('option "indent" must be "\\t", an integer > 0, or `null`'); - } - if (has(opts, 'numericSeparator') && typeof opts.numericSeparator !== 'boolean') { - throw new TypeError('option "numericSeparator", if provided, must be `true` or `false`'); - } - var numericSeparator = opts.numericSeparator; - - if (typeof obj === 'undefined') { - return 'undefined'; - } - if (obj === null) { - return 'null'; - } - if (typeof obj === 'boolean') { - return obj ? 'true' : 'false'; - } - - if (typeof obj === 'string') { - return inspectString(obj, opts); - } - if (typeof obj === 'number') { - if (obj === 0) { - return Infinity / obj > 0 ? '0' : '-0'; - } - var str = String(obj); - return numericSeparator ? addNumericSeparator(obj, str) : str; - } - if (typeof obj === 'bigint') { - var bigIntStr = String(obj) + 'n'; - return numericSeparator ? addNumericSeparator(obj, bigIntStr) : bigIntStr; - } - - var maxDepth = typeof opts.depth === 'undefined' ? 5 : opts.depth; - if (typeof depth === 'undefined') { depth = 0; } - if (depth >= maxDepth && maxDepth > 0 && typeof obj === 'object') { - return isArray(obj) ? '[Array]' : '[Object]'; - } - - var indent = getIndent(opts, depth); - - if (typeof seen === 'undefined') { - seen = []; - } else if (indexOf(seen, obj) >= 0) { - return '[Circular]'; - } - - function inspect(value, from, noIndent) { - if (from) { - seen = $arrSlice.call(seen); - seen.push(from); - } - if (noIndent) { - var newOpts = { - depth: opts.depth - }; - if (has(opts, 'quoteStyle')) { - newOpts.quoteStyle = opts.quoteStyle; - } - return inspect_(value, newOpts, depth + 1, seen); - } - return inspect_(value, opts, depth + 1, seen); - } - - if (typeof obj === 'function' && !isRegExp(obj)) { // in older engines, regexes are callable - var name = nameOf(obj); - var keys = arrObjKeys(obj, inspect); - return '[Function' + (name ? ': ' + name : ' (anonymous)') + ']' + (keys.length > 0 ? ' { ' + $join.call(keys, ', ') + ' }' : ''); - } - if (isSymbol(obj)) { - var symString = hasShammedSymbols ? $replace.call(String(obj), /^(Symbol\(.*\))_[^)]*$/, '$1') : symToString.call(obj); - return typeof obj === 'object' && !hasShammedSymbols ? markBoxed(symString) : symString; - } - if (isElement(obj)) { - var s = '<' + $toLowerCase.call(String(obj.nodeName)); - var attrs = obj.attributes || []; - for (var i = 0; i < attrs.length; i++) { - s += ' ' + attrs[i].name + '=' + wrapQuotes(quote(attrs[i].value), 'double', opts); - } - s += '>'; - if (obj.childNodes && obj.childNodes.length) { s += '...'; } - s += ''; - return s; - } - if (isArray(obj)) { - if (obj.length === 0) { return '[]'; } - var xs = arrObjKeys(obj, inspect); - if (indent && !singleLineValues(xs)) { - return '[' + indentedJoin(xs, indent) + ']'; - } - return '[ ' + $join.call(xs, ', ') + ' ]'; - } - if (isError(obj)) { - var parts = arrObjKeys(obj, inspect); - if (!('cause' in Error.prototype) && 'cause' in obj && !isEnumerable.call(obj, 'cause')) { - return '{ [' + String(obj) + '] ' + $join.call($concat.call('[cause]: ' + inspect(obj.cause), parts), ', ') + ' }'; - } - if (parts.length === 0) { return '[' + String(obj) + ']'; } - return '{ [' + String(obj) + '] ' + $join.call(parts, ', ') + ' }'; - } - if (typeof obj === 'object' && customInspect) { - if (inspectSymbol && typeof obj[inspectSymbol] === 'function' && utilInspect) { - return utilInspect(obj, { depth: maxDepth - depth }); - } else if (customInspect !== 'symbol' && typeof obj.inspect === 'function') { - return obj.inspect(); - } - } - if (isMap(obj)) { - var mapParts = []; - mapForEach.call(obj, function (value, key) { - mapParts.push(inspect(key, obj, true) + ' => ' + inspect(value, obj)); - }); - return collectionOf('Map', mapSize.call(obj), mapParts, indent); - } - if (isSet(obj)) { - var setParts = []; - setForEach.call(obj, function (value) { - setParts.push(inspect(value, obj)); - }); - return collectionOf('Set', setSize.call(obj), setParts, indent); - } - if (isWeakMap(obj)) { - return weakCollectionOf('WeakMap'); - } - if (isWeakSet(obj)) { - return weakCollectionOf('WeakSet'); - } - if (isWeakRef(obj)) { - return weakCollectionOf('WeakRef'); - } - if (isNumber(obj)) { - return markBoxed(inspect(Number(obj))); - } - if (isBigInt(obj)) { - return markBoxed(inspect(bigIntValueOf.call(obj))); - } - if (isBoolean(obj)) { - return markBoxed(booleanValueOf.call(obj)); - } - if (isString(obj)) { - return markBoxed(inspect(String(obj))); - } - if (!isDate(obj) && !isRegExp(obj)) { - var ys = arrObjKeys(obj, inspect); - var isPlainObject = gPO ? gPO(obj) === Object.prototype : obj instanceof Object || obj.constructor === Object; - var protoTag = obj instanceof Object ? '' : 'null prototype'; - var stringTag = !isPlainObject && toStringTag && Object(obj) === obj && toStringTag in obj ? $slice.call(toStr(obj), 8, -1) : protoTag ? 'Object' : ''; - var constructorTag = isPlainObject || typeof obj.constructor !== 'function' ? '' : obj.constructor.name ? obj.constructor.name + ' ' : ''; - var tag = constructorTag + (stringTag || protoTag ? '[' + $join.call($concat.call([], stringTag || [], protoTag || []), ': ') + '] ' : ''); - if (ys.length === 0) { return tag + '{}'; } - if (indent) { - return tag + '{' + indentedJoin(ys, indent) + '}'; - } - return tag + '{ ' + $join.call(ys, ', ') + ' }'; - } - return String(obj); -}; - -function wrapQuotes(s, defaultStyle, opts) { - var quoteChar = (opts.quoteStyle || defaultStyle) === 'double' ? '"' : "'"; - return quoteChar + s + quoteChar; -} - -function quote(s) { - return $replace.call(String(s), /"/g, '"'); -} - -function isArray(obj) { return toStr(obj) === '[object Array]' && (!toStringTag || !(typeof obj === 'object' && toStringTag in obj)); } -function isDate(obj) { return toStr(obj) === '[object Date]' && (!toStringTag || !(typeof obj === 'object' && toStringTag in obj)); } -function isRegExp(obj) { return toStr(obj) === '[object RegExp]' && (!toStringTag || !(typeof obj === 'object' && toStringTag in obj)); } -function isError(obj) { return toStr(obj) === '[object Error]' && (!toStringTag || !(typeof obj === 'object' && toStringTag in obj)); } -function isString(obj) { return toStr(obj) === '[object String]' && (!toStringTag || !(typeof obj === 'object' && toStringTag in obj)); } -function isNumber(obj) { return toStr(obj) === '[object Number]' && (!toStringTag || !(typeof obj === 'object' && toStringTag in obj)); } -function isBoolean(obj) { return toStr(obj) === '[object Boolean]' && (!toStringTag || !(typeof obj === 'object' && toStringTag in obj)); } - -// Symbol and BigInt do have Symbol.toStringTag by spec, so that can't be used to eliminate false positives -function isSymbol(obj) { - if (hasShammedSymbols) { - return obj && typeof obj === 'object' && obj instanceof Symbol; - } - if (typeof obj === 'symbol') { - return true; - } - if (!obj || typeof obj !== 'object' || !symToString) { - return false; - } - try { - symToString.call(obj); - return true; - } catch (e) {} - return false; -} - -function isBigInt(obj) { - if (!obj || typeof obj !== 'object' || !bigIntValueOf) { - return false; - } - try { - bigIntValueOf.call(obj); - return true; - } catch (e) {} - return false; -} - -var hasOwn = Object.prototype.hasOwnProperty || function (key) { return key in this; }; -function has(obj, key) { - return hasOwn.call(obj, key); -} - -function toStr(obj) { - return objectToString.call(obj); -} - -function nameOf(f) { - if (f.name) { return f.name; } - var m = $match.call(functionToString.call(f), /^function\s*([\w$]+)/); - if (m) { return m[1]; } - return null; -} - -function indexOf(xs, x) { - if (xs.indexOf) { return xs.indexOf(x); } - for (var i = 0, l = xs.length; i < l; i++) { - if (xs[i] === x) { return i; } - } - return -1; -} - -function isMap(x) { - if (!mapSize || !x || typeof x !== 'object') { - return false; - } - try { - mapSize.call(x); - try { - setSize.call(x); - } catch (s) { - return true; - } - return x instanceof Map; // core-js workaround, pre-v2.5.0 - } catch (e) {} - return false; -} - -function isWeakMap(x) { - if (!weakMapHas || !x || typeof x !== 'object') { - return false; - } - try { - weakMapHas.call(x, weakMapHas); - try { - weakSetHas.call(x, weakSetHas); - } catch (s) { - return true; - } - return x instanceof WeakMap; // core-js workaround, pre-v2.5.0 - } catch (e) {} - return false; -} - -function isWeakRef(x) { - if (!weakRefDeref || !x || typeof x !== 'object') { - return false; - } - try { - weakRefDeref.call(x); - return true; - } catch (e) {} - return false; -} - -function isSet(x) { - if (!setSize || !x || typeof x !== 'object') { - return false; - } - try { - setSize.call(x); - try { - mapSize.call(x); - } catch (m) { - return true; - } - return x instanceof Set; // core-js workaround, pre-v2.5.0 - } catch (e) {} - return false; -} - -function isWeakSet(x) { - if (!weakSetHas || !x || typeof x !== 'object') { - return false; - } - try { - weakSetHas.call(x, weakSetHas); - try { - weakMapHas.call(x, weakMapHas); - } catch (s) { - return true; - } - return x instanceof WeakSet; // core-js workaround, pre-v2.5.0 - } catch (e) {} - return false; -} - -function isElement(x) { - if (!x || typeof x !== 'object') { return false; } - if (typeof HTMLElement !== 'undefined' && x instanceof HTMLElement) { - return true; - } - return typeof x.nodeName === 'string' && typeof x.getAttribute === 'function'; -} - -function inspectString(str, opts) { - if (str.length > opts.maxStringLength) { - var remaining = str.length - opts.maxStringLength; - var trailer = '... ' + remaining + ' more character' + (remaining > 1 ? 's' : ''); - return inspectString($slice.call(str, 0, opts.maxStringLength), opts) + trailer; - } - // eslint-disable-next-line no-control-regex - var s = $replace.call($replace.call(str, /(['\\])/g, '\\$1'), /[\x00-\x1f]/g, lowbyte); - return wrapQuotes(s, 'single', opts); -} - -function lowbyte(c) { - var n = c.charCodeAt(0); - var x = { - 8: 'b', - 9: 't', - 10: 'n', - 12: 'f', - 13: 'r' - }[n]; - if (x) { return '\\' + x; } - return '\\x' + (n < 0x10 ? '0' : '') + $toUpperCase.call(n.toString(16)); -} - -function markBoxed(str) { - return 'Object(' + str + ')'; -} - -function weakCollectionOf(type) { - return type + ' { ? }'; -} - -function collectionOf(type, size, entries, indent) { - var joinedEntries = indent ? indentedJoin(entries, indent) : $join.call(entries, ', '); - return type + ' (' + size + ') {' + joinedEntries + '}'; -} - -function singleLineValues(xs) { - for (var i = 0; i < xs.length; i++) { - if (indexOf(xs[i], '\n') >= 0) { - return false; - } - } - return true; -} - -function getIndent(opts, depth) { - var baseIndent; - if (opts.indent === '\t') { - baseIndent = '\t'; - } else if (typeof opts.indent === 'number' && opts.indent > 0) { - baseIndent = $join.call(Array(opts.indent + 1), ' '); - } else { - return null; - } - return { - base: baseIndent, - prev: $join.call(Array(depth + 1), baseIndent) - }; -} - -function indentedJoin(xs, indent) { - if (xs.length === 0) { return ''; } - var lineJoiner = '\n' + indent.prev + indent.base; - return lineJoiner + $join.call(xs, ',' + lineJoiner) + '\n' + indent.prev; -} - -function arrObjKeys(obj, inspect) { - var isArr = isArray(obj); - var xs = []; - if (isArr) { - xs.length = obj.length; - for (var i = 0; i < obj.length; i++) { - xs[i] = has(obj, i) ? inspect(obj[i], obj) : ''; - } - } - var syms = typeof gOPS === 'function' ? gOPS(obj) : []; - var symMap; - if (hasShammedSymbols) { - symMap = {}; - for (var k = 0; k < syms.length; k++) { - symMap['$' + syms[k]] = syms[k]; - } - } - - for (var key in obj) { // eslint-disable-line no-restricted-syntax - if (!has(obj, key)) { continue; } // eslint-disable-line no-restricted-syntax, no-continue - if (isArr && String(Number(key)) === key && key < obj.length) { continue; } // eslint-disable-line no-restricted-syntax, no-continue - if (hasShammedSymbols && symMap['$' + key] instanceof Symbol) { - // this is to prevent shammed Symbols, which are stored as strings, from being included in the string key section - continue; // eslint-disable-line no-restricted-syntax, no-continue - } else if ($test.call(/[^\w$]/, key)) { - xs.push(inspect(key, obj) + ': ' + inspect(obj[key], obj)); - } else { - xs.push(key + ': ' + inspect(obj[key], obj)); - } - } - if (typeof gOPS === 'function') { - for (var j = 0; j < syms.length; j++) { - if (isEnumerable.call(obj, syms[j])) { - xs.push('[' + inspect(syms[j]) + ']: ' + inspect(obj[syms[j]], obj)); - } - } - } - return xs; -} - -},{"./util.inspect":6}],16:[function(require,module,exports){ -'use strict'; - -var GetIntrinsic = require('get-intrinsic'); -var callBound = require('call-bind/callBound'); -var inspect = require('object-inspect'); - -var $TypeError = GetIntrinsic('%TypeError%'); -var $WeakMap = GetIntrinsic('%WeakMap%', true); -var $Map = GetIntrinsic('%Map%', true); - -var $weakMapGet = callBound('WeakMap.prototype.get', true); -var $weakMapSet = callBound('WeakMap.prototype.set', true); -var $weakMapHas = callBound('WeakMap.prototype.has', true); -var $mapGet = callBound('Map.prototype.get', true); -var $mapSet = callBound('Map.prototype.set', true); -var $mapHas = callBound('Map.prototype.has', true); - -/* - * This function traverses the list returning the node corresponding to the - * given key. - * - * That node is also moved to the head of the list, so that if it's accessed - * again we don't need to traverse the whole list. By doing so, all the recently - * used nodes can be accessed relatively quickly. - */ -var listGetNode = function (list, key) { // eslint-disable-line consistent-return - for (var prev = list, curr; (curr = prev.next) !== null; prev = curr) { - if (curr.key === key) { - prev.next = curr.next; - curr.next = list.next; - list.next = curr; // eslint-disable-line no-param-reassign - return curr; - } - } -}; - -var listGet = function (objects, key) { - var node = listGetNode(objects, key); - return node && node.value; -}; -var listSet = function (objects, key, value) { - var node = listGetNode(objects, key); - if (node) { - node.value = value; - } else { - // Prepend the new node to the beginning of the list - objects.next = { // eslint-disable-line no-param-reassign - key: key, - next: objects.next, - value: value - }; - } -}; -var listHas = function (objects, key) { - return !!listGetNode(objects, key); -}; - -module.exports = function getSideChannel() { - var $wm; - var $m; - var $o; - var channel = { - assert: function (key) { - if (!channel.has(key)) { - throw new $TypeError('Side channel does not contain ' + inspect(key)); - } - }, - get: function (key) { // eslint-disable-line consistent-return - if ($WeakMap && key && (typeof key === 'object' || typeof key === 'function')) { - if ($wm) { - return $weakMapGet($wm, key); - } - } else if ($Map) { - if ($m) { - return $mapGet($m, key); - } - } else { - if ($o) { // eslint-disable-line no-lonely-if - return listGet($o, key); - } - } - }, - has: function (key) { - if ($WeakMap && key && (typeof key === 'object' || typeof key === 'function')) { - if ($wm) { - return $weakMapHas($wm, key); - } - } else if ($Map) { - if ($m) { - return $mapHas($m, key); - } - } else { - if ($o) { // eslint-disable-line no-lonely-if - return listHas($o, key); - } - } - return false; - }, - set: function (key, value) { - if ($WeakMap && key && (typeof key === 'object' || typeof key === 'function')) { - if (!$wm) { - $wm = new $WeakMap(); - } - $weakMapSet($wm, key, value); - } else if ($Map) { - if (!$m) { - $m = new $Map(); - } - $mapSet($m, key, value); - } else { - if (!$o) { - /* - * Initialize the linked list as an empty node, so that we don't have - * to special-case handling of the first node: we can always refer to - * it as (previous node).next, instead of something like (list).head - */ - $o = { key: {}, next: null }; - } - listSet($o, key, value); - } - } - }; - return channel; -}; - -},{"call-bind/callBound":7,"get-intrinsic":11,"object-inspect":15}]},{},[2])(2) +},{}]},{},[2])(2) }); diff --git a/node_modules/qs/lib/formats.js b/node_modules/qs/lib/formats.js index f36cf20..df45997 100644 --- a/node_modules/qs/lib/formats.js +++ b/node_modules/qs/lib/formats.js @@ -3,21 +3,16 @@ var replace = String.prototype.replace; var percentTwenties = /%20/g; -var Format = { - RFC1738: 'RFC1738', - RFC3986: 'RFC3986' -}; - module.exports = { - 'default': Format.RFC3986, + 'default': 'RFC3986', formatters: { RFC1738: function (value) { return replace.call(value, percentTwenties, '+'); }, RFC3986: function (value) { - return String(value); + return value; } }, - RFC1738: Format.RFC1738, - RFC3986: Format.RFC3986 + RFC1738: 'RFC1738', + RFC3986: 'RFC3986' }; diff --git a/node_modules/qs/lib/parse.js b/node_modules/qs/lib/parse.js index a4ac4fa..8c9872e 100644 --- a/node_modules/qs/lib/parse.js +++ b/node_modules/qs/lib/parse.js @@ -3,78 +3,26 @@ var utils = require('./utils'); var has = Object.prototype.hasOwnProperty; -var isArray = Array.isArray; var defaults = { allowDots: false, allowPrototypes: false, - allowSparse: false, arrayLimit: 20, - charset: 'utf-8', - charsetSentinel: false, - comma: false, decoder: utils.decode, delimiter: '&', depth: 5, - ignoreQueryPrefix: false, - interpretNumericEntities: false, parameterLimit: 1000, - parseArrays: true, plainObjects: false, strictNullHandling: false }; -var interpretNumericEntities = function (str) { - return str.replace(/&#(\d+);/g, function ($0, numberStr) { - return String.fromCharCode(parseInt(numberStr, 10)); - }); -}; - -var parseArrayValue = function (val, options) { - if (val && typeof val === 'string' && options.comma && val.indexOf(',') > -1) { - return val.split(','); - } - - return val; -}; - -// This is what browsers will submit when the ✓ character occurs in an -// application/x-www-form-urlencoded body and the encoding of the page containing -// the form is iso-8859-1, or when the submitted form has an accept-charset -// attribute of iso-8859-1. Presumably also with other charsets that do not contain -// the ✓ character, such as us-ascii. -var isoSentinel = 'utf8=%26%2310003%3B'; // encodeURIComponent('✓') - -// These are the percent-encoded utf-8 octets representing a checkmark, indicating that the request actually is utf-8 encoded. -var charsetSentinel = 'utf8=%E2%9C%93'; // encodeURIComponent('✓') - var parseValues = function parseQueryStringValues(str, options) { var obj = {}; var cleanStr = options.ignoreQueryPrefix ? str.replace(/^\?/, '') : str; var limit = options.parameterLimit === Infinity ? undefined : options.parameterLimit; var parts = cleanStr.split(options.delimiter, limit); - var skipIndex = -1; // Keep track of where the utf8 sentinel was found - var i; - - var charset = options.charset; - if (options.charsetSentinel) { - for (i = 0; i < parts.length; ++i) { - if (parts[i].indexOf('utf8=') === 0) { - if (parts[i] === charsetSentinel) { - charset = 'utf-8'; - } else if (parts[i] === isoSentinel) { - charset = 'iso-8859-1'; - } - skipIndex = i; - i = parts.length; // The eslint settings do not allow break; - } - } - } - for (i = 0; i < parts.length; ++i) { - if (i === skipIndex) { - continue; - } + for (var i = 0; i < parts.length; ++i) { var part = parts[i]; var bracketEqualsPos = part.indexOf(']='); @@ -82,28 +30,14 @@ var parseValues = function parseQueryStringValues(str, options) { var key, val; if (pos === -1) { - key = options.decoder(part, defaults.decoder, charset, 'key'); + key = options.decoder(part, defaults.decoder); val = options.strictNullHandling ? null : ''; } else { - key = options.decoder(part.slice(0, pos), defaults.decoder, charset, 'key'); - val = utils.maybeMap( - parseArrayValue(part.slice(pos + 1), options), - function (encodedVal) { - return options.decoder(encodedVal, defaults.decoder, charset, 'value'); - } - ); + key = options.decoder(part.slice(0, pos), defaults.decoder); + val = options.decoder(part.slice(pos + 1), defaults.decoder); } - - if (val && options.interpretNumericEntities && charset === 'iso-8859-1') { - val = interpretNumericEntities(val); - } - - if (part.indexOf('[]=') > -1) { - val = isArray(val) ? [val] : val; - } - if (has.call(obj, key)) { - obj[key] = utils.combine(obj[key], val); + obj[key] = [].concat(obj[key]).concat(val); } else { obj[key] = val; } @@ -112,22 +46,21 @@ var parseValues = function parseQueryStringValues(str, options) { return obj; }; -var parseObject = function (chain, val, options, valuesParsed) { - var leaf = valuesParsed ? val : parseArrayValue(val, options); +var parseObject = function (chain, val, options) { + var leaf = val; for (var i = chain.length - 1; i >= 0; --i) { var obj; var root = chain[i]; - if (root === '[]' && options.parseArrays) { - obj = [].concat(leaf); + if (root === '[]') { + obj = []; + obj = obj.concat(leaf); } else { obj = options.plainObjects ? Object.create(null) : {}; var cleanRoot = root.charAt(0) === '[' && root.charAt(root.length - 1) === ']' ? root.slice(1, -1) : root; var index = parseInt(cleanRoot, 10); - if (!options.parseArrays && cleanRoot === '') { - obj = { 0: leaf }; - } else if ( + if ( !isNaN(index) && root !== cleanRoot && String(index) === cleanRoot @@ -136,7 +69,7 @@ var parseObject = function (chain, val, options, valuesParsed) { ) { obj = []; obj[index] = leaf; - } else if (cleanRoot !== '__proto__') { + } else { obj[cleanRoot] = leaf; } } @@ -147,7 +80,7 @@ var parseObject = function (chain, val, options, valuesParsed) { return leaf; }; -var parseKeys = function parseQueryStringKeys(givenKey, val, options, valuesParsed) { +var parseKeys = function parseQueryStringKeys(givenKey, val, options) { if (!givenKey) { return; } @@ -162,14 +95,15 @@ var parseKeys = function parseQueryStringKeys(givenKey, val, options, valuesPars // Get the parent - var segment = options.depth > 0 && brackets.exec(key); + var segment = brackets.exec(key); var parent = segment ? key.slice(0, segment.index) : key; // Stash the parent if it exists var keys = []; if (parent) { - // If we aren't using plain objects, optionally prefix keys that would overwrite object prototype properties + // If we aren't using plain objects, optionally prefix keys + // that would overwrite object prototype properties if (!options.plainObjects && has.call(Object.prototype, parent)) { if (!options.allowPrototypes) { return; @@ -182,7 +116,7 @@ var parseKeys = function parseQueryStringKeys(givenKey, val, options, valuesPars // Loop through children appending to the array until we hit depth var i = 0; - while (options.depth > 0 && (segment = child.exec(key)) !== null && i < options.depth) { + while ((segment = child.exec(key)) !== null && i < options.depth) { i += 1; if (!options.plainObjects && has.call(Object.prototype, segment[1].slice(1, -1))) { if (!options.allowPrototypes) { @@ -198,46 +132,27 @@ var parseKeys = function parseQueryStringKeys(givenKey, val, options, valuesPars keys.push('[' + key.slice(segment.index) + ']'); } - return parseObject(keys, val, options, valuesParsed); + return parseObject(keys, val, options); }; -var normalizeParseOptions = function normalizeParseOptions(opts) { - if (!opts) { - return defaults; - } +module.exports = function (str, opts) { + var options = opts ? utils.assign({}, opts) : {}; - if (opts.decoder !== null && opts.decoder !== undefined && typeof opts.decoder !== 'function') { + if (options.decoder !== null && options.decoder !== undefined && typeof options.decoder !== 'function') { throw new TypeError('Decoder has to be a function.'); } - if (typeof opts.charset !== 'undefined' && opts.charset !== 'utf-8' && opts.charset !== 'iso-8859-1') { - throw new TypeError('The charset option must be either utf-8, iso-8859-1, or undefined'); - } - var charset = typeof opts.charset === 'undefined' ? defaults.charset : opts.charset; - - return { - allowDots: typeof opts.allowDots === 'undefined' ? defaults.allowDots : !!opts.allowDots, - allowPrototypes: typeof opts.allowPrototypes === 'boolean' ? opts.allowPrototypes : defaults.allowPrototypes, - allowSparse: typeof opts.allowSparse === 'boolean' ? opts.allowSparse : defaults.allowSparse, - arrayLimit: typeof opts.arrayLimit === 'number' ? opts.arrayLimit : defaults.arrayLimit, - charset: charset, - charsetSentinel: typeof opts.charsetSentinel === 'boolean' ? opts.charsetSentinel : defaults.charsetSentinel, - comma: typeof opts.comma === 'boolean' ? opts.comma : defaults.comma, - decoder: typeof opts.decoder === 'function' ? opts.decoder : defaults.decoder, - delimiter: typeof opts.delimiter === 'string' || utils.isRegExp(opts.delimiter) ? opts.delimiter : defaults.delimiter, - // eslint-disable-next-line no-implicit-coercion, no-extra-parens - depth: (typeof opts.depth === 'number' || opts.depth === false) ? +opts.depth : defaults.depth, - ignoreQueryPrefix: opts.ignoreQueryPrefix === true, - interpretNumericEntities: typeof opts.interpretNumericEntities === 'boolean' ? opts.interpretNumericEntities : defaults.interpretNumericEntities, - parameterLimit: typeof opts.parameterLimit === 'number' ? opts.parameterLimit : defaults.parameterLimit, - parseArrays: opts.parseArrays !== false, - plainObjects: typeof opts.plainObjects === 'boolean' ? opts.plainObjects : defaults.plainObjects, - strictNullHandling: typeof opts.strictNullHandling === 'boolean' ? opts.strictNullHandling : defaults.strictNullHandling - }; -}; - -module.exports = function (str, opts) { - var options = normalizeParseOptions(opts); + options.ignoreQueryPrefix = options.ignoreQueryPrefix === true; + options.delimiter = typeof options.delimiter === 'string' || utils.isRegExp(options.delimiter) ? options.delimiter : defaults.delimiter; + options.depth = typeof options.depth === 'number' ? options.depth : defaults.depth; + options.arrayLimit = typeof options.arrayLimit === 'number' ? options.arrayLimit : defaults.arrayLimit; + options.parseArrays = options.parseArrays !== false; + options.decoder = typeof options.decoder === 'function' ? options.decoder : defaults.decoder; + options.allowDots = typeof options.allowDots === 'boolean' ? options.allowDots : defaults.allowDots; + options.plainObjects = typeof options.plainObjects === 'boolean' ? options.plainObjects : defaults.plainObjects; + options.allowPrototypes = typeof options.allowPrototypes === 'boolean' ? options.allowPrototypes : defaults.allowPrototypes; + options.parameterLimit = typeof options.parameterLimit === 'number' ? options.parameterLimit : defaults.parameterLimit; + options.strictNullHandling = typeof options.strictNullHandling === 'boolean' ? options.strictNullHandling : defaults.strictNullHandling; if (str === '' || str === null || typeof str === 'undefined') { return options.plainObjects ? Object.create(null) : {}; @@ -251,13 +166,9 @@ module.exports = function (str, opts) { var keys = Object.keys(tempObj); for (var i = 0; i < keys.length; ++i) { var key = keys[i]; - var newObj = parseKeys(key, tempObj[key], options, typeof str === 'string'); + var newObj = parseKeys(key, tempObj[key], options); obj = utils.merge(obj, newObj, options); } - if (options.allowSparse === true) { - return obj; - } - return utils.compact(obj); }; diff --git a/node_modules/qs/lib/stringify.js b/node_modules/qs/lib/stringify.js index 48ec030..ab915ac 100644 --- a/node_modules/qs/lib/stringify.js +++ b/node_modules/qs/lib/stringify.js @@ -1,68 +1,38 @@ 'use strict'; -var getSideChannel = require('side-channel'); var utils = require('./utils'); var formats = require('./formats'); -var has = Object.prototype.hasOwnProperty; var arrayPrefixGenerators = { - brackets: function brackets(prefix) { + brackets: function brackets(prefix) { // eslint-disable-line func-name-matching return prefix + '[]'; }, - comma: 'comma', - indices: function indices(prefix, key) { + indices: function indices(prefix, key) { // eslint-disable-line func-name-matching return prefix + '[' + key + ']'; }, - repeat: function repeat(prefix) { + repeat: function repeat(prefix) { // eslint-disable-line func-name-matching return prefix; } }; -var isArray = Array.isArray; -var split = String.prototype.split; -var push = Array.prototype.push; -var pushToArray = function (arr, valueOrArray) { - push.apply(arr, isArray(valueOrArray) ? valueOrArray : [valueOrArray]); -}; - var toISO = Date.prototype.toISOString; -var defaultFormat = formats['default']; var defaults = { - addQueryPrefix: false, - allowDots: false, - charset: 'utf-8', - charsetSentinel: false, delimiter: '&', encode: true, encoder: utils.encode, encodeValuesOnly: false, - format: defaultFormat, - formatter: formats.formatters[defaultFormat], - // deprecated - indices: false, - serializeDate: function serializeDate(date) { + serializeDate: function serializeDate(date) { // eslint-disable-line func-name-matching return toISO.call(date); }, skipNulls: false, strictNullHandling: false }; -var isNonNullishPrimitive = function isNonNullishPrimitive(v) { - return typeof v === 'string' - || typeof v === 'number' - || typeof v === 'boolean' - || typeof v === 'symbol' - || typeof v === 'bigint'; -}; - -var sentinel = {}; - -var stringify = function stringify( +var stringify = function stringify( // eslint-disable-line func-name-matching object, prefix, generateArrayPrefix, - commaRoundTrip, strictNullHandling, skipNulls, encoder, @@ -70,66 +40,26 @@ var stringify = function stringify( sort, allowDots, serializeDate, - format, formatter, - encodeValuesOnly, - charset, - sideChannel + encodeValuesOnly ) { var obj = object; - - var tmpSc = sideChannel; - var step = 0; - var findFlag = false; - while ((tmpSc = tmpSc.get(sentinel)) !== void undefined && !findFlag) { - // Where object last appeared in the ref tree - var pos = tmpSc.get(object); - step += 1; - if (typeof pos !== 'undefined') { - if (pos === step) { - throw new RangeError('Cyclic object value'); - } else { - findFlag = true; // Break while - } - } - if (typeof tmpSc.get(sentinel) === 'undefined') { - step = 0; - } - } - if (typeof filter === 'function') { obj = filter(prefix, obj); } else if (obj instanceof Date) { obj = serializeDate(obj); - } else if (generateArrayPrefix === 'comma' && isArray(obj)) { - obj = utils.maybeMap(obj, function (value) { - if (value instanceof Date) { - return serializeDate(value); - } - return value; - }); - } - - if (obj === null) { + } else if (obj === null) { if (strictNullHandling) { - return encoder && !encodeValuesOnly ? encoder(prefix, defaults.encoder, charset, 'key', format) : prefix; + return encoder && !encodeValuesOnly ? encoder(prefix, defaults.encoder) : prefix; } obj = ''; } - if (isNonNullishPrimitive(obj) || utils.isBuffer(obj)) { + if (typeof obj === 'string' || typeof obj === 'number' || typeof obj === 'boolean' || utils.isBuffer(obj)) { if (encoder) { - var keyValue = encodeValuesOnly ? prefix : encoder(prefix, defaults.encoder, charset, 'key', format); - if (generateArrayPrefix === 'comma' && encodeValuesOnly) { - var valuesArray = split.call(String(obj), ','); - var valuesJoined = ''; - for (var i = 0; i < valuesArray.length; ++i) { - valuesJoined += (i === 0 ? '' : ',') + formatter(encoder(valuesArray[i], defaults.encoder, charset, 'value', format)); - } - return [formatter(keyValue) + (commaRoundTrip && isArray(obj) && valuesArray.length === 1 ? '[]' : '') + '=' + valuesJoined]; - } - return [formatter(keyValue) + '=' + formatter(encoder(obj, defaults.encoder, charset, 'value', format))]; + var keyValue = encodeValuesOnly ? prefix : encoder(prefix, defaults.encoder); + return [formatter(keyValue) + '=' + formatter(encoder(obj, defaults.encoder))]; } return [formatter(prefix) + '=' + formatter(String(obj))]; } @@ -141,114 +71,86 @@ var stringify = function stringify( } var objKeys; - if (generateArrayPrefix === 'comma' && isArray(obj)) { - // we need to join elements in - objKeys = [{ value: obj.length > 0 ? obj.join(',') || null : void undefined }]; - } else if (isArray(filter)) { + if (Array.isArray(filter)) { objKeys = filter; } else { var keys = Object.keys(obj); objKeys = sort ? keys.sort(sort) : keys; } - var adjustedPrefix = commaRoundTrip && isArray(obj) && obj.length === 1 ? prefix + '[]' : prefix; - - for (var j = 0; j < objKeys.length; ++j) { - var key = objKeys[j]; - var value = typeof key === 'object' && typeof key.value !== 'undefined' ? key.value : obj[key]; + for (var i = 0; i < objKeys.length; ++i) { + var key = objKeys[i]; - if (skipNulls && value === null) { + if (skipNulls && obj[key] === null) { continue; } - var keyPrefix = isArray(obj) - ? typeof generateArrayPrefix === 'function' ? generateArrayPrefix(adjustedPrefix, key) : adjustedPrefix - : adjustedPrefix + (allowDots ? '.' + key : '[' + key + ']'); - - sideChannel.set(object, step); - var valueSideChannel = getSideChannel(); - valueSideChannel.set(sentinel, sideChannel); - pushToArray(values, stringify( - value, - keyPrefix, - generateArrayPrefix, - commaRoundTrip, - strictNullHandling, - skipNulls, - encoder, - filter, - sort, - allowDots, - serializeDate, - format, - formatter, - encodeValuesOnly, - charset, - valueSideChannel - )); + if (Array.isArray(obj)) { + values = values.concat(stringify( + obj[key], + generateArrayPrefix(prefix, key), + generateArrayPrefix, + strictNullHandling, + skipNulls, + encoder, + filter, + sort, + allowDots, + serializeDate, + formatter, + encodeValuesOnly + )); + } else { + values = values.concat(stringify( + obj[key], + prefix + (allowDots ? '.' + key : '[' + key + ']'), + generateArrayPrefix, + strictNullHandling, + skipNulls, + encoder, + filter, + sort, + allowDots, + serializeDate, + formatter, + encodeValuesOnly + )); + } } return values; }; -var normalizeStringifyOptions = function normalizeStringifyOptions(opts) { - if (!opts) { - return defaults; - } +module.exports = function (object, opts) { + var obj = object; + var options = opts ? utils.assign({}, opts) : {}; - if (opts.encoder !== null && typeof opts.encoder !== 'undefined' && typeof opts.encoder !== 'function') { + if (options.encoder !== null && options.encoder !== undefined && typeof options.encoder !== 'function') { throw new TypeError('Encoder has to be a function.'); } - var charset = opts.charset || defaults.charset; - if (typeof opts.charset !== 'undefined' && opts.charset !== 'utf-8' && opts.charset !== 'iso-8859-1') { - throw new TypeError('The charset option must be either utf-8, iso-8859-1, or undefined'); - } - - var format = formats['default']; - if (typeof opts.format !== 'undefined') { - if (!has.call(formats.formatters, opts.format)) { - throw new TypeError('Unknown format option provided.'); - } - format = opts.format; - } - var formatter = formats.formatters[format]; - - var filter = defaults.filter; - if (typeof opts.filter === 'function' || isArray(opts.filter)) { - filter = opts.filter; - } - - return { - addQueryPrefix: typeof opts.addQueryPrefix === 'boolean' ? opts.addQueryPrefix : defaults.addQueryPrefix, - allowDots: typeof opts.allowDots === 'undefined' ? defaults.allowDots : !!opts.allowDots, - charset: charset, - charsetSentinel: typeof opts.charsetSentinel === 'boolean' ? opts.charsetSentinel : defaults.charsetSentinel, - delimiter: typeof opts.delimiter === 'undefined' ? defaults.delimiter : opts.delimiter, - encode: typeof opts.encode === 'boolean' ? opts.encode : defaults.encode, - encoder: typeof opts.encoder === 'function' ? opts.encoder : defaults.encoder, - encodeValuesOnly: typeof opts.encodeValuesOnly === 'boolean' ? opts.encodeValuesOnly : defaults.encodeValuesOnly, - filter: filter, - format: format, - formatter: formatter, - serializeDate: typeof opts.serializeDate === 'function' ? opts.serializeDate : defaults.serializeDate, - skipNulls: typeof opts.skipNulls === 'boolean' ? opts.skipNulls : defaults.skipNulls, - sort: typeof opts.sort === 'function' ? opts.sort : null, - strictNullHandling: typeof opts.strictNullHandling === 'boolean' ? opts.strictNullHandling : defaults.strictNullHandling - }; -}; - -module.exports = function (object, opts) { - var obj = object; - var options = normalizeStringifyOptions(opts); - + var delimiter = typeof options.delimiter === 'undefined' ? defaults.delimiter : options.delimiter; + var strictNullHandling = typeof options.strictNullHandling === 'boolean' ? options.strictNullHandling : defaults.strictNullHandling; + var skipNulls = typeof options.skipNulls === 'boolean' ? options.skipNulls : defaults.skipNulls; + var encode = typeof options.encode === 'boolean' ? options.encode : defaults.encode; + var encoder = typeof options.encoder === 'function' ? options.encoder : defaults.encoder; + var sort = typeof options.sort === 'function' ? options.sort : null; + var allowDots = typeof options.allowDots === 'undefined' ? false : options.allowDots; + var serializeDate = typeof options.serializeDate === 'function' ? options.serializeDate : defaults.serializeDate; + var encodeValuesOnly = typeof options.encodeValuesOnly === 'boolean' ? options.encodeValuesOnly : defaults.encodeValuesOnly; + if (typeof options.format === 'undefined') { + options.format = formats['default']; + } else if (!Object.prototype.hasOwnProperty.call(formats.formatters, options.format)) { + throw new TypeError('Unknown format option provided.'); + } + var formatter = formats.formatters[options.format]; var objKeys; var filter; if (typeof options.filter === 'function') { filter = options.filter; obj = filter('', obj); - } else if (isArray(options.filter)) { + } else if (Array.isArray(options.filter)) { filter = options.filter; objKeys = filter; } @@ -260,67 +162,49 @@ module.exports = function (object, opts) { } var arrayFormat; - if (opts && opts.arrayFormat in arrayPrefixGenerators) { - arrayFormat = opts.arrayFormat; - } else if (opts && 'indices' in opts) { - arrayFormat = opts.indices ? 'indices' : 'repeat'; + if (options.arrayFormat in arrayPrefixGenerators) { + arrayFormat = options.arrayFormat; + } else if ('indices' in options) { + arrayFormat = options.indices ? 'indices' : 'repeat'; } else { arrayFormat = 'indices'; } var generateArrayPrefix = arrayPrefixGenerators[arrayFormat]; - if (opts && 'commaRoundTrip' in opts && typeof opts.commaRoundTrip !== 'boolean') { - throw new TypeError('`commaRoundTrip` must be a boolean, or absent'); - } - var commaRoundTrip = generateArrayPrefix === 'comma' && opts && opts.commaRoundTrip; if (!objKeys) { objKeys = Object.keys(obj); } - if (options.sort) { - objKeys.sort(options.sort); + if (sort) { + objKeys.sort(sort); } - var sideChannel = getSideChannel(); for (var i = 0; i < objKeys.length; ++i) { var key = objKeys[i]; - if (options.skipNulls && obj[key] === null) { + if (skipNulls && obj[key] === null) { continue; } - pushToArray(keys, stringify( + + keys = keys.concat(stringify( obj[key], key, generateArrayPrefix, - commaRoundTrip, - options.strictNullHandling, - options.skipNulls, - options.encode ? options.encoder : null, - options.filter, - options.sort, - options.allowDots, - options.serializeDate, - options.format, - options.formatter, - options.encodeValuesOnly, - options.charset, - sideChannel + strictNullHandling, + skipNulls, + encode ? encoder : null, + filter, + sort, + allowDots, + serializeDate, + formatter, + encodeValuesOnly )); } - var joined = keys.join(options.delimiter); + var joined = keys.join(delimiter); var prefix = options.addQueryPrefix === true ? '?' : ''; - if (options.charsetSentinel) { - if (options.charset === 'iso-8859-1') { - // encodeURIComponent('✓'), the "numeric entity" representation of a checkmark - prefix += 'utf8=%26%2310003%3B&'; - } else { - // encodeURIComponent('✓') - prefix += 'utf8=%E2%9C%93&'; - } - } - return joined.length > 0 ? prefix + joined : ''; }; diff --git a/node_modules/qs/lib/utils.js b/node_modules/qs/lib/utils.js index 1e54538..8775a32 100644 --- a/node_modules/qs/lib/utils.js +++ b/node_modules/qs/lib/utils.js @@ -1,9 +1,6 @@ 'use strict'; -var formats = require('./formats'); - var has = Object.prototype.hasOwnProperty; -var isArray = Array.isArray; var hexTable = (function () { var array = []; @@ -15,11 +12,13 @@ var hexTable = (function () { }()); var compactQueue = function compactQueue(queue) { - while (queue.length > 1) { + var obj; + + while (queue.length) { var item = queue.pop(); - var obj = item.obj[item.prop]; + obj = item.obj[item.prop]; - if (isArray(obj)) { + if (Array.isArray(obj)) { var compacted = []; for (var j = 0; j < obj.length; ++j) { @@ -31,6 +30,8 @@ var compactQueue = function compactQueue(queue) { item.obj[item.prop] = compacted; } } + + return obj; }; var arrayToObject = function arrayToObject(source, options) { @@ -45,16 +46,15 @@ var arrayToObject = function arrayToObject(source, options) { }; var merge = function merge(target, source, options) { - /* eslint no-param-reassign: 0 */ if (!source) { return target; } if (typeof source !== 'object') { - if (isArray(target)) { + if (Array.isArray(target)) { target.push(source); - } else if (target && typeof target === 'object') { - if ((options && (options.plainObjects || options.allowPrototypes)) || !has.call(Object.prototype, source)) { + } else if (typeof target === 'object') { + if (options.plainObjects || options.allowPrototypes || !has.call(Object.prototype, source)) { target[source] = true; } } else { @@ -64,21 +64,20 @@ var merge = function merge(target, source, options) { return target; } - if (!target || typeof target !== 'object') { + if (typeof target !== 'object') { return [target].concat(source); } var mergeTarget = target; - if (isArray(target) && !isArray(source)) { + if (Array.isArray(target) && !Array.isArray(source)) { mergeTarget = arrayToObject(target, options); } - if (isArray(target) && isArray(source)) { + if (Array.isArray(target) && Array.isArray(source)) { source.forEach(function (item, i) { if (has.call(target, i)) { - var targetItem = target[i]; - if (targetItem && typeof targetItem === 'object' && item && typeof item === 'object') { - target[i] = merge(targetItem, item, options); + if (target[i] && typeof target[i] === 'object') { + target[i] = merge(target[i], item, options); } else { target.push(item); } @@ -108,39 +107,22 @@ var assign = function assignSingleSource(target, source) { }, target); }; -var decode = function (str, decoder, charset) { - var strWithoutPlus = str.replace(/\+/g, ' '); - if (charset === 'iso-8859-1') { - // unescape never throws, no try...catch needed: - return strWithoutPlus.replace(/%[0-9a-f]{2}/gi, unescape); - } - // utf-8 +var decode = function (str) { try { - return decodeURIComponent(strWithoutPlus); + return decodeURIComponent(str.replace(/\+/g, ' ')); } catch (e) { - return strWithoutPlus; + return str; } }; -var encode = function encode(str, defaultEncoder, charset, kind, format) { +var encode = function encode(str) { // This code was originally written by Brian White (mscdex) for the io.js core querystring library. // It has been adapted here for stricter adherence to RFC 3986 if (str.length === 0) { return str; } - var string = str; - if (typeof str === 'symbol') { - string = Symbol.prototype.toString.call(str); - } else if (typeof str !== 'string') { - string = String(str); - } - - if (charset === 'iso-8859-1') { - return escape(string).replace(/%u[0-9a-f]{4}/gi, function ($0) { - return '%26%23' + parseInt($0.slice(2), 16) + '%3B'; - }); - } + var string = typeof str === 'string' ? str : String(str); var out = ''; for (var i = 0; i < string.length; ++i) { @@ -154,7 +136,6 @@ var encode = function encode(str, defaultEncoder, charset, kind, format) { || (c >= 0x30 && c <= 0x39) // 0-9 || (c >= 0x41 && c <= 0x5A) // a-z || (c >= 0x61 && c <= 0x7A) // A-Z - || (format === formats.RFC1738 && (c === 0x28 || c === 0x29)) // ( ) ) { out += string.charAt(i); continue; @@ -177,7 +158,6 @@ var encode = function encode(str, defaultEncoder, charset, kind, format) { i += 1; c = 0x10000 + (((c & 0x3FF) << 10) | (string.charCodeAt(i) & 0x3FF)); - /* eslint operator-linebreak: [2, "before"] */ out += hexTable[0xF0 | (c >> 18)] + hexTable[0x80 | ((c >> 12) & 0x3F)] + hexTable[0x80 | ((c >> 6) & 0x3F)] @@ -206,9 +186,7 @@ var compact = function compact(value) { } } - compactQueue(queue); - - return value; + return compactQueue(queue); }; var isRegExp = function isRegExp(obj) { @@ -216,37 +194,20 @@ var isRegExp = function isRegExp(obj) { }; var isBuffer = function isBuffer(obj) { - if (!obj || typeof obj !== 'object') { + if (obj === null || typeof obj === 'undefined') { return false; } return !!(obj.constructor && obj.constructor.isBuffer && obj.constructor.isBuffer(obj)); }; -var combine = function combine(a, b) { - return [].concat(a, b); -}; - -var maybeMap = function maybeMap(val, fn) { - if (isArray(val)) { - var mapped = []; - for (var i = 0; i < val.length; i += 1) { - mapped.push(fn(val[i])); - } - return mapped; - } - return fn(val); -}; - module.exports = { arrayToObject: arrayToObject, assign: assign, - combine: combine, compact: compact, decode: decode, encode: encode, isBuffer: isBuffer, isRegExp: isRegExp, - maybeMap: maybeMap, merge: merge }; diff --git a/node_modules/qs/package.json b/node_modules/qs/package.json index 2ff42f3..2c65490 100644 --- a/node_modules/qs/package.json +++ b/node_modules/qs/package.json @@ -2,14 +2,11 @@ "name": "qs", "description": "A querystring parser that supports nesting and arrays, with a depth limit", "homepage": "https://github.com/ljharb/qs", - "version": "6.11.0", + "version": "6.5.2", "repository": { "type": "git", "url": "https://github.com/ljharb/qs.git" }, - "funding": { - "url": "https://github.com/sponsors/ljharb" - }, "main": "lib/index.js", "contributors": [ { @@ -20,58 +17,36 @@ ], "keywords": [ "querystring", - "qs", - "query", - "url", - "parse", - "stringify" + "qs" ], "engines": { "node": ">=0.6" }, - "dependencies": { - "side-channel": "^1.0.4" - }, + "dependencies": {}, "devDependencies": { - "@ljharb/eslint-config": "^21.0.0", - "aud": "^2.0.0", - "browserify": "^16.5.2", - "eclint": "^2.8.1", - "eslint": "=8.8.0", - "evalmd": "^0.0.19", - "for-each": "^0.3.3", - "has-symbols": "^1.0.3", - "iconv-lite": "^0.5.1", - "in-publish": "^2.0.1", - "mkdirp": "^0.5.5", - "npmignore": "^0.3.0", - "nyc": "^10.3.2", - "object-inspect": "^1.12.2", + "@ljharb/eslint-config": "^12.2.1", + "browserify": "^16.2.0", + "covert": "^1.1.0", + "editorconfig-tools": "^0.1.1", + "eslint": "^4.19.1", + "evalmd": "^0.0.17", + "iconv-lite": "^0.4.21", + "mkdirp": "^0.5.1", "qs-iconv": "^1.0.4", - "safe-publish-latest": "^2.0.0", + "safe-publish-latest": "^1.1.1", "safer-buffer": "^2.1.2", - "tape": "^5.5.3" + "tape": "^4.9.0" }, "scripts": { - "prepack": "npmignore --auto --commentLines=autogenerated", - "prepublishOnly": "safe-publish-latest && npm run dist", - "prepublish": "not-in-publish || npm run prepublishOnly", + "prepublish": "safe-publish-latest && npm run dist", "pretest": "npm run --silent readme && npm run --silent lint", - "test": "npm run tests-only", - "tests-only": "nyc tape 'test/**/*.js'", - "posttest": "aud --production", + "test": "npm run --silent coverage", + "tests-only": "node test", "readme": "evalmd README.md", - "postlint": "eclint check $(git ls-files | xargs find 2> /dev/null | grep -vE 'node_modules|\\.git' | grep -v dist/)", - "lint": "eslint --ext=js,mjs .", + "prelint": "editorconfig-tools check * lib/* test/*", + "lint": "eslint lib/*.js test/*.js", + "coverage": "covert test", "dist": "mkdirp dist && browserify --standalone Qs lib/index.js > dist/qs.js" }, - "license": "BSD-3-Clause", - "publishConfig": { - "ignore": [ - "!dist/*", - "bower.json", - "component.json", - ".github/workflows" - ] - } + "license": "BSD-3-Clause" } diff --git a/node_modules/qs/test/.eslintrc b/node_modules/qs/test/.eslintrc new file mode 100644 index 0000000..20175d6 --- /dev/null +++ b/node_modules/qs/test/.eslintrc @@ -0,0 +1,15 @@ +{ + "rules": { + "array-bracket-newline": 0, + "array-element-newline": 0, + "consistent-return": 2, + "max-lines": 0, + "max-nested-callbacks": [2, 3], + "max-statements": 0, + "no-buffer-constructor": 0, + "no-extend-native": 0, + "no-magic-numbers": 0, + "object-curly-newline": 0, + "sort-keys": 0 + } +} diff --git a/node_modules/qs/test/index.js b/node_modules/qs/test/index.js new file mode 100644 index 0000000..5e6bc8f --- /dev/null +++ b/node_modules/qs/test/index.js @@ -0,0 +1,7 @@ +'use strict'; + +require('./parse'); + +require('./stringify'); + +require('./utils'); diff --git a/node_modules/qs/test/parse.js b/node_modules/qs/test/parse.js index 7d7b4dd..0f8fe45 100644 --- a/node_modules/qs/test/parse.js +++ b/node_modules/qs/test/parse.js @@ -32,38 +32,6 @@ test('parse()', function (t) { st.end(); }); - t.test('arrayFormat: brackets allows only explicit arrays', function (st) { - st.deepEqual(qs.parse('a[]=b&a[]=c', { arrayFormat: 'brackets' }), { a: ['b', 'c'] }); - st.deepEqual(qs.parse('a[0]=b&a[1]=c', { arrayFormat: 'brackets' }), { a: ['b', 'c'] }); - st.deepEqual(qs.parse('a=b,c', { arrayFormat: 'brackets' }), { a: 'b,c' }); - st.deepEqual(qs.parse('a=b&a=c', { arrayFormat: 'brackets' }), { a: ['b', 'c'] }); - st.end(); - }); - - t.test('arrayFormat: indices allows only indexed arrays', function (st) { - st.deepEqual(qs.parse('a[]=b&a[]=c', { arrayFormat: 'indices' }), { a: ['b', 'c'] }); - st.deepEqual(qs.parse('a[0]=b&a[1]=c', { arrayFormat: 'indices' }), { a: ['b', 'c'] }); - st.deepEqual(qs.parse('a=b,c', { arrayFormat: 'indices' }), { a: 'b,c' }); - st.deepEqual(qs.parse('a=b&a=c', { arrayFormat: 'indices' }), { a: ['b', 'c'] }); - st.end(); - }); - - t.test('arrayFormat: comma allows only comma-separated arrays', function (st) { - st.deepEqual(qs.parse('a[]=b&a[]=c', { arrayFormat: 'comma' }), { a: ['b', 'c'] }); - st.deepEqual(qs.parse('a[0]=b&a[1]=c', { arrayFormat: 'comma' }), { a: ['b', 'c'] }); - st.deepEqual(qs.parse('a=b,c', { arrayFormat: 'comma' }), { a: 'b,c' }); - st.deepEqual(qs.parse('a=b&a=c', { arrayFormat: 'comma' }), { a: ['b', 'c'] }); - st.end(); - }); - - t.test('arrayFormat: repeat allows only repeated values', function (st) { - st.deepEqual(qs.parse('a[]=b&a[]=c', { arrayFormat: 'repeat' }), { a: ['b', 'c'] }); - st.deepEqual(qs.parse('a[0]=b&a[1]=c', { arrayFormat: 'repeat' }), { a: ['b', 'c'] }); - st.deepEqual(qs.parse('a=b,c', { arrayFormat: 'repeat' }), { a: 'b,c' }); - st.deepEqual(qs.parse('a=b&a=c', { arrayFormat: 'repeat' }), { a: ['b', 'c'] }); - st.end(); - }); - t.test('allows enabling dot notation', function (st) { st.deepEqual(qs.parse('a.b=c'), { 'a.b': 'c' }); st.deepEqual(qs.parse('a.b=c', { allowDots: true }), { a: { b: 'c' } }); @@ -84,18 +52,6 @@ test('parse()', function (t) { st.end(); }); - t.test('uses original key when depth = 0', function (st) { - st.deepEqual(qs.parse('a[0]=b&a[1]=c', { depth: 0 }), { 'a[0]': 'b', 'a[1]': 'c' }); - st.deepEqual(qs.parse('a[0][0]=b&a[0][1]=c&a[1]=d&e=2', { depth: 0 }), { 'a[0][0]': 'b', 'a[0][1]': 'c', 'a[1]': 'd', e: '2' }); - st.end(); - }); - - t.test('uses original key when depth = false', function (st) { - st.deepEqual(qs.parse('a[0]=b&a[1]=c', { depth: false }), { 'a[0]': 'b', 'a[1]': 'c' }); - st.deepEqual(qs.parse('a[0][0]=b&a[0][1]=c&a[1]=d&e=2', { depth: false }), { 'a[0][0]': 'b', 'a[0][1]': 'c', 'a[1]': 'd', e: '2' }); - st.end(); - }); - t.deepEqual(qs.parse('a=b&a=c'), { a: ['b', 'c'] }, 'parses a simple array'); t.test('parses an explicit array', function (st) { @@ -140,9 +96,6 @@ test('parse()', function (t) { t.test('limits specific array indices to arrayLimit', function (st) { st.deepEqual(qs.parse('a[20]=a', { arrayLimit: 20 }), { a: ['a'] }); st.deepEqual(qs.parse('a[21]=a', { arrayLimit: 20 }), { a: { 21: 'a' } }); - - st.deepEqual(qs.parse('a[20]=a'), { a: ['a'] }); - st.deepEqual(qs.parse('a[21]=a'), { a: { 21: 'a' } }); st.end(); }); @@ -272,15 +225,6 @@ test('parse()', function (t) { st.end(); }); - t.test('parses sparse arrays', function (st) { - /* eslint no-sparse-arrays: 0 */ - st.deepEqual(qs.parse('a[4]=1&a[1]=2', { allowSparse: true }), { a: [, '2', , , '1'] }); - st.deepEqual(qs.parse('a[1][b][2][c]=1', { allowSparse: true }), { a: [, { b: [, , { c: '1' }] }] }); - st.deepEqual(qs.parse('a[1][2][3][c]=1', { allowSparse: true }), { a: [, [, , [, , , { c: '1' }]]] }); - st.deepEqual(qs.parse('a[1][2][3][c][1]=1', { allowSparse: true }), { a: [, [, , [, , , { c: [, '1'] }]]] }); - st.end(); - }); - t.test('parses semi-parsed strings', function (st) { st.deepEqual(qs.parse({ 'a[b]': 'c' }), { a: { b: 'c' } }); st.deepEqual(qs.parse({ 'a[b]': 'c', 'a[d]': 'e' }), { a: { b: 'c', d: 'e' } }); @@ -293,14 +237,6 @@ test('parse()', function (t) { st.end(); }); - t.test('parses jquery-param strings', function (st) { - // readable = 'filter[0][]=int1&filter[0][]==&filter[0][]=77&filter[]=and&filter[2][]=int2&filter[2][]==&filter[2][]=8' - var encoded = 'filter%5B0%5D%5B%5D=int1&filter%5B0%5D%5B%5D=%3D&filter%5B0%5D%5B%5D=77&filter%5B%5D=and&filter%5B2%5D%5B%5D=int2&filter%5B2%5D%5B%5D=%3D&filter%5B2%5D%5B%5D=8'; - var expected = { filter: [['int1', '=', '77'], 'and', ['int2', '=', '8']] }; - st.deepEqual(qs.parse(encoded), expected); - st.end(); - }); - t.test('continues parsing when no parent is found', function (st) { st.deepEqual(qs.parse('[]=&a=b'), { 0: '', a: 'b' }); st.deepEqual(qs.parse('[]&a=b', { strictNullHandling: true }), { 0: null, a: 'b' }); @@ -321,7 +257,7 @@ test('parse()', function (t) { st.end(); }); - t.test('should not throw when a native prototype has an enumerable property', function (st) { + t.test('should not throw when a native prototype has an enumerable property', { parallel: false }, function (st) { Object.prototype.crash = ''; Array.prototype.crash = ''; st.doesNotThrow(qs.parse.bind(null, 'a=b')); @@ -366,14 +302,7 @@ test('parse()', function (t) { }); t.test('allows disabling array parsing', function (st) { - var indices = qs.parse('a[0]=b&a[1]=c', { parseArrays: false }); - st.deepEqual(indices, { a: { 0: 'b', 1: 'c' } }); - st.equal(Array.isArray(indices.a), false, 'parseArrays:false, indices case is not an array'); - - var emptyBrackets = qs.parse('a[]=b', { parseArrays: false }); - st.deepEqual(emptyBrackets, { a: { 0: 'b' } }); - st.equal(Array.isArray(emptyBrackets.a), false, 'parseArrays:false, empty brackets case is not an array'); - + st.deepEqual(qs.parse('a[0]=b&a[1]=c', { parseArrays: false }), { a: { 0: 'b', 1: 'c' } }); st.end(); }); @@ -381,7 +310,6 @@ test('parse()', function (t) { st.deepEqual(qs.parse('?foo=bar', { ignoreQueryPrefix: true }), { foo: 'bar' }); st.deepEqual(qs.parse('foo=bar', { ignoreQueryPrefix: true }), { foo: 'bar' }); st.deepEqual(qs.parse('?foo=bar', { ignoreQueryPrefix: false }), { '?foo': 'bar' }); - st.end(); }); @@ -404,62 +332,6 @@ test('parse()', function (t) { st.end(); }); - t.test('parses string with comma as array divider', function (st) { - st.deepEqual(qs.parse('foo=bar,tee', { comma: true }), { foo: ['bar', 'tee'] }); - st.deepEqual(qs.parse('foo[bar]=coffee,tee', { comma: true }), { foo: { bar: ['coffee', 'tee'] } }); - st.deepEqual(qs.parse('foo=', { comma: true }), { foo: '' }); - st.deepEqual(qs.parse('foo', { comma: true }), { foo: '' }); - st.deepEqual(qs.parse('foo', { comma: true, strictNullHandling: true }), { foo: null }); - - // test cases inversed from from stringify tests - st.deepEqual(qs.parse('a[0]=c'), { a: ['c'] }); - st.deepEqual(qs.parse('a[]=c'), { a: ['c'] }); - st.deepEqual(qs.parse('a[]=c', { comma: true }), { a: ['c'] }); - - st.deepEqual(qs.parse('a[0]=c&a[1]=d'), { a: ['c', 'd'] }); - st.deepEqual(qs.parse('a[]=c&a[]=d'), { a: ['c', 'd'] }); - st.deepEqual(qs.parse('a=c,d', { comma: true }), { a: ['c', 'd'] }); - - st.end(); - }); - - t.test('parses values with comma as array divider', function (st) { - st.deepEqual(qs.parse({ foo: 'bar,tee' }, { comma: false }), { foo: 'bar,tee' }); - st.deepEqual(qs.parse({ foo: 'bar,tee' }, { comma: true }), { foo: ['bar', 'tee'] }); - st.end(); - }); - - t.test('use number decoder, parses string that has one number with comma option enabled', function (st) { - var decoder = function (str, defaultDecoder, charset, type) { - if (!isNaN(Number(str))) { - return parseFloat(str); - } - return defaultDecoder(str, defaultDecoder, charset, type); - }; - - st.deepEqual(qs.parse('foo=1', { comma: true, decoder: decoder }), { foo: 1 }); - st.deepEqual(qs.parse('foo=0', { comma: true, decoder: decoder }), { foo: 0 }); - - st.end(); - }); - - t.test('parses brackets holds array of arrays when having two parts of strings with comma as array divider', function (st) { - st.deepEqual(qs.parse('foo[]=1,2,3&foo[]=4,5,6', { comma: true }), { foo: [['1', '2', '3'], ['4', '5', '6']] }); - st.deepEqual(qs.parse('foo[]=1,2,3&foo[]=', { comma: true }), { foo: [['1', '2', '3'], ''] }); - st.deepEqual(qs.parse('foo[]=1,2,3&foo[]=,', { comma: true }), { foo: [['1', '2', '3'], ['', '']] }); - st.deepEqual(qs.parse('foo[]=1,2,3&foo[]=a', { comma: true }), { foo: [['1', '2', '3'], 'a'] }); - - st.end(); - }); - - t.test('parses comma delimited array while having percent-encoded comma treated as normal text', function (st) { - st.deepEqual(qs.parse('foo=a%2Cb', { comma: true }), { foo: 'a,b' }); - st.deepEqual(qs.parse('foo=a%2C%20b,d', { comma: true }), { foo: ['a, b', 'd'] }); - st.deepEqual(qs.parse('foo=a%2C%20b,c%2C%20d', { comma: true }), { foo: ['a, b', 'c, d'] }); - - st.end(); - }); - t.test('parses an object in dot notation', function (st) { var input = { 'user.name': { 'pop[bob]': 3 }, @@ -636,73 +508,13 @@ test('parse()', function (t) { st.deepEqual( qs.parse('a[b]=c&a=toString', { plainObjects: true }), - { __proto__: null, a: { __proto__: null, b: 'c', toString: true } }, + { a: { b: 'c', toString: true } }, 'can overwrite prototype with plainObjects true' ); st.end(); }); - t.test('dunder proto is ignored', function (st) { - var payload = 'categories[__proto__]=login&categories[__proto__]&categories[length]=42'; - var result = qs.parse(payload, { allowPrototypes: true }); - - st.deepEqual( - result, - { - categories: { - length: '42' - } - }, - 'silent [[Prototype]] payload' - ); - - var plainResult = qs.parse(payload, { allowPrototypes: true, plainObjects: true }); - - st.deepEqual( - plainResult, - { - __proto__: null, - categories: { - __proto__: null, - length: '42' - } - }, - 'silent [[Prototype]] payload: plain objects' - ); - - var query = qs.parse('categories[__proto__]=cats&categories[__proto__]=dogs&categories[some][json]=toInject', { allowPrototypes: true }); - - st.notOk(Array.isArray(query.categories), 'is not an array'); - st.notOk(query.categories instanceof Array, 'is not instanceof an array'); - st.deepEqual(query.categories, { some: { json: 'toInject' } }); - st.equal(JSON.stringify(query.categories), '{"some":{"json":"toInject"}}', 'stringifies as a non-array'); - - st.deepEqual( - qs.parse('foo[__proto__][hidden]=value&foo[bar]=stuffs', { allowPrototypes: true }), - { - foo: { - bar: 'stuffs' - } - }, - 'hidden values' - ); - - st.deepEqual( - qs.parse('foo[__proto__][hidden]=value&foo[bar]=stuffs', { allowPrototypes: true, plainObjects: true }), - { - __proto__: null, - foo: { - __proto__: null, - bar: 'stuffs' - } - }, - 'hidden values: plain objects' - ); - - st.end(); - }); - t.test('can return null objects', { skip: !Object.create }, function (st) { var expected = Object.create(null); expected.a = Object.create(null); @@ -728,7 +540,7 @@ test('parse()', function (t) { result.push(parseInt(parts[1], 16)); parts = reg.exec(str); } - return String(iconv.decode(SaferBuffer.from(result), 'shift_jis')); + return iconv.decode(SaferBuffer.from(result), 'shift_jis').toString(); } }), { 県: '大阪府' }); st.end(); @@ -758,98 +570,5 @@ test('parse()', function (t) { st.end(); }); - t.test('throws if an invalid charset is specified', function (st) { - st['throws'](function () { - qs.parse('a=b', { charset: 'foobar' }); - }, new TypeError('The charset option must be either utf-8, iso-8859-1, or undefined')); - st.end(); - }); - - t.test('parses an iso-8859-1 string if asked to', function (st) { - st.deepEqual(qs.parse('%A2=%BD', { charset: 'iso-8859-1' }), { '¢': '½' }); - st.end(); - }); - - var urlEncodedCheckmarkInUtf8 = '%E2%9C%93'; - var urlEncodedOSlashInUtf8 = '%C3%B8'; - var urlEncodedNumCheckmark = '%26%2310003%3B'; - var urlEncodedNumSmiley = '%26%239786%3B'; - - t.test('prefers an utf-8 charset specified by the utf8 sentinel to a default charset of iso-8859-1', function (st) { - st.deepEqual(qs.parse('utf8=' + urlEncodedCheckmarkInUtf8 + '&' + urlEncodedOSlashInUtf8 + '=' + urlEncodedOSlashInUtf8, { charsetSentinel: true, charset: 'iso-8859-1' }), { ø: 'ø' }); - st.end(); - }); - - t.test('prefers an iso-8859-1 charset specified by the utf8 sentinel to a default charset of utf-8', function (st) { - st.deepEqual(qs.parse('utf8=' + urlEncodedNumCheckmark + '&' + urlEncodedOSlashInUtf8 + '=' + urlEncodedOSlashInUtf8, { charsetSentinel: true, charset: 'utf-8' }), { 'ø': 'ø' }); - st.end(); - }); - - t.test('does not require the utf8 sentinel to be defined before the parameters whose decoding it affects', function (st) { - st.deepEqual(qs.parse('a=' + urlEncodedOSlashInUtf8 + '&utf8=' + urlEncodedNumCheckmark, { charsetSentinel: true, charset: 'utf-8' }), { a: 'ø' }); - st.end(); - }); - - t.test('should ignore an utf8 sentinel with an unknown value', function (st) { - st.deepEqual(qs.parse('utf8=foo&' + urlEncodedOSlashInUtf8 + '=' + urlEncodedOSlashInUtf8, { charsetSentinel: true, charset: 'utf-8' }), { ø: 'ø' }); - st.end(); - }); - - t.test('uses the utf8 sentinel to switch to utf-8 when no default charset is given', function (st) { - st.deepEqual(qs.parse('utf8=' + urlEncodedCheckmarkInUtf8 + '&' + urlEncodedOSlashInUtf8 + '=' + urlEncodedOSlashInUtf8, { charsetSentinel: true }), { ø: 'ø' }); - st.end(); - }); - - t.test('uses the utf8 sentinel to switch to iso-8859-1 when no default charset is given', function (st) { - st.deepEqual(qs.parse('utf8=' + urlEncodedNumCheckmark + '&' + urlEncodedOSlashInUtf8 + '=' + urlEncodedOSlashInUtf8, { charsetSentinel: true }), { 'ø': 'ø' }); - st.end(); - }); - - t.test('interprets numeric entities in iso-8859-1 when `interpretNumericEntities`', function (st) { - st.deepEqual(qs.parse('foo=' + urlEncodedNumSmiley, { charset: 'iso-8859-1', interpretNumericEntities: true }), { foo: '☺' }); - st.end(); - }); - - t.test('handles a custom decoder returning `null`, in the `iso-8859-1` charset, when `interpretNumericEntities`', function (st) { - st.deepEqual(qs.parse('foo=&bar=' + urlEncodedNumSmiley, { - charset: 'iso-8859-1', - decoder: function (str, defaultDecoder, charset) { - return str ? defaultDecoder(str, defaultDecoder, charset) : null; - }, - interpretNumericEntities: true - }), { foo: null, bar: '☺' }); - st.end(); - }); - - t.test('does not interpret numeric entities in iso-8859-1 when `interpretNumericEntities` is absent', function (st) { - st.deepEqual(qs.parse('foo=' + urlEncodedNumSmiley, { charset: 'iso-8859-1' }), { foo: '☺' }); - st.end(); - }); - - t.test('does not interpret numeric entities when the charset is utf-8, even when `interpretNumericEntities`', function (st) { - st.deepEqual(qs.parse('foo=' + urlEncodedNumSmiley, { charset: 'utf-8', interpretNumericEntities: true }), { foo: '☺' }); - st.end(); - }); - - t.test('does not interpret %uXXXX syntax in iso-8859-1 mode', function (st) { - st.deepEqual(qs.parse('%u263A=%u263A', { charset: 'iso-8859-1' }), { '%u263A': '%u263A' }); - st.end(); - }); - - t.test('allows for decoding keys and values differently', function (st) { - var decoder = function (str, defaultDecoder, charset, type) { - if (type === 'key') { - return defaultDecoder(str, defaultDecoder, charset, type).toLowerCase(); - } - if (type === 'value') { - return defaultDecoder(str, defaultDecoder, charset, type).toUpperCase(); - } - throw 'this should never happen! type: ' + type; - }; - - st.deepEqual(qs.parse('KeY=vAlUe', { decoder: decoder }), { key: 'VALUE' }); - st.end(); - }); - t.end(); }); diff --git a/node_modules/qs/test/stringify.js b/node_modules/qs/test/stringify.js index f0cdfef..165ac62 100644 --- a/node_modules/qs/test/stringify.js +++ b/node_modules/qs/test/stringify.js @@ -5,8 +5,6 @@ var qs = require('../'); var utils = require('../lib/utils'); var iconv = require('iconv-lite'); var SaferBuffer = require('safer-buffer').Buffer; -var hasSymbols = require('has-symbols'); -var hasBigInt = typeof BigInt === 'function'; test('stringify()', function (t) { t.test('stringifies a querystring object', function (st) { @@ -21,48 +19,6 @@ test('stringify()', function (t) { st.end(); }); - t.test('stringifies falsy values', function (st) { - st.equal(qs.stringify(undefined), ''); - st.equal(qs.stringify(null), ''); - st.equal(qs.stringify(null, { strictNullHandling: true }), ''); - st.equal(qs.stringify(false), ''); - st.equal(qs.stringify(0), ''); - st.end(); - }); - - t.test('stringifies symbols', { skip: !hasSymbols() }, function (st) { - st.equal(qs.stringify(Symbol.iterator), ''); - st.equal(qs.stringify([Symbol.iterator]), '0=Symbol%28Symbol.iterator%29'); - st.equal(qs.stringify({ a: Symbol.iterator }), 'a=Symbol%28Symbol.iterator%29'); - st.equal( - qs.stringify({ a: [Symbol.iterator] }, { encodeValuesOnly: true, arrayFormat: 'brackets' }), - 'a[]=Symbol%28Symbol.iterator%29' - ); - st.end(); - }); - - t.test('stringifies bigints', { skip: !hasBigInt }, function (st) { - var three = BigInt(3); - var encodeWithN = function (value, defaultEncoder, charset) { - var result = defaultEncoder(value, defaultEncoder, charset); - return typeof value === 'bigint' ? result + 'n' : result; - }; - st.equal(qs.stringify(three), ''); - st.equal(qs.stringify([three]), '0=3'); - st.equal(qs.stringify([three], { encoder: encodeWithN }), '0=3n'); - st.equal(qs.stringify({ a: three }), 'a=3'); - st.equal(qs.stringify({ a: three }, { encoder: encodeWithN }), 'a=3n'); - st.equal( - qs.stringify({ a: [three] }, { encodeValuesOnly: true, arrayFormat: 'brackets' }), - 'a[]=3' - ); - st.equal( - qs.stringify({ a: [three] }, { encodeValuesOnly: true, encoder: encodeWithN, arrayFormat: 'brackets' }), - 'a[]=3n' - ); - st.end(); - }); - t.test('adds query prefix', function (st) { st.equal(qs.stringify({ a: 'b' }, { addQueryPrefix: true }), '?a=b'); st.end(); @@ -73,13 +29,6 @@ test('stringify()', function (t) { st.end(); }); - t.test('stringifies nested falsy values', function (st) { - st.equal(qs.stringify({ a: { b: { c: null } } }), 'a%5Bb%5D%5Bc%5D='); - st.equal(qs.stringify({ a: { b: { c: null } } }, { strictNullHandling: true }), 'a%5Bb%5D%5Bc%5D'); - st.equal(qs.stringify({ a: { b: { c: false } } }), 'a%5Bb%5D%5Bc%5D=false'); - st.end(); - }); - t.test('stringifies a nested object', function (st) { st.equal(qs.stringify({ a: { b: 'c' } }), 'a%5Bb%5D=c'); st.equal(qs.stringify({ a: { b: { c: { d: 'e' } } } }), 'a%5Bb%5D%5Bc%5D%5Bd%5D=e'); @@ -103,11 +52,6 @@ test('stringify()', function (t) { 'a%5B%5D=b&a%5B%5D=c&a%5B%5D=d', 'brackets => brackets' ); - st.equal( - qs.stringify({ a: ['b', 'c', 'd'] }, { arrayFormat: 'comma' }), - 'a=b%2Cc%2Cd', - 'comma => comma' - ); st.equal( qs.stringify({ a: ['b', 'c', 'd'] }), 'a%5B0%5D=b&a%5B1%5D=c&a%5B2%5D=d', @@ -131,43 +75,10 @@ test('stringify()', function (t) { st.end(); }); - t.test('stringifies an array value with one item vs multiple items', function (st) { - st.test('non-array item', function (s2t) { - s2t.equal(qs.stringify({ a: 'c' }, { encodeValuesOnly: true, arrayFormat: 'indices' }), 'a=c'); - s2t.equal(qs.stringify({ a: 'c' }, { encodeValuesOnly: true, arrayFormat: 'brackets' }), 'a=c'); - s2t.equal(qs.stringify({ a: 'c' }, { encodeValuesOnly: true, arrayFormat: 'comma' }), 'a=c'); - s2t.equal(qs.stringify({ a: 'c' }, { encodeValuesOnly: true }), 'a=c'); - - s2t.end(); - }); - - st.test('array with a single item', function (s2t) { - s2t.equal(qs.stringify({ a: ['c'] }, { encodeValuesOnly: true, arrayFormat: 'indices' }), 'a[0]=c'); - s2t.equal(qs.stringify({ a: ['c'] }, { encodeValuesOnly: true, arrayFormat: 'brackets' }), 'a[]=c'); - s2t.equal(qs.stringify({ a: ['c'] }, { encodeValuesOnly: true, arrayFormat: 'comma' }), 'a=c'); - s2t.equal(qs.stringify({ a: ['c'] }, { encodeValuesOnly: true, arrayFormat: 'comma', commaRoundTrip: true }), 'a[]=c'); // so it parses back as an array - s2t.equal(qs.stringify({ a: ['c'] }, { encodeValuesOnly: true }), 'a[0]=c'); - - s2t.end(); - }); - - st.test('array with multiple items', function (s2t) { - s2t.equal(qs.stringify({ a: ['c', 'd'] }, { encodeValuesOnly: true, arrayFormat: 'indices' }), 'a[0]=c&a[1]=d'); - s2t.equal(qs.stringify({ a: ['c', 'd'] }, { encodeValuesOnly: true, arrayFormat: 'brackets' }), 'a[]=c&a[]=d'); - s2t.equal(qs.stringify({ a: ['c', 'd'] }, { encodeValuesOnly: true, arrayFormat: 'comma' }), 'a=c,d'); - s2t.equal(qs.stringify({ a: ['c', 'd'] }, { encodeValuesOnly: true }), 'a[0]=c&a[1]=d'); - - s2t.end(); - }); - - st.end(); - }); - t.test('stringifies a nested array value', function (st) { - st.equal(qs.stringify({ a: { b: ['c', 'd'] } }, { encodeValuesOnly: true, arrayFormat: 'indices' }), 'a[b][0]=c&a[b][1]=d'); - st.equal(qs.stringify({ a: { b: ['c', 'd'] } }, { encodeValuesOnly: true, arrayFormat: 'brackets' }), 'a[b][]=c&a[b][]=d'); - st.equal(qs.stringify({ a: { b: ['c', 'd'] } }, { encodeValuesOnly: true, arrayFormat: 'comma' }), 'a[b]=c,d'); - st.equal(qs.stringify({ a: { b: ['c', 'd'] } }, { encodeValuesOnly: true }), 'a[b][0]=c&a[b][1]=d'); + st.equal(qs.stringify({ a: { b: ['c', 'd'] } }, { arrayFormat: 'indices' }), 'a%5Bb%5D%5B0%5D=c&a%5Bb%5D%5B1%5D=d'); + st.equal(qs.stringify({ a: { b: ['c', 'd'] } }, { arrayFormat: 'brackets' }), 'a%5Bb%5D%5B%5D=c&a%5Bb%5D%5B%5D=d'); + st.equal(qs.stringify({ a: { b: ['c', 'd'] } }), 'a%5Bb%5D%5B0%5D=c&a%5Bb%5D%5B1%5D=d'); st.end(); }); @@ -175,7 +86,7 @@ test('stringify()', function (t) { st.equal( qs.stringify( { a: { b: ['c', 'd'] } }, - { allowDots: true, encodeValuesOnly: true, arrayFormat: 'indices' } + { allowDots: true, encode: false, arrayFormat: 'indices' } ), 'a.b[0]=c&a.b[1]=d', 'indices: stringifies with dots + indices' @@ -183,7 +94,7 @@ test('stringify()', function (t) { st.equal( qs.stringify( { a: { b: ['c', 'd'] } }, - { allowDots: true, encodeValuesOnly: true, arrayFormat: 'brackets' } + { allowDots: true, encode: false, arrayFormat: 'brackets' } ), 'a.b[]=c&a.b[]=d', 'brackets: stringifies with dots + brackets' @@ -191,15 +102,7 @@ test('stringify()', function (t) { st.equal( qs.stringify( { a: { b: ['c', 'd'] } }, - { allowDots: true, encodeValuesOnly: true, arrayFormat: 'comma' } - ), - 'a.b=c,d', - 'comma: stringifies with dots + comma' - ); - st.equal( - qs.stringify( - { a: { b: ['c', 'd'] } }, - { allowDots: true, encodeValuesOnly: true } + { allowDots: true, encode: false } ), 'a.b[0]=c&a.b[1]=d', 'default: stringifies with dots + indices' @@ -210,12 +113,12 @@ test('stringify()', function (t) { t.test('stringifies an object inside an array', function (st) { st.equal( qs.stringify({ a: [{ b: 'c' }] }, { arrayFormat: 'indices' }), - 'a%5B0%5D%5Bb%5D=c', // a[0][b]=c + 'a%5B0%5D%5Bb%5D=c', 'indices => brackets' ); st.equal( qs.stringify({ a: [{ b: 'c' }] }, { arrayFormat: 'brackets' }), - 'a%5B%5D%5Bb%5D=c', // a[][b]=c + 'a%5B%5D%5Bb%5D=c', 'brackets => brackets' ); st.equal( @@ -247,23 +150,17 @@ test('stringify()', function (t) { t.test('stringifies an array with mixed objects and primitives', function (st) { st.equal( - qs.stringify({ a: [{ b: 1 }, 2, 3] }, { encodeValuesOnly: true, arrayFormat: 'indices' }), + qs.stringify({ a: [{ b: 1 }, 2, 3] }, { encode: false, arrayFormat: 'indices' }), 'a[0][b]=1&a[1]=2&a[2]=3', 'indices => indices' ); st.equal( - qs.stringify({ a: [{ b: 1 }, 2, 3] }, { encodeValuesOnly: true, arrayFormat: 'brackets' }), + qs.stringify({ a: [{ b: 1 }, 2, 3] }, { encode: false, arrayFormat: 'brackets' }), 'a[][b]=1&a[]=2&a[]=3', 'brackets => brackets' ); st.equal( - qs.stringify({ a: [{ b: 1 }, 2, 3] }, { encodeValuesOnly: true, arrayFormat: 'comma' }), - '???', - 'brackets => brackets', - { skip: 'TODO: figure out what this should do' } - ); - st.equal( - qs.stringify({ a: [{ b: 1 }, 2, 3] }, { encodeValuesOnly: true }), + qs.stringify({ a: [{ b: 1 }, 2, 3] }, { encode: false }), 'a[0][b]=1&a[1]=2&a[2]=3', 'default => indices' ); @@ -374,29 +271,6 @@ test('stringify()', function (t) { st.end(); }); - t.test('stringifies an empty array in different arrayFormat', function (st) { - st.equal(qs.stringify({ a: [], b: [null], c: 'c' }, { encode: false }), 'b[0]=&c=c'); - // arrayFormat default - st.equal(qs.stringify({ a: [], b: [null], c: 'c' }, { encode: false, arrayFormat: 'indices' }), 'b[0]=&c=c'); - st.equal(qs.stringify({ a: [], b: [null], c: 'c' }, { encode: false, arrayFormat: 'brackets' }), 'b[]=&c=c'); - st.equal(qs.stringify({ a: [], b: [null], c: 'c' }, { encode: false, arrayFormat: 'repeat' }), 'b=&c=c'); - st.equal(qs.stringify({ a: [], b: [null], c: 'c' }, { encode: false, arrayFormat: 'comma' }), 'b=&c=c'); - st.equal(qs.stringify({ a: [], b: [null], c: 'c' }, { encode: false, arrayFormat: 'comma', commaRoundTrip: true }), 'b[]=&c=c'); - // with strictNullHandling - st.equal(qs.stringify({ a: [], b: [null], c: 'c' }, { encode: false, arrayFormat: 'indices', strictNullHandling: true }), 'b[0]&c=c'); - st.equal(qs.stringify({ a: [], b: [null], c: 'c' }, { encode: false, arrayFormat: 'brackets', strictNullHandling: true }), 'b[]&c=c'); - st.equal(qs.stringify({ a: [], b: [null], c: 'c' }, { encode: false, arrayFormat: 'repeat', strictNullHandling: true }), 'b&c=c'); - st.equal(qs.stringify({ a: [], b: [null], c: 'c' }, { encode: false, arrayFormat: 'comma', strictNullHandling: true }), 'b&c=c'); - st.equal(qs.stringify({ a: [], b: [null], c: 'c' }, { encode: false, arrayFormat: 'comma', strictNullHandling: true, commaRoundTrip: true }), 'b[]&c=c'); - // with skipNulls - st.equal(qs.stringify({ a: [], b: [null], c: 'c' }, { encode: false, arrayFormat: 'indices', skipNulls: true }), 'c=c'); - st.equal(qs.stringify({ a: [], b: [null], c: 'c' }, { encode: false, arrayFormat: 'brackets', skipNulls: true }), 'c=c'); - st.equal(qs.stringify({ a: [], b: [null], c: 'c' }, { encode: false, arrayFormat: 'repeat', skipNulls: true }), 'c=c'); - st.equal(qs.stringify({ a: [], b: [null], c: 'c' }, { encode: false, arrayFormat: 'comma', skipNulls: true }), 'c=c'); - - st.end(); - }); - t.test('stringifies a null object', { skip: !Object.create }, function (st) { var obj = Object.create(null); obj.a = 'b'; @@ -473,7 +347,7 @@ test('stringify()', function (t) { st.end(); }); - t.test('does not blow up when Buffer global is missing', function (st) { + t.test('doesn\'t blow up when Buffer global is missing', function (st) { var tempBuffer = global.Buffer; delete global.Buffer; var result = qs.stringify({ a: 'b', c: 'd' }); @@ -482,57 +356,6 @@ test('stringify()', function (t) { st.end(); }); - t.test('does not crash when parsing circular references', function (st) { - var a = {}; - a.b = a; - - st['throws']( - function () { qs.stringify({ 'foo[bar]': 'baz', 'foo[baz]': a }); }, - /RangeError: Cyclic object value/, - 'cyclic values throw' - ); - - var circular = { - a: 'value' - }; - circular.a = circular; - st['throws']( - function () { qs.stringify(circular); }, - /RangeError: Cyclic object value/, - 'cyclic values throw' - ); - - var arr = ['a']; - st.doesNotThrow( - function () { qs.stringify({ x: arr, y: arr }); }, - 'non-cyclic values do not throw' - ); - - st.end(); - }); - - t.test('non-circular duplicated references can still work', function (st) { - var hourOfDay = { - 'function': 'hour_of_day' - }; - - var p1 = { - 'function': 'gte', - arguments: [hourOfDay, 0] - }; - var p2 = { - 'function': 'lte', - arguments: [hourOfDay, 23] - }; - - st.equal( - qs.stringify({ filters: { $and: [p1, p2] } }, { encodeValuesOnly: true }), - 'filters[$and][0][function]=gte&filters[$and][0][arguments][0][function]=hour_of_day&filters[$and][0][arguments][1]=0&filters[$and][1][function]=lte&filters[$and][1][arguments][0][function]=hour_of_day&filters[$and][1][arguments][1]=23' - ); - - st.end(); - }); - t.test('selects properties when filter=array', function (st) { st.equal(qs.stringify({ a: 'b' }, { filter: ['a'] }), 'a=b'); st.equal(qs.stringify({ a: 1 }, { filter: [] }), ''); @@ -667,12 +490,6 @@ test('stringify()', function (t) { return String.fromCharCode(buffer.readUInt8(0) + 97); } }), 'a=b'); - - st.equal(qs.stringify({ a: SaferBuffer.from('a b') }, { - encoder: function (buffer) { - return buffer; - } - }), 'a=a b'); st.end(); }); @@ -707,67 +524,37 @@ test('stringify()', function (t) { 'custom serializeDate function called' ); - st.equal( - qs.stringify( - { a: [date] }, - { - serializeDate: function (d) { return d.getTime(); }, - arrayFormat: 'comma' - } - ), - 'a=' + date.getTime(), - 'works with arrayFormat comma' - ); - st.equal( - qs.stringify( - { a: [date] }, - { - serializeDate: function (d) { return d.getTime(); }, - arrayFormat: 'comma', - commaRoundTrip: true - } - ), - 'a%5B%5D=' + date.getTime(), - 'works with arrayFormat comma' - ); - st.end(); }); - t.test('RFC 1738 serialization', function (st) { + t.test('RFC 1738 spaces serialization', function (st) { st.equal(qs.stringify({ a: 'b c' }, { format: qs.formats.RFC1738 }), 'a=b+c'); st.equal(qs.stringify({ 'a b': 'c d' }, { format: qs.formats.RFC1738 }), 'a+b=c+d'); - st.equal(qs.stringify({ 'a b': SaferBuffer.from('a b') }, { format: qs.formats.RFC1738 }), 'a+b=a+b'); - - st.equal(qs.stringify({ 'foo(ref)': 'bar' }, { format: qs.formats.RFC1738 }), 'foo(ref)=bar'); - st.end(); }); t.test('RFC 3986 spaces serialization', function (st) { st.equal(qs.stringify({ a: 'b c' }, { format: qs.formats.RFC3986 }), 'a=b%20c'); st.equal(qs.stringify({ 'a b': 'c d' }, { format: qs.formats.RFC3986 }), 'a%20b=c%20d'); - st.equal(qs.stringify({ 'a b': SaferBuffer.from('a b') }, { format: qs.formats.RFC3986 }), 'a%20b=a%20b'); - st.end(); }); t.test('Backward compatibility to RFC 3986', function (st) { st.equal(qs.stringify({ a: 'b c' }), 'a=b%20c'); - st.equal(qs.stringify({ 'a b': SaferBuffer.from('a b') }), 'a%20b=a%20b'); - st.end(); }); t.test('Edge cases and unknown formats', function (st) { - ['UFO1234', false, 1234, null, {}, []].forEach(function (format) { - st['throws']( - function () { - qs.stringify({ a: 'b c' }, { format: format }); - }, - new TypeError('Unknown format option provided.') - ); - }); + ['UFO1234', false, 1234, null, {}, []].forEach( + function (format) { + st['throws']( + function () { + qs.stringify({ a: 'b c' }, { format: format }); + }, + new TypeError('Unknown format option provided.') + ); + } + ); st.end(); }); @@ -799,38 +586,6 @@ test('stringify()', function (t) { st.end(); }); - t.test('throws if an invalid charset is specified', function (st) { - st['throws'](function () { - qs.stringify({ a: 'b' }, { charset: 'foobar' }); - }, new TypeError('The charset option must be either utf-8, iso-8859-1, or undefined')); - st.end(); - }); - - t.test('respects a charset of iso-8859-1', function (st) { - st.equal(qs.stringify({ æ: 'æ' }, { charset: 'iso-8859-1' }), '%E6=%E6'); - st.end(); - }); - - t.test('encodes unrepresentable chars as numeric entities in iso-8859-1 mode', function (st) { - st.equal(qs.stringify({ a: '☺' }, { charset: 'iso-8859-1' }), 'a=%26%239786%3B'); - st.end(); - }); - - t.test('respects an explicit charset of utf-8 (the default)', function (st) { - st.equal(qs.stringify({ a: 'æ' }, { charset: 'utf-8' }), 'a=%C3%A6'); - st.end(); - }); - - t.test('adds the right sentinel when instructed to and the charset is utf-8', function (st) { - st.equal(qs.stringify({ a: 'æ' }, { charsetSentinel: true, charset: 'utf-8' }), 'utf8=%E2%9C%93&a=%C3%A6'); - st.end(); - }); - - t.test('adds the right sentinel when instructed to and the charset is iso-8859-1', function (st) { - st.equal(qs.stringify({ a: 'æ' }, { charsetSentinel: true, charset: 'iso-8859-1' }), 'utf8=%26%2310003%3B&a=%E6'); - st.end(); - }); - t.test('does not mutate the options argument', function (st) { var options = {}; qs.stringify({}, options); @@ -838,72 +593,5 @@ test('stringify()', function (t) { st.end(); }); - t.test('strictNullHandling works with custom filter', function (st) { - var filter = function (prefix, value) { - return value; - }; - - var options = { strictNullHandling: true, filter: filter }; - st.equal(qs.stringify({ key: null }, options), 'key'); - st.end(); - }); - - t.test('strictNullHandling works with null serializeDate', function (st) { - var serializeDate = function () { - return null; - }; - var options = { strictNullHandling: true, serializeDate: serializeDate }; - var date = new Date(); - st.equal(qs.stringify({ key: date }, options), 'key'); - st.end(); - }); - - t.test('allows for encoding keys and values differently', function (st) { - var encoder = function (str, defaultEncoder, charset, type) { - if (type === 'key') { - return defaultEncoder(str, defaultEncoder, charset, type).toLowerCase(); - } - if (type === 'value') { - return defaultEncoder(str, defaultEncoder, charset, type).toUpperCase(); - } - throw 'this should never happen! type: ' + type; - }; - - st.deepEqual(qs.stringify({ KeY: 'vAlUe' }, { encoder: encoder }), 'key=VALUE'); - st.end(); - }); - - t.test('objects inside arrays', function (st) { - var obj = { a: { b: { c: 'd', e: 'f' } } }; - var withArray = { a: { b: [{ c: 'd', e: 'f' }] } }; - - st.equal(qs.stringify(obj, { encode: false }), 'a[b][c]=d&a[b][e]=f', 'no array, no arrayFormat'); - st.equal(qs.stringify(obj, { encode: false, arrayFormat: 'bracket' }), 'a[b][c]=d&a[b][e]=f', 'no array, bracket'); - st.equal(qs.stringify(obj, { encode: false, arrayFormat: 'indices' }), 'a[b][c]=d&a[b][e]=f', 'no array, indices'); - st.equal(qs.stringify(obj, { encode: false, arrayFormat: 'comma' }), 'a[b][c]=d&a[b][e]=f', 'no array, comma'); - - st.equal(qs.stringify(withArray, { encode: false }), 'a[b][0][c]=d&a[b][0][e]=f', 'array, no arrayFormat'); - st.equal(qs.stringify(withArray, { encode: false, arrayFormat: 'bracket' }), 'a[b][0][c]=d&a[b][0][e]=f', 'array, bracket'); - st.equal(qs.stringify(withArray, { encode: false, arrayFormat: 'indices' }), 'a[b][0][c]=d&a[b][0][e]=f', 'array, indices'); - st.equal( - qs.stringify(withArray, { encode: false, arrayFormat: 'comma' }), - '???', - 'array, comma', - { skip: 'TODO: figure out what this should do' } - ); - - st.end(); - }); - - t.test('stringifies sparse arrays', function (st) { - /* eslint no-sparse-arrays: 0 */ - st.equal(qs.stringify({ a: [, '2', , , '1'] }, { encodeValuesOnly: true }), 'a[1]=2&a[4]=1'); - st.equal(qs.stringify({ a: [, { b: [, , { c: '1' }] }] }, { encodeValuesOnly: true }), 'a[1][b][2][c]=1'); - st.equal(qs.stringify({ a: [, [, , [, , , { c: '1' }]]] }, { encodeValuesOnly: true }), 'a[1][2][3][c]=1'); - st.equal(qs.stringify({ a: [, [, , [, , , { c: [, '1'] }]]] }, { encodeValuesOnly: true }), 'a[1][2][3][c][1]=1'); - - st.end(); - }); - t.end(); }); diff --git a/node_modules/qs/test/utils.js b/node_modules/qs/test/utils.js index aa84dfd..eff4011 100644 --- a/node_modules/qs/test/utils.js +++ b/node_modules/qs/test/utils.js @@ -1,16 +1,9 @@ 'use strict'; var test = require('tape'); -var inspect = require('object-inspect'); -var SaferBuffer = require('safer-buffer').Buffer; -var forEach = require('for-each'); var utils = require('../lib/utils'); test('merge()', function (t) { - t.deepEqual(utils.merge(null, true), [null, true], 'merges true into null'); - - t.deepEqual(utils.merge(null, [42]), [null, 42], 'merges null into an array'); - t.deepEqual(utils.merge({ a: 'b' }, { a: 'c' }), { a: ['b', 'c'] }, 'merges two objects with the same key'); var oneMerged = utils.merge({ foo: 'bar' }, { foo: { first: '123' } }); @@ -25,33 +18,6 @@ test('merge()', function (t) { var nestedArrays = utils.merge({ foo: ['baz'] }, { foo: ['bar', 'xyzzy'] }); t.deepEqual(nestedArrays, { foo: ['baz', 'bar', 'xyzzy'] }); - var noOptionsNonObjectSource = utils.merge({ foo: 'baz' }, 'bar'); - t.deepEqual(noOptionsNonObjectSource, { foo: 'baz', bar: true }); - - t.test( - 'avoids invoking array setters unnecessarily', - { skip: typeof Object.defineProperty !== 'function' }, - function (st) { - var setCount = 0; - var getCount = 0; - var observed = []; - Object.defineProperty(observed, 0, { - get: function () { - getCount += 1; - return { bar: 'baz' }; - }, - set: function () { setCount += 1; } - }); - utils.merge(observed, [null]); - st.equal(setCount, 0); - st.equal(getCount, 1); - observed[0] = observed[0]; // eslint-disable-line no-self-assign - st.equal(setCount, 1); - st.equal(getCount, 2); - st.end(); - } - ); - t.end(); }); @@ -66,71 +32,3 @@ test('assign()', function (t) { t.end(); }); - -test('combine()', function (t) { - t.test('both arrays', function (st) { - var a = [1]; - var b = [2]; - var combined = utils.combine(a, b); - - st.deepEqual(a, [1], 'a is not mutated'); - st.deepEqual(b, [2], 'b is not mutated'); - st.notEqual(a, combined, 'a !== combined'); - st.notEqual(b, combined, 'b !== combined'); - st.deepEqual(combined, [1, 2], 'combined is a + b'); - - st.end(); - }); - - t.test('one array, one non-array', function (st) { - var aN = 1; - var a = [aN]; - var bN = 2; - var b = [bN]; - - var combinedAnB = utils.combine(aN, b); - st.deepEqual(b, [bN], 'b is not mutated'); - st.notEqual(aN, combinedAnB, 'aN + b !== aN'); - st.notEqual(a, combinedAnB, 'aN + b !== a'); - st.notEqual(bN, combinedAnB, 'aN + b !== bN'); - st.notEqual(b, combinedAnB, 'aN + b !== b'); - st.deepEqual([1, 2], combinedAnB, 'first argument is array-wrapped when not an array'); - - var combinedABn = utils.combine(a, bN); - st.deepEqual(a, [aN], 'a is not mutated'); - st.notEqual(aN, combinedABn, 'a + bN !== aN'); - st.notEqual(a, combinedABn, 'a + bN !== a'); - st.notEqual(bN, combinedABn, 'a + bN !== bN'); - st.notEqual(b, combinedABn, 'a + bN !== b'); - st.deepEqual([1, 2], combinedABn, 'second argument is array-wrapped when not an array'); - - st.end(); - }); - - t.test('neither is an array', function (st) { - var combined = utils.combine(1, 2); - st.notEqual(1, combined, '1 + 2 !== 1'); - st.notEqual(2, combined, '1 + 2 !== 2'); - st.deepEqual([1, 2], combined, 'both arguments are array-wrapped when not an array'); - - st.end(); - }); - - t.end(); -}); - -test('isBuffer()', function (t) { - forEach([null, undefined, true, false, '', 'abc', 42, 0, NaN, {}, [], function () {}, /a/g], function (x) { - t.equal(utils.isBuffer(x), false, inspect(x) + ' is not a buffer'); - }); - - var fakeBuffer = { constructor: Buffer }; - t.equal(utils.isBuffer(fakeBuffer), false, 'fake buffer is not a buffer'); - - var saferBuffer = SaferBuffer.from('abc'); - t.equal(utils.isBuffer(saferBuffer), true, 'SaferBuffer instance is a buffer'); - - var buffer = Buffer.from && Buffer.alloc ? Buffer.from('abc') : new Buffer('abc'); - t.equal(utils.isBuffer(buffer), true, 'real Buffer instance is a buffer'); - t.end(); -}); diff --git a/node_modules/raw-body/node_modules/depd/History.md b/node_modules/raw-body/node_modules/depd/History.md new file mode 100644 index 0000000..cd9ebaa --- /dev/null +++ b/node_modules/raw-body/node_modules/depd/History.md @@ -0,0 +1,103 @@ +2.0.0 / 2018-10-26 +================== + + * Drop support for Node.js 0.6 + * Replace internal `eval` usage with `Function` constructor + * Use instance methods on `process` to check for listeners + +1.1.2 / 2018-01-11 +================== + + * perf: remove argument reassignment + * Support Node.js 0.6 to 9.x + +1.1.1 / 2017-07-27 +================== + + * Remove unnecessary `Buffer` loading + * Support Node.js 0.6 to 8.x + +1.1.0 / 2015-09-14 +================== + + * Enable strict mode in more places + * Support io.js 3.x + * Support io.js 2.x + * Support web browser loading + - Requires bundler like Browserify or webpack + +1.0.1 / 2015-04-07 +================== + + * Fix `TypeError`s when under `'use strict'` code + * Fix useless type name on auto-generated messages + * Support io.js 1.x + * Support Node.js 0.12 + +1.0.0 / 2014-09-17 +================== + + * No changes + +0.4.5 / 2014-09-09 +================== + + * Improve call speed to functions using the function wrapper + * Support Node.js 0.6 + +0.4.4 / 2014-07-27 +================== + + * Work-around v8 generating empty stack traces + +0.4.3 / 2014-07-26 +================== + + * Fix exception when global `Error.stackTraceLimit` is too low + +0.4.2 / 2014-07-19 +================== + + * Correct call site for wrapped functions and properties + +0.4.1 / 2014-07-19 +================== + + * Improve automatic message generation for function properties + +0.4.0 / 2014-07-19 +================== + + * Add `TRACE_DEPRECATION` environment variable + * Remove non-standard grey color from color output + * Support `--no-deprecation` argument + * Support `--trace-deprecation` argument + * Support `deprecate.property(fn, prop, message)` + +0.3.0 / 2014-06-16 +================== + + * Add `NO_DEPRECATION` environment variable + +0.2.0 / 2014-06-15 +================== + + * Add `deprecate.property(obj, prop, message)` + * Remove `supports-color` dependency for node.js 0.8 + +0.1.0 / 2014-06-15 +================== + + * Add `deprecate.function(fn, message)` + * Add `process.on('deprecation', fn)` emitter + * Automatically generate message when omitted from `deprecate()` + +0.0.1 / 2014-06-15 +================== + + * Fix warning for dynamic calls at singe call site + +0.0.0 / 2014-06-15 +================== + + * Initial implementation diff --git a/node_modules/raw-body/node_modules/depd/LICENSE b/node_modules/raw-body/node_modules/depd/LICENSE new file mode 100644 index 0000000..248de7a --- /dev/null +++ b/node_modules/raw-body/node_modules/depd/LICENSE @@ -0,0 +1,22 @@ +(The MIT License) + +Copyright (c) 2014-2018 Douglas Christopher Wilson + +Permission is hereby granted, free of charge, to any person obtaining +a copy of this software and associated documentation files (the +'Software'), to deal in the Software without restriction, including +without limitation the rights to use, copy, modify, merge, publish, +distribute, sublicense, and/or sell copies of the Software, and to +permit persons to whom the Software is furnished to do so, subject to +the following conditions: + +The above copyright notice and this permission notice shall be +included in all copies or substantial portions of the Software. + +THE SOFTWARE IS PROVIDED 'AS IS', WITHOUT WARRANTY OF ANY KIND, +EXPRESS OR IMPLIED, INCLUDING BUT NOT LIMITED TO THE WARRANTIES OF +MERCHANTABILITY, FITNESS FOR A PARTICULAR PURPOSE AND NONINFRINGEMENT. +IN NO EVENT SHALL THE AUTHORS OR COPYRIGHT HOLDERS BE LIABLE FOR ANY +CLAIM, DAMAGES OR OTHER LIABILITY, WHETHER IN AN ACTION OF CONTRACT, +TORT OR OTHERWISE, ARISING FROM, OUT OF OR IN CONNECTION WITH THE +SOFTWARE OR THE USE OR OTHER DEALINGS IN THE SOFTWARE. diff --git a/node_modules/raw-body/node_modules/depd/Readme.md b/node_modules/raw-body/node_modules/depd/Readme.md new file mode 100644 index 0000000..043d1ca --- /dev/null +++ b/node_modules/raw-body/node_modules/depd/Readme.md @@ -0,0 +1,280 @@ +# depd + +[![NPM Version][npm-version-image]][npm-url] +[![NPM Downloads][npm-downloads-image]][npm-url] +[![Node.js Version][node-image]][node-url] +[![Linux Build][travis-image]][travis-url] +[![Windows Build][appveyor-image]][appveyor-url] +[![Coverage Status][coveralls-image]][coveralls-url] + +Deprecate all the things + +> With great modules comes great responsibility; mark things deprecated! + +## Install + +This module is installed directly using `npm`: + +```sh +$ npm install depd +``` + +This module can also be bundled with systems like +[Browserify](http://browserify.org/) or [webpack](https://webpack.github.io/), +though by default this module will alter it's API to no longer display or +track deprecations. + +## API + + + +```js +var deprecate = require('depd')('my-module') +``` + +This library allows you to display deprecation messages to your users. +This library goes above and beyond with deprecation warnings by +introspection of the call stack (but only the bits that it is interested +in). + +Instead of just warning on the first invocation of a deprecated +function and never again, this module will warn on the first invocation +of a deprecated function per unique call site, making it ideal to alert +users of all deprecated uses across the code base, rather than just +whatever happens to execute first. + +The deprecation warnings from this module also include the file and line +information for the call into the module that the deprecated function was +in. + +**NOTE** this library has a similar interface to the `debug` module, and +this module uses the calling file to get the boundary for the call stacks, +so you should always create a new `deprecate` object in each file and not +within some central file. + +### depd(namespace) + +Create a new deprecate function that uses the given namespace name in the +messages and will display the call site prior to the stack entering the +file this function was called from. It is highly suggested you use the +name of your module as the namespace. + +### deprecate(message) + +Call this function from deprecated code to display a deprecation message. +This message will appear once per unique caller site. Caller site is the +first call site in the stack in a different file from the caller of this +function. + +If the message is omitted, a message is generated for you based on the site +of the `deprecate()` call and will display the name of the function called, +similar to the name displayed in a stack trace. + +### deprecate.function(fn, message) + +Call this function to wrap a given function in a deprecation message on any +call to the function. An optional message can be supplied to provide a custom +message. + +### deprecate.property(obj, prop, message) + +Call this function to wrap a given property on object in a deprecation message +on any accessing or setting of the property. An optional message can be supplied +to provide a custom message. + +The method must be called on the object where the property belongs (not +inherited from the prototype). + +If the property is a data descriptor, it will be converted to an accessor +descriptor in order to display the deprecation message. + +### process.on('deprecation', fn) + +This module will allow easy capturing of deprecation errors by emitting the +errors as the type "deprecation" on the global `process`. If there are no +listeners for this type, the errors are written to STDERR as normal, but if +there are any listeners, nothing will be written to STDERR and instead only +emitted. From there, you can write the errors in a different format or to a +logging source. + +The error represents the deprecation and is emitted only once with the same +rules as writing to STDERR. The error has the following properties: + + - `message` - This is the message given by the library + - `name` - This is always `'DeprecationError'` + - `namespace` - This is the namespace the deprecation came from + - `stack` - This is the stack of the call to the deprecated thing + +Example `error.stack` output: + +``` +DeprecationError: my-cool-module deprecated oldfunction + at Object. ([eval]-wrapper:6:22) + at Module._compile (module.js:456:26) + at evalScript (node.js:532:25) + at startup (node.js:80:7) + at node.js:902:3 +``` + +### process.env.NO_DEPRECATION + +As a user of modules that are deprecated, the environment variable `NO_DEPRECATION` +is provided as a quick solution to silencing deprecation warnings from being +output. The format of this is similar to that of `DEBUG`: + +```sh +$ NO_DEPRECATION=my-module,othermod node app.js +``` + +This will suppress deprecations from being output for "my-module" and "othermod". +The value is a list of comma-separated namespaces. To suppress every warning +across all namespaces, use the value `*` for a namespace. + +Providing the argument `--no-deprecation` to the `node` executable will suppress +all deprecations (only available in Node.js 0.8 or higher). + +**NOTE** This will not suppress the deperecations given to any "deprecation" +event listeners, just the output to STDERR. + +### process.env.TRACE_DEPRECATION + +As a user of modules that are deprecated, the environment variable `TRACE_DEPRECATION` +is provided as a solution to getting more detailed location information in deprecation +warnings by including the entire stack trace. The format of this is the same as +`NO_DEPRECATION`: + +```sh +$ TRACE_DEPRECATION=my-module,othermod node app.js +``` + +This will include stack traces for deprecations being output for "my-module" and +"othermod". The value is a list of comma-separated namespaces. To trace every +warning across all namespaces, use the value `*` for a namespace. + +Providing the argument `--trace-deprecation` to the `node` executable will trace +all deprecations (only available in Node.js 0.8 or higher). + +**NOTE** This will not trace the deperecations silenced by `NO_DEPRECATION`. + +## Display + +![message](files/message.png) + +When a user calls a function in your library that you mark deprecated, they +will see the following written to STDERR (in the given colors, similar colors +and layout to the `debug` module): + +``` +bright cyan bright yellow +| | reset cyan +| | | | +▼ ▼ ▼ ▼ +my-cool-module deprecated oldfunction [eval]-wrapper:6:22 +▲ ▲ ▲ ▲ +| | | | +namespace | | location of mycoolmod.oldfunction() call + | deprecation message + the word "deprecated" +``` + +If the user redirects their STDERR to a file or somewhere that does not support +colors, they see (similar layout to the `debug` module): + +``` +Sun, 15 Jun 2014 05:21:37 GMT my-cool-module deprecated oldfunction at [eval]-wrapper:6:22 +▲ ▲ ▲ ▲ ▲ +| | | | | +timestamp of message namespace | | location of mycoolmod.oldfunction() call + | deprecation message + the word "deprecated" +``` + +## Examples + +### Deprecating all calls to a function + +This will display a deprecated message about "oldfunction" being deprecated +from "my-module" on STDERR. + +```js +var deprecate = require('depd')('my-cool-module') + +// message automatically derived from function name +// Object.oldfunction +exports.oldfunction = deprecate.function(function oldfunction () { + // all calls to function are deprecated +}) + +// specific message +exports.oldfunction = deprecate.function(function () { + // all calls to function are deprecated +}, 'oldfunction') +``` + +### Conditionally deprecating a function call + +This will display a deprecated message about "weirdfunction" being deprecated +from "my-module" on STDERR when called with less than 2 arguments. + +```js +var deprecate = require('depd')('my-cool-module') + +exports.weirdfunction = function () { + if (arguments.length < 2) { + // calls with 0 or 1 args are deprecated + deprecate('weirdfunction args < 2') + } +} +``` + +When calling `deprecate` as a function, the warning is counted per call site +within your own module, so you can display different deprecations depending +on different situations and the users will still get all the warnings: + +```js +var deprecate = require('depd')('my-cool-module') + +exports.weirdfunction = function () { + if (arguments.length < 2) { + // calls with 0 or 1 args are deprecated + deprecate('weirdfunction args < 2') + } else if (typeof arguments[0] !== 'string') { + // calls with non-string first argument are deprecated + deprecate('weirdfunction non-string first arg') + } +} +``` + +### Deprecating property access + +This will display a deprecated message about "oldprop" being deprecated +from "my-module" on STDERR when accessed. A deprecation will be displayed +when setting the value and when getting the value. + +```js +var deprecate = require('depd')('my-cool-module') + +exports.oldprop = 'something' + +// message automatically derives from property name +deprecate.property(exports, 'oldprop') + +// explicit message +deprecate.property(exports, 'oldprop', 'oldprop >= 0.10') +``` + +## License + +[MIT](LICENSE) + +[appveyor-image]: https://badgen.net/appveyor/ci/dougwilson/nodejs-depd/master?label=windows +[appveyor-url]: https://ci.appveyor.com/project/dougwilson/nodejs-depd +[coveralls-image]: https://badgen.net/coveralls/c/github/dougwilson/nodejs-depd/master +[coveralls-url]: https://coveralls.io/r/dougwilson/nodejs-depd?branch=master +[node-image]: https://badgen.net/npm/node/depd +[node-url]: https://nodejs.org/en/download/ +[npm-downloads-image]: https://badgen.net/npm/dm/depd +[npm-url]: https://npmjs.org/package/depd +[npm-version-image]: https://badgen.net/npm/v/depd +[travis-image]: https://badgen.net/travis/dougwilson/nodejs-depd/master?label=linux +[travis-url]: https://travis-ci.org/dougwilson/nodejs-depd diff --git a/node_modules/raw-body/node_modules/depd/index.js b/node_modules/raw-body/node_modules/depd/index.js new file mode 100644 index 0000000..1bf2fcf --- /dev/null +++ b/node_modules/raw-body/node_modules/depd/index.js @@ -0,0 +1,538 @@ +/*! + * depd + * Copyright(c) 2014-2018 Douglas Christopher Wilson + * MIT Licensed + */ + +/** + * Module dependencies. + */ + +var relative = require('path').relative + +/** + * Module exports. + */ + +module.exports = depd + +/** + * Get the path to base files on. + */ + +var basePath = process.cwd() + +/** + * Determine if namespace is contained in the string. + */ + +function containsNamespace (str, namespace) { + var vals = str.split(/[ ,]+/) + var ns = String(namespace).toLowerCase() + + for (var i = 0; i < vals.length; i++) { + var val = vals[i] + + // namespace contained + if (val && (val === '*' || val.toLowerCase() === ns)) { + return true + } + } + + return false +} + +/** + * Convert a data descriptor to accessor descriptor. + */ + +function convertDataDescriptorToAccessor (obj, prop, message) { + var descriptor = Object.getOwnPropertyDescriptor(obj, prop) + var value = descriptor.value + + descriptor.get = function getter () { return value } + + if (descriptor.writable) { + descriptor.set = function setter (val) { return (value = val) } + } + + delete descriptor.value + delete descriptor.writable + + Object.defineProperty(obj, prop, descriptor) + + return descriptor +} + +/** + * Create arguments string to keep arity. + */ + +function createArgumentsString (arity) { + var str = '' + + for (var i = 0; i < arity; i++) { + str += ', arg' + i + } + + return str.substr(2) +} + +/** + * Create stack string from stack. + */ + +function createStackString (stack) { + var str = this.name + ': ' + this.namespace + + if (this.message) { + str += ' deprecated ' + this.message + } + + for (var i = 0; i < stack.length; i++) { + str += '\n at ' + stack[i].toString() + } + + return str +} + +/** + * Create deprecate for namespace in caller. + */ + +function depd (namespace) { + if (!namespace) { + throw new TypeError('argument namespace is required') + } + + var stack = getStack() + var site = callSiteLocation(stack[1]) + var file = site[0] + + function deprecate (message) { + // call to self as log + log.call(deprecate, message) + } + + deprecate._file = file + deprecate._ignored = isignored(namespace) + deprecate._namespace = namespace + deprecate._traced = istraced(namespace) + deprecate._warned = Object.create(null) + + deprecate.function = wrapfunction + deprecate.property = wrapproperty + + return deprecate +} + +/** + * Determine if event emitter has listeners of a given type. + * + * The way to do this check is done three different ways in Node.js >= 0.8 + * so this consolidates them into a minimal set using instance methods. + * + * @param {EventEmitter} emitter + * @param {string} type + * @returns {boolean} + * @private + */ + +function eehaslisteners (emitter, type) { + var count = typeof emitter.listenerCount !== 'function' + ? emitter.listeners(type).length + : emitter.listenerCount(type) + + return count > 0 +} + +/** + * Determine if namespace is ignored. + */ + +function isignored (namespace) { + if (process.noDeprecation) { + // --no-deprecation support + return true + } + + var str = process.env.NO_DEPRECATION || '' + + // namespace ignored + return containsNamespace(str, namespace) +} + +/** + * Determine if namespace is traced. + */ + +function istraced (namespace) { + if (process.traceDeprecation) { + // --trace-deprecation support + return true + } + + var str = process.env.TRACE_DEPRECATION || '' + + // namespace traced + return containsNamespace(str, namespace) +} + +/** + * Display deprecation message. + */ + +function log (message, site) { + var haslisteners = eehaslisteners(process, 'deprecation') + + // abort early if no destination + if (!haslisteners && this._ignored) { + return + } + + var caller + var callFile + var callSite + var depSite + var i = 0 + var seen = false + var stack = getStack() + var file = this._file + + if (site) { + // provided site + depSite = site + callSite = callSiteLocation(stack[1]) + callSite.name = depSite.name + file = callSite[0] + } else { + // get call site + i = 2 + depSite = callSiteLocation(stack[i]) + callSite = depSite + } + + // get caller of deprecated thing in relation to file + for (; i < stack.length; i++) { + caller = callSiteLocation(stack[i]) + callFile = caller[0] + + if (callFile === file) { + seen = true + } else if (callFile === this._file) { + file = this._file + } else if (seen) { + break + } + } + + var key = caller + ? depSite.join(':') + '__' + caller.join(':') + : undefined + + if (key !== undefined && key in this._warned) { + // already warned + return + } + + this._warned[key] = true + + // generate automatic message from call site + var msg = message + if (!msg) { + msg = callSite === depSite || !callSite.name + ? defaultMessage(depSite) + : defaultMessage(callSite) + } + + // emit deprecation if listeners exist + if (haslisteners) { + var err = DeprecationError(this._namespace, msg, stack.slice(i)) + process.emit('deprecation', err) + return + } + + // format and write message + var format = process.stderr.isTTY + ? formatColor + : formatPlain + var output = format.call(this, msg, caller, stack.slice(i)) + process.stderr.write(output + '\n', 'utf8') +} + +/** + * Get call site location as array. + */ + +function callSiteLocation (callSite) { + var file = callSite.getFileName() || '' + var line = callSite.getLineNumber() + var colm = callSite.getColumnNumber() + + if (callSite.isEval()) { + file = callSite.getEvalOrigin() + ', ' + file + } + + var site = [file, line, colm] + + site.callSite = callSite + site.name = callSite.getFunctionName() + + return site +} + +/** + * Generate a default message from the site. + */ + +function defaultMessage (site) { + var callSite = site.callSite + var funcName = site.name + + // make useful anonymous name + if (!funcName) { + funcName = '' + } + + var context = callSite.getThis() + var typeName = context && callSite.getTypeName() + + // ignore useless type name + if (typeName === 'Object') { + typeName = undefined + } + + // make useful type name + if (typeName === 'Function') { + typeName = context.name || typeName + } + + return typeName && callSite.getMethodName() + ? typeName + '.' + funcName + : funcName +} + +/** + * Format deprecation message without color. + */ + +function formatPlain (msg, caller, stack) { + var timestamp = new Date().toUTCString() + + var formatted = timestamp + + ' ' + this._namespace + + ' deprecated ' + msg + + // add stack trace + if (this._traced) { + for (var i = 0; i < stack.length; i++) { + formatted += '\n at ' + stack[i].toString() + } + + return formatted + } + + if (caller) { + formatted += ' at ' + formatLocation(caller) + } + + return formatted +} + +/** + * Format deprecation message with color. + */ + +function formatColor (msg, caller, stack) { + var formatted = '\x1b[36;1m' + this._namespace + '\x1b[22;39m' + // bold cyan + ' \x1b[33;1mdeprecated\x1b[22;39m' + // bold yellow + ' \x1b[0m' + msg + '\x1b[39m' // reset + + // add stack trace + if (this._traced) { + for (var i = 0; i < stack.length; i++) { + formatted += '\n \x1b[36mat ' + stack[i].toString() + '\x1b[39m' // cyan + } + + return formatted + } + + if (caller) { + formatted += ' \x1b[36m' + formatLocation(caller) + '\x1b[39m' // cyan + } + + return formatted +} + +/** + * Format call site location. + */ + +function formatLocation (callSite) { + return relative(basePath, callSite[0]) + + ':' + callSite[1] + + ':' + callSite[2] +} + +/** + * Get the stack as array of call sites. + */ + +function getStack () { + var limit = Error.stackTraceLimit + var obj = {} + var prep = Error.prepareStackTrace + + Error.prepareStackTrace = prepareObjectStackTrace + Error.stackTraceLimit = Math.max(10, limit) + + // capture the stack + Error.captureStackTrace(obj) + + // slice this function off the top + var stack = obj.stack.slice(1) + + Error.prepareStackTrace = prep + Error.stackTraceLimit = limit + + return stack +} + +/** + * Capture call site stack from v8. + */ + +function prepareObjectStackTrace (obj, stack) { + return stack +} + +/** + * Return a wrapped function in a deprecation message. + */ + +function wrapfunction (fn, message) { + if (typeof fn !== 'function') { + throw new TypeError('argument fn must be a function') + } + + var args = createArgumentsString(fn.length) + var stack = getStack() + var site = callSiteLocation(stack[1]) + + site.name = fn.name + + // eslint-disable-next-line no-new-func + var deprecatedfn = new Function('fn', 'log', 'deprecate', 'message', 'site', + '"use strict"\n' + + 'return function (' + args + ') {' + + 'log.call(deprecate, message, site)\n' + + 'return fn.apply(this, arguments)\n' + + '}')(fn, log, this, message, site) + + return deprecatedfn +} + +/** + * Wrap property in a deprecation message. + */ + +function wrapproperty (obj, prop, message) { + if (!obj || (typeof obj !== 'object' && typeof obj !== 'function')) { + throw new TypeError('argument obj must be object') + } + + var descriptor = Object.getOwnPropertyDescriptor(obj, prop) + + if (!descriptor) { + throw new TypeError('must call property on owner object') + } + + if (!descriptor.configurable) { + throw new TypeError('property must be configurable') + } + + var deprecate = this + var stack = getStack() + var site = callSiteLocation(stack[1]) + + // set site name + site.name = prop + + // convert data descriptor + if ('value' in descriptor) { + descriptor = convertDataDescriptorToAccessor(obj, prop, message) + } + + var get = descriptor.get + var set = descriptor.set + + // wrap getter + if (typeof get === 'function') { + descriptor.get = function getter () { + log.call(deprecate, message, site) + return get.apply(this, arguments) + } + } + + // wrap setter + if (typeof set === 'function') { + descriptor.set = function setter () { + log.call(deprecate, message, site) + return set.apply(this, arguments) + } + } + + Object.defineProperty(obj, prop, descriptor) +} + +/** + * Create DeprecationError for deprecation + */ + +function DeprecationError (namespace, message, stack) { + var error = new Error() + var stackString + + Object.defineProperty(error, 'constructor', { + value: DeprecationError + }) + + Object.defineProperty(error, 'message', { + configurable: true, + enumerable: false, + value: message, + writable: true + }) + + Object.defineProperty(error, 'name', { + enumerable: false, + configurable: true, + value: 'DeprecationError', + writable: true + }) + + Object.defineProperty(error, 'namespace', { + configurable: true, + enumerable: false, + value: namespace, + writable: true + }) + + Object.defineProperty(error, 'stack', { + configurable: true, + enumerable: false, + get: function () { + if (stackString !== undefined) { + return stackString + } + + // prepare stack trace + return (stackString = createStackString.call(this, stack)) + }, + set: function setter (val) { + stackString = val + } + }) + + return error +} diff --git a/node_modules/raw-body/node_modules/depd/lib/browser/index.js b/node_modules/raw-body/node_modules/depd/lib/browser/index.js new file mode 100644 index 0000000..6be45cc --- /dev/null +++ b/node_modules/raw-body/node_modules/depd/lib/browser/index.js @@ -0,0 +1,77 @@ +/*! + * depd + * Copyright(c) 2015 Douglas Christopher Wilson + * MIT Licensed + */ + +'use strict' + +/** + * Module exports. + * @public + */ + +module.exports = depd + +/** + * Create deprecate for namespace in caller. + */ + +function depd (namespace) { + if (!namespace) { + throw new TypeError('argument namespace is required') + } + + function deprecate (message) { + // no-op in browser + } + + deprecate._file = undefined + deprecate._ignored = true + deprecate._namespace = namespace + deprecate._traced = false + deprecate._warned = Object.create(null) + + deprecate.function = wrapfunction + deprecate.property = wrapproperty + + return deprecate +} + +/** + * Return a wrapped function in a deprecation message. + * + * This is a no-op version of the wrapper, which does nothing but call + * validation. + */ + +function wrapfunction (fn, message) { + if (typeof fn !== 'function') { + throw new TypeError('argument fn must be a function') + } + + return fn +} + +/** + * Wrap property in a deprecation message. + * + * This is a no-op version of the wrapper, which does nothing but call + * validation. + */ + +function wrapproperty (obj, prop, message) { + if (!obj || (typeof obj !== 'object' && typeof obj !== 'function')) { + throw new TypeError('argument obj must be object') + } + + var descriptor = Object.getOwnPropertyDescriptor(obj, prop) + + if (!descriptor) { + throw new TypeError('must call property on owner object') + } + + if (!descriptor.configurable) { + throw new TypeError('property must be configurable') + } +} diff --git a/node_modules/raw-body/node_modules/depd/package.json b/node_modules/raw-body/node_modules/depd/package.json new file mode 100644 index 0000000..3857e19 --- /dev/null +++ b/node_modules/raw-body/node_modules/depd/package.json @@ -0,0 +1,45 @@ +{ + "name": "depd", + "description": "Deprecate all the things", + "version": "2.0.0", + "author": "Douglas Christopher Wilson ", + "license": "MIT", + "keywords": [ + "deprecate", + "deprecated" + ], + "repository": "dougwilson/nodejs-depd", + "browser": "lib/browser/index.js", + "devDependencies": { + "benchmark": "2.1.4", + "beautify-benchmark": "0.2.4", + "eslint": "5.7.0", + "eslint-config-standard": "12.0.0", + "eslint-plugin-import": "2.14.0", + "eslint-plugin-markdown": "1.0.0-beta.7", + "eslint-plugin-node": "7.0.1", + "eslint-plugin-promise": "4.0.1", + "eslint-plugin-standard": "4.0.0", + "istanbul": "0.4.5", + "mocha": "5.2.0", + "safe-buffer": "5.1.2", + "uid-safe": "2.1.5" + }, + "files": [ + "lib/", + "History.md", + "LICENSE", + "index.js", + "Readme.md" + ], + "engines": { + "node": ">= 0.8" + }, + "scripts": { + "bench": "node benchmark/index.js", + "lint": "eslint --plugin markdown --ext js,md .", + "test": "mocha --reporter spec --bail test/", + "test-ci": "istanbul cover --print=none node_modules/mocha/bin/_mocha -- --reporter spec test/ && istanbul report lcovonly text-summary", + "test-cov": "istanbul cover --print=none node_modules/mocha/bin/_mocha -- --reporter dot test/ && istanbul report lcov text-summary" + } +} diff --git a/node_modules/raw-body/node_modules/http-errors/HISTORY.md b/node_modules/raw-body/node_modules/http-errors/HISTORY.md new file mode 100644 index 0000000..7228684 --- /dev/null +++ b/node_modules/raw-body/node_modules/http-errors/HISTORY.md @@ -0,0 +1,180 @@ +2.0.0 / 2021-12-17 +================== + + * Drop support for Node.js 0.6 + * Remove `I'mateapot` export; use `ImATeapot` instead + * Remove support for status being non-first argument + * Rename `UnorderedCollection` constructor to `TooEarly` + * deps: depd@2.0.0 + - Replace internal `eval` usage with `Function` constructor + - Use instance methods on `process` to check for listeners + * deps: statuses@2.0.1 + - Fix messaging casing of `418 I'm a Teapot` + - Remove code 306 + - Rename `425 Unordered Collection` to standard `425 Too Early` + +2021-11-14 / 1.8.1 +================== + + * deps: toidentifier@1.0.1 + +2020-06-29 / 1.8.0 +================== + + * Add `isHttpError` export to determine if value is an HTTP error + * deps: setprototypeof@1.2.0 + +2019-06-24 / 1.7.3 +================== + + * deps: inherits@2.0.4 + +2019-02-18 / 1.7.2 +================== + + * deps: setprototypeof@1.1.1 + +2018-09-08 / 1.7.1 +================== + + * Fix error creating objects in some environments + +2018-07-30 / 1.7.0 +================== + + * Set constructor name when possible + * Use `toidentifier` module to make class names + * deps: statuses@'>= 1.5.0 < 2' + +2018-03-29 / 1.6.3 +================== + + * deps: depd@~1.1.2 + - perf: remove argument reassignment + * deps: setprototypeof@1.1.0 + * deps: statuses@'>= 1.4.0 < 2' + +2017-08-04 / 1.6.2 +================== + + * deps: depd@1.1.1 + - Remove unnecessary `Buffer` loading + +2017-02-20 / 1.6.1 +================== + + * deps: setprototypeof@1.0.3 + - Fix shim for old browsers + +2017-02-14 / 1.6.0 +================== + + * Accept custom 4xx and 5xx status codes in factory + * Add deprecation message to `"I'mateapot"` export + * Deprecate passing status code as anything except first argument in factory + * Deprecate using non-error status codes + * Make `message` property enumerable for `HttpError`s + +2016-11-16 / 1.5.1 +================== + + * deps: inherits@2.0.3 + - Fix issue loading in browser + * deps: setprototypeof@1.0.2 + * deps: statuses@'>= 1.3.1 < 2' + +2016-05-18 / 1.5.0 +================== + + * Support new code `421 Misdirected Request` + * Use `setprototypeof` module to replace `__proto__` setting + * deps: statuses@'>= 1.3.0 < 2' + - Add `421 Misdirected Request` + - perf: enable strict mode + * perf: enable strict mode + +2016-01-28 / 1.4.0 +================== + + * Add `HttpError` export, for `err instanceof createError.HttpError` + * deps: inherits@2.0.1 + * deps: statuses@'>= 1.2.1 < 2' + - Fix message for status 451 + - Remove incorrect nginx status code + +2015-02-02 / 1.3.1 +================== + + * Fix regression where status can be overwritten in `createError` `props` + +2015-02-01 / 1.3.0 +================== + + * Construct errors using defined constructors from `createError` + * Fix error names that are not identifiers + - `createError["I'mateapot"]` is now `createError.ImATeapot` + * Set a meaningful `name` property on constructed errors + +2014-12-09 / 1.2.8 +================== + + * Fix stack trace from exported function + * Remove `arguments.callee` usage + +2014-10-14 / 1.2.7 +================== + + * Remove duplicate line + +2014-10-02 / 1.2.6 +================== + + * Fix `expose` to be `true` for `ClientError` constructor + +2014-09-28 / 1.2.5 +================== + + * deps: statuses@1 + +2014-09-21 / 1.2.4 +================== + + * Fix dependency version to work with old `npm`s + +2014-09-21 / 1.2.3 +================== + + * deps: statuses@~1.1.0 + +2014-09-21 / 1.2.2 +================== + + * Fix publish error + +2014-09-21 / 1.2.1 +================== + + * Support Node.js 0.6 + * Use `inherits` instead of `util` + +2014-09-09 / 1.2.0 +================== + + * Fix the way inheriting functions + * Support `expose` being provided in properties argument + +2014-09-08 / 1.1.0 +================== + + * Default status to 500 + * Support provided `error` to extend + +2014-09-08 / 1.0.1 +================== + + * Fix accepting string message + +2014-09-08 / 1.0.0 +================== + + * Initial release diff --git a/node_modules/raw-body/node_modules/http-errors/LICENSE b/node_modules/raw-body/node_modules/http-errors/LICENSE new file mode 100644 index 0000000..82af4df --- /dev/null +++ b/node_modules/raw-body/node_modules/http-errors/LICENSE @@ -0,0 +1,23 @@ + +The MIT License (MIT) + +Copyright (c) 2014 Jonathan Ong me@jongleberry.com +Copyright (c) 2016 Douglas Christopher Wilson doug@somethingdoug.com + +Permission is hereby granted, free of charge, to any person obtaining a copy +of this software and associated documentation files (the "Software"), to deal +in the Software without restriction, including without limitation the rights +to use, copy, modify, merge, publish, distribute, sublicense, and/or sell +copies of the Software, and to permit persons to whom the Software is +furnished to do so, subject to the following conditions: + +The above copyright notice and this permission notice shall be included in +all copies or substantial portions of the Software. + +THE SOFTWARE IS PROVIDED "AS IS", WITHOUT WARRANTY OF ANY KIND, EXPRESS OR +IMPLIED, INCLUDING BUT NOT LIMITED TO THE WARRANTIES OF MERCHANTABILITY, +FITNESS FOR A PARTICULAR PURPOSE AND NONINFRINGEMENT. IN NO EVENT SHALL THE +AUTHORS OR COPYRIGHT HOLDERS BE LIABLE FOR ANY CLAIM, DAMAGES OR OTHER +LIABILITY, WHETHER IN AN ACTION OF CONTRACT, TORT OR OTHERWISE, ARISING FROM, +OUT OF OR IN CONNECTION WITH THE SOFTWARE OR THE USE OR OTHER DEALINGS IN +THE SOFTWARE. diff --git a/node_modules/raw-body/node_modules/http-errors/README.md b/node_modules/raw-body/node_modules/http-errors/README.md new file mode 100644 index 0000000..a8b7330 --- /dev/null +++ b/node_modules/raw-body/node_modules/http-errors/README.md @@ -0,0 +1,169 @@ +# http-errors + +[![NPM Version][npm-version-image]][npm-url] +[![NPM Downloads][npm-downloads-image]][node-url] +[![Node.js Version][node-image]][node-url] +[![Build Status][ci-image]][ci-url] +[![Test Coverage][coveralls-image]][coveralls-url] + +Create HTTP errors for Express, Koa, Connect, etc. with ease. + +## Install + +This is a [Node.js](https://nodejs.org/en/) module available through the +[npm registry](https://www.npmjs.com/). Installation is done using the +[`npm install` command](https://docs.npmjs.com/getting-started/installing-npm-packages-locally): + +```console +$ npm install http-errors +``` + +## Example + +```js +var createError = require('http-errors') +var express = require('express') +var app = express() + +app.use(function (req, res, next) { + if (!req.user) return next(createError(401, 'Please login to view this page.')) + next() +}) +``` + +## API + +This is the current API, currently extracted from Koa and subject to change. + +### Error Properties + +- `expose` - can be used to signal if `message` should be sent to the client, + defaulting to `false` when `status` >= 500 +- `headers` - can be an object of header names to values to be sent to the + client, defaulting to `undefined`. When defined, the key names should all + be lower-cased +- `message` - the traditional error message, which should be kept short and all + single line +- `status` - the status code of the error, mirroring `statusCode` for general + compatibility +- `statusCode` - the status code of the error, defaulting to `500` + +### createError([status], [message], [properties]) + +Create a new error object with the given message `msg`. +The error object inherits from `createError.HttpError`. + +```js +var err = createError(404, 'This video does not exist!') +``` + +- `status: 500` - the status code as a number +- `message` - the message of the error, defaulting to node's text for that status code. +- `properties` - custom properties to attach to the object + +### createError([status], [error], [properties]) + +Extend the given `error` object with `createError.HttpError` +properties. This will not alter the inheritance of the given +`error` object, and the modified `error` object is the +return value. + + + +```js +fs.readFile('foo.txt', function (err, buf) { + if (err) { + if (err.code === 'ENOENT') { + var httpError = createError(404, err, { expose: false }) + } else { + var httpError = createError(500, err) + } + } +}) +``` + +- `status` - the status code as a number +- `error` - the error object to extend +- `properties` - custom properties to attach to the object + +### createError.isHttpError(val) + +Determine if the provided `val` is an `HttpError`. This will return `true` +if the error inherits from the `HttpError` constructor of this module or +matches the "duck type" for an error this module creates. All outputs from +the `createError` factory will return `true` for this function, including +if an non-`HttpError` was passed into the factory. + +### new createError\[code || name\](\[msg]\)) + +Create a new error object with the given message `msg`. +The error object inherits from `createError.HttpError`. + +```js +var err = new createError.NotFound() +``` + +- `code` - the status code as a number +- `name` - the name of the error as a "bumpy case", i.e. `NotFound` or `InternalServerError`. + +#### List of all constructors + +|Status Code|Constructor Name | +|-----------|-----------------------------| +|400 |BadRequest | +|401 |Unauthorized | +|402 |PaymentRequired | +|403 |Forbidden | +|404 |NotFound | +|405 |MethodNotAllowed | +|406 |NotAcceptable | +|407 |ProxyAuthenticationRequired | +|408 |RequestTimeout | +|409 |Conflict | +|410 |Gone | +|411 |LengthRequired | +|412 |PreconditionFailed | +|413 |PayloadTooLarge | +|414 |URITooLong | +|415 |UnsupportedMediaType | +|416 |RangeNotSatisfiable | +|417 |ExpectationFailed | +|418 |ImATeapot | +|421 |MisdirectedRequest | +|422 |UnprocessableEntity | +|423 |Locked | +|424 |FailedDependency | +|425 |TooEarly | +|426 |UpgradeRequired | +|428 |PreconditionRequired | +|429 |TooManyRequests | +|431 |RequestHeaderFieldsTooLarge | +|451 |UnavailableForLegalReasons | +|500 |InternalServerError | +|501 |NotImplemented | +|502 |BadGateway | +|503 |ServiceUnavailable | +|504 |GatewayTimeout | +|505 |HTTPVersionNotSupported | +|506 |VariantAlsoNegotiates | +|507 |InsufficientStorage | +|508 |LoopDetected | +|509 |BandwidthLimitExceeded | +|510 |NotExtended | +|511 |NetworkAuthenticationRequired| + +## License + +[MIT](LICENSE) + +[ci-image]: https://badgen.net/github/checks/jshttp/http-errors/master?label=ci +[ci-url]: https://github.com/jshttp/http-errors/actions?query=workflow%3Aci +[coveralls-image]: https://badgen.net/coveralls/c/github/jshttp/http-errors/master +[coveralls-url]: https://coveralls.io/r/jshttp/http-errors?branch=master +[node-image]: https://badgen.net/npm/node/http-errors +[node-url]: https://nodejs.org/en/download +[npm-downloads-image]: https://badgen.net/npm/dm/http-errors +[npm-url]: https://npmjs.org/package/http-errors +[npm-version-image]: https://badgen.net/npm/v/http-errors +[travis-image]: https://badgen.net/travis/jshttp/http-errors/master +[travis-url]: https://travis-ci.org/jshttp/http-errors diff --git a/node_modules/raw-body/node_modules/http-errors/index.js b/node_modules/raw-body/node_modules/http-errors/index.js new file mode 100644 index 0000000..c425f1e --- /dev/null +++ b/node_modules/raw-body/node_modules/http-errors/index.js @@ -0,0 +1,289 @@ +/*! + * http-errors + * Copyright(c) 2014 Jonathan Ong + * Copyright(c) 2016 Douglas Christopher Wilson + * MIT Licensed + */ + +'use strict' + +/** + * Module dependencies. + * @private + */ + +var deprecate = require('depd')('http-errors') +var setPrototypeOf = require('setprototypeof') +var statuses = require('statuses') +var inherits = require('inherits') +var toIdentifier = require('toidentifier') + +/** + * Module exports. + * @public + */ + +module.exports = createError +module.exports.HttpError = createHttpErrorConstructor() +module.exports.isHttpError = createIsHttpErrorFunction(module.exports.HttpError) + +// Populate exports for all constructors +populateConstructorExports(module.exports, statuses.codes, module.exports.HttpError) + +/** + * Get the code class of a status code. + * @private + */ + +function codeClass (status) { + return Number(String(status).charAt(0) + '00') +} + +/** + * Create a new HTTP Error. + * + * @returns {Error} + * @public + */ + +function createError () { + // so much arity going on ~_~ + var err + var msg + var status = 500 + var props = {} + for (var i = 0; i < arguments.length; i++) { + var arg = arguments[i] + var type = typeof arg + if (type === 'object' && arg instanceof Error) { + err = arg + status = err.status || err.statusCode || status + } else if (type === 'number' && i === 0) { + status = arg + } else if (type === 'string') { + msg = arg + } else if (type === 'object') { + props = arg + } else { + throw new TypeError('argument #' + (i + 1) + ' unsupported type ' + type) + } + } + + if (typeof status === 'number' && (status < 400 || status >= 600)) { + deprecate('non-error status code; use only 4xx or 5xx status codes') + } + + if (typeof status !== 'number' || + (!statuses.message[status] && (status < 400 || status >= 600))) { + status = 500 + } + + // constructor + var HttpError = createError[status] || createError[codeClass(status)] + + if (!err) { + // create error + err = HttpError + ? new HttpError(msg) + : new Error(msg || statuses.message[status]) + Error.captureStackTrace(err, createError) + } + + if (!HttpError || !(err instanceof HttpError) || err.status !== status) { + // add properties to generic error + err.expose = status < 500 + err.status = err.statusCode = status + } + + for (var key in props) { + if (key !== 'status' && key !== 'statusCode') { + err[key] = props[key] + } + } + + return err +} + +/** + * Create HTTP error abstract base class. + * @private + */ + +function createHttpErrorConstructor () { + function HttpError () { + throw new TypeError('cannot construct abstract class') + } + + inherits(HttpError, Error) + + return HttpError +} + +/** + * Create a constructor for a client error. + * @private + */ + +function createClientErrorConstructor (HttpError, name, code) { + var className = toClassName(name) + + function ClientError (message) { + // create the error object + var msg = message != null ? message : statuses.message[code] + var err = new Error(msg) + + // capture a stack trace to the construction point + Error.captureStackTrace(err, ClientError) + + // adjust the [[Prototype]] + setPrototypeOf(err, ClientError.prototype) + + // redefine the error message + Object.defineProperty(err, 'message', { + enumerable: true, + configurable: true, + value: msg, + writable: true + }) + + // redefine the error name + Object.defineProperty(err, 'name', { + enumerable: false, + configurable: true, + value: className, + writable: true + }) + + return err + } + + inherits(ClientError, HttpError) + nameFunc(ClientError, className) + + ClientError.prototype.status = code + ClientError.prototype.statusCode = code + ClientError.prototype.expose = true + + return ClientError +} + +/** + * Create function to test is a value is a HttpError. + * @private + */ + +function createIsHttpErrorFunction (HttpError) { + return function isHttpError (val) { + if (!val || typeof val !== 'object') { + return false + } + + if (val instanceof HttpError) { + return true + } + + return val instanceof Error && + typeof val.expose === 'boolean' && + typeof val.statusCode === 'number' && val.status === val.statusCode + } +} + +/** + * Create a constructor for a server error. + * @private + */ + +function createServerErrorConstructor (HttpError, name, code) { + var className = toClassName(name) + + function ServerError (message) { + // create the error object + var msg = message != null ? message : statuses.message[code] + var err = new Error(msg) + + // capture a stack trace to the construction point + Error.captureStackTrace(err, ServerError) + + // adjust the [[Prototype]] + setPrototypeOf(err, ServerError.prototype) + + // redefine the error message + Object.defineProperty(err, 'message', { + enumerable: true, + configurable: true, + value: msg, + writable: true + }) + + // redefine the error name + Object.defineProperty(err, 'name', { + enumerable: false, + configurable: true, + value: className, + writable: true + }) + + return err + } + + inherits(ServerError, HttpError) + nameFunc(ServerError, className) + + ServerError.prototype.status = code + ServerError.prototype.statusCode = code + ServerError.prototype.expose = false + + return ServerError +} + +/** + * Set the name of a function, if possible. + * @private + */ + +function nameFunc (func, name) { + var desc = Object.getOwnPropertyDescriptor(func, 'name') + + if (desc && desc.configurable) { + desc.value = name + Object.defineProperty(func, 'name', desc) + } +} + +/** + * Populate the exports object with constructors for every error class. + * @private + */ + +function populateConstructorExports (exports, codes, HttpError) { + codes.forEach(function forEachCode (code) { + var CodeError + var name = toIdentifier(statuses.message[code]) + + switch (codeClass(code)) { + case 400: + CodeError = createClientErrorConstructor(HttpError, name, code) + break + case 500: + CodeError = createServerErrorConstructor(HttpError, name, code) + break + } + + if (CodeError) { + // export the constructor + exports[code] = CodeError + exports[name] = CodeError + } + }) +} + +/** + * Get a class name from a name identifier. + * @private + */ + +function toClassName (name) { + return name.substr(-5) !== 'Error' + ? name + 'Error' + : name +} diff --git a/node_modules/raw-body/node_modules/http-errors/package.json b/node_modules/raw-body/node_modules/http-errors/package.json new file mode 100644 index 0000000..4cb6d7e --- /dev/null +++ b/node_modules/raw-body/node_modules/http-errors/package.json @@ -0,0 +1,50 @@ +{ + "name": "http-errors", + "description": "Create HTTP error objects", + "version": "2.0.0", + "author": "Jonathan Ong (http://jongleberry.com)", + "contributors": [ + "Alan Plum ", + "Douglas Christopher Wilson " + ], + "license": "MIT", + "repository": "jshttp/http-errors", + "dependencies": { + "depd": "2.0.0", + "inherits": "2.0.4", + "setprototypeof": "1.2.0", + "statuses": "2.0.1", + "toidentifier": "1.0.1" + }, + "devDependencies": { + "eslint": "7.32.0", + "eslint-config-standard": "14.1.1", + "eslint-plugin-import": "2.25.3", + "eslint-plugin-markdown": "2.2.1", + "eslint-plugin-node": "11.1.0", + "eslint-plugin-promise": "5.2.0", + "eslint-plugin-standard": "4.1.0", + "mocha": "9.1.3", + "nyc": "15.1.0" + }, + "engines": { + "node": ">= 0.8" + }, + "scripts": { + "lint": "eslint . && node ./scripts/lint-readme-list.js", + "test": "mocha --reporter spec --bail", + "test-ci": "nyc --reporter=lcov --reporter=text npm test", + "test-cov": "nyc --reporter=html --reporter=text npm test", + "version": "node scripts/version-history.js && git add HISTORY.md" + }, + "keywords": [ + "http", + "error" + ], + "files": [ + "index.js", + "HISTORY.md", + "LICENSE", + "README.md" + ] +} diff --git a/node_modules/raw-body/node_modules/inherits/LICENSE b/node_modules/raw-body/node_modules/inherits/LICENSE new file mode 100644 index 0000000..dea3013 --- /dev/null +++ b/node_modules/raw-body/node_modules/inherits/LICENSE @@ -0,0 +1,16 @@ +The ISC License + +Copyright (c) Isaac Z. Schlueter + +Permission to use, copy, modify, and/or distribute this software for any +purpose with or without fee is hereby granted, provided that the above +copyright notice and this permission notice appear in all copies. + +THE SOFTWARE IS PROVIDED "AS IS" AND THE AUTHOR DISCLAIMS ALL WARRANTIES WITH +REGARD TO THIS SOFTWARE INCLUDING ALL IMPLIED WARRANTIES OF MERCHANTABILITY AND +FITNESS. IN NO EVENT SHALL THE AUTHOR BE LIABLE FOR ANY SPECIAL, DIRECT, +INDIRECT, OR CONSEQUENTIAL DAMAGES OR ANY DAMAGES WHATSOEVER RESULTING FROM +LOSS OF USE, DATA OR PROFITS, WHETHER IN AN ACTION OF CONTRACT, NEGLIGENCE OR +OTHER TORTIOUS ACTION, ARISING OUT OF OR IN CONNECTION WITH THE USE OR +PERFORMANCE OF THIS SOFTWARE. + diff --git a/node_modules/raw-body/node_modules/inherits/README.md b/node_modules/raw-body/node_modules/inherits/README.md new file mode 100644 index 0000000..b1c5665 --- /dev/null +++ b/node_modules/raw-body/node_modules/inherits/README.md @@ -0,0 +1,42 @@ +Browser-friendly inheritance fully compatible with standard node.js +[inherits](http://nodejs.org/api/util.html#util_util_inherits_constructor_superconstructor). + +This package exports standard `inherits` from node.js `util` module in +node environment, but also provides alternative browser-friendly +implementation through [browser +field](https://gist.github.com/shtylman/4339901). Alternative +implementation is a literal copy of standard one located in standalone +module to avoid requiring of `util`. It also has a shim for old +browsers with no `Object.create` support. + +While keeping you sure you are using standard `inherits` +implementation in node.js environment, it allows bundlers such as +[browserify](https://github.com/substack/node-browserify) to not +include full `util` package to your client code if all you need is +just `inherits` function. It worth, because browser shim for `util` +package is large and `inherits` is often the single function you need +from it. + +It's recommended to use this package instead of +`require('util').inherits` for any code that has chances to be used +not only in node.js but in browser too. + +## usage + +```js +var inherits = require('inherits'); +// then use exactly as the standard one +``` + +## note on version ~1.0 + +Version ~1.0 had completely different motivation and is not compatible +neither with 2.0 nor with standard node.js `inherits`. + +If you are using version ~1.0 and planning to switch to ~2.0, be +careful: + +* new version uses `super_` instead of `super` for referencing + superclass +* new version overwrites current prototype while old one preserves any + existing fields on it diff --git a/node_modules/raw-body/node_modules/inherits/inherits.js b/node_modules/raw-body/node_modules/inherits/inherits.js new file mode 100644 index 0000000..f71f2d9 --- /dev/null +++ b/node_modules/raw-body/node_modules/inherits/inherits.js @@ -0,0 +1,9 @@ +try { + var util = require('util'); + /* istanbul ignore next */ + if (typeof util.inherits !== 'function') throw ''; + module.exports = util.inherits; +} catch (e) { + /* istanbul ignore next */ + module.exports = require('./inherits_browser.js'); +} diff --git a/node_modules/raw-body/node_modules/inherits/inherits_browser.js b/node_modules/raw-body/node_modules/inherits/inherits_browser.js new file mode 100644 index 0000000..86bbb3d --- /dev/null +++ b/node_modules/raw-body/node_modules/inherits/inherits_browser.js @@ -0,0 +1,27 @@ +if (typeof Object.create === 'function') { + // implementation from standard node.js 'util' module + module.exports = function inherits(ctor, superCtor) { + if (superCtor) { + ctor.super_ = superCtor + ctor.prototype = Object.create(superCtor.prototype, { + constructor: { + value: ctor, + enumerable: false, + writable: true, + configurable: true + } + }) + } + }; +} else { + // old school shim for old browsers + module.exports = function inherits(ctor, superCtor) { + if (superCtor) { + ctor.super_ = superCtor + var TempCtor = function () {} + TempCtor.prototype = superCtor.prototype + ctor.prototype = new TempCtor() + ctor.prototype.constructor = ctor + } + } +} diff --git a/node_modules/raw-body/node_modules/inherits/package.json b/node_modules/raw-body/node_modules/inherits/package.json new file mode 100644 index 0000000..37b4366 --- /dev/null +++ b/node_modules/raw-body/node_modules/inherits/package.json @@ -0,0 +1,29 @@ +{ + "name": "inherits", + "description": "Browser-friendly inheritance fully compatible with standard node.js inherits()", + "version": "2.0.4", + "keywords": [ + "inheritance", + "class", + "klass", + "oop", + "object-oriented", + "inherits", + "browser", + "browserify" + ], + "main": "./inherits.js", + "browser": "./inherits_browser.js", + "repository": "git://github.com/isaacs/inherits", + "license": "ISC", + "scripts": { + "test": "tap" + }, + "devDependencies": { + "tap": "^14.2.4" + }, + "files": [ + "inherits.js", + "inherits_browser.js" + ] +} diff --git a/node_modules/raw-body/node_modules/setprototypeof/LICENSE b/node_modules/raw-body/node_modules/setprototypeof/LICENSE new file mode 100644 index 0000000..61afa2f --- /dev/null +++ b/node_modules/raw-body/node_modules/setprototypeof/LICENSE @@ -0,0 +1,13 @@ +Copyright (c) 2015, Wes Todd + +Permission to use, copy, modify, and/or distribute this software for any +purpose with or without fee is hereby granted, provided that the above +copyright notice and this permission notice appear in all copies. + +THE SOFTWARE IS PROVIDED "AS IS" AND THE AUTHOR DISCLAIMS ALL WARRANTIES +WITH REGARD TO THIS SOFTWARE INCLUDING ALL IMPLIED WARRANTIES OF +MERCHANTABILITY AND FITNESS. IN NO EVENT SHALL THE AUTHOR BE LIABLE FOR ANY +SPECIAL, DIRECT, INDIRECT, OR CONSEQUENTIAL DAMAGES OR ANY DAMAGES +WHATSOEVER RESULTING FROM LOSS OF USE, DATA OR PROFITS, WHETHER IN AN ACTION +OF CONTRACT, NEGLIGENCE OR OTHER TORTIOUS ACTION, ARISING OUT OF OR IN +CONNECTION WITH THE USE OR PERFORMANCE OF THIS SOFTWARE. diff --git a/node_modules/raw-body/node_modules/setprototypeof/README.md b/node_modules/raw-body/node_modules/setprototypeof/README.md new file mode 100644 index 0000000..791eeff --- /dev/null +++ b/node_modules/raw-body/node_modules/setprototypeof/README.md @@ -0,0 +1,31 @@ +# Polyfill for `Object.setPrototypeOf` + +[![NPM Version](https://img.shields.io/npm/v/setprototypeof.svg)](https://npmjs.org/package/setprototypeof) +[![NPM Downloads](https://img.shields.io/npm/dm/setprototypeof.svg)](https://npmjs.org/package/setprototypeof) +[![js-standard-style](https://img.shields.io/badge/code%20style-standard-brightgreen.svg)](https://github.com/standard/standard) + +A simple cross platform implementation to set the prototype of an instianted object. Supports all modern browsers and at least back to IE8. + +## Usage: + +``` +$ npm install --save setprototypeof +``` + +```javascript +var setPrototypeOf = require('setprototypeof') + +var obj = {} +setPrototypeOf(obj, { + foo: function () { + return 'bar' + } +}) +obj.foo() // bar +``` + +TypeScript is also supported: + +```typescript +import setPrototypeOf from 'setprototypeof' +``` diff --git a/node_modules/raw-body/node_modules/setprototypeof/index.d.ts b/node_modules/raw-body/node_modules/setprototypeof/index.d.ts new file mode 100644 index 0000000..f108ecd --- /dev/null +++ b/node_modules/raw-body/node_modules/setprototypeof/index.d.ts @@ -0,0 +1,2 @@ +declare function setPrototypeOf(o: any, proto: object | null): any; +export = setPrototypeOf; diff --git a/node_modules/raw-body/node_modules/setprototypeof/index.js b/node_modules/raw-body/node_modules/setprototypeof/index.js new file mode 100644 index 0000000..c527055 --- /dev/null +++ b/node_modules/raw-body/node_modules/setprototypeof/index.js @@ -0,0 +1,17 @@ +'use strict' +/* eslint no-proto: 0 */ +module.exports = Object.setPrototypeOf || ({ __proto__: [] } instanceof Array ? setProtoOf : mixinProperties) + +function setProtoOf (obj, proto) { + obj.__proto__ = proto + return obj +} + +function mixinProperties (obj, proto) { + for (var prop in proto) { + if (!Object.prototype.hasOwnProperty.call(obj, prop)) { + obj[prop] = proto[prop] + } + } + return obj +} diff --git a/node_modules/raw-body/node_modules/setprototypeof/package.json b/node_modules/raw-body/node_modules/setprototypeof/package.json new file mode 100644 index 0000000..f20915b --- /dev/null +++ b/node_modules/raw-body/node_modules/setprototypeof/package.json @@ -0,0 +1,38 @@ +{ + "name": "setprototypeof", + "version": "1.2.0", + "description": "A small polyfill for Object.setprototypeof", + "main": "index.js", + "typings": "index.d.ts", + "scripts": { + "test": "standard && mocha", + "testallversions": "npm run node010 && npm run node4 && npm run node6 && npm run node9 && npm run node11", + "testversion": "docker run -it --rm -v $(PWD):/usr/src/app -w /usr/src/app node:${NODE_VER} npm install mocha@${MOCHA_VER:-latest} && npm t", + "node010": "NODE_VER=0.10 MOCHA_VER=3 npm run testversion", + "node4": "NODE_VER=4 npm run testversion", + "node6": "NODE_VER=6 npm run testversion", + "node9": "NODE_VER=9 npm run testversion", + "node11": "NODE_VER=11 npm run testversion", + "prepublishOnly": "npm t", + "postpublish": "git push origin && git push origin --tags" + }, + "repository": { + "type": "git", + "url": "https://github.com/wesleytodd/setprototypeof.git" + }, + "keywords": [ + "polyfill", + "object", + "setprototypeof" + ], + "author": "Wes Todd", + "license": "ISC", + "bugs": { + "url": "https://github.com/wesleytodd/setprototypeof/issues" + }, + "homepage": "https://github.com/wesleytodd/setprototypeof", + "devDependencies": { + "mocha": "^6.1.4", + "standard": "^13.0.2" + } +} diff --git a/node_modules/raw-body/node_modules/setprototypeof/test/index.js b/node_modules/raw-body/node_modules/setprototypeof/test/index.js new file mode 100644 index 0000000..afeb4dd --- /dev/null +++ b/node_modules/raw-body/node_modules/setprototypeof/test/index.js @@ -0,0 +1,24 @@ +'use strict' +/* eslint-env mocha */ +/* eslint no-proto: 0 */ +var assert = require('assert') +var setPrototypeOf = require('..') + +describe('setProtoOf(obj, proto)', function () { + it('should merge objects', function () { + var obj = { a: 1, b: 2 } + var proto = { b: 3, c: 4 } + var mergeObj = setPrototypeOf(obj, proto) + + if (Object.getPrototypeOf) { + assert.strictEqual(Object.getPrototypeOf(obj), proto) + } else if ({ __proto__: [] } instanceof Array) { + assert.strictEqual(obj.__proto__, proto) + } else { + assert.strictEqual(obj.a, 1) + assert.strictEqual(obj.b, 2) + assert.strictEqual(obj.c, 4) + } + assert.strictEqual(mergeObj, obj) + }) +}) diff --git a/node_modules/raw-body/node_modules/statuses/HISTORY.md b/node_modules/raw-body/node_modules/statuses/HISTORY.md new file mode 100644 index 0000000..fa4556e --- /dev/null +++ b/node_modules/raw-body/node_modules/statuses/HISTORY.md @@ -0,0 +1,82 @@ +2.0.1 / 2021-01-03 +================== + + * Fix returning values from `Object.prototype` + +2.0.0 / 2020-04-19 +================== + + * Drop support for Node.js 0.6 + * Fix messaging casing of `418 I'm a Teapot` + * Remove code 306 + * Remove `status[code]` exports; use `status.message[code]` + * Remove `status[msg]` exports; use `status.code[msg]` + * Rename `425 Unordered Collection` to standard `425 Too Early` + * Rename `STATUS_CODES` export to `message` + * Return status message for `statuses(code)` when given code + +1.5.0 / 2018-03-27 +================== + + * Add `103 Early Hints` + +1.4.0 / 2017-10-20 +================== + + * Add `STATUS_CODES` export + +1.3.1 / 2016-11-11 +================== + + * Fix return type in JSDoc + +1.3.0 / 2016-05-17 +================== + + * Add `421 Misdirected Request` + * perf: enable strict mode + +1.2.1 / 2015-02-01 +================== + + * Fix message for status 451 + - `451 Unavailable For Legal Reasons` + +1.2.0 / 2014-09-28 +================== + + * Add `208 Already Repored` + * Add `226 IM Used` + * Add `306 (Unused)` + * Add `415 Unable For Legal Reasons` + * Add `508 Loop Detected` + +1.1.1 / 2014-09-24 +================== + + * Add missing 308 to `codes.json` + +1.1.0 / 2014-09-21 +================== + + * Add `codes.json` for universal support + +1.0.4 / 2014-08-20 +================== + + * Package cleanup + +1.0.3 / 2014-06-08 +================== + + * Add 308 to `.redirect` category + +1.0.2 / 2014-03-13 +================== + + * Add `.retry` category + +1.0.1 / 2014-03-12 +================== + + * Initial release diff --git a/node_modules/raw-body/node_modules/statuses/LICENSE b/node_modules/raw-body/node_modules/statuses/LICENSE new file mode 100644 index 0000000..28a3161 --- /dev/null +++ b/node_modules/raw-body/node_modules/statuses/LICENSE @@ -0,0 +1,23 @@ + +The MIT License (MIT) + +Copyright (c) 2014 Jonathan Ong +Copyright (c) 2016 Douglas Christopher Wilson + +Permission is hereby granted, free of charge, to any person obtaining a copy +of this software and associated documentation files (the "Software"), to deal +in the Software without restriction, including without limitation the rights +to use, copy, modify, merge, publish, distribute, sublicense, and/or sell +copies of the Software, and to permit persons to whom the Software is +furnished to do so, subject to the following conditions: + +The above copyright notice and this permission notice shall be included in +all copies or substantial portions of the Software. + +THE SOFTWARE IS PROVIDED "AS IS", WITHOUT WARRANTY OF ANY KIND, EXPRESS OR +IMPLIED, INCLUDING BUT NOT LIMITED TO THE WARRANTIES OF MERCHANTABILITY, +FITNESS FOR A PARTICULAR PURPOSE AND NONINFRINGEMENT. IN NO EVENT SHALL THE +AUTHORS OR COPYRIGHT HOLDERS BE LIABLE FOR ANY CLAIM, DAMAGES OR OTHER +LIABILITY, WHETHER IN AN ACTION OF CONTRACT, TORT OR OTHERWISE, ARISING FROM, +OUT OF OR IN CONNECTION WITH THE SOFTWARE OR THE USE OR OTHER DEALINGS IN +THE SOFTWARE. diff --git a/node_modules/raw-body/node_modules/statuses/README.md b/node_modules/raw-body/node_modules/statuses/README.md new file mode 100644 index 0000000..57967e6 --- /dev/null +++ b/node_modules/raw-body/node_modules/statuses/README.md @@ -0,0 +1,136 @@ +# statuses + +[![NPM Version][npm-version-image]][npm-url] +[![NPM Downloads][npm-downloads-image]][npm-url] +[![Node.js Version][node-version-image]][node-version-url] +[![Build Status][ci-image]][ci-url] +[![Test Coverage][coveralls-image]][coveralls-url] + +HTTP status utility for node. + +This module provides a list of status codes and messages sourced from +a few different projects: + + * The [IANA Status Code Registry](https://www.iana.org/assignments/http-status-codes/http-status-codes.xhtml) + * The [Node.js project](https://nodejs.org/) + * The [NGINX project](https://www.nginx.com/) + * The [Apache HTTP Server project](https://httpd.apache.org/) + +## Installation + +This is a [Node.js](https://nodejs.org/en/) module available through the +[npm registry](https://www.npmjs.com/). Installation is done using the +[`npm install` command](https://docs.npmjs.com/getting-started/installing-npm-packages-locally): + +```sh +$ npm install statuses +``` + +## API + + + +```js +var status = require('statuses') +``` + +### status(code) + +Returns the status message string for a known HTTP status code. The code +may be a number or a string. An error is thrown for an unknown status code. + + + +```js +status(403) // => 'Forbidden' +status('403') // => 'Forbidden' +status(306) // throws +``` + +### status(msg) + +Returns the numeric status code for a known HTTP status message. The message +is case-insensitive. An error is thrown for an unknown status message. + + + +```js +status('forbidden') // => 403 +status('Forbidden') // => 403 +status('foo') // throws +``` + +### status.codes + +Returns an array of all the status codes as `Integer`s. + +### status.code[msg] + +Returns the numeric status code for a known status message (in lower-case), +otherwise `undefined`. + + + +```js +status['not found'] // => 404 +``` + +### status.empty[code] + +Returns `true` if a status code expects an empty body. + + + +```js +status.empty[200] // => undefined +status.empty[204] // => true +status.empty[304] // => true +``` + +### status.message[code] + +Returns the string message for a known numeric status code, otherwise +`undefined`. This object is the same format as the +[Node.js http module `http.STATUS_CODES`](https://nodejs.org/dist/latest/docs/api/http.html#http_http_status_codes). + + + +```js +status.message[404] // => 'Not Found' +``` + +### status.redirect[code] + +Returns `true` if a status code is a valid redirect status. + + + +```js +status.redirect[200] // => undefined +status.redirect[301] // => true +``` + +### status.retry[code] + +Returns `true` if you should retry the rest. + + + +```js +status.retry[501] // => undefined +status.retry[503] // => true +``` + +## License + +[MIT](LICENSE) + +[ci-image]: https://badgen.net/github/checks/jshttp/statuses/master?label=ci +[ci-url]: https://github.com/jshttp/statuses/actions?query=workflow%3Aci +[coveralls-image]: https://badgen.net/coveralls/c/github/jshttp/statuses/master +[coveralls-url]: https://coveralls.io/r/jshttp/statuses?branch=master +[node-version-image]: https://badgen.net/npm/node/statuses +[node-version-url]: https://nodejs.org/en/download +[npm-downloads-image]: https://badgen.net/npm/dm/statuses +[npm-url]: https://npmjs.org/package/statuses +[npm-version-image]: https://badgen.net/npm/v/statuses diff --git a/node_modules/raw-body/node_modules/statuses/codes.json b/node_modules/raw-body/node_modules/statuses/codes.json new file mode 100644 index 0000000..1333ed1 --- /dev/null +++ b/node_modules/raw-body/node_modules/statuses/codes.json @@ -0,0 +1,65 @@ +{ + "100": "Continue", + "101": "Switching Protocols", + "102": "Processing", + "103": "Early Hints", + "200": "OK", + "201": "Created", + "202": "Accepted", + "203": "Non-Authoritative Information", + "204": "No Content", + "205": "Reset Content", + "206": "Partial Content", + "207": "Multi-Status", + "208": "Already Reported", + "226": "IM Used", + "300": "Multiple Choices", + "301": "Moved Permanently", + "302": "Found", + "303": "See Other", + "304": "Not Modified", + "305": "Use Proxy", + "307": "Temporary Redirect", + "308": "Permanent Redirect", + "400": "Bad Request", + "401": "Unauthorized", + "402": "Payment Required", + "403": "Forbidden", + "404": "Not Found", + "405": "Method Not Allowed", + "406": "Not Acceptable", + "407": "Proxy Authentication Required", + "408": "Request Timeout", + "409": "Conflict", + "410": "Gone", + "411": "Length Required", + "412": "Precondition Failed", + "413": "Payload Too Large", + "414": "URI Too Long", + "415": "Unsupported Media Type", + "416": "Range Not Satisfiable", + "417": "Expectation Failed", + "418": "I'm a Teapot", + "421": "Misdirected Request", + "422": "Unprocessable Entity", + "423": "Locked", + "424": "Failed Dependency", + "425": "Too Early", + "426": "Upgrade Required", + "428": "Precondition Required", + "429": "Too Many Requests", + "431": "Request Header Fields Too Large", + "451": "Unavailable For Legal Reasons", + "500": "Internal Server Error", + "501": "Not Implemented", + "502": "Bad Gateway", + "503": "Service Unavailable", + "504": "Gateway Timeout", + "505": "HTTP Version Not Supported", + "506": "Variant Also Negotiates", + "507": "Insufficient Storage", + "508": "Loop Detected", + "509": "Bandwidth Limit Exceeded", + "510": "Not Extended", + "511": "Network Authentication Required" +} diff --git a/node_modules/raw-body/node_modules/statuses/index.js b/node_modules/raw-body/node_modules/statuses/index.js new file mode 100644 index 0000000..ea351c5 --- /dev/null +++ b/node_modules/raw-body/node_modules/statuses/index.js @@ -0,0 +1,146 @@ +/*! + * statuses + * Copyright(c) 2014 Jonathan Ong + * Copyright(c) 2016 Douglas Christopher Wilson + * MIT Licensed + */ + +'use strict' + +/** + * Module dependencies. + * @private + */ + +var codes = require('./codes.json') + +/** + * Module exports. + * @public + */ + +module.exports = status + +// status code to message map +status.message = codes + +// status message (lower-case) to code map +status.code = createMessageToStatusCodeMap(codes) + +// array of status codes +status.codes = createStatusCodeList(codes) + +// status codes for redirects +status.redirect = { + 300: true, + 301: true, + 302: true, + 303: true, + 305: true, + 307: true, + 308: true +} + +// status codes for empty bodies +status.empty = { + 204: true, + 205: true, + 304: true +} + +// status codes for when you should retry the request +status.retry = { + 502: true, + 503: true, + 504: true +} + +/** + * Create a map of message to status code. + * @private + */ + +function createMessageToStatusCodeMap (codes) { + var map = {} + + Object.keys(codes).forEach(function forEachCode (code) { + var message = codes[code] + var status = Number(code) + + // populate map + map[message.toLowerCase()] = status + }) + + return map +} + +/** + * Create a list of all status codes. + * @private + */ + +function createStatusCodeList (codes) { + return Object.keys(codes).map(function mapCode (code) { + return Number(code) + }) +} + +/** + * Get the status code for given message. + * @private + */ + +function getStatusCode (message) { + var msg = message.toLowerCase() + + if (!Object.prototype.hasOwnProperty.call(status.code, msg)) { + throw new Error('invalid status message: "' + message + '"') + } + + return status.code[msg] +} + +/** + * Get the status message for given code. + * @private + */ + +function getStatusMessage (code) { + if (!Object.prototype.hasOwnProperty.call(status.message, code)) { + throw new Error('invalid status code: ' + code) + } + + return status.message[code] +} + +/** + * Get the status code. + * + * Given a number, this will throw if it is not a known status + * code, otherwise the code will be returned. Given a string, + * the string will be parsed for a number and return the code + * if valid, otherwise will lookup the code assuming this is + * the status message. + * + * @param {string|number} code + * @returns {number} + * @public + */ + +function status (code) { + if (typeof code === 'number') { + return getStatusMessage(code) + } + + if (typeof code !== 'string') { + throw new TypeError('code must be a number or string') + } + + // '403' + var n = parseInt(code, 10) + if (!isNaN(n)) { + return getStatusMessage(n) + } + + return getStatusCode(code) +} diff --git a/node_modules/raw-body/node_modules/statuses/package.json b/node_modules/raw-body/node_modules/statuses/package.json new file mode 100644 index 0000000..8c3e719 --- /dev/null +++ b/node_modules/raw-body/node_modules/statuses/package.json @@ -0,0 +1,49 @@ +{ + "name": "statuses", + "description": "HTTP status utility", + "version": "2.0.1", + "contributors": [ + "Douglas Christopher Wilson ", + "Jonathan Ong (http://jongleberry.com)" + ], + "repository": "jshttp/statuses", + "license": "MIT", + "keywords": [ + "http", + "status", + "code" + ], + "files": [ + "HISTORY.md", + "index.js", + "codes.json", + "LICENSE" + ], + "devDependencies": { + "csv-parse": "4.14.2", + "eslint": "7.17.0", + "eslint-config-standard": "14.1.1", + "eslint-plugin-import": "2.22.1", + "eslint-plugin-markdown": "1.0.2", + "eslint-plugin-node": "11.1.0", + "eslint-plugin-promise": "4.2.1", + "eslint-plugin-standard": "4.1.0", + "mocha": "8.2.1", + "nyc": "15.1.0", + "raw-body": "2.4.1", + "stream-to-array": "2.3.0" + }, + "engines": { + "node": ">= 0.8" + }, + "scripts": { + "build": "node scripts/build.js", + "fetch": "node scripts/fetch-apache.js && node scripts/fetch-iana.js && node scripts/fetch-nginx.js && node scripts/fetch-node.js", + "lint": "eslint --plugin markdown --ext js,md .", + "test": "mocha --reporter spec --check-leaks --bail test/", + "test-ci": "nyc --reporter=lcov --reporter=text npm test", + "test-cov": "nyc --reporter=html --reporter=text npm test", + "update": "npm run fetch && npm run build", + "version": "node scripts/version-history.js && git add HISTORY.md" + } +} diff --git a/node_modules/safe-buffer/index.js b/node_modules/safe-buffer/index.js index f8d3ec9..22438da 100644 --- a/node_modules/safe-buffer/index.js +++ b/node_modules/safe-buffer/index.js @@ -1,4 +1,3 @@ -/*! safe-buffer. MIT License. Feross Aboukhadijeh */ /* eslint-disable node/no-deprecated-api */ var buffer = require('buffer') var Buffer = buffer.Buffer @@ -21,8 +20,6 @@ function SafeBuffer (arg, encodingOrOffset, length) { return Buffer(arg, encodingOrOffset, length) } -SafeBuffer.prototype = Object.create(Buffer.prototype) - // Copy static methods from Buffer copyProps(Buffer, SafeBuffer) diff --git a/node_modules/safe-buffer/package.json b/node_modules/safe-buffer/package.json index f2869e2..623fbc3 100644 --- a/node_modules/safe-buffer/package.json +++ b/node_modules/safe-buffer/package.json @@ -1,18 +1,18 @@ { "name": "safe-buffer", "description": "Safer Node.js Buffer API", - "version": "5.2.1", + "version": "5.1.2", "author": { "name": "Feross Aboukhadijeh", "email": "feross@feross.org", - "url": "https://feross.org" + "url": "http://feross.org" }, "bugs": { "url": "https://github.com/feross/safe-buffer/issues" }, "devDependencies": { "standard": "*", - "tape": "^5.0.0" + "tape": "^4.0.0" }, "homepage": "https://github.com/feross/safe-buffer", "keywords": [ @@ -33,19 +33,5 @@ }, "scripts": { "test": "standard && tape test/*.js" - }, - "funding": [ - { - "type": "github", - "url": "https://github.com/sponsors/feross" - }, - { - "type": "patreon", - "url": "https://www.patreon.com/feross" - }, - { - "type": "consulting", - "url": "https://feross.org/support" - } - ] + } } diff --git a/node_modules/send/HISTORY.md b/node_modules/send/HISTORY.md index a739774..88ab930 100644 --- a/node_modules/send/HISTORY.md +++ b/node_modules/send/HISTORY.md @@ -1,62 +1,3 @@ -0.18.0 / 2022-03-23 -=================== - - * Fix emitted 416 error missing headers property - * Limit the headers removed for 304 response - * deps: depd@2.0.0 - - Replace internal `eval` usage with `Function` constructor - - Use instance methods on `process` to check for listeners - * deps: destroy@1.2.0 - * deps: http-errors@2.0.0 - - deps: depd@2.0.0 - - deps: statuses@2.0.1 - * deps: on-finished@2.4.1 - * deps: statuses@2.0.1 - -0.17.2 / 2021-12-11 -=================== - - * pref: ignore empty http tokens - * deps: http-errors@1.8.1 - - deps: inherits@2.0.4 - - deps: toidentifier@1.0.1 - - deps: setprototypeof@1.2.0 - * deps: ms@2.1.3 - -0.17.1 / 2019-05-10 -=================== - - * Set stricter CSP header in redirect & error responses - * deps: range-parser@~1.2.1 - -0.17.0 / 2019-05-03 -=================== - - * deps: http-errors@~1.7.2 - - Set constructor name when possible - - Use `toidentifier` module to make class names - - deps: depd@~1.1.2 - - deps: setprototypeof@1.1.1 - - deps: statuses@'>= 1.5.0 < 2' - * deps: mime@1.6.0 - - Add extensions for JPEG-2000 images - - Add new `font/*` types from IANA - - Add WASM mapping - - Update `.bdoc` to `application/bdoc` - - Update `.bmp` to `image/bmp` - - Update `.m4a` to `audio/mp4` - - Update `.rtf` to `application/rtf` - - Update `.wav` to `audio/wav` - - Update `.xml` to `application/xml` - - Update generic extensions to `application/octet-stream`: - `.deb`, `.dll`, `.dmg`, `.exe`, `.iso`, `.msi` - - Use mime-score module to resolve extension conflicts - * deps: ms@2.1.1 - - Add `week`/`w` support - - Fix negative number handling - * deps: statuses@~1.5.0 - * perf: remove redundant `path.normalize` call - 0.16.2 / 2018-02-07 =================== diff --git a/node_modules/send/LICENSE b/node_modules/send/LICENSE index b6ea1c1..4aa69e8 100644 --- a/node_modules/send/LICENSE +++ b/node_modules/send/LICENSE @@ -1,7 +1,7 @@ (The MIT License) Copyright (c) 2012 TJ Holowaychuk -Copyright (c) 2014-2022 Douglas Christopher Wilson +Copyright (c) 2014-2016 Douglas Christopher Wilson Permission is hereby granted, free of charge, to any person obtaining a copy of this software and associated documentation files (the diff --git a/node_modules/send/README.md b/node_modules/send/README.md index fadf838..1a24403 100644 --- a/node_modules/send/README.md +++ b/node_modules/send/README.md @@ -1,8 +1,8 @@ # send -[![NPM Version][npm-version-image]][npm-url] -[![NPM Downloads][npm-downloads-image]][npm-url] -[![Linux Build][github-actions-ci-image]][github-actions-ci-url] +[![NPM Version][npm-image]][npm-url] +[![NPM Downloads][downloads-image]][downloads-url] +[![Linux Build][travis-image]][travis-url] [![Windows Build][appveyor-image]][appveyor-url] [![Test Coverage][coveralls-image]][coveralls-url] @@ -26,6 +26,8 @@ $ npm install send ## API + + ```js var send = require('send') ``` @@ -85,7 +87,7 @@ This is skipped if the requested file already has an extension. ##### immutable -Enable or disable the `immutable` directive in the `Cache-Control` response +Enable or diable the `immutable` directive in the `Cache-Control` response header, defaults to `false`. If set to `true`, the `maxAge` option should also be specified to enable caching. The `immutable` directive will prevent supported clients from making conditional requests during the life of the @@ -172,27 +174,7 @@ $ npm test ## Examples -### Serve a specific file - -This simple example will send a specific file to all requests. - -```js -var http = require('http') -var send = require('send') - -var server = http.createServer(function onRequest (req, res) { - send(req, '/path/to/index.html') - .pipe(res) -}) - -server.listen(3000) -``` - -### Serve all files from a directory - -This simple example will just serve up all the files in a -given directory as the top-level. For example, a request -`GET /foo.txt` will send back `/www/public/foo.txt`. +### Small example ```js var http = require('http') @@ -200,8 +182,7 @@ var parseUrl = require('parseurl') var send = require('send') var server = http.createServer(function onRequest (req, res) { - send(req, parseUrl(req).pathname, { root: '/www/public' }) - .pipe(res) + send(req, parseUrl(req).pathname).pipe(res) }) server.listen(3000) @@ -223,8 +204,7 @@ send.mime.define({ }) var server = http.createServer(function onRequest (req, res) { - send(req, parseUrl(req).pathname, { root: '/www/public' }) - .pipe(res) + send(req, parseUrl(req).pathname).pipe(res) }) server.listen(3000) @@ -244,9 +224,9 @@ var send = require('send') // Transfer arbitrary files from within /www/example.com/public/* // with a custom handler for directory listing var server = http.createServer(function onRequest (req, res) { - send(req, parseUrl(req).pathname, { index: false, root: '/www/public' }) - .once('directory', directory) - .pipe(res) + send(req, parseUrl(req).pathname, {index: false, root: '/www/example.com/public'}) + .once('directory', directory) + .pipe(res) }) server.listen(3000) @@ -300,11 +280,11 @@ var server = http.createServer(function onRequest (req, res) { // transfer arbitrary files from within // /www/example.com/public/* - send(req, parseUrl(req).pathname, { root: '/www/public' }) - .on('error', error) - .on('directory', redirect) - .on('headers', headers) - .pipe(res) + send(req, parseUrl(req).pathname, {root: '/www/example.com/public'}) + .on('error', error) + .on('directory', redirect) + .on('headers', headers) + .pipe(res) }) server.listen(3000) @@ -314,14 +294,13 @@ server.listen(3000) [MIT](LICENSE) -[appveyor-image]: https://badgen.net/appveyor/ci/dougwilson/send/master?label=windows +[npm-image]: https://img.shields.io/npm/v/send.svg +[npm-url]: https://npmjs.org/package/send +[travis-image]: https://img.shields.io/travis/pillarjs/send/master.svg?label=linux +[travis-url]: https://travis-ci.org/pillarjs/send +[appveyor-image]: https://img.shields.io/appveyor/ci/dougwilson/send/master.svg?label=windows [appveyor-url]: https://ci.appveyor.com/project/dougwilson/send -[coveralls-image]: https://badgen.net/coveralls/c/github/pillarjs/send/master +[coveralls-image]: https://img.shields.io/coveralls/pillarjs/send/master.svg [coveralls-url]: https://coveralls.io/r/pillarjs/send?branch=master -[github-actions-ci-image]: https://badgen.net/github/checks/pillarjs/send/master?label=linux -[github-actions-ci-url]: https://github.com/pillarjs/send/actions/workflows/ci.yml -[node-image]: https://badgen.net/npm/node/send -[node-url]: https://nodejs.org/en/download/ -[npm-downloads-image]: https://badgen.net/npm/dm/send -[npm-url]: https://npmjs.org/package/send -[npm-version-image]: https://badgen.net/npm/v/send +[downloads-image]: https://img.shields.io/npm/dm/send.svg +[downloads-url]: https://npmjs.org/package/send diff --git a/node_modules/send/SECURITY.md b/node_modules/send/SECURITY.md deleted file mode 100644 index 46b48f7..0000000 --- a/node_modules/send/SECURITY.md +++ /dev/null @@ -1,24 +0,0 @@ -# Security Policies and Procedures - -## Reporting a Bug - -The `send` team and community take all security bugs seriously. Thank you -for improving the security of Express. We appreciate your efforts and -responsible disclosure and will make every effort to acknowledge your -contributions. - -Report security bugs by emailing the current owner(s) of `send`. This information -can be found in the npm registry using the command `npm owner ls send`. -If unsure or unable to get the information from the above, open an issue -in the [project issue tracker](https://github.com/pillarjs/send/issues) -asking for the current contact information. - -To ensure the timely response to your report, please ensure that the entirety -of the report is contained within the email body and not solely behind a web -link or an attachment. - -At least one owner will acknowledge your email within 48 hours, and will send a -more detailed response within 48 hours indicating the next steps in handling -your report. After the initial reply to your report, the owners will -endeavor to keep you informed of the progress towards a fix and full -announcement, and may ask for additional information or guidance. diff --git a/node_modules/send/index.js b/node_modules/send/index.js index 89afd7e..f297c4c 100644 --- a/node_modules/send/index.js +++ b/node_modules/send/index.js @@ -1,7 +1,7 @@ /*! * send * Copyright(c) 2012 TJ Holowaychuk - * Copyright(c) 2014-2022 Douglas Christopher Wilson + * Copyright(c) 2014-2016 Douglas Christopher Wilson * MIT Licensed */ @@ -267,11 +267,13 @@ SendStream.prototype.maxage = deprecate.function(function maxage (maxAge) { SendStream.prototype.error = function error (status, err) { // emit if listeners instead of responding if (hasListeners(this, 'error')) { - return this.emit('error', createHttpError(status, err)) + return this.emit('error', createError(status, err, { + expose: false + })) } var res = this.res - var msg = statuses.message[status] || String(status) + var msg = statuses[status] || String(status) var doc = createHtmlDocument('Error', escapeHtml(msg)) // clear existing headers @@ -286,7 +288,7 @@ SendStream.prototype.error = function error (status, err) { res.statusCode = status res.setHeader('Content-Type', 'text/html; charset=UTF-8') res.setHeader('Content-Length', Buffer.byteLength(doc)) - res.setHeader('Content-Security-Policy', "default-src 'none'") + res.setHeader('Content-Security-Policy', "default-src 'self'") res.setHeader('X-Content-Type-Options', 'nosniff') res.end(doc) } @@ -347,19 +349,21 @@ SendStream.prototype.isPreconditionFailure = function isPreconditionFailure () { } /** - * Strip various content header fields for a change in entity. + * Strip content-* header fields. * * @private */ SendStream.prototype.removeContentHeaderFields = function removeContentHeaderFields () { var res = this.res + var headers = getHeaderNames(res) - res.removeHeader('Content-Encoding') - res.removeHeader('Content-Language') - res.removeHeader('Content-Length') - res.removeHeader('Content-Range') - res.removeHeader('Content-Type') + for (var i = 0; i < headers.length; i++) { + var header = headers[i] + if (header.substr(0, 8) === 'content-' && header !== 'content-location') { + res.removeHeader(header) + } + } } /** @@ -431,7 +435,7 @@ SendStream.prototype.onStatError = function onStatError (error) { SendStream.prototype.isFresh = function isFresh () { return fresh(this.req.headers, { - etag: this.res.getHeader('ETag'), + 'etag': this.res.getHeader('ETag'), 'last-modified': this.res.getHeader('Last-Modified') }) } @@ -489,7 +493,7 @@ SendStream.prototype.redirect = function redirect (path) { res.statusCode = 301 res.setHeader('Content-Type', 'text/html; charset=UTF-8') res.setHeader('Content-Length', Buffer.byteLength(doc)) - res.setHeader('Content-Security-Policy', "default-src 'none'") + res.setHeader('Content-Security-Policy', "default-src 'self'") res.setHeader('X-Content-Type-Options', 'nosniff') res.setHeader('Location', loc) res.end(doc) @@ -542,6 +546,7 @@ SendStream.prototype.pipe = function pipe (res) { // join / normalize from optional root dir path = normalize(join(root, path)) + root = normalize(root + sep) } else { // ".." is malicious without "root" if (UP_PATH_REGEXP.test(path)) { @@ -664,7 +669,7 @@ SendStream.prototype.send = function send (path, stat) { // 416 Requested Range Not Satisfiable return this.error(416, { - headers: { 'Content-Range': res.getHeader('Content-Range') } + headers: {'Content-Range': res.getHeader('Content-Range')} }) } @@ -783,6 +788,8 @@ SendStream.prototype.sendIndex = function sendIndex (path) { */ SendStream.prototype.stream = function stream (path, options) { + // TODO: this is all lame, refactor meeee + var finished = false var self = this var res = this.res @@ -791,18 +798,20 @@ SendStream.prototype.stream = function stream (path, options) { this.emit('stream', stream) stream.pipe(res) - // cleanup - function cleanup () { - destroy(stream, true) - } - - // response finished, cleanup - onFinished(res, cleanup) + // response finished, done with the fd + onFinished(res, function onfinished () { + finished = true + destroy(stream) + }) - // error handling + // error handling code-smell stream.on('error', function onerror (err) { - // clean up stream early - cleanup() + // request already finished + if (finished) return + + // clean up stream + finished = true + destroy(stream) // error self.onStatError(err) @@ -966,24 +975,6 @@ function createHtmlDocument (title, body) { '\n' } -/** - * Create a HttpError object from simple arguments. - * - * @param {number} status - * @param {Error|object} err - * @private - */ - -function createHttpError (status, err) { - if (!err) { - return createError(status) - } - - return err instanceof Error - ? createError(status, err, { expose: false }) - : createError(status, err) -} - /** * decodeURIComponent. * @@ -1106,9 +1097,7 @@ function parseTokenList (str) { } break case 0x2c: /* , */ - if (start !== end) { - list.push(str.substring(start, end)) - } + list.push(str.substring(start, end)) start = end = i + 1 break default: @@ -1118,9 +1107,7 @@ function parseTokenList (str) { } // final token - if (start !== end) { - list.push(str.substring(start, end)) - } + list.push(str.substring(start, end)) return list } diff --git a/node_modules/send/node_modules/ms/index.js b/node_modules/send/node_modules/ms/index.js deleted file mode 100644 index ea734fb..0000000 --- a/node_modules/send/node_modules/ms/index.js +++ /dev/null @@ -1,162 +0,0 @@ -/** - * Helpers. - */ - -var s = 1000; -var m = s * 60; -var h = m * 60; -var d = h * 24; -var w = d * 7; -var y = d * 365.25; - -/** - * Parse or format the given `val`. - * - * Options: - * - * - `long` verbose formatting [false] - * - * @param {String|Number} val - * @param {Object} [options] - * @throws {Error} throw an error if val is not a non-empty string or a number - * @return {String|Number} - * @api public - */ - -module.exports = function (val, options) { - options = options || {}; - var type = typeof val; - if (type === 'string' && val.length > 0) { - return parse(val); - } else if (type === 'number' && isFinite(val)) { - return options.long ? fmtLong(val) : fmtShort(val); - } - throw new Error( - 'val is not a non-empty string or a valid number. val=' + - JSON.stringify(val) - ); -}; - -/** - * Parse the given `str` and return milliseconds. - * - * @param {String} str - * @return {Number} - * @api private - */ - -function parse(str) { - str = String(str); - if (str.length > 100) { - return; - } - var match = /^(-?(?:\d+)?\.?\d+) *(milliseconds?|msecs?|ms|seconds?|secs?|s|minutes?|mins?|m|hours?|hrs?|h|days?|d|weeks?|w|years?|yrs?|y)?$/i.exec( - str - ); - if (!match) { - return; - } - var n = parseFloat(match[1]); - var type = (match[2] || 'ms').toLowerCase(); - switch (type) { - case 'years': - case 'year': - case 'yrs': - case 'yr': - case 'y': - return n * y; - case 'weeks': - case 'week': - case 'w': - return n * w; - case 'days': - case 'day': - case 'd': - return n * d; - case 'hours': - case 'hour': - case 'hrs': - case 'hr': - case 'h': - return n * h; - case 'minutes': - case 'minute': - case 'mins': - case 'min': - case 'm': - return n * m; - case 'seconds': - case 'second': - case 'secs': - case 'sec': - case 's': - return n * s; - case 'milliseconds': - case 'millisecond': - case 'msecs': - case 'msec': - case 'ms': - return n; - default: - return undefined; - } -} - -/** - * Short format for `ms`. - * - * @param {Number} ms - * @return {String} - * @api private - */ - -function fmtShort(ms) { - var msAbs = Math.abs(ms); - if (msAbs >= d) { - return Math.round(ms / d) + 'd'; - } - if (msAbs >= h) { - return Math.round(ms / h) + 'h'; - } - if (msAbs >= m) { - return Math.round(ms / m) + 'm'; - } - if (msAbs >= s) { - return Math.round(ms / s) + 's'; - } - return ms + 'ms'; -} - -/** - * Long format for `ms`. - * - * @param {Number} ms - * @return {String} - * @api private - */ - -function fmtLong(ms) { - var msAbs = Math.abs(ms); - if (msAbs >= d) { - return plural(ms, msAbs, d, 'day'); - } - if (msAbs >= h) { - return plural(ms, msAbs, h, 'hour'); - } - if (msAbs >= m) { - return plural(ms, msAbs, m, 'minute'); - } - if (msAbs >= s) { - return plural(ms, msAbs, s, 'second'); - } - return ms + ' ms'; -} - -/** - * Pluralization helper. - */ - -function plural(ms, msAbs, n, name) { - var isPlural = msAbs >= n * 1.5; - return Math.round(ms / n) + ' ' + name + (isPlural ? 's' : ''); -} diff --git a/node_modules/send/node_modules/ms/license.md b/node_modules/send/node_modules/ms/license.md deleted file mode 100644 index fa5d39b..0000000 --- a/node_modules/send/node_modules/ms/license.md +++ /dev/null @@ -1,21 +0,0 @@ -The MIT License (MIT) - -Copyright (c) 2020 Vercel, Inc. - -Permission is hereby granted, free of charge, to any person obtaining a copy -of this software and associated documentation files (the "Software"), to deal -in the Software without restriction, including without limitation the rights -to use, copy, modify, merge, publish, distribute, sublicense, and/or sell -copies of the Software, and to permit persons to whom the Software is -furnished to do so, subject to the following conditions: - -The above copyright notice and this permission notice shall be included in all -copies or substantial portions of the Software. - -THE SOFTWARE IS PROVIDED "AS IS", WITHOUT WARRANTY OF ANY KIND, EXPRESS OR -IMPLIED, INCLUDING BUT NOT LIMITED TO THE WARRANTIES OF MERCHANTABILITY, -FITNESS FOR A PARTICULAR PURPOSE AND NONINFRINGEMENT. IN NO EVENT SHALL THE -AUTHORS OR COPYRIGHT HOLDERS BE LIABLE FOR ANY CLAIM, DAMAGES OR OTHER -LIABILITY, WHETHER IN AN ACTION OF CONTRACT, TORT OR OTHERWISE, ARISING FROM, -OUT OF OR IN CONNECTION WITH THE SOFTWARE OR THE USE OR OTHER DEALINGS IN THE -SOFTWARE. diff --git a/node_modules/send/node_modules/ms/package.json b/node_modules/send/node_modules/ms/package.json deleted file mode 100644 index 4997189..0000000 --- a/node_modules/send/node_modules/ms/package.json +++ /dev/null @@ -1,38 +0,0 @@ -{ - "name": "ms", - "version": "2.1.3", - "description": "Tiny millisecond conversion utility", - "repository": "vercel/ms", - "main": "./index", - "files": [ - "index.js" - ], - "scripts": { - "precommit": "lint-staged", - "lint": "eslint lib/* bin/*", - "test": "mocha tests.js" - }, - "eslintConfig": { - "extends": "eslint:recommended", - "env": { - "node": true, - "es6": true - } - }, - "lint-staged": { - "*.js": [ - "npm run lint", - "prettier --single-quote --write", - "git add" - ] - }, - "license": "MIT", - "devDependencies": { - "eslint": "4.18.2", - "expect.js": "0.3.1", - "husky": "0.14.3", - "lint-staged": "5.0.0", - "mocha": "4.0.1", - "prettier": "2.0.5" - } -} diff --git a/node_modules/send/node_modules/ms/readme.md b/node_modules/send/node_modules/ms/readme.md deleted file mode 100644 index 0fc1abb..0000000 --- a/node_modules/send/node_modules/ms/readme.md +++ /dev/null @@ -1,59 +0,0 @@ -# ms - -![CI](https://github.com/vercel/ms/workflows/CI/badge.svg) - -Use this package to easily convert various time formats to milliseconds. - -## Examples - -```js -ms('2 days') // 172800000 -ms('1d') // 86400000 -ms('10h') // 36000000 -ms('2.5 hrs') // 9000000 -ms('2h') // 7200000 -ms('1m') // 60000 -ms('5s') // 5000 -ms('1y') // 31557600000 -ms('100') // 100 -ms('-3 days') // -259200000 -ms('-1h') // -3600000 -ms('-200') // -200 -``` - -### Convert from Milliseconds - -```js -ms(60000) // "1m" -ms(2 * 60000) // "2m" -ms(-3 * 60000) // "-3m" -ms(ms('10 hours')) // "10h" -``` - -### Time Format Written-Out - -```js -ms(60000, { long: true }) // "1 minute" -ms(2 * 60000, { long: true }) // "2 minutes" -ms(-3 * 60000, { long: true }) // "-3 minutes" -ms(ms('10 hours'), { long: true }) // "10 hours" -``` - -## Features - -- Works both in [Node.js](https://nodejs.org) and in the browser -- If a number is supplied to `ms`, a string with a unit is returned -- If a string that contains the number is supplied, it returns it as a number (e.g.: it returns `100` for `'100'`) -- If you pass a string with a number and a valid unit, the number of equivalent milliseconds is returned - -## Related Packages - -- [ms.macro](https://github.com/knpwrs/ms.macro) - Run `ms` as a macro at build-time. - -## Caught a Bug? - -1. [Fork](https://help.github.com/articles/fork-a-repo/) this repository to your own GitHub account and then [clone](https://help.github.com/articles/cloning-a-repository/) it to your local device -2. Link the package to the global module directory: `npm link` -3. Within the module you want to test your local development instance of ms, just link it to the dependencies: `npm link ms`. Instead of the default one from npm, Node.js will now use your clone of ms! - -As always, you can run the tests using: `npm test` diff --git a/node_modules/send/package.json b/node_modules/send/package.json index 7f269d5..6b3209e 100644 --- a/node_modules/send/package.json +++ b/node_modules/send/package.json @@ -1,7 +1,7 @@ { "name": "send", "description": "Better streaming static file server with Range and conditional-GET support", - "version": "0.18.0", + "version": "0.16.2", "author": "TJ Holowaychuk ", "contributors": [ "Douglas Christopher Wilson ", @@ -17,46 +17,45 @@ ], "dependencies": { "debug": "2.6.9", - "depd": "2.0.0", - "destroy": "1.2.0", + "depd": "~1.1.2", + "destroy": "~1.0.4", "encodeurl": "~1.0.2", "escape-html": "~1.0.3", "etag": "~1.8.1", "fresh": "0.5.2", - "http-errors": "2.0.0", - "mime": "1.6.0", - "ms": "2.1.3", - "on-finished": "2.4.1", - "range-parser": "~1.2.1", - "statuses": "2.0.1" + "http-errors": "~1.6.2", + "mime": "1.4.1", + "ms": "2.0.0", + "on-finished": "~2.3.0", + "range-parser": "~1.2.0", + "statuses": "~1.4.0" }, "devDependencies": { "after": "0.8.2", - "eslint": "7.32.0", - "eslint-config-standard": "14.1.1", - "eslint-plugin-import": "2.25.4", - "eslint-plugin-markdown": "2.2.1", - "eslint-plugin-node": "11.1.0", - "eslint-plugin-promise": "5.2.0", - "eslint-plugin-standard": "4.1.0", - "mocha": "9.2.2", - "nyc": "15.1.0", - "supertest": "6.2.2" + "eslint": "3.19.0", + "eslint-config-standard": "10.2.1", + "eslint-plugin-import": "2.8.0", + "eslint-plugin-markdown": "1.0.0-beta.6", + "eslint-plugin-node": "5.2.1", + "eslint-plugin-promise": "3.6.0", + "eslint-plugin-standard": "3.0.1", + "istanbul": "0.4.5", + "mocha": "2.5.3", + "supertest": "1.1.0" }, "files": [ "HISTORY.md", "LICENSE", "README.md", - "SECURITY.md", "index.js" ], "engines": { "node": ">= 0.8.0" }, "scripts": { - "lint": "eslint .", + "lint": "eslint --plugin markdown --ext js,md .", "test": "mocha --check-leaks --reporter spec --bail", - "test-ci": "nyc --reporter=lcov --reporter=text npm test", - "test-cov": "nyc --reporter=html --reporter=text npm test" + "test-ci": "istanbul cover node_modules/mocha/bin/_mocha --report lcovonly -- --check-leaks --reporter spec", + "test-cov": "istanbul cover node_modules/mocha/bin/_mocha -- --check-leaks --reporter dot" } } diff --git a/node_modules/serve-static/HISTORY.md b/node_modules/serve-static/HISTORY.md index 6b58456..6886ce5 100644 --- a/node_modules/serve-static/HISTORY.md +++ b/node_modules/serve-static/HISTORY.md @@ -1,41 +1,3 @@ -1.15.0 / 2022-03-24 -=================== - - * deps: send@0.18.0 - - Fix emitted 416 error missing headers property - - Limit the headers removed for 304 response - - deps: depd@2.0.0 - - deps: destroy@1.2.0 - - deps: http-errors@2.0.0 - - deps: on-finished@2.4.1 - - deps: statuses@2.0.1 - -1.14.2 / 2021-12-15 -=================== - - * deps: send@0.17.2 - - deps: http-errors@1.8.1 - - deps: ms@2.1.3 - - pref: ignore empty http tokens - -1.14.1 / 2019-05-10 -=================== - - * Set stricter CSP header in redirect response - * deps: send@0.17.1 - - deps: range-parser@~1.2.1 - -1.14.0 / 2019-05-07 -=================== - - * deps: parseurl@~1.3.3 - * deps: send@0.17.0 - - deps: http-errors@~1.7.2 - - deps: mime@1.6.0 - - deps: ms@2.1.1 - - deps: statuses@~1.5.0 - - perf: remove redundant `path.normalize` call - 1.13.2 / 2018-02-07 =================== diff --git a/node_modules/serve-static/README.md b/node_modules/serve-static/README.md index 262d944..269becb 100644 --- a/node_modules/serve-static/README.md +++ b/node_modules/serve-static/README.md @@ -1,8 +1,8 @@ # serve-static -[![NPM Version][npm-version-image]][npm-url] -[![NPM Downloads][npm-downloads-image]][npm-url] -[![Linux Build][github-actions-ci-image]][github-actions-ci-url] +[![NPM Version][npm-image]][npm-url] +[![NPM Downloads][downloads-image]][downloads-url] +[![Linux Build][travis-image]][travis-url] [![Windows Build][appveyor-image]][appveyor-url] [![Test Coverage][coveralls-image]][coveralls-url] @@ -18,6 +18,8 @@ $ npm install serve-static ## API + + ```js var serveStatic = require('serve-static') ``` @@ -139,7 +141,7 @@ var http = require('http') var serveStatic = require('serve-static') // Serve up public/ftp folder -var serve = serveStatic('public/ftp', { index: ['index.html', 'index.htm'] }) +var serve = serveStatic('public/ftp', {'index': ['index.html', 'index.htm']}) // Create server var server = http.createServer(function onRequest (req, res) { @@ -160,8 +162,8 @@ var serveStatic = require('serve-static') // Serve up public/ftp folder var serve = serveStatic('public/ftp', { - index: false, - setHeaders: setHeaders + 'index': false, + 'setHeaders': setHeaders }) // Set header to force download @@ -190,15 +192,15 @@ var serveStatic = require('serve-static') var app = express() -app.use(serveStatic('public/ftp', { index: ['default.html', 'default.htm'] })) +app.use(serveStatic('public/ftp', {'index': ['default.html', 'default.htm']})) app.listen(3000) ``` #### Multiple roots This example shows a simple way to search through multiple directories. -Files are searched for in `public-optimized/` first, then `public/` second -as a fallback. +Files are look for in `public-optimized/` first, then `public/` second as +a fallback. ```js var express = require('express') @@ -244,14 +246,13 @@ function setCustomCacheControl (res, path) { [MIT](LICENSE) -[appveyor-image]: https://badgen.net/appveyor/ci/dougwilson/serve-static/master?label=windows -[appveyor-url]: https://ci.appveyor.com/project/dougwilson/serve-static -[coveralls-image]: https://badgen.net/coveralls/c/github/expressjs/serve-static/master -[coveralls-url]: https://coveralls.io/r/expressjs/serve-static?branch=master -[github-actions-ci-image]: https://badgen.net/github/checks/expressjs/serve-static/master?label=linux -[github-actions-ci-url]: https://github.com/expressjs/serve-static/actions/workflows/ci.yml -[node-image]: https://badgen.net/npm/node/serve-static -[node-url]: https://nodejs.org/en/download/ -[npm-downloads-image]: https://badgen.net/npm/dm/serve-static +[npm-image]: https://img.shields.io/npm/v/serve-static.svg [npm-url]: https://npmjs.org/package/serve-static -[npm-version-image]: https://badgen.net/npm/v/serve-static +[travis-image]: https://img.shields.io/travis/expressjs/serve-static/master.svg?label=linux +[travis-url]: https://travis-ci.org/expressjs/serve-static +[appveyor-image]: https://img.shields.io/appveyor/ci/dougwilson/serve-static/master.svg?label=windows +[appveyor-url]: https://ci.appveyor.com/project/dougwilson/serve-static +[coveralls-image]: https://img.shields.io/coveralls/expressjs/serve-static/master.svg +[coveralls-url]: https://coveralls.io/r/expressjs/serve-static +[downloads-image]: https://img.shields.io/npm/dm/serve-static.svg +[downloads-url]: https://npmjs.org/package/serve-static diff --git a/node_modules/serve-static/index.js b/node_modules/serve-static/index.js index b7d3984..75ddd29 100644 --- a/node_modules/serve-static/index.js +++ b/node_modules/serve-static/index.js @@ -142,7 +142,7 @@ function collapseLeadingSlashes (str) { : str } -/** + /** * Create a minimal HTML document. * * @param {string} title @@ -202,7 +202,7 @@ function createRedirectDirectoryListener () { res.statusCode = 301 res.setHeader('Content-Type', 'text/html; charset=UTF-8') res.setHeader('Content-Length', Buffer.byteLength(doc)) - res.setHeader('Content-Security-Policy', "default-src 'none'") + res.setHeader('Content-Security-Policy', "default-src 'self'") res.setHeader('X-Content-Type-Options', 'nosniff') res.setHeader('Location', loc) res.end(doc) diff --git a/node_modules/serve-static/package.json b/node_modules/serve-static/package.json index 9d935f5..23fe143 100644 --- a/node_modules/serve-static/package.json +++ b/node_modules/serve-static/package.json @@ -1,28 +1,27 @@ { "name": "serve-static", "description": "Serve static files", - "version": "1.15.0", + "version": "1.13.2", "author": "Douglas Christopher Wilson ", "license": "MIT", "repository": "expressjs/serve-static", "dependencies": { "encodeurl": "~1.0.2", "escape-html": "~1.0.3", - "parseurl": "~1.3.3", - "send": "0.18.0" + "parseurl": "~1.3.2", + "send": "0.16.2" }, "devDependencies": { - "eslint": "7.32.0", - "eslint-config-standard": "14.1.1", - "eslint-plugin-import": "2.25.4", - "eslint-plugin-markdown": "2.2.1", - "eslint-plugin-node": "11.1.0", - "eslint-plugin-promise": "5.2.0", - "eslint-plugin-standard": "4.1.0", - "mocha": "9.2.2", - "nyc": "15.1.0", - "safe-buffer": "5.2.1", - "supertest": "6.2.2" + "eslint": "3.19.0", + "eslint-config-standard": "10.2.1", + "eslint-plugin-import": "2.8.0", + "eslint-plugin-markdown": "1.0.0-beta.6", + "eslint-plugin-node": "5.2.1", + "eslint-plugin-promise": "3.6.0", + "eslint-plugin-standard": "3.0.1", + "istanbul": "0.4.5", + "mocha": "2.5.3", + "supertest": "1.1.0" }, "files": [ "LICENSE", @@ -33,10 +32,9 @@ "node": ">= 0.8.0" }, "scripts": { - "lint": "eslint .", + "lint": "eslint --plugin markdown --ext js,md .", "test": "mocha --reporter spec --bail --check-leaks test/", - "test-ci": "nyc --reporter=lcov --reporter=text npm test", - "test-cov": "nyc --reporter=html --reporter=text npm test", - "version": "node scripts/version-history.js && git add HISTORY.md" + "test-ci": "istanbul cover node_modules/mocha/bin/_mocha --report lcovonly -- --reporter spec --check-leaks test/", + "test-cov": "istanbul cover node_modules/mocha/bin/_mocha -- --reporter dot --check-leaks test/" } } diff --git a/node_modules/set-function-length/.eslintrc b/node_modules/set-function-length/.eslintrc deleted file mode 100644 index 7cff507..0000000 --- a/node_modules/set-function-length/.eslintrc +++ /dev/null @@ -1,27 +0,0 @@ -{ - "root": true, - - "extends": "@ljharb", - - "rules": { - "id-length": "off", - "new-cap": ["error", { - "capIsNewExceptions": [ - "GetIntrinsic" - ], - }], - "no-extra-parens": "off", - }, - - "overrides": [ - { - "files": ["test/**/*.js"], - "rules": { - "id-length": "off", - "max-lines-per-function": "off", - "multiline-comment-style": "off", - "no-empty-function": "off", - }, - }, - ], -} diff --git a/node_modules/set-function-length/.github/FUNDING.yml b/node_modules/set-function-length/.github/FUNDING.yml deleted file mode 100644 index 92feb6f..0000000 --- a/node_modules/set-function-length/.github/FUNDING.yml +++ /dev/null @@ -1,12 +0,0 @@ -# These are supported funding model platforms - -github: [ljharb] -patreon: # Replace with a single Patreon username -open_collective: # Replace with a single Open Collective username -ko_fi: # Replace with a single Ko-fi username -tidelift: npm/set-function-name -community_bridge: # Replace with a single Community Bridge project-name e.g., cloud-foundry -liberapay: # Replace with a single Liberapay username -issuehunt: # Replace with a single IssueHunt username -otechie: # Replace with a single Otechie username -custom: # Replace with a single custom sponsorship URL diff --git a/node_modules/set-function-length/.nycrc b/node_modules/set-function-length/.nycrc deleted file mode 100644 index 1826526..0000000 --- a/node_modules/set-function-length/.nycrc +++ /dev/null @@ -1,13 +0,0 @@ -{ - "all": true, - "check-coverage": false, - "reporter": ["text-summary", "text", "html", "json"], - "lines": 86, - "statements": 85.93, - "functions": 82.43, - "branches": 76.06, - "exclude": [ - "coverage", - "test" - ] -} diff --git a/node_modules/set-function-length/CHANGELOG.md b/node_modules/set-function-length/CHANGELOG.md deleted file mode 100644 index 9539676..0000000 --- a/node_modules/set-function-length/CHANGELOG.md +++ /dev/null @@ -1,41 +0,0 @@ -# Changelog - -All notable changes to this project will be documented in this file. - -The format is based on [Keep a Changelog](https://keepachangelog.com/en/1.0.0/) -and this project adheres to [Semantic Versioning](https://semver.org/spec/v2.0.0.html). - -## [v1.1.1](https://github.com/ljharb/set-function-length/compare/v1.1.0...v1.1.1) - 2023-10-19 - -### Fixed - -- [Fix] move `define-data-property` to runtime deps [`#2`](https://github.com/ljharb/set-function-length/issues/2) - -### Commits - -- [Dev Deps] update `object-inspect`; add missing `call-bind` [`5aecf79`](https://github.com/ljharb/set-function-length/commit/5aecf79e7d6400957a5d9bd9ac20d4528908ca18) - -## [v1.1.0](https://github.com/ljharb/set-function-length/compare/v1.0.1...v1.1.0) - 2023-10-13 - -### Commits - -- [New] add `env` entry point [`475c87a`](https://github.com/ljharb/set-function-length/commit/475c87aa2f59b700aaed589d980624ec596acdcb) -- [Tests] add coverage with `nyc` [`14f0bf8`](https://github.com/ljharb/set-function-length/commit/14f0bf8c145ae60bf14a026420a06bb7be132c36) -- [eslint] fix linting failure [`fb516f9`](https://github.com/ljharb/set-function-length/commit/fb516f93c664057138c53559ef63c8622a093335) -- [Deps] update `define-data-property` [`d727e7c`](https://github.com/ljharb/set-function-length/commit/d727e7c6c9a40d7bf26797694e500ea68741feea) - -## [v1.0.1](https://github.com/ljharb/set-function-length/compare/v1.0.0...v1.0.1) - 2023-10-12 - -### Commits - -- [Refactor] use `get-intrinsic`, since it‘s in the dep graph anyways [`278a954`](https://github.com/ljharb/set-function-length/commit/278a954a06cd849051c569ff7aee56df6798933e) -- [meta] add `exports` [`72acfe5`](https://github.com/ljharb/set-function-length/commit/72acfe5a0310071fb205a72caba5ecbab24336a0) - -## v1.0.0 - 2023-10-12 - -### Commits - -- Initial implementation, tests, readme [`fce14e1`](https://github.com/ljharb/set-function-length/commit/fce14e17586460e4f294405173be72b6ffdf7e5f) -- Initial commit [`ca7ba85`](https://github.com/ljharb/set-function-length/commit/ca7ba857c7c283f9d26e21f14e71cd388f2cb722) -- npm init [`6a7e493`](https://github.com/ljharb/set-function-length/commit/6a7e493927736cebcaf5c1a84e69b8e6b7b744d8) -- Only apps should have lockfiles [`d2bf6c4`](https://github.com/ljharb/set-function-length/commit/d2bf6c43de8a51b02a0aa53e8d62cb50c4a2b0da) diff --git a/node_modules/set-function-length/LICENSE b/node_modules/set-function-length/LICENSE deleted file mode 100644 index 0314929..0000000 --- a/node_modules/set-function-length/LICENSE +++ /dev/null @@ -1,21 +0,0 @@ -MIT License - -Copyright (c) Jordan Harband and contributors - -Permission is hereby granted, free of charge, to any person obtaining a copy -of this software and associated documentation files (the "Software"), to deal -in the Software without restriction, including without limitation the rights -to use, copy, modify, merge, publish, distribute, sublicense, and/or sell -copies of the Software, and to permit persons to whom the Software is -furnished to do so, subject to the following conditions: - -The above copyright notice and this permission notice shall be included in all -copies or substantial portions of the Software. - -THE SOFTWARE IS PROVIDED "AS IS", WITHOUT WARRANTY OF ANY KIND, EXPRESS OR -IMPLIED, INCLUDING BUT NOT LIMITED TO THE WARRANTIES OF MERCHANTABILITY, -FITNESS FOR A PARTICULAR PURPOSE AND NONINFRINGEMENT. IN NO EVENT SHALL THE -AUTHORS OR COPYRIGHT HOLDERS BE LIABLE FOR ANY CLAIM, DAMAGES OR OTHER -LIABILITY, WHETHER IN AN ACTION OF CONTRACT, TORT OR OTHERWISE, ARISING FROM, -OUT OF OR IN CONNECTION WITH THE SOFTWARE OR THE USE OR OTHER DEALINGS IN THE -SOFTWARE. diff --git a/node_modules/set-function-length/README.md b/node_modules/set-function-length/README.md deleted file mode 100644 index 15e3ac4..0000000 --- a/node_modules/set-function-length/README.md +++ /dev/null @@ -1,56 +0,0 @@ -# set-function-length [![Version Badge][npm-version-svg]][package-url] - -[![github actions][actions-image]][actions-url] -[![coverage][codecov-image]][codecov-url] -[![License][license-image]][license-url] -[![Downloads][downloads-image]][downloads-url] - -[![npm badge][npm-badge-png]][package-url] - -Set a function’s length. - -Arguments: - - `fn`: the function - - `length`: the new length. Must be an integer between 0 and 2**32. - - `loose`: Optional. If true, and the length fails to be set, do not throw. Default false. - -Returns `fn`. - -## Usage - -```javascript -var setFunctionLength = require('set-function-length'); -var assert = require('assert'); - -function zero() {} -function one(_) {} -function two(_, __) {} - -assert.equal(zero.length, 0); -assert.equal(one.length, 1); -assert.equal(two.length, 2); - -assert.equal(setFunctionLength(zero, 10), zero); -assert.equal(setFunctionLength(one, 11), one); -assert.equal(setFunctionLength(two, 12), two); - -assert.equal(zero.length, 10); -assert.equal(one.length, 11); -assert.equal(two.length, 12); -``` - -[package-url]: https://npmjs.org/package/set-function-length -[npm-version-svg]: https://versionbadg.es/ljharb/set-function-length.svg -[deps-svg]: https://david-dm.org/ljharb/set-function-length.svg -[deps-url]: https://david-dm.org/ljharb/set-function-length -[dev-deps-svg]: https://david-dm.org/ljharb/set-function-length/dev-status.svg -[dev-deps-url]: https://david-dm.org/ljharb/set-function-length#info=devDependencies -[npm-badge-png]: https://nodei.co/npm/set-function-length.png?downloads=true&stars=true -[license-image]: https://img.shields.io/npm/l/set-function-length.svg -[license-url]: LICENSE -[downloads-image]: https://img.shields.io/npm/dm/set-function-length.svg -[downloads-url]: https://npm-stat.com/charts.html?package=set-function-length -[codecov-image]: https://codecov.io/gh/ljharb/set-function-length/branch/main/graphs/badge.svg -[codecov-url]: https://app.codecov.io/gh/ljharb/set-function-length/ -[actions-image]: https://img.shields.io/endpoint?url=https://github-actions-badge-u3jn4tfpocch.runkit.sh/ljharb/set-function-length -[actions-url]: https://github.com/ljharb/set-function-length/actions diff --git a/node_modules/set-function-length/env.js b/node_modules/set-function-length/env.js deleted file mode 100644 index 80c0911..0000000 --- a/node_modules/set-function-length/env.js +++ /dev/null @@ -1,19 +0,0 @@ -'use strict'; - -var gOPD = require('gopd'); - -var functionsHaveConfigurableLengths = gOPD && gOPD(function () {}, 'length').configurable; - -var functionsHaveWritableLengths = gOPD && gOPD(function () {}, 'length').writable; - -var boundFnsHaveConfigurableLengths = gOPD && gOPD(function () {}.bind(), 'length').configurable; - -var boundFnsHaveWritableLengths = gOPD && gOPD(function () {}.bind(), 'length').writable; - -module.exports = { - __proto__: null, - boundFnsHaveConfigurableLengths: boundFnsHaveConfigurableLengths, - boundFnsHaveWritableLengths: boundFnsHaveWritableLengths, - functionsHaveConfigurableLengths: functionsHaveConfigurableLengths, - functionsHaveWritableLengths: functionsHaveWritableLengths -}; diff --git a/node_modules/set-function-length/index.js b/node_modules/set-function-length/index.js deleted file mode 100644 index 7a31688..0000000 --- a/node_modules/set-function-length/index.js +++ /dev/null @@ -1,41 +0,0 @@ -'use strict'; - -var GetIntrinsic = require('get-intrinsic'); -var define = require('define-data-property'); -var hasDescriptors = require('has-property-descriptors')(); -var gOPD = require('gopd'); - -var $TypeError = GetIntrinsic('%TypeError%'); -var $floor = GetIntrinsic('%Math.floor%'); - -module.exports = function setFunctionLength(fn, length) { - if (typeof fn !== 'function') { - throw new $TypeError('`fn` is not a function'); - } - if (typeof length !== 'number' || length < 0 || length > 0xFFFFFFFF || $floor(length) !== length) { - throw new $TypeError('`length` must be a positive 32-bit integer'); - } - - var loose = arguments.length > 2 && !!arguments[2]; - - var functionLengthIsConfigurable = true; - var functionLengthIsWritable = true; - if ('length' in fn && gOPD) { - var desc = gOPD(fn, 'length'); - if (desc && !desc.configurable) { - functionLengthIsConfigurable = false; - } - if (desc && !desc.writable) { - functionLengthIsWritable = false; - } - } - - if (functionLengthIsConfigurable || functionLengthIsWritable || !loose) { - if (hasDescriptors) { - define(fn, 'length', length, true, true); - } else { - define(fn, 'length', length); - } - } - return fn; -}; diff --git a/node_modules/set-function-length/package.json b/node_modules/set-function-length/package.json deleted file mode 100644 index fdc2cb6..0000000 --- a/node_modules/set-function-length/package.json +++ /dev/null @@ -1,84 +0,0 @@ -{ - "name": "set-function-length", - "version": "1.1.1", - "description": "Set a function's length property", - "main": "index.js", - "exports": { - ".": "./index.js", - "./env": "./env.js", - "./package.json": "./package.json" - }, - "directories": { - "test": "test" - }, - "scripts": { - "prepack": "npmignore --auto --commentLines=autogenerated", - "prepublish": "not-in-publish || npm run prepublishOnly", - "prepublishOnly": "safe-publish-latest", - "prelint": "evalmd README.md", - "lint": "eslint --ext=js,mjs .", - "pretest": "npm run lint", - "tests-only": "nyc tape 'test/**/*.js'", - "test": "npm run tests-only", - "posttest": "aud --production", - "version": "auto-changelog && git add CHANGELOG.md", - "postversion": "auto-changelog && git add CHANGELOG.md && git commit --no-edit --amend && git tag -f \"v$(node -e \"console.log(require('./package.json').version)\")\"" - }, - "repository": { - "type": "git", - "url": "git+https://github.com/ljharb/set-function-length.git" - }, - "keywords": [ - "javascript", - "ecmascript", - "set", - "function", - "length", - "function.length" - ], - "author": "Jordan Harband ", - "license": "MIT", - "bugs": { - "url": "https://github.com/ljharb/set-function-length/issues" - }, - "homepage": "https://github.com/ljharb/set-function-length#readme", - "devDependencies": { - "@ljharb/eslint-config": "^21.1.0", - "aud": "^2.0.3", - "auto-changelog": "^2.4.0", - "call-bind": "^1.0.4", - "es-value-fixtures": "^1.4.2", - "eslint": "=8.8.0", - "evalmd": "^0.0.19", - "for-each": "^0.3.3", - "in-publish": "^2.0.1", - "npmignore": "^0.3.0", - "nyc": "^10.3.2", - "object-inspect": "^1.13.1", - "safe-publish-latest": "^2.0.0", - "tape": "^5.7.1" - }, - "dependencies": { - "define-data-property": "^1.1.1", - "get-intrinsic": "^1.2.1", - "gopd": "^1.0.1", - "has-property-descriptors": "^1.0.0" - }, - "engines": { - "node": ">= 0.4" - }, - "auto-changelog": { - "output": "CHANGELOG.md", - "template": "keepachangelog", - "unreleased": false, - "commitLimit": false, - "backfillLimit": false, - "hideCredit": true - }, - "publishConfig": { - "ignore": [ - ".github/workflows", - "test" - ] - } -} diff --git a/node_modules/setprototypeof/README.md b/node_modules/setprototypeof/README.md index 791eeff..826bf02 100644 --- a/node_modules/setprototypeof/README.md +++ b/node_modules/setprototypeof/README.md @@ -1,9 +1,5 @@ # Polyfill for `Object.setPrototypeOf` -[![NPM Version](https://img.shields.io/npm/v/setprototypeof.svg)](https://npmjs.org/package/setprototypeof) -[![NPM Downloads](https://img.shields.io/npm/dm/setprototypeof.svg)](https://npmjs.org/package/setprototypeof) -[![js-standard-style](https://img.shields.io/badge/code%20style-standard-brightgreen.svg)](https://github.com/standard/standard) - A simple cross platform implementation to set the prototype of an instianted object. Supports all modern browsers and at least back to IE8. ## Usage: @@ -13,19 +9,18 @@ $ npm install --save setprototypeof ``` ```javascript -var setPrototypeOf = require('setprototypeof') +var setPrototypeOf = require('setprototypeof'); -var obj = {} +var obj = {}; setPrototypeOf(obj, { - foo: function () { - return 'bar' - } -}) -obj.foo() // bar + foo: function() { + return 'bar'; + } +}); +obj.foo(); // bar ``` TypeScript is also supported: - ```typescript -import setPrototypeOf from 'setprototypeof' -``` +import setPrototypeOf = require('setprototypeof'); +``` \ No newline at end of file diff --git a/node_modules/setprototypeof/index.js b/node_modules/setprototypeof/index.js index c527055..93ea417 100644 --- a/node_modules/setprototypeof/index.js +++ b/node_modules/setprototypeof/index.js @@ -1,17 +1,15 @@ -'use strict' -/* eslint no-proto: 0 */ -module.exports = Object.setPrototypeOf || ({ __proto__: [] } instanceof Array ? setProtoOf : mixinProperties) +module.exports = Object.setPrototypeOf || ({__proto__:[]} instanceof Array ? setProtoOf : mixinProperties); -function setProtoOf (obj, proto) { - obj.__proto__ = proto - return obj +function setProtoOf(obj, proto) { + obj.__proto__ = proto; + return obj; } -function mixinProperties (obj, proto) { - for (var prop in proto) { - if (!Object.prototype.hasOwnProperty.call(obj, prop)) { - obj[prop] = proto[prop] - } - } - return obj +function mixinProperties(obj, proto) { + for (var prop in proto) { + if (!obj.hasOwnProperty(prop)) { + obj[prop] = proto[prop]; + } + } + return obj; } diff --git a/node_modules/setprototypeof/package.json b/node_modules/setprototypeof/package.json index f20915b..793c504 100644 --- a/node_modules/setprototypeof/package.json +++ b/node_modules/setprototypeof/package.json @@ -1,20 +1,11 @@ { "name": "setprototypeof", - "version": "1.2.0", + "version": "1.1.0", "description": "A small polyfill for Object.setprototypeof", "main": "index.js", "typings": "index.d.ts", "scripts": { - "test": "standard && mocha", - "testallversions": "npm run node010 && npm run node4 && npm run node6 && npm run node9 && npm run node11", - "testversion": "docker run -it --rm -v $(PWD):/usr/src/app -w /usr/src/app node:${NODE_VER} npm install mocha@${MOCHA_VER:-latest} && npm t", - "node010": "NODE_VER=0.10 MOCHA_VER=3 npm run testversion", - "node4": "NODE_VER=4 npm run testversion", - "node6": "NODE_VER=6 npm run testversion", - "node9": "NODE_VER=9 npm run testversion", - "node11": "NODE_VER=11 npm run testversion", - "prepublishOnly": "npm t", - "postpublish": "git push origin && git push origin --tags" + "test": "echo \"Error: no test specified\" && exit 1" }, "repository": { "type": "git", @@ -30,9 +21,5 @@ "bugs": { "url": "https://github.com/wesleytodd/setprototypeof/issues" }, - "homepage": "https://github.com/wesleytodd/setprototypeof", - "devDependencies": { - "mocha": "^6.1.4", - "standard": "^13.0.2" - } + "homepage": "https://github.com/wesleytodd/setprototypeof" } diff --git a/node_modules/statuses/HISTORY.md b/node_modules/statuses/HISTORY.md index fa4556e..7b59790 100644 --- a/node_modules/statuses/HISTORY.md +++ b/node_modules/statuses/HISTORY.md @@ -1,25 +1,3 @@ -2.0.1 / 2021-01-03 -================== - - * Fix returning values from `Object.prototype` - -2.0.0 / 2020-04-19 -================== - - * Drop support for Node.js 0.6 - * Fix messaging casing of `418 I'm a Teapot` - * Remove code 306 - * Remove `status[code]` exports; use `status.message[code]` - * Remove `status[msg]` exports; use `status.code[msg]` - * Rename `425 Unordered Collection` to standard `425 Too Early` - * Rename `STATUS_CODES` export to `message` - * Return status message for `statuses(code)` when given code - -1.5.0 / 2018-03-27 -================== - - * Add `103 Early Hints` - 1.4.0 / 2017-10-20 ================== diff --git a/node_modules/statuses/README.md b/node_modules/statuses/README.md index 57967e6..0fe5720 100644 --- a/node_modules/statuses/README.md +++ b/node_modules/statuses/README.md @@ -1,9 +1,9 @@ -# statuses +# Statuses -[![NPM Version][npm-version-image]][npm-url] -[![NPM Downloads][npm-downloads-image]][npm-url] +[![NPM Version][npm-image]][npm-url] +[![NPM Downloads][downloads-image]][downloads-url] [![Node.js Version][node-version-image]][node-version-url] -[![Build Status][ci-image]][ci-url] +[![Build Status][travis-image]][travis-url] [![Test Coverage][coveralls-image]][coveralls-url] HTTP status utility for node. @@ -34,80 +34,74 @@ $ npm install statuses var status = require('statuses') ``` -### status(code) +### var code = status(Integer || String) -Returns the status message string for a known HTTP status code. The code -may be a number or a string. An error is thrown for an unknown status code. - - - -```js -status(403) // => 'Forbidden' -status('403') // => 'Forbidden' -status(306) // throws -``` - -### status(msg) - -Returns the numeric status code for a known HTTP status message. The message -is case-insensitive. An error is thrown for an unknown status message. +If `Integer` or `String` is a valid HTTP code or status message, then the +appropriate `code` will be returned. Otherwise, an error will be thrown. ```js +status(403) // => 403 +status('403') // => 403 status('forbidden') // => 403 status('Forbidden') // => 403 -status('foo') // throws +status(306) // throws, as it's not supported by node.js ``` +### status.STATUS_CODES + +Returns an object which maps status codes to status messages, in +the same format as the +[Node.js http module](https://nodejs.org/dist/latest/docs/api/http.html#http_http_status_codes). + ### status.codes Returns an array of all the status codes as `Integer`s. -### status.code[msg] +### var msg = status[code] -Returns the numeric status code for a known status message (in lower-case), -otherwise `undefined`. +Map of `code` to `status message`. `undefined` for invalid `code`s. ```js -status['not found'] // => 404 +status[404] // => 'Not Found' ``` -### status.empty[code] +### var code = status[msg] -Returns `true` if a status code expects an empty body. +Map of `status message` to `code`. `msg` can either be title-cased or +lower-cased. `undefined` for invalid `status message`s. ```js -status.empty[200] // => undefined -status.empty[204] // => true -status.empty[304] // => true +status['not found'] // => 404 +status['Not Found'] // => 404 ``` -### status.message[code] +### status.redirect[code] -Returns the string message for a known numeric status code, otherwise -`undefined`. This object is the same format as the -[Node.js http module `http.STATUS_CODES`](https://nodejs.org/dist/latest/docs/api/http.html#http_http_status_codes). +Returns `true` if a status code is a valid redirect status. ```js -status.message[404] // => 'Not Found' +status.redirect[200] // => undefined +status.redirect[301] // => true ``` -### status.redirect[code] +### status.empty[code] -Returns `true` if a status code is a valid redirect status. +Returns `true` if a status code expects an empty body. ```js -status.redirect[200] // => undefined -status.redirect[301] // => true +status.empty[200] // => undefined +status.empty[204] // => true +status.empty[304] // => true ``` ### status.retry[code] @@ -121,16 +115,13 @@ status.retry[501] // => undefined status.retry[503] // => true ``` -## License - -[MIT](LICENSE) - -[ci-image]: https://badgen.net/github/checks/jshttp/statuses/master?label=ci -[ci-url]: https://github.com/jshttp/statuses/actions?query=workflow%3Aci -[coveralls-image]: https://badgen.net/coveralls/c/github/jshttp/statuses/master -[coveralls-url]: https://coveralls.io/r/jshttp/statuses?branch=master -[node-version-image]: https://badgen.net/npm/node/statuses -[node-version-url]: https://nodejs.org/en/download -[npm-downloads-image]: https://badgen.net/npm/dm/statuses +[npm-image]: https://img.shields.io/npm/v/statuses.svg [npm-url]: https://npmjs.org/package/statuses -[npm-version-image]: https://badgen.net/npm/v/statuses +[node-version-image]: https://img.shields.io/node/v/statuses.svg +[node-version-url]: https://nodejs.org/en/download +[travis-image]: https://img.shields.io/travis/jshttp/statuses.svg +[travis-url]: https://travis-ci.org/jshttp/statuses +[coveralls-image]: https://img.shields.io/coveralls/jshttp/statuses.svg +[coveralls-url]: https://coveralls.io/r/jshttp/statuses?branch=master +[downloads-image]: https://img.shields.io/npm/dm/statuses.svg +[downloads-url]: https://npmjs.org/package/statuses diff --git a/node_modules/statuses/codes.json b/node_modules/statuses/codes.json index 1333ed1..66f70e3 100644 --- a/node_modules/statuses/codes.json +++ b/node_modules/statuses/codes.json @@ -2,7 +2,6 @@ "100": "Continue", "101": "Switching Protocols", "102": "Processing", - "103": "Early Hints", "200": "OK", "201": "Created", "202": "Accepted", @@ -19,6 +18,7 @@ "303": "See Other", "304": "Not Modified", "305": "Use Proxy", + "306": "(Unused)", "307": "Temporary Redirect", "308": "Permanent Redirect", "400": "Bad Request", @@ -39,12 +39,12 @@ "415": "Unsupported Media Type", "416": "Range Not Satisfiable", "417": "Expectation Failed", - "418": "I'm a Teapot", + "418": "I'm a teapot", "421": "Misdirected Request", "422": "Unprocessable Entity", "423": "Locked", "424": "Failed Dependency", - "425": "Too Early", + "425": "Unordered Collection", "426": "Upgrade Required", "428": "Precondition Required", "429": "Too Many Requests", diff --git a/node_modules/statuses/index.js b/node_modules/statuses/index.js index ea351c5..4df469a 100644 --- a/node_modules/statuses/index.js +++ b/node_modules/statuses/index.js @@ -22,13 +22,10 @@ var codes = require('./codes.json') module.exports = status // status code to message map -status.message = codes - -// status message (lower-case) to code map -status.code = createMessageToStatusCodeMap(codes) +status.STATUS_CODES = codes // array of status codes -status.codes = createStatusCodeList(codes) +status.codes = populateStatusesMap(status, codes) // status codes for redirects status.redirect = { @@ -56,61 +53,27 @@ status.retry = { } /** - * Create a map of message to status code. + * Populate the statuses map for given codes. * @private */ -function createMessageToStatusCodeMap (codes) { - var map = {} +function populateStatusesMap (statuses, codes) { + var arr = [] Object.keys(codes).forEach(function forEachCode (code) { var message = codes[code] var status = Number(code) - // populate map - map[message.toLowerCase()] = status - }) - - return map -} - -/** - * Create a list of all status codes. - * @private - */ + // Populate properties + statuses[status] = message + statuses[message] = status + statuses[message.toLowerCase()] = status -function createStatusCodeList (codes) { - return Object.keys(codes).map(function mapCode (code) { - return Number(code) + // Add to array + arr.push(status) }) -} - -/** - * Get the status code for given message. - * @private - */ - -function getStatusCode (message) { - var msg = message.toLowerCase() - - if (!Object.prototype.hasOwnProperty.call(status.code, msg)) { - throw new Error('invalid status message: "' + message + '"') - } - - return status.code[msg] -} - -/** - * Get the status message for given code. - * @private - */ - -function getStatusMessage (code) { - if (!Object.prototype.hasOwnProperty.call(status.message, code)) { - throw new Error('invalid status code: ' + code) - } - return status.message[code] + return arr } /** @@ -129,7 +92,8 @@ function getStatusMessage (code) { function status (code) { if (typeof code === 'number') { - return getStatusMessage(code) + if (!status[code]) throw new Error('invalid status code: ' + code) + return code } if (typeof code !== 'string') { @@ -139,8 +103,11 @@ function status (code) { // '403' var n = parseInt(code, 10) if (!isNaN(n)) { - return getStatusMessage(n) + if (!status[n]) throw new Error('invalid status code: ' + n) + return n } - return getStatusCode(code) + n = status[code.toLowerCase()] + if (!n) throw new Error('invalid status message: "' + code + '"') + return n } diff --git a/node_modules/statuses/package.json b/node_modules/statuses/package.json index 8c3e719..60eff11 100644 --- a/node_modules/statuses/package.json +++ b/node_modules/statuses/package.json @@ -1,7 +1,7 @@ { "name": "statuses", "description": "HTTP status utility", - "version": "2.0.1", + "version": "1.4.0", "contributors": [ "Douglas Christopher Wilson ", "Jonathan Ong (http://jongleberry.com)" @@ -20,30 +20,29 @@ "LICENSE" ], "devDependencies": { - "csv-parse": "4.14.2", - "eslint": "7.17.0", - "eslint-config-standard": "14.1.1", - "eslint-plugin-import": "2.22.1", - "eslint-plugin-markdown": "1.0.2", - "eslint-plugin-node": "11.1.0", - "eslint-plugin-promise": "4.2.1", - "eslint-plugin-standard": "4.1.0", - "mocha": "8.2.1", - "nyc": "15.1.0", - "raw-body": "2.4.1", + "csv-parse": "1.2.4", + "eslint": "3.19.0", + "eslint-config-standard": "10.2.1", + "eslint-plugin-import": "2.8.0", + "eslint-plugin-markdown": "1.0.0-beta.6", + "eslint-plugin-node": "5.2.0", + "eslint-plugin-promise": "3.6.0", + "eslint-plugin-standard": "3.0.1", + "istanbul": "0.4.5", + "mocha": "1.21.5", + "raw-body": "2.3.2", "stream-to-array": "2.3.0" }, "engines": { - "node": ">= 0.8" + "node": ">= 0.6" }, "scripts": { "build": "node scripts/build.js", "fetch": "node scripts/fetch-apache.js && node scripts/fetch-iana.js && node scripts/fetch-nginx.js && node scripts/fetch-node.js", "lint": "eslint --plugin markdown --ext js,md .", "test": "mocha --reporter spec --check-leaks --bail test/", - "test-ci": "nyc --reporter=lcov --reporter=text npm test", - "test-cov": "nyc --reporter=html --reporter=text npm test", - "update": "npm run fetch && npm run build", - "version": "node scripts/version-history.js && git add HISTORY.md" + "test-ci": "istanbul cover node_modules/mocha/bin/_mocha --report lcovonly -- --reporter spec --check-leaks test/", + "test-cov": "istanbul cover node_modules/mocha/bin/_mocha -- --reporter dot --check-leaks test/", + "update": "npm run fetch && npm run build" } } diff --git a/package-lock.json b/package-lock.json index 7a7e0e0..8db38a9 100644 --- a/package-lock.json +++ b/package-lock.json @@ -1,3080 +1,1368 @@ { - - "name": "dev", - - "version": "0.1.0", - - "lockfileVersion": 3, - + "name": "backend", + "version": "0.0.0", + "lockfileVersion": 2, "requires": true, - "packages": { - - - "": { - - - - "name": "dev", - - - - "version": "0.1.0", - - - - "dependencies": { - - - - - "body-parser": "^1.20.2", - - - - - "connect-history-api-fallback": "^2.0.0", - - - - - "core-js": "^3.8.3", - - - - - "cors": "^2.8.5", - - - - - "express": "^4.18.2", - - - - - "node": "^20.4.0" - - - - } - - - }, - - - "node_modules/accepts": { - - - - "version": "1.3.8", - - - - "resolved": "https://registry.npmjs.org/accepts/-/accepts-1.3.8.tgz", - - - - "integrity": "sha512-PYAthTa2m2VKxuvSD3DPC/Gy+U+sOA1LAuT8mkmRuvw+NACSaeXEQ+NHcVF7rONl6qcaxV3Uuemwawk+7+SJLw==", - - - - "dependencies": { - - - - - "mime-types": "~2.1.34", - - - - - "negotiator": "0.6.3" - - - - }, - - - - "engines": { - - - - - "node": ">= 0.6" - - - - } - - - }, - - - "node_modules/array-flatten": { - - - - "version": "1.1.1", - - - - "resolved": "https://registry.npmjs.org/array-flatten/-/array-flatten-1.1.1.tgz", - - - - "integrity": "sha512-PCVAQswWemu6UdxsDFFX/+gVeYqKAod3D3UVm91jHwynguOwAvYPhx8nNlM++NqRcK6CxxpUafjmhIdKiHibqg==" - - - }, - - - "node_modules/body-parser": { - - - - "version": "1.20.2", - - - - "resolved": "https://registry.npmjs.org/body-parser/-/body-parser-1.20.2.tgz", - - - - "integrity": "sha512-ml9pReCu3M61kGlqoTm2umSXTlRTuGTx0bfYj+uIUKKYycG5NtSbeetV3faSU6R7ajOPw0g/J1PvK4qNy7s5bA==", - - - - "dependencies": { - - - - - "bytes": "3.1.2", - - - - - "content-type": "~1.0.5", - - - - - "debug": "2.6.9", - - - - - "depd": "2.0.0", - - - - - "destroy": "1.2.0", - - - - - "http-errors": "2.0.0", - - - - - "iconv-lite": "0.4.24", - - - - - "on-finished": "2.4.1", - - - - - "qs": "6.11.0", - - - - - "raw-body": "2.5.2", - - - - - "type-is": "~1.6.18", - - - - - "unpipe": "1.0.0" - - - - }, - - - - "engines": { - - - - - "node": ">= 0.8", - - - - - "npm": "1.2.8000 || >= 1.4.16" - - - - } - - - }, - - - "node_modules/bytes": { - - - - "version": "3.1.2", - - - - "resolved": "https://registry.npmjs.org/bytes/-/bytes-3.1.2.tgz", - - - - "integrity": "sha512-/Nf7TyzTx6S3yRJObOAV7956r8cr2+Oj8AC5dt8wSP3BQAoeX58NoHyCU8P8zGkNXStjTSi6fzO6F0pBdcYbEg==", - - - - "engines": { - - - - - "node": ">= 0.8" - - - - } - - - }, - - - "node_modules/call-bind": { - - - - "version": "1.0.5", - - - - "resolved": "https://registry.npmjs.org/call-bind/-/call-bind-1.0.5.tgz", - - - - "integrity": "sha512-C3nQxfFZxFRVoJoGKKI8y3MOEo129NQ+FgQ08iye+Mk4zNZZGdjfs06bVTr+DBSlA66Q2VEcMki/cUCP4SercQ==", - - - - "dependencies": { - - - - - "function-bind": "^1.1.2", - - - - - "get-intrinsic": "^1.2.1", - - - - - "set-function-length": "^1.1.1" - - - - }, - - - - "funding": { - - - - - "url": "https://github.com/sponsors/ljharb" - - - - } - - - }, - - - "node_modules/connect-history-api-fallback": { - - - - "version": "2.0.0", - - - - "resolved": "https://registry.npmjs.org/connect-history-api-fallback/-/connect-history-api-fallback-2.0.0.tgz", - - - - "integrity": "sha512-U73+6lQFmfiNPrYbXqr6kZ1i1wiRqXnp2nhMsINseWXO8lDau0LGEffJ8kQi4EjLZympVgRdvqjAgiZ1tgzDDA==", - - - - "engines": { - - - - - "node": ">=0.8" - - - - } - - - }, - - - "node_modules/content-disposition": { - - - - "version": "0.5.4", - - - - "resolved": "https://registry.npmjs.org/content-disposition/-/content-disposition-0.5.4.tgz", - - - - "integrity": "sha512-FveZTNuGw04cxlAiWbzi6zTAL/lhehaWbTtgluJh4/E95DqMwTmha3KZN1aAWA8cFIhHzMZUvLevkw5Rqk+tSQ==", - - - - "dependencies": { - - - - - "safe-buffer": "5.2.1" - - - - }, - - - - "engines": { - - - - - "node": ">= 0.6" - - - - } - - - }, - - - "node_modules/content-type": { - - - - "version": "1.0.5", - - - - "resolved": "https://registry.npmjs.org/content-type/-/content-type-1.0.5.tgz", - - - - "integrity": "sha512-nTjqfcBFEipKdXCv4YDQWCfmcLZKm81ldF0pAopTvyrFGVbcR6P/VAAd5G7N+0tTr8QqiU0tFadD6FK4NtJwOA==", - - - - "engines": { - - - - - "node": ">= 0.6" - - - - } - - - }, - - - "node_modules/cookie": { - - - - "version": "0.5.0", - - - - "resolved": "https://registry.npmjs.org/cookie/-/cookie-0.5.0.tgz", - - - - "integrity": "sha512-YZ3GUyn/o8gfKJlnlX7g7xq4gyO6OSuhGPKaaGssGB2qgDUS0gPgtTvoyZLTt9Ab6dC4hfc9dV5arkvc/OCmrw==", - - - - "engines": { - - - - - "node": ">= 0.6" - - - - } - - - }, - - - "node_modules/cookie-signature": { - - - - "version": "1.0.6", - - - - "resolved": "https://registry.npmjs.org/cookie-signature/-/cookie-signature-1.0.6.tgz", - - - - "integrity": "sha512-QADzlaHc8icV8I7vbaJXJwod9HWYp8uCqf1xa4OfNu1T7JVxQIrUgOWtHdNDtPiywmFbiS12VjotIXLrKM3orQ==" - - - }, - - - "node_modules/core-js": { - - - - "version": "3.35.0", - - - - "resolved": "https://registry.npmjs.org/core-js/-/core-js-3.35.0.tgz", - - - - "integrity": "sha512-ntakECeqg81KqMueeGJ79Q5ZgQNR+6eaE8sxGCx62zMbAIj65q+uYvatToew3m6eAGdU4gNZwpZ34NMe4GYswg==", - - - - "hasInstallScript": true, - - - - "funding": { - - - - - "type": "opencollective", - - - - - "url": "https://opencollective.com/core-js" - - - - } - - - }, - - - "node_modules/cors": { - - - - "version": "2.8.5", - - - - "resolved": "https://registry.npmjs.org/cors/-/cors-2.8.5.tgz", - - - - "integrity": "sha512-KIHbLJqu73RGr/hnbrO9uBeixNGuvSQjul/jdFvS/KFSIH1hWVd1ng7zOHx+YrEfInLG7q4n6GHQ9cDtxv/P6g==", - - - - "dependencies": { - - - - - "object-assign": "^4", - - - - - "vary": "^1" - - - - }, - - - - "engines": { - - - - - "node": ">= 0.10" - - - - } - - - }, - - - "node_modules/debug": { - - - - "version": "2.6.9", - - - - "resolved": "https://registry.npmjs.org/debug/-/debug-2.6.9.tgz", - - - - "integrity": "sha512-bC7ElrdJaJnPbAP+1EotYvqZsb3ecl5wi6Bfi6BJTUcNowp6cvspg0jXznRTKDjm/E7AdgFBVeAPVMNcKGsHMA==", - - - - "dependencies": { - - - - - "ms": "2.0.0" - - - - } - - - }, - - - "node_modules/define-data-property": { - - - - "version": "1.1.1", - - - - "resolved": "https://registry.npmjs.org/define-data-property/-/define-data-property-1.1.1.tgz", - - - - "integrity": "sha512-E7uGkTzkk1d0ByLeSc6ZsFS79Axg+m1P/VsgYsxHgiuc3tFSj+MjMIwe90FC4lOAZzNBdY7kkO2P2wKdsQ1vgQ==", - - - - "dependencies": { - - - - - "get-intrinsic": "^1.2.1", - - - - - "gopd": "^1.0.1", - - - - - "has-property-descriptors": "^1.0.0" - - - - }, - - - - "engines": { - - - - - "node": ">= 0.4" - - - - } - - - }, - - - "node_modules/depd": { - - - - "version": "2.0.0", - - - - "resolved": "https://registry.npmjs.org/depd/-/depd-2.0.0.tgz", - - - - "integrity": "sha512-g7nH6P6dyDioJogAAGprGpCtVImJhpPk/roCzdb3fIh61/s/nPsfR6onyMwkCAR/OlC3yBC0lESvUoQEAssIrw==", - - - - "engines": { - - - - - "node": ">= 0.8" - - - - } - - - }, - - - "node_modules/destroy": { - - - - "version": "1.2.0", - - - - "resolved": "https://registry.npmjs.org/destroy/-/destroy-1.2.0.tgz", - - - - "integrity": "sha512-2sJGJTaXIIaR1w4iJSNoN0hnMY7Gpc/n8D4qSCJw8QqFWXf7cuAgnEHxBpweaVcPevC2l3KpjYCx3NypQQgaJg==", - - - - "engines": { - - - - - "node": ">= 0.8", - - - - - "npm": "1.2.8000 || >= 1.4.16" - - - - } - - - }, - - - "node_modules/ee-first": { - - - - "version": "1.1.1", - - - - "resolved": "https://registry.npmjs.org/ee-first/-/ee-first-1.1.1.tgz", - - - - "integrity": "sha512-WMwm9LhRUo+WUaRN+vRuETqG89IgZphVSNkdFgeb6sS/E4OrDIN7t48CAewSHXc6C8lefD8KKfr5vY61brQlow==" - - - }, - - - "node_modules/encodeurl": { - - - - "version": "1.0.2", - - - - "resolved": "https://registry.npmjs.org/encodeurl/-/encodeurl-1.0.2.tgz", - - - - "integrity": "sha512-TPJXq8JqFaVYm2CWmPvnP2Iyo4ZSM7/QKcSmuMLDObfpH5fi7RUGmd/rTDf+rut/saiDiQEeVTNgAmJEdAOx0w==", - - - - "engines": { - - - - - "node": ">= 0.8" - - - - } - - + "": { + "name": "backend", + "version": "0.0.0", + "dependencies": { + "body-parser": "^1.20.2", + "connect-history-api-fallback": "^2.0.0", + "cors": "^2.8.5", + "express": "~4.16.1", + "node": "^20.4.0" + } + }, + "node_modules/accepts": { + "version": "1.3.8", + "resolved": "https://registry.npmjs.org/accepts/-/accepts-1.3.8.tgz", + "integrity": "sha512-PYAthTa2m2VKxuvSD3DPC/Gy+U+sOA1LAuT8mkmRuvw+NACSaeXEQ+NHcVF7rONl6qcaxV3Uuemwawk+7+SJLw==", + "dependencies": { + "mime-types": "~2.1.34", + "negotiator": "0.6.3" + }, + "engines": { + "node": ">= 0.6" + } + }, + "node_modules/array-flatten": { + "version": "1.1.1", + "resolved": "https://registry.npmjs.org/array-flatten/-/array-flatten-1.1.1.tgz", + "integrity": "sha512-PCVAQswWemu6UdxsDFFX/+gVeYqKAod3D3UVm91jHwynguOwAvYPhx8nNlM++NqRcK6CxxpUafjmhIdKiHibqg==" + }, + "node_modules/body-parser": { + "version": "1.20.2", + "resolved": "https://registry.npmjs.org/body-parser/-/body-parser-1.20.2.tgz", + "integrity": "sha512-ml9pReCu3M61kGlqoTm2umSXTlRTuGTx0bfYj+uIUKKYycG5NtSbeetV3faSU6R7ajOPw0g/J1PvK4qNy7s5bA==", + "dependencies": { + "bytes": "3.1.2", + "content-type": "~1.0.5", + "debug": "2.6.9", + "depd": "2.0.0", + "destroy": "1.2.0", + "http-errors": "2.0.0", + "iconv-lite": "0.4.24", + "on-finished": "2.4.1", + "qs": "6.11.0", + "raw-body": "2.5.2", + "type-is": "~1.6.18", + "unpipe": "1.0.0" + }, + "engines": { + "node": ">= 0.8", + "npm": "1.2.8000 || >= 1.4.16" + } + }, + "node_modules/body-parser/node_modules/depd": { + "version": "2.0.0", + "resolved": "https://registry.npmjs.org/depd/-/depd-2.0.0.tgz", + "integrity": "sha512-g7nH6P6dyDioJogAAGprGpCtVImJhpPk/roCzdb3fIh61/s/nPsfR6onyMwkCAR/OlC3yBC0lESvUoQEAssIrw==", + "engines": { + "node": ">= 0.8" + } + }, + "node_modules/body-parser/node_modules/destroy": { + "version": "1.2.0", + "resolved": "https://registry.npmjs.org/destroy/-/destroy-1.2.0.tgz", + "integrity": "sha512-2sJGJTaXIIaR1w4iJSNoN0hnMY7Gpc/n8D4qSCJw8QqFWXf7cuAgnEHxBpweaVcPevC2l3KpjYCx3NypQQgaJg==", + "engines": { + "node": ">= 0.8", + "npm": "1.2.8000 || >= 1.4.16" + } + }, + "node_modules/body-parser/node_modules/http-errors": { + "version": "2.0.0", + "resolved": "https://registry.npmjs.org/http-errors/-/http-errors-2.0.0.tgz", + "integrity": "sha512-FtwrG/euBzaEjYeRqOgly7G0qviiXoJWnvEH2Z1plBdXgbyjv34pHTSb9zoeHMyDy33+DWy5Wt9Wo+TURtOYSQ==", + "dependencies": { + "depd": "2.0.0", + "inherits": "2.0.4", + "setprototypeof": "1.2.0", + "statuses": "2.0.1", + "toidentifier": "1.0.1" + }, + "engines": { + "node": ">= 0.8" + } + }, + "node_modules/body-parser/node_modules/inherits": { + "version": "2.0.4", + "resolved": "https://registry.npmjs.org/inherits/-/inherits-2.0.4.tgz", + "integrity": "sha512-k/vGaX4/Yla3WzyMCvTQOXYeIHvqOKtnqBduzTHpzpQZzAskKMhZ2K+EnBiSM9zGSoIFeMpXKxa4dYeZIQqewQ==" + }, + "node_modules/body-parser/node_modules/on-finished": { + "version": "2.4.1", + "resolved": "https://registry.npmjs.org/on-finished/-/on-finished-2.4.1.tgz", + "integrity": "sha512-oVlzkg3ENAhCk2zdv7IJwd/QUD4z2RxRwpkcGY8psCVcCYZNq4wYnVWALHM+brtuJjePWiYF/ClmuDr8Ch5+kg==", + "dependencies": { + "ee-first": "1.1.1" + }, + "engines": { + "node": ">= 0.8" + } + }, + "node_modules/body-parser/node_modules/qs": { + "version": "6.11.0", + "resolved": "https://registry.npmjs.org/qs/-/qs-6.11.0.tgz", + "integrity": "sha512-MvjoMCJwEarSbUYk5O+nmoSzSutSsTwF85zcHPQ9OrlFoZOYIjaqBAJIqIXjptyD5vThxGq52Xu/MaJzRkIk4Q==", + "dependencies": { + "side-channel": "^1.0.4" + }, + "engines": { + "node": ">=0.6" + }, + "funding": { + "url": "https://github.com/sponsors/ljharb" + } + }, + "node_modules/body-parser/node_modules/setprototypeof": { + "version": "1.2.0", + "resolved": "https://registry.npmjs.org/setprototypeof/-/setprototypeof-1.2.0.tgz", + "integrity": "sha512-E5LDX7Wrp85Kil5bhZv46j8jOeboKq5JMmYM3gVGdGH8xFpPWXUMsNrlODCrkoxMEeNi/XZIwuRvY4XNwYMJpw==" + }, + "node_modules/body-parser/node_modules/statuses": { + "version": "2.0.1", + "resolved": "https://registry.npmjs.org/statuses/-/statuses-2.0.1.tgz", + "integrity": "sha512-RwNA9Z/7PrK06rYLIzFMlaF+l73iwpzsqRIFgbMLbTcLD6cOao82TaWefPXQvB2fOC4AjuYSEndS7N/mTCbkdQ==", + "engines": { + "node": ">= 0.8" + } + }, + "node_modules/bytes": { + "version": "3.1.2", + "resolved": "https://registry.npmjs.org/bytes/-/bytes-3.1.2.tgz", + "integrity": "sha512-/Nf7TyzTx6S3yRJObOAV7956r8cr2+Oj8AC5dt8wSP3BQAoeX58NoHyCU8P8zGkNXStjTSi6fzO6F0pBdcYbEg==", + "engines": { + "node": ">= 0.8" + } + }, + "node_modules/call-bind": { + "version": "1.0.2", + "resolved": "https://registry.npmjs.org/call-bind/-/call-bind-1.0.2.tgz", + "integrity": "sha512-7O+FbCihrB5WGbFYesctwmTKae6rOiIzmz1icreWJ+0aA7LJfuqhEso2T9ncpcFtzMQtzXf2QGGueWJGTYsqrA==", + "dependencies": { + "function-bind": "^1.1.1", + "get-intrinsic": "^1.0.2" + }, + "funding": { + "url": "https://github.com/sponsors/ljharb" + } + }, + "node_modules/connect-history-api-fallback": { + "version": "2.0.0", + "resolved": "https://registry.npmjs.org/connect-history-api-fallback/-/connect-history-api-fallback-2.0.0.tgz", + "integrity": "sha512-U73+6lQFmfiNPrYbXqr6kZ1i1wiRqXnp2nhMsINseWXO8lDau0LGEffJ8kQi4EjLZympVgRdvqjAgiZ1tgzDDA==", + "engines": { + "node": ">=0.8" + } + }, + "node_modules/content-disposition": { + "version": "0.5.2", + "resolved": "https://registry.npmjs.org/content-disposition/-/content-disposition-0.5.2.tgz", + "integrity": "sha512-kRGRZw3bLlFISDBgwTSA1TMBFN6J6GWDeubmDE3AF+3+yXL8hTWv8r5rkLbqYXY4RjPk/EzHnClI3zQf1cFmHA==", + "engines": { + "node": ">= 0.6" + } + }, + "node_modules/content-type": { + "version": "1.0.5", + "resolved": "https://registry.npmjs.org/content-type/-/content-type-1.0.5.tgz", + "integrity": "sha512-nTjqfcBFEipKdXCv4YDQWCfmcLZKm81ldF0pAopTvyrFGVbcR6P/VAAd5G7N+0tTr8QqiU0tFadD6FK4NtJwOA==", + "engines": { + "node": ">= 0.6" + } + }, + "node_modules/cookie-signature": { + "version": "1.0.6", + "resolved": "https://registry.npmjs.org/cookie-signature/-/cookie-signature-1.0.6.tgz", + "integrity": "sha512-QADzlaHc8icV8I7vbaJXJwod9HWYp8uCqf1xa4OfNu1T7JVxQIrUgOWtHdNDtPiywmFbiS12VjotIXLrKM3orQ==" + }, + "node_modules/cors": { + "version": "2.8.5", + "resolved": "https://registry.npmjs.org/cors/-/cors-2.8.5.tgz", + "integrity": "sha512-KIHbLJqu73RGr/hnbrO9uBeixNGuvSQjul/jdFvS/KFSIH1hWVd1ng7zOHx+YrEfInLG7q4n6GHQ9cDtxv/P6g==", + "dependencies": { + "object-assign": "^4", + "vary": "^1" + }, + "engines": { + "node": ">= 0.10" + } + }, + "node_modules/debug": { + "version": "2.6.9", + "resolved": "https://registry.npmjs.org/debug/-/debug-2.6.9.tgz", + "integrity": "sha512-bC7ElrdJaJnPbAP+1EotYvqZsb3ecl5wi6Bfi6BJTUcNowp6cvspg0jXznRTKDjm/E7AdgFBVeAPVMNcKGsHMA==", + "dependencies": { + "ms": "2.0.0" + } + }, + "node_modules/depd": { + "version": "1.1.2", + "resolved": "https://registry.npmjs.org/depd/-/depd-1.1.2.tgz", + "integrity": "sha512-7emPTl6Dpo6JRXOXjLRxck+FlLRX5847cLKEn00PLAgc3g2hTZZgr+e4c2v6QpSmLeFP3n5yUo7ft6avBK/5jQ==", + "engines": { + "node": ">= 0.6" + } + }, + "node_modules/destroy": { + "version": "1.0.4", + "resolved": "https://registry.npmjs.org/destroy/-/destroy-1.0.4.tgz", + "integrity": "sha512-3NdhDuEXnfun/z7x9GOElY49LoqVHoGScmOKwmxhsS8N5Y+Z8KyPPDnaSzqWgYt/ji4mqwfTS34Htrk0zPIXVg==" + }, + "node_modules/ee-first": { + "version": "1.1.1", + "resolved": "https://registry.npmjs.org/ee-first/-/ee-first-1.1.1.tgz", + "integrity": "sha512-WMwm9LhRUo+WUaRN+vRuETqG89IgZphVSNkdFgeb6sS/E4OrDIN7t48CAewSHXc6C8lefD8KKfr5vY61brQlow==" + }, + "node_modules/encodeurl": { + "version": "1.0.2", + "resolved": "https://registry.npmjs.org/encodeurl/-/encodeurl-1.0.2.tgz", + "integrity": "sha512-TPJXq8JqFaVYm2CWmPvnP2Iyo4ZSM7/QKcSmuMLDObfpH5fi7RUGmd/rTDf+rut/saiDiQEeVTNgAmJEdAOx0w==", + "engines": { + "node": ">= 0.8" + } + }, + "node_modules/escape-html": { + "version": "1.0.3", + "resolved": "https://registry.npmjs.org/escape-html/-/escape-html-1.0.3.tgz", + "integrity": "sha512-NiSupZ4OeuGwr68lGIeym/ksIZMJodUGOSCZ/FSnTxcrekbvqrgdUxlJOMpijaKZVjAJrWrGs/6Jy8OMuyj9ow==" + }, + "node_modules/etag": { + "version": "1.8.1", + "resolved": "https://registry.npmjs.org/etag/-/etag-1.8.1.tgz", + "integrity": "sha512-aIL5Fx7mawVa300al2BnEE4iNvo1qETxLrPI/o05L7z6go7fCw1J6EQmbK4FmJ2AS7kgVF/KEZWufBfdClMcPg==", + "engines": { + "node": ">= 0.6" + } + }, + "node_modules/express": { + "version": "4.16.4", + "resolved": "https://registry.npmjs.org/express/-/express-4.16.4.tgz", + "integrity": "sha512-j12Uuyb4FMrd/qQAm6uCHAkPtO8FDTRJZBDd5D2KOL2eLaz1yUNdUB/NOIyq0iU4q4cFarsUCrnFDPBcnksuOg==", + "dependencies": { + "accepts": "~1.3.5", + "array-flatten": "1.1.1", + "body-parser": "1.18.3", + "content-disposition": "0.5.2", + "content-type": "~1.0.4", + "cookie": "0.3.1", + "cookie-signature": "1.0.6", + "debug": "2.6.9", + "depd": "~1.1.2", + "encodeurl": "~1.0.2", + "escape-html": "~1.0.3", + "etag": "~1.8.1", + "finalhandler": "1.1.1", + "fresh": "0.5.2", + "merge-descriptors": "1.0.1", + "methods": "~1.1.2", + "on-finished": "~2.3.0", + "parseurl": "~1.3.2", + "path-to-regexp": "0.1.7", + "proxy-addr": "~2.0.4", + "qs": "6.5.2", + "range-parser": "~1.2.0", + "safe-buffer": "5.1.2", + "send": "0.16.2", + "serve-static": "1.13.2", + "setprototypeof": "1.1.0", + "statuses": "~1.4.0", + "type-is": "~1.6.16", + "utils-merge": "1.0.1", + "vary": "~1.1.2" + }, + "engines": { + "node": ">= 0.10.0" + } + }, + "node_modules/express/node_modules/body-parser": { + "version": "1.18.3", + "resolved": "https://registry.npmjs.org/body-parser/-/body-parser-1.18.3.tgz", + "integrity": "sha512-YQyoqQG3sO8iCmf8+hyVpgHHOv0/hCEFiS4zTGUwTA1HjAFX66wRcNQrVCeJq9pgESMRvUAOvSil5MJlmccuKQ==", + "dependencies": { + "bytes": "3.0.0", + "content-type": "~1.0.4", + "debug": "2.6.9", + "depd": "~1.1.2", + "http-errors": "~1.6.3", + "iconv-lite": "0.4.23", + "on-finished": "~2.3.0", + "qs": "6.5.2", + "raw-body": "2.3.3", + "type-is": "~1.6.16" + }, + "engines": { + "node": ">= 0.8" + } + }, + "node_modules/express/node_modules/bytes": { + "version": "3.0.0", + "resolved": "https://registry.npmjs.org/bytes/-/bytes-3.0.0.tgz", + "integrity": "sha512-pMhOfFDPiv9t5jjIXkHosWmkSyQbvsgEVNkz0ERHbuLh2T/7j4Mqqpz523Fe8MVY89KC6Sh/QfS2sM+SjgFDcw==", + "engines": { + "node": ">= 0.8" + } + }, + "node_modules/express/node_modules/cookie": { + "version": "0.3.1", + "resolved": "https://registry.npmjs.org/cookie/-/cookie-0.3.1.tgz", + "integrity": "sha512-+IJOX0OqlHCszo2mBUq+SrEbCj6w7Kpffqx60zYbPTFaO4+yYgRjHwcZNpWvaTylDHaV7PPmBHzSecZiMhtPgw==", + "engines": { + "node": ">= 0.6" + } + }, + "node_modules/express/node_modules/iconv-lite": { + "version": "0.4.23", + "resolved": "https://registry.npmjs.org/iconv-lite/-/iconv-lite-0.4.23.tgz", + "integrity": "sha512-neyTUVFtahjf0mB3dZT77u+8O0QB89jFdnBkd5P1JgYPbPaia3gXXOVL2fq8VyU2gMMD7SaN7QukTB/pmXYvDA==", + "dependencies": { + "safer-buffer": ">= 2.1.2 < 3" + }, + "engines": { + "node": ">=0.10.0" + } + }, + "node_modules/express/node_modules/raw-body": { + "version": "2.3.3", + "resolved": "https://registry.npmjs.org/raw-body/-/raw-body-2.3.3.tgz", + "integrity": "sha512-9esiElv1BrZoI3rCDuOuKCBRbuApGGaDPQfjSflGxdy4oyzqghxu6klEkkVIvBje+FF0BX9coEv8KqW6X/7njw==", + "dependencies": { + "bytes": "3.0.0", + "http-errors": "1.6.3", + "iconv-lite": "0.4.23", + "unpipe": "1.0.0" + }, + "engines": { + "node": ">= 0.8" + } + }, + "node_modules/finalhandler": { + "version": "1.1.1", + "resolved": "https://registry.npmjs.org/finalhandler/-/finalhandler-1.1.1.tgz", + "integrity": "sha512-Y1GUDo39ez4aHAw7MysnUD5JzYX+WaIj8I57kO3aEPT1fFRL4sr7mjei97FgnwhAyyzRYmQZaTHb2+9uZ1dPtg==", + "dependencies": { + "debug": "2.6.9", + "encodeurl": "~1.0.2", + "escape-html": "~1.0.3", + "on-finished": "~2.3.0", + "parseurl": "~1.3.2", + "statuses": "~1.4.0", + "unpipe": "~1.0.0" + }, + "engines": { + "node": ">= 0.8" + } + }, + "node_modules/forwarded": { + "version": "0.2.0", + "resolved": "https://registry.npmjs.org/forwarded/-/forwarded-0.2.0.tgz", + "integrity": "sha512-buRG0fpBtRHSTCOASe6hD258tEubFoRLb4ZNA6NxMVHNw2gOcwHo9wyablzMzOA5z9xA9L1KNjk/Nt6MT9aYow==", + "engines": { + "node": ">= 0.6" + } + }, + "node_modules/fresh": { + "version": "0.5.2", + "resolved": "https://registry.npmjs.org/fresh/-/fresh-0.5.2.tgz", + "integrity": "sha512-zJ2mQYM18rEFOudeV4GShTGIQ7RbzA7ozbU9I/XBpm7kqgMywgmylMwXHxZJmkVoYkna9d2pVXVXPdYTP9ej8Q==", + "engines": { + "node": ">= 0.6" + } + }, + "node_modules/function-bind": { + "version": "1.1.1", + "resolved": "https://registry.npmjs.org/function-bind/-/function-bind-1.1.1.tgz", + "integrity": "sha512-yIovAzMX49sF8Yl58fSCWJ5svSLuaibPxXQJFLmBObTuCr0Mf1KiPopGM9NiFjiYBCbfaa2Fh6breQ6ANVTI0A==" + }, + "node_modules/get-intrinsic": { + "version": "1.2.1", + "resolved": "https://registry.npmjs.org/get-intrinsic/-/get-intrinsic-1.2.1.tgz", + "integrity": "sha512-2DcsyfABl+gVHEfCOaTrWgyt+tb6MSEGmKq+kI5HwLbIYgjgmMcV8KQ41uaKz1xxUcn9tJtgFbQUEVcEbd0FYw==", + "dependencies": { + "function-bind": "^1.1.1", + "has": "^1.0.3", + "has-proto": "^1.0.1", + "has-symbols": "^1.0.3" + }, + "funding": { + "url": "https://github.com/sponsors/ljharb" + } + }, + "node_modules/has": { + "version": "1.0.3", + "resolved": "https://registry.npmjs.org/has/-/has-1.0.3.tgz", + "integrity": "sha512-f2dvO0VU6Oej7RkWJGrehjbzMAjFp5/VKPp5tTpWIV4JHHZK1/BxbFRtf/siA2SWTe09caDmVtYYzWEIbBS4zw==", + "dependencies": { + "function-bind": "^1.1.1" + }, + "engines": { + "node": ">= 0.4.0" + } + }, + "node_modules/has-proto": { + "version": "1.0.1", + "resolved": "https://registry.npmjs.org/has-proto/-/has-proto-1.0.1.tgz", + "integrity": "sha512-7qE+iP+O+bgF9clE5+UoBFzE65mlBiVj3tKCrlNQ0Ogwm0BjpT/gK4SlLYDMybDh5I3TCTKnPPa0oMG7JDYrhg==", + "engines": { + "node": ">= 0.4" + }, + "funding": { + "url": "https://github.com/sponsors/ljharb" + } + }, + "node_modules/has-symbols": { + "version": "1.0.3", + "resolved": "https://registry.npmjs.org/has-symbols/-/has-symbols-1.0.3.tgz", + "integrity": "sha512-l3LCuF6MgDNwTDKkdYGEihYjt5pRPbEg46rtlmnSPlUbgmB8LOIrKJbYYFBSbnPaJexMKtiPO8hmeRjRz2Td+A==", + "engines": { + "node": ">= 0.4" + }, + "funding": { + "url": "https://github.com/sponsors/ljharb" + } + }, + "node_modules/http-errors": { + "version": "1.6.3", + "resolved": "https://registry.npmjs.org/http-errors/-/http-errors-1.6.3.tgz", + "integrity": "sha512-lks+lVC8dgGyh97jxvxeYTWQFvh4uw4yC12gVl63Cg30sjPX4wuGcdkICVXDAESr6OJGjqGA8Iz5mkeN6zlD7A==", + "dependencies": { + "depd": "~1.1.2", + "inherits": "2.0.3", + "setprototypeof": "1.1.0", + "statuses": ">= 1.4.0 < 2" + }, + "engines": { + "node": ">= 0.6" + } + }, + "node_modules/iconv-lite": { + "version": "0.4.24", + "resolved": "https://registry.npmjs.org/iconv-lite/-/iconv-lite-0.4.24.tgz", + "integrity": "sha512-v3MXnZAcvnywkTUEZomIActle7RXXeedOR31wwl7VlyoXO4Qi9arvSenNQWne1TcRwhCL1HwLI21bEqdpj8/rA==", + "dependencies": { + "safer-buffer": ">= 2.1.2 < 3" + }, + "engines": { + "node": ">=0.10.0" + } + }, + "node_modules/inherits": { + "version": "2.0.3", + "resolved": "https://registry.npmjs.org/inherits/-/inherits-2.0.3.tgz", + "integrity": "sha512-x00IRNXNy63jwGkJmzPigoySHbaqpNuzKbBOmzK+g2OdZpQ9w+sxCN+VSB3ja7IAge2OP2qpfxTjeNcyjmW1uw==" + }, + "node_modules/ipaddr.js": { + "version": "1.9.1", + "resolved": "https://registry.npmjs.org/ipaddr.js/-/ipaddr.js-1.9.1.tgz", + "integrity": "sha512-0KI/607xoxSToH7GjN1FfSbLoU0+btTicjsQSWQlh/hZykN8KpmMf7uYwPW3R+akZ6R/w18ZlXSHBYXiYUPO3g==", + "engines": { + "node": ">= 0.10" + } + }, + "node_modules/media-typer": { + "version": "0.3.0", + "resolved": "https://registry.npmjs.org/media-typer/-/media-typer-0.3.0.tgz", + "integrity": "sha512-dq+qelQ9akHpcOl/gUVRTxVIOkAJ1wR3QAvb4RsVjS8oVoFjDGTc679wJYmUmknUF5HwMLOgb5O+a3KxfWapPQ==", + "engines": { + "node": ">= 0.6" + } + }, + "node_modules/merge-descriptors": { + "version": "1.0.1", + "resolved": "https://registry.npmjs.org/merge-descriptors/-/merge-descriptors-1.0.1.tgz", + "integrity": "sha512-cCi6g3/Zr1iqQi6ySbseM1Xvooa98N0w31jzUYrXPX2xqObmFGHJ0tQ5u74H3mVh7wLouTseZyYIq39g8cNp1w==" + }, + "node_modules/methods": { + "version": "1.1.2", + "resolved": "https://registry.npmjs.org/methods/-/methods-1.1.2.tgz", + "integrity": "sha512-iclAHeNqNm68zFtnZ0e+1L2yUIdvzNoauKU4WBA3VvH/vPFieF7qfRlwUZU+DA9P9bPXIS90ulxoUoCH23sV2w==", + "engines": { + "node": ">= 0.6" + } + }, + "node_modules/mime": { + "version": "1.4.1", + "resolved": "https://registry.npmjs.org/mime/-/mime-1.4.1.tgz", + "integrity": "sha512-KI1+qOZu5DcW6wayYHSzR/tXKCDC5Om4s1z2QJjDULzLcmf3DvzS7oluY4HCTrc+9FiKmWUgeNLg7W3uIQvxtQ==", + "bin": { + "mime": "cli.js" + } + }, + "node_modules/mime-db": { + "version": "1.52.0", + "resolved": "https://registry.npmjs.org/mime-db/-/mime-db-1.52.0.tgz", + "integrity": "sha512-sPU4uV7dYlvtWJxwwxHD0PuihVNiE7TyAbQ5SWxDCB9mUYvOgroQOwYQQOKPJ8CIbE+1ETVlOoK1UC2nU3gYvg==", + "engines": { + "node": ">= 0.6" + } + }, + "node_modules/mime-types": { + "version": "2.1.35", + "resolved": "https://registry.npmjs.org/mime-types/-/mime-types-2.1.35.tgz", + "integrity": "sha512-ZDY+bPm5zTTF+YpCrAU9nK0UgICYPT0QtT1NZWFv4s++TNkcgVaT0g6+4R2uI4MjQjzysHB1zxuWL50hzaeXiw==", + "dependencies": { + "mime-db": "1.52.0" + }, + "engines": { + "node": ">= 0.6" + } + }, + "node_modules/ms": { + "version": "2.0.0", + "resolved": "https://registry.npmjs.org/ms/-/ms-2.0.0.tgz", + "integrity": "sha512-Tpp60P6IUJDTuOq/5Z8cdskzJujfwqfOTkrwIwj7IRISpnkJnT6SyJ4PCPnGMoFjC9ddhal5KVIYtAt97ix05A==" + }, + "node_modules/negotiator": { + "version": "0.6.3", + "resolved": "https://registry.npmjs.org/negotiator/-/negotiator-0.6.3.tgz", + "integrity": "sha512-+EUsqGPLsM+j/zdChZjsnX51g4XrHFOIXwfnCVPGlQk/k5giakcKsuxCObBRu6DSm9opw/O6slWbJdghQM4bBg==", + "engines": { + "node": ">= 0.6" + } + }, + "node_modules/node": { + "version": "20.5.0", + "resolved": "https://registry.npmjs.org/node/-/node-20.5.0.tgz", + "integrity": "sha512-+mVyKGaCscnINaMNIa+plgDoN9XXb5ksw7FQB78pUmodmftxomwlaU6z6ze1aCbHVB69BGqo84KkyD6NJC9Ifg==", + "hasInstallScript": true, + "dependencies": { + "node-bin-setup": "^1.0.0" + }, + "bin": { + "node": "bin/node" + }, + "engines": { + "npm": ">=5.0.0" + } + }, + "node_modules/node-bin-setup": { + "version": "1.1.3", + "resolved": "https://registry.npmjs.org/node-bin-setup/-/node-bin-setup-1.1.3.tgz", + "integrity": "sha512-opgw9iSCAzT2+6wJOETCpeRYAQxSopqQ2z+N6BXwIMsQQ7Zj5M8MaafQY8JMlolRR6R1UXg2WmhKp0p9lSOivg==" + }, + "node_modules/object-assign": { + "version": "4.1.1", + "resolved": "https://registry.npmjs.org/object-assign/-/object-assign-4.1.1.tgz", + "integrity": "sha512-rJgTQnkUnH1sFw8yT6VSU3zD3sWmu6sZhIseY8VX+GRu3P6F7Fu+JNDoXfklElbLJSnc3FUQHVe4cU5hj+BcUg==", + "engines": { + "node": ">=0.10.0" + } + }, + "node_modules/object-inspect": { + "version": "1.12.3", + "resolved": "https://registry.npmjs.org/object-inspect/-/object-inspect-1.12.3.tgz", + "integrity": "sha512-geUvdk7c+eizMNUDkRpW1wJwgfOiOeHbxBR/hLXK1aT6zmVSO0jsQcs7fj6MGw89jC/cjGfLcNOrtMYtGqm81g==", + "funding": { + "url": "https://github.com/sponsors/ljharb" + } + }, + "node_modules/on-finished": { + "version": "2.3.0", + "resolved": "https://registry.npmjs.org/on-finished/-/on-finished-2.3.0.tgz", + "integrity": "sha512-ikqdkGAAyf/X/gPhXGvfgAytDZtDbr+bkNUJ0N9h5MI/dmdgCs3l6hoHrcUv41sRKew3jIwrp4qQDXiK99Utww==", + "dependencies": { + "ee-first": "1.1.1" + }, + "engines": { + "node": ">= 0.8" + } + }, + "node_modules/parseurl": { + "version": "1.3.3", + "resolved": "https://registry.npmjs.org/parseurl/-/parseurl-1.3.3.tgz", + "integrity": "sha512-CiyeOxFT/JZyN5m0z9PfXw4SCBJ6Sygz1Dpl0wqjlhDEGGBP1GnsUVEL0p63hoG1fcj3fHynXi9NYO4nWOL+qQ==", + "engines": { + "node": ">= 0.8" + } + }, + "node_modules/path-to-regexp": { + "version": "0.1.7", + "resolved": "https://registry.npmjs.org/path-to-regexp/-/path-to-regexp-0.1.7.tgz", + "integrity": "sha512-5DFkuoqlv1uYQKxy8omFBeJPQcdoE07Kv2sferDCrAq1ohOU+MSDswDIbnx3YAM60qIOnYa53wBhXW0EbMonrQ==" + }, + "node_modules/proxy-addr": { + "version": "2.0.7", + "resolved": "https://registry.npmjs.org/proxy-addr/-/proxy-addr-2.0.7.tgz", + "integrity": "sha512-llQsMLSUDUPT44jdrU/O37qlnifitDP+ZwrmmZcoSKyLKvtZxpyV0n2/bD/N4tBAAZ/gJEdZU7KMraoK1+XYAg==", + "dependencies": { + "forwarded": "0.2.0", + "ipaddr.js": "1.9.1" + }, + "engines": { + "node": ">= 0.10" + } + }, + "node_modules/qs": { + "version": "6.5.2", + "resolved": "https://registry.npmjs.org/qs/-/qs-6.5.2.tgz", + "integrity": "sha512-N5ZAX4/LxJmF+7wN74pUD6qAh9/wnvdQcjq9TZjevvXzSUo7bfmw91saqMjzGS2xq91/odN2dW/WOl7qQHNDGA==", + "engines": { + "node": ">=0.6" + } + }, + "node_modules/range-parser": { + "version": "1.2.1", + "resolved": "https://registry.npmjs.org/range-parser/-/range-parser-1.2.1.tgz", + "integrity": "sha512-Hrgsx+orqoygnmhFbKaHE6c296J+HTAQXoxEF6gNupROmmGJRoyzfG3ccAveqCBrwr/2yxQ5BVd/GTl5agOwSg==", + "engines": { + "node": ">= 0.6" + } + }, + "node_modules/raw-body": { + "version": "2.5.2", + "resolved": "https://registry.npmjs.org/raw-body/-/raw-body-2.5.2.tgz", + "integrity": "sha512-8zGqypfENjCIqGhgXToC8aB2r7YrBX+AQAfIPs/Mlk+BtPTztOvTS01NRW/3Eh60J+a48lt8qsCzirQ6loCVfA==", + "dependencies": { + "bytes": "3.1.2", + "http-errors": "2.0.0", + "iconv-lite": "0.4.24", + "unpipe": "1.0.0" + }, + "engines": { + "node": ">= 0.8" + } + }, + "node_modules/raw-body/node_modules/depd": { + "version": "2.0.0", + "resolved": "https://registry.npmjs.org/depd/-/depd-2.0.0.tgz", + "integrity": "sha512-g7nH6P6dyDioJogAAGprGpCtVImJhpPk/roCzdb3fIh61/s/nPsfR6onyMwkCAR/OlC3yBC0lESvUoQEAssIrw==", + "engines": { + "node": ">= 0.8" + } + }, + "node_modules/raw-body/node_modules/http-errors": { + "version": "2.0.0", + "resolved": "https://registry.npmjs.org/http-errors/-/http-errors-2.0.0.tgz", + "integrity": "sha512-FtwrG/euBzaEjYeRqOgly7G0qviiXoJWnvEH2Z1plBdXgbyjv34pHTSb9zoeHMyDy33+DWy5Wt9Wo+TURtOYSQ==", + "dependencies": { + "depd": "2.0.0", + "inherits": "2.0.4", + "setprototypeof": "1.2.0", + "statuses": "2.0.1", + "toidentifier": "1.0.1" + }, + "engines": { + "node": ">= 0.8" + } + }, + "node_modules/raw-body/node_modules/inherits": { + "version": "2.0.4", + "resolved": "https://registry.npmjs.org/inherits/-/inherits-2.0.4.tgz", + "integrity": "sha512-k/vGaX4/Yla3WzyMCvTQOXYeIHvqOKtnqBduzTHpzpQZzAskKMhZ2K+EnBiSM9zGSoIFeMpXKxa4dYeZIQqewQ==" + }, + "node_modules/raw-body/node_modules/setprototypeof": { + "version": "1.2.0", + "resolved": "https://registry.npmjs.org/setprototypeof/-/setprototypeof-1.2.0.tgz", + "integrity": "sha512-E5LDX7Wrp85Kil5bhZv46j8jOeboKq5JMmYM3gVGdGH8xFpPWXUMsNrlODCrkoxMEeNi/XZIwuRvY4XNwYMJpw==" + }, + "node_modules/raw-body/node_modules/statuses": { + "version": "2.0.1", + "resolved": "https://registry.npmjs.org/statuses/-/statuses-2.0.1.tgz", + "integrity": "sha512-RwNA9Z/7PrK06rYLIzFMlaF+l73iwpzsqRIFgbMLbTcLD6cOao82TaWefPXQvB2fOC4AjuYSEndS7N/mTCbkdQ==", + "engines": { + "node": ">= 0.8" + } + }, + "node_modules/safe-buffer": { + "version": "5.1.2", + "resolved": "https://registry.npmjs.org/safe-buffer/-/safe-buffer-5.1.2.tgz", + "integrity": "sha512-Gd2UZBJDkXlY7GbJxfsE8/nvKkUEU1G38c1siN6QP6a9PT9MmHB8GnpscSmMJSoF8LOIrt8ud/wPtojys4G6+g==" + }, + "node_modules/safer-buffer": { + "version": "2.1.2", + "resolved": "https://registry.npmjs.org/safer-buffer/-/safer-buffer-2.1.2.tgz", + "integrity": "sha512-YZo3K82SD7Riyi0E1EQPojLz7kpepnSQI9IyPbHHg1XXXevb5dJI7tpyN2ADxGcQbHG7vcyRHk0cbwqcQriUtg==" + }, + "node_modules/send": { + "version": "0.16.2", + "resolved": "https://registry.npmjs.org/send/-/send-0.16.2.tgz", + "integrity": "sha512-E64YFPUssFHEFBvpbbjr44NCLtI1AohxQ8ZSiJjQLskAdKuriYEP6VyGEsRDH8ScozGpkaX1BGvhanqCwkcEZw==", + "dependencies": { + "debug": "2.6.9", + "depd": "~1.1.2", + "destroy": "~1.0.4", + "encodeurl": "~1.0.2", + "escape-html": "~1.0.3", + "etag": "~1.8.1", + "fresh": "0.5.2", + "http-errors": "~1.6.2", + "mime": "1.4.1", + "ms": "2.0.0", + "on-finished": "~2.3.0", + "range-parser": "~1.2.0", + "statuses": "~1.4.0" + }, + "engines": { + "node": ">= 0.8.0" + } + }, + "node_modules/serve-static": { + "version": "1.13.2", + "resolved": "https://registry.npmjs.org/serve-static/-/serve-static-1.13.2.tgz", + "integrity": "sha512-p/tdJrO4U387R9oMjb1oj7qSMaMfmOyd4j9hOFoxZe2baQszgHcSWjuya/CiT5kgZZKRudHNOA0pYXOl8rQ5nw==", + "dependencies": { + "encodeurl": "~1.0.2", + "escape-html": "~1.0.3", + "parseurl": "~1.3.2", + "send": "0.16.2" + }, + "engines": { + "node": ">= 0.8.0" + } + }, + "node_modules/setprototypeof": { + "version": "1.1.0", + "resolved": "https://registry.npmjs.org/setprototypeof/-/setprototypeof-1.1.0.tgz", + "integrity": "sha512-BvE/TwpZX4FXExxOxZyRGQQv651MSwmWKZGqvmPcRIjDqWub67kTKuIMx43cZZrS/cBBzwBcNDWoFxt2XEFIpQ==" + }, + "node_modules/side-channel": { + "version": "1.0.4", + "resolved": "https://registry.npmjs.org/side-channel/-/side-channel-1.0.4.tgz", + "integrity": "sha512-q5XPytqFEIKHkGdiMIrY10mvLRvnQh42/+GoBlFW3b2LXLE2xxJpZFdm94we0BaoV3RwJyGqg5wS7epxTv0Zvw==", + "dependencies": { + "call-bind": "^1.0.0", + "get-intrinsic": "^1.0.2", + "object-inspect": "^1.9.0" + }, + "funding": { + "url": "https://github.com/sponsors/ljharb" + } + }, + "node_modules/statuses": { + "version": "1.4.0", + "resolved": "https://registry.npmjs.org/statuses/-/statuses-1.4.0.tgz", + "integrity": "sha512-zhSCtt8v2NDrRlPQpCNtw/heZLtfUDqxBM1udqikb/Hbk52LK4nQSwr10u77iopCW5LsyHpuXS0GnEc48mLeew==", + "engines": { + "node": ">= 0.6" + } + }, + "node_modules/toidentifier": { + "version": "1.0.1", + "resolved": "https://registry.npmjs.org/toidentifier/-/toidentifier-1.0.1.tgz", + "integrity": "sha512-o5sSPKEkg/DIQNmH43V0/uerLrpzVedkUh8tGNvaeXpfpuwjKenlSox/2O/BTlZUtEe+JG7s5YhEz608PlAHRA==", + "engines": { + "node": ">=0.6" + } + }, + "node_modules/type-is": { + "version": "1.6.18", + "resolved": "https://registry.npmjs.org/type-is/-/type-is-1.6.18.tgz", + "integrity": "sha512-TkRKr9sUTxEH8MdfuCSP7VizJyzRNMjj2J2do2Jr3Kym598JVdEksuzPQCnlFPW4ky9Q+iA+ma9BGm06XQBy8g==", + "dependencies": { + "media-typer": "0.3.0", + "mime-types": "~2.1.24" + }, + "engines": { + "node": ">= 0.6" + } + }, + "node_modules/unpipe": { + "version": "1.0.0", + "resolved": "https://registry.npmjs.org/unpipe/-/unpipe-1.0.0.tgz", + "integrity": "sha512-pjy2bYhSsufwWlKwPc+l3cN7+wuJlK6uz0YdJEOlQDbl6jo/YlPi4mb8agUkVC8BF7V8NuzeyPNqRksA3hztKQ==", + "engines": { + "node": ">= 0.8" + } + }, + "node_modules/utils-merge": { + "version": "1.0.1", + "resolved": "https://registry.npmjs.org/utils-merge/-/utils-merge-1.0.1.tgz", + "integrity": "sha512-pMZTvIkT1d+TFGvDOqodOclx0QWkkgi6Tdoa8gC8ffGAAqz9pzPTZWAybbsHHoED/ztMtkv/VoYTYyShUn81hA==", + "engines": { + "node": ">= 0.4.0" + } + }, + "node_modules/vary": { + "version": "1.1.2", + "resolved": "https://registry.npmjs.org/vary/-/vary-1.1.2.tgz", + "integrity": "sha512-BNGbWLfd0eUPabhkXUVm0j8uuvREyTh5ovRa/dyow/BqAbZJyC+5fU+IzQOzmAKzYqYRAISoRhdQr3eIZ/PXqg==", + "engines": { + "node": ">= 0.8" + } + } }, - - - "node_modules/escape-html": { - - - - "version": "1.0.3", - - - - "resolved": "https://registry.npmjs.org/escape-html/-/escape-html-1.0.3.tgz", - - - - "integrity": "sha512-NiSupZ4OeuGwr68lGIeym/ksIZMJodUGOSCZ/FSnTxcrekbvqrgdUxlJOMpijaKZVjAJrWrGs/6Jy8OMuyj9ow==" - - - }, - - - "node_modules/etag": { - - - - "version": "1.8.1", - - - - "resolved": "https://registry.npmjs.org/etag/-/etag-1.8.1.tgz", - - - - "integrity": "sha512-aIL5Fx7mawVa300al2BnEE4iNvo1qETxLrPI/o05L7z6go7fCw1J6EQmbK4FmJ2AS7kgVF/KEZWufBfdClMcPg==", - - - - "engines": { - - - - - "node": ">= 0.6" - - - - } - - - }, - - - "node_modules/express": { - - - - "version": "4.18.2", - - - - "resolved": "https://registry.npmjs.org/express/-/express-4.18.2.tgz", - - - - "integrity": "sha512-5/PsL6iGPdfQ/lKM1UuielYgv3BUoJfz1aUwU9vHZ+J7gyvwdQXFEBIEIaxeGf0GIcreATNyBExtalisDbuMqQ==", - - - - "dependencies": { - - - - - "accepts": "~1.3.8", - - - - - "array-flatten": "1.1.1", - - - - - "body-parser": "1.20.1", - - - - - "content-disposition": "0.5.4", - - - - - "content-type": "~1.0.4", - - - - - "cookie": "0.5.0", - - - - - "cookie-signature": "1.0.6", - - - - - "debug": "2.6.9", - - - - - "depd": "2.0.0", - - - - - "encodeurl": "~1.0.2", - - - - - "escape-html": "~1.0.3", - - - - - "etag": "~1.8.1", - - - - - "finalhandler": "1.2.0", - - - - - "fresh": "0.5.2", - - - - - "http-errors": "2.0.0", - - - - - "merge-descriptors": "1.0.1", - - - - - "methods": "~1.1.2", - - - - - "on-finished": "2.4.1", - - - - - "parseurl": "~1.3.3", - - - - - "path-to-regexp": "0.1.7", - - - - - "proxy-addr": "~2.0.7", - - - - - "qs": "6.11.0", - - - - - "range-parser": "~1.2.1", - - - - - "safe-buffer": "5.2.1", - - - - - "send": "0.18.0", - - - - - "serve-static": "1.15.0", - - - - - "setprototypeof": "1.2.0", - - - - - "statuses": "2.0.1", - - - - - "type-is": "~1.6.18", - - - - - "utils-merge": "1.0.1", - - - - - "vary": "~1.1.2" - - - - }, - - - - "engines": { - - - - - "node": ">= 0.10.0" - - - - } - - - }, - - - "node_modules/express/node_modules/body-parser": { - - - - "version": "1.20.1", - - - - "resolved": "https://registry.npmjs.org/body-parser/-/body-parser-1.20.1.tgz", - - - - "integrity": "sha512-jWi7abTbYwajOytWCQc37VulmWiRae5RyTpaCyDcS5/lMdtwSz5lOpDE67srw/HYe35f1z3fDQw+3txg7gNtWw==", - - - - "dependencies": { - - - - - "bytes": "3.1.2", - - - - - "content-type": "~1.0.4", - - - - - "debug": "2.6.9", - - - - - "depd": "2.0.0", - - - - - "destroy": "1.2.0", - - - - - "http-errors": "2.0.0", - - - - - "iconv-lite": "0.4.24", - - - - - "on-finished": "2.4.1", - - - - - "qs": "6.11.0", - - - - - "raw-body": "2.5.1", - - - - - "type-is": "~1.6.18", - - - - - "unpipe": "1.0.0" - - - - }, - - - - "engines": { - - - - - "node": ">= 0.8", - - - - - "npm": "1.2.8000 || >= 1.4.16" - - - - } - - - }, - - - "node_modules/express/node_modules/raw-body": { - - - - "version": "2.5.1", - - - - "resolved": "https://registry.npmjs.org/raw-body/-/raw-body-2.5.1.tgz", - - - - "integrity": "sha512-qqJBtEyVgS0ZmPGdCFPWJ3FreoqvG4MVQln/kCgF7Olq95IbOp0/BWyMwbdtn4VTvkM8Y7khCQ2Xgk/tcrCXig==", - - - - "dependencies": { - - - - - "bytes": "3.1.2", - - - - - "http-errors": "2.0.0", - - - - - "iconv-lite": "0.4.24", - - - - - "unpipe": "1.0.0" - - - - }, - - - - "engines": { - - - - - "node": ">= 0.8" - - - - } - - - }, - - - "node_modules/finalhandler": { - - - - "version": "1.2.0", - - - - "resolved": "https://registry.npmjs.org/finalhandler/-/finalhandler-1.2.0.tgz", - - - - "integrity": "sha512-5uXcUVftlQMFnWC9qu/svkWv3GTd2PfUhK/3PLkYNAe7FbqJMt3515HaxE6eRL74GdsriiwujiawdaB1BpEISg==", - - - - "dependencies": { - - - - - "debug": "2.6.9", - - - - - "encodeurl": "~1.0.2", - - - - - "escape-html": "~1.0.3", - - - - - "on-finished": "2.4.1", - - - - - "parseurl": "~1.3.3", - - - - - "statuses": "2.0.1", - - - - - "unpipe": "~1.0.0" - - - - }, - - - - "engines": { - - - - - "node": ">= 0.8" - - - - } - - - }, - - - "node_modules/forwarded": { - - - - "version": "0.2.0", - - - - "resolved": "https://registry.npmjs.org/forwarded/-/forwarded-0.2.0.tgz", - - - - "integrity": "sha512-buRG0fpBtRHSTCOASe6hD258tEubFoRLb4ZNA6NxMVHNw2gOcwHo9wyablzMzOA5z9xA9L1KNjk/Nt6MT9aYow==", - - - - "engines": { - - - - - "node": ">= 0.6" - - - - } - - - }, - - - "node_modules/fresh": { - - - - "version": "0.5.2", - - - - "resolved": "https://registry.npmjs.org/fresh/-/fresh-0.5.2.tgz", - - - - "integrity": "sha512-zJ2mQYM18rEFOudeV4GShTGIQ7RbzA7ozbU9I/XBpm7kqgMywgmylMwXHxZJmkVoYkna9d2pVXVXPdYTP9ej8Q==", - - - - "engines": { - - - - - "node": ">= 0.6" - - - - } - - - }, - - - "node_modules/function-bind": { - - - - "version": "1.1.2", - - - - "resolved": "https://registry.npmjs.org/function-bind/-/function-bind-1.1.2.tgz", - - - - "integrity": "sha512-7XHNxH7qX9xG5mIwxkhumTox/MIRNcOgDrxWsMt2pAr23WHp6MrRlN7FBSFpCpr+oVO0F744iUgR82nJMfG2SA==", - - - - "funding": { - - - - - "url": "https://github.com/sponsors/ljharb" - - - - } - - - }, - - - "node_modules/get-intrinsic": { - - - - "version": "1.2.2", - - - - "resolved": "https://registry.npmjs.org/get-intrinsic/-/get-intrinsic-1.2.2.tgz", - - - - "integrity": "sha512-0gSo4ml/0j98Y3lngkFEot/zhiCeWsbYIlZ+uZOVgzLyLaUw7wxUL+nCTP0XJvJg1AXulJRI3UJi8GsbDuxdGA==", - - - - "dependencies": { - - - - - "function-bind": "^1.1.2", - - - - - "has-proto": "^1.0.1", - - - - - "has-symbols": "^1.0.3", - - - - - "hasown": "^2.0.0" - - - - }, - - - - "funding": { - - - - - "url": "https://github.com/sponsors/ljharb" - - - - } - - - }, - - - "node_modules/gopd": { - - - - "version": "1.0.1", - - - - "resolved": "https://registry.npmjs.org/gopd/-/gopd-1.0.1.tgz", - - - - "integrity": "sha512-d65bNlIadxvpb/A2abVdlqKqV563juRnZ1Wtk6s1sIR8uNsXR70xqIzVqxVf1eTqDunwT2MkczEeaezCKTZhwA==", - - - - "dependencies": { - - - - - "get-intrinsic": "^1.1.3" - - - - }, - - - - "funding": { - - - - - "url": "https://github.com/sponsors/ljharb" - - - - } - - - }, - - - "node_modules/has-property-descriptors": { - - - - "version": "1.0.1", - - - - "resolved": "https://registry.npmjs.org/has-property-descriptors/-/has-property-descriptors-1.0.1.tgz", - - - - "integrity": "sha512-VsX8eaIewvas0xnvinAe9bw4WfIeODpGYikiWYLH+dma0Jw6KHYqWiWfhQlgOVK8D6PvjubK5Uc4P0iIhIcNVg==", - - - - "dependencies": { - - - - - "get-intrinsic": "^1.2.2" - - - - }, - - - - "funding": { - - - - - "url": "https://github.com/sponsors/ljharb" - - - - } - - - }, - - - "node_modules/has-proto": { - - - - "version": "1.0.1", - - - - "resolved": "https://registry.npmjs.org/has-proto/-/has-proto-1.0.1.tgz", - - - - "integrity": "sha512-7qE+iP+O+bgF9clE5+UoBFzE65mlBiVj3tKCrlNQ0Ogwm0BjpT/gK4SlLYDMybDh5I3TCTKnPPa0oMG7JDYrhg==", - - - - "engines": { - - - - - "node": ">= 0.4" - - - - }, - - - - "funding": { - - - - - "url": "https://github.com/sponsors/ljharb" - - - - } - - - }, - - - "node_modules/has-symbols": { - - - - "version": "1.0.3", - - - - "resolved": "https://registry.npmjs.org/has-symbols/-/has-symbols-1.0.3.tgz", - - - - "integrity": "sha512-l3LCuF6MgDNwTDKkdYGEihYjt5pRPbEg46rtlmnSPlUbgmB8LOIrKJbYYFBSbnPaJexMKtiPO8hmeRjRz2Td+A==", - - - - "engines": { - - - - - "node": ">= 0.4" - - - - }, - - - - "funding": { - - - - - "url": "https://github.com/sponsors/ljharb" - - - - } - - - }, - - - "node_modules/hasown": { - - - - "version": "2.0.0", - - - - "resolved": "https://registry.npmjs.org/hasown/-/hasown-2.0.0.tgz", - - - - "integrity": "sha512-vUptKVTpIJhcczKBbgnS+RtcuYMB8+oNzPK2/Hp3hanz8JmpATdmmgLgSaadVREkDm+e2giHwY3ZRkyjSIDDFA==", - - - - "dependencies": { - - - - - "function-bind": "^1.1.2" - - - - }, - - - - "engines": { - - - - - "node": ">= 0.4" - - - - } - - - }, - - - "node_modules/http-errors": { - - - - "version": "2.0.0", - - - - "resolved": "https://registry.npmjs.org/http-errors/-/http-errors-2.0.0.tgz", - - - - "integrity": "sha512-FtwrG/euBzaEjYeRqOgly7G0qviiXoJWnvEH2Z1plBdXgbyjv34pHTSb9zoeHMyDy33+DWy5Wt9Wo+TURtOYSQ==", - - - "dependencies": { - - - - - "depd": "2.0.0", - - - - - "inherits": "2.0.4", - - - - - "setprototypeof": "1.2.0", - - - - - "statuses": "2.0.1", - - - - - "toidentifier": "1.0.1" - - - - }, - - - - "engines": { - - - - - "node": ">= 0.8" - - - - } - - - }, - - - "node_modules/iconv-lite": { - - - - "version": "0.4.24", - - - - "resolved": "https://registry.npmjs.org/iconv-lite/-/iconv-lite-0.4.24.tgz", - - - - "integrity": "sha512-v3MXnZAcvnywkTUEZomIActle7RXXeedOR31wwl7VlyoXO4Qi9arvSenNQWne1TcRwhCL1HwLI21bEqdpj8/rA==", - - - - "dependencies": { - - - - - "safer-buffer": ">= 2.1.2 < 3" - - - - }, - - - - "engines": { - - - - - "node": ">=0.10.0" - - - - } - - - }, - - - "node_modules/inherits": { - - - - "version": "2.0.4", - - - - "resolved": "https://registry.npmjs.org/inherits/-/inherits-2.0.4.tgz", - - - - "integrity": "sha512-k/vGaX4/Yla3WzyMCvTQOXYeIHvqOKtnqBduzTHpzpQZzAskKMhZ2K+EnBiSM9zGSoIFeMpXKxa4dYeZIQqewQ==" - - - }, - - - "node_modules/ipaddr.js": { - - - - "version": "1.9.1", - - - - "resolved": "https://registry.npmjs.org/ipaddr.js/-/ipaddr.js-1.9.1.tgz", - - - - "integrity": "sha512-0KI/607xoxSToH7GjN1FfSbLoU0+btTicjsQSWQlh/hZykN8KpmMf7uYwPW3R+akZ6R/w18ZlXSHBYXiYUPO3g==", - - - - "engines": { - - - - - "node": ">= 0.10" - - - - } - - - }, - - - "node_modules/media-typer": { - - - - "version": "0.3.0", - - - - "resolved": "https://registry.npmjs.org/media-typer/-/media-typer-0.3.0.tgz", - - - - "integrity": "sha512-dq+qelQ9akHpcOl/gUVRTxVIOkAJ1wR3QAvb4RsVjS8oVoFjDGTc679wJYmUmknUF5HwMLOgb5O+a3KxfWapPQ==", - - - - "engines": { - - - - - "node": ">= 0.6" - - - - } - - - }, - - - "node_modules/merge-descriptors": { - - - - "version": "1.0.1", - - - - "resolved": "https://registry.npmjs.org/merge-descriptors/-/merge-descriptors-1.0.1.tgz", - - - - "integrity": "sha512-cCi6g3/Zr1iqQi6ySbseM1Xvooa98N0w31jzUYrXPX2xqObmFGHJ0tQ5u74H3mVh7wLouTseZyYIq39g8cNp1w==" - - - }, - - - "node_modules/methods": { - - - - "version": "1.1.2", - - - - "resolved": "https://registry.npmjs.org/methods/-/methods-1.1.2.tgz", - - - - "integrity": "sha512-iclAHeNqNm68zFtnZ0e+1L2yUIdvzNoauKU4WBA3VvH/vPFieF7qfRlwUZU+DA9P9bPXIS90ulxoUoCH23sV2w==", - - - - "engines": { - - - - - "node": ">= 0.6" - - - - } - - - }, - - - "node_modules/mime": { - - - - "version": "1.6.0", - - - - "resolved": "https://registry.npmjs.org/mime/-/mime-1.6.0.tgz", - - - - "integrity": "sha512-x0Vn8spI+wuJ1O6S7gnbaQg8Pxh4NNHb7KSINmEWKiPE4RKOplvijn+NkmYmmRgP68mc70j2EbeTFRsrswaQeg==", - - - - "bin": { - - - - - "mime": "cli.js" - - - - }, - - - - "engines": { - - - - - "node": ">=4" - - - - } - - - }, - - - "node_modules/mime-db": { - - - - "version": "1.52.0", - - - - "resolved": "https://registry.npmjs.org/mime-db/-/mime-db-1.52.0.tgz", - - - - "integrity": "sha512-sPU4uV7dYlvtWJxwwxHD0PuihVNiE7TyAbQ5SWxDCB9mUYvOgroQOwYQQOKPJ8CIbE+1ETVlOoK1UC2nU3gYvg==", - - - - "engines": { - - - - - "node": ">= 0.6" - - - - } - - - }, - - - "node_modules/mime-types": { - - - - "version": "2.1.35", - - - - "resolved": "https://registry.npmjs.org/mime-types/-/mime-types-2.1.35.tgz", - - - - "integrity": "sha512-ZDY+bPm5zTTF+YpCrAU9nK0UgICYPT0QtT1NZWFv4s++TNkcgVaT0g6+4R2uI4MjQjzysHB1zxuWL50hzaeXiw==", - - - - "dependencies": { - - - - - "mime-db": "1.52.0" - - - - }, - - - - "engines": { - - - - - "node": ">= 0.6" - - - - } - - - }, - - - "node_modules/ms": { - - - - "version": "2.0.0", - - - - "resolved": "https://registry.npmjs.org/ms/-/ms-2.0.0.tgz", - - - - "integrity": "sha512-Tpp60P6IUJDTuOq/5Z8cdskzJujfwqfOTkrwIwj7IRISpnkJnT6SyJ4PCPnGMoFjC9ddhal5KVIYtAt97ix05A==" - - - }, - - - "node_modules/negotiator": { - - - - "version": "0.6.3", - - - - "resolved": "https://registry.npmjs.org/negotiator/-/negotiator-0.6.3.tgz", - - - - "integrity": "sha512-+EUsqGPLsM+j/zdChZjsnX51g4XrHFOIXwfnCVPGlQk/k5giakcKsuxCObBRu6DSm9opw/O6slWbJdghQM4bBg==", - - - - "engines": { - - - - - "node": ">= 0.6" - - - - } - - - }, - - - "node_modules/node": { - - - - "version": "20.10.0", - - - - "resolved": "https://registry.npmjs.org/node/-/node-20.10.0.tgz", - - - - "integrity": "sha512-mIXfsYLNrafDq9es40WduIcwcGJLHVIa+itiKGcydM3qKx1HxymPWCKrG12PwG4oxsv4Jdke3uq2o4UiRgLYdQ==", - - - - "hasInstallScript": true, - - - - "dependencies": { - - - - - "node-bin-setup": "^1.0.0" - - - - }, - - - - "bin": { - - - - - "node": "bin/node" - - - - }, - - - - "engines": { - - - - - "npm": ">=5.0.0" - - - - } - - - }, - - - "node_modules/node-bin-setup": { - - - - "version": "1.1.3", - - - - "resolved": "https://registry.npmjs.org/node-bin-setup/-/node-bin-setup-1.1.3.tgz", - - - - "integrity": "sha512-opgw9iSCAzT2+6wJOETCpeRYAQxSopqQ2z+N6BXwIMsQQ7Zj5M8MaafQY8JMlolRR6R1UXg2WmhKp0p9lSOivg==" - - - }, - - - "node_modules/object-assign": { - - - - "version": "4.1.1", - - - - "resolved": "https://registry.npmjs.org/object-assign/-/object-assign-4.1.1.tgz", - - - - "integrity": "sha512-rJgTQnkUnH1sFw8yT6VSU3zD3sWmu6sZhIseY8VX+GRu3P6F7Fu+JNDoXfklElbLJSnc3FUQHVe4cU5hj+BcUg==", - - - - "engines": { - - - - - "node": ">=0.10.0" - - - - } - - - }, - - - "node_modules/object-inspect": { - - - - "version": "1.13.1", - - - - "resolved": "https://registry.npmjs.org/object-inspect/-/object-inspect-1.13.1.tgz", - - - - "integrity": "sha512-5qoj1RUiKOMsCCNLV1CBiPYE10sziTsnmNxkAI/rZhiD63CF7IqdFGC/XzjWjpSgLf0LxXX3bDFIh0E18f6UhQ==", - - - - "funding": { - - - - - "url": "https://github.com/sponsors/ljharb" - - - - } - - - }, - - - "node_modules/on-finished": { - - - - "version": "2.4.1", - - - - "resolved": "https://registry.npmjs.org/on-finished/-/on-finished-2.4.1.tgz", - - - - "integrity": "sha512-oVlzkg3ENAhCk2zdv7IJwd/QUD4z2RxRwpkcGY8psCVcCYZNq4wYnVWALHM+brtuJjePWiYF/ClmuDr8Ch5+kg==", - - - - "dependencies": { - - - - - "ee-first": "1.1.1" - - - - }, - - - - "engines": { - - - - - "node": ">= 0.8" - - - - } - - - }, - - - "node_modules/parseurl": { - - - - "version": "1.3.3", - - - - "resolved": "https://registry.npmjs.org/parseurl/-/parseurl-1.3.3.tgz", - - - - "integrity": "sha512-CiyeOxFT/JZyN5m0z9PfXw4SCBJ6Sygz1Dpl0wqjlhDEGGBP1GnsUVEL0p63hoG1fcj3fHynXi9NYO4nWOL+qQ==", - - - - "engines": { - - - - - "node": ">= 0.8" - - - - } - - - }, - - - "node_modules/path-to-regexp": { - - - - "version": "0.1.7", - - - - "resolved": "https://registry.npmjs.org/path-to-regexp/-/path-to-regexp-0.1.7.tgz", - - - - "integrity": "sha512-5DFkuoqlv1uYQKxy8omFBeJPQcdoE07Kv2sferDCrAq1ohOU+MSDswDIbnx3YAM60qIOnYa53wBhXW0EbMonrQ==" - - - }, - - - "node_modules/proxy-addr": { - - - - "version": "2.0.7", - - - - "resolved": "https://registry.npmjs.org/proxy-addr/-/proxy-addr-2.0.7.tgz", - - - - "integrity": "sha512-llQsMLSUDUPT44jdrU/O37qlnifitDP+ZwrmmZcoSKyLKvtZxpyV0n2/bD/N4tBAAZ/gJEdZU7KMraoK1+XYAg==", - - - - "dependencies": { - - - - - "forwarded": "0.2.0", - - - - - "ipaddr.js": "1.9.1" - - - - }, - - - - "engines": { - - - - - "node": ">= 0.10" - - - - } - - - }, - - - "node_modules/qs": { - - - - "version": "6.11.0", - - - - "resolved": "https://registry.npmjs.org/qs/-/qs-6.11.0.tgz", - - - - "integrity": "sha512-MvjoMCJwEarSbUYk5O+nmoSzSutSsTwF85zcHPQ9OrlFoZOYIjaqBAJIqIXjptyD5vThxGq52Xu/MaJzRkIk4Q==", - - - - "dependencies": { - - - - - "side-channel": "^1.0.4" - - - - }, - - - - "engines": { - - - - - "node": ">=0.6" - - - - }, - - - - "funding": { - - - - - "url": "https://github.com/sponsors/ljharb" - - - - } - - - }, - - - "node_modules/range-parser": { - - - - "version": "1.2.1", - - - - "resolved": "https://registry.npmjs.org/range-parser/-/range-parser-1.2.1.tgz", - - - - "integrity": "sha512-Hrgsx+orqoygnmhFbKaHE6c296J+HTAQXoxEF6gNupROmmGJRoyzfG3ccAveqCBrwr/2yxQ5BVd/GTl5agOwSg==", - - - - "engines": { - - - - - "node": ">= 0.6" - - - - } - - - }, - - - "node_modules/raw-body": { - - - - "version": "2.5.2", - - - - "resolved": "https://registry.npmjs.org/raw-body/-/raw-body-2.5.2.tgz", - - - - "integrity": "sha512-8zGqypfENjCIqGhgXToC8aB2r7YrBX+AQAfIPs/Mlk+BtPTztOvTS01NRW/3Eh60J+a48lt8qsCzirQ6loCVfA==", - - - - "dependencies": { - - - - - "bytes": "3.1.2", - - - - - "http-errors": "2.0.0", - - - - - "iconv-lite": "0.4.24", - - - - - "unpipe": "1.0.0" - - - - }, - - - - "engines": { - - - - - "node": ">= 0.8" - - - - } - - - }, - - - "node_modules/safe-buffer": { - - - - "version": "5.2.1", - - - - "resolved": "https://registry.npmjs.org/safe-buffer/-/safe-buffer-5.2.1.tgz", - - - - "integrity": "sha512-rp3So07KcdmmKbGvgaNxQSJr7bGVSVk5S9Eq1F+ppbRo70+YeaDxkw5Dd8NPN+GD6bjnYm2VuPuCXmpuYvmCXQ==", - - - - "funding": [ - - - - - { - - - - - - "type": "github", - - - - - - "url": "https://github.com/sponsors/feross" - - - - - }, - - - - - { - - - - - - "type": "patreon", - - - - - - "url": "https://www.patreon.com/feross" - - - - - }, - - - - - { - - - - - - "type": "consulting", - - - - - - "url": "https://feross.org/support" - - - - - } - - - - ] - - - }, - - - "node_modules/safer-buffer": { - - - - "version": "2.1.2", - - - - "resolved": "https://registry.npmjs.org/safer-buffer/-/safer-buffer-2.1.2.tgz", - - - - "integrity": "sha512-YZo3K82SD7Riyi0E1EQPojLz7kpepnSQI9IyPbHHg1XXXevb5dJI7tpyN2ADxGcQbHG7vcyRHk0cbwqcQriUtg==" - - - }, - - - "node_modules/send": { - - - - "version": "0.18.0", - - - - "resolved": "https://registry.npmjs.org/send/-/send-0.18.0.tgz", - - - - "integrity": "sha512-qqWzuOjSFOuqPjFe4NOsMLafToQQwBSOEpS+FwEt3A2V3vKubTquT3vmLTQpFgMXp8AlFWFuP1qKaJZOtPpVXg==", - - - - "dependencies": { - - - - - "debug": "2.6.9", - - - - - "depd": "2.0.0", - - - - - "destroy": "1.2.0", - - - - - "encodeurl": "~1.0.2", - - - - - "escape-html": "~1.0.3", - - - - - "etag": "~1.8.1", - - - - - "fresh": "0.5.2", - - - - - "http-errors": "2.0.0", - - - - - "mime": "1.6.0", - - - - - "ms": "2.1.3", - - - - - "on-finished": "2.4.1", - - - - - "range-parser": "~1.2.1", - - - - - "statuses": "2.0.1" - - - - }, - - - - "engines": { - - - - - "node": ">= 0.8.0" - - - - } - - - }, - - - "node_modules/send/node_modules/ms": { - - - - "version": "2.1.3", - - - - "resolved": "https://registry.npmjs.org/ms/-/ms-2.1.3.tgz", - - - - "integrity": "sha512-6FlzubTLZG3J2a/NVCAleEhjzq5oxgHyaCU9yYXvcLsvoVaHJq/s5xXI6/XXP6tz7R9xAOtHnSO/tXtF3WRTlA==" - - - }, - - - "node_modules/serve-static": { - - - - "version": "1.15.0", - - - - "resolved": "https://registry.npmjs.org/serve-static/-/serve-static-1.15.0.tgz", - - - - "integrity": "sha512-XGuRDNjXUijsUL0vl6nSD7cwURuzEgglbOaFuZM9g3kwDXOWVTck0jLzjPzGD+TazWbboZYu52/9/XPdUgne9g==", - - - - "dependencies": { - - - - - "encodeurl": "~1.0.2", - - - - - "escape-html": "~1.0.3", - - - - - "parseurl": "~1.3.3", - - - - - "send": "0.18.0" - - - - }, - - - - "engines": { - - - - - "node": ">= 0.8.0" - - - - } - - - }, - - - "node_modules/set-function-length": { - - - - "version": "1.1.1", - - - - "resolved": "https://registry.npmjs.org/set-function-length/-/set-function-length-1.1.1.tgz", - - - - "integrity": "sha512-VoaqjbBJKiWtg4yRcKBQ7g7wnGnLV3M8oLvVWwOk2PdYY6PEFegR1vezXR0tw6fZGF9csVakIRjrJiy2veSBFQ==", - - - - "dependencies": { - - - - - "define-data-property": "^1.1.1", - - - - - "get-intrinsic": "^1.2.1", - - - - - "gopd": "^1.0.1", - - - - - "has-property-descriptors": "^1.0.0" - - - - }, - - - - "engines": { - - - - - "node": ">= 0.4" - - - - } - - - }, - - - "node_modules/setprototypeof": { - - - - "version": "1.2.0", - - - - "resolved": "https://registry.npmjs.org/setprototypeof/-/setprototypeof-1.2.0.tgz", - - - - "integrity": "sha512-E5LDX7Wrp85Kil5bhZv46j8jOeboKq5JMmYM3gVGdGH8xFpPWXUMsNrlODCrkoxMEeNi/XZIwuRvY4XNwYMJpw==" - - - }, - - - "node_modules/side-channel": { - - - - "version": "1.0.4", - - - - "resolved": "https://registry.npmjs.org/side-channel/-/side-channel-1.0.4.tgz", - - - - "integrity": "sha512-q5XPytqFEIKHkGdiMIrY10mvLRvnQh42/+GoBlFW3b2LXLE2xxJpZFdm94we0BaoV3RwJyGqg5wS7epxTv0Zvw==", - - - - "dependencies": { - - - - - "call-bind": "^1.0.0", - - - - - "get-intrinsic": "^1.0.2", - - - - - "object-inspect": "^1.9.0" - - - - }, - - - - "funding": { - - - - - "url": "https://github.com/sponsors/ljharb" - - - - } - - - }, - - - "node_modules/statuses": { - - - - "version": "2.0.1", - - - - "resolved": "https://registry.npmjs.org/statuses/-/statuses-2.0.1.tgz", - - - - "integrity": "sha512-RwNA9Z/7PrK06rYLIzFMlaF+l73iwpzsqRIFgbMLbTcLD6cOao82TaWefPXQvB2fOC4AjuYSEndS7N/mTCbkdQ==", - - - - "engines": { - - - - - "node": ">= 0.8" - - - - } - - - }, - - - "node_modules/toidentifier": { - - - - "version": "1.0.1", - - - - "resolved": "https://registry.npmjs.org/toidentifier/-/toidentifier-1.0.1.tgz", - - - - "integrity": "sha512-o5sSPKEkg/DIQNmH43V0/uerLrpzVedkUh8tGNvaeXpfpuwjKenlSox/2O/BTlZUtEe+JG7s5YhEz608PlAHRA==", - - - - "engines": { - - - - - "node": ">=0.6" - - - - } - - - }, - - - "node_modules/type-is": { - - - - "version": "1.6.18", - - - - "resolved": "https://registry.npmjs.org/type-is/-/type-is-1.6.18.tgz", - - - - "integrity": "sha512-TkRKr9sUTxEH8MdfuCSP7VizJyzRNMjj2J2do2Jr3Kym598JVdEksuzPQCnlFPW4ky9Q+iA+ma9BGm06XQBy8g==", - - - - "dependencies": { - - - - - "media-typer": "0.3.0", - - - - - "mime-types": "~2.1.24" - - - - }, - - - - "engines": { - - - - - "node": ">= 0.6" - - - - } - - - }, - - - "node_modules/unpipe": { - - - - "version": "1.0.0", - - - - "resolved": "https://registry.npmjs.org/unpipe/-/unpipe-1.0.0.tgz", - - - - "integrity": "sha512-pjy2bYhSsufwWlKwPc+l3cN7+wuJlK6uz0YdJEOlQDbl6jo/YlPi4mb8agUkVC8BF7V8NuzeyPNqRksA3hztKQ==", - - - - "engines": { - - - - - "node": ">= 0.8" - - - - } - - - }, - - - "node_modules/utils-merge": { - - - - "version": "1.0.1", - - - - "resolved": "https://registry.npmjs.org/utils-merge/-/utils-merge-1.0.1.tgz", - - - - "integrity": "sha512-pMZTvIkT1d+TFGvDOqodOclx0QWkkgi6Tdoa8gC8ffGAAqz9pzPTZWAybbsHHoED/ztMtkv/VoYTYyShUn81hA==", - - - - "engines": { - - - - - "node": ">= 0.4.0" - - - - } - - - }, - - - "node_modules/vary": { - - - - "version": "1.1.2", - - - - "resolved": "https://registry.npmjs.org/vary/-/vary-1.1.2.tgz", - - - - "integrity": "sha512-BNGbWLfd0eUPabhkXUVm0j8uuvREyTh5ovRa/dyow/BqAbZJyC+5fU+IzQOzmAKzYqYRAISoRhdQr3eIZ/PXqg==", - - - - "engines": { - - - - - "node": ">= 0.8" - - - - } - - - } - + "accepts": { + "version": "1.3.8", + "resolved": "https://registry.npmjs.org/accepts/-/accepts-1.3.8.tgz", + "integrity": "sha512-PYAthTa2m2VKxuvSD3DPC/Gy+U+sOA1LAuT8mkmRuvw+NACSaeXEQ+NHcVF7rONl6qcaxV3Uuemwawk+7+SJLw==", + "requires": { + "mime-types": "~2.1.34", + "negotiator": "0.6.3" + } + }, + "array-flatten": { + "version": "1.1.1", + "resolved": "https://registry.npmjs.org/array-flatten/-/array-flatten-1.1.1.tgz", + "integrity": "sha512-PCVAQswWemu6UdxsDFFX/+gVeYqKAod3D3UVm91jHwynguOwAvYPhx8nNlM++NqRcK6CxxpUafjmhIdKiHibqg==" + }, + "body-parser": { + "version": "1.20.2", + "resolved": "https://registry.npmjs.org/body-parser/-/body-parser-1.20.2.tgz", + "integrity": "sha512-ml9pReCu3M61kGlqoTm2umSXTlRTuGTx0bfYj+uIUKKYycG5NtSbeetV3faSU6R7ajOPw0g/J1PvK4qNy7s5bA==", + "requires": { + "bytes": "3.1.2", + "content-type": "~1.0.5", + "debug": "2.6.9", + "depd": "2.0.0", + "destroy": "1.2.0", + "http-errors": "2.0.0", + "iconv-lite": "0.4.24", + "on-finished": "2.4.1", + "qs": "6.11.0", + "raw-body": "2.5.2", + "type-is": "~1.6.18", + "unpipe": "1.0.0" + }, + "dependencies": { + "depd": { + "version": "2.0.0", + "resolved": "https://registry.npmjs.org/depd/-/depd-2.0.0.tgz", + "integrity": "sha512-g7nH6P6dyDioJogAAGprGpCtVImJhpPk/roCzdb3fIh61/s/nPsfR6onyMwkCAR/OlC3yBC0lESvUoQEAssIrw==" + }, + "destroy": { + "version": "1.2.0", + "resolved": "https://registry.npmjs.org/destroy/-/destroy-1.2.0.tgz", + "integrity": "sha512-2sJGJTaXIIaR1w4iJSNoN0hnMY7Gpc/n8D4qSCJw8QqFWXf7cuAgnEHxBpweaVcPevC2l3KpjYCx3NypQQgaJg==" + }, + "http-errors": { + "version": "2.0.0", + "resolved": "https://registry.npmjs.org/http-errors/-/http-errors-2.0.0.tgz", + "integrity": "sha512-FtwrG/euBzaEjYeRqOgly7G0qviiXoJWnvEH2Z1plBdXgbyjv34pHTSb9zoeHMyDy33+DWy5Wt9Wo+TURtOYSQ==", + "requires": { + "depd": "2.0.0", + "inherits": "2.0.4", + "setprototypeof": "1.2.0", + "statuses": "2.0.1", + "toidentifier": "1.0.1" + } + }, + "inherits": { + "version": "2.0.4", + "resolved": "https://registry.npmjs.org/inherits/-/inherits-2.0.4.tgz", + "integrity": "sha512-k/vGaX4/Yla3WzyMCvTQOXYeIHvqOKtnqBduzTHpzpQZzAskKMhZ2K+EnBiSM9zGSoIFeMpXKxa4dYeZIQqewQ==" + }, + "on-finished": { + "version": "2.4.1", + "resolved": "https://registry.npmjs.org/on-finished/-/on-finished-2.4.1.tgz", + "integrity": "sha512-oVlzkg3ENAhCk2zdv7IJwd/QUD4z2RxRwpkcGY8psCVcCYZNq4wYnVWALHM+brtuJjePWiYF/ClmuDr8Ch5+kg==", + "requires": { + "ee-first": "1.1.1" + } + }, + "qs": { + "version": "6.11.0", + "resolved": "https://registry.npmjs.org/qs/-/qs-6.11.0.tgz", + "integrity": "sha512-MvjoMCJwEarSbUYk5O+nmoSzSutSsTwF85zcHPQ9OrlFoZOYIjaqBAJIqIXjptyD5vThxGq52Xu/MaJzRkIk4Q==", + "requires": { + "side-channel": "^1.0.4" + } + }, + "setprototypeof": { + "version": "1.2.0", + "resolved": "https://registry.npmjs.org/setprototypeof/-/setprototypeof-1.2.0.tgz", + "integrity": "sha512-E5LDX7Wrp85Kil5bhZv46j8jOeboKq5JMmYM3gVGdGH8xFpPWXUMsNrlODCrkoxMEeNi/XZIwuRvY4XNwYMJpw==" + }, + "statuses": { + "version": "2.0.1", + "resolved": "https://registry.npmjs.org/statuses/-/statuses-2.0.1.tgz", + "integrity": "sha512-RwNA9Z/7PrK06rYLIzFMlaF+l73iwpzsqRIFgbMLbTcLD6cOao82TaWefPXQvB2fOC4AjuYSEndS7N/mTCbkdQ==" + } + } + }, + "bytes": { + "version": "3.1.2", + "resolved": "https://registry.npmjs.org/bytes/-/bytes-3.1.2.tgz", + "integrity": "sha512-/Nf7TyzTx6S3yRJObOAV7956r8cr2+Oj8AC5dt8wSP3BQAoeX58NoHyCU8P8zGkNXStjTSi6fzO6F0pBdcYbEg==" + }, + "call-bind": { + "version": "1.0.2", + "resolved": "https://registry.npmjs.org/call-bind/-/call-bind-1.0.2.tgz", + "integrity": "sha512-7O+FbCihrB5WGbFYesctwmTKae6rOiIzmz1icreWJ+0aA7LJfuqhEso2T9ncpcFtzMQtzXf2QGGueWJGTYsqrA==", + "requires": { + "function-bind": "^1.1.1", + "get-intrinsic": "^1.0.2" + } + }, + "connect-history-api-fallback": { + "version": "2.0.0", + "resolved": "https://registry.npmjs.org/connect-history-api-fallback/-/connect-history-api-fallback-2.0.0.tgz", + "integrity": "sha512-U73+6lQFmfiNPrYbXqr6kZ1i1wiRqXnp2nhMsINseWXO8lDau0LGEffJ8kQi4EjLZympVgRdvqjAgiZ1tgzDDA==" + }, + "content-disposition": { + "version": "0.5.2", + "resolved": "https://registry.npmjs.org/content-disposition/-/content-disposition-0.5.2.tgz", + "integrity": "sha512-kRGRZw3bLlFISDBgwTSA1TMBFN6J6GWDeubmDE3AF+3+yXL8hTWv8r5rkLbqYXY4RjPk/EzHnClI3zQf1cFmHA==" + }, + "content-type": { + "version": "1.0.5", + "resolved": "https://registry.npmjs.org/content-type/-/content-type-1.0.5.tgz", + "integrity": "sha512-nTjqfcBFEipKdXCv4YDQWCfmcLZKm81ldF0pAopTvyrFGVbcR6P/VAAd5G7N+0tTr8QqiU0tFadD6FK4NtJwOA==" + }, + "cookie-signature": { + "version": "1.0.6", + "resolved": "https://registry.npmjs.org/cookie-signature/-/cookie-signature-1.0.6.tgz", + "integrity": "sha512-QADzlaHc8icV8I7vbaJXJwod9HWYp8uCqf1xa4OfNu1T7JVxQIrUgOWtHdNDtPiywmFbiS12VjotIXLrKM3orQ==" + }, + "cors": { + "version": "2.8.5", + "resolved": "https://registry.npmjs.org/cors/-/cors-2.8.5.tgz", + "integrity": "sha512-KIHbLJqu73RGr/hnbrO9uBeixNGuvSQjul/jdFvS/KFSIH1hWVd1ng7zOHx+YrEfInLG7q4n6GHQ9cDtxv/P6g==", + "requires": { + "object-assign": "^4", + "vary": "^1" + } + }, + "debug": { + "version": "2.6.9", + "resolved": "https://registry.npmjs.org/debug/-/debug-2.6.9.tgz", + "integrity": "sha512-bC7ElrdJaJnPbAP+1EotYvqZsb3ecl5wi6Bfi6BJTUcNowp6cvspg0jXznRTKDjm/E7AdgFBVeAPVMNcKGsHMA==", + "requires": { + "ms": "2.0.0" + } + }, + "depd": { + "version": "1.1.2", + "resolved": "https://registry.npmjs.org/depd/-/depd-1.1.2.tgz", + "integrity": "sha512-7emPTl6Dpo6JRXOXjLRxck+FlLRX5847cLKEn00PLAgc3g2hTZZgr+e4c2v6QpSmLeFP3n5yUo7ft6avBK/5jQ==" + }, + "destroy": { + "version": "1.0.4", + "resolved": "https://registry.npmjs.org/destroy/-/destroy-1.0.4.tgz", + "integrity": "sha512-3NdhDuEXnfun/z7x9GOElY49LoqVHoGScmOKwmxhsS8N5Y+Z8KyPPDnaSzqWgYt/ji4mqwfTS34Htrk0zPIXVg==" + }, + "ee-first": { + "version": "1.1.1", + "resolved": "https://registry.npmjs.org/ee-first/-/ee-first-1.1.1.tgz", + "integrity": "sha512-WMwm9LhRUo+WUaRN+vRuETqG89IgZphVSNkdFgeb6sS/E4OrDIN7t48CAewSHXc6C8lefD8KKfr5vY61brQlow==" + }, + "encodeurl": { + "version": "1.0.2", + "resolved": "https://registry.npmjs.org/encodeurl/-/encodeurl-1.0.2.tgz", + "integrity": "sha512-TPJXq8JqFaVYm2CWmPvnP2Iyo4ZSM7/QKcSmuMLDObfpH5fi7RUGmd/rTDf+rut/saiDiQEeVTNgAmJEdAOx0w==" + }, + "escape-html": { + "version": "1.0.3", + "resolved": "https://registry.npmjs.org/escape-html/-/escape-html-1.0.3.tgz", + "integrity": "sha512-NiSupZ4OeuGwr68lGIeym/ksIZMJodUGOSCZ/FSnTxcrekbvqrgdUxlJOMpijaKZVjAJrWrGs/6Jy8OMuyj9ow==" + }, + "etag": { + "version": "1.8.1", + "resolved": "https://registry.npmjs.org/etag/-/etag-1.8.1.tgz", + "integrity": "sha512-aIL5Fx7mawVa300al2BnEE4iNvo1qETxLrPI/o05L7z6go7fCw1J6EQmbK4FmJ2AS7kgVF/KEZWufBfdClMcPg==" + }, + "express": { + "version": "4.16.4", + "resolved": "https://registry.npmjs.org/express/-/express-4.16.4.tgz", + "integrity": "sha512-j12Uuyb4FMrd/qQAm6uCHAkPtO8FDTRJZBDd5D2KOL2eLaz1yUNdUB/NOIyq0iU4q4cFarsUCrnFDPBcnksuOg==", + "requires": { + "accepts": "~1.3.5", + "array-flatten": "1.1.1", + "body-parser": "1.18.3", + "content-disposition": "0.5.2", + "content-type": "~1.0.4", + "cookie": "0.3.1", + "cookie-signature": "1.0.6", + "debug": "2.6.9", + "depd": "~1.1.2", + "encodeurl": "~1.0.2", + "escape-html": "~1.0.3", + "etag": "~1.8.1", + "finalhandler": "1.1.1", + "fresh": "0.5.2", + "merge-descriptors": "1.0.1", + "methods": "~1.1.2", + "on-finished": "~2.3.0", + "parseurl": "~1.3.2", + "path-to-regexp": "0.1.7", + "proxy-addr": "~2.0.4", + "qs": "6.5.2", + "range-parser": "~1.2.0", + "safe-buffer": "5.1.2", + "send": "0.16.2", + "serve-static": "1.13.2", + "setprototypeof": "1.1.0", + "statuses": "~1.4.0", + "type-is": "~1.6.16", + "utils-merge": "1.0.1", + "vary": "~1.1.2" + }, + "dependencies": { + "body-parser": { + "version": "1.18.3", + "resolved": "https://registry.npmjs.org/body-parser/-/body-parser-1.18.3.tgz", + "integrity": "sha512-YQyoqQG3sO8iCmf8+hyVpgHHOv0/hCEFiS4zTGUwTA1HjAFX66wRcNQrVCeJq9pgESMRvUAOvSil5MJlmccuKQ==", + "requires": { + "bytes": "3.0.0", + "content-type": "~1.0.4", + "debug": "2.6.9", + "depd": "~1.1.2", + "http-errors": "~1.6.3", + "iconv-lite": "0.4.23", + "on-finished": "~2.3.0", + "qs": "6.5.2", + "raw-body": "2.3.3", + "type-is": "~1.6.16" + } + }, + "bytes": { + "version": "3.0.0", + "resolved": "https://registry.npmjs.org/bytes/-/bytes-3.0.0.tgz", + "integrity": "sha512-pMhOfFDPiv9t5jjIXkHosWmkSyQbvsgEVNkz0ERHbuLh2T/7j4Mqqpz523Fe8MVY89KC6Sh/QfS2sM+SjgFDcw==" + }, + "cookie": { + "version": "0.3.1", + "resolved": "https://registry.npmjs.org/cookie/-/cookie-0.3.1.tgz", + "integrity": "sha512-+IJOX0OqlHCszo2mBUq+SrEbCj6w7Kpffqx60zYbPTFaO4+yYgRjHwcZNpWvaTylDHaV7PPmBHzSecZiMhtPgw==" + }, + "iconv-lite": { + "version": "0.4.23", + "resolved": "https://registry.npmjs.org/iconv-lite/-/iconv-lite-0.4.23.tgz", + "integrity": "sha512-neyTUVFtahjf0mB3dZT77u+8O0QB89jFdnBkd5P1JgYPbPaia3gXXOVL2fq8VyU2gMMD7SaN7QukTB/pmXYvDA==", + "requires": { + "safer-buffer": ">= 2.1.2 < 3" + } + }, + "raw-body": { + "version": "2.3.3", + "resolved": "https://registry.npmjs.org/raw-body/-/raw-body-2.3.3.tgz", + "integrity": "sha512-9esiElv1BrZoI3rCDuOuKCBRbuApGGaDPQfjSflGxdy4oyzqghxu6klEkkVIvBje+FF0BX9coEv8KqW6X/7njw==", + "requires": { + "bytes": "3.0.0", + "http-errors": "1.6.3", + "iconv-lite": "0.4.23", + "unpipe": "1.0.0" + } + } + } + }, + "finalhandler": { + "version": "1.1.1", + "resolved": "https://registry.npmjs.org/finalhandler/-/finalhandler-1.1.1.tgz", + "integrity": "sha512-Y1GUDo39ez4aHAw7MysnUD5JzYX+WaIj8I57kO3aEPT1fFRL4sr7mjei97FgnwhAyyzRYmQZaTHb2+9uZ1dPtg==", + "requires": { + "debug": "2.6.9", + "encodeurl": "~1.0.2", + "escape-html": "~1.0.3", + "on-finished": "~2.3.0", + "parseurl": "~1.3.2", + "statuses": "~1.4.0", + "unpipe": "~1.0.0" + } + }, + "forwarded": { + "version": "0.2.0", + "resolved": "https://registry.npmjs.org/forwarded/-/forwarded-0.2.0.tgz", + "integrity": "sha512-buRG0fpBtRHSTCOASe6hD258tEubFoRLb4ZNA6NxMVHNw2gOcwHo9wyablzMzOA5z9xA9L1KNjk/Nt6MT9aYow==" + }, + "fresh": { + "version": "0.5.2", + "resolved": "https://registry.npmjs.org/fresh/-/fresh-0.5.2.tgz", + "integrity": "sha512-zJ2mQYM18rEFOudeV4GShTGIQ7RbzA7ozbU9I/XBpm7kqgMywgmylMwXHxZJmkVoYkna9d2pVXVXPdYTP9ej8Q==" + }, + "function-bind": { + "version": "1.1.1", + "resolved": "https://registry.npmjs.org/function-bind/-/function-bind-1.1.1.tgz", + "integrity": "sha512-yIovAzMX49sF8Yl58fSCWJ5svSLuaibPxXQJFLmBObTuCr0Mf1KiPopGM9NiFjiYBCbfaa2Fh6breQ6ANVTI0A==" + }, + "get-intrinsic": { + "version": "1.2.1", + "resolved": "https://registry.npmjs.org/get-intrinsic/-/get-intrinsic-1.2.1.tgz", + "integrity": "sha512-2DcsyfABl+gVHEfCOaTrWgyt+tb6MSEGmKq+kI5HwLbIYgjgmMcV8KQ41uaKz1xxUcn9tJtgFbQUEVcEbd0FYw==", + "requires": { + "function-bind": "^1.1.1", + "has": "^1.0.3", + "has-proto": "^1.0.1", + "has-symbols": "^1.0.3" + } + }, + "has": { + "version": "1.0.3", + "resolved": "https://registry.npmjs.org/has/-/has-1.0.3.tgz", + "integrity": "sha512-f2dvO0VU6Oej7RkWJGrehjbzMAjFp5/VKPp5tTpWIV4JHHZK1/BxbFRtf/siA2SWTe09caDmVtYYzWEIbBS4zw==", + "requires": { + "function-bind": "^1.1.1" + } + }, + "has-proto": { + "version": "1.0.1", + "resolved": "https://registry.npmjs.org/has-proto/-/has-proto-1.0.1.tgz", + "integrity": "sha512-7qE+iP+O+bgF9clE5+UoBFzE65mlBiVj3tKCrlNQ0Ogwm0BjpT/gK4SlLYDMybDh5I3TCTKnPPa0oMG7JDYrhg==" + }, + "has-symbols": { + "version": "1.0.3", + "resolved": "https://registry.npmjs.org/has-symbols/-/has-symbols-1.0.3.tgz", + "integrity": "sha512-l3LCuF6MgDNwTDKkdYGEihYjt5pRPbEg46rtlmnSPlUbgmB8LOIrKJbYYFBSbnPaJexMKtiPO8hmeRjRz2Td+A==" + }, + "http-errors": { + "version": "1.6.3", + "resolved": "https://registry.npmjs.org/http-errors/-/http-errors-1.6.3.tgz", + "integrity": "sha512-lks+lVC8dgGyh97jxvxeYTWQFvh4uw4yC12gVl63Cg30sjPX4wuGcdkICVXDAESr6OJGjqGA8Iz5mkeN6zlD7A==", + "requires": { + "depd": "~1.1.2", + "inherits": "2.0.3", + "setprototypeof": "1.1.0", + "statuses": ">= 1.4.0 < 2" + } + }, + "iconv-lite": { + "version": "0.4.24", + "resolved": "https://registry.npmjs.org/iconv-lite/-/iconv-lite-0.4.24.tgz", + "integrity": "sha512-v3MXnZAcvnywkTUEZomIActle7RXXeedOR31wwl7VlyoXO4Qi9arvSenNQWne1TcRwhCL1HwLI21bEqdpj8/rA==", + "requires": { + "safer-buffer": ">= 2.1.2 < 3" + } + }, + "inherits": { + "version": "2.0.3", + "resolved": "https://registry.npmjs.org/inherits/-/inherits-2.0.3.tgz", + "integrity": "sha512-x00IRNXNy63jwGkJmzPigoySHbaqpNuzKbBOmzK+g2OdZpQ9w+sxCN+VSB3ja7IAge2OP2qpfxTjeNcyjmW1uw==" + }, + "ipaddr.js": { + "version": "1.9.1", + "resolved": "https://registry.npmjs.org/ipaddr.js/-/ipaddr.js-1.9.1.tgz", + "integrity": "sha512-0KI/607xoxSToH7GjN1FfSbLoU0+btTicjsQSWQlh/hZykN8KpmMf7uYwPW3R+akZ6R/w18ZlXSHBYXiYUPO3g==" + }, + "media-typer": { + "version": "0.3.0", + "resolved": "https://registry.npmjs.org/media-typer/-/media-typer-0.3.0.tgz", + "integrity": "sha512-dq+qelQ9akHpcOl/gUVRTxVIOkAJ1wR3QAvb4RsVjS8oVoFjDGTc679wJYmUmknUF5HwMLOgb5O+a3KxfWapPQ==" + }, + "merge-descriptors": { + "version": "1.0.1", + "resolved": "https://registry.npmjs.org/merge-descriptors/-/merge-descriptors-1.0.1.tgz", + "integrity": "sha512-cCi6g3/Zr1iqQi6ySbseM1Xvooa98N0w31jzUYrXPX2xqObmFGHJ0tQ5u74H3mVh7wLouTseZyYIq39g8cNp1w==" + }, + "methods": { + "version": "1.1.2", + "resolved": "https://registry.npmjs.org/methods/-/methods-1.1.2.tgz", + "integrity": "sha512-iclAHeNqNm68zFtnZ0e+1L2yUIdvzNoauKU4WBA3VvH/vPFieF7qfRlwUZU+DA9P9bPXIS90ulxoUoCH23sV2w==" + }, + "mime": { + "version": "1.4.1", + "resolved": "https://registry.npmjs.org/mime/-/mime-1.4.1.tgz", + "integrity": "sha512-KI1+qOZu5DcW6wayYHSzR/tXKCDC5Om4s1z2QJjDULzLcmf3DvzS7oluY4HCTrc+9FiKmWUgeNLg7W3uIQvxtQ==" + }, + "mime-db": { + "version": "1.52.0", + "resolved": "https://registry.npmjs.org/mime-db/-/mime-db-1.52.0.tgz", + "integrity": "sha512-sPU4uV7dYlvtWJxwwxHD0PuihVNiE7TyAbQ5SWxDCB9mUYvOgroQOwYQQOKPJ8CIbE+1ETVlOoK1UC2nU3gYvg==" + }, + "mime-types": { + "version": "2.1.35", + "resolved": "https://registry.npmjs.org/mime-types/-/mime-types-2.1.35.tgz", + "integrity": "sha512-ZDY+bPm5zTTF+YpCrAU9nK0UgICYPT0QtT1NZWFv4s++TNkcgVaT0g6+4R2uI4MjQjzysHB1zxuWL50hzaeXiw==", + "requires": { + "mime-db": "1.52.0" + } + }, + "ms": { + "version": "2.0.0", + "resolved": "https://registry.npmjs.org/ms/-/ms-2.0.0.tgz", + "integrity": "sha512-Tpp60P6IUJDTuOq/5Z8cdskzJujfwqfOTkrwIwj7IRISpnkJnT6SyJ4PCPnGMoFjC9ddhal5KVIYtAt97ix05A==" + }, + "negotiator": { + "version": "0.6.3", + "resolved": "https://registry.npmjs.org/negotiator/-/negotiator-0.6.3.tgz", + "integrity": "sha512-+EUsqGPLsM+j/zdChZjsnX51g4XrHFOIXwfnCVPGlQk/k5giakcKsuxCObBRu6DSm9opw/O6slWbJdghQM4bBg==" + }, + "node": { + "version": "20.5.0", + "resolved": "https://registry.npmjs.org/node/-/node-20.5.0.tgz", + "integrity": "sha512-+mVyKGaCscnINaMNIa+plgDoN9XXb5ksw7FQB78pUmodmftxomwlaU6z6ze1aCbHVB69BGqo84KkyD6NJC9Ifg==", + "requires": { + "node-bin-setup": "^1.0.0" + } + }, + "node-bin-setup": { + "version": "1.1.3", + "resolved": "https://registry.npmjs.org/node-bin-setup/-/node-bin-setup-1.1.3.tgz", + "integrity": "sha512-opgw9iSCAzT2+6wJOETCpeRYAQxSopqQ2z+N6BXwIMsQQ7Zj5M8MaafQY8JMlolRR6R1UXg2WmhKp0p9lSOivg==" + }, + "object-assign": { + "version": "4.1.1", + "resolved": "https://registry.npmjs.org/object-assign/-/object-assign-4.1.1.tgz", + "integrity": "sha512-rJgTQnkUnH1sFw8yT6VSU3zD3sWmu6sZhIseY8VX+GRu3P6F7Fu+JNDoXfklElbLJSnc3FUQHVe4cU5hj+BcUg==" + }, + "object-inspect": { + "version": "1.12.3", + "resolved": "https://registry.npmjs.org/object-inspect/-/object-inspect-1.12.3.tgz", + "integrity": "sha512-geUvdk7c+eizMNUDkRpW1wJwgfOiOeHbxBR/hLXK1aT6zmVSO0jsQcs7fj6MGw89jC/cjGfLcNOrtMYtGqm81g==" + }, + "on-finished": { + "version": "2.3.0", + "resolved": "https://registry.npmjs.org/on-finished/-/on-finished-2.3.0.tgz", + "integrity": "sha512-ikqdkGAAyf/X/gPhXGvfgAytDZtDbr+bkNUJ0N9h5MI/dmdgCs3l6hoHrcUv41sRKew3jIwrp4qQDXiK99Utww==", + "requires": { + "ee-first": "1.1.1" + } + }, + "parseurl": { + "version": "1.3.3", + "resolved": "https://registry.npmjs.org/parseurl/-/parseurl-1.3.3.tgz", + "integrity": "sha512-CiyeOxFT/JZyN5m0z9PfXw4SCBJ6Sygz1Dpl0wqjlhDEGGBP1GnsUVEL0p63hoG1fcj3fHynXi9NYO4nWOL+qQ==" + }, + "path-to-regexp": { + "version": "0.1.7", + "resolved": "https://registry.npmjs.org/path-to-regexp/-/path-to-regexp-0.1.7.tgz", + "integrity": "sha512-5DFkuoqlv1uYQKxy8omFBeJPQcdoE07Kv2sferDCrAq1ohOU+MSDswDIbnx3YAM60qIOnYa53wBhXW0EbMonrQ==" + }, + "proxy-addr": { + "version": "2.0.7", + "resolved": "https://registry.npmjs.org/proxy-addr/-/proxy-addr-2.0.7.tgz", + "integrity": "sha512-llQsMLSUDUPT44jdrU/O37qlnifitDP+ZwrmmZcoSKyLKvtZxpyV0n2/bD/N4tBAAZ/gJEdZU7KMraoK1+XYAg==", + "requires": { + "forwarded": "0.2.0", + "ipaddr.js": "1.9.1" + } + }, + "qs": { + "version": "6.5.2", + "resolved": "https://registry.npmjs.org/qs/-/qs-6.5.2.tgz", + "integrity": "sha512-N5ZAX4/LxJmF+7wN74pUD6qAh9/wnvdQcjq9TZjevvXzSUo7bfmw91saqMjzGS2xq91/odN2dW/WOl7qQHNDGA==" + }, + "range-parser": { + "version": "1.2.1", + "resolved": "https://registry.npmjs.org/range-parser/-/range-parser-1.2.1.tgz", + "integrity": "sha512-Hrgsx+orqoygnmhFbKaHE6c296J+HTAQXoxEF6gNupROmmGJRoyzfG3ccAveqCBrwr/2yxQ5BVd/GTl5agOwSg==" + }, + "raw-body": { + "version": "2.5.2", + "resolved": "https://registry.npmjs.org/raw-body/-/raw-body-2.5.2.tgz", + "integrity": "sha512-8zGqypfENjCIqGhgXToC8aB2r7YrBX+AQAfIPs/Mlk+BtPTztOvTS01NRW/3Eh60J+a48lt8qsCzirQ6loCVfA==", + "requires": { + "bytes": "3.1.2", + "http-errors": "2.0.0", + "iconv-lite": "0.4.24", + "unpipe": "1.0.0" + }, + "dependencies": { + "depd": { + "version": "2.0.0", + "resolved": "https://registry.npmjs.org/depd/-/depd-2.0.0.tgz", + "integrity": "sha512-g7nH6P6dyDioJogAAGprGpCtVImJhpPk/roCzdb3fIh61/s/nPsfR6onyMwkCAR/OlC3yBC0lESvUoQEAssIrw==" + }, + "http-errors": { + "version": "2.0.0", + "resolved": "https://registry.npmjs.org/http-errors/-/http-errors-2.0.0.tgz", + "integrity": "sha512-FtwrG/euBzaEjYeRqOgly7G0qviiXoJWnvEH2Z1plBdXgbyjv34pHTSb9zoeHMyDy33+DWy5Wt9Wo+TURtOYSQ==", + "requires": { + "depd": "2.0.0", + "inherits": "2.0.4", + "setprototypeof": "1.2.0", + "statuses": "2.0.1", + "toidentifier": "1.0.1" + } + }, + "inherits": { + "version": "2.0.4", + "resolved": "https://registry.npmjs.org/inherits/-/inherits-2.0.4.tgz", + "integrity": "sha512-k/vGaX4/Yla3WzyMCvTQOXYeIHvqOKtnqBduzTHpzpQZzAskKMhZ2K+EnBiSM9zGSoIFeMpXKxa4dYeZIQqewQ==" + }, + "setprototypeof": { + "version": "1.2.0", + "resolved": "https://registry.npmjs.org/setprototypeof/-/setprototypeof-1.2.0.tgz", + "integrity": "sha512-E5LDX7Wrp85Kil5bhZv46j8jOeboKq5JMmYM3gVGdGH8xFpPWXUMsNrlODCrkoxMEeNi/XZIwuRvY4XNwYMJpw==" + }, + "statuses": { + "version": "2.0.1", + "resolved": "https://registry.npmjs.org/statuses/-/statuses-2.0.1.tgz", + "integrity": "sha512-RwNA9Z/7PrK06rYLIzFMlaF+l73iwpzsqRIFgbMLbTcLD6cOao82TaWefPXQvB2fOC4AjuYSEndS7N/mTCbkdQ==" + } + } + }, + "safe-buffer": { + "version": "5.1.2", + "resolved": "https://registry.npmjs.org/safe-buffer/-/safe-buffer-5.1.2.tgz", + "integrity": "sha512-Gd2UZBJDkXlY7GbJxfsE8/nvKkUEU1G38c1siN6QP6a9PT9MmHB8GnpscSmMJSoF8LOIrt8ud/wPtojys4G6+g==" + }, + "safer-buffer": { + "version": "2.1.2", + "resolved": "https://registry.npmjs.org/safer-buffer/-/safer-buffer-2.1.2.tgz", + "integrity": "sha512-YZo3K82SD7Riyi0E1EQPojLz7kpepnSQI9IyPbHHg1XXXevb5dJI7tpyN2ADxGcQbHG7vcyRHk0cbwqcQriUtg==" + }, + "send": { + "version": "0.16.2", + "resolved": "https://registry.npmjs.org/send/-/send-0.16.2.tgz", + "integrity": "sha512-E64YFPUssFHEFBvpbbjr44NCLtI1AohxQ8ZSiJjQLskAdKuriYEP6VyGEsRDH8ScozGpkaX1BGvhanqCwkcEZw==", + "requires": { + "debug": "2.6.9", + "depd": "~1.1.2", + "destroy": "~1.0.4", + "encodeurl": "~1.0.2", + "escape-html": "~1.0.3", + "etag": "~1.8.1", + "fresh": "0.5.2", + "http-errors": "~1.6.2", + "mime": "1.4.1", + "ms": "2.0.0", + "on-finished": "~2.3.0", + "range-parser": "~1.2.0", + "statuses": "~1.4.0" + } + }, + "serve-static": { + "version": "1.13.2", + "resolved": "https://registry.npmjs.org/serve-static/-/serve-static-1.13.2.tgz", + "integrity": "sha512-p/tdJrO4U387R9oMjb1oj7qSMaMfmOyd4j9hOFoxZe2baQszgHcSWjuya/CiT5kgZZKRudHNOA0pYXOl8rQ5nw==", + "requires": { + "encodeurl": "~1.0.2", + "escape-html": "~1.0.3", + "parseurl": "~1.3.2", + "send": "0.16.2" + } + }, + "setprototypeof": { + "version": "1.1.0", + "resolved": "https://registry.npmjs.org/setprototypeof/-/setprototypeof-1.1.0.tgz", + "integrity": "sha512-BvE/TwpZX4FXExxOxZyRGQQv651MSwmWKZGqvmPcRIjDqWub67kTKuIMx43cZZrS/cBBzwBcNDWoFxt2XEFIpQ==" + }, + "side-channel": { + "version": "1.0.4", + "resolved": "https://registry.npmjs.org/side-channel/-/side-channel-1.0.4.tgz", + "integrity": "sha512-q5XPytqFEIKHkGdiMIrY10mvLRvnQh42/+GoBlFW3b2LXLE2xxJpZFdm94we0BaoV3RwJyGqg5wS7epxTv0Zvw==", + "requires": { + "call-bind": "^1.0.0", + "get-intrinsic": "^1.0.2", + "object-inspect": "^1.9.0" + } + }, + "statuses": { + "version": "1.4.0", + "resolved": "https://registry.npmjs.org/statuses/-/statuses-1.4.0.tgz", + "integrity": "sha512-zhSCtt8v2NDrRlPQpCNtw/heZLtfUDqxBM1udqikb/Hbk52LK4nQSwr10u77iopCW5LsyHpuXS0GnEc48mLeew==" + }, + "toidentifier": { + "version": "1.0.1", + "resolved": "https://registry.npmjs.org/toidentifier/-/toidentifier-1.0.1.tgz", + "integrity": "sha512-o5sSPKEkg/DIQNmH43V0/uerLrpzVedkUh8tGNvaeXpfpuwjKenlSox/2O/BTlZUtEe+JG7s5YhEz608PlAHRA==" + }, + "type-is": { + "version": "1.6.18", + "resolved": "https://registry.npmjs.org/type-is/-/type-is-1.6.18.tgz", + "integrity": "sha512-TkRKr9sUTxEH8MdfuCSP7VizJyzRNMjj2J2do2Jr3Kym598JVdEksuzPQCnlFPW4ky9Q+iA+ma9BGm06XQBy8g==", + "requires": { + "media-typer": "0.3.0", + "mime-types": "~2.1.24" + } + }, + "unpipe": { + "version": "1.0.0", + "resolved": "https://registry.npmjs.org/unpipe/-/unpipe-1.0.0.tgz", + "integrity": "sha512-pjy2bYhSsufwWlKwPc+l3cN7+wuJlK6uz0YdJEOlQDbl6jo/YlPi4mb8agUkVC8BF7V8NuzeyPNqRksA3hztKQ==" + }, + "utils-merge": { + "version": "1.0.1", + "resolved": "https://registry.npmjs.org/utils-merge/-/utils-merge-1.0.1.tgz", + "integrity": "sha512-pMZTvIkT1d+TFGvDOqodOclx0QWkkgi6Tdoa8gC8ffGAAqz9pzPTZWAybbsHHoED/ztMtkv/VoYTYyShUn81hA==" + }, + "vary": { + "version": "1.1.2", + "resolved": "https://registry.npmjs.org/vary/-/vary-1.1.2.tgz", + "integrity": "sha512-BNGbWLfd0eUPabhkXUVm0j8uuvREyTh5ovRa/dyow/BqAbZJyC+5fU+IzQOzmAKzYqYRAISoRhdQr3eIZ/PXqg==" + } } } diff --git a/package.json b/package.json index 45a45e1..dbdd0f5 100644 --- a/package.json +++ b/package.json @@ -1,82 +1,15 @@ { - - "name": "dev", - - "version": "0.1.0", - + "name": "backend", + "version": "0.0.0", "private": true, - "scripts": { - - - "serve": "vue-cli-service serve", - - - "backend": "nodemon ./backend/server.js", - - - "build": "vue-cli-service build", - - - "lint": "vue-cli-service lint" - + "dev": "node server.js" }, - "dependencies": { - "body-parser": "^1.20.2", - "connect-history-api-fallback": "^2.0.0", - "core-js": "^3.8.3", - "cors": "^2.8.5", - "express": "^4.18.2", - - "node": "^20.4.0" - - }, - - "eslintConfig": { - - - "root": true, - - - "env": { - - - - "node": true - - - }, - - - - "parserOptions": { - - - - "parser": "@babel/eslint-parser" - - - }, - - - "rules": {} - - }, - - "browserslist": [ - - - "> 1%", - - - "last 2 versions", - - - "not dead", - - - "not ie 11" - - ] + "express": "~4.16.1", + "body-parser": "^1.20.2", + "connect-history-api-fallback": "^2.0.0", + "cors": "^2.8.5", + "node": "^20.4.0" + } } diff --git a/server.js b/server.js new file mode 100644 index 0000000..73882d0 --- /dev/null +++ b/server.js @@ -0,0 +1,23 @@ +const express = require('express'); +const bodyParser = require('body-parser'); +const cors = require('cors'); +const path = require('path') +const history = require('connect-history-api-fallback'); + +const app = express(); +const port = 3008; +app.use(express.static(path.resolve(__dirname, './AWS-APP'), { maxAge : '1y', etag: false})); +app.use(history()); +app.use(express.json()); +app.use(bodyParser.urlencoded({ extended: true })); +app.use(bodyParser.json()); +app.use(cors()); + + +app.get('*', (req, res) => { + res.sendFile(path.join(__dirname, './AWS-APP/Login/index.html')); +}); + +app.listen( process.env.PORT || port, () => { + console.log(`Example app listening on port ${port}`); +});