0) {
+ if(p < this.DB && (d = this[i]>>p) > 0) { m = true; r = int2char(d); }
+ while(i >= 0) {
+ if(p < k) {
+ d = (this[i]&((1<>(p+=this.DB-k);
+ }
+ else {
+ d = (this[i]>>(p-=k))&km;
+ if(p <= 0) { p += this.DB; --i; }
+ }
+ if(d > 0) m = true;
+ if(m) r += int2char(d);
+ }
+ }
+ return m?r:"0";
+ }
+
+ // (public) -this
+ function bnNegate() { var r = nbi(); BigInteger.ZERO.subTo(this,r); return r; }
+
+ // (public) |this|
+ function bnAbs() { return (this.s<0)?this.negate():this; }
+
+ // (public) return + if this > a, - if this < a, 0 if equal
+ function bnCompareTo(a) {
+ var r = this.s-a.s;
+ if(r != 0) return r;
+ var i = this.t;
+ r = i-a.t;
+ if(r != 0) return (this.s<0)?-r:r;
+ while(--i >= 0) if((r=this[i]-a[i]) != 0) return r;
+ return 0;
+ }
+
+ // returns bit length of the integer x
+ function nbits(x) {
+ var r = 1, t;
+ if((t=x>>>16) != 0) { x = t; r += 16; }
+ if((t=x>>8) != 0) { x = t; r += 8; }
+ if((t=x>>4) != 0) { x = t; r += 4; }
+ if((t=x>>2) != 0) { x = t; r += 2; }
+ if((t=x>>1) != 0) { x = t; r += 1; }
+ return r;
+ }
+
+ // (public) return the number of bits in "this"
+ function bnBitLength() {
+ if(this.t <= 0) return 0;
+ return this.DB*(this.t-1)+nbits(this[this.t-1]^(this.s&this.DM));
+ }
+
+ // (protected) r = this << n*DB
+ function bnpDLShiftTo(n,r) {
+ var i;
+ for(i = this.t-1; i >= 0; --i) r[i+n] = this[i];
+ for(i = n-1; i >= 0; --i) r[i] = 0;
+ r.t = this.t+n;
+ r.s = this.s;
+ }
+
+ // (protected) r = this >> n*DB
+ function bnpDRShiftTo(n,r) {
+ for(var i = n; i < this.t; ++i) r[i-n] = this[i];
+ r.t = Math.max(this.t-n,0);
+ r.s = this.s;
+ }
+
+ // (protected) r = this << n
+ function bnpLShiftTo(n,r) {
+ var bs = n%this.DB;
+ var cbs = this.DB-bs;
+ var bm = (1<= 0; --i) {
+ r[i+ds+1] = (this[i]>>cbs)|c;
+ c = (this[i]&bm)<= 0; --i) r[i] = 0;
+ r[ds] = c;
+ r.t = this.t+ds+1;
+ r.s = this.s;
+ r.clamp();
+ }
+
+ // (protected) r = this >> n
+ function bnpRShiftTo(n,r) {
+ r.s = this.s;
+ var ds = Math.floor(n/this.DB);
+ if(ds >= this.t) { r.t = 0; return; }
+ var bs = n%this.DB;
+ var cbs = this.DB-bs;
+ var bm = (1<>bs;
+ for(var i = ds+1; i < this.t; ++i) {
+ r[i-ds-1] |= (this[i]&bm)<>bs;
+ }
+ if(bs > 0) r[this.t-ds-1] |= (this.s&bm)<>= this.DB;
+ }
+ if(a.t < this.t) {
+ c -= a.s;
+ while(i < this.t) {
+ c += this[i];
+ r[i++] = c&this.DM;
+ c >>= this.DB;
+ }
+ c += this.s;
+ }
+ else {
+ c += this.s;
+ while(i < a.t) {
+ c -= a[i];
+ r[i++] = c&this.DM;
+ c >>= this.DB;
+ }
+ c -= a.s;
+ }
+ r.s = (c<0)?-1:0;
+ if(c < -1) r[i++] = this.DV+c;
+ else if(c > 0) r[i++] = c;
+ r.t = i;
+ r.clamp();
+ }
+
+ // (protected) r = this * a, r != this,a (HAC 14.12)
+ // "this" should be the larger one if appropriate.
+ function bnpMultiplyTo(a,r) {
+ var x = this.abs(), y = a.abs();
+ var i = x.t;
+ r.t = i+y.t;
+ while(--i >= 0) r[i] = 0;
+ for(i = 0; i < y.t; ++i) r[i+x.t] = x.am(0,y[i],r,i,0,x.t);
+ r.s = 0;
+ r.clamp();
+ if(this.s != a.s) BigInteger.ZERO.subTo(r,r);
+ }
+
+ // (protected) r = this^2, r != this (HAC 14.16)
+ function bnpSquareTo(r) {
+ var x = this.abs();
+ var i = r.t = 2*x.t;
+ while(--i >= 0) r[i] = 0;
+ for(i = 0; i < x.t-1; ++i) {
+ var c = x.am(i,x[i],r,2*i,0,1);
+ if((r[i+x.t]+=x.am(i+1,2*x[i],r,2*i+1,c,x.t-i-1)) >= x.DV) {
+ r[i+x.t] -= x.DV;
+ r[i+x.t+1] = 1;
+ }
+ }
+ if(r.t > 0) r[r.t-1] += x.am(i,x[i],r,2*i,0,1);
+ r.s = 0;
+ r.clamp();
+ }
+
+ // (protected) divide this by m, quotient and remainder to q, r (HAC 14.20)
+ // r != q, this != m. q or r may be null.
+ function bnpDivRemTo(m,q,r) {
+ var pm = m.abs();
+ if(pm.t <= 0) return;
+ var pt = this.abs();
+ if(pt.t < pm.t) {
+ if(q != null) q.fromInt(0);
+ if(r != null) this.copyTo(r);
+ return;
+ }
+ if(r == null) r = nbi();
+ var y = nbi(), ts = this.s, ms = m.s;
+ var nsh = this.DB-nbits(pm[pm.t-1]); // normalize modulus
+ if(nsh > 0) { pm.lShiftTo(nsh,y); pt.lShiftTo(nsh,r); }
+ else { pm.copyTo(y); pt.copyTo(r); }
+ var ys = y.t;
+ var y0 = y[ys-1];
+ if(y0 == 0) return;
+ var yt = y0*(1<1)?y[ys-2]>>this.F2:0);
+ var d1 = this.FV/yt, d2 = (1<= 0) {
+ r[r.t++] = 1;
+ r.subTo(t,r);
+ }
+ BigInteger.ONE.dlShiftTo(ys,t);
+ t.subTo(y,y); // "negative" y so we can replace sub with am later
+ while(y.t < ys) y[y.t++] = 0;
+ while(--j >= 0) {
+ // Estimate quotient digit
+ var qd = (r[--i]==y0)?this.DM:Math.floor(r[i]*d1+(r[i-1]+e)*d2);
+ if((r[i]+=y.am(0,qd,r,j,0,ys)) < qd) { // Try it out
+ y.dlShiftTo(j,t);
+ r.subTo(t,r);
+ while(r[i] < --qd) r.subTo(t,r);
+ }
+ }
+ if(q != null) {
+ r.drShiftTo(ys,q);
+ if(ts != ms) BigInteger.ZERO.subTo(q,q);
+ }
+ r.t = ys;
+ r.clamp();
+ if(nsh > 0) r.rShiftTo(nsh,r); // Denormalize remainder
+ if(ts < 0) BigInteger.ZERO.subTo(r,r);
+ }
+
+ // (public) this mod a
+ function bnMod(a) {
+ var r = nbi();
+ this.abs().divRemTo(a,null,r);
+ if(this.s < 0 && r.compareTo(BigInteger.ZERO) > 0) a.subTo(r,r);
+ return r;
+ }
+
+ // Modular reduction using "classic" algorithm
+ function Classic(m) { this.m = m; }
+ function cConvert(x) {
+ if(x.s < 0 || x.compareTo(this.m) >= 0) return x.mod(this.m);
+ else return x;
+ }
+ function cRevert(x) { return x; }
+ function cReduce(x) { x.divRemTo(this.m,null,x); }
+ function cMulTo(x,y,r) { x.multiplyTo(y,r); this.reduce(r); }
+ function cSqrTo(x,r) { x.squareTo(r); this.reduce(r); }
+
+ Classic.prototype.convert = cConvert;
+ Classic.prototype.revert = cRevert;
+ Classic.prototype.reduce = cReduce;
+ Classic.prototype.mulTo = cMulTo;
+ Classic.prototype.sqrTo = cSqrTo;
+
+ // (protected) return "-1/this % 2^DB"; useful for Mont. reduction
+ // justification:
+ // xy == 1 (mod m)
+ // xy = 1+km
+ // xy(2-xy) = (1+km)(1-km)
+ // x[y(2-xy)] = 1-k^2m^2
+ // x[y(2-xy)] == 1 (mod m^2)
+ // if y is 1/x mod m, then y(2-xy) is 1/x mod m^2
+ // should reduce x and y(2-xy) by m^2 at each step to keep size bounded.
+ // JS multiply "overflows" differently from C/C++, so care is needed here.
+ function bnpInvDigit() {
+ if(this.t < 1) return 0;
+ var x = this[0];
+ if((x&1) == 0) return 0;
+ var y = x&3; // y == 1/x mod 2^2
+ y = (y*(2-(x&0xf)*y))&0xf; // y == 1/x mod 2^4
+ y = (y*(2-(x&0xff)*y))&0xff; // y == 1/x mod 2^8
+ y = (y*(2-(((x&0xffff)*y)&0xffff)))&0xffff; // y == 1/x mod 2^16
+ // last step - calculate inverse mod DV directly;
+ // assumes 16 < DB <= 32 and assumes ability to handle 48-bit ints
+ y = (y*(2-x*y%this.DV))%this.DV; // y == 1/x mod 2^dbits
+ // we really want the negative inverse, and -DV < y < DV
+ return (y>0)?this.DV-y:-y;
+ }
+
+ // Montgomery reduction
+ function Montgomery(m) {
+ this.m = m;
+ this.mp = m.invDigit();
+ this.mpl = this.mp&0x7fff;
+ this.mph = this.mp>>15;
+ this.um = (1<<(m.DB-15))-1;
+ this.mt2 = 2*m.t;
+ }
+
+ // xR mod m
+ function montConvert(x) {
+ var r = nbi();
+ x.abs().dlShiftTo(this.m.t,r);
+ r.divRemTo(this.m,null,r);
+ if(x.s < 0 && r.compareTo(BigInteger.ZERO) > 0) this.m.subTo(r,r);
+ return r;
+ }
+
+ // x/R mod m
+ function montRevert(x) {
+ var r = nbi();
+ x.copyTo(r);
+ this.reduce(r);
+ return r;
+ }
+
+ // x = x/R mod m (HAC 14.32)
+ function montReduce(x) {
+ while(x.t <= this.mt2) // pad x so am has enough room later
+ x[x.t++] = 0;
+ for(var i = 0; i < this.m.t; ++i) {
+ // faster way of calculating u0 = x[i]*mp mod DV
+ var j = x[i]&0x7fff;
+ var u0 = (j*this.mpl+(((j*this.mph+(x[i]>>15)*this.mpl)&this.um)<<15))&x.DM;
+ // use am to combine the multiply-shift-add into one call
+ j = i+this.m.t;
+ x[j] += this.m.am(0,u0,x,i,0,this.m.t);
+ // propagate carry
+ while(x[j] >= x.DV) { x[j] -= x.DV; x[++j]++; }
+ }
+ x.clamp();
+ x.drShiftTo(this.m.t,x);
+ if(x.compareTo(this.m) >= 0) x.subTo(this.m,x);
+ }
+
+ // r = "x^2/R mod m"; x != r
+ function montSqrTo(x,r) { x.squareTo(r); this.reduce(r); }
+
+ // r = "xy/R mod m"; x,y != r
+ function montMulTo(x,y,r) { x.multiplyTo(y,r); this.reduce(r); }
+
+ Montgomery.prototype.convert = montConvert;
+ Montgomery.prototype.revert = montRevert;
+ Montgomery.prototype.reduce = montReduce;
+ Montgomery.prototype.mulTo = montMulTo;
+ Montgomery.prototype.sqrTo = montSqrTo;
+
+ // (protected) true iff this is even
+ function bnpIsEven() { return ((this.t>0)?(this[0]&1):this.s) == 0; }
+
+ // (protected) this^e, e < 2^32, doing sqr and mul with "r" (HAC 14.79)
+ function bnpExp(e,z) {
+ if(e > 0xffffffff || e < 1) return BigInteger.ONE;
+ var r = nbi(), r2 = nbi(), g = z.convert(this), i = nbits(e)-1;
+ g.copyTo(r);
+ while(--i >= 0) {
+ z.sqrTo(r,r2);
+ if((e&(1< 0) z.mulTo(r2,g,r);
+ else { var t = r; r = r2; r2 = t; }
+ }
+ return z.revert(r);
+ }
+
+ // (public) this^e % m, 0 <= e < 2^32
+ function bnModPowInt(e,m) {
+ var z;
+ if(e < 256 || m.isEven()) z = new Classic(m); else z = new Montgomery(m);
+ return this.exp(e,z);
+ }
+
+ // protected
+ BigInteger.prototype.copyTo = bnpCopyTo;
+ BigInteger.prototype.fromInt = bnpFromInt;
+ BigInteger.prototype.fromString = bnpFromString;
+ BigInteger.prototype.clamp = bnpClamp;
+ BigInteger.prototype.dlShiftTo = bnpDLShiftTo;
+ BigInteger.prototype.drShiftTo = bnpDRShiftTo;
+ BigInteger.prototype.lShiftTo = bnpLShiftTo;
+ BigInteger.prototype.rShiftTo = bnpRShiftTo;
+ BigInteger.prototype.subTo = bnpSubTo;
+ BigInteger.prototype.multiplyTo = bnpMultiplyTo;
+ BigInteger.prototype.squareTo = bnpSquareTo;
+ BigInteger.prototype.divRemTo = bnpDivRemTo;
+ BigInteger.prototype.invDigit = bnpInvDigit;
+ BigInteger.prototype.isEven = bnpIsEven;
+ BigInteger.prototype.exp = bnpExp;
+
+ // public
+ BigInteger.prototype.toString = bnToString;
+ BigInteger.prototype.negate = bnNegate;
+ BigInteger.prototype.abs = bnAbs;
+ BigInteger.prototype.compareTo = bnCompareTo;
+ BigInteger.prototype.bitLength = bnBitLength;
+ BigInteger.prototype.mod = bnMod;
+ BigInteger.prototype.modPowInt = bnModPowInt;
+
+ // "constants"
+ BigInteger.ZERO = nbv(0);
+ BigInteger.ONE = nbv(1);
+
+ // Copyright (c) 2005-2009 Tom Wu
+ // All Rights Reserved.
+ // See "LICENSE" for details.
+
+ // Extended JavaScript BN functions, required for RSA private ops.
+
+ // Version 1.1: new BigInteger("0", 10) returns "proper" zero
+ // Version 1.2: square() API, isProbablePrime fix
+
+ // (public)
+ function bnClone() { var r = nbi(); this.copyTo(r); return r; }
+
+ // (public) return value as integer
+ function bnIntValue() {
+ if(this.s < 0) {
+ if(this.t == 1) return this[0]-this.DV;
+ else if(this.t == 0) return -1;
+ }
+ else if(this.t == 1) return this[0];
+ else if(this.t == 0) return 0;
+ // assumes 16 < DB < 32
+ return ((this[1]&((1<<(32-this.DB))-1))<>24; }
+
+ // (public) return value as short (assumes DB>=16)
+ function bnShortValue() { return (this.t==0)?this.s:(this[0]<<16)>>16; }
+
+ // (protected) return x s.t. r^x < DV
+ function bnpChunkSize(r) { return Math.floor(Math.LN2*this.DB/Math.log(r)); }
+
+ // (public) 0 if this == 0, 1 if this > 0
+ function bnSigNum() {
+ if(this.s < 0) return -1;
+ else if(this.t <= 0 || (this.t == 1 && this[0] <= 0)) return 0;
+ else return 1;
+ }
+
+ // (protected) convert to radix string
+ function bnpToRadix(b) {
+ if(b == null) b = 10;
+ if(this.signum() == 0 || b < 2 || b > 36) return "0";
+ var cs = this.chunkSize(b);
+ var a = Math.pow(b,cs);
+ var d = nbv(a), y = nbi(), z = nbi(), r = "";
+ this.divRemTo(d,y,z);
+ while(y.signum() > 0) {
+ r = (a+z.intValue()).toString(b).substr(1) + r;
+ y.divRemTo(d,y,z);
+ }
+ return z.intValue().toString(b) + r;
+ }
+
+ // (protected) convert from radix string
+ function bnpFromRadix(s,b) {
+ this.fromInt(0);
+ if(b == null) b = 10;
+ var cs = this.chunkSize(b);
+ var d = Math.pow(b,cs), mi = false, j = 0, w = 0;
+ for(var i = 0; i < s.length; ++i) {
+ var x = intAt(s,i);
+ if(x < 0) {
+ if(s.charAt(i) == "-" && this.signum() == 0) mi = true;
+ continue;
+ }
+ w = b*w+x;
+ if(++j >= cs) {
+ this.dMultiply(d);
+ this.dAddOffset(w,0);
+ j = 0;
+ w = 0;
+ }
+ }
+ if(j > 0) {
+ this.dMultiply(Math.pow(b,j));
+ this.dAddOffset(w,0);
+ }
+ if(mi) BigInteger.ZERO.subTo(this,this);
+ }
+
+ // (protected) alternate constructor
+ function bnpFromNumber(a,b,c) {
+ if("number" == typeof b) {
+ // new BigInteger(int,int,RNG)
+ if(a < 2) this.fromInt(1);
+ else {
+ this.fromNumber(a,c);
+ if(!this.testBit(a-1)) // force MSB set
+ this.bitwiseTo(BigInteger.ONE.shiftLeft(a-1),op_or,this);
+ if(this.isEven()) this.dAddOffset(1,0); // force odd
+ while(!this.isProbablePrime(b)) {
+ this.dAddOffset(2,0);
+ if(this.bitLength() > a) this.subTo(BigInteger.ONE.shiftLeft(a-1),this);
+ }
+ }
+ }
+ else {
+ // new BigInteger(int,RNG)
+ var x = new Array(), t = a&7;
+ x.length = (a>>3)+1;
+ b.nextBytes(x);
+ if(t > 0) x[0] &= ((1< 0) {
+ if(p < this.DB && (d = this[i]>>p) != (this.s&this.DM)>>p)
+ r[k++] = d|(this.s<<(this.DB-p));
+ while(i >= 0) {
+ if(p < 8) {
+ d = (this[i]&((1<>(p+=this.DB-8);
+ }
+ else {
+ d = (this[i]>>(p-=8))&0xff;
+ if(p <= 0) { p += this.DB; --i; }
+ }
+ if((d&0x80) != 0) d |= -256;
+ if(k == 0 && (this.s&0x80) != (d&0x80)) ++k;
+ if(k > 0 || d != this.s) r[k++] = d;
+ }
+ }
+ return r;
+ }
+
+ function bnEquals(a) { return(this.compareTo(a)==0); }
+ function bnMin(a) { return(this.compareTo(a)<0)?this:a; }
+ function bnMax(a) { return(this.compareTo(a)>0)?this:a; }
+
+ // (protected) r = this op a (bitwise)
+ function bnpBitwiseTo(a,op,r) {
+ var i, f, m = Math.min(a.t,this.t);
+ for(i = 0; i < m; ++i) r[i] = op(this[i],a[i]);
+ if(a.t < this.t) {
+ f = a.s&this.DM;
+ for(i = m; i < this.t; ++i) r[i] = op(this[i],f);
+ r.t = this.t;
+ }
+ else {
+ f = this.s&this.DM;
+ for(i = m; i < a.t; ++i) r[i] = op(f,a[i]);
+ r.t = a.t;
+ }
+ r.s = op(this.s,a.s);
+ r.clamp();
+ }
+
+ // (public) this & a
+ function op_and(x,y) { return x&y; }
+ function bnAnd(a) { var r = nbi(); this.bitwiseTo(a,op_and,r); return r; }
+
+ // (public) this | a
+ function op_or(x,y) { return x|y; }
+ function bnOr(a) { var r = nbi(); this.bitwiseTo(a,op_or,r); return r; }
+
+ // (public) this ^ a
+ function op_xor(x,y) { return x^y; }
+ function bnXor(a) { var r = nbi(); this.bitwiseTo(a,op_xor,r); return r; }
+
+ // (public) this & ~a
+ function op_andnot(x,y) { return x&~y; }
+ function bnAndNot(a) { var r = nbi(); this.bitwiseTo(a,op_andnot,r); return r; }
+
+ // (public) ~this
+ function bnNot() {
+ var r = nbi();
+ for(var i = 0; i < this.t; ++i) r[i] = this.DM&~this[i];
+ r.t = this.t;
+ r.s = ~this.s;
+ return r;
+ }
+
+ // (public) this << n
+ function bnShiftLeft(n) {
+ var r = nbi();
+ if(n < 0) this.rShiftTo(-n,r); else this.lShiftTo(n,r);
+ return r;
+ }
+
+ // (public) this >> n
+ function bnShiftRight(n) {
+ var r = nbi();
+ if(n < 0) this.lShiftTo(-n,r); else this.rShiftTo(n,r);
+ return r;
+ }
+
+ // return index of lowest 1-bit in x, x < 2^31
+ function lbit(x) {
+ if(x == 0) return -1;
+ var r = 0;
+ if((x&0xffff) == 0) { x >>= 16; r += 16; }
+ if((x&0xff) == 0) { x >>= 8; r += 8; }
+ if((x&0xf) == 0) { x >>= 4; r += 4; }
+ if((x&3) == 0) { x >>= 2; r += 2; }
+ if((x&1) == 0) ++r;
+ return r;
+ }
+
+ // (public) returns index of lowest 1-bit (or -1 if none)
+ function bnGetLowestSetBit() {
+ for(var i = 0; i < this.t; ++i)
+ if(this[i] != 0) return i*this.DB+lbit(this[i]);
+ if(this.s < 0) return this.t*this.DB;
+ return -1;
+ }
+
+ // return number of 1 bits in x
+ function cbit(x) {
+ var r = 0;
+ while(x != 0) { x &= x-1; ++r; }
+ return r;
+ }
+
+ // (public) return number of set bits
+ function bnBitCount() {
+ var r = 0, x = this.s&this.DM;
+ for(var i = 0; i < this.t; ++i) r += cbit(this[i]^x);
+ return r;
+ }
+
+ // (public) true iff nth bit is set
+ function bnTestBit(n) {
+ var j = Math.floor(n/this.DB);
+ if(j >= this.t) return(this.s!=0);
+ return((this[j]&(1<<(n%this.DB)))!=0);
+ }
+
+ // (protected) this op (1<>= this.DB;
+ }
+ if(a.t < this.t) {
+ c += a.s;
+ while(i < this.t) {
+ c += this[i];
+ r[i++] = c&this.DM;
+ c >>= this.DB;
+ }
+ c += this.s;
+ }
+ else {
+ c += this.s;
+ while(i < a.t) {
+ c += a[i];
+ r[i++] = c&this.DM;
+ c >>= this.DB;
+ }
+ c += a.s;
+ }
+ r.s = (c<0)?-1:0;
+ if(c > 0) r[i++] = c;
+ else if(c < -1) r[i++] = this.DV+c;
+ r.t = i;
+ r.clamp();
+ }
+
+ // (public) this + a
+ function bnAdd(a) { var r = nbi(); this.addTo(a,r); return r; }
+
+ // (public) this - a
+ function bnSubtract(a) { var r = nbi(); this.subTo(a,r); return r; }
+
+ // (public) this * a
+ function bnMultiply(a) { var r = nbi(); this.multiplyTo(a,r); return r; }
+
+ // (public) this^2
+ function bnSquare() { var r = nbi(); this.squareTo(r); return r; }
+
+ // (public) this / a
+ function bnDivide(a) { var r = nbi(); this.divRemTo(a,r,null); return r; }
+
+ // (public) this % a
+ function bnRemainder(a) { var r = nbi(); this.divRemTo(a,null,r); return r; }
+
+ // (public) [this/a,this%a]
+ function bnDivideAndRemainder(a) {
+ var q = nbi(), r = nbi();
+ this.divRemTo(a,q,r);
+ return new Array(q,r);
+ }
+
+ // (protected) this *= n, this >= 0, 1 < n < DV
+ function bnpDMultiply(n) {
+ this[this.t] = this.am(0,n-1,this,0,0,this.t);
+ ++this.t;
+ this.clamp();
+ }
+
+ // (protected) this += n << w words, this >= 0
+ function bnpDAddOffset(n,w) {
+ if(n == 0) return;
+ while(this.t <= w) this[this.t++] = 0;
+ this[w] += n;
+ while(this[w] >= this.DV) {
+ this[w] -= this.DV;
+ if(++w >= this.t) this[this.t++] = 0;
+ ++this[w];
+ }
+ }
+
+ // A "null" reducer
+ function NullExp() {}
+ function nNop(x) { return x; }
+ function nMulTo(x,y,r) { x.multiplyTo(y,r); }
+ function nSqrTo(x,r) { x.squareTo(r); }
+
+ NullExp.prototype.convert = nNop;
+ NullExp.prototype.revert = nNop;
+ NullExp.prototype.mulTo = nMulTo;
+ NullExp.prototype.sqrTo = nSqrTo;
+
+ // (public) this^e
+ function bnPow(e) { return this.exp(e,new NullExp()); }
+
+ // (protected) r = lower n words of "this * a", a.t <= n
+ // "this" should be the larger one if appropriate.
+ function bnpMultiplyLowerTo(a,n,r) {
+ var i = Math.min(this.t+a.t,n);
+ r.s = 0; // assumes a,this >= 0
+ r.t = i;
+ while(i > 0) r[--i] = 0;
+ var j;
+ for(j = r.t-this.t; i < j; ++i) r[i+this.t] = this.am(0,a[i],r,i,0,this.t);
+ for(j = Math.min(a.t,n); i < j; ++i) this.am(0,a[i],r,i,0,n-i);
+ r.clamp();
+ }
+
+ // (protected) r = "this * a" without lower n words, n > 0
+ // "this" should be the larger one if appropriate.
+ function bnpMultiplyUpperTo(a,n,r) {
+ --n;
+ var i = r.t = this.t+a.t-n;
+ r.s = 0; // assumes a,this >= 0
+ while(--i >= 0) r[i] = 0;
+ for(i = Math.max(n-this.t,0); i < a.t; ++i)
+ r[this.t+i-n] = this.am(n-i,a[i],r,0,0,this.t+i-n);
+ r.clamp();
+ r.drShiftTo(1,r);
+ }
+
+ // Barrett modular reduction
+ function Barrett(m) {
+ // setup Barrett
+ this.r2 = nbi();
+ this.q3 = nbi();
+ BigInteger.ONE.dlShiftTo(2*m.t,this.r2);
+ this.mu = this.r2.divide(m);
+ this.m = m;
+ }
+
+ function barrettConvert(x) {
+ if(x.s < 0 || x.t > 2*this.m.t) return x.mod(this.m);
+ else if(x.compareTo(this.m) < 0) return x;
+ else { var r = nbi(); x.copyTo(r); this.reduce(r); return r; }
+ }
+
+ function barrettRevert(x) { return x; }
+
+ // x = x mod m (HAC 14.42)
+ function barrettReduce(x) {
+ x.drShiftTo(this.m.t-1,this.r2);
+ if(x.t > this.m.t+1) { x.t = this.m.t+1; x.clamp(); }
+ this.mu.multiplyUpperTo(this.r2,this.m.t+1,this.q3);
+ this.m.multiplyLowerTo(this.q3,this.m.t+1,this.r2);
+ while(x.compareTo(this.r2) < 0) x.dAddOffset(1,this.m.t+1);
+ x.subTo(this.r2,x);
+ while(x.compareTo(this.m) >= 0) x.subTo(this.m,x);
+ }
+
+ // r = x^2 mod m; x != r
+ function barrettSqrTo(x,r) { x.squareTo(r); this.reduce(r); }
+
+ // r = x*y mod m; x,y != r
+ function barrettMulTo(x,y,r) { x.multiplyTo(y,r); this.reduce(r); }
+
+ Barrett.prototype.convert = barrettConvert;
+ Barrett.prototype.revert = barrettRevert;
+ Barrett.prototype.reduce = barrettReduce;
+ Barrett.prototype.mulTo = barrettMulTo;
+ Barrett.prototype.sqrTo = barrettSqrTo;
+
+ // (public) this^e % m (HAC 14.85)
+ function bnModPow(e,m) {
+ var i = e.bitLength(), k, r = nbv(1), z;
+ if(i <= 0) return r;
+ else if(i < 18) k = 1;
+ else if(i < 48) k = 3;
+ else if(i < 144) k = 4;
+ else if(i < 768) k = 5;
+ else k = 6;
+ if(i < 8)
+ z = new Classic(m);
+ else if(m.isEven())
+ z = new Barrett(m);
+ else
+ z = new Montgomery(m);
+
+ // precomputation
+ var g = new Array(), n = 3, k1 = k-1, km = (1< 1) {
+ var g2 = nbi();
+ z.sqrTo(g[1],g2);
+ while(n <= km) {
+ g[n] = nbi();
+ z.mulTo(g2,g[n-2],g[n]);
+ n += 2;
+ }
+ }
+
+ var j = e.t-1, w, is1 = true, r2 = nbi(), t;
+ i = nbits(e[j])-1;
+ while(j >= 0) {
+ if(i >= k1) w = (e[j]>>(i-k1))&km;
+ else {
+ w = (e[j]&((1<<(i+1))-1))<<(k1-i);
+ if(j > 0) w |= e[j-1]>>(this.DB+i-k1);
+ }
+
+ n = k;
+ while((w&1) == 0) { w >>= 1; --n; }
+ if((i -= n) < 0) { i += this.DB; --j; }
+ if(is1) { // ret == 1, don't bother squaring or multiplying it
+ g[w].copyTo(r);
+ is1 = false;
+ }
+ else {
+ while(n > 1) { z.sqrTo(r,r2); z.sqrTo(r2,r); n -= 2; }
+ if(n > 0) z.sqrTo(r,r2); else { t = r; r = r2; r2 = t; }
+ z.mulTo(r2,g[w],r);
+ }
+
+ while(j >= 0 && (e[j]&(1< 0) {
+ x.rShiftTo(g,x);
+ y.rShiftTo(g,y);
+ }
+ while(x.signum() > 0) {
+ if((i = x.getLowestSetBit()) > 0) x.rShiftTo(i,x);
+ if((i = y.getLowestSetBit()) > 0) y.rShiftTo(i,y);
+ if(x.compareTo(y) >= 0) {
+ x.subTo(y,x);
+ x.rShiftTo(1,x);
+ }
+ else {
+ y.subTo(x,y);
+ y.rShiftTo(1,y);
+ }
+ }
+ if(g > 0) y.lShiftTo(g,y);
+ return y;
+ }
+
+ // (protected) this % n, n < 2^26
+ function bnpModInt(n) {
+ if(n <= 0) return 0;
+ var d = this.DV%n, r = (this.s<0)?n-1:0;
+ if(this.t > 0)
+ if(d == 0) r = this[0]%n;
+ else for(var i = this.t-1; i >= 0; --i) r = (d*r+this[i])%n;
+ return r;
+ }
+
+ // (public) 1/this % m (HAC 14.61)
+ function bnModInverse(m) {
+ var ac = m.isEven();
+ if((this.isEven() && ac) || m.signum() == 0) return BigInteger.ZERO;
+ var u = m.clone(), v = this.clone();
+ var a = nbv(1), b = nbv(0), c = nbv(0), d = nbv(1);
+ while(u.signum() != 0) {
+ while(u.isEven()) {
+ u.rShiftTo(1,u);
+ if(ac) {
+ if(!a.isEven() || !b.isEven()) { a.addTo(this,a); b.subTo(m,b); }
+ a.rShiftTo(1,a);
+ }
+ else if(!b.isEven()) b.subTo(m,b);
+ b.rShiftTo(1,b);
+ }
+ while(v.isEven()) {
+ v.rShiftTo(1,v);
+ if(ac) {
+ if(!c.isEven() || !d.isEven()) { c.addTo(this,c); d.subTo(m,d); }
+ c.rShiftTo(1,c);
+ }
+ else if(!d.isEven()) d.subTo(m,d);
+ d.rShiftTo(1,d);
+ }
+ if(u.compareTo(v) >= 0) {
+ u.subTo(v,u);
+ if(ac) a.subTo(c,a);
+ b.subTo(d,b);
+ }
+ else {
+ v.subTo(u,v);
+ if(ac) c.subTo(a,c);
+ d.subTo(b,d);
+ }
+ }
+ if(v.compareTo(BigInteger.ONE) != 0) return BigInteger.ZERO;
+ if(d.compareTo(m) >= 0) return d.subtract(m);
+ if(d.signum() < 0) d.addTo(m,d); else return d;
+ if(d.signum() < 0) return d.add(m); else return d;
+ }
+
+ var lowprimes = [2,3,5,7,11,13,17,19,23,29,31,37,41,43,47,53,59,61,67,71,73,79,83,89,97,101,103,107,109,113,127,131,137,139,149,151,157,163,167,173,179,181,191,193,197,199,211,223,227,229,233,239,241,251,257,263,269,271,277,281,283,293,307,311,313,317,331,337,347,349,353,359,367,373,379,383,389,397,401,409,419,421,431,433,439,443,449,457,461,463,467,479,487,491,499,503,509,521,523,541,547,557,563,569,571,577,587,593,599,601,607,613,617,619,631,641,643,647,653,659,661,673,677,683,691,701,709,719,727,733,739,743,751,757,761,769,773,787,797,809,811,821,823,827,829,839,853,857,859,863,877,881,883,887,907,911,919,929,937,941,947,953,967,971,977,983,991,997];
+ var lplim = (1<<26)/lowprimes[lowprimes.length-1];
+
+ // (public) test primality with certainty >= 1-.5^t
+ function bnIsProbablePrime(t) {
+ var i, x = this.abs();
+ if(x.t == 1 && x[0] <= lowprimes[lowprimes.length-1]) {
+ for(i = 0; i < lowprimes.length; ++i)
+ if(x[0] == lowprimes[i]) return true;
+ return false;
+ }
+ if(x.isEven()) return false;
+ i = 1;
+ while(i < lowprimes.length) {
+ var m = lowprimes[i], j = i+1;
+ while(j < lowprimes.length && m < lplim) m *= lowprimes[j++];
+ m = x.modInt(m);
+ while(i < j) if(m%lowprimes[i++] == 0) return false;
+ }
+ return x.millerRabin(t);
+ }
+
+ // (protected) true if probably prime (HAC 4.24, Miller-Rabin)
+ function bnpMillerRabin(t) {
+ var n1 = this.subtract(BigInteger.ONE);
+ var k = n1.getLowestSetBit();
+ if(k <= 0) return false;
+ var r = n1.shiftRight(k);
+ t = (t+1)>>1;
+ if(t > lowprimes.length) t = lowprimes.length;
+ var a = nbi();
+ for(var i = 0; i < t; ++i) {
+ //Pick bases at random, instead of starting at 2
+ a.fromInt(lowprimes[Math.floor(Math.random()*lowprimes.length)]);
+ var y = a.modPow(r,this);
+ if(y.compareTo(BigInteger.ONE) != 0 && y.compareTo(n1) != 0) {
+ var j = 1;
+ while(j++ < k && y.compareTo(n1) != 0) {
+ y = y.modPowInt(2,this);
+ if(y.compareTo(BigInteger.ONE) == 0) return false;
+ }
+ if(y.compareTo(n1) != 0) return false;
+ }
+ }
+ return true;
+ }
+
+ // protected
+ BigInteger.prototype.chunkSize = bnpChunkSize;
+ BigInteger.prototype.toRadix = bnpToRadix;
+ BigInteger.prototype.fromRadix = bnpFromRadix;
+ BigInteger.prototype.fromNumber = bnpFromNumber;
+ BigInteger.prototype.bitwiseTo = bnpBitwiseTo;
+ BigInteger.prototype.changeBit = bnpChangeBit;
+ BigInteger.prototype.addTo = bnpAddTo;
+ BigInteger.prototype.dMultiply = bnpDMultiply;
+ BigInteger.prototype.dAddOffset = bnpDAddOffset;
+ BigInteger.prototype.multiplyLowerTo = bnpMultiplyLowerTo;
+ BigInteger.prototype.multiplyUpperTo = bnpMultiplyUpperTo;
+ BigInteger.prototype.modInt = bnpModInt;
+ BigInteger.prototype.millerRabin = bnpMillerRabin;
+
+ // public
+ BigInteger.prototype.clone = bnClone;
+ BigInteger.prototype.intValue = bnIntValue;
+ BigInteger.prototype.byteValue = bnByteValue;
+ BigInteger.prototype.shortValue = bnShortValue;
+ BigInteger.prototype.signum = bnSigNum;
+ BigInteger.prototype.toByteArray = bnToByteArray;
+ BigInteger.prototype.equals = bnEquals;
+ BigInteger.prototype.min = bnMin;
+ BigInteger.prototype.max = bnMax;
+ BigInteger.prototype.and = bnAnd;
+ BigInteger.prototype.or = bnOr;
+ BigInteger.prototype.xor = bnXor;
+ BigInteger.prototype.andNot = bnAndNot;
+ BigInteger.prototype.not = bnNot;
+ BigInteger.prototype.shiftLeft = bnShiftLeft;
+ BigInteger.prototype.shiftRight = bnShiftRight;
+ BigInteger.prototype.getLowestSetBit = bnGetLowestSetBit;
+ BigInteger.prototype.bitCount = bnBitCount;
+ BigInteger.prototype.testBit = bnTestBit;
+ BigInteger.prototype.setBit = bnSetBit;
+ BigInteger.prototype.clearBit = bnClearBit;
+ BigInteger.prototype.flipBit = bnFlipBit;
+ BigInteger.prototype.add = bnAdd;
+ BigInteger.prototype.subtract = bnSubtract;
+ BigInteger.prototype.multiply = bnMultiply;
+ BigInteger.prototype.divide = bnDivide;
+ BigInteger.prototype.remainder = bnRemainder;
+ BigInteger.prototype.divideAndRemainder = bnDivideAndRemainder;
+ BigInteger.prototype.modPow = bnModPow;
+ BigInteger.prototype.modInverse = bnModInverse;
+ BigInteger.prototype.pow = bnPow;
+ BigInteger.prototype.gcd = bnGCD;
+ BigInteger.prototype.isProbablePrime = bnIsProbablePrime;
+
+ // JSBN-specific extension
+ BigInteger.prototype.square = bnSquare;
+
+ // Expose the Barrett function
+ BigInteger.prototype.Barrett = Barrett
+
+ // BigInteger interfaces not implemented in jsbn:
+
+ // BigInteger(int signum, byte[] magnitude)
+ // double doubleValue()
+ // float floatValue()
+ // int hashCode()
+ // long longValue()
+ // static BigInteger valueOf(long val)
+
+ // Random number generator - requires a PRNG backend, e.g. prng4.js
+
+ // For best results, put code like
+ //
+ // in your main HTML document.
+
+ var rng_state;
+ var rng_pool;
+ var rng_pptr;
+
+ // Mix in a 32-bit integer into the pool
+ function rng_seed_int(x) {
+ rng_pool[rng_pptr++] ^= x & 255;
+ rng_pool[rng_pptr++] ^= (x >> 8) & 255;
+ rng_pool[rng_pptr++] ^= (x >> 16) & 255;
+ rng_pool[rng_pptr++] ^= (x >> 24) & 255;
+ if(rng_pptr >= rng_psize) rng_pptr -= rng_psize;
+ }
+
+ // Mix in the current time (w/milliseconds) into the pool
+ function rng_seed_time() {
+ rng_seed_int(new Date().getTime());
+ }
+
+ // Initialize the pool with junk if needed.
+ if(rng_pool == null) {
+ rng_pool = new Array();
+ rng_pptr = 0;
+ var t;
+ if(typeof window !== "undefined" && window.crypto) {
+ if (window.crypto.getRandomValues) {
+ // Use webcrypto if available
+ var ua = new Uint8Array(32);
+ window.crypto.getRandomValues(ua);
+ for(t = 0; t < 32; ++t)
+ rng_pool[rng_pptr++] = ua[t];
+ }
+ else if(navigator.appName == "Netscape" && navigator.appVersion < "5") {
+ // Extract entropy (256 bits) from NS4 RNG if available
+ var z = window.crypto.random(32);
+ for(t = 0; t < z.length; ++t)
+ rng_pool[rng_pptr++] = z.charCodeAt(t) & 255;
+ }
+ }
+ while(rng_pptr < rng_psize) { // extract some randomness from Math.random()
+ t = Math.floor(65536 * Math.random());
+ rng_pool[rng_pptr++] = t >>> 8;
+ rng_pool[rng_pptr++] = t & 255;
+ }
+ rng_pptr = 0;
+ rng_seed_time();
+ //rng_seed_int(window.screenX);
+ //rng_seed_int(window.screenY);
+ }
+
+ function rng_get_byte() {
+ if(rng_state == null) {
+ rng_seed_time();
+ rng_state = prng_newstate();
+ rng_state.init(rng_pool);
+ for(rng_pptr = 0; rng_pptr < rng_pool.length; ++rng_pptr)
+ rng_pool[rng_pptr] = 0;
+ rng_pptr = 0;
+ //rng_pool = null;
+ }
+ // TODO: allow reseeding after first request
+ return rng_state.next();
+ }
+
+ function rng_get_bytes(ba) {
+ var i;
+ for(i = 0; i < ba.length; ++i) ba[i] = rng_get_byte();
+ }
+
+ function SecureRandom() {}
+
+ SecureRandom.prototype.nextBytes = rng_get_bytes;
+
+ // prng4.js - uses Arcfour as a PRNG
+
+ function Arcfour() {
+ this.i = 0;
+ this.j = 0;
+ this.S = new Array();
+ }
+
+ // Initialize arcfour context from key, an array of ints, each from [0..255]
+ function ARC4init(key) {
+ var i, j, t;
+ for(i = 0; i < 256; ++i)
+ this.S[i] = i;
+ j = 0;
+ for(i = 0; i < 256; ++i) {
+ j = (j + this.S[i] + key[i % key.length]) & 255;
+ t = this.S[i];
+ this.S[i] = this.S[j];
+ this.S[j] = t;
+ }
+ this.i = 0;
+ this.j = 0;
+ }
+
+ function ARC4next() {
+ var t;
+ this.i = (this.i + 1) & 255;
+ this.j = (this.j + this.S[this.i]) & 255;
+ t = this.S[this.i];
+ this.S[this.i] = this.S[this.j];
+ this.S[this.j] = t;
+ return this.S[(t + this.S[this.i]) & 255];
+ }
+
+ Arcfour.prototype.init = ARC4init;
+ Arcfour.prototype.next = ARC4next;
+
+ // Plug in your RNG constructor here
+ function prng_newstate() {
+ return new Arcfour();
+ }
+
+ // Pool size must be a multiple of 4 and greater than 32.
+ // An array of bytes the size of the pool will be passed to init()
+ var rng_psize = 256;
+
+ BigInteger.SecureRandom = SecureRandom;
+ BigInteger.BigInteger = BigInteger;
+ if (typeof exports !== 'undefined') {
+ exports = module.exports = BigInteger;
+ } else {
+ this.BigInteger = BigInteger;
+ this.SecureRandom = SecureRandom;
+ }
+
+}).call(this);
diff --git "a/\351\231\210\351\233\204\350\276\211/\350\277\231\346\230\257\344\270\200\344\270\252\345\260\217\347\210\254\350\231\253/node_modules/jsbn/package.json" "b/\351\231\210\351\233\204\350\276\211/\350\277\231\346\230\257\344\270\200\344\270\252\345\260\217\347\210\254\350\231\253/node_modules/jsbn/package.json"
new file mode 100644
index 0000000000000000000000000000000000000000..bd31b620aaeda34554d04a490316bb7b91f5eb64
--- /dev/null
+++ "b/\351\231\210\351\233\204\350\276\211/\350\277\231\346\230\257\344\270\200\344\270\252\345\260\217\347\210\254\350\231\253/node_modules/jsbn/package.json"
@@ -0,0 +1,53 @@
+{
+ "_from": "jsbn@~0.1.0",
+ "_id": "jsbn@0.1.1",
+ "_inBundle": false,
+ "_integrity": "sha1-peZUwuWi3rXyAdls77yoDA7y9RM=",
+ "_location": "/jsbn",
+ "_phantomChildren": {},
+ "_requested": {
+ "type": "range",
+ "registry": true,
+ "raw": "jsbn@~0.1.0",
+ "name": "jsbn",
+ "escapedName": "jsbn",
+ "rawSpec": "~0.1.0",
+ "saveSpec": null,
+ "fetchSpec": "~0.1.0"
+ },
+ "_requiredBy": [
+ "/ecc-jsbn",
+ "/sshpk"
+ ],
+ "_resolved": "https://registry.npmjs.org/jsbn/-/jsbn-0.1.1.tgz",
+ "_shasum": "a5e654c2e5a2deb5f201d96cefbca80c0ef2f513",
+ "_spec": "jsbn@~0.1.0",
+ "_where": "C:\\Users\\Administrator\\Desktop\\这是一个小爬虫\\node_modules\\sshpk",
+ "author": {
+ "name": "Tom Wu"
+ },
+ "bugs": {
+ "url": "https://github.com/andyperlitch/jsbn/issues"
+ },
+ "bundleDependencies": false,
+ "deprecated": false,
+ "description": "The jsbn library is a fast, portable implementation of large-number math in pure JavaScript, enabling public-key crypto and other applications on desktop and mobile browsers.",
+ "homepage": "https://github.com/andyperlitch/jsbn#readme",
+ "keywords": [
+ "biginteger",
+ "bignumber",
+ "big",
+ "integer"
+ ],
+ "license": "MIT",
+ "main": "index.js",
+ "name": "jsbn",
+ "repository": {
+ "type": "git",
+ "url": "git+https://github.com/andyperlitch/jsbn.git"
+ },
+ "scripts": {
+ "test": "mocha test.js"
+ },
+ "version": "0.1.1"
+}
diff --git "a/\351\231\210\351\233\204\350\276\211/\350\277\231\346\230\257\344\270\200\344\270\252\345\260\217\347\210\254\350\231\253/node_modules/json-schema-traverse/.eslintrc.yml" "b/\351\231\210\351\233\204\350\276\211/\350\277\231\346\230\257\344\270\200\344\270\252\345\260\217\347\210\254\350\231\253/node_modules/json-schema-traverse/.eslintrc.yml"
new file mode 100644
index 0000000000000000000000000000000000000000..ab1762da9c119e9136ea914209716dd949648d8b
--- /dev/null
+++ "b/\351\231\210\351\233\204\350\276\211/\350\277\231\346\230\257\344\270\200\344\270\252\345\260\217\347\210\254\350\231\253/node_modules/json-schema-traverse/.eslintrc.yml"
@@ -0,0 +1,27 @@
+extends: eslint:recommended
+env:
+ node: true
+ browser: true
+rules:
+ block-scoped-var: 2
+ complexity: [2, 13]
+ curly: [2, multi-or-nest, consistent]
+ dot-location: [2, property]
+ dot-notation: 2
+ indent: [2, 2, SwitchCase: 1]
+ linebreak-style: [2, unix]
+ new-cap: 2
+ no-console: [2, allow: [warn, error]]
+ no-else-return: 2
+ no-eq-null: 2
+ no-fallthrough: 2
+ no-invalid-this: 2
+ no-return-assign: 2
+ no-shadow: 1
+ no-trailing-spaces: 2
+ no-use-before-define: [2, nofunc]
+ quotes: [2, single, avoid-escape]
+ semi: [2, always]
+ strict: [2, global]
+ valid-jsdoc: [2, requireReturn: false]
+ no-control-regex: 0
diff --git "a/\351\231\210\351\233\204\350\276\211/\350\277\231\346\230\257\344\270\200\344\270\252\345\260\217\347\210\254\350\231\253/node_modules/json-schema-traverse/.travis.yml" "b/\351\231\210\351\233\204\350\276\211/\350\277\231\346\230\257\344\270\200\344\270\252\345\260\217\347\210\254\350\231\253/node_modules/json-schema-traverse/.travis.yml"
new file mode 100644
index 0000000000000000000000000000000000000000..7ddce74b841994f44f2b986f6ffd6f676c141469
--- /dev/null
+++ "b/\351\231\210\351\233\204\350\276\211/\350\277\231\346\230\257\344\270\200\344\270\252\345\260\217\347\210\254\350\231\253/node_modules/json-schema-traverse/.travis.yml"
@@ -0,0 +1,8 @@
+language: node_js
+node_js:
+ - "4"
+ - "6"
+ - "7"
+ - "8"
+after_script:
+ - coveralls < coverage/lcov.info
diff --git "a/\351\231\210\351\233\204\350\276\211/\350\277\231\346\230\257\344\270\200\344\270\252\345\260\217\347\210\254\350\231\253/node_modules/json-schema-traverse/LICENSE" "b/\351\231\210\351\233\204\350\276\211/\350\277\231\346\230\257\344\270\200\344\270\252\345\260\217\347\210\254\350\231\253/node_modules/json-schema-traverse/LICENSE"
new file mode 100644
index 0000000000000000000000000000000000000000..7f1543566f6abbbf75914db32651cf89919cabed
--- /dev/null
+++ "b/\351\231\210\351\233\204\350\276\211/\350\277\231\346\230\257\344\270\200\344\270\252\345\260\217\347\210\254\350\231\253/node_modules/json-schema-traverse/LICENSE"
@@ -0,0 +1,21 @@
+MIT License
+
+Copyright (c) 2017 Evgeny Poberezkin
+
+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/\351\231\210\351\233\204\350\276\211/\350\277\231\346\230\257\344\270\200\344\270\252\345\260\217\347\210\254\350\231\253/node_modules/json-schema-traverse/README.md" "b/\351\231\210\351\233\204\350\276\211/\350\277\231\346\230\257\344\270\200\344\270\252\345\260\217\347\210\254\350\231\253/node_modules/json-schema-traverse/README.md"
new file mode 100644
index 0000000000000000000000000000000000000000..d5ccaf450a2a2bb88e5ae0778ce05712ef25c763
--- /dev/null
+++ "b/\351\231\210\351\233\204\350\276\211/\350\277\231\346\230\257\344\270\200\344\270\252\345\260\217\347\210\254\350\231\253/node_modules/json-schema-traverse/README.md"
@@ -0,0 +1,83 @@
+# json-schema-traverse
+Traverse JSON Schema passing each schema object to callback
+
+[](https://travis-ci.org/epoberezkin/json-schema-traverse)
+[](https://www.npmjs.com/package/json-schema-traverse)
+[](https://coveralls.io/github/epoberezkin/json-schema-traverse?branch=master)
+
+
+## Install
+
+```
+npm install json-schema-traverse
+```
+
+
+## Usage
+
+```javascript
+const traverse = require('json-schema-traverse');
+const schema = {
+ properties: {
+ foo: {type: 'string'},
+ bar: {type: 'integer'}
+ }
+};
+
+traverse(schema, {cb});
+// cb is called 3 times with:
+// 1. root schema
+// 2. {type: 'string'}
+// 3. {type: 'integer'}
+
+// Or:
+
+traverse(schema, {cb: {pre, post}});
+// pre is called 3 times with:
+// 1. root schema
+// 2. {type: 'string'}
+// 3. {type: 'integer'}
+//
+// post is called 3 times with:
+// 1. {type: 'string'}
+// 2. {type: 'integer'}
+// 3. root schema
+
+```
+
+Callback function `cb` is called for each schema object (not including draft-06 boolean schemas), including the root schema, in pre-order traversal. Schema references ($ref) are not resolved, they are passed as is. Alternatively, you can pass a `{pre, post}` object as `cb`, and then `pre` will be called before traversing child elements, and `post` will be called after all child elements have been traversed.
+
+Callback is passed these parameters:
+
+- _schema_: the current schema object
+- _JSON pointer_: from the root schema to the current schema object
+- _root schema_: the schema passed to `traverse` object
+- _parent JSON pointer_: from the root schema to the parent schema object (see below)
+- _parent keyword_: the keyword inside which this schema appears (e.g. `properties`, `anyOf`, etc.)
+- _parent schema_: not necessarily parent object/array; in the example above the parent schema for `{type: 'string'}` is the root schema
+- _index/property_: index or property name in the array/object containing multiple schemas; in the example above for `{type: 'string'}` the property name is `'foo'`
+
+
+## Traverse objects in all unknown keywords
+
+```javascript
+const traverse = require('json-schema-traverse');
+const schema = {
+ mySchema: {
+ minimum: 1,
+ maximum: 2
+ }
+};
+
+traverse(schema, {allKeys: true, cb});
+// cb is called 2 times with:
+// 1. root schema
+// 2. mySchema
+```
+
+Without option `allKeys: true` callback will be called only with root schema.
+
+
+## License
+
+[MIT](https://github.com/epoberezkin/json-schema-traverse/blob/master/LICENSE)
diff --git "a/\351\231\210\351\233\204\350\276\211/\350\277\231\346\230\257\344\270\200\344\270\252\345\260\217\347\210\254\350\231\253/node_modules/json-schema-traverse/index.js" "b/\351\231\210\351\233\204\350\276\211/\350\277\231\346\230\257\344\270\200\344\270\252\345\260\217\347\210\254\350\231\253/node_modules/json-schema-traverse/index.js"
new file mode 100644
index 0000000000000000000000000000000000000000..d4a18dfc7b1c5381b32f62db6aa54ba9251d604a
--- /dev/null
+++ "b/\351\231\210\351\233\204\350\276\211/\350\277\231\346\230\257\344\270\200\344\270\252\345\260\217\347\210\254\350\231\253/node_modules/json-schema-traverse/index.js"
@@ -0,0 +1,89 @@
+'use strict';
+
+var traverse = module.exports = function (schema, opts, cb) {
+ // Legacy support for v0.3.1 and earlier.
+ if (typeof opts == 'function') {
+ cb = opts;
+ opts = {};
+ }
+
+ cb = opts.cb || cb;
+ var pre = (typeof cb == 'function') ? cb : cb.pre || function() {};
+ var post = cb.post || function() {};
+
+ _traverse(opts, pre, post, schema, '', schema);
+};
+
+
+traverse.keywords = {
+ additionalItems: true,
+ items: true,
+ contains: true,
+ additionalProperties: true,
+ propertyNames: true,
+ not: true
+};
+
+traverse.arrayKeywords = {
+ items: true,
+ allOf: true,
+ anyOf: true,
+ oneOf: true
+};
+
+traverse.propsKeywords = {
+ definitions: true,
+ properties: true,
+ patternProperties: true,
+ dependencies: true
+};
+
+traverse.skipKeywords = {
+ default: true,
+ enum: true,
+ const: true,
+ required: true,
+ maximum: true,
+ minimum: true,
+ exclusiveMaximum: true,
+ exclusiveMinimum: true,
+ multipleOf: true,
+ maxLength: true,
+ minLength: true,
+ pattern: true,
+ format: true,
+ maxItems: true,
+ minItems: true,
+ uniqueItems: true,
+ maxProperties: true,
+ minProperties: true
+};
+
+
+function _traverse(opts, pre, post, schema, jsonPtr, rootSchema, parentJsonPtr, parentKeyword, parentSchema, keyIndex) {
+ if (schema && typeof schema == 'object' && !Array.isArray(schema)) {
+ pre(schema, jsonPtr, rootSchema, parentJsonPtr, parentKeyword, parentSchema, keyIndex);
+ for (var key in schema) {
+ var sch = schema[key];
+ if (Array.isArray(sch)) {
+ if (key in traverse.arrayKeywords) {
+ for (var i=0; i
+ // "Brother/33"
+ var links = schema.__linkTemplates;
+ if(!links){
+ links = {};
+ var schemaLinks = schema.links;
+ if(schemaLinks && schemaLinks instanceof Array){
+ schemaLinks.forEach(function(link){
+ /* // TODO: allow for multiple same-name relations
+ if(links[link.rel]){
+ if(!(links[link.rel] instanceof Array)){
+ links[link.rel] = [links[link.rel]];
+ }
+ }*/
+ links[link.rel] = link.href;
+ });
+ }
+ if(exports.cacheLinks){
+ schema.__linkTemplates = links;
+ }
+ }
+ var linkTemplate = links[relation];
+ return linkTemplate && exports.substitute(linkTemplate, instance);
+};
+
+exports.substitute = function(linkTemplate, instance){
+ return linkTemplate.replace(/\{([^\}]*)\}/g, function(t, property){
+ var value = instance[decodeURIComponent(property)];
+ if(value instanceof Array){
+ // the value is an array, it should produce a URI like /Table/(4,5,8) and store.get() should handle that as an array of values
+ return '(' + value.join(',') + ')';
+ }
+ return value;
+ });
+};
+return exports;
+}));
\ No newline at end of file
diff --git "a/\351\231\210\351\233\204\350\276\211/\350\277\231\346\230\257\344\270\200\344\270\252\345\260\217\347\210\254\350\231\253/node_modules/json-schema/lib/validate.js" "b/\351\231\210\351\233\204\350\276\211/\350\277\231\346\230\257\344\270\200\344\270\252\345\260\217\347\210\254\350\231\253/node_modules/json-schema/lib/validate.js"
new file mode 100644
index 0000000000000000000000000000000000000000..cace89e66dc892ffceef8823b6977ed1d50ee24a
--- /dev/null
+++ "b/\351\231\210\351\233\204\350\276\211/\350\277\231\346\230\257\344\270\200\344\270\252\345\260\217\347\210\254\350\231\253/node_modules/json-schema/lib/validate.js"
@@ -0,0 +1,271 @@
+/**
+ * JSONSchema Validator - Validates JavaScript objects using JSON Schemas
+ * (http://www.json.com/json-schema-proposal/)
+ * Licensed under AFL-2.1 OR BSD-3-Clause
+To use the validator call the validate function with an instance object and an optional schema object.
+If a schema is provided, it will be used to validate. If the instance object refers to a schema (self-validating),
+that schema will be used to validate and the schema parameter is not necessary (if both exist,
+both validations will occur).
+The validate method will return an array of validation errors. If there are no errors, then an
+empty list will be returned. A validation error will have two properties:
+"property" which indicates which property had the error
+"message" which indicates what the error was
+ */
+(function (root, factory) {
+ if (typeof define === 'function' && define.amd) {
+ // AMD. Register as an anonymous module.
+ define([], function () {
+ return factory();
+ });
+ } else if (typeof module === 'object' && module.exports) {
+ // Node. Does not work with strict CommonJS, but
+ // only CommonJS-like environments that support module.exports,
+ // like Node.
+ module.exports = factory();
+ } else {
+ // Browser globals
+ root.jsonSchema = factory();
+ }
+}(this, function () {// setup primitive classes to be JSON Schema types
+var exports = validate
+exports.Integer = {type:"integer"};
+var primitiveConstructors = {
+ String: String,
+ Boolean: Boolean,
+ Number: Number,
+ Object: Object,
+ Array: Array,
+ Date: Date
+}
+exports.validate = validate;
+function validate(/*Any*/instance,/*Object*/schema) {
+ // Summary:
+ // To use the validator call JSONSchema.validate with an instance object and an optional schema object.
+ // If a schema is provided, it will be used to validate. If the instance object refers to a schema (self-validating),
+ // that schema will be used to validate and the schema parameter is not necessary (if both exist,
+ // both validations will occur).
+ // The validate method will return an object with two properties:
+ // valid: A boolean indicating if the instance is valid by the schema
+ // errors: An array of validation errors. If there are no errors, then an
+ // empty list will be returned. A validation error will have two properties:
+ // property: which indicates which property had the error
+ // message: which indicates what the error was
+ //
+ return validate(instance, schema, {changing: false});//, coerce: false, existingOnly: false});
+ };
+exports.checkPropertyChange = function(/*Any*/value,/*Object*/schema, /*String*/property) {
+ // Summary:
+ // The checkPropertyChange method will check to see if an value can legally be in property with the given schema
+ // This is slightly different than the validate method in that it will fail if the schema is readonly and it will
+ // not check for self-validation, it is assumed that the passed in value is already internally valid.
+ // The checkPropertyChange method will return the same object type as validate, see JSONSchema.validate for
+ // information.
+ //
+ return validate(value, schema, {changing: property || "property"});
+ };
+var validate = exports._validate = function(/*Any*/instance,/*Object*/schema,/*Object*/options) {
+
+ if (!options) options = {};
+ var _changing = options.changing;
+
+ function getType(schema){
+ return schema.type || (primitiveConstructors[schema.name] == schema && schema.name.toLowerCase());
+ }
+ var errors = [];
+ // validate a value against a property definition
+ function checkProp(value, schema, path,i){
+
+ var l;
+ path += path ? typeof i == 'number' ? '[' + i + ']' : typeof i == 'undefined' ? '' : '.' + i : i;
+ function addError(message){
+ errors.push({property:path,message:message});
+ }
+
+ if((typeof schema != 'object' || schema instanceof Array) && (path || typeof schema != 'function') && !(schema && getType(schema))){
+ if(typeof schema == 'function'){
+ if(!(value instanceof schema)){
+ addError("is not an instance of the class/constructor " + schema.name);
+ }
+ }else if(schema){
+ addError("Invalid schema/property definition " + schema);
+ }
+ return null;
+ }
+ if(_changing && schema.readonly){
+ addError("is a readonly field, it can not be changed");
+ }
+ if(schema['extends']){ // if it extends another schema, it must pass that schema as well
+ checkProp(value,schema['extends'],path,i);
+ }
+ // validate a value against a type definition
+ function checkType(type,value){
+ if(type){
+ if(typeof type == 'string' && type != 'any' &&
+ (type == 'null' ? value !== null : typeof value != type) &&
+ !(value instanceof Array && type == 'array') &&
+ !(value instanceof Date && type == 'date') &&
+ !(type == 'integer' && value%1===0)){
+ return [{property:path,message:value + " - " + (typeof value) + " value found, but a " + type + " is required"}];
+ }
+ if(type instanceof Array){
+ var unionErrors=[];
+ for(var j = 0; j < type.length; j++){ // a union type
+ if(!(unionErrors=checkType(type[j],value)).length){
+ break;
+ }
+ }
+ if(unionErrors.length){
+ return unionErrors;
+ }
+ }else if(typeof type == 'object'){
+ var priorErrors = errors;
+ errors = [];
+ checkProp(value,type,path);
+ var theseErrors = errors;
+ errors = priorErrors;
+ return theseErrors;
+ }
+ }
+ return [];
+ }
+ if(value === undefined){
+ if(schema.required){
+ addError("is missing and it is required");
+ }
+ }else{
+ errors = errors.concat(checkType(getType(schema),value));
+ if(schema.disallow && !checkType(schema.disallow,value).length){
+ addError(" disallowed value was matched");
+ }
+ if(value !== null){
+ if(value instanceof Array){
+ if(schema.items){
+ var itemsIsArray = schema.items instanceof Array;
+ var propDef = schema.items;
+ for (i = 0, l = value.length; i < l; i += 1) {
+ if (itemsIsArray)
+ propDef = schema.items[i];
+ if (options.coerce)
+ value[i] = options.coerce(value[i], propDef);
+ errors.concat(checkProp(value[i],propDef,path,i));
+ }
+ }
+ if(schema.minItems && value.length < schema.minItems){
+ addError("There must be a minimum of " + schema.minItems + " in the array");
+ }
+ if(schema.maxItems && value.length > schema.maxItems){
+ addError("There must be a maximum of " + schema.maxItems + " in the array");
+ }
+ }else if(schema.properties || schema.additionalProperties){
+ errors.concat(checkObj(value, schema.properties, path, schema.additionalProperties));
+ }
+ if(schema.pattern && typeof value == 'string' && !value.match(schema.pattern)){
+ addError("does not match the regex pattern " + schema.pattern);
+ }
+ if(schema.maxLength && typeof value == 'string' && value.length > schema.maxLength){
+ addError("may only be " + schema.maxLength + " characters long");
+ }
+ if(schema.minLength && typeof value == 'string' && value.length < schema.minLength){
+ addError("must be at least " + schema.minLength + " characters long");
+ }
+ if(typeof schema.minimum !== 'undefined' && typeof value == typeof schema.minimum &&
+ schema.minimum > value){
+ addError("must have a minimum value of " + schema.minimum);
+ }
+ if(typeof schema.maximum !== 'undefined' && typeof value == typeof schema.maximum &&
+ schema.maximum < value){
+ addError("must have a maximum value of " + schema.maximum);
+ }
+ if(schema['enum']){
+ var enumer = schema['enum'];
+ l = enumer.length;
+ var found;
+ for(var j = 0; j < l; j++){
+ if(enumer[j]===value){
+ found=1;
+ break;
+ }
+ }
+ if(!found){
+ addError("does not have a value in the enumeration " + enumer.join(", "));
+ }
+ }
+ if(typeof schema.maxDecimal == 'number' &&
+ (value.toString().match(new RegExp("\\.[0-9]{" + (schema.maxDecimal + 1) + ",}")))){
+ addError("may only have " + schema.maxDecimal + " digits of decimal places");
+ }
+ }
+ }
+ return null;
+ }
+ // validate an object against a schema
+ function checkObj(instance,objTypeDef,path,additionalProp){
+
+ if(typeof objTypeDef =='object'){
+ if(typeof instance != 'object' || instance instanceof Array){
+ errors.push({property:path,message:"an object is required"});
+ }
+
+ for(var i in objTypeDef){
+ if(objTypeDef.hasOwnProperty(i) && i != '__proto__' && i != 'constructor'){
+ var value = instance.hasOwnProperty(i) ? instance[i] : undefined;
+ // skip _not_ specified properties
+ if (value === undefined && options.existingOnly) continue;
+ var propDef = objTypeDef[i];
+ // set default
+ if(value === undefined && propDef["default"]){
+ value = instance[i] = propDef["default"];
+ }
+ if(options.coerce && i in instance){
+ value = instance[i] = options.coerce(value, propDef);
+ }
+ checkProp(value,propDef,path,i);
+ }
+ }
+ }
+ for(i in instance){
+ if(instance.hasOwnProperty(i) && !(i.charAt(0) == '_' && i.charAt(1) == '_') && objTypeDef && !objTypeDef[i] && additionalProp===false){
+ if (options.filter) {
+ delete instance[i];
+ continue;
+ } else {
+ errors.push({property:path,message:"The property " + i +
+ " is not defined in the schema and the schema does not allow additional properties"});
+ }
+ }
+ var requires = objTypeDef && objTypeDef[i] && objTypeDef[i].requires;
+ if(requires && !(requires in instance)){
+ errors.push({property:path,message:"the presence of the property " + i + " requires that " + requires + " also be present"});
+ }
+ value = instance[i];
+ if(additionalProp && (!(objTypeDef && typeof objTypeDef == 'object') || !(i in objTypeDef))){
+ if(options.coerce){
+ value = instance[i] = options.coerce(value, additionalProp);
+ }
+ checkProp(value,additionalProp,path,i);
+ }
+ if(!_changing && value && value.$schema){
+ errors = errors.concat(checkProp(value,value.$schema,path,i));
+ }
+ }
+ return errors;
+ }
+ if(schema){
+ checkProp(instance,schema,'',_changing || '');
+ }
+ if(!_changing && instance && instance.$schema){
+ checkProp(instance,instance.$schema,'','');
+ }
+ return {valid:!errors.length,errors:errors};
+};
+exports.mustBeValid = function(result){
+ // summary:
+ // This checks to ensure that the result is valid and will throw an appropriate error message if it is not
+ // result: the result returned from checkPropertyChange or validate
+ if(!result.valid){
+ throw new TypeError(result.errors.map(function(error){return "for property " + error.property + ': ' + error.message;}).join(", \n"));
+ }
+}
+
+return exports;
+}));
diff --git "a/\351\231\210\351\233\204\350\276\211/\350\277\231\346\230\257\344\270\200\344\270\252\345\260\217\347\210\254\350\231\253/node_modules/json-schema/package.json" "b/\351\231\210\351\233\204\350\276\211/\350\277\231\346\230\257\344\270\200\344\270\252\345\260\217\347\210\254\350\231\253/node_modules/json-schema/package.json"
new file mode 100644
index 0000000000000000000000000000000000000000..8fd6bafc78ce79d9ff867ac9929ba38a290b4c34
--- /dev/null
+++ "b/\351\231\210\351\233\204\350\276\211/\350\277\231\346\230\257\344\270\200\344\270\252\345\260\217\347\210\254\350\231\253/node_modules/json-schema/package.json"
@@ -0,0 +1,65 @@
+{
+ "_from": "json-schema@0.4.0",
+ "_id": "json-schema@0.4.0",
+ "_inBundle": false,
+ "_integrity": "sha512-es94M3nTIfsEPisRafak+HDLfHXnKBhV3vU5eqPcS3flIWqcxJWgXHXiey3YrpaNsanY5ei1VoYEbOzijuq9BA==",
+ "_location": "/json-schema",
+ "_phantomChildren": {},
+ "_requested": {
+ "type": "version",
+ "registry": true,
+ "raw": "json-schema@0.4.0",
+ "name": "json-schema",
+ "escapedName": "json-schema",
+ "rawSpec": "0.4.0",
+ "saveSpec": null,
+ "fetchSpec": "0.4.0"
+ },
+ "_requiredBy": [
+ "/jsprim"
+ ],
+ "_resolved": "https://registry.npmjs.org/json-schema/-/json-schema-0.4.0.tgz",
+ "_shasum": "f7de4cf6efab838ebaeb3236474cbba5a1930ab5",
+ "_spec": "json-schema@0.4.0",
+ "_where": "C:\\Users\\Administrator\\Desktop\\这是一个小爬虫\\node_modules\\jsprim",
+ "author": {
+ "name": "Kris Zyp"
+ },
+ "bugs": {
+ "url": "https://github.com/kriszyp/json-schema/issues"
+ },
+ "bundleDependencies": false,
+ "deprecated": false,
+ "description": "JSON Schema validation and specifications",
+ "devDependencies": {
+ "vows": "*"
+ },
+ "directories": {
+ "lib": "./lib"
+ },
+ "files": [
+ "lib"
+ ],
+ "homepage": "https://github.com/kriszyp/json-schema#readme",
+ "keywords": [
+ "json",
+ "schema"
+ ],
+ "license": "(AFL-2.1 OR BSD-3-Clause)",
+ "main": "./lib/validate.js",
+ "maintainers": [
+ {
+ "name": "Kris Zyp",
+ "email": "kriszyp@gmail.com"
+ }
+ ],
+ "name": "json-schema",
+ "repository": {
+ "type": "git",
+ "url": "git+ssh://git@github.com/kriszyp/json-schema.git"
+ },
+ "scripts": {
+ "test": "vows --spec test/*.js"
+ },
+ "version": "0.4.0"
+}
diff --git "a/\351\231\210\351\233\204\350\276\211/\350\277\231\346\230\257\344\270\200\344\270\252\345\260\217\347\210\254\350\231\253/node_modules/json-stringify-safe/.npmignore" "b/\351\231\210\351\233\204\350\276\211/\350\277\231\346\230\257\344\270\200\344\270\252\345\260\217\347\210\254\350\231\253/node_modules/json-stringify-safe/.npmignore"
new file mode 100644
index 0000000000000000000000000000000000000000..17d6b3677f037e5749dcd01f9a197e64dc25e06a
--- /dev/null
+++ "b/\351\231\210\351\233\204\350\276\211/\350\277\231\346\230\257\344\270\200\344\270\252\345\260\217\347\210\254\350\231\253/node_modules/json-stringify-safe/.npmignore"
@@ -0,0 +1 @@
+/*.tgz
diff --git "a/\351\231\210\351\233\204\350\276\211/\350\277\231\346\230\257\344\270\200\344\270\252\345\260\217\347\210\254\350\231\253/node_modules/json-stringify-safe/CHANGELOG.md" "b/\351\231\210\351\233\204\350\276\211/\350\277\231\346\230\257\344\270\200\344\270\252\345\260\217\347\210\254\350\231\253/node_modules/json-stringify-safe/CHANGELOG.md"
new file mode 100644
index 0000000000000000000000000000000000000000..42bcb60af47a50b7ec47d899dbd522e4ed163772
--- /dev/null
+++ "b/\351\231\210\351\233\204\350\276\211/\350\277\231\346\230\257\344\270\200\344\270\252\345\260\217\347\210\254\350\231\253/node_modules/json-stringify-safe/CHANGELOG.md"
@@ -0,0 +1,14 @@
+## Unreleased
+- Fixes stringify to only take ancestors into account when checking
+ circularity.
+ It previously assumed every visited object was circular which led to [false
+ positives][issue9].
+ Uses the tiny serializer I wrote for [Must.js][must] a year and a half ago.
+- Fixes calling the `replacer` function in the proper context (`thisArg`).
+- Fixes calling the `cycleReplacer` function in the proper context (`thisArg`).
+- Speeds serializing by a factor of
+ Big-O(h-my-god-it-linearly-searched-every-object) it had ever seen. Searching
+ only the ancestors for a circular references speeds up things considerably.
+
+[must]: https://github.com/moll/js-must
+[issue9]: https://github.com/isaacs/json-stringify-safe/issues/9
diff --git "a/\351\231\210\351\233\204\350\276\211/\350\277\231\346\230\257\344\270\200\344\270\252\345\260\217\347\210\254\350\231\253/node_modules/json-stringify-safe/LICENSE" "b/\351\231\210\351\233\204\350\276\211/\350\277\231\346\230\257\344\270\200\344\270\252\345\260\217\347\210\254\350\231\253/node_modules/json-stringify-safe/LICENSE"
new file mode 100644
index 0000000000000000000000000000000000000000..19129e315fe593965a2fdd50ec0d1253bcbd2ece
--- /dev/null
+++ "b/\351\231\210\351\233\204\350\276\211/\350\277\231\346\230\257\344\270\200\344\270\252\345\260\217\347\210\254\350\231\253/node_modules/json-stringify-safe/LICENSE"
@@ -0,0 +1,15 @@
+The ISC License
+
+Copyright (c) Isaac Z. Schlueter and Contributors
+
+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/\351\231\210\351\233\204\350\276\211/\350\277\231\346\230\257\344\270\200\344\270\252\345\260\217\347\210\254\350\231\253/node_modules/json-stringify-safe/Makefile" "b/\351\231\210\351\233\204\350\276\211/\350\277\231\346\230\257\344\270\200\344\270\252\345\260\217\347\210\254\350\231\253/node_modules/json-stringify-safe/Makefile"
new file mode 100644
index 0000000000000000000000000000000000000000..36088c723a3b3f96e449136639da88e43cd716dd
--- /dev/null
+++ "b/\351\231\210\351\233\204\350\276\211/\350\277\231\346\230\257\344\270\200\344\270\252\345\260\217\347\210\254\350\231\253/node_modules/json-stringify-safe/Makefile"
@@ -0,0 +1,35 @@
+NODE_OPTS =
+TEST_OPTS =
+
+love:
+ @echo "Feel like makin' love."
+
+test:
+ @node $(NODE_OPTS) ./node_modules/.bin/_mocha -R dot $(TEST_OPTS)
+
+spec:
+ @node $(NODE_OPTS) ./node_modules/.bin/_mocha -R spec $(TEST_OPTS)
+
+autotest:
+ @node $(NODE_OPTS) ./node_modules/.bin/_mocha -R dot --watch $(TEST_OPTS)
+
+autospec:
+ @node $(NODE_OPTS) ./node_modules/.bin/_mocha -R spec --watch $(TEST_OPTS)
+
+pack:
+ @file=$$(npm pack); echo "$$file"; tar tf "$$file"
+
+publish:
+ npm publish
+
+tag:
+ git tag "v$$(node -e 'console.log(require("./package").version)')"
+
+clean:
+ rm -f *.tgz
+ npm prune --production
+
+.PHONY: love
+.PHONY: test spec autotest autospec
+.PHONY: pack publish tag
+.PHONY: clean
diff --git "a/\351\231\210\351\233\204\350\276\211/\350\277\231\346\230\257\344\270\200\344\270\252\345\260\217\347\210\254\350\231\253/node_modules/json-stringify-safe/README.md" "b/\351\231\210\351\233\204\350\276\211/\350\277\231\346\230\257\344\270\200\344\270\252\345\260\217\347\210\254\350\231\253/node_modules/json-stringify-safe/README.md"
new file mode 100644
index 0000000000000000000000000000000000000000..a11f302a33070c667396a5119a4c42bebada6a32
--- /dev/null
+++ "b/\351\231\210\351\233\204\350\276\211/\350\277\231\346\230\257\344\270\200\344\270\252\345\260\217\347\210\254\350\231\253/node_modules/json-stringify-safe/README.md"
@@ -0,0 +1,52 @@
+# json-stringify-safe
+
+Like JSON.stringify, but doesn't throw on circular references.
+
+## Usage
+
+Takes the same arguments as `JSON.stringify`.
+
+```javascript
+var stringify = require('json-stringify-safe');
+var circularObj = {};
+circularObj.circularRef = circularObj;
+circularObj.list = [ circularObj, circularObj ];
+console.log(stringify(circularObj, null, 2));
+```
+
+Output:
+
+```json
+{
+ "circularRef": "[Circular]",
+ "list": [
+ "[Circular]",
+ "[Circular]"
+ ]
+}
+```
+
+## Details
+
+```
+stringify(obj, serializer, indent, decycler)
+```
+
+The first three arguments are the same as to JSON.stringify. The last
+is an argument that's only used when the object has been seen already.
+
+The default `decycler` function returns the string `'[Circular]'`.
+If, for example, you pass in `function(k,v){}` (return nothing) then it
+will prune cycles. If you pass in `function(k,v){ return {foo: 'bar'}}`,
+then cyclical objects will always be represented as `{"foo":"bar"}` in
+the result.
+
+```
+stringify.getSerialize(serializer, decycler)
+```
+
+Returns a serializer that can be used elsewhere. This is the actual
+function that's passed to JSON.stringify.
+
+**Note** that the function returned from `getSerialize` is stateful for now, so
+do **not** use it more than once.
diff --git "a/\351\231\210\351\233\204\350\276\211/\350\277\231\346\230\257\344\270\200\344\270\252\345\260\217\347\210\254\350\231\253/node_modules/json-stringify-safe/package.json" "b/\351\231\210\351\233\204\350\276\211/\350\277\231\346\230\257\344\270\200\344\270\252\345\260\217\347\210\254\350\231\253/node_modules/json-stringify-safe/package.json"
new file mode 100644
index 0000000000000000000000000000000000000000..0ad34f5aac035d8a9992ec4dac3b71f32ef6980d
--- /dev/null
+++ "b/\351\231\210\351\233\204\350\276\211/\350\277\231\346\230\257\344\270\200\344\270\252\345\260\217\347\210\254\350\231\253/node_modules/json-stringify-safe/package.json"
@@ -0,0 +1,66 @@
+{
+ "_from": "json-stringify-safe@~5.0.1",
+ "_id": "json-stringify-safe@5.0.1",
+ "_inBundle": false,
+ "_integrity": "sha1-Epai1Y/UXxmg9s4B1lcB4sc1tus=",
+ "_location": "/json-stringify-safe",
+ "_phantomChildren": {},
+ "_requested": {
+ "type": "range",
+ "registry": true,
+ "raw": "json-stringify-safe@~5.0.1",
+ "name": "json-stringify-safe",
+ "escapedName": "json-stringify-safe",
+ "rawSpec": "~5.0.1",
+ "saveSpec": null,
+ "fetchSpec": "~5.0.1"
+ },
+ "_requiredBy": [
+ "/request"
+ ],
+ "_resolved": "https://registry.npmjs.org/json-stringify-safe/-/json-stringify-safe-5.0.1.tgz",
+ "_shasum": "1296a2d58fd45f19a0f6ce01d65701e2c735b6eb",
+ "_spec": "json-stringify-safe@~5.0.1",
+ "_where": "C:\\Users\\Administrator\\Desktop\\这是一个小爬虫\\node_modules\\request",
+ "author": {
+ "name": "Isaac Z. Schlueter",
+ "email": "i@izs.me",
+ "url": "http://blog.izs.me"
+ },
+ "bugs": {
+ "url": "https://github.com/isaacs/json-stringify-safe/issues"
+ },
+ "bundleDependencies": false,
+ "contributors": [
+ {
+ "name": "Andri Möll",
+ "email": "andri@dot.ee",
+ "url": "http://themoll.com"
+ }
+ ],
+ "deprecated": false,
+ "description": "Like JSON.stringify, but doesn't blow up on circular refs.",
+ "devDependencies": {
+ "mocha": ">= 2.1.0 < 3",
+ "must": ">= 0.12 < 0.13",
+ "sinon": ">= 1.12.2 < 2"
+ },
+ "homepage": "https://github.com/isaacs/json-stringify-safe",
+ "keywords": [
+ "json",
+ "stringify",
+ "circular",
+ "safe"
+ ],
+ "license": "ISC",
+ "main": "stringify.js",
+ "name": "json-stringify-safe",
+ "repository": {
+ "type": "git",
+ "url": "git://github.com/isaacs/json-stringify-safe.git"
+ },
+ "scripts": {
+ "test": "node test.js"
+ },
+ "version": "5.0.1"
+}
diff --git "a/\351\231\210\351\233\204\350\276\211/\350\277\231\346\230\257\344\270\200\344\270\252\345\260\217\347\210\254\350\231\253/node_modules/json-stringify-safe/stringify.js" "b/\351\231\210\351\233\204\350\276\211/\350\277\231\346\230\257\344\270\200\344\270\252\345\260\217\347\210\254\350\231\253/node_modules/json-stringify-safe/stringify.js"
new file mode 100644
index 0000000000000000000000000000000000000000..124a452181a4e2e87321b6600ab2129f182d262c
--- /dev/null
+++ "b/\351\231\210\351\233\204\350\276\211/\350\277\231\346\230\257\344\270\200\344\270\252\345\260\217\347\210\254\350\231\253/node_modules/json-stringify-safe/stringify.js"
@@ -0,0 +1,27 @@
+exports = module.exports = stringify
+exports.getSerialize = serializer
+
+function stringify(obj, replacer, spaces, cycleReplacer) {
+ return JSON.stringify(obj, serializer(replacer, cycleReplacer), spaces)
+}
+
+function serializer(replacer, cycleReplacer) {
+ var stack = [], keys = []
+
+ if (cycleReplacer == null) cycleReplacer = function(key, value) {
+ if (stack[0] === value) return "[Circular ~]"
+ return "[Circular ~." + keys.slice(0, stack.indexOf(value)).join(".") + "]"
+ }
+
+ return function(key, value) {
+ if (stack.length > 0) {
+ var thisPos = stack.indexOf(this)
+ ~thisPos ? stack.splice(thisPos + 1) : stack.push(this)
+ ~thisPos ? keys.splice(thisPos, Infinity, key) : keys.push(key)
+ if (~stack.indexOf(value)) value = cycleReplacer.call(this, key, value)
+ }
+ else stack.push(value)
+
+ return replacer == null ? value : replacer.call(this, key, value)
+ }
+}
diff --git "a/\351\231\210\351\233\204\350\276\211/\350\277\231\346\230\257\344\270\200\344\270\252\345\260\217\347\210\254\350\231\253/node_modules/json-stringify-safe/test/mocha.opts" "b/\351\231\210\351\233\204\350\276\211/\350\277\231\346\230\257\344\270\200\344\270\252\345\260\217\347\210\254\350\231\253/node_modules/json-stringify-safe/test/mocha.opts"
new file mode 100644
index 0000000000000000000000000000000000000000..2544e5861e4ff9f75ace55c1e353916ad3a2146a
--- /dev/null
+++ "b/\351\231\210\351\233\204\350\276\211/\350\277\231\346\230\257\344\270\200\344\270\252\345\260\217\347\210\254\350\231\253/node_modules/json-stringify-safe/test/mocha.opts"
@@ -0,0 +1,2 @@
+--recursive
+--require must
diff --git "a/\351\231\210\351\233\204\350\276\211/\350\277\231\346\230\257\344\270\200\344\270\252\345\260\217\347\210\254\350\231\253/node_modules/json-stringify-safe/test/stringify_test.js" "b/\351\231\210\351\233\204\350\276\211/\350\277\231\346\230\257\344\270\200\344\270\252\345\260\217\347\210\254\350\231\253/node_modules/json-stringify-safe/test/stringify_test.js"
new file mode 100644
index 0000000000000000000000000000000000000000..5b3258317687c9b23af0e421b42dd7c54083372e
--- /dev/null
+++ "b/\351\231\210\351\233\204\350\276\211/\350\277\231\346\230\257\344\270\200\344\270\252\345\260\217\347\210\254\350\231\253/node_modules/json-stringify-safe/test/stringify_test.js"
@@ -0,0 +1,246 @@
+var Sinon = require("sinon")
+var stringify = require("..")
+function jsonify(obj) { return JSON.stringify(obj, null, 2) }
+
+describe("Stringify", function() {
+ it("must stringify circular objects", function() {
+ var obj = {name: "Alice"}
+ obj.self = obj
+ var json = stringify(obj, null, 2)
+ json.must.eql(jsonify({name: "Alice", self: "[Circular ~]"}))
+ })
+
+ it("must stringify circular objects with intermediaries", function() {
+ var obj = {name: "Alice"}
+ obj.identity = {self: obj}
+ var json = stringify(obj, null, 2)
+ json.must.eql(jsonify({name: "Alice", identity: {self: "[Circular ~]"}}))
+ })
+
+ it("must stringify circular objects deeper", function() {
+ var obj = {name: "Alice", child: {name: "Bob"}}
+ obj.child.self = obj.child
+
+ stringify(obj, null, 2).must.eql(jsonify({
+ name: "Alice",
+ child: {name: "Bob", self: "[Circular ~.child]"}
+ }))
+ })
+
+ it("must stringify circular objects deeper with intermediaries", function() {
+ var obj = {name: "Alice", child: {name: "Bob"}}
+ obj.child.identity = {self: obj.child}
+
+ stringify(obj, null, 2).must.eql(jsonify({
+ name: "Alice",
+ child: {name: "Bob", identity: {self: "[Circular ~.child]"}}
+ }))
+ })
+
+ it("must stringify circular objects in an array", function() {
+ var obj = {name: "Alice"}
+ obj.self = [obj, obj]
+
+ stringify(obj, null, 2).must.eql(jsonify({
+ name: "Alice", self: ["[Circular ~]", "[Circular ~]"]
+ }))
+ })
+
+ it("must stringify circular objects deeper in an array", function() {
+ var obj = {name: "Alice", children: [{name: "Bob"}, {name: "Eve"}]}
+ obj.children[0].self = obj.children[0]
+ obj.children[1].self = obj.children[1]
+
+ stringify(obj, null, 2).must.eql(jsonify({
+ name: "Alice",
+ children: [
+ {name: "Bob", self: "[Circular ~.children.0]"},
+ {name: "Eve", self: "[Circular ~.children.1]"}
+ ]
+ }))
+ })
+
+ it("must stringify circular arrays", function() {
+ var obj = []
+ obj.push(obj)
+ obj.push(obj)
+ var json = stringify(obj, null, 2)
+ json.must.eql(jsonify(["[Circular ~]", "[Circular ~]"]))
+ })
+
+ it("must stringify circular arrays with intermediaries", function() {
+ var obj = []
+ obj.push({name: "Alice", self: obj})
+ obj.push({name: "Bob", self: obj})
+
+ stringify(obj, null, 2).must.eql(jsonify([
+ {name: "Alice", self: "[Circular ~]"},
+ {name: "Bob", self: "[Circular ~]"}
+ ]))
+ })
+
+ it("must stringify repeated objects in objects", function() {
+ var obj = {}
+ var alice = {name: "Alice"}
+ obj.alice1 = alice
+ obj.alice2 = alice
+
+ stringify(obj, null, 2).must.eql(jsonify({
+ alice1: {name: "Alice"},
+ alice2: {name: "Alice"}
+ }))
+ })
+
+ it("must stringify repeated objects in arrays", function() {
+ var alice = {name: "Alice"}
+ var obj = [alice, alice]
+ var json = stringify(obj, null, 2)
+ json.must.eql(jsonify([{name: "Alice"}, {name: "Alice"}]))
+ })
+
+ it("must call given decycler and use its output", function() {
+ var obj = {}
+ obj.a = obj
+ obj.b = obj
+
+ var decycle = Sinon.spy(function() { return decycle.callCount })
+ var json = stringify(obj, null, 2, decycle)
+ json.must.eql(jsonify({a: 1, b: 2}, null, 2))
+
+ decycle.callCount.must.equal(2)
+ decycle.thisValues[0].must.equal(obj)
+ decycle.args[0][0].must.equal("a")
+ decycle.args[0][1].must.equal(obj)
+ decycle.thisValues[1].must.equal(obj)
+ decycle.args[1][0].must.equal("b")
+ decycle.args[1][1].must.equal(obj)
+ })
+
+ it("must call replacer and use its output", function() {
+ var obj = {name: "Alice", child: {name: "Bob"}}
+
+ var replacer = Sinon.spy(bangString)
+ var json = stringify(obj, replacer, 2)
+ json.must.eql(jsonify({name: "Alice!", child: {name: "Bob!"}}))
+
+ replacer.callCount.must.equal(4)
+ replacer.args[0][0].must.equal("")
+ replacer.args[0][1].must.equal(obj)
+ replacer.thisValues[1].must.equal(obj)
+ replacer.args[1][0].must.equal("name")
+ replacer.args[1][1].must.equal("Alice")
+ replacer.thisValues[2].must.equal(obj)
+ replacer.args[2][0].must.equal("child")
+ replacer.args[2][1].must.equal(obj.child)
+ replacer.thisValues[3].must.equal(obj.child)
+ replacer.args[3][0].must.equal("name")
+ replacer.args[3][1].must.equal("Bob")
+ })
+
+ it("must call replacer after describing circular references", function() {
+ var obj = {name: "Alice"}
+ obj.self = obj
+
+ var replacer = Sinon.spy(bangString)
+ var json = stringify(obj, replacer, 2)
+ json.must.eql(jsonify({name: "Alice!", self: "[Circular ~]!"}))
+
+ replacer.callCount.must.equal(3)
+ replacer.args[0][0].must.equal("")
+ replacer.args[0][1].must.equal(obj)
+ replacer.thisValues[1].must.equal(obj)
+ replacer.args[1][0].must.equal("name")
+ replacer.args[1][1].must.equal("Alice")
+ replacer.thisValues[2].must.equal(obj)
+ replacer.args[2][0].must.equal("self")
+ replacer.args[2][1].must.equal("[Circular ~]")
+ })
+
+ it("must call given decycler and use its output for nested objects",
+ function() {
+ var obj = {}
+ obj.a = obj
+ obj.b = {self: obj}
+
+ var decycle = Sinon.spy(function() { return decycle.callCount })
+ var json = stringify(obj, null, 2, decycle)
+ json.must.eql(jsonify({a: 1, b: {self: 2}}))
+
+ decycle.callCount.must.equal(2)
+ decycle.args[0][0].must.equal("a")
+ decycle.args[0][1].must.equal(obj)
+ decycle.args[1][0].must.equal("self")
+ decycle.args[1][1].must.equal(obj)
+ })
+
+ it("must use decycler's output when it returned null", function() {
+ var obj = {a: "b"}
+ obj.self = obj
+ obj.selves = [obj, obj]
+
+ function decycle() { return null }
+ stringify(obj, null, 2, decycle).must.eql(jsonify({
+ a: "b",
+ self: null,
+ selves: [null, null]
+ }))
+ })
+
+ it("must use decycler's output when it returned undefined", function() {
+ var obj = {a: "b"}
+ obj.self = obj
+ obj.selves = [obj, obj]
+
+ function decycle() {}
+ stringify(obj, null, 2, decycle).must.eql(jsonify({
+ a: "b",
+ selves: [null, null]
+ }))
+ })
+
+ it("must throw given a decycler that returns a cycle", function() {
+ var obj = {}
+ obj.self = obj
+ var err
+ function identity(key, value) { return value }
+ try { stringify(obj, null, 2, identity) } catch (ex) { err = ex }
+ err.must.be.an.instanceof(TypeError)
+ })
+
+ describe(".getSerialize", function() {
+ it("must stringify circular objects", function() {
+ var obj = {a: "b"}
+ obj.circularRef = obj
+ obj.list = [obj, obj]
+
+ var json = JSON.stringify(obj, stringify.getSerialize(), 2)
+ json.must.eql(jsonify({
+ "a": "b",
+ "circularRef": "[Circular ~]",
+ "list": ["[Circular ~]", "[Circular ~]"]
+ }))
+ })
+
+ // This is the behavior as of Mar 3, 2015.
+ // The serializer function keeps state inside the returned function and
+ // so far I'm not sure how to not do that. JSON.stringify's replacer is not
+ // called _after_ serialization.
+ xit("must return a function that could be called twice", function() {
+ var obj = {name: "Alice"}
+ obj.self = obj
+
+ var json
+ var serializer = stringify.getSerialize()
+
+ json = JSON.stringify(obj, serializer, 2)
+ json.must.eql(jsonify({name: "Alice", self: "[Circular ~]"}))
+
+ json = JSON.stringify(obj, serializer, 2)
+ json.must.eql(jsonify({name: "Alice", self: "[Circular ~]"}))
+ })
+ })
+})
+
+function bangString(key, value) {
+ return typeof value == "string" ? value + "!" : value
+}
diff --git "a/\351\231\210\351\233\204\350\276\211/\350\277\231\346\230\257\344\270\200\344\270\252\345\260\217\347\210\254\350\231\253/node_modules/jsprim/CHANGES.md" "b/\351\231\210\351\233\204\350\276\211/\350\277\231\346\230\257\344\270\200\344\270\252\345\260\217\347\210\254\350\231\253/node_modules/jsprim/CHANGES.md"
new file mode 100644
index 0000000000000000000000000000000000000000..0e51ff2b1dfd65b53f678b446f03755ec34537cf
--- /dev/null
+++ "b/\351\231\210\351\233\204\350\276\211/\350\277\231\346\230\257\344\270\200\344\270\252\345\260\217\347\210\254\350\231\253/node_modules/jsprim/CHANGES.md"
@@ -0,0 +1,53 @@
+# Changelog
+
+## not yet released
+
+None yet.
+
+## v1.4.2 (2021-11-29)
+
+* #35 Backport json-schema 0.4.0 to version 1.4.x
+
+## v1.4.1 (2017-08-02)
+
+* #21 Update verror dep
+* #22 Update extsprintf dependency
+* #23 update contribution guidelines
+
+## v1.4.0 (2017-03-13)
+
+* #7 Add parseInteger() function for safer number parsing
+
+## v1.3.1 (2016-09-12)
+
+* #13 Incompatible with webpack
+
+## v1.3.0 (2016-06-22)
+
+* #14 add safer version of hasOwnProperty()
+* #15 forEachKey() should ignore inherited properties
+
+## v1.2.2 (2015-10-15)
+
+* #11 NPM package shouldn't include any code that does `require('JSV')`
+* #12 jsl.node.conf missing definition for "module"
+
+## v1.2.1 (2015-10-14)
+
+* #8 odd date parsing behaviour
+
+## v1.2.0 (2015-10-13)
+
+* #9 want function for returning RFC1123 dates
+
+## v1.1.0 (2015-09-02)
+
+* #6 a new suite of hrtime manipulation routines: `hrtimeAdd()`,
+ `hrtimeAccum()`, `hrtimeNanosec()`, `hrtimeMicrosec()` and
+ `hrtimeMillisec()`.
+
+## v1.0.0 (2015-09-01)
+
+First tracked release. Includes everything in previous releases, plus:
+
+* #4 want function for merging objects
diff --git "a/\351\231\210\351\233\204\350\276\211/\350\277\231\346\230\257\344\270\200\344\270\252\345\260\217\347\210\254\350\231\253/node_modules/jsprim/CONTRIBUTING.md" "b/\351\231\210\351\233\204\350\276\211/\350\277\231\346\230\257\344\270\200\344\270\252\345\260\217\347\210\254\350\231\253/node_modules/jsprim/CONTRIBUTING.md"
new file mode 100644
index 0000000000000000000000000000000000000000..750cef8dfd54a6aa2ad4a8e6507be9525947a126
--- /dev/null
+++ "b/\351\231\210\351\233\204\350\276\211/\350\277\231\346\230\257\344\270\200\344\270\252\345\260\217\347\210\254\350\231\253/node_modules/jsprim/CONTRIBUTING.md"
@@ -0,0 +1,19 @@
+# Contributing
+
+This repository uses [cr.joyent.us](https://cr.joyent.us) (Gerrit) for new
+changes. Anyone can submit changes. To get started, see the [cr.joyent.us user
+guide](https://github.com/joyent/joyent-gerrit/blob/master/docs/user/README.md).
+This repo does not use GitHub pull requests.
+
+See the [Joyent Engineering
+Guidelines](https://github.com/joyent/eng/blob/master/docs/index.md) for general
+best practices expected in this repository.
+
+Contributions should be "make prepush" clean. The "prepush" target runs the
+"check" target, which requires these separate tools:
+
+* https://github.com/davepacheco/jsstyle
+* https://github.com/davepacheco/javascriptlint
+
+If you're changing something non-trivial or user-facing, you may want to submit
+an issue first.
diff --git "a/\351\231\210\351\233\204\350\276\211/\350\277\231\346\230\257\344\270\200\344\270\252\345\260\217\347\210\254\350\231\253/node_modules/jsprim/LICENSE" "b/\351\231\210\351\233\204\350\276\211/\350\277\231\346\230\257\344\270\200\344\270\252\345\260\217\347\210\254\350\231\253/node_modules/jsprim/LICENSE"
new file mode 100644
index 0000000000000000000000000000000000000000..cbc0bb3ba3b0629c66c042111fe01c664a6f812f
--- /dev/null
+++ "b/\351\231\210\351\233\204\350\276\211/\350\277\231\346\230\257\344\270\200\344\270\252\345\260\217\347\210\254\350\231\253/node_modules/jsprim/LICENSE"
@@ -0,0 +1,19 @@
+Copyright (c) 2012, Joyent, Inc. All rights reserved.
+
+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/\351\231\210\351\233\204\350\276\211/\350\277\231\346\230\257\344\270\200\344\270\252\345\260\217\347\210\254\350\231\253/node_modules/jsprim/README.md" "b/\351\231\210\351\233\204\350\276\211/\350\277\231\346\230\257\344\270\200\344\270\252\345\260\217\347\210\254\350\231\253/node_modules/jsprim/README.md"
new file mode 100644
index 0000000000000000000000000000000000000000..b3f28a46c9d7f2ea538b9142200f5f3cf6c60956
--- /dev/null
+++ "b/\351\231\210\351\233\204\350\276\211/\350\277\231\346\230\257\344\270\200\344\270\252\345\260\217\347\210\254\350\231\253/node_modules/jsprim/README.md"
@@ -0,0 +1,287 @@
+# jsprim: utilities for primitive JavaScript types
+
+This module provides miscellaneous facilities for working with strings,
+numbers, dates, and objects and arrays of these basic types.
+
+
+### deepCopy(obj)
+
+Creates a deep copy of a primitive type, object, or array of primitive types.
+
+
+### deepEqual(obj1, obj2)
+
+Returns whether two objects are equal.
+
+
+### isEmpty(obj)
+
+Returns true if the given object has no properties and false otherwise. This
+is O(1) (unlike `Object.keys(obj).length === 0`, which is O(N)).
+
+### hasKey(obj, key)
+
+Returns true if the given object has an enumerable, non-inherited property
+called `key`. [For information on enumerability and ownership of properties, see
+the MDN
+documentation.](https://developer.mozilla.org/en-US/docs/Web/JavaScript/Enumerability_and_ownership_of_properties)
+
+### forEachKey(obj, callback)
+
+Like Array.forEach, but iterates enumerable, owned properties of an object
+rather than elements of an array. Equivalent to:
+
+ for (var key in obj) {
+ if (Object.prototype.hasOwnProperty.call(obj, key)) {
+ callback(key, obj[key]);
+ }
+ }
+
+
+### flattenObject(obj, depth)
+
+Flattens an object up to a given level of nesting, returning an array of arrays
+of length "depth + 1", where the first "depth" elements correspond to flattened
+columns and the last element contains the remaining object . For example:
+
+ flattenObject({
+ 'I': {
+ 'A': {
+ 'i': {
+ 'datum1': [ 1, 2 ],
+ 'datum2': [ 3, 4 ]
+ },
+ 'ii': {
+ 'datum1': [ 3, 4 ]
+ }
+ },
+ 'B': {
+ 'i': {
+ 'datum1': [ 5, 6 ]
+ },
+ 'ii': {
+ 'datum1': [ 7, 8 ],
+ 'datum2': [ 3, 4 ],
+ },
+ 'iii': {
+ }
+ }
+ },
+ 'II': {
+ 'A': {
+ 'i': {
+ 'datum1': [ 1, 2 ],
+ 'datum2': [ 3, 4 ]
+ }
+ }
+ }
+ }, 3)
+
+becomes:
+
+ [
+ [ 'I', 'A', 'i', { 'datum1': [ 1, 2 ], 'datum2': [ 3, 4 ] } ],
+ [ 'I', 'A', 'ii', { 'datum1': [ 3, 4 ] } ],
+ [ 'I', 'B', 'i', { 'datum1': [ 5, 6 ] } ],
+ [ 'I', 'B', 'ii', { 'datum1': [ 7, 8 ], 'datum2': [ 3, 4 ] } ],
+ [ 'I', 'B', 'iii', {} ],
+ [ 'II', 'A', 'i', { 'datum1': [ 1, 2 ], 'datum2': [ 3, 4 ] } ]
+ ]
+
+This function is strict: "depth" must be a non-negative integer and "obj" must
+be a non-null object with at least "depth" levels of nesting under all keys.
+
+
+### flattenIter(obj, depth, func)
+
+This is similar to `flattenObject` except that instead of returning an array,
+this function invokes `func(entry)` for each `entry` in the array that
+`flattenObject` would return. `flattenIter(obj, depth, func)` is logically
+equivalent to `flattenObject(obj, depth).forEach(func)`. Importantly, this
+version never constructs the full array. Its memory usage is O(depth) rather
+than O(n) (where `n` is the number of flattened elements).
+
+There's another difference between `flattenObject` and `flattenIter` that's
+related to the special case where `depth === 0`. In this case, `flattenObject`
+omits the array wrapping `obj` (which is regrettable).
+
+
+### pluck(obj, key)
+
+Fetch nested property "key" from object "obj", traversing objects as needed.
+For example, `pluck(obj, "foo.bar.baz")` is roughly equivalent to
+`obj.foo.bar.baz`, except that:
+
+1. If traversal fails, the resulting value is undefined, and no error is
+ thrown. For example, `pluck({}, "foo.bar")` is just undefined.
+2. If "obj" has property "key" directly (without traversing), the
+ corresponding property is returned. For example,
+ `pluck({ 'foo.bar': 1 }, 'foo.bar')` is 1, not undefined. This is also
+ true recursively, so `pluck({ 'a': { 'foo.bar': 1 } }, 'a.foo.bar')` is
+ also 1, not undefined.
+
+
+### randElt(array)
+
+Returns an element from "array" selected uniformly at random. If "array" is
+empty, throws an Error.
+
+
+### startsWith(str, prefix)
+
+Returns true if the given string starts with the given prefix and false
+otherwise.
+
+
+### endsWith(str, suffix)
+
+Returns true if the given string ends with the given suffix and false
+otherwise.
+
+
+### parseInteger(str, options)
+
+Parses the contents of `str` (a string) as an integer. On success, the integer
+value is returned (as a number). On failure, an error is **returned** describing
+why parsing failed.
+
+By default, leading and trailing whitespace characters are not allowed, nor are
+trailing characters that are not part of the numeric representation. This
+behaviour can be toggled by using the options below. The empty string (`''`) is
+not considered valid input. If the return value cannot be precisely represented
+as a number (i.e., is smaller than `Number.MIN_SAFE_INTEGER` or larger than
+`Number.MAX_SAFE_INTEGER`), an error is returned. Additionally, the string
+`'-0'` will be parsed as the integer `0`, instead of as the IEEE floating point
+value `-0`.
+
+This function accepts both upper and lowercase characters for digits, similar to
+`parseInt()`, `Number()`, and [strtol(3C)](https://illumos.org/man/3C/strtol).
+
+The following may be specified in `options`:
+
+Option | Type | Default | Meaning
+------------------ | ------- | ------- | ---------------------------
+base | number | 10 | numeric base (radix) to use, in the range 2 to 36
+allowSign | boolean | true | whether to interpret any leading `+` (positive) and `-` (negative) characters
+allowImprecise | boolean | false | whether to accept values that may have lost precision (past `MAX_SAFE_INTEGER` or below `MIN_SAFE_INTEGER`)
+allowPrefix | boolean | false | whether to interpret the prefixes `0b` (base 2), `0o` (base 8), `0t` (base 10), or `0x` (base 16)
+allowTrailing | boolean | false | whether to ignore trailing characters
+trimWhitespace | boolean | false | whether to trim any leading or trailing whitespace/line terminators
+leadingZeroIsOctal | boolean | false | whether a leading zero indicates octal
+
+Note that if `base` is unspecified, and `allowPrefix` or `leadingZeroIsOctal`
+are, then the leading characters can change the default base from 10. If `base`
+is explicitly specified and `allowPrefix` is true, then the prefix will only be
+accepted if it matches the specified base. `base` and `leadingZeroIsOctal`
+cannot be used together.
+
+**Context:** It's tricky to parse integers with JavaScript's built-in facilities
+for several reasons:
+
+- `parseInt()` and `Number()` by default allow the base to be specified in the
+ input string by a prefix (e.g., `0x` for hex).
+- `parseInt()` allows trailing nonnumeric characters.
+- `Number(str)` returns 0 when `str` is the empty string (`''`).
+- Both functions return incorrect values when the input string represents a
+ valid integer outside the range of integers that can be represented precisely.
+ Specifically, `parseInt('9007199254740993')` returns 9007199254740992.
+- Both functions always accept `-` and `+` signs before the digit.
+- Some older JavaScript engines always interpret a leading 0 as indicating
+ octal, which can be surprising when parsing input from users who expect a
+ leading zero to be insignificant.
+
+While each of these may be desirable in some contexts, there are also times when
+none of them are wanted. `parseInteger()` grants greater control over what
+input's permissible.
+
+### iso8601(date)
+
+Converts a Date object to an ISO8601 date string of the form
+"YYYY-MM-DDTHH:MM:SS.sssZ". This format is not customizable.
+
+
+### parseDateTime(str)
+
+Parses a date expressed as a string, as either a number of milliseconds since
+the epoch or any string format that Date accepts, giving preference to the
+former where these two sets overlap (e.g., strings containing small numbers).
+
+
+### hrtimeDiff(timeA, timeB)
+
+Given two hrtime readings (as from Node's `process.hrtime()`), where timeA is
+later than timeB, compute the difference and return that as an hrtime. It is
+illegal to invoke this for a pair of times where timeB is newer than timeA.
+
+### hrtimeAdd(timeA, timeB)
+
+Add two hrtime intervals (as from Node's `process.hrtime()`), returning a new
+hrtime interval array. This function does not modify either input argument.
+
+
+### hrtimeAccum(timeA, timeB)
+
+Add two hrtime intervals (as from Node's `process.hrtime()`), storing the
+result in `timeA`. This function overwrites (and returns) the first argument
+passed in.
+
+
+### hrtimeNanosec(timeA), hrtimeMicrosec(timeA), hrtimeMillisec(timeA)
+
+This suite of functions converts a hrtime interval (as from Node's
+`process.hrtime()`) into a scalar number of nanoseconds, microseconds or
+milliseconds. Results are truncated, as with `Math.floor()`.
+
+
+### validateJsonObject(schema, object)
+
+Uses JSON validation (via JSV) to validate the given object against the given
+schema. On success, returns null. On failure, *returns* (does not throw) a
+useful Error object.
+
+
+### extraProperties(object, allowed)
+
+Check an object for unexpected properties. Accepts the object to check, and an
+array of allowed property name strings. If extra properties are detected, an
+array of extra property names is returned. If no properties other than those
+in the allowed list are present on the object, the returned array will be of
+zero length.
+
+### mergeObjects(provided, overrides, defaults)
+
+Merge properties from objects "provided", "overrides", and "defaults". The
+intended use case is for functions that accept named arguments in an "args"
+object, but want to provide some default values and override other values. In
+that case, "provided" is what the caller specified, "overrides" are what the
+function wants to override, and "defaults" contains default values.
+
+The function starts with the values in "defaults", overrides them with the
+values in "provided", and then overrides those with the values in "overrides".
+For convenience, any of these objects may be falsey, in which case they will be
+ignored. The input objects are never modified, but properties in the returned
+object are not deep-copied.
+
+For example:
+
+ mergeObjects(undefined, { 'objectMode': true }, { 'highWaterMark': 0 })
+
+returns:
+
+ { 'objectMode': true, 'highWaterMark': 0 }
+
+For another example:
+
+ mergeObjects(
+ { 'highWaterMark': 16, 'objectMode': 7 }, /* from caller */
+ { 'objectMode': true }, /* overrides */
+ { 'highWaterMark': 0 }); /* default */
+
+returns:
+
+ { 'objectMode': true, 'highWaterMark': 16 }
+
+
+# Contributing
+
+See separate [contribution guidelines](CONTRIBUTING.md).
diff --git "a/\351\231\210\351\233\204\350\276\211/\350\277\231\346\230\257\344\270\200\344\270\252\345\260\217\347\210\254\350\231\253/node_modules/jsprim/lib/jsprim.js" "b/\351\231\210\351\233\204\350\276\211/\350\277\231\346\230\257\344\270\200\344\270\252\345\260\217\347\210\254\350\231\253/node_modules/jsprim/lib/jsprim.js"
new file mode 100644
index 0000000000000000000000000000000000000000..f7d0d81c3f43efaf34a6a1f5444af2746e434a66
--- /dev/null
+++ "b/\351\231\210\351\233\204\350\276\211/\350\277\231\346\230\257\344\270\200\344\270\252\345\260\217\347\210\254\350\231\253/node_modules/jsprim/lib/jsprim.js"
@@ -0,0 +1,735 @@
+/*
+ * lib/jsprim.js: utilities for primitive JavaScript types
+ */
+
+var mod_assert = require('assert-plus');
+var mod_util = require('util');
+
+var mod_extsprintf = require('extsprintf');
+var mod_verror = require('verror');
+var mod_jsonschema = require('json-schema');
+
+/*
+ * Public interface
+ */
+exports.deepCopy = deepCopy;
+exports.deepEqual = deepEqual;
+exports.isEmpty = isEmpty;
+exports.hasKey = hasKey;
+exports.forEachKey = forEachKey;
+exports.pluck = pluck;
+exports.flattenObject = flattenObject;
+exports.flattenIter = flattenIter;
+exports.validateJsonObject = validateJsonObjectJS;
+exports.validateJsonObjectJS = validateJsonObjectJS;
+exports.randElt = randElt;
+exports.extraProperties = extraProperties;
+exports.mergeObjects = mergeObjects;
+
+exports.startsWith = startsWith;
+exports.endsWith = endsWith;
+
+exports.parseInteger = parseInteger;
+
+exports.iso8601 = iso8601;
+exports.rfc1123 = rfc1123;
+exports.parseDateTime = parseDateTime;
+
+exports.hrtimediff = hrtimeDiff;
+exports.hrtimeDiff = hrtimeDiff;
+exports.hrtimeAccum = hrtimeAccum;
+exports.hrtimeAdd = hrtimeAdd;
+exports.hrtimeNanosec = hrtimeNanosec;
+exports.hrtimeMicrosec = hrtimeMicrosec;
+exports.hrtimeMillisec = hrtimeMillisec;
+
+
+/*
+ * Deep copy an acyclic *basic* Javascript object. This only handles basic
+ * scalars (strings, numbers, booleans) and arbitrarily deep arrays and objects
+ * containing these. This does *not* handle instances of other classes.
+ */
+function deepCopy(obj)
+{
+ var ret, key;
+ var marker = '__deepCopy';
+
+ if (obj && obj[marker])
+ throw (new Error('attempted deep copy of cyclic object'));
+
+ if (obj && obj.constructor == Object) {
+ ret = {};
+ obj[marker] = true;
+
+ for (key in obj) {
+ if (key == marker)
+ continue;
+
+ ret[key] = deepCopy(obj[key]);
+ }
+
+ delete (obj[marker]);
+ return (ret);
+ }
+
+ if (obj && obj.constructor == Array) {
+ ret = [];
+ obj[marker] = true;
+
+ for (key = 0; key < obj.length; key++)
+ ret.push(deepCopy(obj[key]));
+
+ delete (obj[marker]);
+ return (ret);
+ }
+
+ /*
+ * It must be a primitive type -- just return it.
+ */
+ return (obj);
+}
+
+function deepEqual(obj1, obj2)
+{
+ if (typeof (obj1) != typeof (obj2))
+ return (false);
+
+ if (obj1 === null || obj2 === null || typeof (obj1) != 'object')
+ return (obj1 === obj2);
+
+ if (obj1.constructor != obj2.constructor)
+ return (false);
+
+ var k;
+ for (k in obj1) {
+ if (!obj2.hasOwnProperty(k))
+ return (false);
+
+ if (!deepEqual(obj1[k], obj2[k]))
+ return (false);
+ }
+
+ for (k in obj2) {
+ if (!obj1.hasOwnProperty(k))
+ return (false);
+ }
+
+ return (true);
+}
+
+function isEmpty(obj)
+{
+ var key;
+ for (key in obj)
+ return (false);
+ return (true);
+}
+
+function hasKey(obj, key)
+{
+ mod_assert.equal(typeof (key), 'string');
+ return (Object.prototype.hasOwnProperty.call(obj, key));
+}
+
+function forEachKey(obj, callback)
+{
+ for (var key in obj) {
+ if (hasKey(obj, key)) {
+ callback(key, obj[key]);
+ }
+ }
+}
+
+function pluck(obj, key)
+{
+ mod_assert.equal(typeof (key), 'string');
+ return (pluckv(obj, key));
+}
+
+function pluckv(obj, key)
+{
+ if (obj === null || typeof (obj) !== 'object')
+ return (undefined);
+
+ if (obj.hasOwnProperty(key))
+ return (obj[key]);
+
+ var i = key.indexOf('.');
+ if (i == -1)
+ return (undefined);
+
+ var key1 = key.substr(0, i);
+ if (!obj.hasOwnProperty(key1))
+ return (undefined);
+
+ return (pluckv(obj[key1], key.substr(i + 1)));
+}
+
+/*
+ * Invoke callback(row) for each entry in the array that would be returned by
+ * flattenObject(data, depth). This is just like flattenObject(data,
+ * depth).forEach(callback), except that the intermediate array is never
+ * created.
+ */
+function flattenIter(data, depth, callback)
+{
+ doFlattenIter(data, depth, [], callback);
+}
+
+function doFlattenIter(data, depth, accum, callback)
+{
+ var each;
+ var key;
+
+ if (depth === 0) {
+ each = accum.slice(0);
+ each.push(data);
+ callback(each);
+ return;
+ }
+
+ mod_assert.ok(data !== null);
+ mod_assert.equal(typeof (data), 'object');
+ mod_assert.equal(typeof (depth), 'number');
+ mod_assert.ok(depth >= 0);
+
+ for (key in data) {
+ each = accum.slice(0);
+ each.push(key);
+ doFlattenIter(data[key], depth - 1, each, callback);
+ }
+}
+
+function flattenObject(data, depth)
+{
+ if (depth === 0)
+ return ([ data ]);
+
+ mod_assert.ok(data !== null);
+ mod_assert.equal(typeof (data), 'object');
+ mod_assert.equal(typeof (depth), 'number');
+ mod_assert.ok(depth >= 0);
+
+ var rv = [];
+ var key;
+
+ for (key in data) {
+ flattenObject(data[key], depth - 1).forEach(function (p) {
+ rv.push([ key ].concat(p));
+ });
+ }
+
+ return (rv);
+}
+
+function startsWith(str, prefix)
+{
+ return (str.substr(0, prefix.length) == prefix);
+}
+
+function endsWith(str, suffix)
+{
+ return (str.substr(
+ str.length - suffix.length, suffix.length) == suffix);
+}
+
+function iso8601(d)
+{
+ if (typeof (d) == 'number')
+ d = new Date(d);
+ mod_assert.ok(d.constructor === Date);
+ return (mod_extsprintf.sprintf('%4d-%02d-%02dT%02d:%02d:%02d.%03dZ',
+ d.getUTCFullYear(), d.getUTCMonth() + 1, d.getUTCDate(),
+ d.getUTCHours(), d.getUTCMinutes(), d.getUTCSeconds(),
+ d.getUTCMilliseconds()));
+}
+
+var RFC1123_MONTHS = [
+ 'Jan', 'Feb', 'Mar', 'Apr', 'May', 'Jun',
+ 'Jul', 'Aug', 'Sep', 'Oct', 'Nov', 'Dec'];
+var RFC1123_DAYS = [
+ 'Sun', 'Mon', 'Tue', 'Wed', 'Thu', 'Fri', 'Sat'];
+
+function rfc1123(date) {
+ return (mod_extsprintf.sprintf('%s, %02d %s %04d %02d:%02d:%02d GMT',
+ RFC1123_DAYS[date.getUTCDay()], date.getUTCDate(),
+ RFC1123_MONTHS[date.getUTCMonth()], date.getUTCFullYear(),
+ date.getUTCHours(), date.getUTCMinutes(),
+ date.getUTCSeconds()));
+}
+
+/*
+ * Parses a date expressed as a string, as either a number of milliseconds since
+ * the epoch or any string format that Date accepts, giving preference to the
+ * former where these two sets overlap (e.g., small numbers).
+ */
+function parseDateTime(str)
+{
+ /*
+ * This is irritatingly implicit, but significantly more concise than
+ * alternatives. The "+str" will convert a string containing only a
+ * number directly to a Number, or NaN for other strings. Thus, if the
+ * conversion succeeds, we use it (this is the milliseconds-since-epoch
+ * case). Otherwise, we pass the string directly to the Date
+ * constructor to parse.
+ */
+ var numeric = +str;
+ if (!isNaN(numeric)) {
+ return (new Date(numeric));
+ } else {
+ return (new Date(str));
+ }
+}
+
+
+/*
+ * Number.*_SAFE_INTEGER isn't present before node v0.12, so we hardcode
+ * the ES6 definitions here, while allowing for them to someday be higher.
+ */
+var MAX_SAFE_INTEGER = Number.MAX_SAFE_INTEGER || 9007199254740991;
+var MIN_SAFE_INTEGER = Number.MIN_SAFE_INTEGER || -9007199254740991;
+
+
+/*
+ * Default options for parseInteger().
+ */
+var PI_DEFAULTS = {
+ base: 10,
+ allowSign: true,
+ allowPrefix: false,
+ allowTrailing: false,
+ allowImprecise: false,
+ trimWhitespace: false,
+ leadingZeroIsOctal: false
+};
+
+var CP_0 = 0x30;
+var CP_9 = 0x39;
+
+var CP_A = 0x41;
+var CP_B = 0x42;
+var CP_O = 0x4f;
+var CP_T = 0x54;
+var CP_X = 0x58;
+var CP_Z = 0x5a;
+
+var CP_a = 0x61;
+var CP_b = 0x62;
+var CP_o = 0x6f;
+var CP_t = 0x74;
+var CP_x = 0x78;
+var CP_z = 0x7a;
+
+var PI_CONV_DEC = 0x30;
+var PI_CONV_UC = 0x37;
+var PI_CONV_LC = 0x57;
+
+
+/*
+ * A stricter version of parseInt() that provides options for changing what
+ * is an acceptable string (for example, disallowing trailing characters).
+ */
+function parseInteger(str, uopts)
+{
+ mod_assert.string(str, 'str');
+ mod_assert.optionalObject(uopts, 'options');
+
+ var baseOverride = false;
+ var options = PI_DEFAULTS;
+
+ if (uopts) {
+ baseOverride = hasKey(uopts, 'base');
+ options = mergeObjects(options, uopts);
+ mod_assert.number(options.base, 'options.base');
+ mod_assert.ok(options.base >= 2, 'options.base >= 2');
+ mod_assert.ok(options.base <= 36, 'options.base <= 36');
+ mod_assert.bool(options.allowSign, 'options.allowSign');
+ mod_assert.bool(options.allowPrefix, 'options.allowPrefix');
+ mod_assert.bool(options.allowTrailing,
+ 'options.allowTrailing');
+ mod_assert.bool(options.allowImprecise,
+ 'options.allowImprecise');
+ mod_assert.bool(options.trimWhitespace,
+ 'options.trimWhitespace');
+ mod_assert.bool(options.leadingZeroIsOctal,
+ 'options.leadingZeroIsOctal');
+
+ if (options.leadingZeroIsOctal) {
+ mod_assert.ok(!baseOverride,
+ '"base" and "leadingZeroIsOctal" are ' +
+ 'mutually exclusive');
+ }
+ }
+
+ var c;
+ var pbase = -1;
+ var base = options.base;
+ var start;
+ var mult = 1;
+ var value = 0;
+ var idx = 0;
+ var len = str.length;
+
+ /* Trim any whitespace on the left side. */
+ if (options.trimWhitespace) {
+ while (idx < len && isSpace(str.charCodeAt(idx))) {
+ ++idx;
+ }
+ }
+
+ /* Check the number for a leading sign. */
+ if (options.allowSign) {
+ if (str[idx] === '-') {
+ idx += 1;
+ mult = -1;
+ } else if (str[idx] === '+') {
+ idx += 1;
+ }
+ }
+
+ /* Parse the base-indicating prefix if there is one. */
+ if (str[idx] === '0') {
+ if (options.allowPrefix) {
+ pbase = prefixToBase(str.charCodeAt(idx + 1));
+ if (pbase !== -1 && (!baseOverride || pbase === base)) {
+ base = pbase;
+ idx += 2;
+ }
+ }
+
+ if (pbase === -1 && options.leadingZeroIsOctal) {
+ base = 8;
+ }
+ }
+
+ /* Parse the actual digits. */
+ for (start = idx; idx < len; ++idx) {
+ c = translateDigit(str.charCodeAt(idx));
+ if (c !== -1 && c < base) {
+ value *= base;
+ value += c;
+ } else {
+ break;
+ }
+ }
+
+ /* If we didn't parse any digits, we have an invalid number. */
+ if (start === idx) {
+ return (new Error('invalid number: ' + JSON.stringify(str)));
+ }
+
+ /* Trim any whitespace on the right side. */
+ if (options.trimWhitespace) {
+ while (idx < len && isSpace(str.charCodeAt(idx))) {
+ ++idx;
+ }
+ }
+
+ /* Check for trailing characters. */
+ if (idx < len && !options.allowTrailing) {
+ return (new Error('trailing characters after number: ' +
+ JSON.stringify(str.slice(idx))));
+ }
+
+ /* If our value is 0, we return now, to avoid returning -0. */
+ if (value === 0) {
+ return (0);
+ }
+
+ /* Calculate our final value. */
+ var result = value * mult;
+
+ /*
+ * If the string represents a value that cannot be precisely represented
+ * by JavaScript, then we want to check that:
+ *
+ * - We never increased the value past MAX_SAFE_INTEGER
+ * - We don't make the result negative and below MIN_SAFE_INTEGER
+ *
+ * Because we only ever increment the value during parsing, there's no
+ * chance of moving past MAX_SAFE_INTEGER and then dropping below it
+ * again, losing precision in the process. This means that we only need
+ * to do our checks here, at the end.
+ */
+ if (!options.allowImprecise &&
+ (value > MAX_SAFE_INTEGER || result < MIN_SAFE_INTEGER)) {
+ return (new Error('number is outside of the supported range: ' +
+ JSON.stringify(str.slice(start, idx))));
+ }
+
+ return (result);
+}
+
+
+/*
+ * Interpret a character code as a base-36 digit.
+ */
+function translateDigit(d)
+{
+ if (d >= CP_0 && d <= CP_9) {
+ /* '0' to '9' -> 0 to 9 */
+ return (d - PI_CONV_DEC);
+ } else if (d >= CP_A && d <= CP_Z) {
+ /* 'A' - 'Z' -> 10 to 35 */
+ return (d - PI_CONV_UC);
+ } else if (d >= CP_a && d <= CP_z) {
+ /* 'a' - 'z' -> 10 to 35 */
+ return (d - PI_CONV_LC);
+ } else {
+ /* Invalid character code */
+ return (-1);
+ }
+}
+
+
+/*
+ * Test if a value matches the ECMAScript definition of trimmable whitespace.
+ */
+function isSpace(c)
+{
+ return (c === 0x20) ||
+ (c >= 0x0009 && c <= 0x000d) ||
+ (c === 0x00a0) ||
+ (c === 0x1680) ||
+ (c === 0x180e) ||
+ (c >= 0x2000 && c <= 0x200a) ||
+ (c === 0x2028) ||
+ (c === 0x2029) ||
+ (c === 0x202f) ||
+ (c === 0x205f) ||
+ (c === 0x3000) ||
+ (c === 0xfeff);
+}
+
+
+/*
+ * Determine which base a character indicates (e.g., 'x' indicates hex).
+ */
+function prefixToBase(c)
+{
+ if (c === CP_b || c === CP_B) {
+ /* 0b/0B (binary) */
+ return (2);
+ } else if (c === CP_o || c === CP_O) {
+ /* 0o/0O (octal) */
+ return (8);
+ } else if (c === CP_t || c === CP_T) {
+ /* 0t/0T (decimal) */
+ return (10);
+ } else if (c === CP_x || c === CP_X) {
+ /* 0x/0X (hexadecimal) */
+ return (16);
+ } else {
+ /* Not a meaningful character */
+ return (-1);
+ }
+}
+
+
+function validateJsonObjectJS(schema, input)
+{
+ var report = mod_jsonschema.validate(input, schema);
+
+ if (report.errors.length === 0)
+ return (null);
+
+ /* Currently, we only do anything useful with the first error. */
+ var error = report.errors[0];
+
+ /* The failed property is given by a URI with an irrelevant prefix. */
+ var propname = error['property'];
+ var reason = error['message'].toLowerCase();
+ var i, j;
+
+ /*
+ * There's at least one case where the property error message is
+ * confusing at best. We work around this here.
+ */
+ if ((i = reason.indexOf('the property ')) != -1 &&
+ (j = reason.indexOf(' is not defined in the schema and the ' +
+ 'schema does not allow additional properties')) != -1) {
+ i += 'the property '.length;
+ if (propname === '')
+ propname = reason.substr(i, j - i);
+ else
+ propname = propname + '.' + reason.substr(i, j - i);
+
+ reason = 'unsupported property';
+ }
+
+ var rv = new mod_verror.VError('property "%s": %s', propname, reason);
+ rv.jsv_details = error;
+ return (rv);
+}
+
+function randElt(arr)
+{
+ mod_assert.ok(Array.isArray(arr) && arr.length > 0,
+ 'randElt argument must be a non-empty array');
+
+ return (arr[Math.floor(Math.random() * arr.length)]);
+}
+
+function assertHrtime(a)
+{
+ mod_assert.ok(a[0] >= 0 && a[1] >= 0,
+ 'negative numbers not allowed in hrtimes');
+ mod_assert.ok(a[1] < 1e9, 'nanoseconds column overflow');
+}
+
+/*
+ * Compute the time elapsed between hrtime readings A and B, where A is later
+ * than B. hrtime readings come from Node's process.hrtime(). There is no
+ * defined way to represent negative deltas, so it's illegal to diff B from A
+ * where the time denoted by B is later than the time denoted by A. If this
+ * becomes valuable, we can define a representation and extend the
+ * implementation to support it.
+ */
+function hrtimeDiff(a, b)
+{
+ assertHrtime(a);
+ assertHrtime(b);
+ mod_assert.ok(a[0] > b[0] || (a[0] == b[0] && a[1] >= b[1]),
+ 'negative differences not allowed');
+
+ var rv = [ a[0] - b[0], 0 ];
+
+ if (a[1] >= b[1]) {
+ rv[1] = a[1] - b[1];
+ } else {
+ rv[0]--;
+ rv[1] = 1e9 - (b[1] - a[1]);
+ }
+
+ return (rv);
+}
+
+/*
+ * Convert a hrtime reading from the array format returned by Node's
+ * process.hrtime() into a scalar number of nanoseconds.
+ */
+function hrtimeNanosec(a)
+{
+ assertHrtime(a);
+
+ return (Math.floor(a[0] * 1e9 + a[1]));
+}
+
+/*
+ * Convert a hrtime reading from the array format returned by Node's
+ * process.hrtime() into a scalar number of microseconds.
+ */
+function hrtimeMicrosec(a)
+{
+ assertHrtime(a);
+
+ return (Math.floor(a[0] * 1e6 + a[1] / 1e3));
+}
+
+/*
+ * Convert a hrtime reading from the array format returned by Node's
+ * process.hrtime() into a scalar number of milliseconds.
+ */
+function hrtimeMillisec(a)
+{
+ assertHrtime(a);
+
+ return (Math.floor(a[0] * 1e3 + a[1] / 1e6));
+}
+
+/*
+ * Add two hrtime readings A and B, overwriting A with the result of the
+ * addition. This function is useful for accumulating several hrtime intervals
+ * into a counter. Returns A.
+ */
+function hrtimeAccum(a, b)
+{
+ assertHrtime(a);
+ assertHrtime(b);
+
+ /*
+ * Accumulate the nanosecond component.
+ */
+ a[1] += b[1];
+ if (a[1] >= 1e9) {
+ /*
+ * The nanosecond component overflowed, so carry to the seconds
+ * field.
+ */
+ a[0]++;
+ a[1] -= 1e9;
+ }
+
+ /*
+ * Accumulate the seconds component.
+ */
+ a[0] += b[0];
+
+ return (a);
+}
+
+/*
+ * Add two hrtime readings A and B, returning the result as a new hrtime array.
+ * Does not modify either input argument.
+ */
+function hrtimeAdd(a, b)
+{
+ assertHrtime(a);
+
+ var rv = [ a[0], a[1] ];
+
+ return (hrtimeAccum(rv, b));
+}
+
+
+/*
+ * Check an object for unexpected properties. Accepts the object to check, and
+ * an array of allowed property names (strings). Returns an array of key names
+ * that were found on the object, but did not appear in the list of allowed
+ * properties. If no properties were found, the returned array will be of
+ * zero length.
+ */
+function extraProperties(obj, allowed)
+{
+ mod_assert.ok(typeof (obj) === 'object' && obj !== null,
+ 'obj argument must be a non-null object');
+ mod_assert.ok(Array.isArray(allowed),
+ 'allowed argument must be an array of strings');
+ for (var i = 0; i < allowed.length; i++) {
+ mod_assert.ok(typeof (allowed[i]) === 'string',
+ 'allowed argument must be an array of strings');
+ }
+
+ return (Object.keys(obj).filter(function (key) {
+ return (allowed.indexOf(key) === -1);
+ }));
+}
+
+/*
+ * Given three sets of properties "provided" (may be undefined), "overrides"
+ * (required), and "defaults" (may be undefined), construct an object containing
+ * the union of these sets with "overrides" overriding "provided", and
+ * "provided" overriding "defaults". None of the input objects are modified.
+ */
+function mergeObjects(provided, overrides, defaults)
+{
+ var rv, k;
+
+ rv = {};
+ if (defaults) {
+ for (k in defaults)
+ rv[k] = defaults[k];
+ }
+
+ if (provided) {
+ for (k in provided)
+ rv[k] = provided[k];
+ }
+
+ if (overrides) {
+ for (k in overrides)
+ rv[k] = overrides[k];
+ }
+
+ return (rv);
+}
diff --git "a/\351\231\210\351\233\204\350\276\211/\350\277\231\346\230\257\344\270\200\344\270\252\345\260\217\347\210\254\350\231\253/node_modules/jsprim/package.json" "b/\351\231\210\351\233\204\350\276\211/\350\277\231\346\230\257\344\270\200\344\270\252\345\260\217\347\210\254\350\231\253/node_modules/jsprim/package.json"
new file mode 100644
index 0000000000000000000000000000000000000000..ea4028e866cbd0c23c2548a994c6386114f28969
--- /dev/null
+++ "b/\351\231\210\351\233\204\350\276\211/\350\277\231\346\230\257\344\270\200\344\270\252\345\260\217\347\210\254\350\231\253/node_modules/jsprim/package.json"
@@ -0,0 +1,49 @@
+{
+ "_from": "jsprim@^1.2.2",
+ "_id": "jsprim@1.4.2",
+ "_inBundle": false,
+ "_integrity": "sha512-P2bSOMAc/ciLz6DzgjVlGJP9+BrJWu5UDGK70C2iweC5QBIeFf0ZXRvGjEj2uYgrY2MkAAhsSWHDWlFtEroZWw==",
+ "_location": "/jsprim",
+ "_phantomChildren": {},
+ "_requested": {
+ "type": "range",
+ "registry": true,
+ "raw": "jsprim@^1.2.2",
+ "name": "jsprim",
+ "escapedName": "jsprim",
+ "rawSpec": "^1.2.2",
+ "saveSpec": null,
+ "fetchSpec": "^1.2.2"
+ },
+ "_requiredBy": [
+ "/http-signature"
+ ],
+ "_resolved": "https://registry.npmjs.org/jsprim/-/jsprim-1.4.2.tgz",
+ "_shasum": "712c65533a15c878ba59e9ed5f0e26d5b77c5feb",
+ "_spec": "jsprim@^1.2.2",
+ "_where": "C:\\Users\\Administrator\\Desktop\\这是一个小爬虫\\node_modules\\http-signature",
+ "bugs": {
+ "url": "https://github.com/joyent/node-jsprim/issues"
+ },
+ "bundleDependencies": false,
+ "dependencies": {
+ "assert-plus": "1.0.0",
+ "extsprintf": "1.3.0",
+ "json-schema": "0.4.0",
+ "verror": "1.10.0"
+ },
+ "deprecated": false,
+ "description": "utilities for primitive JavaScript types",
+ "engines": {
+ "node": ">=0.6.0"
+ },
+ "homepage": "https://github.com/joyent/node-jsprim#readme",
+ "license": "MIT",
+ "main": "./lib/jsprim.js",
+ "name": "jsprim",
+ "repository": {
+ "type": "git",
+ "url": "git://github.com/joyent/node-jsprim.git"
+ },
+ "version": "1.4.2"
+}
diff --git "a/\351\231\210\351\233\204\350\276\211/\350\277\231\346\230\257\344\270\200\344\270\252\345\260\217\347\210\254\350\231\253/node_modules/mime-db/HISTORY.md" "b/\351\231\210\351\233\204\350\276\211/\350\277\231\346\230\257\344\270\200\344\270\252\345\260\217\347\210\254\350\231\253/node_modules/mime-db/HISTORY.md"
new file mode 100644
index 0000000000000000000000000000000000000000..7436f64146e87d2ebe6cacac33af0aeedcc798fb
--- /dev/null
+++ "b/\351\231\210\351\233\204\350\276\211/\350\277\231\346\230\257\344\270\200\344\270\252\345\260\217\347\210\254\350\231\253/node_modules/mime-db/HISTORY.md"
@@ -0,0 +1,507 @@
+1.52.0 / 2022-02-21
+===================
+
+ * Add extensions from IANA for more `image/*` types
+ * Add extension `.asc` to `application/pgp-keys`
+ * Add extensions to various XML types
+ * Add new upstream MIME types
+
+1.51.0 / 2021-11-08
+===================
+
+ * Add new upstream MIME types
+ * Mark `image/vnd.microsoft.icon` as compressible
+ * Mark `image/vnd.ms-dds` as compressible
+
+1.50.0 / 2021-09-15
+===================
+
+ * Add deprecated iWorks mime types and extensions
+ * Add new upstream MIME types
+
+1.49.0 / 2021-07-26
+===================
+
+ * Add extension `.trig` to `application/trig`
+ * Add new upstream MIME types
+
+1.48.0 / 2021-05-30
+===================
+
+ * Add extension `.mvt` to `application/vnd.mapbox-vector-tile`
+ * Add new upstream MIME types
+ * Mark `text/yaml` as compressible
+
+1.47.0 / 2021-04-01
+===================
+
+ * Add new upstream MIME types
+ * Remove ambigious extensions from IANA for `application/*+xml` types
+ * Update primary extension to `.es` for `application/ecmascript`
+
+1.46.0 / 2021-02-13
+===================
+
+ * Add extension `.amr` to `audio/amr`
+ * Add extension `.m4s` to `video/iso.segment`
+ * Add extension `.opus` to `audio/ogg`
+ * Add new upstream MIME types
+
+1.45.0 / 2020-09-22
+===================
+
+ * Add `application/ubjson` with extension `.ubj`
+ * Add `image/avif` with extension `.avif`
+ * Add `image/ktx2` with extension `.ktx2`
+ * Add extension `.dbf` to `application/vnd.dbf`
+ * Add extension `.rar` to `application/vnd.rar`
+ * Add extension `.td` to `application/urc-targetdesc+xml`
+ * Add new upstream MIME types
+ * Fix extension of `application/vnd.apple.keynote` to be `.key`
+
+1.44.0 / 2020-04-22
+===================
+
+ * Add charsets from IANA
+ * Add extension `.cjs` to `application/node`
+ * Add new upstream MIME types
+
+1.43.0 / 2020-01-05
+===================
+
+ * Add `application/x-keepass2` with extension `.kdbx`
+ * Add extension `.mxmf` to `audio/mobile-xmf`
+ * Add extensions from IANA for `application/*+xml` types
+ * Add new upstream MIME types
+
+1.42.0 / 2019-09-25
+===================
+
+ * Add `image/vnd.ms-dds` with extension `.dds`
+ * Add new upstream MIME types
+ * Remove compressible from `multipart/mixed`
+
+1.41.0 / 2019-08-30
+===================
+
+ * Add new upstream MIME types
+ * Add `application/toml` with extension `.toml`
+ * Mark `font/ttf` as compressible
+
+1.40.0 / 2019-04-20
+===================
+
+ * Add extensions from IANA for `model/*` types
+ * Add `text/mdx` with extension `.mdx`
+
+1.39.0 / 2019-04-04
+===================
+
+ * Add extensions `.siv` and `.sieve` to `application/sieve`
+ * Add new upstream MIME types
+
+1.38.0 / 2019-02-04
+===================
+
+ * Add extension `.nq` to `application/n-quads`
+ * Add extension `.nt` to `application/n-triples`
+ * Add new upstream MIME types
+ * Mark `text/less` as compressible
+
+1.37.0 / 2018-10-19
+===================
+
+ * Add extensions to HEIC image types
+ * Add new upstream MIME types
+
+1.36.0 / 2018-08-20
+===================
+
+ * Add Apple file extensions from IANA
+ * Add extensions from IANA for `image/*` types
+ * Add new upstream MIME types
+
+1.35.0 / 2018-07-15
+===================
+
+ * Add extension `.owl` to `application/rdf+xml`
+ * Add new upstream MIME types
+ - Removes extension `.woff` from `application/font-woff`
+
+1.34.0 / 2018-06-03
+===================
+
+ * Add extension `.csl` to `application/vnd.citationstyles.style+xml`
+ * Add extension `.es` to `application/ecmascript`
+ * Add new upstream MIME types
+ * Add `UTF-8` as default charset for `text/turtle`
+ * Mark all XML-derived types as compressible
+
+1.33.0 / 2018-02-15
+===================
+
+ * Add extensions from IANA for `message/*` types
+ * Add new upstream MIME types
+ * Fix some incorrect OOXML types
+ * Remove `application/font-woff2`
+
+1.32.0 / 2017-11-29
+===================
+
+ * Add new upstream MIME types
+ * Update `text/hjson` to registered `application/hjson`
+ * Add `text/shex` with extension `.shex`
+
+1.31.0 / 2017-10-25
+===================
+
+ * Add `application/raml+yaml` with extension `.raml`
+ * Add `application/wasm` with extension `.wasm`
+ * Add new `font` type from IANA
+ * Add new upstream font extensions
+ * Add new upstream MIME types
+ * Add extensions for JPEG-2000 images
+
+1.30.0 / 2017-08-27
+===================
+
+ * Add `application/vnd.ms-outlook`
+ * Add `application/x-arj`
+ * Add extension `.mjs` to `application/javascript`
+ * Add glTF types and extensions
+ * Add new upstream MIME types
+ * Add `text/x-org`
+ * Add VirtualBox MIME types
+ * Fix `source` records for `video/*` types that are IANA
+ * Update `font/opentype` to registered `font/otf`
+
+1.29.0 / 2017-07-10
+===================
+
+ * Add `application/fido.trusted-apps+json`
+ * Add extension `.wadl` to `application/vnd.sun.wadl+xml`
+ * Add new upstream MIME types
+ * Add `UTF-8` as default charset for `text/css`
+
+1.28.0 / 2017-05-14
+===================
+
+ * Add new upstream MIME types
+ * Add extension `.gz` to `application/gzip`
+ * Update extensions `.md` and `.markdown` to be `text/markdown`
+
+1.27.0 / 2017-03-16
+===================
+
+ * Add new upstream MIME types
+ * Add `image/apng` with extension `.apng`
+
+1.26.0 / 2017-01-14
+===================
+
+ * Add new upstream MIME types
+ * Add extension `.geojson` to `application/geo+json`
+
+1.25.0 / 2016-11-11
+===================
+
+ * Add new upstream MIME types
+
+1.24.0 / 2016-09-18
+===================
+
+ * Add `audio/mp3`
+ * Add new upstream MIME types
+
+1.23.0 / 2016-05-01
+===================
+
+ * Add new upstream MIME types
+ * Add extension `.3gpp` to `audio/3gpp`
+
+1.22.0 / 2016-02-15
+===================
+
+ * Add `text/slim`
+ * Add extension `.rng` to `application/xml`
+ * Add new upstream MIME types
+ * Fix extension of `application/dash+xml` to be `.mpd`
+ * Update primary extension to `.m4a` for `audio/mp4`
+
+1.21.0 / 2016-01-06
+===================
+
+ * Add Google document types
+ * Add new upstream MIME types
+
+1.20.0 / 2015-11-10
+===================
+
+ * Add `text/x-suse-ymp`
+ * Add new upstream MIME types
+
+1.19.0 / 2015-09-17
+===================
+
+ * Add `application/vnd.apple.pkpass`
+ * Add new upstream MIME types
+
+1.18.0 / 2015-09-03
+===================
+
+ * Add new upstream MIME types
+
+1.17.0 / 2015-08-13
+===================
+
+ * Add `application/x-msdos-program`
+ * Add `audio/g711-0`
+ * Add `image/vnd.mozilla.apng`
+ * Add extension `.exe` to `application/x-msdos-program`
+
+1.16.0 / 2015-07-29
+===================
+
+ * Add `application/vnd.uri-map`
+
+1.15.0 / 2015-07-13
+===================
+
+ * Add `application/x-httpd-php`
+
+1.14.0 / 2015-06-25
+===================
+
+ * Add `application/scim+json`
+ * Add `application/vnd.3gpp.ussd+xml`
+ * Add `application/vnd.biopax.rdf+xml`
+ * Add `text/x-processing`
+
+1.13.0 / 2015-06-07
+===================
+
+ * Add nginx as a source
+ * Add `application/x-cocoa`
+ * Add `application/x-java-archive-diff`
+ * Add `application/x-makeself`
+ * Add `application/x-perl`
+ * Add `application/x-pilot`
+ * Add `application/x-redhat-package-manager`
+ * Add `application/x-sea`
+ * Add `audio/x-m4a`
+ * Add `audio/x-realaudio`
+ * Add `image/x-jng`
+ * Add `text/mathml`
+
+1.12.0 / 2015-06-05
+===================
+
+ * Add `application/bdoc`
+ * Add `application/vnd.hyperdrive+json`
+ * Add `application/x-bdoc`
+ * Add extension `.rtf` to `text/rtf`
+
+1.11.0 / 2015-05-31
+===================
+
+ * Add `audio/wav`
+ * Add `audio/wave`
+ * Add extension `.litcoffee` to `text/coffeescript`
+ * Add extension `.sfd-hdstx` to `application/vnd.hydrostatix.sof-data`
+ * Add extension `.n-gage` to `application/vnd.nokia.n-gage.symbian.install`
+
+1.10.0 / 2015-05-19
+===================
+
+ * Add `application/vnd.balsamiq.bmpr`
+ * Add `application/vnd.microsoft.portable-executable`
+ * Add `application/x-ns-proxy-autoconfig`
+
+1.9.1 / 2015-04-19
+==================
+
+ * Remove `.json` extension from `application/manifest+json`
+ - This is causing bugs downstream
+
+1.9.0 / 2015-04-19
+==================
+
+ * Add `application/manifest+json`
+ * Add `application/vnd.micro+json`
+ * Add `image/vnd.zbrush.pcx`
+ * Add `image/x-ms-bmp`
+
+1.8.0 / 2015-03-13
+==================
+
+ * Add `application/vnd.citationstyles.style+xml`
+ * Add `application/vnd.fastcopy-disk-image`
+ * Add `application/vnd.gov.sk.xmldatacontainer+xml`
+ * Add extension `.jsonld` to `application/ld+json`
+
+1.7.0 / 2015-02-08
+==================
+
+ * Add `application/vnd.gerber`
+ * Add `application/vnd.msa-disk-image`
+
+1.6.1 / 2015-02-05
+==================
+
+ * Community extensions ownership transferred from `node-mime`
+
+1.6.0 / 2015-01-29
+==================
+
+ * Add `application/jose`
+ * Add `application/jose+json`
+ * Add `application/json-seq`
+ * Add `application/jwk+json`
+ * Add `application/jwk-set+json`
+ * Add `application/jwt`
+ * Add `application/rdap+json`
+ * Add `application/vnd.gov.sk.e-form+xml`
+ * Add `application/vnd.ims.imsccv1p3`
+
+1.5.0 / 2014-12-30
+==================
+
+ * Add `application/vnd.oracle.resource+json`
+ * Fix various invalid MIME type entries
+ - `application/mbox+xml`
+ - `application/oscp-response`
+ - `application/vwg-multiplexed`
+ - `audio/g721`
+
+1.4.0 / 2014-12-21
+==================
+
+ * Add `application/vnd.ims.imsccv1p2`
+ * Fix various invalid MIME type entries
+ - `application/vnd-acucobol`
+ - `application/vnd-curl`
+ - `application/vnd-dart`
+ - `application/vnd-dxr`
+ - `application/vnd-fdf`
+ - `application/vnd-mif`
+ - `application/vnd-sema`
+ - `application/vnd-wap-wmlc`
+ - `application/vnd.adobe.flash-movie`
+ - `application/vnd.dece-zip`
+ - `application/vnd.dvb_service`
+ - `application/vnd.micrografx-igx`
+ - `application/vnd.sealed-doc`
+ - `application/vnd.sealed-eml`
+ - `application/vnd.sealed-mht`
+ - `application/vnd.sealed-ppt`
+ - `application/vnd.sealed-tiff`
+ - `application/vnd.sealed-xls`
+ - `application/vnd.sealedmedia.softseal-html`
+ - `application/vnd.sealedmedia.softseal-pdf`
+ - `application/vnd.wap-slc`
+ - `application/vnd.wap-wbxml`
+ - `audio/vnd.sealedmedia.softseal-mpeg`
+ - `image/vnd-djvu`
+ - `image/vnd-svf`
+ - `image/vnd-wap-wbmp`
+ - `image/vnd.sealed-png`
+ - `image/vnd.sealedmedia.softseal-gif`
+ - `image/vnd.sealedmedia.softseal-jpg`
+ - `model/vnd-dwf`
+ - `model/vnd.parasolid.transmit-binary`
+ - `model/vnd.parasolid.transmit-text`
+ - `text/vnd-a`
+ - `text/vnd-curl`
+ - `text/vnd.wap-wml`
+ * Remove example template MIME types
+ - `application/example`
+ - `audio/example`
+ - `image/example`
+ - `message/example`
+ - `model/example`
+ - `multipart/example`
+ - `text/example`
+ - `video/example`
+
+1.3.1 / 2014-12-16
+==================
+
+ * Fix missing extensions
+ - `application/json5`
+ - `text/hjson`
+
+1.3.0 / 2014-12-07
+==================
+
+ * Add `application/a2l`
+ * Add `application/aml`
+ * Add `application/atfx`
+ * Add `application/atxml`
+ * Add `application/cdfx+xml`
+ * Add `application/dii`
+ * Add `application/json5`
+ * Add `application/lxf`
+ * Add `application/mf4`
+ * Add `application/vnd.apache.thrift.compact`
+ * Add `application/vnd.apache.thrift.json`
+ * Add `application/vnd.coffeescript`
+ * Add `application/vnd.enphase.envoy`
+ * Add `application/vnd.ims.imsccv1p1`
+ * Add `text/csv-schema`
+ * Add `text/hjson`
+ * Add `text/markdown`
+ * Add `text/yaml`
+
+1.2.0 / 2014-11-09
+==================
+
+ * Add `application/cea`
+ * Add `application/dit`
+ * Add `application/vnd.gov.sk.e-form+zip`
+ * Add `application/vnd.tmd.mediaflex.api+xml`
+ * Type `application/epub+zip` is now IANA-registered
+
+1.1.2 / 2014-10-23
+==================
+
+ * Rebuild database for `application/x-www-form-urlencoded` change
+
+1.1.1 / 2014-10-20
+==================
+
+ * Mark `application/x-www-form-urlencoded` as compressible.
+
+1.1.0 / 2014-09-28
+==================
+
+ * Add `application/font-woff2`
+
+1.0.3 / 2014-09-25
+==================
+
+ * Fix engine requirement in package
+
+1.0.2 / 2014-09-25
+==================
+
+ * Add `application/coap-group+json`
+ * Add `application/dcd`
+ * Add `application/vnd.apache.thrift.binary`
+ * Add `image/vnd.tencent.tap`
+ * Mark all JSON-derived types as compressible
+ * Update `text/vtt` data
+
+1.0.1 / 2014-08-30
+==================
+
+ * Fix extension ordering
+
+1.0.0 / 2014-08-30
+==================
+
+ * Add `application/atf`
+ * Add `application/merge-patch+json`
+ * Add `multipart/x-mixed-replace`
+ * Add `source: 'apache'` metadata
+ * Add `source: 'iana'` metadata
+ * Remove badly-assumed charset data
diff --git "a/\351\231\210\351\233\204\350\276\211/\350\277\231\346\230\257\344\270\200\344\270\252\345\260\217\347\210\254\350\231\253/node_modules/mime-db/LICENSE" "b/\351\231\210\351\233\204\350\276\211/\350\277\231\346\230\257\344\270\200\344\270\252\345\260\217\347\210\254\350\231\253/node_modules/mime-db/LICENSE"
new file mode 100644
index 0000000000000000000000000000000000000000..0751cb10e94972be9a07b44cc261447bac726a7f
--- /dev/null
+++ "b/\351\231\210\351\233\204\350\276\211/\350\277\231\346\230\257\344\270\200\344\270\252\345\260\217\347\210\254\350\231\253/node_modules/mime-db/LICENSE"
@@ -0,0 +1,23 @@
+(The MIT License)
+
+Copyright (c) 2014 Jonathan Ong
+Copyright (c) 2015-2022 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/\351\231\210\351\233\204\350\276\211/\350\277\231\346\230\257\344\270\200\344\270\252\345\260\217\347\210\254\350\231\253/node_modules/mime-db/README.md" "b/\351\231\210\351\233\204\350\276\211/\350\277\231\346\230\257\344\270\200\344\270\252\345\260\217\347\210\254\350\231\253/node_modules/mime-db/README.md"
new file mode 100644
index 0000000000000000000000000000000000000000..5a8fcfe4d0d813c4608765b31342fe5297e5867f
--- /dev/null
+++ "b/\351\231\210\351\233\204\350\276\211/\350\277\231\346\230\257\344\270\200\344\270\252\345\260\217\347\210\254\350\231\253/node_modules/mime-db/README.md"
@@ -0,0 +1,100 @@
+# mime-db
+
+[![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]
+
+This is a large database of mime types and information about them.
+It consists of a single, public JSON file and does not include any logic,
+allowing it to remain as un-opinionated as possible with an API.
+It aggregates data from the following sources:
+
+- http://www.iana.org/assignments/media-types/media-types.xhtml
+- http://svn.apache.org/repos/asf/httpd/httpd/trunk/docs/conf/mime.types
+- http://hg.nginx.org/nginx/raw-file/default/conf/mime.types
+
+## Installation
+
+```bash
+npm install mime-db
+```
+
+### Database Download
+
+If you're crazy enough to use this in the browser, you can just grab the
+JSON file using [jsDelivr](https://www.jsdelivr.com/). It is recommended to
+replace `master` with [a release tag](https://github.com/jshttp/mime-db/tags)
+as the JSON format may change in the future.
+
+```
+https://cdn.jsdelivr.net/gh/jshttp/mime-db@master/db.json
+```
+
+## Usage
+
+```js
+var db = require('mime-db')
+
+// grab data on .js files
+var data = db['application/javascript']
+```
+
+## Data Structure
+
+The JSON file is a map lookup for lowercased mime types.
+Each mime type has the following properties:
+
+- `.source` - where the mime type is defined.
+ If not set, it's probably a custom media type.
+ - `apache` - [Apache common media types](http://svn.apache.org/repos/asf/httpd/httpd/trunk/docs/conf/mime.types)
+ - `iana` - [IANA-defined media types](http://www.iana.org/assignments/media-types/media-types.xhtml)
+ - `nginx` - [nginx media types](http://hg.nginx.org/nginx/raw-file/default/conf/mime.types)
+- `.extensions[]` - known extensions associated with this mime type.
+- `.compressible` - whether a file of this type can be gzipped.
+- `.charset` - the default charset associated with this type, if any.
+
+If unknown, every property could be `undefined`.
+
+## Contributing
+
+To edit the database, only make PRs against `src/custom-types.json` or
+`src/custom-suffix.json`.
+
+The `src/custom-types.json` file is a JSON object with the MIME type as the
+keys and the values being an object with the following keys:
+
+- `compressible` - leave out if you don't know, otherwise `true`/`false` to
+ indicate whether the data represented by the type is typically compressible.
+- `extensions` - include an array of file extensions that are associated with
+ the type.
+- `notes` - human-readable notes about the type, typically what the type is.
+- `sources` - include an array of URLs of where the MIME type and the associated
+ extensions are sourced from. This needs to be a [primary source](https://en.wikipedia.org/wiki/Primary_source);
+ links to type aggregating sites and Wikipedia are _not acceptable_.
+
+To update the build, run `npm run build`.
+
+### Adding Custom Media Types
+
+The best way to get new media types included in this library is to register
+them with the IANA. The community registration procedure is outlined in
+[RFC 6838 section 5](http://tools.ietf.org/html/rfc6838#section-5). Types
+registered with the IANA are automatically pulled into this library.
+
+If that is not possible / feasible, they can be added directly here as a
+"custom" type. To do this, it is required to have a primary source that
+definitively lists the media type. If an extension is going to be listed as
+associateed with this media type, the source must definitively link the
+media type and extension as well.
+
+[ci-image]: https://badgen.net/github/checks/jshttp/mime-db/master?label=ci
+[ci-url]: https://github.com/jshttp/mime-db/actions?query=workflow%3Aci
+[coveralls-image]: https://badgen.net/coveralls/c/github/jshttp/mime-db/master
+[coveralls-url]: https://coveralls.io/r/jshttp/mime-db?branch=master
+[node-image]: https://badgen.net/npm/node/mime-db
+[node-url]: https://nodejs.org/en/download
+[npm-downloads-image]: https://badgen.net/npm/dm/mime-db
+[npm-url]: https://npmjs.org/package/mime-db
+[npm-version-image]: https://badgen.net/npm/v/mime-db
diff --git "a/\351\231\210\351\233\204\350\276\211/\350\277\231\346\230\257\344\270\200\344\270\252\345\260\217\347\210\254\350\231\253/node_modules/mime-db/db.json" "b/\351\231\210\351\233\204\350\276\211/\350\277\231\346\230\257\344\270\200\344\270\252\345\260\217\347\210\254\350\231\253/node_modules/mime-db/db.json"
new file mode 100644
index 0000000000000000000000000000000000000000..eb9c42c457a3b42f3af43e37ed62de4d704c413a
--- /dev/null
+++ "b/\351\231\210\351\233\204\350\276\211/\350\277\231\346\230\257\344\270\200\344\270\252\345\260\217\347\210\254\350\231\253/node_modules/mime-db/db.json"
@@ -0,0 +1,8519 @@
+{
+ "application/1d-interleaved-parityfec": {
+ "source": "iana"
+ },
+ "application/3gpdash-qoe-report+xml": {
+ "source": "iana",
+ "charset": "UTF-8",
+ "compressible": true
+ },
+ "application/3gpp-ims+xml": {
+ "source": "iana",
+ "compressible": true
+ },
+ "application/3gpphal+json": {
+ "source": "iana",
+ "compressible": true
+ },
+ "application/3gpphalforms+json": {
+ "source": "iana",
+ "compressible": true
+ },
+ "application/a2l": {
+ "source": "iana"
+ },
+ "application/ace+cbor": {
+ "source": "iana"
+ },
+ "application/activemessage": {
+ "source": "iana"
+ },
+ "application/activity+json": {
+ "source": "iana",
+ "compressible": true
+ },
+ "application/alto-costmap+json": {
+ "source": "iana",
+ "compressible": true
+ },
+ "application/alto-costmapfilter+json": {
+ "source": "iana",
+ "compressible": true
+ },
+ "application/alto-directory+json": {
+ "source": "iana",
+ "compressible": true
+ },
+ "application/alto-endpointcost+json": {
+ "source": "iana",
+ "compressible": true
+ },
+ "application/alto-endpointcostparams+json": {
+ "source": "iana",
+ "compressible": true
+ },
+ "application/alto-endpointprop+json": {
+ "source": "iana",
+ "compressible": true
+ },
+ "application/alto-endpointpropparams+json": {
+ "source": "iana",
+ "compressible": true
+ },
+ "application/alto-error+json": {
+ "source": "iana",
+ "compressible": true
+ },
+ "application/alto-networkmap+json": {
+ "source": "iana",
+ "compressible": true
+ },
+ "application/alto-networkmapfilter+json": {
+ "source": "iana",
+ "compressible": true
+ },
+ "application/alto-updatestreamcontrol+json": {
+ "source": "iana",
+ "compressible": true
+ },
+ "application/alto-updatestreamparams+json": {
+ "source": "iana",
+ "compressible": true
+ },
+ "application/aml": {
+ "source": "iana"
+ },
+ "application/andrew-inset": {
+ "source": "iana",
+ "extensions": ["ez"]
+ },
+ "application/applefile": {
+ "source": "iana"
+ },
+ "application/applixware": {
+ "source": "apache",
+ "extensions": ["aw"]
+ },
+ "application/at+jwt": {
+ "source": "iana"
+ },
+ "application/atf": {
+ "source": "iana"
+ },
+ "application/atfx": {
+ "source": "iana"
+ },
+ "application/atom+xml": {
+ "source": "iana",
+ "compressible": true,
+ "extensions": ["atom"]
+ },
+ "application/atomcat+xml": {
+ "source": "iana",
+ "compressible": true,
+ "extensions": ["atomcat"]
+ },
+ "application/atomdeleted+xml": {
+ "source": "iana",
+ "compressible": true,
+ "extensions": ["atomdeleted"]
+ },
+ "application/atomicmail": {
+ "source": "iana"
+ },
+ "application/atomsvc+xml": {
+ "source": "iana",
+ "compressible": true,
+ "extensions": ["atomsvc"]
+ },
+ "application/atsc-dwd+xml": {
+ "source": "iana",
+ "compressible": true,
+ "extensions": ["dwd"]
+ },
+ "application/atsc-dynamic-event-message": {
+ "source": "iana"
+ },
+ "application/atsc-held+xml": {
+ "source": "iana",
+ "compressible": true,
+ "extensions": ["held"]
+ },
+ "application/atsc-rdt+json": {
+ "source": "iana",
+ "compressible": true
+ },
+ "application/atsc-rsat+xml": {
+ "source": "iana",
+ "compressible": true,
+ "extensions": ["rsat"]
+ },
+ "application/atxml": {
+ "source": "iana"
+ },
+ "application/auth-policy+xml": {
+ "source": "iana",
+ "compressible": true
+ },
+ "application/bacnet-xdd+zip": {
+ "source": "iana",
+ "compressible": false
+ },
+ "application/batch-smtp": {
+ "source": "iana"
+ },
+ "application/bdoc": {
+ "compressible": false,
+ "extensions": ["bdoc"]
+ },
+ "application/beep+xml": {
+ "source": "iana",
+ "charset": "UTF-8",
+ "compressible": true
+ },
+ "application/calendar+json": {
+ "source": "iana",
+ "compressible": true
+ },
+ "application/calendar+xml": {
+ "source": "iana",
+ "compressible": true,
+ "extensions": ["xcs"]
+ },
+ "application/call-completion": {
+ "source": "iana"
+ },
+ "application/cals-1840": {
+ "source": "iana"
+ },
+ "application/captive+json": {
+ "source": "iana",
+ "compressible": true
+ },
+ "application/cbor": {
+ "source": "iana"
+ },
+ "application/cbor-seq": {
+ "source": "iana"
+ },
+ "application/cccex": {
+ "source": "iana"
+ },
+ "application/ccmp+xml": {
+ "source": "iana",
+ "compressible": true
+ },
+ "application/ccxml+xml": {
+ "source": "iana",
+ "compressible": true,
+ "extensions": ["ccxml"]
+ },
+ "application/cdfx+xml": {
+ "source": "iana",
+ "compressible": true,
+ "extensions": ["cdfx"]
+ },
+ "application/cdmi-capability": {
+ "source": "iana",
+ "extensions": ["cdmia"]
+ },
+ "application/cdmi-container": {
+ "source": "iana",
+ "extensions": ["cdmic"]
+ },
+ "application/cdmi-domain": {
+ "source": "iana",
+ "extensions": ["cdmid"]
+ },
+ "application/cdmi-object": {
+ "source": "iana",
+ "extensions": ["cdmio"]
+ },
+ "application/cdmi-queue": {
+ "source": "iana",
+ "extensions": ["cdmiq"]
+ },
+ "application/cdni": {
+ "source": "iana"
+ },
+ "application/cea": {
+ "source": "iana"
+ },
+ "application/cea-2018+xml": {
+ "source": "iana",
+ "compressible": true
+ },
+ "application/cellml+xml": {
+ "source": "iana",
+ "compressible": true
+ },
+ "application/cfw": {
+ "source": "iana"
+ },
+ "application/city+json": {
+ "source": "iana",
+ "compressible": true
+ },
+ "application/clr": {
+ "source": "iana"
+ },
+ "application/clue+xml": {
+ "source": "iana",
+ "compressible": true
+ },
+ "application/clue_info+xml": {
+ "source": "iana",
+ "compressible": true
+ },
+ "application/cms": {
+ "source": "iana"
+ },
+ "application/cnrp+xml": {
+ "source": "iana",
+ "compressible": true
+ },
+ "application/coap-group+json": {
+ "source": "iana",
+ "compressible": true
+ },
+ "application/coap-payload": {
+ "source": "iana"
+ },
+ "application/commonground": {
+ "source": "iana"
+ },
+ "application/conference-info+xml": {
+ "source": "iana",
+ "compressible": true
+ },
+ "application/cose": {
+ "source": "iana"
+ },
+ "application/cose-key": {
+ "source": "iana"
+ },
+ "application/cose-key-set": {
+ "source": "iana"
+ },
+ "application/cpl+xml": {
+ "source": "iana",
+ "compressible": true,
+ "extensions": ["cpl"]
+ },
+ "application/csrattrs": {
+ "source": "iana"
+ },
+ "application/csta+xml": {
+ "source": "iana",
+ "compressible": true
+ },
+ "application/cstadata+xml": {
+ "source": "iana",
+ "compressible": true
+ },
+ "application/csvm+json": {
+ "source": "iana",
+ "compressible": true
+ },
+ "application/cu-seeme": {
+ "source": "apache",
+ "extensions": ["cu"]
+ },
+ "application/cwt": {
+ "source": "iana"
+ },
+ "application/cybercash": {
+ "source": "iana"
+ },
+ "application/dart": {
+ "compressible": true
+ },
+ "application/dash+xml": {
+ "source": "iana",
+ "compressible": true,
+ "extensions": ["mpd"]
+ },
+ "application/dash-patch+xml": {
+ "source": "iana",
+ "compressible": true,
+ "extensions": ["mpp"]
+ },
+ "application/dashdelta": {
+ "source": "iana"
+ },
+ "application/davmount+xml": {
+ "source": "iana",
+ "compressible": true,
+ "extensions": ["davmount"]
+ },
+ "application/dca-rft": {
+ "source": "iana"
+ },
+ "application/dcd": {
+ "source": "iana"
+ },
+ "application/dec-dx": {
+ "source": "iana"
+ },
+ "application/dialog-info+xml": {
+ "source": "iana",
+ "compressible": true
+ },
+ "application/dicom": {
+ "source": "iana"
+ },
+ "application/dicom+json": {
+ "source": "iana",
+ "compressible": true
+ },
+ "application/dicom+xml": {
+ "source": "iana",
+ "compressible": true
+ },
+ "application/dii": {
+ "source": "iana"
+ },
+ "application/dit": {
+ "source": "iana"
+ },
+ "application/dns": {
+ "source": "iana"
+ },
+ "application/dns+json": {
+ "source": "iana",
+ "compressible": true
+ },
+ "application/dns-message": {
+ "source": "iana"
+ },
+ "application/docbook+xml": {
+ "source": "apache",
+ "compressible": true,
+ "extensions": ["dbk"]
+ },
+ "application/dots+cbor": {
+ "source": "iana"
+ },
+ "application/dskpp+xml": {
+ "source": "iana",
+ "compressible": true
+ },
+ "application/dssc+der": {
+ "source": "iana",
+ "extensions": ["dssc"]
+ },
+ "application/dssc+xml": {
+ "source": "iana",
+ "compressible": true,
+ "extensions": ["xdssc"]
+ },
+ "application/dvcs": {
+ "source": "iana"
+ },
+ "application/ecmascript": {
+ "source": "iana",
+ "compressible": true,
+ "extensions": ["es","ecma"]
+ },
+ "application/edi-consent": {
+ "source": "iana"
+ },
+ "application/edi-x12": {
+ "source": "iana",
+ "compressible": false
+ },
+ "application/edifact": {
+ "source": "iana",
+ "compressible": false
+ },
+ "application/efi": {
+ "source": "iana"
+ },
+ "application/elm+json": {
+ "source": "iana",
+ "charset": "UTF-8",
+ "compressible": true
+ },
+ "application/elm+xml": {
+ "source": "iana",
+ "compressible": true
+ },
+ "application/emergencycalldata.cap+xml": {
+ "source": "iana",
+ "charset": "UTF-8",
+ "compressible": true
+ },
+ "application/emergencycalldata.comment+xml": {
+ "source": "iana",
+ "compressible": true
+ },
+ "application/emergencycalldata.control+xml": {
+ "source": "iana",
+ "compressible": true
+ },
+ "application/emergencycalldata.deviceinfo+xml": {
+ "source": "iana",
+ "compressible": true
+ },
+ "application/emergencycalldata.ecall.msd": {
+ "source": "iana"
+ },
+ "application/emergencycalldata.providerinfo+xml": {
+ "source": "iana",
+ "compressible": true
+ },
+ "application/emergencycalldata.serviceinfo+xml": {
+ "source": "iana",
+ "compressible": true
+ },
+ "application/emergencycalldata.subscriberinfo+xml": {
+ "source": "iana",
+ "compressible": true
+ },
+ "application/emergencycalldata.veds+xml": {
+ "source": "iana",
+ "compressible": true
+ },
+ "application/emma+xml": {
+ "source": "iana",
+ "compressible": true,
+ "extensions": ["emma"]
+ },
+ "application/emotionml+xml": {
+ "source": "iana",
+ "compressible": true,
+ "extensions": ["emotionml"]
+ },
+ "application/encaprtp": {
+ "source": "iana"
+ },
+ "application/epp+xml": {
+ "source": "iana",
+ "compressible": true
+ },
+ "application/epub+zip": {
+ "source": "iana",
+ "compressible": false,
+ "extensions": ["epub"]
+ },
+ "application/eshop": {
+ "source": "iana"
+ },
+ "application/exi": {
+ "source": "iana",
+ "extensions": ["exi"]
+ },
+ "application/expect-ct-report+json": {
+ "source": "iana",
+ "compressible": true
+ },
+ "application/express": {
+ "source": "iana",
+ "extensions": ["exp"]
+ },
+ "application/fastinfoset": {
+ "source": "iana"
+ },
+ "application/fastsoap": {
+ "source": "iana"
+ },
+ "application/fdt+xml": {
+ "source": "iana",
+ "compressible": true,
+ "extensions": ["fdt"]
+ },
+ "application/fhir+json": {
+ "source": "iana",
+ "charset": "UTF-8",
+ "compressible": true
+ },
+ "application/fhir+xml": {
+ "source": "iana",
+ "charset": "UTF-8",
+ "compressible": true
+ },
+ "application/fido.trusted-apps+json": {
+ "compressible": true
+ },
+ "application/fits": {
+ "source": "iana"
+ },
+ "application/flexfec": {
+ "source": "iana"
+ },
+ "application/font-sfnt": {
+ "source": "iana"
+ },
+ "application/font-tdpfr": {
+ "source": "iana",
+ "extensions": ["pfr"]
+ },
+ "application/font-woff": {
+ "source": "iana",
+ "compressible": false
+ },
+ "application/framework-attributes+xml": {
+ "source": "iana",
+ "compressible": true
+ },
+ "application/geo+json": {
+ "source": "iana",
+ "compressible": true,
+ "extensions": ["geojson"]
+ },
+ "application/geo+json-seq": {
+ "source": "iana"
+ },
+ "application/geopackage+sqlite3": {
+ "source": "iana"
+ },
+ "application/geoxacml+xml": {
+ "source": "iana",
+ "compressible": true
+ },
+ "application/gltf-buffer": {
+ "source": "iana"
+ },
+ "application/gml+xml": {
+ "source": "iana",
+ "compressible": true,
+ "extensions": ["gml"]
+ },
+ "application/gpx+xml": {
+ "source": "apache",
+ "compressible": true,
+ "extensions": ["gpx"]
+ },
+ "application/gxf": {
+ "source": "apache",
+ "extensions": ["gxf"]
+ },
+ "application/gzip": {
+ "source": "iana",
+ "compressible": false,
+ "extensions": ["gz"]
+ },
+ "application/h224": {
+ "source": "iana"
+ },
+ "application/held+xml": {
+ "source": "iana",
+ "compressible": true
+ },
+ "application/hjson": {
+ "extensions": ["hjson"]
+ },
+ "application/http": {
+ "source": "iana"
+ },
+ "application/hyperstudio": {
+ "source": "iana",
+ "extensions": ["stk"]
+ },
+ "application/ibe-key-request+xml": {
+ "source": "iana",
+ "compressible": true
+ },
+ "application/ibe-pkg-reply+xml": {
+ "source": "iana",
+ "compressible": true
+ },
+ "application/ibe-pp-data": {
+ "source": "iana"
+ },
+ "application/iges": {
+ "source": "iana"
+ },
+ "application/im-iscomposing+xml": {
+ "source": "iana",
+ "charset": "UTF-8",
+ "compressible": true
+ },
+ "application/index": {
+ "source": "iana"
+ },
+ "application/index.cmd": {
+ "source": "iana"
+ },
+ "application/index.obj": {
+ "source": "iana"
+ },
+ "application/index.response": {
+ "source": "iana"
+ },
+ "application/index.vnd": {
+ "source": "iana"
+ },
+ "application/inkml+xml": {
+ "source": "iana",
+ "compressible": true,
+ "extensions": ["ink","inkml"]
+ },
+ "application/iotp": {
+ "source": "iana"
+ },
+ "application/ipfix": {
+ "source": "iana",
+ "extensions": ["ipfix"]
+ },
+ "application/ipp": {
+ "source": "iana"
+ },
+ "application/isup": {
+ "source": "iana"
+ },
+ "application/its+xml": {
+ "source": "iana",
+ "compressible": true,
+ "extensions": ["its"]
+ },
+ "application/java-archive": {
+ "source": "apache",
+ "compressible": false,
+ "extensions": ["jar","war","ear"]
+ },
+ "application/java-serialized-object": {
+ "source": "apache",
+ "compressible": false,
+ "extensions": ["ser"]
+ },
+ "application/java-vm": {
+ "source": "apache",
+ "compressible": false,
+ "extensions": ["class"]
+ },
+ "application/javascript": {
+ "source": "iana",
+ "charset": "UTF-8",
+ "compressible": true,
+ "extensions": ["js","mjs"]
+ },
+ "application/jf2feed+json": {
+ "source": "iana",
+ "compressible": true
+ },
+ "application/jose": {
+ "source": "iana"
+ },
+ "application/jose+json": {
+ "source": "iana",
+ "compressible": true
+ },
+ "application/jrd+json": {
+ "source": "iana",
+ "compressible": true
+ },
+ "application/jscalendar+json": {
+ "source": "iana",
+ "compressible": true
+ },
+ "application/json": {
+ "source": "iana",
+ "charset": "UTF-8",
+ "compressible": true,
+ "extensions": ["json","map"]
+ },
+ "application/json-patch+json": {
+ "source": "iana",
+ "compressible": true
+ },
+ "application/json-seq": {
+ "source": "iana"
+ },
+ "application/json5": {
+ "extensions": ["json5"]
+ },
+ "application/jsonml+json": {
+ "source": "apache",
+ "compressible": true,
+ "extensions": ["jsonml"]
+ },
+ "application/jwk+json": {
+ "source": "iana",
+ "compressible": true
+ },
+ "application/jwk-set+json": {
+ "source": "iana",
+ "compressible": true
+ },
+ "application/jwt": {
+ "source": "iana"
+ },
+ "application/kpml-request+xml": {
+ "source": "iana",
+ "compressible": true
+ },
+ "application/kpml-response+xml": {
+ "source": "iana",
+ "compressible": true
+ },
+ "application/ld+json": {
+ "source": "iana",
+ "compressible": true,
+ "extensions": ["jsonld"]
+ },
+ "application/lgr+xml": {
+ "source": "iana",
+ "compressible": true,
+ "extensions": ["lgr"]
+ },
+ "application/link-format": {
+ "source": "iana"
+ },
+ "application/load-control+xml": {
+ "source": "iana",
+ "compressible": true
+ },
+ "application/lost+xml": {
+ "source": "iana",
+ "compressible": true,
+ "extensions": ["lostxml"]
+ },
+ "application/lostsync+xml": {
+ "source": "iana",
+ "compressible": true
+ },
+ "application/lpf+zip": {
+ "source": "iana",
+ "compressible": false
+ },
+ "application/lxf": {
+ "source": "iana"
+ },
+ "application/mac-binhex40": {
+ "source": "iana",
+ "extensions": ["hqx"]
+ },
+ "application/mac-compactpro": {
+ "source": "apache",
+ "extensions": ["cpt"]
+ },
+ "application/macwriteii": {
+ "source": "iana"
+ },
+ "application/mads+xml": {
+ "source": "iana",
+ "compressible": true,
+ "extensions": ["mads"]
+ },
+ "application/manifest+json": {
+ "source": "iana",
+ "charset": "UTF-8",
+ "compressible": true,
+ "extensions": ["webmanifest"]
+ },
+ "application/marc": {
+ "source": "iana",
+ "extensions": ["mrc"]
+ },
+ "application/marcxml+xml": {
+ "source": "iana",
+ "compressible": true,
+ "extensions": ["mrcx"]
+ },
+ "application/mathematica": {
+ "source": "iana",
+ "extensions": ["ma","nb","mb"]
+ },
+ "application/mathml+xml": {
+ "source": "iana",
+ "compressible": true,
+ "extensions": ["mathml"]
+ },
+ "application/mathml-content+xml": {
+ "source": "iana",
+ "compressible": true
+ },
+ "application/mathml-presentation+xml": {
+ "source": "iana",
+ "compressible": true
+ },
+ "application/mbms-associated-procedure-description+xml": {
+ "source": "iana",
+ "compressible": true
+ },
+ "application/mbms-deregister+xml": {
+ "source": "iana",
+ "compressible": true
+ },
+ "application/mbms-envelope+xml": {
+ "source": "iana",
+ "compressible": true
+ },
+ "application/mbms-msk+xml": {
+ "source": "iana",
+ "compressible": true
+ },
+ "application/mbms-msk-response+xml": {
+ "source": "iana",
+ "compressible": true
+ },
+ "application/mbms-protection-description+xml": {
+ "source": "iana",
+ "compressible": true
+ },
+ "application/mbms-reception-report+xml": {
+ "source": "iana",
+ "compressible": true
+ },
+ "application/mbms-register+xml": {
+ "source": "iana",
+ "compressible": true
+ },
+ "application/mbms-register-response+xml": {
+ "source": "iana",
+ "compressible": true
+ },
+ "application/mbms-schedule+xml": {
+ "source": "iana",
+ "compressible": true
+ },
+ "application/mbms-user-service-description+xml": {
+ "source": "iana",
+ "compressible": true
+ },
+ "application/mbox": {
+ "source": "iana",
+ "extensions": ["mbox"]
+ },
+ "application/media-policy-dataset+xml": {
+ "source": "iana",
+ "compressible": true,
+ "extensions": ["mpf"]
+ },
+ "application/media_control+xml": {
+ "source": "iana",
+ "compressible": true
+ },
+ "application/mediaservercontrol+xml": {
+ "source": "iana",
+ "compressible": true,
+ "extensions": ["mscml"]
+ },
+ "application/merge-patch+json": {
+ "source": "iana",
+ "compressible": true
+ },
+ "application/metalink+xml": {
+ "source": "apache",
+ "compressible": true,
+ "extensions": ["metalink"]
+ },
+ "application/metalink4+xml": {
+ "source": "iana",
+ "compressible": true,
+ "extensions": ["meta4"]
+ },
+ "application/mets+xml": {
+ "source": "iana",
+ "compressible": true,
+ "extensions": ["mets"]
+ },
+ "application/mf4": {
+ "source": "iana"
+ },
+ "application/mikey": {
+ "source": "iana"
+ },
+ "application/mipc": {
+ "source": "iana"
+ },
+ "application/missing-blocks+cbor-seq": {
+ "source": "iana"
+ },
+ "application/mmt-aei+xml": {
+ "source": "iana",
+ "compressible": true,
+ "extensions": ["maei"]
+ },
+ "application/mmt-usd+xml": {
+ "source": "iana",
+ "compressible": true,
+ "extensions": ["musd"]
+ },
+ "application/mods+xml": {
+ "source": "iana",
+ "compressible": true,
+ "extensions": ["mods"]
+ },
+ "application/moss-keys": {
+ "source": "iana"
+ },
+ "application/moss-signature": {
+ "source": "iana"
+ },
+ "application/mosskey-data": {
+ "source": "iana"
+ },
+ "application/mosskey-request": {
+ "source": "iana"
+ },
+ "application/mp21": {
+ "source": "iana",
+ "extensions": ["m21","mp21"]
+ },
+ "application/mp4": {
+ "source": "iana",
+ "extensions": ["mp4s","m4p"]
+ },
+ "application/mpeg4-generic": {
+ "source": "iana"
+ },
+ "application/mpeg4-iod": {
+ "source": "iana"
+ },
+ "application/mpeg4-iod-xmt": {
+ "source": "iana"
+ },
+ "application/mrb-consumer+xml": {
+ "source": "iana",
+ "compressible": true
+ },
+ "application/mrb-publish+xml": {
+ "source": "iana",
+ "compressible": true
+ },
+ "application/msc-ivr+xml": {
+ "source": "iana",
+ "charset": "UTF-8",
+ "compressible": true
+ },
+ "application/msc-mixer+xml": {
+ "source": "iana",
+ "charset": "UTF-8",
+ "compressible": true
+ },
+ "application/msword": {
+ "source": "iana",
+ "compressible": false,
+ "extensions": ["doc","dot"]
+ },
+ "application/mud+json": {
+ "source": "iana",
+ "compressible": true
+ },
+ "application/multipart-core": {
+ "source": "iana"
+ },
+ "application/mxf": {
+ "source": "iana",
+ "extensions": ["mxf"]
+ },
+ "application/n-quads": {
+ "source": "iana",
+ "extensions": ["nq"]
+ },
+ "application/n-triples": {
+ "source": "iana",
+ "extensions": ["nt"]
+ },
+ "application/nasdata": {
+ "source": "iana"
+ },
+ "application/news-checkgroups": {
+ "source": "iana",
+ "charset": "US-ASCII"
+ },
+ "application/news-groupinfo": {
+ "source": "iana",
+ "charset": "US-ASCII"
+ },
+ "application/news-transmission": {
+ "source": "iana"
+ },
+ "application/nlsml+xml": {
+ "source": "iana",
+ "compressible": true
+ },
+ "application/node": {
+ "source": "iana",
+ "extensions": ["cjs"]
+ },
+ "application/nss": {
+ "source": "iana"
+ },
+ "application/oauth-authz-req+jwt": {
+ "source": "iana"
+ },
+ "application/oblivious-dns-message": {
+ "source": "iana"
+ },
+ "application/ocsp-request": {
+ "source": "iana"
+ },
+ "application/ocsp-response": {
+ "source": "iana"
+ },
+ "application/octet-stream": {
+ "source": "iana",
+ "compressible": false,
+ "extensions": ["bin","dms","lrf","mar","so","dist","distz","pkg","bpk","dump","elc","deploy","exe","dll","deb","dmg","iso","img","msi","msp","msm","buffer"]
+ },
+ "application/oda": {
+ "source": "iana",
+ "extensions": ["oda"]
+ },
+ "application/odm+xml": {
+ "source": "iana",
+ "compressible": true
+ },
+ "application/odx": {
+ "source": "iana"
+ },
+ "application/oebps-package+xml": {
+ "source": "iana",
+ "compressible": true,
+ "extensions": ["opf"]
+ },
+ "application/ogg": {
+ "source": "iana",
+ "compressible": false,
+ "extensions": ["ogx"]
+ },
+ "application/omdoc+xml": {
+ "source": "apache",
+ "compressible": true,
+ "extensions": ["omdoc"]
+ },
+ "application/onenote": {
+ "source": "apache",
+ "extensions": ["onetoc","onetoc2","onetmp","onepkg"]
+ },
+ "application/opc-nodeset+xml": {
+ "source": "iana",
+ "compressible": true
+ },
+ "application/oscore": {
+ "source": "iana"
+ },
+ "application/oxps": {
+ "source": "iana",
+ "extensions": ["oxps"]
+ },
+ "application/p21": {
+ "source": "iana"
+ },
+ "application/p21+zip": {
+ "source": "iana",
+ "compressible": false
+ },
+ "application/p2p-overlay+xml": {
+ "source": "iana",
+ "compressible": true,
+ "extensions": ["relo"]
+ },
+ "application/parityfec": {
+ "source": "iana"
+ },
+ "application/passport": {
+ "source": "iana"
+ },
+ "application/patch-ops-error+xml": {
+ "source": "iana",
+ "compressible": true,
+ "extensions": ["xer"]
+ },
+ "application/pdf": {
+ "source": "iana",
+ "compressible": false,
+ "extensions": ["pdf"]
+ },
+ "application/pdx": {
+ "source": "iana"
+ },
+ "application/pem-certificate-chain": {
+ "source": "iana"
+ },
+ "application/pgp-encrypted": {
+ "source": "iana",
+ "compressible": false,
+ "extensions": ["pgp"]
+ },
+ "application/pgp-keys": {
+ "source": "iana",
+ "extensions": ["asc"]
+ },
+ "application/pgp-signature": {
+ "source": "iana",
+ "extensions": ["asc","sig"]
+ },
+ "application/pics-rules": {
+ "source": "apache",
+ "extensions": ["prf"]
+ },
+ "application/pidf+xml": {
+ "source": "iana",
+ "charset": "UTF-8",
+ "compressible": true
+ },
+ "application/pidf-diff+xml": {
+ "source": "iana",
+ "charset": "UTF-8",
+ "compressible": true
+ },
+ "application/pkcs10": {
+ "source": "iana",
+ "extensions": ["p10"]
+ },
+ "application/pkcs12": {
+ "source": "iana"
+ },
+ "application/pkcs7-mime": {
+ "source": "iana",
+ "extensions": ["p7m","p7c"]
+ },
+ "application/pkcs7-signature": {
+ "source": "iana",
+ "extensions": ["p7s"]
+ },
+ "application/pkcs8": {
+ "source": "iana",
+ "extensions": ["p8"]
+ },
+ "application/pkcs8-encrypted": {
+ "source": "iana"
+ },
+ "application/pkix-attr-cert": {
+ "source": "iana",
+ "extensions": ["ac"]
+ },
+ "application/pkix-cert": {
+ "source": "iana",
+ "extensions": ["cer"]
+ },
+ "application/pkix-crl": {
+ "source": "iana",
+ "extensions": ["crl"]
+ },
+ "application/pkix-pkipath": {
+ "source": "iana",
+ "extensions": ["pkipath"]
+ },
+ "application/pkixcmp": {
+ "source": "iana",
+ "extensions": ["pki"]
+ },
+ "application/pls+xml": {
+ "source": "iana",
+ "compressible": true,
+ "extensions": ["pls"]
+ },
+ "application/poc-settings+xml": {
+ "source": "iana",
+ "charset": "UTF-8",
+ "compressible": true
+ },
+ "application/postscript": {
+ "source": "iana",
+ "compressible": true,
+ "extensions": ["ai","eps","ps"]
+ },
+ "application/ppsp-tracker+json": {
+ "source": "iana",
+ "compressible": true
+ },
+ "application/problem+json": {
+ "source": "iana",
+ "compressible": true
+ },
+ "application/problem+xml": {
+ "source": "iana",
+ "compressible": true
+ },
+ "application/provenance+xml": {
+ "source": "iana",
+ "compressible": true,
+ "extensions": ["provx"]
+ },
+ "application/prs.alvestrand.titrax-sheet": {
+ "source": "iana"
+ },
+ "application/prs.cww": {
+ "source": "iana",
+ "extensions": ["cww"]
+ },
+ "application/prs.cyn": {
+ "source": "iana",
+ "charset": "7-BIT"
+ },
+ "application/prs.hpub+zip": {
+ "source": "iana",
+ "compressible": false
+ },
+ "application/prs.nprend": {
+ "source": "iana"
+ },
+ "application/prs.plucker": {
+ "source": "iana"
+ },
+ "application/prs.rdf-xml-crypt": {
+ "source": "iana"
+ },
+ "application/prs.xsf+xml": {
+ "source": "iana",
+ "compressible": true
+ },
+ "application/pskc+xml": {
+ "source": "iana",
+ "compressible": true,
+ "extensions": ["pskcxml"]
+ },
+ "application/pvd+json": {
+ "source": "iana",
+ "compressible": true
+ },
+ "application/qsig": {
+ "source": "iana"
+ },
+ "application/raml+yaml": {
+ "compressible": true,
+ "extensions": ["raml"]
+ },
+ "application/raptorfec": {
+ "source": "iana"
+ },
+ "application/rdap+json": {
+ "source": "iana",
+ "compressible": true
+ },
+ "application/rdf+xml": {
+ "source": "iana",
+ "compressible": true,
+ "extensions": ["rdf","owl"]
+ },
+ "application/reginfo+xml": {
+ "source": "iana",
+ "compressible": true,
+ "extensions": ["rif"]
+ },
+ "application/relax-ng-compact-syntax": {
+ "source": "iana",
+ "extensions": ["rnc"]
+ },
+ "application/remote-printing": {
+ "source": "iana"
+ },
+ "application/reputon+json": {
+ "source": "iana",
+ "compressible": true
+ },
+ "application/resource-lists+xml": {
+ "source": "iana",
+ "compressible": true,
+ "extensions": ["rl"]
+ },
+ "application/resource-lists-diff+xml": {
+ "source": "iana",
+ "compressible": true,
+ "extensions": ["rld"]
+ },
+ "application/rfc+xml": {
+ "source": "iana",
+ "compressible": true
+ },
+ "application/riscos": {
+ "source": "iana"
+ },
+ "application/rlmi+xml": {
+ "source": "iana",
+ "compressible": true
+ },
+ "application/rls-services+xml": {
+ "source": "iana",
+ "compressible": true,
+ "extensions": ["rs"]
+ },
+ "application/route-apd+xml": {
+ "source": "iana",
+ "compressible": true,
+ "extensions": ["rapd"]
+ },
+ "application/route-s-tsid+xml": {
+ "source": "iana",
+ "compressible": true,
+ "extensions": ["sls"]
+ },
+ "application/route-usd+xml": {
+ "source": "iana",
+ "compressible": true,
+ "extensions": ["rusd"]
+ },
+ "application/rpki-ghostbusters": {
+ "source": "iana",
+ "extensions": ["gbr"]
+ },
+ "application/rpki-manifest": {
+ "source": "iana",
+ "extensions": ["mft"]
+ },
+ "application/rpki-publication": {
+ "source": "iana"
+ },
+ "application/rpki-roa": {
+ "source": "iana",
+ "extensions": ["roa"]
+ },
+ "application/rpki-updown": {
+ "source": "iana"
+ },
+ "application/rsd+xml": {
+ "source": "apache",
+ "compressible": true,
+ "extensions": ["rsd"]
+ },
+ "application/rss+xml": {
+ "source": "apache",
+ "compressible": true,
+ "extensions": ["rss"]
+ },
+ "application/rtf": {
+ "source": "iana",
+ "compressible": true,
+ "extensions": ["rtf"]
+ },
+ "application/rtploopback": {
+ "source": "iana"
+ },
+ "application/rtx": {
+ "source": "iana"
+ },
+ "application/samlassertion+xml": {
+ "source": "iana",
+ "compressible": true
+ },
+ "application/samlmetadata+xml": {
+ "source": "iana",
+ "compressible": true
+ },
+ "application/sarif+json": {
+ "source": "iana",
+ "compressible": true
+ },
+ "application/sarif-external-properties+json": {
+ "source": "iana",
+ "compressible": true
+ },
+ "application/sbe": {
+ "source": "iana"
+ },
+ "application/sbml+xml": {
+ "source": "iana",
+ "compressible": true,
+ "extensions": ["sbml"]
+ },
+ "application/scaip+xml": {
+ "source": "iana",
+ "compressible": true
+ },
+ "application/scim+json": {
+ "source": "iana",
+ "compressible": true
+ },
+ "application/scvp-cv-request": {
+ "source": "iana",
+ "extensions": ["scq"]
+ },
+ "application/scvp-cv-response": {
+ "source": "iana",
+ "extensions": ["scs"]
+ },
+ "application/scvp-vp-request": {
+ "source": "iana",
+ "extensions": ["spq"]
+ },
+ "application/scvp-vp-response": {
+ "source": "iana",
+ "extensions": ["spp"]
+ },
+ "application/sdp": {
+ "source": "iana",
+ "extensions": ["sdp"]
+ },
+ "application/secevent+jwt": {
+ "source": "iana"
+ },
+ "application/senml+cbor": {
+ "source": "iana"
+ },
+ "application/senml+json": {
+ "source": "iana",
+ "compressible": true
+ },
+ "application/senml+xml": {
+ "source": "iana",
+ "compressible": true,
+ "extensions": ["senmlx"]
+ },
+ "application/senml-etch+cbor": {
+ "source": "iana"
+ },
+ "application/senml-etch+json": {
+ "source": "iana",
+ "compressible": true
+ },
+ "application/senml-exi": {
+ "source": "iana"
+ },
+ "application/sensml+cbor": {
+ "source": "iana"
+ },
+ "application/sensml+json": {
+ "source": "iana",
+ "compressible": true
+ },
+ "application/sensml+xml": {
+ "source": "iana",
+ "compressible": true,
+ "extensions": ["sensmlx"]
+ },
+ "application/sensml-exi": {
+ "source": "iana"
+ },
+ "application/sep+xml": {
+ "source": "iana",
+ "compressible": true
+ },
+ "application/sep-exi": {
+ "source": "iana"
+ },
+ "application/session-info": {
+ "source": "iana"
+ },
+ "application/set-payment": {
+ "source": "iana"
+ },
+ "application/set-payment-initiation": {
+ "source": "iana",
+ "extensions": ["setpay"]
+ },
+ "application/set-registration": {
+ "source": "iana"
+ },
+ "application/set-registration-initiation": {
+ "source": "iana",
+ "extensions": ["setreg"]
+ },
+ "application/sgml": {
+ "source": "iana"
+ },
+ "application/sgml-open-catalog": {
+ "source": "iana"
+ },
+ "application/shf+xml": {
+ "source": "iana",
+ "compressible": true,
+ "extensions": ["shf"]
+ },
+ "application/sieve": {
+ "source": "iana",
+ "extensions": ["siv","sieve"]
+ },
+ "application/simple-filter+xml": {
+ "source": "iana",
+ "compressible": true
+ },
+ "application/simple-message-summary": {
+ "source": "iana"
+ },
+ "application/simplesymbolcontainer": {
+ "source": "iana"
+ },
+ "application/sipc": {
+ "source": "iana"
+ },
+ "application/slate": {
+ "source": "iana"
+ },
+ "application/smil": {
+ "source": "iana"
+ },
+ "application/smil+xml": {
+ "source": "iana",
+ "compressible": true,
+ "extensions": ["smi","smil"]
+ },
+ "application/smpte336m": {
+ "source": "iana"
+ },
+ "application/soap+fastinfoset": {
+ "source": "iana"
+ },
+ "application/soap+xml": {
+ "source": "iana",
+ "compressible": true
+ },
+ "application/sparql-query": {
+ "source": "iana",
+ "extensions": ["rq"]
+ },
+ "application/sparql-results+xml": {
+ "source": "iana",
+ "compressible": true,
+ "extensions": ["srx"]
+ },
+ "application/spdx+json": {
+ "source": "iana",
+ "compressible": true
+ },
+ "application/spirits-event+xml": {
+ "source": "iana",
+ "compressible": true
+ },
+ "application/sql": {
+ "source": "iana"
+ },
+ "application/srgs": {
+ "source": "iana",
+ "extensions": ["gram"]
+ },
+ "application/srgs+xml": {
+ "source": "iana",
+ "compressible": true,
+ "extensions": ["grxml"]
+ },
+ "application/sru+xml": {
+ "source": "iana",
+ "compressible": true,
+ "extensions": ["sru"]
+ },
+ "application/ssdl+xml": {
+ "source": "apache",
+ "compressible": true,
+ "extensions": ["ssdl"]
+ },
+ "application/ssml+xml": {
+ "source": "iana",
+ "compressible": true,
+ "extensions": ["ssml"]
+ },
+ "application/stix+json": {
+ "source": "iana",
+ "compressible": true
+ },
+ "application/swid+xml": {
+ "source": "iana",
+ "compressible": true,
+ "extensions": ["swidtag"]
+ },
+ "application/tamp-apex-update": {
+ "source": "iana"
+ },
+ "application/tamp-apex-update-confirm": {
+ "source": "iana"
+ },
+ "application/tamp-community-update": {
+ "source": "iana"
+ },
+ "application/tamp-community-update-confirm": {
+ "source": "iana"
+ },
+ "application/tamp-error": {
+ "source": "iana"
+ },
+ "application/tamp-sequence-adjust": {
+ "source": "iana"
+ },
+ "application/tamp-sequence-adjust-confirm": {
+ "source": "iana"
+ },
+ "application/tamp-status-query": {
+ "source": "iana"
+ },
+ "application/tamp-status-response": {
+ "source": "iana"
+ },
+ "application/tamp-update": {
+ "source": "iana"
+ },
+ "application/tamp-update-confirm": {
+ "source": "iana"
+ },
+ "application/tar": {
+ "compressible": true
+ },
+ "application/taxii+json": {
+ "source": "iana",
+ "compressible": true
+ },
+ "application/td+json": {
+ "source": "iana",
+ "compressible": true
+ },
+ "application/tei+xml": {
+ "source": "iana",
+ "compressible": true,
+ "extensions": ["tei","teicorpus"]
+ },
+ "application/tetra_isi": {
+ "source": "iana"
+ },
+ "application/thraud+xml": {
+ "source": "iana",
+ "compressible": true,
+ "extensions": ["tfi"]
+ },
+ "application/timestamp-query": {
+ "source": "iana"
+ },
+ "application/timestamp-reply": {
+ "source": "iana"
+ },
+ "application/timestamped-data": {
+ "source": "iana",
+ "extensions": ["tsd"]
+ },
+ "application/tlsrpt+gzip": {
+ "source": "iana"
+ },
+ "application/tlsrpt+json": {
+ "source": "iana",
+ "compressible": true
+ },
+ "application/tnauthlist": {
+ "source": "iana"
+ },
+ "application/token-introspection+jwt": {
+ "source": "iana"
+ },
+ "application/toml": {
+ "compressible": true,
+ "extensions": ["toml"]
+ },
+ "application/trickle-ice-sdpfrag": {
+ "source": "iana"
+ },
+ "application/trig": {
+ "source": "iana",
+ "extensions": ["trig"]
+ },
+ "application/ttml+xml": {
+ "source": "iana",
+ "compressible": true,
+ "extensions": ["ttml"]
+ },
+ "application/tve-trigger": {
+ "source": "iana"
+ },
+ "application/tzif": {
+ "source": "iana"
+ },
+ "application/tzif-leap": {
+ "source": "iana"
+ },
+ "application/ubjson": {
+ "compressible": false,
+ "extensions": ["ubj"]
+ },
+ "application/ulpfec": {
+ "source": "iana"
+ },
+ "application/urc-grpsheet+xml": {
+ "source": "iana",
+ "compressible": true
+ },
+ "application/urc-ressheet+xml": {
+ "source": "iana",
+ "compressible": true,
+ "extensions": ["rsheet"]
+ },
+ "application/urc-targetdesc+xml": {
+ "source": "iana",
+ "compressible": true,
+ "extensions": ["td"]
+ },
+ "application/urc-uisocketdesc+xml": {
+ "source": "iana",
+ "compressible": true
+ },
+ "application/vcard+json": {
+ "source": "iana",
+ "compressible": true
+ },
+ "application/vcard+xml": {
+ "source": "iana",
+ "compressible": true
+ },
+ "application/vemmi": {
+ "source": "iana"
+ },
+ "application/vividence.scriptfile": {
+ "source": "apache"
+ },
+ "application/vnd.1000minds.decision-model+xml": {
+ "source": "iana",
+ "compressible": true,
+ "extensions": ["1km"]
+ },
+ "application/vnd.3gpp-prose+xml": {
+ "source": "iana",
+ "compressible": true
+ },
+ "application/vnd.3gpp-prose-pc3ch+xml": {
+ "source": "iana",
+ "compressible": true
+ },
+ "application/vnd.3gpp-v2x-local-service-information": {
+ "source": "iana"
+ },
+ "application/vnd.3gpp.5gnas": {
+ "source": "iana"
+ },
+ "application/vnd.3gpp.access-transfer-events+xml": {
+ "source": "iana",
+ "compressible": true
+ },
+ "application/vnd.3gpp.bsf+xml": {
+ "source": "iana",
+ "compressible": true
+ },
+ "application/vnd.3gpp.gmop+xml": {
+ "source": "iana",
+ "compressible": true
+ },
+ "application/vnd.3gpp.gtpc": {
+ "source": "iana"
+ },
+ "application/vnd.3gpp.interworking-data": {
+ "source": "iana"
+ },
+ "application/vnd.3gpp.lpp": {
+ "source": "iana"
+ },
+ "application/vnd.3gpp.mc-signalling-ear": {
+ "source": "iana"
+ },
+ "application/vnd.3gpp.mcdata-affiliation-command+xml": {
+ "source": "iana",
+ "compressible": true
+ },
+ "application/vnd.3gpp.mcdata-info+xml": {
+ "source": "iana",
+ "compressible": true
+ },
+ "application/vnd.3gpp.mcdata-payload": {
+ "source": "iana"
+ },
+ "application/vnd.3gpp.mcdata-service-config+xml": {
+ "source": "iana",
+ "compressible": true
+ },
+ "application/vnd.3gpp.mcdata-signalling": {
+ "source": "iana"
+ },
+ "application/vnd.3gpp.mcdata-ue-config+xml": {
+ "source": "iana",
+ "compressible": true
+ },
+ "application/vnd.3gpp.mcdata-user-profile+xml": {
+ "source": "iana",
+ "compressible": true
+ },
+ "application/vnd.3gpp.mcptt-affiliation-command+xml": {
+ "source": "iana",
+ "compressible": true
+ },
+ "application/vnd.3gpp.mcptt-floor-request+xml": {
+ "source": "iana",
+ "compressible": true
+ },
+ "application/vnd.3gpp.mcptt-info+xml": {
+ "source": "iana",
+ "compressible": true
+ },
+ "application/vnd.3gpp.mcptt-location-info+xml": {
+ "source": "iana",
+ "compressible": true
+ },
+ "application/vnd.3gpp.mcptt-mbms-usage-info+xml": {
+ "source": "iana",
+ "compressible": true
+ },
+ "application/vnd.3gpp.mcptt-service-config+xml": {
+ "source": "iana",
+ "compressible": true
+ },
+ "application/vnd.3gpp.mcptt-signed+xml": {
+ "source": "iana",
+ "compressible": true
+ },
+ "application/vnd.3gpp.mcptt-ue-config+xml": {
+ "source": "iana",
+ "compressible": true
+ },
+ "application/vnd.3gpp.mcptt-ue-init-config+xml": {
+ "source": "iana",
+ "compressible": true
+ },
+ "application/vnd.3gpp.mcptt-user-profile+xml": {
+ "source": "iana",
+ "compressible": true
+ },
+ "application/vnd.3gpp.mcvideo-affiliation-command+xml": {
+ "source": "iana",
+ "compressible": true
+ },
+ "application/vnd.3gpp.mcvideo-affiliation-info+xml": {
+ "source": "iana",
+ "compressible": true
+ },
+ "application/vnd.3gpp.mcvideo-info+xml": {
+ "source": "iana",
+ "compressible": true
+ },
+ "application/vnd.3gpp.mcvideo-location-info+xml": {
+ "source": "iana",
+ "compressible": true
+ },
+ "application/vnd.3gpp.mcvideo-mbms-usage-info+xml": {
+ "source": "iana",
+ "compressible": true
+ },
+ "application/vnd.3gpp.mcvideo-service-config+xml": {
+ "source": "iana",
+ "compressible": true
+ },
+ "application/vnd.3gpp.mcvideo-transmission-request+xml": {
+ "source": "iana",
+ "compressible": true
+ },
+ "application/vnd.3gpp.mcvideo-ue-config+xml": {
+ "source": "iana",
+ "compressible": true
+ },
+ "application/vnd.3gpp.mcvideo-user-profile+xml": {
+ "source": "iana",
+ "compressible": true
+ },
+ "application/vnd.3gpp.mid-call+xml": {
+ "source": "iana",
+ "compressible": true
+ },
+ "application/vnd.3gpp.ngap": {
+ "source": "iana"
+ },
+ "application/vnd.3gpp.pfcp": {
+ "source": "iana"
+ },
+ "application/vnd.3gpp.pic-bw-large": {
+ "source": "iana",
+ "extensions": ["plb"]
+ },
+ "application/vnd.3gpp.pic-bw-small": {
+ "source": "iana",
+ "extensions": ["psb"]
+ },
+ "application/vnd.3gpp.pic-bw-var": {
+ "source": "iana",
+ "extensions": ["pvb"]
+ },
+ "application/vnd.3gpp.s1ap": {
+ "source": "iana"
+ },
+ "application/vnd.3gpp.sms": {
+ "source": "iana"
+ },
+ "application/vnd.3gpp.sms+xml": {
+ "source": "iana",
+ "compressible": true
+ },
+ "application/vnd.3gpp.srvcc-ext+xml": {
+ "source": "iana",
+ "compressible": true
+ },
+ "application/vnd.3gpp.srvcc-info+xml": {
+ "source": "iana",
+ "compressible": true
+ },
+ "application/vnd.3gpp.state-and-event-info+xml": {
+ "source": "iana",
+ "compressible": true
+ },
+ "application/vnd.3gpp.ussd+xml": {
+ "source": "iana",
+ "compressible": true
+ },
+ "application/vnd.3gpp2.bcmcsinfo+xml": {
+ "source": "iana",
+ "compressible": true
+ },
+ "application/vnd.3gpp2.sms": {
+ "source": "iana"
+ },
+ "application/vnd.3gpp2.tcap": {
+ "source": "iana",
+ "extensions": ["tcap"]
+ },
+ "application/vnd.3lightssoftware.imagescal": {
+ "source": "iana"
+ },
+ "application/vnd.3m.post-it-notes": {
+ "source": "iana",
+ "extensions": ["pwn"]
+ },
+ "application/vnd.accpac.simply.aso": {
+ "source": "iana",
+ "extensions": ["aso"]
+ },
+ "application/vnd.accpac.simply.imp": {
+ "source": "iana",
+ "extensions": ["imp"]
+ },
+ "application/vnd.acucobol": {
+ "source": "iana",
+ "extensions": ["acu"]
+ },
+ "application/vnd.acucorp": {
+ "source": "iana",
+ "extensions": ["atc","acutc"]
+ },
+ "application/vnd.adobe.air-application-installer-package+zip": {
+ "source": "apache",
+ "compressible": false,
+ "extensions": ["air"]
+ },
+ "application/vnd.adobe.flash.movie": {
+ "source": "iana"
+ },
+ "application/vnd.adobe.formscentral.fcdt": {
+ "source": "iana",
+ "extensions": ["fcdt"]
+ },
+ "application/vnd.adobe.fxp": {
+ "source": "iana",
+ "extensions": ["fxp","fxpl"]
+ },
+ "application/vnd.adobe.partial-upload": {
+ "source": "iana"
+ },
+ "application/vnd.adobe.xdp+xml": {
+ "source": "iana",
+ "compressible": true,
+ "extensions": ["xdp"]
+ },
+ "application/vnd.adobe.xfdf": {
+ "source": "iana",
+ "extensions": ["xfdf"]
+ },
+ "application/vnd.aether.imp": {
+ "source": "iana"
+ },
+ "application/vnd.afpc.afplinedata": {
+ "source": "iana"
+ },
+ "application/vnd.afpc.afplinedata-pagedef": {
+ "source": "iana"
+ },
+ "application/vnd.afpc.cmoca-cmresource": {
+ "source": "iana"
+ },
+ "application/vnd.afpc.foca-charset": {
+ "source": "iana"
+ },
+ "application/vnd.afpc.foca-codedfont": {
+ "source": "iana"
+ },
+ "application/vnd.afpc.foca-codepage": {
+ "source": "iana"
+ },
+ "application/vnd.afpc.modca": {
+ "source": "iana"
+ },
+ "application/vnd.afpc.modca-cmtable": {
+ "source": "iana"
+ },
+ "application/vnd.afpc.modca-formdef": {
+ "source": "iana"
+ },
+ "application/vnd.afpc.modca-mediummap": {
+ "source": "iana"
+ },
+ "application/vnd.afpc.modca-objectcontainer": {
+ "source": "iana"
+ },
+ "application/vnd.afpc.modca-overlay": {
+ "source": "iana"
+ },
+ "application/vnd.afpc.modca-pagesegment": {
+ "source": "iana"
+ },
+ "application/vnd.age": {
+ "source": "iana",
+ "extensions": ["age"]
+ },
+ "application/vnd.ah-barcode": {
+ "source": "iana"
+ },
+ "application/vnd.ahead.space": {
+ "source": "iana",
+ "extensions": ["ahead"]
+ },
+ "application/vnd.airzip.filesecure.azf": {
+ "source": "iana",
+ "extensions": ["azf"]
+ },
+ "application/vnd.airzip.filesecure.azs": {
+ "source": "iana",
+ "extensions": ["azs"]
+ },
+ "application/vnd.amadeus+json": {
+ "source": "iana",
+ "compressible": true
+ },
+ "application/vnd.amazon.ebook": {
+ "source": "apache",
+ "extensions": ["azw"]
+ },
+ "application/vnd.amazon.mobi8-ebook": {
+ "source": "iana"
+ },
+ "application/vnd.americandynamics.acc": {
+ "source": "iana",
+ "extensions": ["acc"]
+ },
+ "application/vnd.amiga.ami": {
+ "source": "iana",
+ "extensions": ["ami"]
+ },
+ "application/vnd.amundsen.maze+xml": {
+ "source": "iana",
+ "compressible": true
+ },
+ "application/vnd.android.ota": {
+ "source": "iana"
+ },
+ "application/vnd.android.package-archive": {
+ "source": "apache",
+ "compressible": false,
+ "extensions": ["apk"]
+ },
+ "application/vnd.anki": {
+ "source": "iana"
+ },
+ "application/vnd.anser-web-certificate-issue-initiation": {
+ "source": "iana",
+ "extensions": ["cii"]
+ },
+ "application/vnd.anser-web-funds-transfer-initiation": {
+ "source": "apache",
+ "extensions": ["fti"]
+ },
+ "application/vnd.antix.game-component": {
+ "source": "iana",
+ "extensions": ["atx"]
+ },
+ "application/vnd.apache.arrow.file": {
+ "source": "iana"
+ },
+ "application/vnd.apache.arrow.stream": {
+ "source": "iana"
+ },
+ "application/vnd.apache.thrift.binary": {
+ "source": "iana"
+ },
+ "application/vnd.apache.thrift.compact": {
+ "source": "iana"
+ },
+ "application/vnd.apache.thrift.json": {
+ "source": "iana"
+ },
+ "application/vnd.api+json": {
+ "source": "iana",
+ "compressible": true
+ },
+ "application/vnd.aplextor.warrp+json": {
+ "source": "iana",
+ "compressible": true
+ },
+ "application/vnd.apothekende.reservation+json": {
+ "source": "iana",
+ "compressible": true
+ },
+ "application/vnd.apple.installer+xml": {
+ "source": "iana",
+ "compressible": true,
+ "extensions": ["mpkg"]
+ },
+ "application/vnd.apple.keynote": {
+ "source": "iana",
+ "extensions": ["key"]
+ },
+ "application/vnd.apple.mpegurl": {
+ "source": "iana",
+ "extensions": ["m3u8"]
+ },
+ "application/vnd.apple.numbers": {
+ "source": "iana",
+ "extensions": ["numbers"]
+ },
+ "application/vnd.apple.pages": {
+ "source": "iana",
+ "extensions": ["pages"]
+ },
+ "application/vnd.apple.pkpass": {
+ "compressible": false,
+ "extensions": ["pkpass"]
+ },
+ "application/vnd.arastra.swi": {
+ "source": "iana"
+ },
+ "application/vnd.aristanetworks.swi": {
+ "source": "iana",
+ "extensions": ["swi"]
+ },
+ "application/vnd.artisan+json": {
+ "source": "iana",
+ "compressible": true
+ },
+ "application/vnd.artsquare": {
+ "source": "iana"
+ },
+ "application/vnd.astraea-software.iota": {
+ "source": "iana",
+ "extensions": ["iota"]
+ },
+ "application/vnd.audiograph": {
+ "source": "iana",
+ "extensions": ["aep"]
+ },
+ "application/vnd.autopackage": {
+ "source": "iana"
+ },
+ "application/vnd.avalon+json": {
+ "source": "iana",
+ "compressible": true
+ },
+ "application/vnd.avistar+xml": {
+ "source": "iana",
+ "compressible": true
+ },
+ "application/vnd.balsamiq.bmml+xml": {
+ "source": "iana",
+ "compressible": true,
+ "extensions": ["bmml"]
+ },
+ "application/vnd.balsamiq.bmpr": {
+ "source": "iana"
+ },
+ "application/vnd.banana-accounting": {
+ "source": "iana"
+ },
+ "application/vnd.bbf.usp.error": {
+ "source": "iana"
+ },
+ "application/vnd.bbf.usp.msg": {
+ "source": "iana"
+ },
+ "application/vnd.bbf.usp.msg+json": {
+ "source": "iana",
+ "compressible": true
+ },
+ "application/vnd.bekitzur-stech+json": {
+ "source": "iana",
+ "compressible": true
+ },
+ "application/vnd.bint.med-content": {
+ "source": "iana"
+ },
+ "application/vnd.biopax.rdf+xml": {
+ "source": "iana",
+ "compressible": true
+ },
+ "application/vnd.blink-idb-value-wrapper": {
+ "source": "iana"
+ },
+ "application/vnd.blueice.multipass": {
+ "source": "iana",
+ "extensions": ["mpm"]
+ },
+ "application/vnd.bluetooth.ep.oob": {
+ "source": "iana"
+ },
+ "application/vnd.bluetooth.le.oob": {
+ "source": "iana"
+ },
+ "application/vnd.bmi": {
+ "source": "iana",
+ "extensions": ["bmi"]
+ },
+ "application/vnd.bpf": {
+ "source": "iana"
+ },
+ "application/vnd.bpf3": {
+ "source": "iana"
+ },
+ "application/vnd.businessobjects": {
+ "source": "iana",
+ "extensions": ["rep"]
+ },
+ "application/vnd.byu.uapi+json": {
+ "source": "iana",
+ "compressible": true
+ },
+ "application/vnd.cab-jscript": {
+ "source": "iana"
+ },
+ "application/vnd.canon-cpdl": {
+ "source": "iana"
+ },
+ "application/vnd.canon-lips": {
+ "source": "iana"
+ },
+ "application/vnd.capasystems-pg+json": {
+ "source": "iana",
+ "compressible": true
+ },
+ "application/vnd.cendio.thinlinc.clientconf": {
+ "source": "iana"
+ },
+ "application/vnd.century-systems.tcp_stream": {
+ "source": "iana"
+ },
+ "application/vnd.chemdraw+xml": {
+ "source": "iana",
+ "compressible": true,
+ "extensions": ["cdxml"]
+ },
+ "application/vnd.chess-pgn": {
+ "source": "iana"
+ },
+ "application/vnd.chipnuts.karaoke-mmd": {
+ "source": "iana",
+ "extensions": ["mmd"]
+ },
+ "application/vnd.ciedi": {
+ "source": "iana"
+ },
+ "application/vnd.cinderella": {
+ "source": "iana",
+ "extensions": ["cdy"]
+ },
+ "application/vnd.cirpack.isdn-ext": {
+ "source": "iana"
+ },
+ "application/vnd.citationstyles.style+xml": {
+ "source": "iana",
+ "compressible": true,
+ "extensions": ["csl"]
+ },
+ "application/vnd.claymore": {
+ "source": "iana",
+ "extensions": ["cla"]
+ },
+ "application/vnd.cloanto.rp9": {
+ "source": "iana",
+ "extensions": ["rp9"]
+ },
+ "application/vnd.clonk.c4group": {
+ "source": "iana",
+ "extensions": ["c4g","c4d","c4f","c4p","c4u"]
+ },
+ "application/vnd.cluetrust.cartomobile-config": {
+ "source": "iana",
+ "extensions": ["c11amc"]
+ },
+ "application/vnd.cluetrust.cartomobile-config-pkg": {
+ "source": "iana",
+ "extensions": ["c11amz"]
+ },
+ "application/vnd.coffeescript": {
+ "source": "iana"
+ },
+ "application/vnd.collabio.xodocuments.document": {
+ "source": "iana"
+ },
+ "application/vnd.collabio.xodocuments.document-template": {
+ "source": "iana"
+ },
+ "application/vnd.collabio.xodocuments.presentation": {
+ "source": "iana"
+ },
+ "application/vnd.collabio.xodocuments.presentation-template": {
+ "source": "iana"
+ },
+ "application/vnd.collabio.xodocuments.spreadsheet": {
+ "source": "iana"
+ },
+ "application/vnd.collabio.xodocuments.spreadsheet-template": {
+ "source": "iana"
+ },
+ "application/vnd.collection+json": {
+ "source": "iana",
+ "compressible": true
+ },
+ "application/vnd.collection.doc+json": {
+ "source": "iana",
+ "compressible": true
+ },
+ "application/vnd.collection.next+json": {
+ "source": "iana",
+ "compressible": true
+ },
+ "application/vnd.comicbook+zip": {
+ "source": "iana",
+ "compressible": false
+ },
+ "application/vnd.comicbook-rar": {
+ "source": "iana"
+ },
+ "application/vnd.commerce-battelle": {
+ "source": "iana"
+ },
+ "application/vnd.commonspace": {
+ "source": "iana",
+ "extensions": ["csp"]
+ },
+ "application/vnd.contact.cmsg": {
+ "source": "iana",
+ "extensions": ["cdbcmsg"]
+ },
+ "application/vnd.coreos.ignition+json": {
+ "source": "iana",
+ "compressible": true
+ },
+ "application/vnd.cosmocaller": {
+ "source": "iana",
+ "extensions": ["cmc"]
+ },
+ "application/vnd.crick.clicker": {
+ "source": "iana",
+ "extensions": ["clkx"]
+ },
+ "application/vnd.crick.clicker.keyboard": {
+ "source": "iana",
+ "extensions": ["clkk"]
+ },
+ "application/vnd.crick.clicker.palette": {
+ "source": "iana",
+ "extensions": ["clkp"]
+ },
+ "application/vnd.crick.clicker.template": {
+ "source": "iana",
+ "extensions": ["clkt"]
+ },
+ "application/vnd.crick.clicker.wordbank": {
+ "source": "iana",
+ "extensions": ["clkw"]
+ },
+ "application/vnd.criticaltools.wbs+xml": {
+ "source": "iana",
+ "compressible": true,
+ "extensions": ["wbs"]
+ },
+ "application/vnd.cryptii.pipe+json": {
+ "source": "iana",
+ "compressible": true
+ },
+ "application/vnd.crypto-shade-file": {
+ "source": "iana"
+ },
+ "application/vnd.cryptomator.encrypted": {
+ "source": "iana"
+ },
+ "application/vnd.cryptomator.vault": {
+ "source": "iana"
+ },
+ "application/vnd.ctc-posml": {
+ "source": "iana",
+ "extensions": ["pml"]
+ },
+ "application/vnd.ctct.ws+xml": {
+ "source": "iana",
+ "compressible": true
+ },
+ "application/vnd.cups-pdf": {
+ "source": "iana"
+ },
+ "application/vnd.cups-postscript": {
+ "source": "iana"
+ },
+ "application/vnd.cups-ppd": {
+ "source": "iana",
+ "extensions": ["ppd"]
+ },
+ "application/vnd.cups-raster": {
+ "source": "iana"
+ },
+ "application/vnd.cups-raw": {
+ "source": "iana"
+ },
+ "application/vnd.curl": {
+ "source": "iana"
+ },
+ "application/vnd.curl.car": {
+ "source": "apache",
+ "extensions": ["car"]
+ },
+ "application/vnd.curl.pcurl": {
+ "source": "apache",
+ "extensions": ["pcurl"]
+ },
+ "application/vnd.cyan.dean.root+xml": {
+ "source": "iana",
+ "compressible": true
+ },
+ "application/vnd.cybank": {
+ "source": "iana"
+ },
+ "application/vnd.cyclonedx+json": {
+ "source": "iana",
+ "compressible": true
+ },
+ "application/vnd.cyclonedx+xml": {
+ "source": "iana",
+ "compressible": true
+ },
+ "application/vnd.d2l.coursepackage1p0+zip": {
+ "source": "iana",
+ "compressible": false
+ },
+ "application/vnd.d3m-dataset": {
+ "source": "iana"
+ },
+ "application/vnd.d3m-problem": {
+ "source": "iana"
+ },
+ "application/vnd.dart": {
+ "source": "iana",
+ "compressible": true,
+ "extensions": ["dart"]
+ },
+ "application/vnd.data-vision.rdz": {
+ "source": "iana",
+ "extensions": ["rdz"]
+ },
+ "application/vnd.datapackage+json": {
+ "source": "iana",
+ "compressible": true
+ },
+ "application/vnd.dataresource+json": {
+ "source": "iana",
+ "compressible": true
+ },
+ "application/vnd.dbf": {
+ "source": "iana",
+ "extensions": ["dbf"]
+ },
+ "application/vnd.debian.binary-package": {
+ "source": "iana"
+ },
+ "application/vnd.dece.data": {
+ "source": "iana",
+ "extensions": ["uvf","uvvf","uvd","uvvd"]
+ },
+ "application/vnd.dece.ttml+xml": {
+ "source": "iana",
+ "compressible": true,
+ "extensions": ["uvt","uvvt"]
+ },
+ "application/vnd.dece.unspecified": {
+ "source": "iana",
+ "extensions": ["uvx","uvvx"]
+ },
+ "application/vnd.dece.zip": {
+ "source": "iana",
+ "extensions": ["uvz","uvvz"]
+ },
+ "application/vnd.denovo.fcselayout-link": {
+ "source": "iana",
+ "extensions": ["fe_launch"]
+ },
+ "application/vnd.desmume.movie": {
+ "source": "iana"
+ },
+ "application/vnd.dir-bi.plate-dl-nosuffix": {
+ "source": "iana"
+ },
+ "application/vnd.dm.delegation+xml": {
+ "source": "iana",
+ "compressible": true
+ },
+ "application/vnd.dna": {
+ "source": "iana",
+ "extensions": ["dna"]
+ },
+ "application/vnd.document+json": {
+ "source": "iana",
+ "compressible": true
+ },
+ "application/vnd.dolby.mlp": {
+ "source": "apache",
+ "extensions": ["mlp"]
+ },
+ "application/vnd.dolby.mobile.1": {
+ "source": "iana"
+ },
+ "application/vnd.dolby.mobile.2": {
+ "source": "iana"
+ },
+ "application/vnd.doremir.scorecloud-binary-document": {
+ "source": "iana"
+ },
+ "application/vnd.dpgraph": {
+ "source": "iana",
+ "extensions": ["dpg"]
+ },
+ "application/vnd.dreamfactory": {
+ "source": "iana",
+ "extensions": ["dfac"]
+ },
+ "application/vnd.drive+json": {
+ "source": "iana",
+ "compressible": true
+ },
+ "application/vnd.ds-keypoint": {
+ "source": "apache",
+ "extensions": ["kpxx"]
+ },
+ "application/vnd.dtg.local": {
+ "source": "iana"
+ },
+ "application/vnd.dtg.local.flash": {
+ "source": "iana"
+ },
+ "application/vnd.dtg.local.html": {
+ "source": "iana"
+ },
+ "application/vnd.dvb.ait": {
+ "source": "iana",
+ "extensions": ["ait"]
+ },
+ "application/vnd.dvb.dvbisl+xml": {
+ "source": "iana",
+ "compressible": true
+ },
+ "application/vnd.dvb.dvbj": {
+ "source": "iana"
+ },
+ "application/vnd.dvb.esgcontainer": {
+ "source": "iana"
+ },
+ "application/vnd.dvb.ipdcdftnotifaccess": {
+ "source": "iana"
+ },
+ "application/vnd.dvb.ipdcesgaccess": {
+ "source": "iana"
+ },
+ "application/vnd.dvb.ipdcesgaccess2": {
+ "source": "iana"
+ },
+ "application/vnd.dvb.ipdcesgpdd": {
+ "source": "iana"
+ },
+ "application/vnd.dvb.ipdcroaming": {
+ "source": "iana"
+ },
+ "application/vnd.dvb.iptv.alfec-base": {
+ "source": "iana"
+ },
+ "application/vnd.dvb.iptv.alfec-enhancement": {
+ "source": "iana"
+ },
+ "application/vnd.dvb.notif-aggregate-root+xml": {
+ "source": "iana",
+ "compressible": true
+ },
+ "application/vnd.dvb.notif-container+xml": {
+ "source": "iana",
+ "compressible": true
+ },
+ "application/vnd.dvb.notif-generic+xml": {
+ "source": "iana",
+ "compressible": true
+ },
+ "application/vnd.dvb.notif-ia-msglist+xml": {
+ "source": "iana",
+ "compressible": true
+ },
+ "application/vnd.dvb.notif-ia-registration-request+xml": {
+ "source": "iana",
+ "compressible": true
+ },
+ "application/vnd.dvb.notif-ia-registration-response+xml": {
+ "source": "iana",
+ "compressible": true
+ },
+ "application/vnd.dvb.notif-init+xml": {
+ "source": "iana",
+ "compressible": true
+ },
+ "application/vnd.dvb.pfr": {
+ "source": "iana"
+ },
+ "application/vnd.dvb.service": {
+ "source": "iana",
+ "extensions": ["svc"]
+ },
+ "application/vnd.dxr": {
+ "source": "iana"
+ },
+ "application/vnd.dynageo": {
+ "source": "iana",
+ "extensions": ["geo"]
+ },
+ "application/vnd.dzr": {
+ "source": "iana"
+ },
+ "application/vnd.easykaraoke.cdgdownload": {
+ "source": "iana"
+ },
+ "application/vnd.ecdis-update": {
+ "source": "iana"
+ },
+ "application/vnd.ecip.rlp": {
+ "source": "iana"
+ },
+ "application/vnd.eclipse.ditto+json": {
+ "source": "iana",
+ "compressible": true
+ },
+ "application/vnd.ecowin.chart": {
+ "source": "iana",
+ "extensions": ["mag"]
+ },
+ "application/vnd.ecowin.filerequest": {
+ "source": "iana"
+ },
+ "application/vnd.ecowin.fileupdate": {
+ "source": "iana"
+ },
+ "application/vnd.ecowin.series": {
+ "source": "iana"
+ },
+ "application/vnd.ecowin.seriesrequest": {
+ "source": "iana"
+ },
+ "application/vnd.ecowin.seriesupdate": {
+ "source": "iana"
+ },
+ "application/vnd.efi.img": {
+ "source": "iana"
+ },
+ "application/vnd.efi.iso": {
+ "source": "iana"
+ },
+ "application/vnd.emclient.accessrequest+xml": {
+ "source": "iana",
+ "compressible": true
+ },
+ "application/vnd.enliven": {
+ "source": "iana",
+ "extensions": ["nml"]
+ },
+ "application/vnd.enphase.envoy": {
+ "source": "iana"
+ },
+ "application/vnd.eprints.data+xml": {
+ "source": "iana",
+ "compressible": true
+ },
+ "application/vnd.epson.esf": {
+ "source": "iana",
+ "extensions": ["esf"]
+ },
+ "application/vnd.epson.msf": {
+ "source": "iana",
+ "extensions": ["msf"]
+ },
+ "application/vnd.epson.quickanime": {
+ "source": "iana",
+ "extensions": ["qam"]
+ },
+ "application/vnd.epson.salt": {
+ "source": "iana",
+ "extensions": ["slt"]
+ },
+ "application/vnd.epson.ssf": {
+ "source": "iana",
+ "extensions": ["ssf"]
+ },
+ "application/vnd.ericsson.quickcall": {
+ "source": "iana"
+ },
+ "application/vnd.espass-espass+zip": {
+ "source": "iana",
+ "compressible": false
+ },
+ "application/vnd.eszigno3+xml": {
+ "source": "iana",
+ "compressible": true,
+ "extensions": ["es3","et3"]
+ },
+ "application/vnd.etsi.aoc+xml": {
+ "source": "iana",
+ "compressible": true
+ },
+ "application/vnd.etsi.asic-e+zip": {
+ "source": "iana",
+ "compressible": false
+ },
+ "application/vnd.etsi.asic-s+zip": {
+ "source": "iana",
+ "compressible": false
+ },
+ "application/vnd.etsi.cug+xml": {
+ "source": "iana",
+ "compressible": true
+ },
+ "application/vnd.etsi.iptvcommand+xml": {
+ "source": "iana",
+ "compressible": true
+ },
+ "application/vnd.etsi.iptvdiscovery+xml": {
+ "source": "iana",
+ "compressible": true
+ },
+ "application/vnd.etsi.iptvprofile+xml": {
+ "source": "iana",
+ "compressible": true
+ },
+ "application/vnd.etsi.iptvsad-bc+xml": {
+ "source": "iana",
+ "compressible": true
+ },
+ "application/vnd.etsi.iptvsad-cod+xml": {
+ "source": "iana",
+ "compressible": true
+ },
+ "application/vnd.etsi.iptvsad-npvr+xml": {
+ "source": "iana",
+ "compressible": true
+ },
+ "application/vnd.etsi.iptvservice+xml": {
+ "source": "iana",
+ "compressible": true
+ },
+ "application/vnd.etsi.iptvsync+xml": {
+ "source": "iana",
+ "compressible": true
+ },
+ "application/vnd.etsi.iptvueprofile+xml": {
+ "source": "iana",
+ "compressible": true
+ },
+ "application/vnd.etsi.mcid+xml": {
+ "source": "iana",
+ "compressible": true
+ },
+ "application/vnd.etsi.mheg5": {
+ "source": "iana"
+ },
+ "application/vnd.etsi.overload-control-policy-dataset+xml": {
+ "source": "iana",
+ "compressible": true
+ },
+ "application/vnd.etsi.pstn+xml": {
+ "source": "iana",
+ "compressible": true
+ },
+ "application/vnd.etsi.sci+xml": {
+ "source": "iana",
+ "compressible": true
+ },
+ "application/vnd.etsi.simservs+xml": {
+ "source": "iana",
+ "compressible": true
+ },
+ "application/vnd.etsi.timestamp-token": {
+ "source": "iana"
+ },
+ "application/vnd.etsi.tsl+xml": {
+ "source": "iana",
+ "compressible": true
+ },
+ "application/vnd.etsi.tsl.der": {
+ "source": "iana"
+ },
+ "application/vnd.eu.kasparian.car+json": {
+ "source": "iana",
+ "compressible": true
+ },
+ "application/vnd.eudora.data": {
+ "source": "iana"
+ },
+ "application/vnd.evolv.ecig.profile": {
+ "source": "iana"
+ },
+ "application/vnd.evolv.ecig.settings": {
+ "source": "iana"
+ },
+ "application/vnd.evolv.ecig.theme": {
+ "source": "iana"
+ },
+ "application/vnd.exstream-empower+zip": {
+ "source": "iana",
+ "compressible": false
+ },
+ "application/vnd.exstream-package": {
+ "source": "iana"
+ },
+ "application/vnd.ezpix-album": {
+ "source": "iana",
+ "extensions": ["ez2"]
+ },
+ "application/vnd.ezpix-package": {
+ "source": "iana",
+ "extensions": ["ez3"]
+ },
+ "application/vnd.f-secure.mobile": {
+ "source": "iana"
+ },
+ "application/vnd.familysearch.gedcom+zip": {
+ "source": "iana",
+ "compressible": false
+ },
+ "application/vnd.fastcopy-disk-image": {
+ "source": "iana"
+ },
+ "application/vnd.fdf": {
+ "source": "iana",
+ "extensions": ["fdf"]
+ },
+ "application/vnd.fdsn.mseed": {
+ "source": "iana",
+ "extensions": ["mseed"]
+ },
+ "application/vnd.fdsn.seed": {
+ "source": "iana",
+ "extensions": ["seed","dataless"]
+ },
+ "application/vnd.ffsns": {
+ "source": "iana"
+ },
+ "application/vnd.ficlab.flb+zip": {
+ "source": "iana",
+ "compressible": false
+ },
+ "application/vnd.filmit.zfc": {
+ "source": "iana"
+ },
+ "application/vnd.fints": {
+ "source": "iana"
+ },
+ "application/vnd.firemonkeys.cloudcell": {
+ "source": "iana"
+ },
+ "application/vnd.flographit": {
+ "source": "iana",
+ "extensions": ["gph"]
+ },
+ "application/vnd.fluxtime.clip": {
+ "source": "iana",
+ "extensions": ["ftc"]
+ },
+ "application/vnd.font-fontforge-sfd": {
+ "source": "iana"
+ },
+ "application/vnd.framemaker": {
+ "source": "iana",
+ "extensions": ["fm","frame","maker","book"]
+ },
+ "application/vnd.frogans.fnc": {
+ "source": "iana",
+ "extensions": ["fnc"]
+ },
+ "application/vnd.frogans.ltf": {
+ "source": "iana",
+ "extensions": ["ltf"]
+ },
+ "application/vnd.fsc.weblaunch": {
+ "source": "iana",
+ "extensions": ["fsc"]
+ },
+ "application/vnd.fujifilm.fb.docuworks": {
+ "source": "iana"
+ },
+ "application/vnd.fujifilm.fb.docuworks.binder": {
+ "source": "iana"
+ },
+ "application/vnd.fujifilm.fb.docuworks.container": {
+ "source": "iana"
+ },
+ "application/vnd.fujifilm.fb.jfi+xml": {
+ "source": "iana",
+ "compressible": true
+ },
+ "application/vnd.fujitsu.oasys": {
+ "source": "iana",
+ "extensions": ["oas"]
+ },
+ "application/vnd.fujitsu.oasys2": {
+ "source": "iana",
+ "extensions": ["oa2"]
+ },
+ "application/vnd.fujitsu.oasys3": {
+ "source": "iana",
+ "extensions": ["oa3"]
+ },
+ "application/vnd.fujitsu.oasysgp": {
+ "source": "iana",
+ "extensions": ["fg5"]
+ },
+ "application/vnd.fujitsu.oasysprs": {
+ "source": "iana",
+ "extensions": ["bh2"]
+ },
+ "application/vnd.fujixerox.art-ex": {
+ "source": "iana"
+ },
+ "application/vnd.fujixerox.art4": {
+ "source": "iana"
+ },
+ "application/vnd.fujixerox.ddd": {
+ "source": "iana",
+ "extensions": ["ddd"]
+ },
+ "application/vnd.fujixerox.docuworks": {
+ "source": "iana",
+ "extensions": ["xdw"]
+ },
+ "application/vnd.fujixerox.docuworks.binder": {
+ "source": "iana",
+ "extensions": ["xbd"]
+ },
+ "application/vnd.fujixerox.docuworks.container": {
+ "source": "iana"
+ },
+ "application/vnd.fujixerox.hbpl": {
+ "source": "iana"
+ },
+ "application/vnd.fut-misnet": {
+ "source": "iana"
+ },
+ "application/vnd.futoin+cbor": {
+ "source": "iana"
+ },
+ "application/vnd.futoin+json": {
+ "source": "iana",
+ "compressible": true
+ },
+ "application/vnd.fuzzysheet": {
+ "source": "iana",
+ "extensions": ["fzs"]
+ },
+ "application/vnd.genomatix.tuxedo": {
+ "source": "iana",
+ "extensions": ["txd"]
+ },
+ "application/vnd.gentics.grd+json": {
+ "source": "iana",
+ "compressible": true
+ },
+ "application/vnd.geo+json": {
+ "source": "iana",
+ "compressible": true
+ },
+ "application/vnd.geocube+xml": {
+ "source": "iana",
+ "compressible": true
+ },
+ "application/vnd.geogebra.file": {
+ "source": "iana",
+ "extensions": ["ggb"]
+ },
+ "application/vnd.geogebra.slides": {
+ "source": "iana"
+ },
+ "application/vnd.geogebra.tool": {
+ "source": "iana",
+ "extensions": ["ggt"]
+ },
+ "application/vnd.geometry-explorer": {
+ "source": "iana",
+ "extensions": ["gex","gre"]
+ },
+ "application/vnd.geonext": {
+ "source": "iana",
+ "extensions": ["gxt"]
+ },
+ "application/vnd.geoplan": {
+ "source": "iana",
+ "extensions": ["g2w"]
+ },
+ "application/vnd.geospace": {
+ "source": "iana",
+ "extensions": ["g3w"]
+ },
+ "application/vnd.gerber": {
+ "source": "iana"
+ },
+ "application/vnd.globalplatform.card-content-mgt": {
+ "source": "iana"
+ },
+ "application/vnd.globalplatform.card-content-mgt-response": {
+ "source": "iana"
+ },
+ "application/vnd.gmx": {
+ "source": "iana",
+ "extensions": ["gmx"]
+ },
+ "application/vnd.google-apps.document": {
+ "compressible": false,
+ "extensions": ["gdoc"]
+ },
+ "application/vnd.google-apps.presentation": {
+ "compressible": false,
+ "extensions": ["gslides"]
+ },
+ "application/vnd.google-apps.spreadsheet": {
+ "compressible": false,
+ "extensions": ["gsheet"]
+ },
+ "application/vnd.google-earth.kml+xml": {
+ "source": "iana",
+ "compressible": true,
+ "extensions": ["kml"]
+ },
+ "application/vnd.google-earth.kmz": {
+ "source": "iana",
+ "compressible": false,
+ "extensions": ["kmz"]
+ },
+ "application/vnd.gov.sk.e-form+xml": {
+ "source": "iana",
+ "compressible": true
+ },
+ "application/vnd.gov.sk.e-form+zip": {
+ "source": "iana",
+ "compressible": false
+ },
+ "application/vnd.gov.sk.xmldatacontainer+xml": {
+ "source": "iana",
+ "compressible": true
+ },
+ "application/vnd.grafeq": {
+ "source": "iana",
+ "extensions": ["gqf","gqs"]
+ },
+ "application/vnd.gridmp": {
+ "source": "iana"
+ },
+ "application/vnd.groove-account": {
+ "source": "iana",
+ "extensions": ["gac"]
+ },
+ "application/vnd.groove-help": {
+ "source": "iana",
+ "extensions": ["ghf"]
+ },
+ "application/vnd.groove-identity-message": {
+ "source": "iana",
+ "extensions": ["gim"]
+ },
+ "application/vnd.groove-injector": {
+ "source": "iana",
+ "extensions": ["grv"]
+ },
+ "application/vnd.groove-tool-message": {
+ "source": "iana",
+ "extensions": ["gtm"]
+ },
+ "application/vnd.groove-tool-template": {
+ "source": "iana",
+ "extensions": ["tpl"]
+ },
+ "application/vnd.groove-vcard": {
+ "source": "iana",
+ "extensions": ["vcg"]
+ },
+ "application/vnd.hal+json": {
+ "source": "iana",
+ "compressible": true
+ },
+ "application/vnd.hal+xml": {
+ "source": "iana",
+ "compressible": true,
+ "extensions": ["hal"]
+ },
+ "application/vnd.handheld-entertainment+xml": {
+ "source": "iana",
+ "compressible": true,
+ "extensions": ["zmm"]
+ },
+ "application/vnd.hbci": {
+ "source": "iana",
+ "extensions": ["hbci"]
+ },
+ "application/vnd.hc+json": {
+ "source": "iana",
+ "compressible": true
+ },
+ "application/vnd.hcl-bireports": {
+ "source": "iana"
+ },
+ "application/vnd.hdt": {
+ "source": "iana"
+ },
+ "application/vnd.heroku+json": {
+ "source": "iana",
+ "compressible": true
+ },
+ "application/vnd.hhe.lesson-player": {
+ "source": "iana",
+ "extensions": ["les"]
+ },
+ "application/vnd.hl7cda+xml": {
+ "source": "iana",
+ "charset": "UTF-8",
+ "compressible": true
+ },
+ "application/vnd.hl7v2+xml": {
+ "source": "iana",
+ "charset": "UTF-8",
+ "compressible": true
+ },
+ "application/vnd.hp-hpgl": {
+ "source": "iana",
+ "extensions": ["hpgl"]
+ },
+ "application/vnd.hp-hpid": {
+ "source": "iana",
+ "extensions": ["hpid"]
+ },
+ "application/vnd.hp-hps": {
+ "source": "iana",
+ "extensions": ["hps"]
+ },
+ "application/vnd.hp-jlyt": {
+ "source": "iana",
+ "extensions": ["jlt"]
+ },
+ "application/vnd.hp-pcl": {
+ "source": "iana",
+ "extensions": ["pcl"]
+ },
+ "application/vnd.hp-pclxl": {
+ "source": "iana",
+ "extensions": ["pclxl"]
+ },
+ "application/vnd.httphone": {
+ "source": "iana"
+ },
+ "application/vnd.hydrostatix.sof-data": {
+ "source": "iana",
+ "extensions": ["sfd-hdstx"]
+ },
+ "application/vnd.hyper+json": {
+ "source": "iana",
+ "compressible": true
+ },
+ "application/vnd.hyper-item+json": {
+ "source": "iana",
+ "compressible": true
+ },
+ "application/vnd.hyperdrive+json": {
+ "source": "iana",
+ "compressible": true
+ },
+ "application/vnd.hzn-3d-crossword": {
+ "source": "iana"
+ },
+ "application/vnd.ibm.afplinedata": {
+ "source": "iana"
+ },
+ "application/vnd.ibm.electronic-media": {
+ "source": "iana"
+ },
+ "application/vnd.ibm.minipay": {
+ "source": "iana",
+ "extensions": ["mpy"]
+ },
+ "application/vnd.ibm.modcap": {
+ "source": "iana",
+ "extensions": ["afp","listafp","list3820"]
+ },
+ "application/vnd.ibm.rights-management": {
+ "source": "iana",
+ "extensions": ["irm"]
+ },
+ "application/vnd.ibm.secure-container": {
+ "source": "iana",
+ "extensions": ["sc"]
+ },
+ "application/vnd.iccprofile": {
+ "source": "iana",
+ "extensions": ["icc","icm"]
+ },
+ "application/vnd.ieee.1905": {
+ "source": "iana"
+ },
+ "application/vnd.igloader": {
+ "source": "iana",
+ "extensions": ["igl"]
+ },
+ "application/vnd.imagemeter.folder+zip": {
+ "source": "iana",
+ "compressible": false
+ },
+ "application/vnd.imagemeter.image+zip": {
+ "source": "iana",
+ "compressible": false
+ },
+ "application/vnd.immervision-ivp": {
+ "source": "iana",
+ "extensions": ["ivp"]
+ },
+ "application/vnd.immervision-ivu": {
+ "source": "iana",
+ "extensions": ["ivu"]
+ },
+ "application/vnd.ims.imsccv1p1": {
+ "source": "iana"
+ },
+ "application/vnd.ims.imsccv1p2": {
+ "source": "iana"
+ },
+ "application/vnd.ims.imsccv1p3": {
+ "source": "iana"
+ },
+ "application/vnd.ims.lis.v2.result+json": {
+ "source": "iana",
+ "compressible": true
+ },
+ "application/vnd.ims.lti.v2.toolconsumerprofile+json": {
+ "source": "iana",
+ "compressible": true
+ },
+ "application/vnd.ims.lti.v2.toolproxy+json": {
+ "source": "iana",
+ "compressible": true
+ },
+ "application/vnd.ims.lti.v2.toolproxy.id+json": {
+ "source": "iana",
+ "compressible": true
+ },
+ "application/vnd.ims.lti.v2.toolsettings+json": {
+ "source": "iana",
+ "compressible": true
+ },
+ "application/vnd.ims.lti.v2.toolsettings.simple+json": {
+ "source": "iana",
+ "compressible": true
+ },
+ "application/vnd.informedcontrol.rms+xml": {
+ "source": "iana",
+ "compressible": true
+ },
+ "application/vnd.informix-visionary": {
+ "source": "iana"
+ },
+ "application/vnd.infotech.project": {
+ "source": "iana"
+ },
+ "application/vnd.infotech.project+xml": {
+ "source": "iana",
+ "compressible": true
+ },
+ "application/vnd.innopath.wamp.notification": {
+ "source": "iana"
+ },
+ "application/vnd.insors.igm": {
+ "source": "iana",
+ "extensions": ["igm"]
+ },
+ "application/vnd.intercon.formnet": {
+ "source": "iana",
+ "extensions": ["xpw","xpx"]
+ },
+ "application/vnd.intergeo": {
+ "source": "iana",
+ "extensions": ["i2g"]
+ },
+ "application/vnd.intertrust.digibox": {
+ "source": "iana"
+ },
+ "application/vnd.intertrust.nncp": {
+ "source": "iana"
+ },
+ "application/vnd.intu.qbo": {
+ "source": "iana",
+ "extensions": ["qbo"]
+ },
+ "application/vnd.intu.qfx": {
+ "source": "iana",
+ "extensions": ["qfx"]
+ },
+ "application/vnd.iptc.g2.catalogitem+xml": {
+ "source": "iana",
+ "compressible": true
+ },
+ "application/vnd.iptc.g2.conceptitem+xml": {
+ "source": "iana",
+ "compressible": true
+ },
+ "application/vnd.iptc.g2.knowledgeitem+xml": {
+ "source": "iana",
+ "compressible": true
+ },
+ "application/vnd.iptc.g2.newsitem+xml": {
+ "source": "iana",
+ "compressible": true
+ },
+ "application/vnd.iptc.g2.newsmessage+xml": {
+ "source": "iana",
+ "compressible": true
+ },
+ "application/vnd.iptc.g2.packageitem+xml": {
+ "source": "iana",
+ "compressible": true
+ },
+ "application/vnd.iptc.g2.planningitem+xml": {
+ "source": "iana",
+ "compressible": true
+ },
+ "application/vnd.ipunplugged.rcprofile": {
+ "source": "iana",
+ "extensions": ["rcprofile"]
+ },
+ "application/vnd.irepository.package+xml": {
+ "source": "iana",
+ "compressible": true,
+ "extensions": ["irp"]
+ },
+ "application/vnd.is-xpr": {
+ "source": "iana",
+ "extensions": ["xpr"]
+ },
+ "application/vnd.isac.fcs": {
+ "source": "iana",
+ "extensions": ["fcs"]
+ },
+ "application/vnd.iso11783-10+zip": {
+ "source": "iana",
+ "compressible": false
+ },
+ "application/vnd.jam": {
+ "source": "iana",
+ "extensions": ["jam"]
+ },
+ "application/vnd.japannet-directory-service": {
+ "source": "iana"
+ },
+ "application/vnd.japannet-jpnstore-wakeup": {
+ "source": "iana"
+ },
+ "application/vnd.japannet-payment-wakeup": {
+ "source": "iana"
+ },
+ "application/vnd.japannet-registration": {
+ "source": "iana"
+ },
+ "application/vnd.japannet-registration-wakeup": {
+ "source": "iana"
+ },
+ "application/vnd.japannet-setstore-wakeup": {
+ "source": "iana"
+ },
+ "application/vnd.japannet-verification": {
+ "source": "iana"
+ },
+ "application/vnd.japannet-verification-wakeup": {
+ "source": "iana"
+ },
+ "application/vnd.jcp.javame.midlet-rms": {
+ "source": "iana",
+ "extensions": ["rms"]
+ },
+ "application/vnd.jisp": {
+ "source": "iana",
+ "extensions": ["jisp"]
+ },
+ "application/vnd.joost.joda-archive": {
+ "source": "iana",
+ "extensions": ["joda"]
+ },
+ "application/vnd.jsk.isdn-ngn": {
+ "source": "iana"
+ },
+ "application/vnd.kahootz": {
+ "source": "iana",
+ "extensions": ["ktz","ktr"]
+ },
+ "application/vnd.kde.karbon": {
+ "source": "iana",
+ "extensions": ["karbon"]
+ },
+ "application/vnd.kde.kchart": {
+ "source": "iana",
+ "extensions": ["chrt"]
+ },
+ "application/vnd.kde.kformula": {
+ "source": "iana",
+ "extensions": ["kfo"]
+ },
+ "application/vnd.kde.kivio": {
+ "source": "iana",
+ "extensions": ["flw"]
+ },
+ "application/vnd.kde.kontour": {
+ "source": "iana",
+ "extensions": ["kon"]
+ },
+ "application/vnd.kde.kpresenter": {
+ "source": "iana",
+ "extensions": ["kpr","kpt"]
+ },
+ "application/vnd.kde.kspread": {
+ "source": "iana",
+ "extensions": ["ksp"]
+ },
+ "application/vnd.kde.kword": {
+ "source": "iana",
+ "extensions": ["kwd","kwt"]
+ },
+ "application/vnd.kenameaapp": {
+ "source": "iana",
+ "extensions": ["htke"]
+ },
+ "application/vnd.kidspiration": {
+ "source": "iana",
+ "extensions": ["kia"]
+ },
+ "application/vnd.kinar": {
+ "source": "iana",
+ "extensions": ["kne","knp"]
+ },
+ "application/vnd.koan": {
+ "source": "iana",
+ "extensions": ["skp","skd","skt","skm"]
+ },
+ "application/vnd.kodak-descriptor": {
+ "source": "iana",
+ "extensions": ["sse"]
+ },
+ "application/vnd.las": {
+ "source": "iana"
+ },
+ "application/vnd.las.las+json": {
+ "source": "iana",
+ "compressible": true
+ },
+ "application/vnd.las.las+xml": {
+ "source": "iana",
+ "compressible": true,
+ "extensions": ["lasxml"]
+ },
+ "application/vnd.laszip": {
+ "source": "iana"
+ },
+ "application/vnd.leap+json": {
+ "source": "iana",
+ "compressible": true
+ },
+ "application/vnd.liberty-request+xml": {
+ "source": "iana",
+ "compressible": true
+ },
+ "application/vnd.llamagraphics.life-balance.desktop": {
+ "source": "iana",
+ "extensions": ["lbd"]
+ },
+ "application/vnd.llamagraphics.life-balance.exchange+xml": {
+ "source": "iana",
+ "compressible": true,
+ "extensions": ["lbe"]
+ },
+ "application/vnd.logipipe.circuit+zip": {
+ "source": "iana",
+ "compressible": false
+ },
+ "application/vnd.loom": {
+ "source": "iana"
+ },
+ "application/vnd.lotus-1-2-3": {
+ "source": "iana",
+ "extensions": ["123"]
+ },
+ "application/vnd.lotus-approach": {
+ "source": "iana",
+ "extensions": ["apr"]
+ },
+ "application/vnd.lotus-freelance": {
+ "source": "iana",
+ "extensions": ["pre"]
+ },
+ "application/vnd.lotus-notes": {
+ "source": "iana",
+ "extensions": ["nsf"]
+ },
+ "application/vnd.lotus-organizer": {
+ "source": "iana",
+ "extensions": ["org"]
+ },
+ "application/vnd.lotus-screencam": {
+ "source": "iana",
+ "extensions": ["scm"]
+ },
+ "application/vnd.lotus-wordpro": {
+ "source": "iana",
+ "extensions": ["lwp"]
+ },
+ "application/vnd.macports.portpkg": {
+ "source": "iana",
+ "extensions": ["portpkg"]
+ },
+ "application/vnd.mapbox-vector-tile": {
+ "source": "iana",
+ "extensions": ["mvt"]
+ },
+ "application/vnd.marlin.drm.actiontoken+xml": {
+ "source": "iana",
+ "compressible": true
+ },
+ "application/vnd.marlin.drm.conftoken+xml": {
+ "source": "iana",
+ "compressible": true
+ },
+ "application/vnd.marlin.drm.license+xml": {
+ "source": "iana",
+ "compressible": true
+ },
+ "application/vnd.marlin.drm.mdcf": {
+ "source": "iana"
+ },
+ "application/vnd.mason+json": {
+ "source": "iana",
+ "compressible": true
+ },
+ "application/vnd.maxar.archive.3tz+zip": {
+ "source": "iana",
+ "compressible": false
+ },
+ "application/vnd.maxmind.maxmind-db": {
+ "source": "iana"
+ },
+ "application/vnd.mcd": {
+ "source": "iana",
+ "extensions": ["mcd"]
+ },
+ "application/vnd.medcalcdata": {
+ "source": "iana",
+ "extensions": ["mc1"]
+ },
+ "application/vnd.mediastation.cdkey": {
+ "source": "iana",
+ "extensions": ["cdkey"]
+ },
+ "application/vnd.meridian-slingshot": {
+ "source": "iana"
+ },
+ "application/vnd.mfer": {
+ "source": "iana",
+ "extensions": ["mwf"]
+ },
+ "application/vnd.mfmp": {
+ "source": "iana",
+ "extensions": ["mfm"]
+ },
+ "application/vnd.micro+json": {
+ "source": "iana",
+ "compressible": true
+ },
+ "application/vnd.micrografx.flo": {
+ "source": "iana",
+ "extensions": ["flo"]
+ },
+ "application/vnd.micrografx.igx": {
+ "source": "iana",
+ "extensions": ["igx"]
+ },
+ "application/vnd.microsoft.portable-executable": {
+ "source": "iana"
+ },
+ "application/vnd.microsoft.windows.thumbnail-cache": {
+ "source": "iana"
+ },
+ "application/vnd.miele+json": {
+ "source": "iana",
+ "compressible": true
+ },
+ "application/vnd.mif": {
+ "source": "iana",
+ "extensions": ["mif"]
+ },
+ "application/vnd.minisoft-hp3000-save": {
+ "source": "iana"
+ },
+ "application/vnd.mitsubishi.misty-guard.trustweb": {
+ "source": "iana"
+ },
+ "application/vnd.mobius.daf": {
+ "source": "iana",
+ "extensions": ["daf"]
+ },
+ "application/vnd.mobius.dis": {
+ "source": "iana",
+ "extensions": ["dis"]
+ },
+ "application/vnd.mobius.mbk": {
+ "source": "iana",
+ "extensions": ["mbk"]
+ },
+ "application/vnd.mobius.mqy": {
+ "source": "iana",
+ "extensions": ["mqy"]
+ },
+ "application/vnd.mobius.msl": {
+ "source": "iana",
+ "extensions": ["msl"]
+ },
+ "application/vnd.mobius.plc": {
+ "source": "iana",
+ "extensions": ["plc"]
+ },
+ "application/vnd.mobius.txf": {
+ "source": "iana",
+ "extensions": ["txf"]
+ },
+ "application/vnd.mophun.application": {
+ "source": "iana",
+ "extensions": ["mpn"]
+ },
+ "application/vnd.mophun.certificate": {
+ "source": "iana",
+ "extensions": ["mpc"]
+ },
+ "application/vnd.motorola.flexsuite": {
+ "source": "iana"
+ },
+ "application/vnd.motorola.flexsuite.adsi": {
+ "source": "iana"
+ },
+ "application/vnd.motorola.flexsuite.fis": {
+ "source": "iana"
+ },
+ "application/vnd.motorola.flexsuite.gotap": {
+ "source": "iana"
+ },
+ "application/vnd.motorola.flexsuite.kmr": {
+ "source": "iana"
+ },
+ "application/vnd.motorola.flexsuite.ttc": {
+ "source": "iana"
+ },
+ "application/vnd.motorola.flexsuite.wem": {
+ "source": "iana"
+ },
+ "application/vnd.motorola.iprm": {
+ "source": "iana"
+ },
+ "application/vnd.mozilla.xul+xml": {
+ "source": "iana",
+ "compressible": true,
+ "extensions": ["xul"]
+ },
+ "application/vnd.ms-3mfdocument": {
+ "source": "iana"
+ },
+ "application/vnd.ms-artgalry": {
+ "source": "iana",
+ "extensions": ["cil"]
+ },
+ "application/vnd.ms-asf": {
+ "source": "iana"
+ },
+ "application/vnd.ms-cab-compressed": {
+ "source": "iana",
+ "extensions": ["cab"]
+ },
+ "application/vnd.ms-color.iccprofile": {
+ "source": "apache"
+ },
+ "application/vnd.ms-excel": {
+ "source": "iana",
+ "compressible": false,
+ "extensions": ["xls","xlm","xla","xlc","xlt","xlw"]
+ },
+ "application/vnd.ms-excel.addin.macroenabled.12": {
+ "source": "iana",
+ "extensions": ["xlam"]
+ },
+ "application/vnd.ms-excel.sheet.binary.macroenabled.12": {
+ "source": "iana",
+ "extensions": ["xlsb"]
+ },
+ "application/vnd.ms-excel.sheet.macroenabled.12": {
+ "source": "iana",
+ "extensions": ["xlsm"]
+ },
+ "application/vnd.ms-excel.template.macroenabled.12": {
+ "source": "iana",
+ "extensions": ["xltm"]
+ },
+ "application/vnd.ms-fontobject": {
+ "source": "iana",
+ "compressible": true,
+ "extensions": ["eot"]
+ },
+ "application/vnd.ms-htmlhelp": {
+ "source": "iana",
+ "extensions": ["chm"]
+ },
+ "application/vnd.ms-ims": {
+ "source": "iana",
+ "extensions": ["ims"]
+ },
+ "application/vnd.ms-lrm": {
+ "source": "iana",
+ "extensions": ["lrm"]
+ },
+ "application/vnd.ms-office.activex+xml": {
+ "source": "iana",
+ "compressible": true
+ },
+ "application/vnd.ms-officetheme": {
+ "source": "iana",
+ "extensions": ["thmx"]
+ },
+ "application/vnd.ms-opentype": {
+ "source": "apache",
+ "compressible": true
+ },
+ "application/vnd.ms-outlook": {
+ "compressible": false,
+ "extensions": ["msg"]
+ },
+ "application/vnd.ms-package.obfuscated-opentype": {
+ "source": "apache"
+ },
+ "application/vnd.ms-pki.seccat": {
+ "source": "apache",
+ "extensions": ["cat"]
+ },
+ "application/vnd.ms-pki.stl": {
+ "source": "apache",
+ "extensions": ["stl"]
+ },
+ "application/vnd.ms-playready.initiator+xml": {
+ "source": "iana",
+ "compressible": true
+ },
+ "application/vnd.ms-powerpoint": {
+ "source": "iana",
+ "compressible": false,
+ "extensions": ["ppt","pps","pot"]
+ },
+ "application/vnd.ms-powerpoint.addin.macroenabled.12": {
+ "source": "iana",
+ "extensions": ["ppam"]
+ },
+ "application/vnd.ms-powerpoint.presentation.macroenabled.12": {
+ "source": "iana",
+ "extensions": ["pptm"]
+ },
+ "application/vnd.ms-powerpoint.slide.macroenabled.12": {
+ "source": "iana",
+ "extensions": ["sldm"]
+ },
+ "application/vnd.ms-powerpoint.slideshow.macroenabled.12": {
+ "source": "iana",
+ "extensions": ["ppsm"]
+ },
+ "application/vnd.ms-powerpoint.template.macroenabled.12": {
+ "source": "iana",
+ "extensions": ["potm"]
+ },
+ "application/vnd.ms-printdevicecapabilities+xml": {
+ "source": "iana",
+ "compressible": true
+ },
+ "application/vnd.ms-printing.printticket+xml": {
+ "source": "apache",
+ "compressible": true
+ },
+ "application/vnd.ms-printschematicket+xml": {
+ "source": "iana",
+ "compressible": true
+ },
+ "application/vnd.ms-project": {
+ "source": "iana",
+ "extensions": ["mpp","mpt"]
+ },
+ "application/vnd.ms-tnef": {
+ "source": "iana"
+ },
+ "application/vnd.ms-windows.devicepairing": {
+ "source": "iana"
+ },
+ "application/vnd.ms-windows.nwprinting.oob": {
+ "source": "iana"
+ },
+ "application/vnd.ms-windows.printerpairing": {
+ "source": "iana"
+ },
+ "application/vnd.ms-windows.wsd.oob": {
+ "source": "iana"
+ },
+ "application/vnd.ms-wmdrm.lic-chlg-req": {
+ "source": "iana"
+ },
+ "application/vnd.ms-wmdrm.lic-resp": {
+ "source": "iana"
+ },
+ "application/vnd.ms-wmdrm.meter-chlg-req": {
+ "source": "iana"
+ },
+ "application/vnd.ms-wmdrm.meter-resp": {
+ "source": "iana"
+ },
+ "application/vnd.ms-word.document.macroenabled.12": {
+ "source": "iana",
+ "extensions": ["docm"]
+ },
+ "application/vnd.ms-word.template.macroenabled.12": {
+ "source": "iana",
+ "extensions": ["dotm"]
+ },
+ "application/vnd.ms-works": {
+ "source": "iana",
+ "extensions": ["wps","wks","wcm","wdb"]
+ },
+ "application/vnd.ms-wpl": {
+ "source": "iana",
+ "extensions": ["wpl"]
+ },
+ "application/vnd.ms-xpsdocument": {
+ "source": "iana",
+ "compressible": false,
+ "extensions": ["xps"]
+ },
+ "application/vnd.msa-disk-image": {
+ "source": "iana"
+ },
+ "application/vnd.mseq": {
+ "source": "iana",
+ "extensions": ["mseq"]
+ },
+ "application/vnd.msign": {
+ "source": "iana"
+ },
+ "application/vnd.multiad.creator": {
+ "source": "iana"
+ },
+ "application/vnd.multiad.creator.cif": {
+ "source": "iana"
+ },
+ "application/vnd.music-niff": {
+ "source": "iana"
+ },
+ "application/vnd.musician": {
+ "source": "iana",
+ "extensions": ["mus"]
+ },
+ "application/vnd.muvee.style": {
+ "source": "iana",
+ "extensions": ["msty"]
+ },
+ "application/vnd.mynfc": {
+ "source": "iana",
+ "extensions": ["taglet"]
+ },
+ "application/vnd.nacamar.ybrid+json": {
+ "source": "iana",
+ "compressible": true
+ },
+ "application/vnd.ncd.control": {
+ "source": "iana"
+ },
+ "application/vnd.ncd.reference": {
+ "source": "iana"
+ },
+ "application/vnd.nearst.inv+json": {
+ "source": "iana",
+ "compressible": true
+ },
+ "application/vnd.nebumind.line": {
+ "source": "iana"
+ },
+ "application/vnd.nervana": {
+ "source": "iana"
+ },
+ "application/vnd.netfpx": {
+ "source": "iana"
+ },
+ "application/vnd.neurolanguage.nlu": {
+ "source": "iana",
+ "extensions": ["nlu"]
+ },
+ "application/vnd.nimn": {
+ "source": "iana"
+ },
+ "application/vnd.nintendo.nitro.rom": {
+ "source": "iana"
+ },
+ "application/vnd.nintendo.snes.rom": {
+ "source": "iana"
+ },
+ "application/vnd.nitf": {
+ "source": "iana",
+ "extensions": ["ntf","nitf"]
+ },
+ "application/vnd.noblenet-directory": {
+ "source": "iana",
+ "extensions": ["nnd"]
+ },
+ "application/vnd.noblenet-sealer": {
+ "source": "iana",
+ "extensions": ["nns"]
+ },
+ "application/vnd.noblenet-web": {
+ "source": "iana",
+ "extensions": ["nnw"]
+ },
+ "application/vnd.nokia.catalogs": {
+ "source": "iana"
+ },
+ "application/vnd.nokia.conml+wbxml": {
+ "source": "iana"
+ },
+ "application/vnd.nokia.conml+xml": {
+ "source": "iana",
+ "compressible": true
+ },
+ "application/vnd.nokia.iptv.config+xml": {
+ "source": "iana",
+ "compressible": true
+ },
+ "application/vnd.nokia.isds-radio-presets": {
+ "source": "iana"
+ },
+ "application/vnd.nokia.landmark+wbxml": {
+ "source": "iana"
+ },
+ "application/vnd.nokia.landmark+xml": {
+ "source": "iana",
+ "compressible": true
+ },
+ "application/vnd.nokia.landmarkcollection+xml": {
+ "source": "iana",
+ "compressible": true
+ },
+ "application/vnd.nokia.n-gage.ac+xml": {
+ "source": "iana",
+ "compressible": true,
+ "extensions": ["ac"]
+ },
+ "application/vnd.nokia.n-gage.data": {
+ "source": "iana",
+ "extensions": ["ngdat"]
+ },
+ "application/vnd.nokia.n-gage.symbian.install": {
+ "source": "iana",
+ "extensions": ["n-gage"]
+ },
+ "application/vnd.nokia.ncd": {
+ "source": "iana"
+ },
+ "application/vnd.nokia.pcd+wbxml": {
+ "source": "iana"
+ },
+ "application/vnd.nokia.pcd+xml": {
+ "source": "iana",
+ "compressible": true
+ },
+ "application/vnd.nokia.radio-preset": {
+ "source": "iana",
+ "extensions": ["rpst"]
+ },
+ "application/vnd.nokia.radio-presets": {
+ "source": "iana",
+ "extensions": ["rpss"]
+ },
+ "application/vnd.novadigm.edm": {
+ "source": "iana",
+ "extensions": ["edm"]
+ },
+ "application/vnd.novadigm.edx": {
+ "source": "iana",
+ "extensions": ["edx"]
+ },
+ "application/vnd.novadigm.ext": {
+ "source": "iana",
+ "extensions": ["ext"]
+ },
+ "application/vnd.ntt-local.content-share": {
+ "source": "iana"
+ },
+ "application/vnd.ntt-local.file-transfer": {
+ "source": "iana"
+ },
+ "application/vnd.ntt-local.ogw_remote-access": {
+ "source": "iana"
+ },
+ "application/vnd.ntt-local.sip-ta_remote": {
+ "source": "iana"
+ },
+ "application/vnd.ntt-local.sip-ta_tcp_stream": {
+ "source": "iana"
+ },
+ "application/vnd.oasis.opendocument.chart": {
+ "source": "iana",
+ "extensions": ["odc"]
+ },
+ "application/vnd.oasis.opendocument.chart-template": {
+ "source": "iana",
+ "extensions": ["otc"]
+ },
+ "application/vnd.oasis.opendocument.database": {
+ "source": "iana",
+ "extensions": ["odb"]
+ },
+ "application/vnd.oasis.opendocument.formula": {
+ "source": "iana",
+ "extensions": ["odf"]
+ },
+ "application/vnd.oasis.opendocument.formula-template": {
+ "source": "iana",
+ "extensions": ["odft"]
+ },
+ "application/vnd.oasis.opendocument.graphics": {
+ "source": "iana",
+ "compressible": false,
+ "extensions": ["odg"]
+ },
+ "application/vnd.oasis.opendocument.graphics-template": {
+ "source": "iana",
+ "extensions": ["otg"]
+ },
+ "application/vnd.oasis.opendocument.image": {
+ "source": "iana",
+ "extensions": ["odi"]
+ },
+ "application/vnd.oasis.opendocument.image-template": {
+ "source": "iana",
+ "extensions": ["oti"]
+ },
+ "application/vnd.oasis.opendocument.presentation": {
+ "source": "iana",
+ "compressible": false,
+ "extensions": ["odp"]
+ },
+ "application/vnd.oasis.opendocument.presentation-template": {
+ "source": "iana",
+ "extensions": ["otp"]
+ },
+ "application/vnd.oasis.opendocument.spreadsheet": {
+ "source": "iana",
+ "compressible": false,
+ "extensions": ["ods"]
+ },
+ "application/vnd.oasis.opendocument.spreadsheet-template": {
+ "source": "iana",
+ "extensions": ["ots"]
+ },
+ "application/vnd.oasis.opendocument.text": {
+ "source": "iana",
+ "compressible": false,
+ "extensions": ["odt"]
+ },
+ "application/vnd.oasis.opendocument.text-master": {
+ "source": "iana",
+ "extensions": ["odm"]
+ },
+ "application/vnd.oasis.opendocument.text-template": {
+ "source": "iana",
+ "extensions": ["ott"]
+ },
+ "application/vnd.oasis.opendocument.text-web": {
+ "source": "iana",
+ "extensions": ["oth"]
+ },
+ "application/vnd.obn": {
+ "source": "iana"
+ },
+ "application/vnd.ocf+cbor": {
+ "source": "iana"
+ },
+ "application/vnd.oci.image.manifest.v1+json": {
+ "source": "iana",
+ "compressible": true
+ },
+ "application/vnd.oftn.l10n+json": {
+ "source": "iana",
+ "compressible": true
+ },
+ "application/vnd.oipf.contentaccessdownload+xml": {
+ "source": "iana",
+ "compressible": true
+ },
+ "application/vnd.oipf.contentaccessstreaming+xml": {
+ "source": "iana",
+ "compressible": true
+ },
+ "application/vnd.oipf.cspg-hexbinary": {
+ "source": "iana"
+ },
+ "application/vnd.oipf.dae.svg+xml": {
+ "source": "iana",
+ "compressible": true
+ },
+ "application/vnd.oipf.dae.xhtml+xml": {
+ "source": "iana",
+ "compressible": true
+ },
+ "application/vnd.oipf.mippvcontrolmessage+xml": {
+ "source": "iana",
+ "compressible": true
+ },
+ "application/vnd.oipf.pae.gem": {
+ "source": "iana"
+ },
+ "application/vnd.oipf.spdiscovery+xml": {
+ "source": "iana",
+ "compressible": true
+ },
+ "application/vnd.oipf.spdlist+xml": {
+ "source": "iana",
+ "compressible": true
+ },
+ "application/vnd.oipf.ueprofile+xml": {
+ "source": "iana",
+ "compressible": true
+ },
+ "application/vnd.oipf.userprofile+xml": {
+ "source": "iana",
+ "compressible": true
+ },
+ "application/vnd.olpc-sugar": {
+ "source": "iana",
+ "extensions": ["xo"]
+ },
+ "application/vnd.oma-scws-config": {
+ "source": "iana"
+ },
+ "application/vnd.oma-scws-http-request": {
+ "source": "iana"
+ },
+ "application/vnd.oma-scws-http-response": {
+ "source": "iana"
+ },
+ "application/vnd.oma.bcast.associated-procedure-parameter+xml": {
+ "source": "iana",
+ "compressible": true
+ },
+ "application/vnd.oma.bcast.drm-trigger+xml": {
+ "source": "iana",
+ "compressible": true
+ },
+ "application/vnd.oma.bcast.imd+xml": {
+ "source": "iana",
+ "compressible": true
+ },
+ "application/vnd.oma.bcast.ltkm": {
+ "source": "iana"
+ },
+ "application/vnd.oma.bcast.notification+xml": {
+ "source": "iana",
+ "compressible": true
+ },
+ "application/vnd.oma.bcast.provisioningtrigger": {
+ "source": "iana"
+ },
+ "application/vnd.oma.bcast.sgboot": {
+ "source": "iana"
+ },
+ "application/vnd.oma.bcast.sgdd+xml": {
+ "source": "iana",
+ "compressible": true
+ },
+ "application/vnd.oma.bcast.sgdu": {
+ "source": "iana"
+ },
+ "application/vnd.oma.bcast.simple-symbol-container": {
+ "source": "iana"
+ },
+ "application/vnd.oma.bcast.smartcard-trigger+xml": {
+ "source": "iana",
+ "compressible": true
+ },
+ "application/vnd.oma.bcast.sprov+xml": {
+ "source": "iana",
+ "compressible": true
+ },
+ "application/vnd.oma.bcast.stkm": {
+ "source": "iana"
+ },
+ "application/vnd.oma.cab-address-book+xml": {
+ "source": "iana",
+ "compressible": true
+ },
+ "application/vnd.oma.cab-feature-handler+xml": {
+ "source": "iana",
+ "compressible": true
+ },
+ "application/vnd.oma.cab-pcc+xml": {
+ "source": "iana",
+ "compressible": true
+ },
+ "application/vnd.oma.cab-subs-invite+xml": {
+ "source": "iana",
+ "compressible": true
+ },
+ "application/vnd.oma.cab-user-prefs+xml": {
+ "source": "iana",
+ "compressible": true
+ },
+ "application/vnd.oma.dcd": {
+ "source": "iana"
+ },
+ "application/vnd.oma.dcdc": {
+ "source": "iana"
+ },
+ "application/vnd.oma.dd2+xml": {
+ "source": "iana",
+ "compressible": true,
+ "extensions": ["dd2"]
+ },
+ "application/vnd.oma.drm.risd+xml": {
+ "source": "iana",
+ "compressible": true
+ },
+ "application/vnd.oma.group-usage-list+xml": {
+ "source": "iana",
+ "compressible": true
+ },
+ "application/vnd.oma.lwm2m+cbor": {
+ "source": "iana"
+ },
+ "application/vnd.oma.lwm2m+json": {
+ "source": "iana",
+ "compressible": true
+ },
+ "application/vnd.oma.lwm2m+tlv": {
+ "source": "iana"
+ },
+ "application/vnd.oma.pal+xml": {
+ "source": "iana",
+ "compressible": true
+ },
+ "application/vnd.oma.poc.detailed-progress-report+xml": {
+ "source": "iana",
+ "compressible": true
+ },
+ "application/vnd.oma.poc.final-report+xml": {
+ "source": "iana",
+ "compressible": true
+ },
+ "application/vnd.oma.poc.groups+xml": {
+ "source": "iana",
+ "compressible": true
+ },
+ "application/vnd.oma.poc.invocation-descriptor+xml": {
+ "source": "iana",
+ "compressible": true
+ },
+ "application/vnd.oma.poc.optimized-progress-report+xml": {
+ "source": "iana",
+ "compressible": true
+ },
+ "application/vnd.oma.push": {
+ "source": "iana"
+ },
+ "application/vnd.oma.scidm.messages+xml": {
+ "source": "iana",
+ "compressible": true
+ },
+ "application/vnd.oma.xcap-directory+xml": {
+ "source": "iana",
+ "compressible": true
+ },
+ "application/vnd.omads-email+xml": {
+ "source": "iana",
+ "charset": "UTF-8",
+ "compressible": true
+ },
+ "application/vnd.omads-file+xml": {
+ "source": "iana",
+ "charset": "UTF-8",
+ "compressible": true
+ },
+ "application/vnd.omads-folder+xml": {
+ "source": "iana",
+ "charset": "UTF-8",
+ "compressible": true
+ },
+ "application/vnd.omaloc-supl-init": {
+ "source": "iana"
+ },
+ "application/vnd.onepager": {
+ "source": "iana"
+ },
+ "application/vnd.onepagertamp": {
+ "source": "iana"
+ },
+ "application/vnd.onepagertamx": {
+ "source": "iana"
+ },
+ "application/vnd.onepagertat": {
+ "source": "iana"
+ },
+ "application/vnd.onepagertatp": {
+ "source": "iana"
+ },
+ "application/vnd.onepagertatx": {
+ "source": "iana"
+ },
+ "application/vnd.openblox.game+xml": {
+ "source": "iana",
+ "compressible": true,
+ "extensions": ["obgx"]
+ },
+ "application/vnd.openblox.game-binary": {
+ "source": "iana"
+ },
+ "application/vnd.openeye.oeb": {
+ "source": "iana"
+ },
+ "application/vnd.openofficeorg.extension": {
+ "source": "apache",
+ "extensions": ["oxt"]
+ },
+ "application/vnd.openstreetmap.data+xml": {
+ "source": "iana",
+ "compressible": true,
+ "extensions": ["osm"]
+ },
+ "application/vnd.opentimestamps.ots": {
+ "source": "iana"
+ },
+ "application/vnd.openxmlformats-officedocument.custom-properties+xml": {
+ "source": "iana",
+ "compressible": true
+ },
+ "application/vnd.openxmlformats-officedocument.customxmlproperties+xml": {
+ "source": "iana",
+ "compressible": true
+ },
+ "application/vnd.openxmlformats-officedocument.drawing+xml": {
+ "source": "iana",
+ "compressible": true
+ },
+ "application/vnd.openxmlformats-officedocument.drawingml.chart+xml": {
+ "source": "iana",
+ "compressible": true
+ },
+ "application/vnd.openxmlformats-officedocument.drawingml.chartshapes+xml": {
+ "source": "iana",
+ "compressible": true
+ },
+ "application/vnd.openxmlformats-officedocument.drawingml.diagramcolors+xml": {
+ "source": "iana",
+ "compressible": true
+ },
+ "application/vnd.openxmlformats-officedocument.drawingml.diagramdata+xml": {
+ "source": "iana",
+ "compressible": true
+ },
+ "application/vnd.openxmlformats-officedocument.drawingml.diagramlayout+xml": {
+ "source": "iana",
+ "compressible": true
+ },
+ "application/vnd.openxmlformats-officedocument.drawingml.diagramstyle+xml": {
+ "source": "iana",
+ "compressible": true
+ },
+ "application/vnd.openxmlformats-officedocument.extended-properties+xml": {
+ "source": "iana",
+ "compressible": true
+ },
+ "application/vnd.openxmlformats-officedocument.presentationml.commentauthors+xml": {
+ "source": "iana",
+ "compressible": true
+ },
+ "application/vnd.openxmlformats-officedocument.presentationml.comments+xml": {
+ "source": "iana",
+ "compressible": true
+ },
+ "application/vnd.openxmlformats-officedocument.presentationml.handoutmaster+xml": {
+ "source": "iana",
+ "compressible": true
+ },
+ "application/vnd.openxmlformats-officedocument.presentationml.notesmaster+xml": {
+ "source": "iana",
+ "compressible": true
+ },
+ "application/vnd.openxmlformats-officedocument.presentationml.notesslide+xml": {
+ "source": "iana",
+ "compressible": true
+ },
+ "application/vnd.openxmlformats-officedocument.presentationml.presentation": {
+ "source": "iana",
+ "compressible": false,
+ "extensions": ["pptx"]
+ },
+ "application/vnd.openxmlformats-officedocument.presentationml.presentation.main+xml": {
+ "source": "iana",
+ "compressible": true
+ },
+ "application/vnd.openxmlformats-officedocument.presentationml.presprops+xml": {
+ "source": "iana",
+ "compressible": true
+ },
+ "application/vnd.openxmlformats-officedocument.presentationml.slide": {
+ "source": "iana",
+ "extensions": ["sldx"]
+ },
+ "application/vnd.openxmlformats-officedocument.presentationml.slide+xml": {
+ "source": "iana",
+ "compressible": true
+ },
+ "application/vnd.openxmlformats-officedocument.presentationml.slidelayout+xml": {
+ "source": "iana",
+ "compressible": true
+ },
+ "application/vnd.openxmlformats-officedocument.presentationml.slidemaster+xml": {
+ "source": "iana",
+ "compressible": true
+ },
+ "application/vnd.openxmlformats-officedocument.presentationml.slideshow": {
+ "source": "iana",
+ "extensions": ["ppsx"]
+ },
+ "application/vnd.openxmlformats-officedocument.presentationml.slideshow.main+xml": {
+ "source": "iana",
+ "compressible": true
+ },
+ "application/vnd.openxmlformats-officedocument.presentationml.slideupdateinfo+xml": {
+ "source": "iana",
+ "compressible": true
+ },
+ "application/vnd.openxmlformats-officedocument.presentationml.tablestyles+xml": {
+ "source": "iana",
+ "compressible": true
+ },
+ "application/vnd.openxmlformats-officedocument.presentationml.tags+xml": {
+ "source": "iana",
+ "compressible": true
+ },
+ "application/vnd.openxmlformats-officedocument.presentationml.template": {
+ "source": "iana",
+ "extensions": ["potx"]
+ },
+ "application/vnd.openxmlformats-officedocument.presentationml.template.main+xml": {
+ "source": "iana",
+ "compressible": true
+ },
+ "application/vnd.openxmlformats-officedocument.presentationml.viewprops+xml": {
+ "source": "iana",
+ "compressible": true
+ },
+ "application/vnd.openxmlformats-officedocument.spreadsheetml.calcchain+xml": {
+ "source": "iana",
+ "compressible": true
+ },
+ "application/vnd.openxmlformats-officedocument.spreadsheetml.chartsheet+xml": {
+ "source": "iana",
+ "compressible": true
+ },
+ "application/vnd.openxmlformats-officedocument.spreadsheetml.comments+xml": {
+ "source": "iana",
+ "compressible": true
+ },
+ "application/vnd.openxmlformats-officedocument.spreadsheetml.connections+xml": {
+ "source": "iana",
+ "compressible": true
+ },
+ "application/vnd.openxmlformats-officedocument.spreadsheetml.dialogsheet+xml": {
+ "source": "iana",
+ "compressible": true
+ },
+ "application/vnd.openxmlformats-officedocument.spreadsheetml.externallink+xml": {
+ "source": "iana",
+ "compressible": true
+ },
+ "application/vnd.openxmlformats-officedocument.spreadsheetml.pivotcachedefinition+xml": {
+ "source": "iana",
+ "compressible": true
+ },
+ "application/vnd.openxmlformats-officedocument.spreadsheetml.pivotcacherecords+xml": {
+ "source": "iana",
+ "compressible": true
+ },
+ "application/vnd.openxmlformats-officedocument.spreadsheetml.pivottable+xml": {
+ "source": "iana",
+ "compressible": true
+ },
+ "application/vnd.openxmlformats-officedocument.spreadsheetml.querytable+xml": {
+ "source": "iana",
+ "compressible": true
+ },
+ "application/vnd.openxmlformats-officedocument.spreadsheetml.revisionheaders+xml": {
+ "source": "iana",
+ "compressible": true
+ },
+ "application/vnd.openxmlformats-officedocument.spreadsheetml.revisionlog+xml": {
+ "source": "iana",
+ "compressible": true
+ },
+ "application/vnd.openxmlformats-officedocument.spreadsheetml.sharedstrings+xml": {
+ "source": "iana",
+ "compressible": true
+ },
+ "application/vnd.openxmlformats-officedocument.spreadsheetml.sheet": {
+ "source": "iana",
+ "compressible": false,
+ "extensions": ["xlsx"]
+ },
+ "application/vnd.openxmlformats-officedocument.spreadsheetml.sheet.main+xml": {
+ "source": "iana",
+ "compressible": true
+ },
+ "application/vnd.openxmlformats-officedocument.spreadsheetml.sheetmetadata+xml": {
+ "source": "iana",
+ "compressible": true
+ },
+ "application/vnd.openxmlformats-officedocument.spreadsheetml.styles+xml": {
+ "source": "iana",
+ "compressible": true
+ },
+ "application/vnd.openxmlformats-officedocument.spreadsheetml.table+xml": {
+ "source": "iana",
+ "compressible": true
+ },
+ "application/vnd.openxmlformats-officedocument.spreadsheetml.tablesinglecells+xml": {
+ "source": "iana",
+ "compressible": true
+ },
+ "application/vnd.openxmlformats-officedocument.spreadsheetml.template": {
+ "source": "iana",
+ "extensions": ["xltx"]
+ },
+ "application/vnd.openxmlformats-officedocument.spreadsheetml.template.main+xml": {
+ "source": "iana",
+ "compressible": true
+ },
+ "application/vnd.openxmlformats-officedocument.spreadsheetml.usernames+xml": {
+ "source": "iana",
+ "compressible": true
+ },
+ "application/vnd.openxmlformats-officedocument.spreadsheetml.volatiledependencies+xml": {
+ "source": "iana",
+ "compressible": true
+ },
+ "application/vnd.openxmlformats-officedocument.spreadsheetml.worksheet+xml": {
+ "source": "iana",
+ "compressible": true
+ },
+ "application/vnd.openxmlformats-officedocument.theme+xml": {
+ "source": "iana",
+ "compressible": true
+ },
+ "application/vnd.openxmlformats-officedocument.themeoverride+xml": {
+ "source": "iana",
+ "compressible": true
+ },
+ "application/vnd.openxmlformats-officedocument.vmldrawing": {
+ "source": "iana"
+ },
+ "application/vnd.openxmlformats-officedocument.wordprocessingml.comments+xml": {
+ "source": "iana",
+ "compressible": true
+ },
+ "application/vnd.openxmlformats-officedocument.wordprocessingml.document": {
+ "source": "iana",
+ "compressible": false,
+ "extensions": ["docx"]
+ },
+ "application/vnd.openxmlformats-officedocument.wordprocessingml.document.glossary+xml": {
+ "source": "iana",
+ "compressible": true
+ },
+ "application/vnd.openxmlformats-officedocument.wordprocessingml.document.main+xml": {
+ "source": "iana",
+ "compressible": true
+ },
+ "application/vnd.openxmlformats-officedocument.wordprocessingml.endnotes+xml": {
+ "source": "iana",
+ "compressible": true
+ },
+ "application/vnd.openxmlformats-officedocument.wordprocessingml.fonttable+xml": {
+ "source": "iana",
+ "compressible": true
+ },
+ "application/vnd.openxmlformats-officedocument.wordprocessingml.footer+xml": {
+ "source": "iana",
+ "compressible": true
+ },
+ "application/vnd.openxmlformats-officedocument.wordprocessingml.footnotes+xml": {
+ "source": "iana",
+ "compressible": true
+ },
+ "application/vnd.openxmlformats-officedocument.wordprocessingml.numbering+xml": {
+ "source": "iana",
+ "compressible": true
+ },
+ "application/vnd.openxmlformats-officedocument.wordprocessingml.settings+xml": {
+ "source": "iana",
+ "compressible": true
+ },
+ "application/vnd.openxmlformats-officedocument.wordprocessingml.styles+xml": {
+ "source": "iana",
+ "compressible": true
+ },
+ "application/vnd.openxmlformats-officedocument.wordprocessingml.template": {
+ "source": "iana",
+ "extensions": ["dotx"]
+ },
+ "application/vnd.openxmlformats-officedocument.wordprocessingml.template.main+xml": {
+ "source": "iana",
+ "compressible": true
+ },
+ "application/vnd.openxmlformats-officedocument.wordprocessingml.websettings+xml": {
+ "source": "iana",
+ "compressible": true
+ },
+ "application/vnd.openxmlformats-package.core-properties+xml": {
+ "source": "iana",
+ "compressible": true
+ },
+ "application/vnd.openxmlformats-package.digital-signature-xmlsignature+xml": {
+ "source": "iana",
+ "compressible": true
+ },
+ "application/vnd.openxmlformats-package.relationships+xml": {
+ "source": "iana",
+ "compressible": true
+ },
+ "application/vnd.oracle.resource+json": {
+ "source": "iana",
+ "compressible": true
+ },
+ "application/vnd.orange.indata": {
+ "source": "iana"
+ },
+ "application/vnd.osa.netdeploy": {
+ "source": "iana"
+ },
+ "application/vnd.osgeo.mapguide.package": {
+ "source": "iana",
+ "extensions": ["mgp"]
+ },
+ "application/vnd.osgi.bundle": {
+ "source": "iana"
+ },
+ "application/vnd.osgi.dp": {
+ "source": "iana",
+ "extensions": ["dp"]
+ },
+ "application/vnd.osgi.subsystem": {
+ "source": "iana",
+ "extensions": ["esa"]
+ },
+ "application/vnd.otps.ct-kip+xml": {
+ "source": "iana",
+ "compressible": true
+ },
+ "application/vnd.oxli.countgraph": {
+ "source": "iana"
+ },
+ "application/vnd.pagerduty+json": {
+ "source": "iana",
+ "compressible": true
+ },
+ "application/vnd.palm": {
+ "source": "iana",
+ "extensions": ["pdb","pqa","oprc"]
+ },
+ "application/vnd.panoply": {
+ "source": "iana"
+ },
+ "application/vnd.paos.xml": {
+ "source": "iana"
+ },
+ "application/vnd.patentdive": {
+ "source": "iana"
+ },
+ "application/vnd.patientecommsdoc": {
+ "source": "iana"
+ },
+ "application/vnd.pawaafile": {
+ "source": "iana",
+ "extensions": ["paw"]
+ },
+ "application/vnd.pcos": {
+ "source": "iana"
+ },
+ "application/vnd.pg.format": {
+ "source": "iana",
+ "extensions": ["str"]
+ },
+ "application/vnd.pg.osasli": {
+ "source": "iana",
+ "extensions": ["ei6"]
+ },
+ "application/vnd.piaccess.application-licence": {
+ "source": "iana"
+ },
+ "application/vnd.picsel": {
+ "source": "iana",
+ "extensions": ["efif"]
+ },
+ "application/vnd.pmi.widget": {
+ "source": "iana",
+ "extensions": ["wg"]
+ },
+ "application/vnd.poc.group-advertisement+xml": {
+ "source": "iana",
+ "compressible": true
+ },
+ "application/vnd.pocketlearn": {
+ "source": "iana",
+ "extensions": ["plf"]
+ },
+ "application/vnd.powerbuilder6": {
+ "source": "iana",
+ "extensions": ["pbd"]
+ },
+ "application/vnd.powerbuilder6-s": {
+ "source": "iana"
+ },
+ "application/vnd.powerbuilder7": {
+ "source": "iana"
+ },
+ "application/vnd.powerbuilder7-s": {
+ "source": "iana"
+ },
+ "application/vnd.powerbuilder75": {
+ "source": "iana"
+ },
+ "application/vnd.powerbuilder75-s": {
+ "source": "iana"
+ },
+ "application/vnd.preminet": {
+ "source": "iana"
+ },
+ "application/vnd.previewsystems.box": {
+ "source": "iana",
+ "extensions": ["box"]
+ },
+ "application/vnd.proteus.magazine": {
+ "source": "iana",
+ "extensions": ["mgz"]
+ },
+ "application/vnd.psfs": {
+ "source": "iana"
+ },
+ "application/vnd.publishare-delta-tree": {
+ "source": "iana",
+ "extensions": ["qps"]
+ },
+ "application/vnd.pvi.ptid1": {
+ "source": "iana",
+ "extensions": ["ptid"]
+ },
+ "application/vnd.pwg-multiplexed": {
+ "source": "iana"
+ },
+ "application/vnd.pwg-xhtml-print+xml": {
+ "source": "iana",
+ "compressible": true
+ },
+ "application/vnd.qualcomm.brew-app-res": {
+ "source": "iana"
+ },
+ "application/vnd.quarantainenet": {
+ "source": "iana"
+ },
+ "application/vnd.quark.quarkxpress": {
+ "source": "iana",
+ "extensions": ["qxd","qxt","qwd","qwt","qxl","qxb"]
+ },
+ "application/vnd.quobject-quoxdocument": {
+ "source": "iana"
+ },
+ "application/vnd.radisys.moml+xml": {
+ "source": "iana",
+ "compressible": true
+ },
+ "application/vnd.radisys.msml+xml": {
+ "source": "iana",
+ "compressible": true
+ },
+ "application/vnd.radisys.msml-audit+xml": {
+ "source": "iana",
+ "compressible": true
+ },
+ "application/vnd.radisys.msml-audit-conf+xml": {
+ "source": "iana",
+ "compressible": true
+ },
+ "application/vnd.radisys.msml-audit-conn+xml": {
+ "source": "iana",
+ "compressible": true
+ },
+ "application/vnd.radisys.msml-audit-dialog+xml": {
+ "source": "iana",
+ "compressible": true
+ },
+ "application/vnd.radisys.msml-audit-stream+xml": {
+ "source": "iana",
+ "compressible": true
+ },
+ "application/vnd.radisys.msml-conf+xml": {
+ "source": "iana",
+ "compressible": true
+ },
+ "application/vnd.radisys.msml-dialog+xml": {
+ "source": "iana",
+ "compressible": true
+ },
+ "application/vnd.radisys.msml-dialog-base+xml": {
+ "source": "iana",
+ "compressible": true
+ },
+ "application/vnd.radisys.msml-dialog-fax-detect+xml": {
+ "source": "iana",
+ "compressible": true
+ },
+ "application/vnd.radisys.msml-dialog-fax-sendrecv+xml": {
+ "source": "iana",
+ "compressible": true
+ },
+ "application/vnd.radisys.msml-dialog-group+xml": {
+ "source": "iana",
+ "compressible": true
+ },
+ "application/vnd.radisys.msml-dialog-speech+xml": {
+ "source": "iana",
+ "compressible": true
+ },
+ "application/vnd.radisys.msml-dialog-transform+xml": {
+ "source": "iana",
+ "compressible": true
+ },
+ "application/vnd.rainstor.data": {
+ "source": "iana"
+ },
+ "application/vnd.rapid": {
+ "source": "iana"
+ },
+ "application/vnd.rar": {
+ "source": "iana",
+ "extensions": ["rar"]
+ },
+ "application/vnd.realvnc.bed": {
+ "source": "iana",
+ "extensions": ["bed"]
+ },
+ "application/vnd.recordare.musicxml": {
+ "source": "iana",
+ "extensions": ["mxl"]
+ },
+ "application/vnd.recordare.musicxml+xml": {
+ "source": "iana",
+ "compressible": true,
+ "extensions": ["musicxml"]
+ },
+ "application/vnd.renlearn.rlprint": {
+ "source": "iana"
+ },
+ "application/vnd.resilient.logic": {
+ "source": "iana"
+ },
+ "application/vnd.restful+json": {
+ "source": "iana",
+ "compressible": true
+ },
+ "application/vnd.rig.cryptonote": {
+ "source": "iana",
+ "extensions": ["cryptonote"]
+ },
+ "application/vnd.rim.cod": {
+ "source": "apache",
+ "extensions": ["cod"]
+ },
+ "application/vnd.rn-realmedia": {
+ "source": "apache",
+ "extensions": ["rm"]
+ },
+ "application/vnd.rn-realmedia-vbr": {
+ "source": "apache",
+ "extensions": ["rmvb"]
+ },
+ "application/vnd.route66.link66+xml": {
+ "source": "iana",
+ "compressible": true,
+ "extensions": ["link66"]
+ },
+ "application/vnd.rs-274x": {
+ "source": "iana"
+ },
+ "application/vnd.ruckus.download": {
+ "source": "iana"
+ },
+ "application/vnd.s3sms": {
+ "source": "iana"
+ },
+ "application/vnd.sailingtracker.track": {
+ "source": "iana",
+ "extensions": ["st"]
+ },
+ "application/vnd.sar": {
+ "source": "iana"
+ },
+ "application/vnd.sbm.cid": {
+ "source": "iana"
+ },
+ "application/vnd.sbm.mid2": {
+ "source": "iana"
+ },
+ "application/vnd.scribus": {
+ "source": "iana"
+ },
+ "application/vnd.sealed.3df": {
+ "source": "iana"
+ },
+ "application/vnd.sealed.csf": {
+ "source": "iana"
+ },
+ "application/vnd.sealed.doc": {
+ "source": "iana"
+ },
+ "application/vnd.sealed.eml": {
+ "source": "iana"
+ },
+ "application/vnd.sealed.mht": {
+ "source": "iana"
+ },
+ "application/vnd.sealed.net": {
+ "source": "iana"
+ },
+ "application/vnd.sealed.ppt": {
+ "source": "iana"
+ },
+ "application/vnd.sealed.tiff": {
+ "source": "iana"
+ },
+ "application/vnd.sealed.xls": {
+ "source": "iana"
+ },
+ "application/vnd.sealedmedia.softseal.html": {
+ "source": "iana"
+ },
+ "application/vnd.sealedmedia.softseal.pdf": {
+ "source": "iana"
+ },
+ "application/vnd.seemail": {
+ "source": "iana",
+ "extensions": ["see"]
+ },
+ "application/vnd.seis+json": {
+ "source": "iana",
+ "compressible": true
+ },
+ "application/vnd.sema": {
+ "source": "iana",
+ "extensions": ["sema"]
+ },
+ "application/vnd.semd": {
+ "source": "iana",
+ "extensions": ["semd"]
+ },
+ "application/vnd.semf": {
+ "source": "iana",
+ "extensions": ["semf"]
+ },
+ "application/vnd.shade-save-file": {
+ "source": "iana"
+ },
+ "application/vnd.shana.informed.formdata": {
+ "source": "iana",
+ "extensions": ["ifm"]
+ },
+ "application/vnd.shana.informed.formtemplate": {
+ "source": "iana",
+ "extensions": ["itp"]
+ },
+ "application/vnd.shana.informed.interchange": {
+ "source": "iana",
+ "extensions": ["iif"]
+ },
+ "application/vnd.shana.informed.package": {
+ "source": "iana",
+ "extensions": ["ipk"]
+ },
+ "application/vnd.shootproof+json": {
+ "source": "iana",
+ "compressible": true
+ },
+ "application/vnd.shopkick+json": {
+ "source": "iana",
+ "compressible": true
+ },
+ "application/vnd.shp": {
+ "source": "iana"
+ },
+ "application/vnd.shx": {
+ "source": "iana"
+ },
+ "application/vnd.sigrok.session": {
+ "source": "iana"
+ },
+ "application/vnd.simtech-mindmapper": {
+ "source": "iana",
+ "extensions": ["twd","twds"]
+ },
+ "application/vnd.siren+json": {
+ "source": "iana",
+ "compressible": true
+ },
+ "application/vnd.smaf": {
+ "source": "iana",
+ "extensions": ["mmf"]
+ },
+ "application/vnd.smart.notebook": {
+ "source": "iana"
+ },
+ "application/vnd.smart.teacher": {
+ "source": "iana",
+ "extensions": ["teacher"]
+ },
+ "application/vnd.snesdev-page-table": {
+ "source": "iana"
+ },
+ "application/vnd.software602.filler.form+xml": {
+ "source": "iana",
+ "compressible": true,
+ "extensions": ["fo"]
+ },
+ "application/vnd.software602.filler.form-xml-zip": {
+ "source": "iana"
+ },
+ "application/vnd.solent.sdkm+xml": {
+ "source": "iana",
+ "compressible": true,
+ "extensions": ["sdkm","sdkd"]
+ },
+ "application/vnd.spotfire.dxp": {
+ "source": "iana",
+ "extensions": ["dxp"]
+ },
+ "application/vnd.spotfire.sfs": {
+ "source": "iana",
+ "extensions": ["sfs"]
+ },
+ "application/vnd.sqlite3": {
+ "source": "iana"
+ },
+ "application/vnd.sss-cod": {
+ "source": "iana"
+ },
+ "application/vnd.sss-dtf": {
+ "source": "iana"
+ },
+ "application/vnd.sss-ntf": {
+ "source": "iana"
+ },
+ "application/vnd.stardivision.calc": {
+ "source": "apache",
+ "extensions": ["sdc"]
+ },
+ "application/vnd.stardivision.draw": {
+ "source": "apache",
+ "extensions": ["sda"]
+ },
+ "application/vnd.stardivision.impress": {
+ "source": "apache",
+ "extensions": ["sdd"]
+ },
+ "application/vnd.stardivision.math": {
+ "source": "apache",
+ "extensions": ["smf"]
+ },
+ "application/vnd.stardivision.writer": {
+ "source": "apache",
+ "extensions": ["sdw","vor"]
+ },
+ "application/vnd.stardivision.writer-global": {
+ "source": "apache",
+ "extensions": ["sgl"]
+ },
+ "application/vnd.stepmania.package": {
+ "source": "iana",
+ "extensions": ["smzip"]
+ },
+ "application/vnd.stepmania.stepchart": {
+ "source": "iana",
+ "extensions": ["sm"]
+ },
+ "application/vnd.street-stream": {
+ "source": "iana"
+ },
+ "application/vnd.sun.wadl+xml": {
+ "source": "iana",
+ "compressible": true,
+ "extensions": ["wadl"]
+ },
+ "application/vnd.sun.xml.calc": {
+ "source": "apache",
+ "extensions": ["sxc"]
+ },
+ "application/vnd.sun.xml.calc.template": {
+ "source": "apache",
+ "extensions": ["stc"]
+ },
+ "application/vnd.sun.xml.draw": {
+ "source": "apache",
+ "extensions": ["sxd"]
+ },
+ "application/vnd.sun.xml.draw.template": {
+ "source": "apache",
+ "extensions": ["std"]
+ },
+ "application/vnd.sun.xml.impress": {
+ "source": "apache",
+ "extensions": ["sxi"]
+ },
+ "application/vnd.sun.xml.impress.template": {
+ "source": "apache",
+ "extensions": ["sti"]
+ },
+ "application/vnd.sun.xml.math": {
+ "source": "apache",
+ "extensions": ["sxm"]
+ },
+ "application/vnd.sun.xml.writer": {
+ "source": "apache",
+ "extensions": ["sxw"]
+ },
+ "application/vnd.sun.xml.writer.global": {
+ "source": "apache",
+ "extensions": ["sxg"]
+ },
+ "application/vnd.sun.xml.writer.template": {
+ "source": "apache",
+ "extensions": ["stw"]
+ },
+ "application/vnd.sus-calendar": {
+ "source": "iana",
+ "extensions": ["sus","susp"]
+ },
+ "application/vnd.svd": {
+ "source": "iana",
+ "extensions": ["svd"]
+ },
+ "application/vnd.swiftview-ics": {
+ "source": "iana"
+ },
+ "application/vnd.sycle+xml": {
+ "source": "iana",
+ "compressible": true
+ },
+ "application/vnd.syft+json": {
+ "source": "iana",
+ "compressible": true
+ },
+ "application/vnd.symbian.install": {
+ "source": "apache",
+ "extensions": ["sis","sisx"]
+ },
+ "application/vnd.syncml+xml": {
+ "source": "iana",
+ "charset": "UTF-8",
+ "compressible": true,
+ "extensions": ["xsm"]
+ },
+ "application/vnd.syncml.dm+wbxml": {
+ "source": "iana",
+ "charset": "UTF-8",
+ "extensions": ["bdm"]
+ },
+ "application/vnd.syncml.dm+xml": {
+ "source": "iana",
+ "charset": "UTF-8",
+ "compressible": true,
+ "extensions": ["xdm"]
+ },
+ "application/vnd.syncml.dm.notification": {
+ "source": "iana"
+ },
+ "application/vnd.syncml.dmddf+wbxml": {
+ "source": "iana"
+ },
+ "application/vnd.syncml.dmddf+xml": {
+ "source": "iana",
+ "charset": "UTF-8",
+ "compressible": true,
+ "extensions": ["ddf"]
+ },
+ "application/vnd.syncml.dmtnds+wbxml": {
+ "source": "iana"
+ },
+ "application/vnd.syncml.dmtnds+xml": {
+ "source": "iana",
+ "charset": "UTF-8",
+ "compressible": true
+ },
+ "application/vnd.syncml.ds.notification": {
+ "source": "iana"
+ },
+ "application/vnd.tableschema+json": {
+ "source": "iana",
+ "compressible": true
+ },
+ "application/vnd.tao.intent-module-archive": {
+ "source": "iana",
+ "extensions": ["tao"]
+ },
+ "application/vnd.tcpdump.pcap": {
+ "source": "iana",
+ "extensions": ["pcap","cap","dmp"]
+ },
+ "application/vnd.think-cell.ppttc+json": {
+ "source": "iana",
+ "compressible": true
+ },
+ "application/vnd.tmd.mediaflex.api+xml": {
+ "source": "iana",
+ "compressible": true
+ },
+ "application/vnd.tml": {
+ "source": "iana"
+ },
+ "application/vnd.tmobile-livetv": {
+ "source": "iana",
+ "extensions": ["tmo"]
+ },
+ "application/vnd.tri.onesource": {
+ "source": "iana"
+ },
+ "application/vnd.trid.tpt": {
+ "source": "iana",
+ "extensions": ["tpt"]
+ },
+ "application/vnd.triscape.mxs": {
+ "source": "iana",
+ "extensions": ["mxs"]
+ },
+ "application/vnd.trueapp": {
+ "source": "iana",
+ "extensions": ["tra"]
+ },
+ "application/vnd.truedoc": {
+ "source": "iana"
+ },
+ "application/vnd.ubisoft.webplayer": {
+ "source": "iana"
+ },
+ "application/vnd.ufdl": {
+ "source": "iana",
+ "extensions": ["ufd","ufdl"]
+ },
+ "application/vnd.uiq.theme": {
+ "source": "iana",
+ "extensions": ["utz"]
+ },
+ "application/vnd.umajin": {
+ "source": "iana",
+ "extensions": ["umj"]
+ },
+ "application/vnd.unity": {
+ "source": "iana",
+ "extensions": ["unityweb"]
+ },
+ "application/vnd.uoml+xml": {
+ "source": "iana",
+ "compressible": true,
+ "extensions": ["uoml"]
+ },
+ "application/vnd.uplanet.alert": {
+ "source": "iana"
+ },
+ "application/vnd.uplanet.alert-wbxml": {
+ "source": "iana"
+ },
+ "application/vnd.uplanet.bearer-choice": {
+ "source": "iana"
+ },
+ "application/vnd.uplanet.bearer-choice-wbxml": {
+ "source": "iana"
+ },
+ "application/vnd.uplanet.cacheop": {
+ "source": "iana"
+ },
+ "application/vnd.uplanet.cacheop-wbxml": {
+ "source": "iana"
+ },
+ "application/vnd.uplanet.channel": {
+ "source": "iana"
+ },
+ "application/vnd.uplanet.channel-wbxml": {
+ "source": "iana"
+ },
+ "application/vnd.uplanet.list": {
+ "source": "iana"
+ },
+ "application/vnd.uplanet.list-wbxml": {
+ "source": "iana"
+ },
+ "application/vnd.uplanet.listcmd": {
+ "source": "iana"
+ },
+ "application/vnd.uplanet.listcmd-wbxml": {
+ "source": "iana"
+ },
+ "application/vnd.uplanet.signal": {
+ "source": "iana"
+ },
+ "application/vnd.uri-map": {
+ "source": "iana"
+ },
+ "application/vnd.valve.source.material": {
+ "source": "iana"
+ },
+ "application/vnd.vcx": {
+ "source": "iana",
+ "extensions": ["vcx"]
+ },
+ "application/vnd.vd-study": {
+ "source": "iana"
+ },
+ "application/vnd.vectorworks": {
+ "source": "iana"
+ },
+ "application/vnd.vel+json": {
+ "source": "iana",
+ "compressible": true
+ },
+ "application/vnd.verimatrix.vcas": {
+ "source": "iana"
+ },
+ "application/vnd.veritone.aion+json": {
+ "source": "iana",
+ "compressible": true
+ },
+ "application/vnd.veryant.thin": {
+ "source": "iana"
+ },
+ "application/vnd.ves.encrypted": {
+ "source": "iana"
+ },
+ "application/vnd.vidsoft.vidconference": {
+ "source": "iana"
+ },
+ "application/vnd.visio": {
+ "source": "iana",
+ "extensions": ["vsd","vst","vss","vsw"]
+ },
+ "application/vnd.visionary": {
+ "source": "iana",
+ "extensions": ["vis"]
+ },
+ "application/vnd.vividence.scriptfile": {
+ "source": "iana"
+ },
+ "application/vnd.vsf": {
+ "source": "iana",
+ "extensions": ["vsf"]
+ },
+ "application/vnd.wap.sic": {
+ "source": "iana"
+ },
+ "application/vnd.wap.slc": {
+ "source": "iana"
+ },
+ "application/vnd.wap.wbxml": {
+ "source": "iana",
+ "charset": "UTF-8",
+ "extensions": ["wbxml"]
+ },
+ "application/vnd.wap.wmlc": {
+ "source": "iana",
+ "extensions": ["wmlc"]
+ },
+ "application/vnd.wap.wmlscriptc": {
+ "source": "iana",
+ "extensions": ["wmlsc"]
+ },
+ "application/vnd.webturbo": {
+ "source": "iana",
+ "extensions": ["wtb"]
+ },
+ "application/vnd.wfa.dpp": {
+ "source": "iana"
+ },
+ "application/vnd.wfa.p2p": {
+ "source": "iana"
+ },
+ "application/vnd.wfa.wsc": {
+ "source": "iana"
+ },
+ "application/vnd.windows.devicepairing": {
+ "source": "iana"
+ },
+ "application/vnd.wmc": {
+ "source": "iana"
+ },
+ "application/vnd.wmf.bootstrap": {
+ "source": "iana"
+ },
+ "application/vnd.wolfram.mathematica": {
+ "source": "iana"
+ },
+ "application/vnd.wolfram.mathematica.package": {
+ "source": "iana"
+ },
+ "application/vnd.wolfram.player": {
+ "source": "iana",
+ "extensions": ["nbp"]
+ },
+ "application/vnd.wordperfect": {
+ "source": "iana",
+ "extensions": ["wpd"]
+ },
+ "application/vnd.wqd": {
+ "source": "iana",
+ "extensions": ["wqd"]
+ },
+ "application/vnd.wrq-hp3000-labelled": {
+ "source": "iana"
+ },
+ "application/vnd.wt.stf": {
+ "source": "iana",
+ "extensions": ["stf"]
+ },
+ "application/vnd.wv.csp+wbxml": {
+ "source": "iana"
+ },
+ "application/vnd.wv.csp+xml": {
+ "source": "iana",
+ "compressible": true
+ },
+ "application/vnd.wv.ssp+xml": {
+ "source": "iana",
+ "compressible": true
+ },
+ "application/vnd.xacml+json": {
+ "source": "iana",
+ "compressible": true
+ },
+ "application/vnd.xara": {
+ "source": "iana",
+ "extensions": ["xar"]
+ },
+ "application/vnd.xfdl": {
+ "source": "iana",
+ "extensions": ["xfdl"]
+ },
+ "application/vnd.xfdl.webform": {
+ "source": "iana"
+ },
+ "application/vnd.xmi+xml": {
+ "source": "iana",
+ "compressible": true
+ },
+ "application/vnd.xmpie.cpkg": {
+ "source": "iana"
+ },
+ "application/vnd.xmpie.dpkg": {
+ "source": "iana"
+ },
+ "application/vnd.xmpie.plan": {
+ "source": "iana"
+ },
+ "application/vnd.xmpie.ppkg": {
+ "source": "iana"
+ },
+ "application/vnd.xmpie.xlim": {
+ "source": "iana"
+ },
+ "application/vnd.yamaha.hv-dic": {
+ "source": "iana",
+ "extensions": ["hvd"]
+ },
+ "application/vnd.yamaha.hv-script": {
+ "source": "iana",
+ "extensions": ["hvs"]
+ },
+ "application/vnd.yamaha.hv-voice": {
+ "source": "iana",
+ "extensions": ["hvp"]
+ },
+ "application/vnd.yamaha.openscoreformat": {
+ "source": "iana",
+ "extensions": ["osf"]
+ },
+ "application/vnd.yamaha.openscoreformat.osfpvg+xml": {
+ "source": "iana",
+ "compressible": true,
+ "extensions": ["osfpvg"]
+ },
+ "application/vnd.yamaha.remote-setup": {
+ "source": "iana"
+ },
+ "application/vnd.yamaha.smaf-audio": {
+ "source": "iana",
+ "extensions": ["saf"]
+ },
+ "application/vnd.yamaha.smaf-phrase": {
+ "source": "iana",
+ "extensions": ["spf"]
+ },
+ "application/vnd.yamaha.through-ngn": {
+ "source": "iana"
+ },
+ "application/vnd.yamaha.tunnel-udpencap": {
+ "source": "iana"
+ },
+ "application/vnd.yaoweme": {
+ "source": "iana"
+ },
+ "application/vnd.yellowriver-custom-menu": {
+ "source": "iana",
+ "extensions": ["cmp"]
+ },
+ "application/vnd.youtube.yt": {
+ "source": "iana"
+ },
+ "application/vnd.zul": {
+ "source": "iana",
+ "extensions": ["zir","zirz"]
+ },
+ "application/vnd.zzazz.deck+xml": {
+ "source": "iana",
+ "compressible": true,
+ "extensions": ["zaz"]
+ },
+ "application/voicexml+xml": {
+ "source": "iana",
+ "compressible": true,
+ "extensions": ["vxml"]
+ },
+ "application/voucher-cms+json": {
+ "source": "iana",
+ "compressible": true
+ },
+ "application/vq-rtcpxr": {
+ "source": "iana"
+ },
+ "application/wasm": {
+ "source": "iana",
+ "compressible": true,
+ "extensions": ["wasm"]
+ },
+ "application/watcherinfo+xml": {
+ "source": "iana",
+ "compressible": true,
+ "extensions": ["wif"]
+ },
+ "application/webpush-options+json": {
+ "source": "iana",
+ "compressible": true
+ },
+ "application/whoispp-query": {
+ "source": "iana"
+ },
+ "application/whoispp-response": {
+ "source": "iana"
+ },
+ "application/widget": {
+ "source": "iana",
+ "extensions": ["wgt"]
+ },
+ "application/winhlp": {
+ "source": "apache",
+ "extensions": ["hlp"]
+ },
+ "application/wita": {
+ "source": "iana"
+ },
+ "application/wordperfect5.1": {
+ "source": "iana"
+ },
+ "application/wsdl+xml": {
+ "source": "iana",
+ "compressible": true,
+ "extensions": ["wsdl"]
+ },
+ "application/wspolicy+xml": {
+ "source": "iana",
+ "compressible": true,
+ "extensions": ["wspolicy"]
+ },
+ "application/x-7z-compressed": {
+ "source": "apache",
+ "compressible": false,
+ "extensions": ["7z"]
+ },
+ "application/x-abiword": {
+ "source": "apache",
+ "extensions": ["abw"]
+ },
+ "application/x-ace-compressed": {
+ "source": "apache",
+ "extensions": ["ace"]
+ },
+ "application/x-amf": {
+ "source": "apache"
+ },
+ "application/x-apple-diskimage": {
+ "source": "apache",
+ "extensions": ["dmg"]
+ },
+ "application/x-arj": {
+ "compressible": false,
+ "extensions": ["arj"]
+ },
+ "application/x-authorware-bin": {
+ "source": "apache",
+ "extensions": ["aab","x32","u32","vox"]
+ },
+ "application/x-authorware-map": {
+ "source": "apache",
+ "extensions": ["aam"]
+ },
+ "application/x-authorware-seg": {
+ "source": "apache",
+ "extensions": ["aas"]
+ },
+ "application/x-bcpio": {
+ "source": "apache",
+ "extensions": ["bcpio"]
+ },
+ "application/x-bdoc": {
+ "compressible": false,
+ "extensions": ["bdoc"]
+ },
+ "application/x-bittorrent": {
+ "source": "apache",
+ "extensions": ["torrent"]
+ },
+ "application/x-blorb": {
+ "source": "apache",
+ "extensions": ["blb","blorb"]
+ },
+ "application/x-bzip": {
+ "source": "apache",
+ "compressible": false,
+ "extensions": ["bz"]
+ },
+ "application/x-bzip2": {
+ "source": "apache",
+ "compressible": false,
+ "extensions": ["bz2","boz"]
+ },
+ "application/x-cbr": {
+ "source": "apache",
+ "extensions": ["cbr","cba","cbt","cbz","cb7"]
+ },
+ "application/x-cdlink": {
+ "source": "apache",
+ "extensions": ["vcd"]
+ },
+ "application/x-cfs-compressed": {
+ "source": "apache",
+ "extensions": ["cfs"]
+ },
+ "application/x-chat": {
+ "source": "apache",
+ "extensions": ["chat"]
+ },
+ "application/x-chess-pgn": {
+ "source": "apache",
+ "extensions": ["pgn"]
+ },
+ "application/x-chrome-extension": {
+ "extensions": ["crx"]
+ },
+ "application/x-cocoa": {
+ "source": "nginx",
+ "extensions": ["cco"]
+ },
+ "application/x-compress": {
+ "source": "apache"
+ },
+ "application/x-conference": {
+ "source": "apache",
+ "extensions": ["nsc"]
+ },
+ "application/x-cpio": {
+ "source": "apache",
+ "extensions": ["cpio"]
+ },
+ "application/x-csh": {
+ "source": "apache",
+ "extensions": ["csh"]
+ },
+ "application/x-deb": {
+ "compressible": false
+ },
+ "application/x-debian-package": {
+ "source": "apache",
+ "extensions": ["deb","udeb"]
+ },
+ "application/x-dgc-compressed": {
+ "source": "apache",
+ "extensions": ["dgc"]
+ },
+ "application/x-director": {
+ "source": "apache",
+ "extensions": ["dir","dcr","dxr","cst","cct","cxt","w3d","fgd","swa"]
+ },
+ "application/x-doom": {
+ "source": "apache",
+ "extensions": ["wad"]
+ },
+ "application/x-dtbncx+xml": {
+ "source": "apache",
+ "compressible": true,
+ "extensions": ["ncx"]
+ },
+ "application/x-dtbook+xml": {
+ "source": "apache",
+ "compressible": true,
+ "extensions": ["dtb"]
+ },
+ "application/x-dtbresource+xml": {
+ "source": "apache",
+ "compressible": true,
+ "extensions": ["res"]
+ },
+ "application/x-dvi": {
+ "source": "apache",
+ "compressible": false,
+ "extensions": ["dvi"]
+ },
+ "application/x-envoy": {
+ "source": "apache",
+ "extensions": ["evy"]
+ },
+ "application/x-eva": {
+ "source": "apache",
+ "extensions": ["eva"]
+ },
+ "application/x-font-bdf": {
+ "source": "apache",
+ "extensions": ["bdf"]
+ },
+ "application/x-font-dos": {
+ "source": "apache"
+ },
+ "application/x-font-framemaker": {
+ "source": "apache"
+ },
+ "application/x-font-ghostscript": {
+ "source": "apache",
+ "extensions": ["gsf"]
+ },
+ "application/x-font-libgrx": {
+ "source": "apache"
+ },
+ "application/x-font-linux-psf": {
+ "source": "apache",
+ "extensions": ["psf"]
+ },
+ "application/x-font-pcf": {
+ "source": "apache",
+ "extensions": ["pcf"]
+ },
+ "application/x-font-snf": {
+ "source": "apache",
+ "extensions": ["snf"]
+ },
+ "application/x-font-speedo": {
+ "source": "apache"
+ },
+ "application/x-font-sunos-news": {
+ "source": "apache"
+ },
+ "application/x-font-type1": {
+ "source": "apache",
+ "extensions": ["pfa","pfb","pfm","afm"]
+ },
+ "application/x-font-vfont": {
+ "source": "apache"
+ },
+ "application/x-freearc": {
+ "source": "apache",
+ "extensions": ["arc"]
+ },
+ "application/x-futuresplash": {
+ "source": "apache",
+ "extensions": ["spl"]
+ },
+ "application/x-gca-compressed": {
+ "source": "apache",
+ "extensions": ["gca"]
+ },
+ "application/x-glulx": {
+ "source": "apache",
+ "extensions": ["ulx"]
+ },
+ "application/x-gnumeric": {
+ "source": "apache",
+ "extensions": ["gnumeric"]
+ },
+ "application/x-gramps-xml": {
+ "source": "apache",
+ "extensions": ["gramps"]
+ },
+ "application/x-gtar": {
+ "source": "apache",
+ "extensions": ["gtar"]
+ },
+ "application/x-gzip": {
+ "source": "apache"
+ },
+ "application/x-hdf": {
+ "source": "apache",
+ "extensions": ["hdf"]
+ },
+ "application/x-httpd-php": {
+ "compressible": true,
+ "extensions": ["php"]
+ },
+ "application/x-install-instructions": {
+ "source": "apache",
+ "extensions": ["install"]
+ },
+ "application/x-iso9660-image": {
+ "source": "apache",
+ "extensions": ["iso"]
+ },
+ "application/x-iwork-keynote-sffkey": {
+ "extensions": ["key"]
+ },
+ "application/x-iwork-numbers-sffnumbers": {
+ "extensions": ["numbers"]
+ },
+ "application/x-iwork-pages-sffpages": {
+ "extensions": ["pages"]
+ },
+ "application/x-java-archive-diff": {
+ "source": "nginx",
+ "extensions": ["jardiff"]
+ },
+ "application/x-java-jnlp-file": {
+ "source": "apache",
+ "compressible": false,
+ "extensions": ["jnlp"]
+ },
+ "application/x-javascript": {
+ "compressible": true
+ },
+ "application/x-keepass2": {
+ "extensions": ["kdbx"]
+ },
+ "application/x-latex": {
+ "source": "apache",
+ "compressible": false,
+ "extensions": ["latex"]
+ },
+ "application/x-lua-bytecode": {
+ "extensions": ["luac"]
+ },
+ "application/x-lzh-compressed": {
+ "source": "apache",
+ "extensions": ["lzh","lha"]
+ },
+ "application/x-makeself": {
+ "source": "nginx",
+ "extensions": ["run"]
+ },
+ "application/x-mie": {
+ "source": "apache",
+ "extensions": ["mie"]
+ },
+ "application/x-mobipocket-ebook": {
+ "source": "apache",
+ "extensions": ["prc","mobi"]
+ },
+ "application/x-mpegurl": {
+ "compressible": false
+ },
+ "application/x-ms-application": {
+ "source": "apache",
+ "extensions": ["application"]
+ },
+ "application/x-ms-shortcut": {
+ "source": "apache",
+ "extensions": ["lnk"]
+ },
+ "application/x-ms-wmd": {
+ "source": "apache",
+ "extensions": ["wmd"]
+ },
+ "application/x-ms-wmz": {
+ "source": "apache",
+ "extensions": ["wmz"]
+ },
+ "application/x-ms-xbap": {
+ "source": "apache",
+ "extensions": ["xbap"]
+ },
+ "application/x-msaccess": {
+ "source": "apache",
+ "extensions": ["mdb"]
+ },
+ "application/x-msbinder": {
+ "source": "apache",
+ "extensions": ["obd"]
+ },
+ "application/x-mscardfile": {
+ "source": "apache",
+ "extensions": ["crd"]
+ },
+ "application/x-msclip": {
+ "source": "apache",
+ "extensions": ["clp"]
+ },
+ "application/x-msdos-program": {
+ "extensions": ["exe"]
+ },
+ "application/x-msdownload": {
+ "source": "apache",
+ "extensions": ["exe","dll","com","bat","msi"]
+ },
+ "application/x-msmediaview": {
+ "source": "apache",
+ "extensions": ["mvb","m13","m14"]
+ },
+ "application/x-msmetafile": {
+ "source": "apache",
+ "extensions": ["wmf","wmz","emf","emz"]
+ },
+ "application/x-msmoney": {
+ "source": "apache",
+ "extensions": ["mny"]
+ },
+ "application/x-mspublisher": {
+ "source": "apache",
+ "extensions": ["pub"]
+ },
+ "application/x-msschedule": {
+ "source": "apache",
+ "extensions": ["scd"]
+ },
+ "application/x-msterminal": {
+ "source": "apache",
+ "extensions": ["trm"]
+ },
+ "application/x-mswrite": {
+ "source": "apache",
+ "extensions": ["wri"]
+ },
+ "application/x-netcdf": {
+ "source": "apache",
+ "extensions": ["nc","cdf"]
+ },
+ "application/x-ns-proxy-autoconfig": {
+ "compressible": true,
+ "extensions": ["pac"]
+ },
+ "application/x-nzb": {
+ "source": "apache",
+ "extensions": ["nzb"]
+ },
+ "application/x-perl": {
+ "source": "nginx",
+ "extensions": ["pl","pm"]
+ },
+ "application/x-pilot": {
+ "source": "nginx",
+ "extensions": ["prc","pdb"]
+ },
+ "application/x-pkcs12": {
+ "source": "apache",
+ "compressible": false,
+ "extensions": ["p12","pfx"]
+ },
+ "application/x-pkcs7-certificates": {
+ "source": "apache",
+ "extensions": ["p7b","spc"]
+ },
+ "application/x-pkcs7-certreqresp": {
+ "source": "apache",
+ "extensions": ["p7r"]
+ },
+ "application/x-pki-message": {
+ "source": "iana"
+ },
+ "application/x-rar-compressed": {
+ "source": "apache",
+ "compressible": false,
+ "extensions": ["rar"]
+ },
+ "application/x-redhat-package-manager": {
+ "source": "nginx",
+ "extensions": ["rpm"]
+ },
+ "application/x-research-info-systems": {
+ "source": "apache",
+ "extensions": ["ris"]
+ },
+ "application/x-sea": {
+ "source": "nginx",
+ "extensions": ["sea"]
+ },
+ "application/x-sh": {
+ "source": "apache",
+ "compressible": true,
+ "extensions": ["sh"]
+ },
+ "application/x-shar": {
+ "source": "apache",
+ "extensions": ["shar"]
+ },
+ "application/x-shockwave-flash": {
+ "source": "apache",
+ "compressible": false,
+ "extensions": ["swf"]
+ },
+ "application/x-silverlight-app": {
+ "source": "apache",
+ "extensions": ["xap"]
+ },
+ "application/x-sql": {
+ "source": "apache",
+ "extensions": ["sql"]
+ },
+ "application/x-stuffit": {
+ "source": "apache",
+ "compressible": false,
+ "extensions": ["sit"]
+ },
+ "application/x-stuffitx": {
+ "source": "apache",
+ "extensions": ["sitx"]
+ },
+ "application/x-subrip": {
+ "source": "apache",
+ "extensions": ["srt"]
+ },
+ "application/x-sv4cpio": {
+ "source": "apache",
+ "extensions": ["sv4cpio"]
+ },
+ "application/x-sv4crc": {
+ "source": "apache",
+ "extensions": ["sv4crc"]
+ },
+ "application/x-t3vm-image": {
+ "source": "apache",
+ "extensions": ["t3"]
+ },
+ "application/x-tads": {
+ "source": "apache",
+ "extensions": ["gam"]
+ },
+ "application/x-tar": {
+ "source": "apache",
+ "compressible": true,
+ "extensions": ["tar"]
+ },
+ "application/x-tcl": {
+ "source": "apache",
+ "extensions": ["tcl","tk"]
+ },
+ "application/x-tex": {
+ "source": "apache",
+ "extensions": ["tex"]
+ },
+ "application/x-tex-tfm": {
+ "source": "apache",
+ "extensions": ["tfm"]
+ },
+ "application/x-texinfo": {
+ "source": "apache",
+ "extensions": ["texinfo","texi"]
+ },
+ "application/x-tgif": {
+ "source": "apache",
+ "extensions": ["obj"]
+ },
+ "application/x-ustar": {
+ "source": "apache",
+ "extensions": ["ustar"]
+ },
+ "application/x-virtualbox-hdd": {
+ "compressible": true,
+ "extensions": ["hdd"]
+ },
+ "application/x-virtualbox-ova": {
+ "compressible": true,
+ "extensions": ["ova"]
+ },
+ "application/x-virtualbox-ovf": {
+ "compressible": true,
+ "extensions": ["ovf"]
+ },
+ "application/x-virtualbox-vbox": {
+ "compressible": true,
+ "extensions": ["vbox"]
+ },
+ "application/x-virtualbox-vbox-extpack": {
+ "compressible": false,
+ "extensions": ["vbox-extpack"]
+ },
+ "application/x-virtualbox-vdi": {
+ "compressible": true,
+ "extensions": ["vdi"]
+ },
+ "application/x-virtualbox-vhd": {
+ "compressible": true,
+ "extensions": ["vhd"]
+ },
+ "application/x-virtualbox-vmdk": {
+ "compressible": true,
+ "extensions": ["vmdk"]
+ },
+ "application/x-wais-source": {
+ "source": "apache",
+ "extensions": ["src"]
+ },
+ "application/x-web-app-manifest+json": {
+ "compressible": true,
+ "extensions": ["webapp"]
+ },
+ "application/x-www-form-urlencoded": {
+ "source": "iana",
+ "compressible": true
+ },
+ "application/x-x509-ca-cert": {
+ "source": "iana",
+ "extensions": ["der","crt","pem"]
+ },
+ "application/x-x509-ca-ra-cert": {
+ "source": "iana"
+ },
+ "application/x-x509-next-ca-cert": {
+ "source": "iana"
+ },
+ "application/x-xfig": {
+ "source": "apache",
+ "extensions": ["fig"]
+ },
+ "application/x-xliff+xml": {
+ "source": "apache",
+ "compressible": true,
+ "extensions": ["xlf"]
+ },
+ "application/x-xpinstall": {
+ "source": "apache",
+ "compressible": false,
+ "extensions": ["xpi"]
+ },
+ "application/x-xz": {
+ "source": "apache",
+ "extensions": ["xz"]
+ },
+ "application/x-zmachine": {
+ "source": "apache",
+ "extensions": ["z1","z2","z3","z4","z5","z6","z7","z8"]
+ },
+ "application/x400-bp": {
+ "source": "iana"
+ },
+ "application/xacml+xml": {
+ "source": "iana",
+ "compressible": true
+ },
+ "application/xaml+xml": {
+ "source": "apache",
+ "compressible": true,
+ "extensions": ["xaml"]
+ },
+ "application/xcap-att+xml": {
+ "source": "iana",
+ "compressible": true,
+ "extensions": ["xav"]
+ },
+ "application/xcap-caps+xml": {
+ "source": "iana",
+ "compressible": true,
+ "extensions": ["xca"]
+ },
+ "application/xcap-diff+xml": {
+ "source": "iana",
+ "compressible": true,
+ "extensions": ["xdf"]
+ },
+ "application/xcap-el+xml": {
+ "source": "iana",
+ "compressible": true,
+ "extensions": ["xel"]
+ },
+ "application/xcap-error+xml": {
+ "source": "iana",
+ "compressible": true
+ },
+ "application/xcap-ns+xml": {
+ "source": "iana",
+ "compressible": true,
+ "extensions": ["xns"]
+ },
+ "application/xcon-conference-info+xml": {
+ "source": "iana",
+ "compressible": true
+ },
+ "application/xcon-conference-info-diff+xml": {
+ "source": "iana",
+ "compressible": true
+ },
+ "application/xenc+xml": {
+ "source": "iana",
+ "compressible": true,
+ "extensions": ["xenc"]
+ },
+ "application/xhtml+xml": {
+ "source": "iana",
+ "compressible": true,
+ "extensions": ["xhtml","xht"]
+ },
+ "application/xhtml-voice+xml": {
+ "source": "apache",
+ "compressible": true
+ },
+ "application/xliff+xml": {
+ "source": "iana",
+ "compressible": true,
+ "extensions": ["xlf"]
+ },
+ "application/xml": {
+ "source": "iana",
+ "compressible": true,
+ "extensions": ["xml","xsl","xsd","rng"]
+ },
+ "application/xml-dtd": {
+ "source": "iana",
+ "compressible": true,
+ "extensions": ["dtd"]
+ },
+ "application/xml-external-parsed-entity": {
+ "source": "iana"
+ },
+ "application/xml-patch+xml": {
+ "source": "iana",
+ "compressible": true
+ },
+ "application/xmpp+xml": {
+ "source": "iana",
+ "compressible": true
+ },
+ "application/xop+xml": {
+ "source": "iana",
+ "compressible": true,
+ "extensions": ["xop"]
+ },
+ "application/xproc+xml": {
+ "source": "apache",
+ "compressible": true,
+ "extensions": ["xpl"]
+ },
+ "application/xslt+xml": {
+ "source": "iana",
+ "compressible": true,
+ "extensions": ["xsl","xslt"]
+ },
+ "application/xspf+xml": {
+ "source": "apache",
+ "compressible": true,
+ "extensions": ["xspf"]
+ },
+ "application/xv+xml": {
+ "source": "iana",
+ "compressible": true,
+ "extensions": ["mxml","xhvml","xvml","xvm"]
+ },
+ "application/yang": {
+ "source": "iana",
+ "extensions": ["yang"]
+ },
+ "application/yang-data+json": {
+ "source": "iana",
+ "compressible": true
+ },
+ "application/yang-data+xml": {
+ "source": "iana",
+ "compressible": true
+ },
+ "application/yang-patch+json": {
+ "source": "iana",
+ "compressible": true
+ },
+ "application/yang-patch+xml": {
+ "source": "iana",
+ "compressible": true
+ },
+ "application/yin+xml": {
+ "source": "iana",
+ "compressible": true,
+ "extensions": ["yin"]
+ },
+ "application/zip": {
+ "source": "iana",
+ "compressible": false,
+ "extensions": ["zip"]
+ },
+ "application/zlib": {
+ "source": "iana"
+ },
+ "application/zstd": {
+ "source": "iana"
+ },
+ "audio/1d-interleaved-parityfec": {
+ "source": "iana"
+ },
+ "audio/32kadpcm": {
+ "source": "iana"
+ },
+ "audio/3gpp": {
+ "source": "iana",
+ "compressible": false,
+ "extensions": ["3gpp"]
+ },
+ "audio/3gpp2": {
+ "source": "iana"
+ },
+ "audio/aac": {
+ "source": "iana"
+ },
+ "audio/ac3": {
+ "source": "iana"
+ },
+ "audio/adpcm": {
+ "source": "apache",
+ "extensions": ["adp"]
+ },
+ "audio/amr": {
+ "source": "iana",
+ "extensions": ["amr"]
+ },
+ "audio/amr-wb": {
+ "source": "iana"
+ },
+ "audio/amr-wb+": {
+ "source": "iana"
+ },
+ "audio/aptx": {
+ "source": "iana"
+ },
+ "audio/asc": {
+ "source": "iana"
+ },
+ "audio/atrac-advanced-lossless": {
+ "source": "iana"
+ },
+ "audio/atrac-x": {
+ "source": "iana"
+ },
+ "audio/atrac3": {
+ "source": "iana"
+ },
+ "audio/basic": {
+ "source": "iana",
+ "compressible": false,
+ "extensions": ["au","snd"]
+ },
+ "audio/bv16": {
+ "source": "iana"
+ },
+ "audio/bv32": {
+ "source": "iana"
+ },
+ "audio/clearmode": {
+ "source": "iana"
+ },
+ "audio/cn": {
+ "source": "iana"
+ },
+ "audio/dat12": {
+ "source": "iana"
+ },
+ "audio/dls": {
+ "source": "iana"
+ },
+ "audio/dsr-es201108": {
+ "source": "iana"
+ },
+ "audio/dsr-es202050": {
+ "source": "iana"
+ },
+ "audio/dsr-es202211": {
+ "source": "iana"
+ },
+ "audio/dsr-es202212": {
+ "source": "iana"
+ },
+ "audio/dv": {
+ "source": "iana"
+ },
+ "audio/dvi4": {
+ "source": "iana"
+ },
+ "audio/eac3": {
+ "source": "iana"
+ },
+ "audio/encaprtp": {
+ "source": "iana"
+ },
+ "audio/evrc": {
+ "source": "iana"
+ },
+ "audio/evrc-qcp": {
+ "source": "iana"
+ },
+ "audio/evrc0": {
+ "source": "iana"
+ },
+ "audio/evrc1": {
+ "source": "iana"
+ },
+ "audio/evrcb": {
+ "source": "iana"
+ },
+ "audio/evrcb0": {
+ "source": "iana"
+ },
+ "audio/evrcb1": {
+ "source": "iana"
+ },
+ "audio/evrcnw": {
+ "source": "iana"
+ },
+ "audio/evrcnw0": {
+ "source": "iana"
+ },
+ "audio/evrcnw1": {
+ "source": "iana"
+ },
+ "audio/evrcwb": {
+ "source": "iana"
+ },
+ "audio/evrcwb0": {
+ "source": "iana"
+ },
+ "audio/evrcwb1": {
+ "source": "iana"
+ },
+ "audio/evs": {
+ "source": "iana"
+ },
+ "audio/flexfec": {
+ "source": "iana"
+ },
+ "audio/fwdred": {
+ "source": "iana"
+ },
+ "audio/g711-0": {
+ "source": "iana"
+ },
+ "audio/g719": {
+ "source": "iana"
+ },
+ "audio/g722": {
+ "source": "iana"
+ },
+ "audio/g7221": {
+ "source": "iana"
+ },
+ "audio/g723": {
+ "source": "iana"
+ },
+ "audio/g726-16": {
+ "source": "iana"
+ },
+ "audio/g726-24": {
+ "source": "iana"
+ },
+ "audio/g726-32": {
+ "source": "iana"
+ },
+ "audio/g726-40": {
+ "source": "iana"
+ },
+ "audio/g728": {
+ "source": "iana"
+ },
+ "audio/g729": {
+ "source": "iana"
+ },
+ "audio/g7291": {
+ "source": "iana"
+ },
+ "audio/g729d": {
+ "source": "iana"
+ },
+ "audio/g729e": {
+ "source": "iana"
+ },
+ "audio/gsm": {
+ "source": "iana"
+ },
+ "audio/gsm-efr": {
+ "source": "iana"
+ },
+ "audio/gsm-hr-08": {
+ "source": "iana"
+ },
+ "audio/ilbc": {
+ "source": "iana"
+ },
+ "audio/ip-mr_v2.5": {
+ "source": "iana"
+ },
+ "audio/isac": {
+ "source": "apache"
+ },
+ "audio/l16": {
+ "source": "iana"
+ },
+ "audio/l20": {
+ "source": "iana"
+ },
+ "audio/l24": {
+ "source": "iana",
+ "compressible": false
+ },
+ "audio/l8": {
+ "source": "iana"
+ },
+ "audio/lpc": {
+ "source": "iana"
+ },
+ "audio/melp": {
+ "source": "iana"
+ },
+ "audio/melp1200": {
+ "source": "iana"
+ },
+ "audio/melp2400": {
+ "source": "iana"
+ },
+ "audio/melp600": {
+ "source": "iana"
+ },
+ "audio/mhas": {
+ "source": "iana"
+ },
+ "audio/midi": {
+ "source": "apache",
+ "extensions": ["mid","midi","kar","rmi"]
+ },
+ "audio/mobile-xmf": {
+ "source": "iana",
+ "extensions": ["mxmf"]
+ },
+ "audio/mp3": {
+ "compressible": false,
+ "extensions": ["mp3"]
+ },
+ "audio/mp4": {
+ "source": "iana",
+ "compressible": false,
+ "extensions": ["m4a","mp4a"]
+ },
+ "audio/mp4a-latm": {
+ "source": "iana"
+ },
+ "audio/mpa": {
+ "source": "iana"
+ },
+ "audio/mpa-robust": {
+ "source": "iana"
+ },
+ "audio/mpeg": {
+ "source": "iana",
+ "compressible": false,
+ "extensions": ["mpga","mp2","mp2a","mp3","m2a","m3a"]
+ },
+ "audio/mpeg4-generic": {
+ "source": "iana"
+ },
+ "audio/musepack": {
+ "source": "apache"
+ },
+ "audio/ogg": {
+ "source": "iana",
+ "compressible": false,
+ "extensions": ["oga","ogg","spx","opus"]
+ },
+ "audio/opus": {
+ "source": "iana"
+ },
+ "audio/parityfec": {
+ "source": "iana"
+ },
+ "audio/pcma": {
+ "source": "iana"
+ },
+ "audio/pcma-wb": {
+ "source": "iana"
+ },
+ "audio/pcmu": {
+ "source": "iana"
+ },
+ "audio/pcmu-wb": {
+ "source": "iana"
+ },
+ "audio/prs.sid": {
+ "source": "iana"
+ },
+ "audio/qcelp": {
+ "source": "iana"
+ },
+ "audio/raptorfec": {
+ "source": "iana"
+ },
+ "audio/red": {
+ "source": "iana"
+ },
+ "audio/rtp-enc-aescm128": {
+ "source": "iana"
+ },
+ "audio/rtp-midi": {
+ "source": "iana"
+ },
+ "audio/rtploopback": {
+ "source": "iana"
+ },
+ "audio/rtx": {
+ "source": "iana"
+ },
+ "audio/s3m": {
+ "source": "apache",
+ "extensions": ["s3m"]
+ },
+ "audio/scip": {
+ "source": "iana"
+ },
+ "audio/silk": {
+ "source": "apache",
+ "extensions": ["sil"]
+ },
+ "audio/smv": {
+ "source": "iana"
+ },
+ "audio/smv-qcp": {
+ "source": "iana"
+ },
+ "audio/smv0": {
+ "source": "iana"
+ },
+ "audio/sofa": {
+ "source": "iana"
+ },
+ "audio/sp-midi": {
+ "source": "iana"
+ },
+ "audio/speex": {
+ "source": "iana"
+ },
+ "audio/t140c": {
+ "source": "iana"
+ },
+ "audio/t38": {
+ "source": "iana"
+ },
+ "audio/telephone-event": {
+ "source": "iana"
+ },
+ "audio/tetra_acelp": {
+ "source": "iana"
+ },
+ "audio/tetra_acelp_bb": {
+ "source": "iana"
+ },
+ "audio/tone": {
+ "source": "iana"
+ },
+ "audio/tsvcis": {
+ "source": "iana"
+ },
+ "audio/uemclip": {
+ "source": "iana"
+ },
+ "audio/ulpfec": {
+ "source": "iana"
+ },
+ "audio/usac": {
+ "source": "iana"
+ },
+ "audio/vdvi": {
+ "source": "iana"
+ },
+ "audio/vmr-wb": {
+ "source": "iana"
+ },
+ "audio/vnd.3gpp.iufp": {
+ "source": "iana"
+ },
+ "audio/vnd.4sb": {
+ "source": "iana"
+ },
+ "audio/vnd.audiokoz": {
+ "source": "iana"
+ },
+ "audio/vnd.celp": {
+ "source": "iana"
+ },
+ "audio/vnd.cisco.nse": {
+ "source": "iana"
+ },
+ "audio/vnd.cmles.radio-events": {
+ "source": "iana"
+ },
+ "audio/vnd.cns.anp1": {
+ "source": "iana"
+ },
+ "audio/vnd.cns.inf1": {
+ "source": "iana"
+ },
+ "audio/vnd.dece.audio": {
+ "source": "iana",
+ "extensions": ["uva","uvva"]
+ },
+ "audio/vnd.digital-winds": {
+ "source": "iana",
+ "extensions": ["eol"]
+ },
+ "audio/vnd.dlna.adts": {
+ "source": "iana"
+ },
+ "audio/vnd.dolby.heaac.1": {
+ "source": "iana"
+ },
+ "audio/vnd.dolby.heaac.2": {
+ "source": "iana"
+ },
+ "audio/vnd.dolby.mlp": {
+ "source": "iana"
+ },
+ "audio/vnd.dolby.mps": {
+ "source": "iana"
+ },
+ "audio/vnd.dolby.pl2": {
+ "source": "iana"
+ },
+ "audio/vnd.dolby.pl2x": {
+ "source": "iana"
+ },
+ "audio/vnd.dolby.pl2z": {
+ "source": "iana"
+ },
+ "audio/vnd.dolby.pulse.1": {
+ "source": "iana"
+ },
+ "audio/vnd.dra": {
+ "source": "iana",
+ "extensions": ["dra"]
+ },
+ "audio/vnd.dts": {
+ "source": "iana",
+ "extensions": ["dts"]
+ },
+ "audio/vnd.dts.hd": {
+ "source": "iana",
+ "extensions": ["dtshd"]
+ },
+ "audio/vnd.dts.uhd": {
+ "source": "iana"
+ },
+ "audio/vnd.dvb.file": {
+ "source": "iana"
+ },
+ "audio/vnd.everad.plj": {
+ "source": "iana"
+ },
+ "audio/vnd.hns.audio": {
+ "source": "iana"
+ },
+ "audio/vnd.lucent.voice": {
+ "source": "iana",
+ "extensions": ["lvp"]
+ },
+ "audio/vnd.ms-playready.media.pya": {
+ "source": "iana",
+ "extensions": ["pya"]
+ },
+ "audio/vnd.nokia.mobile-xmf": {
+ "source": "iana"
+ },
+ "audio/vnd.nortel.vbk": {
+ "source": "iana"
+ },
+ "audio/vnd.nuera.ecelp4800": {
+ "source": "iana",
+ "extensions": ["ecelp4800"]
+ },
+ "audio/vnd.nuera.ecelp7470": {
+ "source": "iana",
+ "extensions": ["ecelp7470"]
+ },
+ "audio/vnd.nuera.ecelp9600": {
+ "source": "iana",
+ "extensions": ["ecelp9600"]
+ },
+ "audio/vnd.octel.sbc": {
+ "source": "iana"
+ },
+ "audio/vnd.presonus.multitrack": {
+ "source": "iana"
+ },
+ "audio/vnd.qcelp": {
+ "source": "iana"
+ },
+ "audio/vnd.rhetorex.32kadpcm": {
+ "source": "iana"
+ },
+ "audio/vnd.rip": {
+ "source": "iana",
+ "extensions": ["rip"]
+ },
+ "audio/vnd.rn-realaudio": {
+ "compressible": false
+ },
+ "audio/vnd.sealedmedia.softseal.mpeg": {
+ "source": "iana"
+ },
+ "audio/vnd.vmx.cvsd": {
+ "source": "iana"
+ },
+ "audio/vnd.wave": {
+ "compressible": false
+ },
+ "audio/vorbis": {
+ "source": "iana",
+ "compressible": false
+ },
+ "audio/vorbis-config": {
+ "source": "iana"
+ },
+ "audio/wav": {
+ "compressible": false,
+ "extensions": ["wav"]
+ },
+ "audio/wave": {
+ "compressible": false,
+ "extensions": ["wav"]
+ },
+ "audio/webm": {
+ "source": "apache",
+ "compressible": false,
+ "extensions": ["weba"]
+ },
+ "audio/x-aac": {
+ "source": "apache",
+ "compressible": false,
+ "extensions": ["aac"]
+ },
+ "audio/x-aiff": {
+ "source": "apache",
+ "extensions": ["aif","aiff","aifc"]
+ },
+ "audio/x-caf": {
+ "source": "apache",
+ "compressible": false,
+ "extensions": ["caf"]
+ },
+ "audio/x-flac": {
+ "source": "apache",
+ "extensions": ["flac"]
+ },
+ "audio/x-m4a": {
+ "source": "nginx",
+ "extensions": ["m4a"]
+ },
+ "audio/x-matroska": {
+ "source": "apache",
+ "extensions": ["mka"]
+ },
+ "audio/x-mpegurl": {
+ "source": "apache",
+ "extensions": ["m3u"]
+ },
+ "audio/x-ms-wax": {
+ "source": "apache",
+ "extensions": ["wax"]
+ },
+ "audio/x-ms-wma": {
+ "source": "apache",
+ "extensions": ["wma"]
+ },
+ "audio/x-pn-realaudio": {
+ "source": "apache",
+ "extensions": ["ram","ra"]
+ },
+ "audio/x-pn-realaudio-plugin": {
+ "source": "apache",
+ "extensions": ["rmp"]
+ },
+ "audio/x-realaudio": {
+ "source": "nginx",
+ "extensions": ["ra"]
+ },
+ "audio/x-tta": {
+ "source": "apache"
+ },
+ "audio/x-wav": {
+ "source": "apache",
+ "extensions": ["wav"]
+ },
+ "audio/xm": {
+ "source": "apache",
+ "extensions": ["xm"]
+ },
+ "chemical/x-cdx": {
+ "source": "apache",
+ "extensions": ["cdx"]
+ },
+ "chemical/x-cif": {
+ "source": "apache",
+ "extensions": ["cif"]
+ },
+ "chemical/x-cmdf": {
+ "source": "apache",
+ "extensions": ["cmdf"]
+ },
+ "chemical/x-cml": {
+ "source": "apache",
+ "extensions": ["cml"]
+ },
+ "chemical/x-csml": {
+ "source": "apache",
+ "extensions": ["csml"]
+ },
+ "chemical/x-pdb": {
+ "source": "apache"
+ },
+ "chemical/x-xyz": {
+ "source": "apache",
+ "extensions": ["xyz"]
+ },
+ "font/collection": {
+ "source": "iana",
+ "extensions": ["ttc"]
+ },
+ "font/otf": {
+ "source": "iana",
+ "compressible": true,
+ "extensions": ["otf"]
+ },
+ "font/sfnt": {
+ "source": "iana"
+ },
+ "font/ttf": {
+ "source": "iana",
+ "compressible": true,
+ "extensions": ["ttf"]
+ },
+ "font/woff": {
+ "source": "iana",
+ "extensions": ["woff"]
+ },
+ "font/woff2": {
+ "source": "iana",
+ "extensions": ["woff2"]
+ },
+ "image/aces": {
+ "source": "iana",
+ "extensions": ["exr"]
+ },
+ "image/apng": {
+ "compressible": false,
+ "extensions": ["apng"]
+ },
+ "image/avci": {
+ "source": "iana",
+ "extensions": ["avci"]
+ },
+ "image/avcs": {
+ "source": "iana",
+ "extensions": ["avcs"]
+ },
+ "image/avif": {
+ "source": "iana",
+ "compressible": false,
+ "extensions": ["avif"]
+ },
+ "image/bmp": {
+ "source": "iana",
+ "compressible": true,
+ "extensions": ["bmp"]
+ },
+ "image/cgm": {
+ "source": "iana",
+ "extensions": ["cgm"]
+ },
+ "image/dicom-rle": {
+ "source": "iana",
+ "extensions": ["drle"]
+ },
+ "image/emf": {
+ "source": "iana",
+ "extensions": ["emf"]
+ },
+ "image/fits": {
+ "source": "iana",
+ "extensions": ["fits"]
+ },
+ "image/g3fax": {
+ "source": "iana",
+ "extensions": ["g3"]
+ },
+ "image/gif": {
+ "source": "iana",
+ "compressible": false,
+ "extensions": ["gif"]
+ },
+ "image/heic": {
+ "source": "iana",
+ "extensions": ["heic"]
+ },
+ "image/heic-sequence": {
+ "source": "iana",
+ "extensions": ["heics"]
+ },
+ "image/heif": {
+ "source": "iana",
+ "extensions": ["heif"]
+ },
+ "image/heif-sequence": {
+ "source": "iana",
+ "extensions": ["heifs"]
+ },
+ "image/hej2k": {
+ "source": "iana",
+ "extensions": ["hej2"]
+ },
+ "image/hsj2": {
+ "source": "iana",
+ "extensions": ["hsj2"]
+ },
+ "image/ief": {
+ "source": "iana",
+ "extensions": ["ief"]
+ },
+ "image/jls": {
+ "source": "iana",
+ "extensions": ["jls"]
+ },
+ "image/jp2": {
+ "source": "iana",
+ "compressible": false,
+ "extensions": ["jp2","jpg2"]
+ },
+ "image/jpeg": {
+ "source": "iana",
+ "compressible": false,
+ "extensions": ["jpeg","jpg","jpe"]
+ },
+ "image/jph": {
+ "source": "iana",
+ "extensions": ["jph"]
+ },
+ "image/jphc": {
+ "source": "iana",
+ "extensions": ["jhc"]
+ },
+ "image/jpm": {
+ "source": "iana",
+ "compressible": false,
+ "extensions": ["jpm"]
+ },
+ "image/jpx": {
+ "source": "iana",
+ "compressible": false,
+ "extensions": ["jpx","jpf"]
+ },
+ "image/jxr": {
+ "source": "iana",
+ "extensions": ["jxr"]
+ },
+ "image/jxra": {
+ "source": "iana",
+ "extensions": ["jxra"]
+ },
+ "image/jxrs": {
+ "source": "iana",
+ "extensions": ["jxrs"]
+ },
+ "image/jxs": {
+ "source": "iana",
+ "extensions": ["jxs"]
+ },
+ "image/jxsc": {
+ "source": "iana",
+ "extensions": ["jxsc"]
+ },
+ "image/jxsi": {
+ "source": "iana",
+ "extensions": ["jxsi"]
+ },
+ "image/jxss": {
+ "source": "iana",
+ "extensions": ["jxss"]
+ },
+ "image/ktx": {
+ "source": "iana",
+ "extensions": ["ktx"]
+ },
+ "image/ktx2": {
+ "source": "iana",
+ "extensions": ["ktx2"]
+ },
+ "image/naplps": {
+ "source": "iana"
+ },
+ "image/pjpeg": {
+ "compressible": false
+ },
+ "image/png": {
+ "source": "iana",
+ "compressible": false,
+ "extensions": ["png"]
+ },
+ "image/prs.btif": {
+ "source": "iana",
+ "extensions": ["btif"]
+ },
+ "image/prs.pti": {
+ "source": "iana",
+ "extensions": ["pti"]
+ },
+ "image/pwg-raster": {
+ "source": "iana"
+ },
+ "image/sgi": {
+ "source": "apache",
+ "extensions": ["sgi"]
+ },
+ "image/svg+xml": {
+ "source": "iana",
+ "compressible": true,
+ "extensions": ["svg","svgz"]
+ },
+ "image/t38": {
+ "source": "iana",
+ "extensions": ["t38"]
+ },
+ "image/tiff": {
+ "source": "iana",
+ "compressible": false,
+ "extensions": ["tif","tiff"]
+ },
+ "image/tiff-fx": {
+ "source": "iana",
+ "extensions": ["tfx"]
+ },
+ "image/vnd.adobe.photoshop": {
+ "source": "iana",
+ "compressible": true,
+ "extensions": ["psd"]
+ },
+ "image/vnd.airzip.accelerator.azv": {
+ "source": "iana",
+ "extensions": ["azv"]
+ },
+ "image/vnd.cns.inf2": {
+ "source": "iana"
+ },
+ "image/vnd.dece.graphic": {
+ "source": "iana",
+ "extensions": ["uvi","uvvi","uvg","uvvg"]
+ },
+ "image/vnd.djvu": {
+ "source": "iana",
+ "extensions": ["djvu","djv"]
+ },
+ "image/vnd.dvb.subtitle": {
+ "source": "iana",
+ "extensions": ["sub"]
+ },
+ "image/vnd.dwg": {
+ "source": "iana",
+ "extensions": ["dwg"]
+ },
+ "image/vnd.dxf": {
+ "source": "iana",
+ "extensions": ["dxf"]
+ },
+ "image/vnd.fastbidsheet": {
+ "source": "iana",
+ "extensions": ["fbs"]
+ },
+ "image/vnd.fpx": {
+ "source": "iana",
+ "extensions": ["fpx"]
+ },
+ "image/vnd.fst": {
+ "source": "iana",
+ "extensions": ["fst"]
+ },
+ "image/vnd.fujixerox.edmics-mmr": {
+ "source": "iana",
+ "extensions": ["mmr"]
+ },
+ "image/vnd.fujixerox.edmics-rlc": {
+ "source": "iana",
+ "extensions": ["rlc"]
+ },
+ "image/vnd.globalgraphics.pgb": {
+ "source": "iana"
+ },
+ "image/vnd.microsoft.icon": {
+ "source": "iana",
+ "compressible": true,
+ "extensions": ["ico"]
+ },
+ "image/vnd.mix": {
+ "source": "iana"
+ },
+ "image/vnd.mozilla.apng": {
+ "source": "iana"
+ },
+ "image/vnd.ms-dds": {
+ "compressible": true,
+ "extensions": ["dds"]
+ },
+ "image/vnd.ms-modi": {
+ "source": "iana",
+ "extensions": ["mdi"]
+ },
+ "image/vnd.ms-photo": {
+ "source": "apache",
+ "extensions": ["wdp"]
+ },
+ "image/vnd.net-fpx": {
+ "source": "iana",
+ "extensions": ["npx"]
+ },
+ "image/vnd.pco.b16": {
+ "source": "iana",
+ "extensions": ["b16"]
+ },
+ "image/vnd.radiance": {
+ "source": "iana"
+ },
+ "image/vnd.sealed.png": {
+ "source": "iana"
+ },
+ "image/vnd.sealedmedia.softseal.gif": {
+ "source": "iana"
+ },
+ "image/vnd.sealedmedia.softseal.jpg": {
+ "source": "iana"
+ },
+ "image/vnd.svf": {
+ "source": "iana"
+ },
+ "image/vnd.tencent.tap": {
+ "source": "iana",
+ "extensions": ["tap"]
+ },
+ "image/vnd.valve.source.texture": {
+ "source": "iana",
+ "extensions": ["vtf"]
+ },
+ "image/vnd.wap.wbmp": {
+ "source": "iana",
+ "extensions": ["wbmp"]
+ },
+ "image/vnd.xiff": {
+ "source": "iana",
+ "extensions": ["xif"]
+ },
+ "image/vnd.zbrush.pcx": {
+ "source": "iana",
+ "extensions": ["pcx"]
+ },
+ "image/webp": {
+ "source": "apache",
+ "extensions": ["webp"]
+ },
+ "image/wmf": {
+ "source": "iana",
+ "extensions": ["wmf"]
+ },
+ "image/x-3ds": {
+ "source": "apache",
+ "extensions": ["3ds"]
+ },
+ "image/x-cmu-raster": {
+ "source": "apache",
+ "extensions": ["ras"]
+ },
+ "image/x-cmx": {
+ "source": "apache",
+ "extensions": ["cmx"]
+ },
+ "image/x-freehand": {
+ "source": "apache",
+ "extensions": ["fh","fhc","fh4","fh5","fh7"]
+ },
+ "image/x-icon": {
+ "source": "apache",
+ "compressible": true,
+ "extensions": ["ico"]
+ },
+ "image/x-jng": {
+ "source": "nginx",
+ "extensions": ["jng"]
+ },
+ "image/x-mrsid-image": {
+ "source": "apache",
+ "extensions": ["sid"]
+ },
+ "image/x-ms-bmp": {
+ "source": "nginx",
+ "compressible": true,
+ "extensions": ["bmp"]
+ },
+ "image/x-pcx": {
+ "source": "apache",
+ "extensions": ["pcx"]
+ },
+ "image/x-pict": {
+ "source": "apache",
+ "extensions": ["pic","pct"]
+ },
+ "image/x-portable-anymap": {
+ "source": "apache",
+ "extensions": ["pnm"]
+ },
+ "image/x-portable-bitmap": {
+ "source": "apache",
+ "extensions": ["pbm"]
+ },
+ "image/x-portable-graymap": {
+ "source": "apache",
+ "extensions": ["pgm"]
+ },
+ "image/x-portable-pixmap": {
+ "source": "apache",
+ "extensions": ["ppm"]
+ },
+ "image/x-rgb": {
+ "source": "apache",
+ "extensions": ["rgb"]
+ },
+ "image/x-tga": {
+ "source": "apache",
+ "extensions": ["tga"]
+ },
+ "image/x-xbitmap": {
+ "source": "apache",
+ "extensions": ["xbm"]
+ },
+ "image/x-xcf": {
+ "compressible": false
+ },
+ "image/x-xpixmap": {
+ "source": "apache",
+ "extensions": ["xpm"]
+ },
+ "image/x-xwindowdump": {
+ "source": "apache",
+ "extensions": ["xwd"]
+ },
+ "message/cpim": {
+ "source": "iana"
+ },
+ "message/delivery-status": {
+ "source": "iana"
+ },
+ "message/disposition-notification": {
+ "source": "iana",
+ "extensions": [
+ "disposition-notification"
+ ]
+ },
+ "message/external-body": {
+ "source": "iana"
+ },
+ "message/feedback-report": {
+ "source": "iana"
+ },
+ "message/global": {
+ "source": "iana",
+ "extensions": ["u8msg"]
+ },
+ "message/global-delivery-status": {
+ "source": "iana",
+ "extensions": ["u8dsn"]
+ },
+ "message/global-disposition-notification": {
+ "source": "iana",
+ "extensions": ["u8mdn"]
+ },
+ "message/global-headers": {
+ "source": "iana",
+ "extensions": ["u8hdr"]
+ },
+ "message/http": {
+ "source": "iana",
+ "compressible": false
+ },
+ "message/imdn+xml": {
+ "source": "iana",
+ "compressible": true
+ },
+ "message/news": {
+ "source": "iana"
+ },
+ "message/partial": {
+ "source": "iana",
+ "compressible": false
+ },
+ "message/rfc822": {
+ "source": "iana",
+ "compressible": true,
+ "extensions": ["eml","mime"]
+ },
+ "message/s-http": {
+ "source": "iana"
+ },
+ "message/sip": {
+ "source": "iana"
+ },
+ "message/sipfrag": {
+ "source": "iana"
+ },
+ "message/tracking-status": {
+ "source": "iana"
+ },
+ "message/vnd.si.simp": {
+ "source": "iana"
+ },
+ "message/vnd.wfa.wsc": {
+ "source": "iana",
+ "extensions": ["wsc"]
+ },
+ "model/3mf": {
+ "source": "iana",
+ "extensions": ["3mf"]
+ },
+ "model/e57": {
+ "source": "iana"
+ },
+ "model/gltf+json": {
+ "source": "iana",
+ "compressible": true,
+ "extensions": ["gltf"]
+ },
+ "model/gltf-binary": {
+ "source": "iana",
+ "compressible": true,
+ "extensions": ["glb"]
+ },
+ "model/iges": {
+ "source": "iana",
+ "compressible": false,
+ "extensions": ["igs","iges"]
+ },
+ "model/mesh": {
+ "source": "iana",
+ "compressible": false,
+ "extensions": ["msh","mesh","silo"]
+ },
+ "model/mtl": {
+ "source": "iana",
+ "extensions": ["mtl"]
+ },
+ "model/obj": {
+ "source": "iana",
+ "extensions": ["obj"]
+ },
+ "model/step": {
+ "source": "iana"
+ },
+ "model/step+xml": {
+ "source": "iana",
+ "compressible": true,
+ "extensions": ["stpx"]
+ },
+ "model/step+zip": {
+ "source": "iana",
+ "compressible": false,
+ "extensions": ["stpz"]
+ },
+ "model/step-xml+zip": {
+ "source": "iana",
+ "compressible": false,
+ "extensions": ["stpxz"]
+ },
+ "model/stl": {
+ "source": "iana",
+ "extensions": ["stl"]
+ },
+ "model/vnd.collada+xml": {
+ "source": "iana",
+ "compressible": true,
+ "extensions": ["dae"]
+ },
+ "model/vnd.dwf": {
+ "source": "iana",
+ "extensions": ["dwf"]
+ },
+ "model/vnd.flatland.3dml": {
+ "source": "iana"
+ },
+ "model/vnd.gdl": {
+ "source": "iana",
+ "extensions": ["gdl"]
+ },
+ "model/vnd.gs-gdl": {
+ "source": "apache"
+ },
+ "model/vnd.gs.gdl": {
+ "source": "iana"
+ },
+ "model/vnd.gtw": {
+ "source": "iana",
+ "extensions": ["gtw"]
+ },
+ "model/vnd.moml+xml": {
+ "source": "iana",
+ "compressible": true
+ },
+ "model/vnd.mts": {
+ "source": "iana",
+ "extensions": ["mts"]
+ },
+ "model/vnd.opengex": {
+ "source": "iana",
+ "extensions": ["ogex"]
+ },
+ "model/vnd.parasolid.transmit.binary": {
+ "source": "iana",
+ "extensions": ["x_b"]
+ },
+ "model/vnd.parasolid.transmit.text": {
+ "source": "iana",
+ "extensions": ["x_t"]
+ },
+ "model/vnd.pytha.pyox": {
+ "source": "iana"
+ },
+ "model/vnd.rosette.annotated-data-model": {
+ "source": "iana"
+ },
+ "model/vnd.sap.vds": {
+ "source": "iana",
+ "extensions": ["vds"]
+ },
+ "model/vnd.usdz+zip": {
+ "source": "iana",
+ "compressible": false,
+ "extensions": ["usdz"]
+ },
+ "model/vnd.valve.source.compiled-map": {
+ "source": "iana",
+ "extensions": ["bsp"]
+ },
+ "model/vnd.vtu": {
+ "source": "iana",
+ "extensions": ["vtu"]
+ },
+ "model/vrml": {
+ "source": "iana",
+ "compressible": false,
+ "extensions": ["wrl","vrml"]
+ },
+ "model/x3d+binary": {
+ "source": "apache",
+ "compressible": false,
+ "extensions": ["x3db","x3dbz"]
+ },
+ "model/x3d+fastinfoset": {
+ "source": "iana",
+ "extensions": ["x3db"]
+ },
+ "model/x3d+vrml": {
+ "source": "apache",
+ "compressible": false,
+ "extensions": ["x3dv","x3dvz"]
+ },
+ "model/x3d+xml": {
+ "source": "iana",
+ "compressible": true,
+ "extensions": ["x3d","x3dz"]
+ },
+ "model/x3d-vrml": {
+ "source": "iana",
+ "extensions": ["x3dv"]
+ },
+ "multipart/alternative": {
+ "source": "iana",
+ "compressible": false
+ },
+ "multipart/appledouble": {
+ "source": "iana"
+ },
+ "multipart/byteranges": {
+ "source": "iana"
+ },
+ "multipart/digest": {
+ "source": "iana"
+ },
+ "multipart/encrypted": {
+ "source": "iana",
+ "compressible": false
+ },
+ "multipart/form-data": {
+ "source": "iana",
+ "compressible": false
+ },
+ "multipart/header-set": {
+ "source": "iana"
+ },
+ "multipart/mixed": {
+ "source": "iana"
+ },
+ "multipart/multilingual": {
+ "source": "iana"
+ },
+ "multipart/parallel": {
+ "source": "iana"
+ },
+ "multipart/related": {
+ "source": "iana",
+ "compressible": false
+ },
+ "multipart/report": {
+ "source": "iana"
+ },
+ "multipart/signed": {
+ "source": "iana",
+ "compressible": false
+ },
+ "multipart/vnd.bint.med-plus": {
+ "source": "iana"
+ },
+ "multipart/voice-message": {
+ "source": "iana"
+ },
+ "multipart/x-mixed-replace": {
+ "source": "iana"
+ },
+ "text/1d-interleaved-parityfec": {
+ "source": "iana"
+ },
+ "text/cache-manifest": {
+ "source": "iana",
+ "compressible": true,
+ "extensions": ["appcache","manifest"]
+ },
+ "text/calendar": {
+ "source": "iana",
+ "extensions": ["ics","ifb"]
+ },
+ "text/calender": {
+ "compressible": true
+ },
+ "text/cmd": {
+ "compressible": true
+ },
+ "text/coffeescript": {
+ "extensions": ["coffee","litcoffee"]
+ },
+ "text/cql": {
+ "source": "iana"
+ },
+ "text/cql-expression": {
+ "source": "iana"
+ },
+ "text/cql-identifier": {
+ "source": "iana"
+ },
+ "text/css": {
+ "source": "iana",
+ "charset": "UTF-8",
+ "compressible": true,
+ "extensions": ["css"]
+ },
+ "text/csv": {
+ "source": "iana",
+ "compressible": true,
+ "extensions": ["csv"]
+ },
+ "text/csv-schema": {
+ "source": "iana"
+ },
+ "text/directory": {
+ "source": "iana"
+ },
+ "text/dns": {
+ "source": "iana"
+ },
+ "text/ecmascript": {
+ "source": "iana"
+ },
+ "text/encaprtp": {
+ "source": "iana"
+ },
+ "text/enriched": {
+ "source": "iana"
+ },
+ "text/fhirpath": {
+ "source": "iana"
+ },
+ "text/flexfec": {
+ "source": "iana"
+ },
+ "text/fwdred": {
+ "source": "iana"
+ },
+ "text/gff3": {
+ "source": "iana"
+ },
+ "text/grammar-ref-list": {
+ "source": "iana"
+ },
+ "text/html": {
+ "source": "iana",
+ "compressible": true,
+ "extensions": ["html","htm","shtml"]
+ },
+ "text/jade": {
+ "extensions": ["jade"]
+ },
+ "text/javascript": {
+ "source": "iana",
+ "compressible": true
+ },
+ "text/jcr-cnd": {
+ "source": "iana"
+ },
+ "text/jsx": {
+ "compressible": true,
+ "extensions": ["jsx"]
+ },
+ "text/less": {
+ "compressible": true,
+ "extensions": ["less"]
+ },
+ "text/markdown": {
+ "source": "iana",
+ "compressible": true,
+ "extensions": ["markdown","md"]
+ },
+ "text/mathml": {
+ "source": "nginx",
+ "extensions": ["mml"]
+ },
+ "text/mdx": {
+ "compressible": true,
+ "extensions": ["mdx"]
+ },
+ "text/mizar": {
+ "source": "iana"
+ },
+ "text/n3": {
+ "source": "iana",
+ "charset": "UTF-8",
+ "compressible": true,
+ "extensions": ["n3"]
+ },
+ "text/parameters": {
+ "source": "iana",
+ "charset": "UTF-8"
+ },
+ "text/parityfec": {
+ "source": "iana"
+ },
+ "text/plain": {
+ "source": "iana",
+ "compressible": true,
+ "extensions": ["txt","text","conf","def","list","log","in","ini"]
+ },
+ "text/provenance-notation": {
+ "source": "iana",
+ "charset": "UTF-8"
+ },
+ "text/prs.fallenstein.rst": {
+ "source": "iana"
+ },
+ "text/prs.lines.tag": {
+ "source": "iana",
+ "extensions": ["dsc"]
+ },
+ "text/prs.prop.logic": {
+ "source": "iana"
+ },
+ "text/raptorfec": {
+ "source": "iana"
+ },
+ "text/red": {
+ "source": "iana"
+ },
+ "text/rfc822-headers": {
+ "source": "iana"
+ },
+ "text/richtext": {
+ "source": "iana",
+ "compressible": true,
+ "extensions": ["rtx"]
+ },
+ "text/rtf": {
+ "source": "iana",
+ "compressible": true,
+ "extensions": ["rtf"]
+ },
+ "text/rtp-enc-aescm128": {
+ "source": "iana"
+ },
+ "text/rtploopback": {
+ "source": "iana"
+ },
+ "text/rtx": {
+ "source": "iana"
+ },
+ "text/sgml": {
+ "source": "iana",
+ "extensions": ["sgml","sgm"]
+ },
+ "text/shaclc": {
+ "source": "iana"
+ },
+ "text/shex": {
+ "source": "iana",
+ "extensions": ["shex"]
+ },
+ "text/slim": {
+ "extensions": ["slim","slm"]
+ },
+ "text/spdx": {
+ "source": "iana",
+ "extensions": ["spdx"]
+ },
+ "text/strings": {
+ "source": "iana"
+ },
+ "text/stylus": {
+ "extensions": ["stylus","styl"]
+ },
+ "text/t140": {
+ "source": "iana"
+ },
+ "text/tab-separated-values": {
+ "source": "iana",
+ "compressible": true,
+ "extensions": ["tsv"]
+ },
+ "text/troff": {
+ "source": "iana",
+ "extensions": ["t","tr","roff","man","me","ms"]
+ },
+ "text/turtle": {
+ "source": "iana",
+ "charset": "UTF-8",
+ "extensions": ["ttl"]
+ },
+ "text/ulpfec": {
+ "source": "iana"
+ },
+ "text/uri-list": {
+ "source": "iana",
+ "compressible": true,
+ "extensions": ["uri","uris","urls"]
+ },
+ "text/vcard": {
+ "source": "iana",
+ "compressible": true,
+ "extensions": ["vcard"]
+ },
+ "text/vnd.a": {
+ "source": "iana"
+ },
+ "text/vnd.abc": {
+ "source": "iana"
+ },
+ "text/vnd.ascii-art": {
+ "source": "iana"
+ },
+ "text/vnd.curl": {
+ "source": "iana",
+ "extensions": ["curl"]
+ },
+ "text/vnd.curl.dcurl": {
+ "source": "apache",
+ "extensions": ["dcurl"]
+ },
+ "text/vnd.curl.mcurl": {
+ "source": "apache",
+ "extensions": ["mcurl"]
+ },
+ "text/vnd.curl.scurl": {
+ "source": "apache",
+ "extensions": ["scurl"]
+ },
+ "text/vnd.debian.copyright": {
+ "source": "iana",
+ "charset": "UTF-8"
+ },
+ "text/vnd.dmclientscript": {
+ "source": "iana"
+ },
+ "text/vnd.dvb.subtitle": {
+ "source": "iana",
+ "extensions": ["sub"]
+ },
+ "text/vnd.esmertec.theme-descriptor": {
+ "source": "iana",
+ "charset": "UTF-8"
+ },
+ "text/vnd.familysearch.gedcom": {
+ "source": "iana",
+ "extensions": ["ged"]
+ },
+ "text/vnd.ficlab.flt": {
+ "source": "iana"
+ },
+ "text/vnd.fly": {
+ "source": "iana",
+ "extensions": ["fly"]
+ },
+ "text/vnd.fmi.flexstor": {
+ "source": "iana",
+ "extensions": ["flx"]
+ },
+ "text/vnd.gml": {
+ "source": "iana"
+ },
+ "text/vnd.graphviz": {
+ "source": "iana",
+ "extensions": ["gv"]
+ },
+ "text/vnd.hans": {
+ "source": "iana"
+ },
+ "text/vnd.hgl": {
+ "source": "iana"
+ },
+ "text/vnd.in3d.3dml": {
+ "source": "iana",
+ "extensions": ["3dml"]
+ },
+ "text/vnd.in3d.spot": {
+ "source": "iana",
+ "extensions": ["spot"]
+ },
+ "text/vnd.iptc.newsml": {
+ "source": "iana"
+ },
+ "text/vnd.iptc.nitf": {
+ "source": "iana"
+ },
+ "text/vnd.latex-z": {
+ "source": "iana"
+ },
+ "text/vnd.motorola.reflex": {
+ "source": "iana"
+ },
+ "text/vnd.ms-mediapackage": {
+ "source": "iana"
+ },
+ "text/vnd.net2phone.commcenter.command": {
+ "source": "iana"
+ },
+ "text/vnd.radisys.msml-basic-layout": {
+ "source": "iana"
+ },
+ "text/vnd.senx.warpscript": {
+ "source": "iana"
+ },
+ "text/vnd.si.uricatalogue": {
+ "source": "iana"
+ },
+ "text/vnd.sosi": {
+ "source": "iana"
+ },
+ "text/vnd.sun.j2me.app-descriptor": {
+ "source": "iana",
+ "charset": "UTF-8",
+ "extensions": ["jad"]
+ },
+ "text/vnd.trolltech.linguist": {
+ "source": "iana",
+ "charset": "UTF-8"
+ },
+ "text/vnd.wap.si": {
+ "source": "iana"
+ },
+ "text/vnd.wap.sl": {
+ "source": "iana"
+ },
+ "text/vnd.wap.wml": {
+ "source": "iana",
+ "extensions": ["wml"]
+ },
+ "text/vnd.wap.wmlscript": {
+ "source": "iana",
+ "extensions": ["wmls"]
+ },
+ "text/vtt": {
+ "source": "iana",
+ "charset": "UTF-8",
+ "compressible": true,
+ "extensions": ["vtt"]
+ },
+ "text/x-asm": {
+ "source": "apache",
+ "extensions": ["s","asm"]
+ },
+ "text/x-c": {
+ "source": "apache",
+ "extensions": ["c","cc","cxx","cpp","h","hh","dic"]
+ },
+ "text/x-component": {
+ "source": "nginx",
+ "extensions": ["htc"]
+ },
+ "text/x-fortran": {
+ "source": "apache",
+ "extensions": ["f","for","f77","f90"]
+ },
+ "text/x-gwt-rpc": {
+ "compressible": true
+ },
+ "text/x-handlebars-template": {
+ "extensions": ["hbs"]
+ },
+ "text/x-java-source": {
+ "source": "apache",
+ "extensions": ["java"]
+ },
+ "text/x-jquery-tmpl": {
+ "compressible": true
+ },
+ "text/x-lua": {
+ "extensions": ["lua"]
+ },
+ "text/x-markdown": {
+ "compressible": true,
+ "extensions": ["mkd"]
+ },
+ "text/x-nfo": {
+ "source": "apache",
+ "extensions": ["nfo"]
+ },
+ "text/x-opml": {
+ "source": "apache",
+ "extensions": ["opml"]
+ },
+ "text/x-org": {
+ "compressible": true,
+ "extensions": ["org"]
+ },
+ "text/x-pascal": {
+ "source": "apache",
+ "extensions": ["p","pas"]
+ },
+ "text/x-processing": {
+ "compressible": true,
+ "extensions": ["pde"]
+ },
+ "text/x-sass": {
+ "extensions": ["sass"]
+ },
+ "text/x-scss": {
+ "extensions": ["scss"]
+ },
+ "text/x-setext": {
+ "source": "apache",
+ "extensions": ["etx"]
+ },
+ "text/x-sfv": {
+ "source": "apache",
+ "extensions": ["sfv"]
+ },
+ "text/x-suse-ymp": {
+ "compressible": true,
+ "extensions": ["ymp"]
+ },
+ "text/x-uuencode": {
+ "source": "apache",
+ "extensions": ["uu"]
+ },
+ "text/x-vcalendar": {
+ "source": "apache",
+ "extensions": ["vcs"]
+ },
+ "text/x-vcard": {
+ "source": "apache",
+ "extensions": ["vcf"]
+ },
+ "text/xml": {
+ "source": "iana",
+ "compressible": true,
+ "extensions": ["xml"]
+ },
+ "text/xml-external-parsed-entity": {
+ "source": "iana"
+ },
+ "text/yaml": {
+ "compressible": true,
+ "extensions": ["yaml","yml"]
+ },
+ "video/1d-interleaved-parityfec": {
+ "source": "iana"
+ },
+ "video/3gpp": {
+ "source": "iana",
+ "extensions": ["3gp","3gpp"]
+ },
+ "video/3gpp-tt": {
+ "source": "iana"
+ },
+ "video/3gpp2": {
+ "source": "iana",
+ "extensions": ["3g2"]
+ },
+ "video/av1": {
+ "source": "iana"
+ },
+ "video/bmpeg": {
+ "source": "iana"
+ },
+ "video/bt656": {
+ "source": "iana"
+ },
+ "video/celb": {
+ "source": "iana"
+ },
+ "video/dv": {
+ "source": "iana"
+ },
+ "video/encaprtp": {
+ "source": "iana"
+ },
+ "video/ffv1": {
+ "source": "iana"
+ },
+ "video/flexfec": {
+ "source": "iana"
+ },
+ "video/h261": {
+ "source": "iana",
+ "extensions": ["h261"]
+ },
+ "video/h263": {
+ "source": "iana",
+ "extensions": ["h263"]
+ },
+ "video/h263-1998": {
+ "source": "iana"
+ },
+ "video/h263-2000": {
+ "source": "iana"
+ },
+ "video/h264": {
+ "source": "iana",
+ "extensions": ["h264"]
+ },
+ "video/h264-rcdo": {
+ "source": "iana"
+ },
+ "video/h264-svc": {
+ "source": "iana"
+ },
+ "video/h265": {
+ "source": "iana"
+ },
+ "video/iso.segment": {
+ "source": "iana",
+ "extensions": ["m4s"]
+ },
+ "video/jpeg": {
+ "source": "iana",
+ "extensions": ["jpgv"]
+ },
+ "video/jpeg2000": {
+ "source": "iana"
+ },
+ "video/jpm": {
+ "source": "apache",
+ "extensions": ["jpm","jpgm"]
+ },
+ "video/jxsv": {
+ "source": "iana"
+ },
+ "video/mj2": {
+ "source": "iana",
+ "extensions": ["mj2","mjp2"]
+ },
+ "video/mp1s": {
+ "source": "iana"
+ },
+ "video/mp2p": {
+ "source": "iana"
+ },
+ "video/mp2t": {
+ "source": "iana",
+ "extensions": ["ts"]
+ },
+ "video/mp4": {
+ "source": "iana",
+ "compressible": false,
+ "extensions": ["mp4","mp4v","mpg4"]
+ },
+ "video/mp4v-es": {
+ "source": "iana"
+ },
+ "video/mpeg": {
+ "source": "iana",
+ "compressible": false,
+ "extensions": ["mpeg","mpg","mpe","m1v","m2v"]
+ },
+ "video/mpeg4-generic": {
+ "source": "iana"
+ },
+ "video/mpv": {
+ "source": "iana"
+ },
+ "video/nv": {
+ "source": "iana"
+ },
+ "video/ogg": {
+ "source": "iana",
+ "compressible": false,
+ "extensions": ["ogv"]
+ },
+ "video/parityfec": {
+ "source": "iana"
+ },
+ "video/pointer": {
+ "source": "iana"
+ },
+ "video/quicktime": {
+ "source": "iana",
+ "compressible": false,
+ "extensions": ["qt","mov"]
+ },
+ "video/raptorfec": {
+ "source": "iana"
+ },
+ "video/raw": {
+ "source": "iana"
+ },
+ "video/rtp-enc-aescm128": {
+ "source": "iana"
+ },
+ "video/rtploopback": {
+ "source": "iana"
+ },
+ "video/rtx": {
+ "source": "iana"
+ },
+ "video/scip": {
+ "source": "iana"
+ },
+ "video/smpte291": {
+ "source": "iana"
+ },
+ "video/smpte292m": {
+ "source": "iana"
+ },
+ "video/ulpfec": {
+ "source": "iana"
+ },
+ "video/vc1": {
+ "source": "iana"
+ },
+ "video/vc2": {
+ "source": "iana"
+ },
+ "video/vnd.cctv": {
+ "source": "iana"
+ },
+ "video/vnd.dece.hd": {
+ "source": "iana",
+ "extensions": ["uvh","uvvh"]
+ },
+ "video/vnd.dece.mobile": {
+ "source": "iana",
+ "extensions": ["uvm","uvvm"]
+ },
+ "video/vnd.dece.mp4": {
+ "source": "iana"
+ },
+ "video/vnd.dece.pd": {
+ "source": "iana",
+ "extensions": ["uvp","uvvp"]
+ },
+ "video/vnd.dece.sd": {
+ "source": "iana",
+ "extensions": ["uvs","uvvs"]
+ },
+ "video/vnd.dece.video": {
+ "source": "iana",
+ "extensions": ["uvv","uvvv"]
+ },
+ "video/vnd.directv.mpeg": {
+ "source": "iana"
+ },
+ "video/vnd.directv.mpeg-tts": {
+ "source": "iana"
+ },
+ "video/vnd.dlna.mpeg-tts": {
+ "source": "iana"
+ },
+ "video/vnd.dvb.file": {
+ "source": "iana",
+ "extensions": ["dvb"]
+ },
+ "video/vnd.fvt": {
+ "source": "iana",
+ "extensions": ["fvt"]
+ },
+ "video/vnd.hns.video": {
+ "source": "iana"
+ },
+ "video/vnd.iptvforum.1dparityfec-1010": {
+ "source": "iana"
+ },
+ "video/vnd.iptvforum.1dparityfec-2005": {
+ "source": "iana"
+ },
+ "video/vnd.iptvforum.2dparityfec-1010": {
+ "source": "iana"
+ },
+ "video/vnd.iptvforum.2dparityfec-2005": {
+ "source": "iana"
+ },
+ "video/vnd.iptvforum.ttsavc": {
+ "source": "iana"
+ },
+ "video/vnd.iptvforum.ttsmpeg2": {
+ "source": "iana"
+ },
+ "video/vnd.motorola.video": {
+ "source": "iana"
+ },
+ "video/vnd.motorola.videop": {
+ "source": "iana"
+ },
+ "video/vnd.mpegurl": {
+ "source": "iana",
+ "extensions": ["mxu","m4u"]
+ },
+ "video/vnd.ms-playready.media.pyv": {
+ "source": "iana",
+ "extensions": ["pyv"]
+ },
+ "video/vnd.nokia.interleaved-multimedia": {
+ "source": "iana"
+ },
+ "video/vnd.nokia.mp4vr": {
+ "source": "iana"
+ },
+ "video/vnd.nokia.videovoip": {
+ "source": "iana"
+ },
+ "video/vnd.objectvideo": {
+ "source": "iana"
+ },
+ "video/vnd.radgamettools.bink": {
+ "source": "iana"
+ },
+ "video/vnd.radgamettools.smacker": {
+ "source": "iana"
+ },
+ "video/vnd.sealed.mpeg1": {
+ "source": "iana"
+ },
+ "video/vnd.sealed.mpeg4": {
+ "source": "iana"
+ },
+ "video/vnd.sealed.swf": {
+ "source": "iana"
+ },
+ "video/vnd.sealedmedia.softseal.mov": {
+ "source": "iana"
+ },
+ "video/vnd.uvvu.mp4": {
+ "source": "iana",
+ "extensions": ["uvu","uvvu"]
+ },
+ "video/vnd.vivo": {
+ "source": "iana",
+ "extensions": ["viv"]
+ },
+ "video/vnd.youtube.yt": {
+ "source": "iana"
+ },
+ "video/vp8": {
+ "source": "iana"
+ },
+ "video/vp9": {
+ "source": "iana"
+ },
+ "video/webm": {
+ "source": "apache",
+ "compressible": false,
+ "extensions": ["webm"]
+ },
+ "video/x-f4v": {
+ "source": "apache",
+ "extensions": ["f4v"]
+ },
+ "video/x-fli": {
+ "source": "apache",
+ "extensions": ["fli"]
+ },
+ "video/x-flv": {
+ "source": "apache",
+ "compressible": false,
+ "extensions": ["flv"]
+ },
+ "video/x-m4v": {
+ "source": "apache",
+ "extensions": ["m4v"]
+ },
+ "video/x-matroska": {
+ "source": "apache",
+ "compressible": false,
+ "extensions": ["mkv","mk3d","mks"]
+ },
+ "video/x-mng": {
+ "source": "apache",
+ "extensions": ["mng"]
+ },
+ "video/x-ms-asf": {
+ "source": "apache",
+ "extensions": ["asf","asx"]
+ },
+ "video/x-ms-vob": {
+ "source": "apache",
+ "extensions": ["vob"]
+ },
+ "video/x-ms-wm": {
+ "source": "apache",
+ "extensions": ["wm"]
+ },
+ "video/x-ms-wmv": {
+ "source": "apache",
+ "compressible": false,
+ "extensions": ["wmv"]
+ },
+ "video/x-ms-wmx": {
+ "source": "apache",
+ "extensions": ["wmx"]
+ },
+ "video/x-ms-wvx": {
+ "source": "apache",
+ "extensions": ["wvx"]
+ },
+ "video/x-msvideo": {
+ "source": "apache",
+ "extensions": ["avi"]
+ },
+ "video/x-sgi-movie": {
+ "source": "apache",
+ "extensions": ["movie"]
+ },
+ "video/x-smv": {
+ "source": "apache",
+ "extensions": ["smv"]
+ },
+ "x-conference/x-cooltalk": {
+ "source": "apache",
+ "extensions": ["ice"]
+ },
+ "x-shader/x-fragment": {
+ "compressible": true
+ },
+ "x-shader/x-vertex": {
+ "compressible": true
+ }
+}
diff --git "a/\351\231\210\351\233\204\350\276\211/\350\277\231\346\230\257\344\270\200\344\270\252\345\260\217\347\210\254\350\231\253/node_modules/mime-db/index.js" "b/\351\231\210\351\233\204\350\276\211/\350\277\231\346\230\257\344\270\200\344\270\252\345\260\217\347\210\254\350\231\253/node_modules/mime-db/index.js"
new file mode 100644
index 0000000000000000000000000000000000000000..ec2be30de1663c20ea2166f33a583c9c0b84d029
--- /dev/null
+++ "b/\351\231\210\351\233\204\350\276\211/\350\277\231\346\230\257\344\270\200\344\270\252\345\260\217\347\210\254\350\231\253/node_modules/mime-db/index.js"
@@ -0,0 +1,12 @@
+/*!
+ * mime-db
+ * Copyright(c) 2014 Jonathan Ong
+ * Copyright(c) 2015-2022 Douglas Christopher Wilson
+ * MIT Licensed
+ */
+
+/**
+ * Module exports.
+ */
+
+module.exports = require('./db.json')
diff --git "a/\351\231\210\351\233\204\350\276\211/\350\277\231\346\230\257\344\270\200\344\270\252\345\260\217\347\210\254\350\231\253/node_modules/mime-db/package.json" "b/\351\231\210\351\233\204\350\276\211/\350\277\231\346\230\257\344\270\200\344\270\252\345\260\217\347\210\254\350\231\253/node_modules/mime-db/package.json"
new file mode 100644
index 0000000000000000000000000000000000000000..0cc4d2d37bde8971557455a677ca3aac81d5c41c
--- /dev/null
+++ "b/\351\231\210\351\233\204\350\276\211/\350\277\231\346\230\257\344\270\200\344\270\252\345\260\217\347\210\254\350\231\253/node_modules/mime-db/package.json"
@@ -0,0 +1,103 @@
+{
+ "_from": "mime-db@1.52.0",
+ "_id": "mime-db@1.52.0",
+ "_inBundle": false,
+ "_integrity": "sha512-sPU4uV7dYlvtWJxwwxHD0PuihVNiE7TyAbQ5SWxDCB9mUYvOgroQOwYQQOKPJ8CIbE+1ETVlOoK1UC2nU3gYvg==",
+ "_location": "/mime-db",
+ "_phantomChildren": {},
+ "_requested": {
+ "type": "version",
+ "registry": true,
+ "raw": "mime-db@1.52.0",
+ "name": "mime-db",
+ "escapedName": "mime-db",
+ "rawSpec": "1.52.0",
+ "saveSpec": null,
+ "fetchSpec": "1.52.0"
+ },
+ "_requiredBy": [
+ "/mime-types"
+ ],
+ "_resolved": "https://registry.npmjs.org/mime-db/-/mime-db-1.52.0.tgz",
+ "_shasum": "bbabcdc02859f4987301c856e3387ce5ec43bf70",
+ "_spec": "mime-db@1.52.0",
+ "_where": "C:\\Users\\Administrator\\Desktop\\这是一个小爬虫\\node_modules\\mime-types",
+ "bugs": {
+ "url": "https://github.com/jshttp/mime-db/issues"
+ },
+ "bundleDependencies": false,
+ "contributors": [
+ {
+ "name": "Douglas Christopher Wilson",
+ "email": "doug@somethingdoug.com"
+ },
+ {
+ "name": "Jonathan Ong",
+ "email": "me@jongleberry.com",
+ "url": "http://jongleberry.com"
+ },
+ {
+ "name": "Robert Kieffer",
+ "email": "robert@broofa.com",
+ "url": "http://github.com/broofa"
+ }
+ ],
+ "deprecated": false,
+ "description": "Media Type Database",
+ "devDependencies": {
+ "bluebird": "3.7.2",
+ "co": "4.6.0",
+ "cogent": "1.0.1",
+ "csv-parse": "4.16.3",
+ "eslint": "7.32.0",
+ "eslint-config-standard": "15.0.1",
+ "eslint-plugin-import": "2.25.4",
+ "eslint-plugin-markdown": "2.2.1",
+ "eslint-plugin-node": "11.1.0",
+ "eslint-plugin-promise": "5.1.1",
+ "eslint-plugin-standard": "4.1.0",
+ "gnode": "0.1.2",
+ "media-typer": "1.1.0",
+ "mocha": "9.2.1",
+ "nyc": "15.1.0",
+ "raw-body": "2.5.0",
+ "stream-to-array": "2.3.0"
+ },
+ "engines": {
+ "node": ">= 0.6"
+ },
+ "files": [
+ "HISTORY.md",
+ "LICENSE",
+ "README.md",
+ "db.json",
+ "index.js"
+ ],
+ "homepage": "https://github.com/jshttp/mime-db#readme",
+ "keywords": [
+ "mime",
+ "db",
+ "type",
+ "types",
+ "database",
+ "charset",
+ "charsets"
+ ],
+ "license": "MIT",
+ "name": "mime-db",
+ "repository": {
+ "type": "git",
+ "url": "git+https://github.com/jshttp/mime-db.git"
+ },
+ "scripts": {
+ "build": "node scripts/build",
+ "fetch": "node scripts/fetch-apache && gnode scripts/fetch-iana && node scripts/fetch-nginx",
+ "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": "npm run fetch && npm run build",
+ "version": "node scripts/version-history.js && git add HISTORY.md"
+ },
+ "version": "1.52.0"
+}
diff --git "a/\351\231\210\351\233\204\350\276\211/\350\277\231\346\230\257\344\270\200\344\270\252\345\260\217\347\210\254\350\231\253/node_modules/mime-types/HISTORY.md" "b/\351\231\210\351\233\204\350\276\211/\350\277\231\346\230\257\344\270\200\344\270\252\345\260\217\347\210\254\350\231\253/node_modules/mime-types/HISTORY.md"
new file mode 100644
index 0000000000000000000000000000000000000000..c5043b75b958766a3880805dc4f19d70a4f167dd
--- /dev/null
+++ "b/\351\231\210\351\233\204\350\276\211/\350\277\231\346\230\257\344\270\200\344\270\252\345\260\217\347\210\254\350\231\253/node_modules/mime-types/HISTORY.md"
@@ -0,0 +1,397 @@
+2.1.35 / 2022-03-12
+===================
+
+ * deps: mime-db@1.52.0
+ - Add extensions from IANA for more `image/*` types
+ - Add extension `.asc` to `application/pgp-keys`
+ - Add extensions to various XML types
+ - Add new upstream MIME types
+
+2.1.34 / 2021-11-08
+===================
+
+ * deps: mime-db@1.51.0
+ - Add new upstream MIME types
+
+2.1.33 / 2021-10-01
+===================
+
+ * deps: mime-db@1.50.0
+ - Add deprecated iWorks mime types and extensions
+ - Add new upstream MIME types
+
+2.1.32 / 2021-07-27
+===================
+
+ * deps: mime-db@1.49.0
+ - Add extension `.trig` to `application/trig`
+ - Add new upstream MIME types
+
+2.1.31 / 2021-06-01
+===================
+
+ * deps: mime-db@1.48.0
+ - Add extension `.mvt` to `application/vnd.mapbox-vector-tile`
+ - Add new upstream MIME types
+
+2.1.30 / 2021-04-02
+===================
+
+ * deps: mime-db@1.47.0
+ - Add extension `.amr` to `audio/amr`
+ - Remove ambigious extensions from IANA for `application/*+xml` types
+ - Update primary extension to `.es` for `application/ecmascript`
+
+2.1.29 / 2021-02-17
+===================
+
+ * deps: mime-db@1.46.0
+ - Add extension `.amr` to `audio/amr`
+ - Add extension `.m4s` to `video/iso.segment`
+ - Add extension `.opus` to `audio/ogg`
+ - Add new upstream MIME types
+
+2.1.28 / 2021-01-01
+===================
+
+ * deps: mime-db@1.45.0
+ - Add `application/ubjson` with extension `.ubj`
+ - Add `image/avif` with extension `.avif`
+ - Add `image/ktx2` with extension `.ktx2`
+ - Add extension `.dbf` to `application/vnd.dbf`
+ - Add extension `.rar` to `application/vnd.rar`
+ - Add extension `.td` to `application/urc-targetdesc+xml`
+ - Add new upstream MIME types
+ - Fix extension of `application/vnd.apple.keynote` to be `.key`
+
+2.1.27 / 2020-04-23
+===================
+
+ * deps: mime-db@1.44.0
+ - Add charsets from IANA
+ - Add extension `.cjs` to `application/node`
+ - Add new upstream MIME types
+
+2.1.26 / 2020-01-05
+===================
+
+ * deps: mime-db@1.43.0
+ - Add `application/x-keepass2` with extension `.kdbx`
+ - Add extension `.mxmf` to `audio/mobile-xmf`
+ - Add extensions from IANA for `application/*+xml` types
+ - Add new upstream MIME types
+
+2.1.25 / 2019-11-12
+===================
+
+ * deps: mime-db@1.42.0
+ - Add new upstream MIME types
+ - Add `application/toml` with extension `.toml`
+ - Add `image/vnd.ms-dds` with extension `.dds`
+
+2.1.24 / 2019-04-20
+===================
+
+ * deps: mime-db@1.40.0
+ - Add extensions from IANA for `model/*` types
+ - Add `text/mdx` with extension `.mdx`
+
+2.1.23 / 2019-04-17
+===================
+
+ * deps: mime-db@~1.39.0
+ - Add extensions `.siv` and `.sieve` to `application/sieve`
+ - Add new upstream MIME types
+
+2.1.22 / 2019-02-14
+===================
+
+ * deps: mime-db@~1.38.0
+ - Add extension `.nq` to `application/n-quads`
+ - Add extension `.nt` to `application/n-triples`
+ - Add new upstream MIME types
+
+2.1.21 / 2018-10-19
+===================
+
+ * deps: mime-db@~1.37.0
+ - Add extensions to HEIC image types
+ - Add new upstream MIME types
+
+2.1.20 / 2018-08-26
+===================
+
+ * deps: mime-db@~1.36.0
+ - Add Apple file extensions from IANA
+ - Add extensions from IANA for `image/*` types
+ - Add new upstream MIME types
+
+2.1.19 / 2018-07-17
+===================
+
+ * deps: mime-db@~1.35.0
+ - Add extension `.csl` to `application/vnd.citationstyles.style+xml`
+ - Add extension `.es` to `application/ecmascript`
+ - Add extension `.owl` to `application/rdf+xml`
+ - Add new upstream MIME types
+ - Add UTF-8 as default charset for `text/turtle`
+
+2.1.18 / 2018-02-16
+===================
+
+ * deps: mime-db@~1.33.0
+ - Add `application/raml+yaml` with extension `.raml`
+ - Add `application/wasm` with extension `.wasm`
+ - Add `text/shex` with extension `.shex`
+ - Add extensions for JPEG-2000 images
+ - Add extensions from IANA for `message/*` types
+ - Add new upstream MIME types
+ - Update font MIME types
+ - Update `text/hjson` to registered `application/hjson`
+
+2.1.17 / 2017-09-01
+===================
+
+ * deps: mime-db@~1.30.0
+ - Add `application/vnd.ms-outlook`
+ - Add `application/x-arj`
+ - Add extension `.mjs` to `application/javascript`
+ - Add glTF types and extensions
+ - Add new upstream MIME types
+ - Add `text/x-org`
+ - Add VirtualBox MIME types
+ - Fix `source` records for `video/*` types that are IANA
+ - Update `font/opentype` to registered `font/otf`
+
+2.1.16 / 2017-07-24
+===================
+
+ * deps: mime-db@~1.29.0
+ - Add `application/fido.trusted-apps+json`
+ - Add extension `.wadl` to `application/vnd.sun.wadl+xml`
+ - Add extension `.gz` to `application/gzip`
+ - Add new upstream MIME types
+ - Update extensions `.md` and `.markdown` to be `text/markdown`
+
+2.1.15 / 2017-03-23
+===================
+
+ * deps: mime-db@~1.27.0
+ - Add new mime types
+ - Add `image/apng`
+
+2.1.14 / 2017-01-14
+===================
+
+ * deps: mime-db@~1.26.0
+ - Add new mime types
+
+2.1.13 / 2016-11-18
+===================
+
+ * deps: mime-db@~1.25.0
+ - Add new mime types
+
+2.1.12 / 2016-09-18
+===================
+
+ * deps: mime-db@~1.24.0
+ - Add new mime types
+ - Add `audio/mp3`
+
+2.1.11 / 2016-05-01
+===================
+
+ * deps: mime-db@~1.23.0
+ - Add new mime types
+
+2.1.10 / 2016-02-15
+===================
+
+ * deps: mime-db@~1.22.0
+ - Add new mime types
+ - Fix extension of `application/dash+xml`
+ - Update primary extension for `audio/mp4`
+
+2.1.9 / 2016-01-06
+==================
+
+ * deps: mime-db@~1.21.0
+ - Add new mime types
+
+2.1.8 / 2015-11-30
+==================
+
+ * deps: mime-db@~1.20.0
+ - Add new mime types
+
+2.1.7 / 2015-09-20
+==================
+
+ * deps: mime-db@~1.19.0
+ - Add new mime types
+
+2.1.6 / 2015-09-03
+==================
+
+ * deps: mime-db@~1.18.0
+ - Add new mime types
+
+2.1.5 / 2015-08-20
+==================
+
+ * deps: mime-db@~1.17.0
+ - Add new mime types
+
+2.1.4 / 2015-07-30
+==================
+
+ * deps: mime-db@~1.16.0
+ - Add new mime types
+
+2.1.3 / 2015-07-13
+==================
+
+ * deps: mime-db@~1.15.0
+ - Add new mime types
+
+2.1.2 / 2015-06-25
+==================
+
+ * deps: mime-db@~1.14.0
+ - Add new mime types
+
+2.1.1 / 2015-06-08
+==================
+
+ * perf: fix deopt during mapping
+
+2.1.0 / 2015-06-07
+==================
+
+ * Fix incorrectly treating extension-less file name as extension
+ - i.e. `'path/to/json'` will no longer return `application/json`
+ * Fix `.charset(type)` to accept parameters
+ * Fix `.charset(type)` to match case-insensitive
+ * Improve generation of extension to MIME mapping
+ * Refactor internals for readability and no argument reassignment
+ * Prefer `application/*` MIME types from the same source
+ * Prefer any type over `application/octet-stream`
+ * deps: mime-db@~1.13.0
+ - Add nginx as a source
+ - Add new mime types
+
+2.0.14 / 2015-06-06
+===================
+
+ * deps: mime-db@~1.12.0
+ - Add new mime types
+
+2.0.13 / 2015-05-31
+===================
+
+ * deps: mime-db@~1.11.0
+ - Add new mime types
+
+2.0.12 / 2015-05-19
+===================
+
+ * deps: mime-db@~1.10.0
+ - Add new mime types
+
+2.0.11 / 2015-05-05
+===================
+
+ * deps: mime-db@~1.9.1
+ - Add new mime types
+
+2.0.10 / 2015-03-13
+===================
+
+ * deps: mime-db@~1.8.0
+ - Add new mime types
+
+2.0.9 / 2015-02-09
+==================
+
+ * deps: mime-db@~1.7.0
+ - Add new mime types
+ - Community extensions ownership transferred from `node-mime`
+
+2.0.8 / 2015-01-29
+==================
+
+ * deps: mime-db@~1.6.0
+ - Add new mime types
+
+2.0.7 / 2014-12-30
+==================
+
+ * deps: mime-db@~1.5.0
+ - Add new mime types
+ - Fix various invalid MIME type entries
+
+2.0.6 / 2014-12-30
+==================
+
+ * deps: mime-db@~1.4.0
+ - Add new mime types
+ - Fix various invalid MIME type entries
+ - Remove example template MIME types
+
+2.0.5 / 2014-12-29
+==================
+
+ * deps: mime-db@~1.3.1
+ - Fix missing extensions
+
+2.0.4 / 2014-12-10
+==================
+
+ * deps: mime-db@~1.3.0
+ - Add new mime types
+
+2.0.3 / 2014-11-09
+==================
+
+ * deps: mime-db@~1.2.0
+ - Add new mime types
+
+2.0.2 / 2014-09-28
+==================
+
+ * deps: mime-db@~1.1.0
+ - Add new mime types
+ - Update charsets
+
+2.0.1 / 2014-09-07
+==================
+
+ * Support Node.js 0.6
+
+2.0.0 / 2014-09-02
+==================
+
+ * Use `mime-db`
+ * Remove `.define()`
+
+1.0.2 / 2014-08-04
+==================
+
+ * Set charset=utf-8 for `text/javascript`
+
+1.0.1 / 2014-06-24
+==================
+
+ * Add `text/jsx` type
+
+1.0.0 / 2014-05-12
+==================
+
+ * Return `false` for unknown types
+ * Set charset=utf-8 for `application/json`
+
+0.1.0 / 2014-05-02
+==================
+
+ * Initial release
diff --git "a/\351\231\210\351\233\204\350\276\211/\350\277\231\346\230\257\344\270\200\344\270\252\345\260\217\347\210\254\350\231\253/node_modules/mime-types/LICENSE" "b/\351\231\210\351\233\204\350\276\211/\350\277\231\346\230\257\344\270\200\344\270\252\345\260\217\347\210\254\350\231\253/node_modules/mime-types/LICENSE"
new file mode 100644
index 0000000000000000000000000000000000000000..06166077be4d1f620d89b9eb33c76d89e75857da
--- /dev/null
+++ "b/\351\231\210\351\233\204\350\276\211/\350\277\231\346\230\257\344\270\200\344\270\252\345\260\217\347\210\254\350\231\253/node_modules/mime-types/LICENSE"
@@ -0,0 +1,23 @@
+(The MIT License)
+
+Copyright (c) 2014 Jonathan Ong
+Copyright (c) 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 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/\351\231\210\351\233\204\350\276\211/\350\277\231\346\230\257\344\270\200\344\270\252\345\260\217\347\210\254\350\231\253/node_modules/mime-types/README.md" "b/\351\231\210\351\233\204\350\276\211/\350\277\231\346\230\257\344\270\200\344\270\252\345\260\217\347\210\254\350\231\253/node_modules/mime-types/README.md"
new file mode 100644
index 0000000000000000000000000000000000000000..48d2fb477241e837c6e8d349777aac312746029b
--- /dev/null
+++ "b/\351\231\210\351\233\204\350\276\211/\350\277\231\346\230\257\344\270\200\344\270\252\345\260\217\347\210\254\350\231\253/node_modules/mime-types/README.md"
@@ -0,0 +1,113 @@
+# mime-types
+
+[![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]
+
+The ultimate javascript content-type utility.
+
+Similar to [the `mime@1.x` module](https://www.npmjs.com/package/mime), except:
+
+- __No fallbacks.__ Instead of naively returning the first available type,
+ `mime-types` simply returns `false`, so do
+ `var type = mime.lookup('unrecognized') || 'application/octet-stream'`.
+- No `new Mime()` business, so you could do `var lookup = require('mime-types').lookup`.
+- No `.define()` functionality
+- Bug fixes for `.lookup(path)`
+
+Otherwise, the API is compatible with `mime` 1.x.
+
+## 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 mime-types
+```
+
+## Adding Types
+
+All mime types are based on [mime-db](https://www.npmjs.com/package/mime-db),
+so open a PR there if you'd like to add mime types.
+
+## API
+
+```js
+var mime = require('mime-types')
+```
+
+All functions return `false` if input is invalid or not found.
+
+### mime.lookup(path)
+
+Lookup the content-type associated with a file.
+
+```js
+mime.lookup('json') // 'application/json'
+mime.lookup('.md') // 'text/markdown'
+mime.lookup('file.html') // 'text/html'
+mime.lookup('folder/file.js') // 'application/javascript'
+mime.lookup('folder/.htaccess') // false
+
+mime.lookup('cats') // false
+```
+
+### mime.contentType(type)
+
+Create a full content-type header given a content-type or extension.
+When given an extension, `mime.lookup` is used to get the matching
+content-type, otherwise the given content-type is used. Then if the
+content-type does not already have a `charset` parameter, `mime.charset`
+is used to get the default charset and add to the returned content-type.
+
+```js
+mime.contentType('markdown') // 'text/x-markdown; charset=utf-8'
+mime.contentType('file.json') // 'application/json; charset=utf-8'
+mime.contentType('text/html') // 'text/html; charset=utf-8'
+mime.contentType('text/html; charset=iso-8859-1') // 'text/html; charset=iso-8859-1'
+
+// from a full path
+mime.contentType(path.extname('/path/to/file.json')) // 'application/json; charset=utf-8'
+```
+
+### mime.extension(type)
+
+Get the default extension for a content-type.
+
+```js
+mime.extension('application/octet-stream') // 'bin'
+```
+
+### mime.charset(type)
+
+Lookup the implied default charset of a content-type.
+
+```js
+mime.charset('text/markdown') // 'UTF-8'
+```
+
+### var type = mime.types[extension]
+
+A map of content-types by extension.
+
+### [extensions...] = mime.extensions[type]
+
+A map of extensions by content-type.
+
+## License
+
+[MIT](LICENSE)
+
+[ci-image]: https://badgen.net/github/checks/jshttp/mime-types/master?label=ci
+[ci-url]: https://github.com/jshttp/mime-types/actions/workflows/ci.yml
+[coveralls-image]: https://badgen.net/coveralls/c/github/jshttp/mime-types/master
+[coveralls-url]: https://coveralls.io/r/jshttp/mime-types?branch=master
+[node-version-image]: https://badgen.net/npm/node/mime-types
+[node-version-url]: https://nodejs.org/en/download
+[npm-downloads-image]: https://badgen.net/npm/dm/mime-types
+[npm-url]: https://npmjs.org/package/mime-types
+[npm-version-image]: https://badgen.net/npm/v/mime-types
diff --git "a/\351\231\210\351\233\204\350\276\211/\350\277\231\346\230\257\344\270\200\344\270\252\345\260\217\347\210\254\350\231\253/node_modules/mime-types/index.js" "b/\351\231\210\351\233\204\350\276\211/\350\277\231\346\230\257\344\270\200\344\270\252\345\260\217\347\210\254\350\231\253/node_modules/mime-types/index.js"
new file mode 100644
index 0000000000000000000000000000000000000000..b9f34d5991077fe9fadc7d9187a7225db7e58fca
--- /dev/null
+++ "b/\351\231\210\351\233\204\350\276\211/\350\277\231\346\230\257\344\270\200\344\270\252\345\260\217\347\210\254\350\231\253/node_modules/mime-types/index.js"
@@ -0,0 +1,188 @@
+/*!
+ * mime-types
+ * Copyright(c) 2014 Jonathan Ong
+ * Copyright(c) 2015 Douglas Christopher Wilson
+ * MIT Licensed
+ */
+
+'use strict'
+
+/**
+ * Module dependencies.
+ * @private
+ */
+
+var db = require('mime-db')
+var extname = require('path').extname
+
+/**
+ * Module variables.
+ * @private
+ */
+
+var EXTRACT_TYPE_REGEXP = /^\s*([^;\s]*)(?:;|\s|$)/
+var TEXT_TYPE_REGEXP = /^text\//i
+
+/**
+ * Module exports.
+ * @public
+ */
+
+exports.charset = charset
+exports.charsets = { lookup: charset }
+exports.contentType = contentType
+exports.extension = extension
+exports.extensions = Object.create(null)
+exports.lookup = lookup
+exports.types = Object.create(null)
+
+// Populate the extensions/types maps
+populateMaps(exports.extensions, exports.types)
+
+/**
+ * Get the default charset for a MIME type.
+ *
+ * @param {string} type
+ * @return {boolean|string}
+ */
+
+function charset (type) {
+ if (!type || typeof type !== 'string') {
+ return false
+ }
+
+ // TODO: use media-typer
+ var match = EXTRACT_TYPE_REGEXP.exec(type)
+ var mime = match && db[match[1].toLowerCase()]
+
+ if (mime && mime.charset) {
+ return mime.charset
+ }
+
+ // default text/* to utf-8
+ if (match && TEXT_TYPE_REGEXP.test(match[1])) {
+ return 'UTF-8'
+ }
+
+ return false
+}
+
+/**
+ * Create a full Content-Type header given a MIME type or extension.
+ *
+ * @param {string} str
+ * @return {boolean|string}
+ */
+
+function contentType (str) {
+ // TODO: should this even be in this module?
+ if (!str || typeof str !== 'string') {
+ return false
+ }
+
+ var mime = str.indexOf('/') === -1
+ ? exports.lookup(str)
+ : str
+
+ if (!mime) {
+ return false
+ }
+
+ // TODO: use content-type or other module
+ if (mime.indexOf('charset') === -1) {
+ var charset = exports.charset(mime)
+ if (charset) mime += '; charset=' + charset.toLowerCase()
+ }
+
+ return mime
+}
+
+/**
+ * Get the default extension for a MIME type.
+ *
+ * @param {string} type
+ * @return {boolean|string}
+ */
+
+function extension (type) {
+ if (!type || typeof type !== 'string') {
+ return false
+ }
+
+ // TODO: use media-typer
+ var match = EXTRACT_TYPE_REGEXP.exec(type)
+
+ // get extensions
+ var exts = match && exports.extensions[match[1].toLowerCase()]
+
+ if (!exts || !exts.length) {
+ return false
+ }
+
+ return exts[0]
+}
+
+/**
+ * Lookup the MIME type for a file path/extension.
+ *
+ * @param {string} path
+ * @return {boolean|string}
+ */
+
+function lookup (path) {
+ if (!path || typeof path !== 'string') {
+ return false
+ }
+
+ // get the extension ("ext" or ".ext" or full path)
+ var extension = extname('x.' + path)
+ .toLowerCase()
+ .substr(1)
+
+ if (!extension) {
+ return false
+ }
+
+ return exports.types[extension] || false
+}
+
+/**
+ * Populate the extensions and types maps.
+ * @private
+ */
+
+function populateMaps (extensions, types) {
+ // source preference (least -> most)
+ var preference = ['nginx', 'apache', undefined, 'iana']
+
+ Object.keys(db).forEach(function forEachMimeType (type) {
+ var mime = db[type]
+ var exts = mime.extensions
+
+ if (!exts || !exts.length) {
+ return
+ }
+
+ // mime -> extensions
+ extensions[type] = exts
+
+ // extension -> mime
+ for (var i = 0; i < exts.length; i++) {
+ var extension = exts[i]
+
+ if (types[extension]) {
+ var from = preference.indexOf(db[types[extension]].source)
+ var to = preference.indexOf(mime.source)
+
+ if (types[extension] !== 'application/octet-stream' &&
+ (from > to || (from === to && types[extension].substr(0, 12) === 'application/'))) {
+ // skip the remapping
+ continue
+ }
+ }
+
+ // set the extension -> mime
+ types[extension] = type
+ }
+ })
+}
diff --git "a/\351\231\210\351\233\204\350\276\211/\350\277\231\346\230\257\344\270\200\344\270\252\345\260\217\347\210\254\350\231\253/node_modules/mime-types/package.json" "b/\351\231\210\351\233\204\350\276\211/\350\277\231\346\230\257\344\270\200\344\270\252\345\260\217\347\210\254\350\231\253/node_modules/mime-types/package.json"
new file mode 100644
index 0000000000000000000000000000000000000000..4cb9298c8795f2becff2530c907f2ab867912495
--- /dev/null
+++ "b/\351\231\210\351\233\204\350\276\211/\350\277\231\346\230\257\344\270\200\344\270\252\345\260\217\347\210\254\350\231\253/node_modules/mime-types/package.json"
@@ -0,0 +1,88 @@
+{
+ "_from": "mime-types@~2.1.19",
+ "_id": "mime-types@2.1.35",
+ "_inBundle": false,
+ "_integrity": "sha512-ZDY+bPm5zTTF+YpCrAU9nK0UgICYPT0QtT1NZWFv4s++TNkcgVaT0g6+4R2uI4MjQjzysHB1zxuWL50hzaeXiw==",
+ "_location": "/mime-types",
+ "_phantomChildren": {},
+ "_requested": {
+ "type": "range",
+ "registry": true,
+ "raw": "mime-types@~2.1.19",
+ "name": "mime-types",
+ "escapedName": "mime-types",
+ "rawSpec": "~2.1.19",
+ "saveSpec": null,
+ "fetchSpec": "~2.1.19"
+ },
+ "_requiredBy": [
+ "/form-data",
+ "/request"
+ ],
+ "_resolved": "https://registry.npmjs.org/mime-types/-/mime-types-2.1.35.tgz",
+ "_shasum": "381a871b62a734450660ae3deee44813f70d959a",
+ "_spec": "mime-types@~2.1.19",
+ "_where": "C:\\Users\\Administrator\\Desktop\\这是一个小爬虫\\node_modules\\request",
+ "bugs": {
+ "url": "https://github.com/jshttp/mime-types/issues"
+ },
+ "bundleDependencies": false,
+ "contributors": [
+ {
+ "name": "Douglas Christopher Wilson",
+ "email": "doug@somethingdoug.com"
+ },
+ {
+ "name": "Jeremiah Senkpiel",
+ "email": "fishrock123@rocketmail.com",
+ "url": "https://searchbeam.jit.su"
+ },
+ {
+ "name": "Jonathan Ong",
+ "email": "me@jongleberry.com",
+ "url": "http://jongleberry.com"
+ }
+ ],
+ "dependencies": {
+ "mime-db": "1.52.0"
+ },
+ "deprecated": false,
+ "description": "The ultimate javascript content-type utility.",
+ "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"
+ },
+ "engines": {
+ "node": ">= 0.6"
+ },
+ "files": [
+ "HISTORY.md",
+ "LICENSE",
+ "index.js"
+ ],
+ "homepage": "https://github.com/jshttp/mime-types#readme",
+ "keywords": [
+ "mime",
+ "types"
+ ],
+ "license": "MIT",
+ "name": "mime-types",
+ "repository": {
+ "type": "git",
+ "url": "git+https://github.com/jshttp/mime-types.git"
+ },
+ "scripts": {
+ "lint": "eslint .",
+ "test": "mocha --reporter spec test/test.js",
+ "test-ci": "nyc --reporter=lcov --reporter=text npm test",
+ "test-cov": "nyc --reporter=html --reporter=text npm test"
+ },
+ "version": "2.1.35"
+}
diff --git "a/\351\231\210\351\233\204\350\276\211/\350\277\231\346\230\257\344\270\200\344\270\252\345\260\217\347\210\254\350\231\253/node_modules/mysql/Changes.md" "b/\351\231\210\351\233\204\350\276\211/\350\277\231\346\230\257\344\270\200\344\270\252\345\260\217\347\210\254\350\231\253/node_modules/mysql/Changes.md"
new file mode 100644
index 0000000000000000000000000000000000000000..73e549c8dfb5487c3102b5574a3eb127662f99eb
--- /dev/null
+++ "b/\351\231\210\351\233\204\350\276\211/\350\277\231\346\230\257\344\270\200\344\270\252\345\260\217\347\210\254\350\231\253/node_modules/mysql/Changes.md"
@@ -0,0 +1,569 @@
+# Changes
+
+This file is a manually maintained list of changes for each release. Feel free
+to add your changes here when sending pull requests. Also send corrections if
+you spot any mistakes.
+
+## v2.18.1 (2020-01-23)
+
+* Fix Amazon RDS profile for yaSSL MySQL servers with 2019 CA #2292
+
+## v2.18.0 (2020-01-21)
+
+* Add `localInfile` option to control `LOAD DATA LOCAL INFILE`
+* Add new Amazon RDS Root 2019 CA to Amazon RDS SSL profile #2280
+* Add new error codes up to MySQL 5.7.29
+* Fix early detection of bad callback to `connection.query`
+* Support Node.js 12.x #2211
+* Support Node.js 13.x
+* Support non-enumerable properties in object argument to `connection.query` #2253
+* Update `bignumber.js` to 9.0.0
+* Update `readable-stream` to 2.3.7
+
+## v2.17.1 (2019-04-18)
+
+* Update `bignumber.js` to 7.2.1 #2206
+ - Fix npm deprecation warning
+
+## v2.17.0 (2019-04-17)
+
+* Add reverse type lookup for small performance gain #2170
+* Fix `connection.threadId` missing on handshake failure
+* Fix duplicate packet name in debug output
+* Fix no password support for old password protocol
+* Remove special case for handshake in determine packet code
+* Small performance improvement starting command sequence
+* Support auth switch in change user flow #1776
+* Support Node.js 11.x
+* Update `bignumber.js` to 6.0.0
+
+## v2.16.0 (2018-07-17)
+
+* Add Amazon RDS GovCloud SSL certificates #1876
+* Add new error codes up to MySQL 5.7.21
+* Include connection ID in debug output
+* Support Node.js 9.x
+* Support Node.js 10.x #2003 #2024 #2026 #2034
+* Update Amazon RDS SSL certificates
+* Update `bignumber.js` to 4.1.0
+* Update `readable-stream` to 2.3.6
+* Update `sqlstring` to 2.3.1
+ - Fix incorrectly replacing non-placeholders in SQL
+
+## v2.15.0 (2017-10-05)
+
+* Add new Amazon RDS ca-central-1 certificate CA to Amazon RDS SSL profile #1809
+* Add new error codes up to MySQL 5.7.19
+* Add `mysql.raw()` to generate pre-escaped values #877 #1821
+* Fix "changedRows" to work on non-English servers #1819
+* Fix error when server sends RST on `QUIT` #1811
+* Fix typo in insecure auth error message
+* Support `mysql_native_password` auth switch request for Azure #1396 #1729 #1730
+* Update `sqlstring` to 2.3.0
+ - Add `.toSqlString()` escape overriding
+ - Small performance improvement on `escapeId`
+* Update `bignumber.js` to 4.0.4
+
+## v2.14.1 (2017-08-01)
+
+* Fix holding first closure for lifetime of connection #1785
+
+## v2.14.0 (2017-07-25)
+
+* Add new Amazon RDS ap-south-1 certificate CA to Amazon RDS SSL profile #1780
+* Add new Amazon RDS eu-west-2 certificate CA to Amazon RDS SSL profile #1770
+* Add `sql` property to query `Error` objects #1462 #1628 #1629
+* Add `sqlMessage` property to `Error` objects #1714
+* Fix the MySQL 5.7.17 error codes
+* Support Node.js 8.x
+* Update `bignumber.js` to 4.0.2
+* Update `readable-stream` to 2.3.3
+* Use `safe-buffer` for improved Buffer API
+
+## v2.13.0 (2017-01-24)
+
+* Accept regular expression as pool cluster pattern #1572
+* Accept wildcard anywhere in pool cluster pattern #1570
+* Add `acquire` and `release` events to `Pool` for tracking #1366 #1449 #1528 #1625
+* Add new error codes up to MySQL 5.7.17
+* Fix edge cases when determing Query result packets #1547
+* Fix memory leak when using long-running domains #1619 #1620
+* Remove unnecessary buffer copies when receiving large packets
+* Update `bignumber.js` to 3.1.2
+* Use a simple buffer list to improve performance #566 #1590
+
+## v2.12.0 (2016-11-02)
+
+* Accept array of type names to `dateStrings` option #605 #1481
+* Add `query` method to `PoolNamespace` #1256 #1505 #1506
+ - Used as `cluster.of(...).query(...)`
+* Add new error codes up to MySQL 5.7.16
+* Fix edge cases writing certain length coded values
+* Fix typo in `HANDSHAKE_NO_SSL_SUPPORT` error message #1534
+* Support Node.js 7.x
+* Update `bignumber.js` to 2.4.0
+* Update `sqlstring` to 2.2.0
+ - Accept numbers and other value types in `escapeId`
+ - Escape invalid `Date` objects as `NULL`
+ - Run `buffer.toString()` through escaping
+
+## v2.11.1 (2016-06-07)
+
+* Fix writing truncated packets starting with large string/buffer #1438
+
+## v2.11.0 (2016-06-06)
+
+* Add `POOL_CLOSED` code to "Pool is closed." error
+* Add `POOL_CONNLIMIT` code to "No connections available." error #1332
+* Bind underlying connections in pool to same domain as pool #1242
+* Bind underlying socket to same domain as connection #1243
+* Fix allocation errors receiving many result rows #918 #1265 #1324 #1415
+* Fix edge cases constructing long stack traces #1387
+* Fix handshake inactivity timeout on Node.js v4.2.0 #1223 #1236 #1239 #1240 #1241 #1252
+* Fix Query stream to emit close after ending #1349 #1350
+* Fix type cast for BIGINT columns when number is negative #1376
+* Performance improvements for array/object escaping in SqlString #1331
+* Performance improvements for formatting in SqlString #1431
+* Performance improvements for string escaping in SqlString #1390
+* Performance improvements for writing packets to network
+* Support Node.js 6.x
+* Update `bignumber.js` to 2.3.0
+* Update `readable-stream` to 1.1.14
+* Use the `sqlstring` module for SQL escaping and formatting
+
+## v2.10.2 (2016-01-12)
+
+* Fix exception/hang from certain SSL connection errors #1153
+* Update `bignumber.js` to 2.1.4
+
+## v2.10.1 (2016-01-11)
+
+* Add new Amazon RDS ap-northeast-2 certificate CA to Amazon RDS SSL profile #1329
+
+## v2.10.0 (2015-12-15)
+
+* Add new error codes up to MySQL 5.7.9 #1294
+* Add new JSON type constant #1295
+* Add types for fractional seconds support
+* Fix `connection.destroy()` on pool connection creating sequences #1291
+* Fix error code 139 `HA_ERR_TO_BIG_ROW` to be `HA_ERR_TOO_BIG_ROW`
+* Fix error when call site error is missing stack #1179
+* Fix reading password from MySQL URL that has bare colon #1278
+* Handle MySQL servers not closing TCP connection after QUIT -> OK exchange #1277
+* Minor SqlString Date to string performance improvement #1233
+* Support Node.js 4.x
+* Support Node.js 5.x
+* Update `bignumber.js` to 2.1.2
+
+## v2.9.0 (2015-08-19)
+
+* Accept the `ciphers` property in connection `ssl` option #1185
+* Fix bad timezone conversion from `Date` to string for certain times #1045 #1155
+
+## v2.8.0 (2015-07-13)
+
+* Add `connect` event to `Connection` #1129
+* Default `timeout` for `connection.end` to 30 seconds #1057
+* Fix a sync callback when sequence enqueue fails #1147
+* Provide static require analysis
+* Re-use connection from pool after `conn.changeUser` is used #837 #1088
+
+## v2.7.0 (2015-05-27)
+
+* Destroy/end connections removed from the pool on error
+* Delay implied connect until after `.query` argument validation
+* Do not remove connections with non-fatal errors from the pool
+* Error early if `callback` argument to `.query` is not a function #1060
+* Lazy-load modules from many entry point; reduced memory use
+
+## v2.6.2 (2015-04-14)
+
+* Fix `Connection.createQuery` for no SQL #1058
+* Update `bignumber.js` to 2.0.7
+
+## v2.6.1 (2015-03-26)
+
+* Update `bignumber.js` to 2.0.5 #1037 #1038
+
+## v2.6.0 (2015-03-24)
+
+* Add `poolCluster.remove` to remove pools from the cluster #1006 #1007
+* Add optional callback to `poolCluster.end`
+* Add `restoreNodeTimeout` option to `PoolCluster` #880 #906
+* Fix LOAD DATA INFILE handling in multiple statements #1036
+* Fix `poolCluster.add` to throw if `PoolCluster` has been closed
+* Fix `poolCluster.add` to throw if `id` already defined
+* Fix un-catchable error from `PoolCluster` when MySQL server offline #1033
+* Improve speed formatting SQL #1019
+* Support io.js
+
+## v2.5.5 (2015-02-23)
+
+* Store SSL presets in JS instead of JSON #959
+* Support Node.js 0.12
+* Update Amazon RDS SSL certificates #1001
+
+## v2.5.4 (2014-12-16)
+
+* Fix error if falsy error thrown in callback handler #960
+* Fix various error code strings #954
+
+## v2.5.3 (2014-11-06)
+
+* Fix `pool.query` streaming interface not emitting connection errors #941
+
+## v2.5.2 (2014-10-10)
+
+* Fix receiving large text fields #922
+
+## v2.5.1 (2014-09-22)
+
+* Fix `pool.end` race conditions #915
+* Fix `pool.getConnection` race conditions
+
+## v2.5.0 (2014-09-07)
+
+* Add code `POOL_ENQUEUELIMIT` to error reaching `queueLimit`
+* Add `enqueue` event to pool #716
+* Add `enqueue` event to protocol and connection #381
+* Blacklist unsupported connection flags #881
+* Make only column names enumerable in `RowDataPacket` #549 #895
+* Support Node.js 0.6 #718
+
+## v2.4.3 (2014-08-25)
+
+* Fix `pool.query` to use `typeCast` configuration
+
+## v2.4.2 (2014-08-03)
+
+* Fix incorrect sequence packet errors to be catchable #867
+* Fix stray protocol packet errors to be catchable #867
+* Fix timing of fatal protocol errors bubbling to user #879
+
+## v2.4.1 (2014-07-17)
+
+* Fix `pool.query` not invoking callback on connection error #872
+
+## v2.4.0 (2014-07-13)
+
+* Add code `POOL_NOEXIST` in PoolCluster error #846
+* Add `acquireTimeout` pool option to specify a timeout for acquiring a connection #821 #854
+* Add `connection.escapeId`
+* Add `pool.escapeId`
+* Add `timeout` option to all sequences #855 #863
+* Default `connectTimeout` to 10 seconds
+* Fix domain binding with `conn.connect`
+* Fix `packet.default` to actually be a string
+* Fix `PARSER_*` errors to be catchable
+* Fix `PROTOCOL_PACKETS_OUT_OF_ORDER` error to be catchable #844
+* Include packets that failed parsing under `debug`
+* Return `Query` object from `pool.query` like `conn.query` #830
+* Use `EventEmitter.listenerCount` when possible for faster counting
+
+## v2.3.2 (2014-05-29)
+
+* Fix pool leaking connections after `conn.changeUser` #833
+
+## v2.3.1 (2014-05-26)
+
+* Add database errors to error constants
+* Add global errors to error constants
+* Throw when calling `conn.release` multiple times #824 #827
+* Update known error codes
+
+## v2.3.0 (2014-05-16)
+
+* Accept MySQL charset (like `UTF8` or `UTF8MB4`) in `charset` option #808
+* Accept pool options in connection string to `mysql.createPool` #811
+* Clone connection config for new pool connections
+* Default `connectTimeout` to 2 minutes
+* Reject unauthorized SSL connections (use `ssl.rejectUnauthorized` to override) #816
+* Return last error when PoolCluster exhausts connection retries #818
+* Remove connection from pool after `conn.changeUser` is released #806
+* Throw on unknown SSL profile name #817
+* User newer TLS functions when available #809
+
+## v2.2.0 (2014-04-27)
+
+* Use indexOf instead of for loops removing conn from pool #611
+* Make callback to `pool.query` optional like `conn.query` #585
+* Prevent enqueuing sequences after fatal error #400
+* Fix geometry parser for empty fields #742
+* Accept lower-case charset option
+* Throw on unknown charset option #789
+* Update known charsets
+* Remove console.warn from PoolCluster #744
+* Fix `pool.end` to handle queued connections #797
+* Fix `pool.releaseConnection` to keep connection queue flowing #797
+* Fix SSL handshake error to be catchable #800
+* Add `connection.threadId` to get MySQL connection ID #602
+* Ensure `pool.getConnection` retrieves good connections #434 #557 #778
+* Fix pool cluster wildcard matching #627
+* Pass query values through to `SqlString.format` #590
+
+## v2.1.1 (2014-03-13)
+
+* fix authentication w/password failure for node.js 0.10.5 #746 #752
+* fix authentication w/password TypeError exception for node.js 0.10.0-0.10.4 #747
+* fix specifying `values` in `conn.query({...}).on(...)` pattern #755
+* fix long stack trace to include the `pool.query(...)` call #715
+
+## v2.1.0 (2014-02-20)
+
+* crypto.createHash fix for node.js < 11 #735
+* Add `connectTimeout` option to specify a timeout for establishing a connection #726
+* SSL support #481
+
+## v2.0.1
+
+* internal parser speed improvement #702
+* domains support
+* 'trace' connection option to control if long stack traces are generated #713 #710 #439
+
+## v2.0.0 (2014-01-09)
+
+* stream improvements:
+ - node 0.8 support #692
+ - Emit 'close' events from query streams #688
+* encoding fix in streaming LOAD DATA LOCAL INFILE #670
+* Doc improvements
+
+## v2.0.0-rc2 (2013-12-07)
+
+* Streaming LOAD DATA LOCAL INFILE #668
+* Doc improvements
+
+## v2.0.0-rc1 (2013-11-30)
+
+* Transaction support
+* Expose SqlString.format as mysql.format()
+* Many bug fixes
+* Better support for dates in local time zone
+* Doc improvements
+
+## v2.0.0-alpha9 (2013-08-27)
+
+* Add query to pool to execute queries directly using the pool
+* Add `sqlState` property to `Error` objects #556
+* Pool option to set queue limit
+* Pool sends 'connection' event when it opens a new connection
+* Added stringifyObjects option to treat input as strings rather than objects (#501)
+* Support for poolClusters
+* Datetime improvements
+* Bug fixes
+
+## v2.0.0-alpha8 (2013-04-30)
+
+* Switch to old mode for Streams 2 (Node.js v 0.10.x)
+* Add stream method to Query Wraps events from the query object into a node v0.10.x Readable stream
+* DECIMAL should also be treated as big number
+* Removed slow unnecessary stack access
+* Added charsets
+* Added bigNumberStrings option for forcing BIGINT columns as strings
+* Changes date parsing to return String if not a valid JS Date
+* Adds support for ?? escape sequence to escape identifiers
+* Changes Auth.token() to force password to be in binary, not utf8 (#378)
+* Restrict debugging by packet types
+* Add 'multipleStatements' option tracking to ConnectionConfig. Fixes GH-408
+* Changes Pool to handle 'error' events and dispose connection
+* Allows db.query({ sql: "..." }, [ val1, ... ], cb); (#390)
+* Improved documentation
+* Bug fixes
+
+## v2.0.0-alpha7 (2013-02-03)
+
+* Add connection pooling (#351)
+
+## v2.0.0-alpha6 (2013-01-31)
+
+* Add supportBigNumbers option (#381, #382)
+* Accept prebuilt Query object in connection.query
+* Bug fixes
+
+## v2.0.0-alpha5 (2012-12-03)
+
+* Add mysql.escapeId to escape identifiers (closes #342)
+* Allow custom escaping mode (config.queryFormat)
+* Convert DATE columns to configured timezone instead of UTC (#332)
+* Convert LONGLONG and NEWDECIMAL to numbers (#333)
+* Fix Connection.escape() (fixes #330)
+* Changed Readme ambiguity about custom type cast fallback
+* Change typeCast to receive Connection instead of Connection.config.timezone
+* Fix drain event having useless err parameter
+* Add Connection.statistics() back from v0.9
+* Add Connection.ping() back from v0.9
+
+## v2.0.0-alpha4 (2012-10-03)
+
+* Fix some OOB errors on resume()
+* Fix quick pause() / resume() usage
+* Properly parse host denied / similar errors
+* Add Connection.ChangeUser functionality
+* Make sure changeUser errors are fatal
+* Enable formatting nested arrays for bulk inserts
+* Add Connection.escape functionality
+* Renamed 'close' to 'end' event
+* Return parsed object instead of Buffer for GEOMETRY types
+* Allow nestTables inline (using a string instead of a boolean)
+* Check for ZEROFILL_FLAG and format number accordingly
+* Add timezone support (default: local)
+* Add custom typeCast functionality
+* Export mysql column types
+* Add connection flags functionality (#237)
+* Exports drain event when queue finishes processing (#272, #271, #306)
+
+## v2.0.0-alpha3 (2012-06-12)
+
+* Implement support for `LOAD DATA LOCAL INFILE` queries (#182).
+* Support OLD\_PASSWORD() accounts like 0.9.x did. You should still upgrade any
+ user accounts in your your MySQL user table that has short (16 byte) Password
+ values. Connecting to those accounts is not secure. (#204)
+* Ignore function values when escaping objects, allows to use RowDataPacket
+ objects as query arguments. (Alex Gorbatchev, #213)
+* Handle initial error packets from server such as `ER_HOST_NOT_PRIVILEGED`.
+* Treat `utf8\_bin` as a String, not Buffer. (#214)
+* Handle empty strings in first row column value. (#222)
+* Honor Connection#nestTables setting for queries. (#221)
+* Remove `CLIENT_INTERACTIVE` flag from config. Improves #225.
+* Improve docs for connections settings.
+* Implement url string support for Connection configs.
+
+## v2.0.0-alpha2 (2012-05-31)
+
+* Specify escaping before for NaN / Infinity (they are as unquoted constants).
+* Support for unix domain socket connections (use: {socketPath: '...'}).
+* Fix type casting for NULL values for Date/Number fields
+* Add `fields` argument to `query()` as well as `'fields'` event. This is
+ similar to what was available in 0.9.x.
+* Support connecting to the sphinx searchd daemon as well as MariaDB (#199).
+* Implement long stack trace support, will be removed / disabled if the node
+ core ever supports it natively.
+* Implement `nestTables` option for queries, allows fetching JOIN result sets
+ with overlapping column names.
+* Fix ? placeholder mechanism for values containing '?' characters (#205).
+* Detect when `connect()` is called more than once on a connection and provide
+ the user with a good error message for it (#204).
+* Switch to `UTF8_GENERAL_CI` (previously `UTF8_UNICODE_CI`) as the default
+ charset for all connections to avoid strange MySQL performance issues (#200),
+ and also make the charset user configurable.
+* Fix BLOB type casting for `TINY_BLOB`, `MEDIUM_BLOB` and `LONG_BLOB`.
+* Add support for sending and receiving large (> 16 MB) packets.
+
+## v2.0.0-alpha (2012-05-15)
+
+This release is a rewrite. You should carefully test your application after
+upgrading to avoid problems. This release features many improvements, most
+importantly:
+
+* ~5x faster than v0.9.x for parsing query results
+* Support for pause() / resume() (for streaming rows)
+* Support for multiple statement queries
+* Support for stored procedures
+* Support for transactions
+* Support for binary columns (as blobs)
+* Consistent & well documented error handling
+* A new Connection class that has well defined semantics (unlike the old Client class).
+* Convenient escaping of objects / arrays that allows for simpler query construction
+* A significantly simpler code base
+* Many bug fixes & other small improvements (Closed 62 out of 66 GitHub issues)
+
+Below are a few notes on the upgrade process itself:
+
+The first thing you will run into is that the old `Client` class is gone and
+has been replaced with a less ambitious `Connection` class. So instead of
+`mysql.createClient()`, you now have to:
+
+```js
+var mysql = require('mysql');
+var connection = mysql.createConnection({
+ host : 'localhost',
+ user : 'me',
+ password : 'secret',
+});
+
+connection.query('SELECT 1', function(err, rows) {
+ if (err) throw err;
+
+ console.log('Query result: ', rows);
+});
+
+connection.end();
+```
+
+The new `Connection` class does not try to handle re-connects, please study the
+`Server disconnects` section in the new Readme.
+
+Other than that, the interface has stayed very similar. Here are a few things
+to check out so:
+
+* BIGINT's are now cast into strings
+* Binary data is now cast to buffers
+* The `'row'` event on the `Query` object is now called `'result'` and will
+ also be emitted for queries that produce an OK/Error response.
+* Error handling is consistently defined now, check the Readme
+* Escaping has become more powerful which may break your code if you are
+ currently using objects to fill query placeholders.
+* Connections can now be established explicitly again, so you may wish to do so
+ if you want to handle connection errors specifically.
+
+That should be most of it, if you run into anything else, please send a patch
+or open an issue to improve this document.
+
+## v0.9.6 (2012-03-12)
+
+* Escape array values so they produce sql arrays (Roger Castells, Colin Smith)
+* docs: mention mysql transaction stop gap solution (Blake Miner)
+* docs: Mention affectedRows in FAQ (Michael Baldwin)
+
+## v0.9.5 (2011-11-26)
+
+* Fix #142 Driver stalls upon reconnect attempt that's immediately closed
+* Add travis build
+* Switch to urun as a test runner
+* Switch to utest for unit tests
+* Remove fast-or-slow dependency for tests
+* Split integration tests into individual files again
+
+## v0.9.4 (2011-08-31)
+
+* Expose package.json as `mysql.PACKAGE` (#104)
+
+## v0.9.3 (2011-08-22)
+
+* Set default `client.user` to root
+* Fix #91: Client#format should not mutate params array
+* Fix #94: TypeError in client.js
+* Parse decimals as string (vadimg)
+
+## v0.9.2 (2011-08-07)
+
+* The underlaying socket connection is now managed implicitly rather than explicitly.
+* Check the [upgrading guide][] for a full list of changes.
+
+## v0.9.1 (2011-02-20)
+
+* Fix issue #49 / `client.escape()` throwing exceptions on objects. (Nick Payne)
+* Drop < v0.4.x compatibility. From now on you need node v0.4.x to use this module.
+
+## Older releases
+
+These releases were done before maintaining this file:
+
+* [v0.9.0](https://github.com/mysqljs/mysql/compare/v0.8.0...v0.9.0)
+ (2011-01-04)
+* [v0.8.0](https://github.com/mysqljs/mysql/compare/v0.7.0...v0.8.0)
+ (2010-10-30)
+* [v0.7.0](https://github.com/mysqljs/mysql/compare/v0.6.0...v0.7.0)
+ (2010-10-14)
+* [v0.6.0](https://github.com/mysqljs/mysql/compare/v0.5.0...v0.6.0)
+ (2010-09-28)
+* [v0.5.0](https://github.com/mysqljs/mysql/compare/v0.4.0...v0.5.0)
+ (2010-09-17)
+* [v0.4.0](https://github.com/mysqljs/mysql/compare/v0.3.0...v0.4.0)
+ (2010-09-02)
+* [v0.3.0](https://github.com/mysqljs/mysql/compare/v0.2.0...v0.3.0)
+ (2010-08-25)
+* [v0.2.0](https://github.com/mysqljs/mysql/compare/v0.1.0...v0.2.0)
+ (2010-08-22)
+* [v0.1.0](https://github.com/mysqljs/mysql/commits/v0.1.0)
+ (2010-08-22)
diff --git "a/\351\231\210\351\233\204\350\276\211/\350\277\231\346\230\257\344\270\200\344\270\252\345\260\217\347\210\254\350\231\253/node_modules/mysql/License" "b/\351\231\210\351\233\204\350\276\211/\350\277\231\346\230\257\344\270\200\344\270\252\345\260\217\347\210\254\350\231\253/node_modules/mysql/License"
new file mode 100644
index 0000000000000000000000000000000000000000..c7ff12a2f8af2e2c57f39da1754409c25b35f46a
--- /dev/null
+++ "b/\351\231\210\351\233\204\350\276\211/\350\277\231\346\230\257\344\270\200\344\270\252\345\260\217\347\210\254\350\231\253/node_modules/mysql/License"
@@ -0,0 +1,19 @@
+Copyright (c) 2012 Felix Geisendörfer (felix@debuggable.com) 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/\351\231\210\351\233\204\350\276\211/\350\277\231\346\230\257\344\270\200\344\270\252\345\260\217\347\210\254\350\231\253/node_modules/mysql/Readme.md" "b/\351\231\210\351\233\204\350\276\211/\350\277\231\346\230\257\344\270\200\344\270\252\345\260\217\347\210\254\350\231\253/node_modules/mysql/Readme.md"
new file mode 100644
index 0000000000000000000000000000000000000000..d7c9aa20ce8725a10aecc86bd7b5221d5a042389
--- /dev/null
+++ "b/\351\231\210\351\233\204\350\276\211/\350\277\231\346\230\257\344\270\200\344\270\252\345\260\217\347\210\254\350\231\253/node_modules/mysql/Readme.md"
@@ -0,0 +1,1548 @@
+# mysql
+
+[![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]
+[![Test Coverage][coveralls-image]][coveralls-url]
+
+## Table of Contents
+
+- [Install](#install)
+- [Introduction](#introduction)
+- [Contributors](#contributors)
+- [Sponsors](#sponsors)
+- [Community](#community)
+- [Establishing connections](#establishing-connections)
+- [Connection options](#connection-options)
+ - [SSL options](#ssl-options)
+ - [Connection flags](#connection-flags)
+- [Terminating connections](#terminating-connections)
+- [Pooling connections](#pooling-connections)
+- [Pool options](#pool-options)
+- [Pool events](#pool-events)
+ - [acquire](#acquire)
+ - [connection](#connection)
+ - [enqueue](#enqueue)
+ - [release](#release)
+- [Closing all the connections in a pool](#closing-all-the-connections-in-a-pool)
+- [PoolCluster](#poolcluster)
+ - [PoolCluster options](#poolcluster-options)
+- [Switching users and altering connection state](#switching-users-and-altering-connection-state)
+- [Server disconnects](#server-disconnects)
+- [Performing queries](#performing-queries)
+- [Escaping query values](#escaping-query-values)
+- [Escaping query identifiers](#escaping-query-identifiers)
+ - [Preparing Queries](#preparing-queries)
+ - [Custom format](#custom-format)
+- [Getting the id of an inserted row](#getting-the-id-of-an-inserted-row)
+- [Getting the number of affected rows](#getting-the-number-of-affected-rows)
+- [Getting the number of changed rows](#getting-the-number-of-changed-rows)
+- [Getting the connection ID](#getting-the-connection-id)
+- [Executing queries in parallel](#executing-queries-in-parallel)
+- [Streaming query rows](#streaming-query-rows)
+ - [Piping results with Streams](#piping-results-with-streams)
+- [Multiple statement queries](#multiple-statement-queries)
+- [Stored procedures](#stored-procedures)
+- [Joins with overlapping column names](#joins-with-overlapping-column-names)
+- [Transactions](#transactions)
+- [Ping](#ping)
+- [Timeouts](#timeouts)
+- [Error handling](#error-handling)
+- [Exception Safety](#exception-safety)
+- [Type casting](#type-casting)
+ - [Number](#number)
+ - [Date](#date)
+ - [Buffer](#buffer)
+ - [String](#string)
+ - [Custom type casting](#custom-type-casting)
+- [Debugging and reporting problems](#debugging-and-reporting-problems)
+- [Security issues](#security-issues)
+- [Contributing](#contributing)
+- [Running tests](#running-tests)
+ - [Running unit tests](#running-unit-tests)
+ - [Running integration tests](#running-integration-tests)
+- [Todo](#todo)
+
+## Install
+
+This is a [Node.js](https://nodejs.org/en/) module available through the
+[npm registry](https://www.npmjs.com/).
+
+Before installing, [download and install Node.js](https://nodejs.org/en/download/).
+Node.js 0.6 or higher is required.
+
+Installation is done using the
+[`npm install` command](https://docs.npmjs.com/getting-started/installing-npm-packages-locally):
+
+```sh
+$ npm install mysql
+```
+
+For information about the previous 0.9.x releases, visit the [v0.9 branch][].
+
+Sometimes I may also ask you to install the latest version from Github to check
+if a bugfix is working. In this case, please do:
+
+```sh
+$ npm install mysqljs/mysql
+```
+
+[v0.9 branch]: https://github.com/mysqljs/mysql/tree/v0.9
+
+## Introduction
+
+This is a node.js driver for mysql. It is written in JavaScript, does not
+require compiling, and is 100% MIT licensed.
+
+Here is an example on how to use it:
+
+```js
+var mysql = require('mysql');
+var connection = mysql.createConnection({
+ host : 'localhost',
+ user : 'me',
+ password : 'secret',
+ database : 'my_db'
+});
+
+connection.connect();
+
+connection.query('SELECT 1 + 1 AS solution', function (error, results, fields) {
+ if (error) throw error;
+ console.log('The solution is: ', results[0].solution);
+});
+
+connection.end();
+```
+
+From this example, you can learn the following:
+
+* Every method you invoke on a connection is queued and executed in sequence.
+* Closing the connection is done using `end()` which makes sure all remaining
+ queries are executed before sending a quit packet to the mysql server.
+
+## Contributors
+
+Thanks goes to the people who have contributed code to this module, see the
+[GitHub Contributors page][].
+
+[GitHub Contributors page]: https://github.com/mysqljs/mysql/graphs/contributors
+
+Additionally I'd like to thank the following people:
+
+* [Andrey Hristov][] (Oracle) - for helping me with protocol questions.
+* [Ulf Wendel][] (Oracle) - for helping me with protocol questions.
+
+[Ulf Wendel]: http://blog.ulf-wendel.de/
+[Andrey Hristov]: http://andrey.hristov.com/
+
+## Sponsors
+
+The following companies have supported this project financially, allowing me to
+spend more time on it (ordered by time of contribution):
+
+* [Transloadit](http://transloadit.com) (my startup, we do file uploading &
+ video encoding as a service, check it out)
+* [Joyent](http://www.joyent.com/)
+* [pinkbike.com](http://pinkbike.com/)
+* [Holiday Extras](http://www.holidayextras.co.uk/) (they are [hiring](http://join.holidayextras.co.uk/))
+* [Newscope](http://newscope.com/) (they are [hiring](https://newscope.com/unternehmen/jobs/))
+
+## Community
+
+If you'd like to discuss this module, or ask questions about it, please use one
+of the following:
+
+* **Mailing list**: https://groups.google.com/forum/#!forum/node-mysql
+* **IRC Channel**: #node.js (on freenode.net, I pay attention to any message
+ including the term `mysql`)
+
+## Establishing connections
+
+The recommended way to establish a connection is this:
+
+```js
+var mysql = require('mysql');
+var connection = mysql.createConnection({
+ host : 'example.org',
+ user : 'bob',
+ password : 'secret'
+});
+
+connection.connect(function(err) {
+ if (err) {
+ console.error('error connecting: ' + err.stack);
+ return;
+ }
+
+ console.log('connected as id ' + connection.threadId);
+});
+```
+
+However, a connection can also be implicitly established by invoking a query:
+
+```js
+var mysql = require('mysql');
+var connection = mysql.createConnection(...);
+
+connection.query('SELECT 1', function (error, results, fields) {
+ if (error) throw error;
+ // connected!
+});
+```
+
+Depending on how you like to handle your errors, either method may be
+appropriate. Any type of connection error (handshake or network) is considered
+a fatal error, see the [Error Handling](#error-handling) section for more
+information.
+
+## Connection options
+
+When establishing a connection, you can set the following options:
+
+* `host`: The hostname of the database you are connecting to. (Default:
+ `localhost`)
+* `port`: The port number to connect to. (Default: `3306`)
+* `localAddress`: The source IP address to use for TCP connection. (Optional)
+* `socketPath`: The path to a unix domain socket to connect to. When used `host`
+ and `port` are ignored.
+* `user`: The MySQL user to authenticate as.
+* `password`: The password of that MySQL user.
+* `database`: Name of the database to use for this connection (Optional).
+* `charset`: The charset for the connection. This is called "collation" in the SQL-level
+ of MySQL (like `utf8_general_ci`). If a SQL-level charset is specified (like `utf8mb4`)
+ then the default collation for that charset is used. (Default: `'UTF8_GENERAL_CI'`)
+* `timezone`: The timezone configured on the MySQL server. This is used to type cast server date/time values to JavaScript `Date` object and vice versa. This can be `'local'`, `'Z'`, or an offset in the form `+HH:MM` or `-HH:MM`. (Default: `'local'`)
+* `connectTimeout`: The milliseconds before a timeout occurs during the initial connection
+ to the MySQL server. (Default: `10000`)
+* `stringifyObjects`: Stringify objects instead of converting to values. See
+issue [#501](https://github.com/mysqljs/mysql/issues/501). (Default: `false`)
+* `insecureAuth`: Allow connecting to MySQL instances that ask for the old
+ (insecure) authentication method. (Default: `false`)
+* `typeCast`: Determines if column values should be converted to native
+ JavaScript types. (Default: `true`)
+* `queryFormat`: A custom query format function. See [Custom format](#custom-format).
+* `supportBigNumbers`: When dealing with big numbers (BIGINT and DECIMAL columns) in the database,
+ you should enable this option (Default: `false`).
+* `bigNumberStrings`: Enabling both `supportBigNumbers` and `bigNumberStrings` forces big numbers
+ (BIGINT and DECIMAL columns) to be always returned as JavaScript String objects (Default: `false`).
+ Enabling `supportBigNumbers` but leaving `bigNumberStrings` disabled will return big numbers as String
+ objects only when they cannot be accurately represented with [JavaScript Number objects] (http://ecma262-5.com/ELS5_HTML.htm#Section_8.5)
+ (which happens when they exceed the [-2^53, +2^53] range), otherwise they will be returned as
+ Number objects. This option is ignored if `supportBigNumbers` is disabled.
+* `dateStrings`: Force date types (TIMESTAMP, DATETIME, DATE) to be returned as strings rather than
+ inflated into JavaScript Date objects. Can be `true`/`false` or an array of type names to keep as
+ strings. (Default: `false`)
+* `debug`: Prints protocol details to stdout. Can be `true`/`false` or an array of packet type names
+ that should be printed. (Default: `false`)
+* `trace`: Generates stack traces on `Error` to include call site of library
+ entrance ("long stack traces"). Slight performance penalty for most calls.
+ (Default: `true`)
+* `localInfile`: Allow `LOAD DATA INFILE` to use the `LOCAL` modifier. (Default: `true`)
+* `multipleStatements`: Allow multiple mysql statements per query. Be careful
+ with this, it could increase the scope of SQL injection attacks. (Default: `false`)
+* `flags`: List of connection flags to use other than the default ones. It is
+ also possible to blacklist default ones. For more information, check
+ [Connection Flags](#connection-flags).
+* `ssl`: object with ssl parameters or a string containing name of ssl profile. See [SSL options](#ssl-options).
+
+
+In addition to passing these options as an object, you can also use a url
+string. For example:
+
+```js
+var connection = mysql.createConnection('mysql://user:pass@host/db?debug=true&charset=BIG5_CHINESE_CI&timezone=-0700');
+```
+
+Note: The query values are first attempted to be parsed as JSON, and if that
+fails assumed to be plaintext strings.
+
+### SSL options
+
+The `ssl` option in the connection options takes a string or an object. When given a string,
+it uses one of the predefined SSL profiles included. The following profiles are included:
+
+* `"Amazon RDS"`: this profile is for connecting to an Amazon RDS server and contains the
+ certificates from https://rds.amazonaws.com/doc/rds-ssl-ca-cert.pem and
+ https://s3.amazonaws.com/rds-downloads/rds-combined-ca-bundle.pem
+
+When connecting to other servers, you will need to provide an object of options, in the
+same format as [tls.createSecureContext](https://nodejs.org/api/tls.html#tls_tls_createsecurecontext_options).
+Please note the arguments expect a string of the certificate, not a file name to the
+certificate. Here is a simple example:
+
+```js
+var connection = mysql.createConnection({
+ host : 'localhost',
+ ssl : {
+ ca : fs.readFileSync(__dirname + '/mysql-ca.crt')
+ }
+});
+```
+
+You can also connect to a MySQL server without properly providing the appropriate
+CA to trust. _You should not do this_.
+
+```js
+var connection = mysql.createConnection({
+ host : 'localhost',
+ ssl : {
+ // DO NOT DO THIS
+ // set up your ca correctly to trust the connection
+ rejectUnauthorized: false
+ }
+});
+```
+
+### Connection flags
+
+If, for any reason, you would like to change the default connection flags, you
+can use the connection option `flags`. Pass a string with a comma separated list
+of items to add to the default flags. If you don't want a default flag to be used
+prepend the flag with a minus sign. To add a flag that is not in the default list,
+just write the flag name, or prefix it with a plus (case insensitive).
+
+```js
+var connection = mysql.createConnection({
+ // disable FOUND_ROWS flag, enable IGNORE_SPACE flag
+ flags: '-FOUND_ROWS,IGNORE_SPACE'
+});
+```
+
+The following flags are available:
+
+- `COMPRESS` - Enable protocol compression. This feature is not currently supported
+ by the Node.js implementation so cannot be turned on. (Default off)
+- `CONNECT_WITH_DB` - Ability to specify the database on connection. (Default on)
+- `FOUND_ROWS` - Send the found rows instead of the affected rows as `affectedRows`.
+ (Default on)
+- `IGNORE_SIGPIPE` - Don't issue SIGPIPE if network failures. This flag has no effect
+ on this Node.js implementation. (Default on)
+- `IGNORE_SPACE` - Let the parser ignore spaces before the `(` in queries. (Default on)
+- `INTERACTIVE` - Indicates to the MySQL server this is an "interactive" client. This
+ will use the interactive timeouts on the MySQL server and report as interactive in
+ the process list. (Default off)
+- `LOCAL_FILES` - Can use `LOAD DATA LOCAL`. This flag is controlled by the connection
+ option `localInfile`. (Default on)
+- `LONG_FLAG` - Longer flags in Protocol::ColumnDefinition320. (Default on)
+- `LONG_PASSWORD` - Use the improved version of Old Password Authentication.
+ (Default on)
+- `MULTI_RESULTS` - Can handle multiple resultsets for queries. (Default on)
+- `MULTI_STATEMENTS` - The client may send multiple statement per query or
+ statement prepare (separated by `;`). This flag is controlled by the connection
+ option `multipleStatements`. (Default off)
+- `NO_SCHEMA`
+- `ODBC` Special handling of ODBC behaviour. This flag has no effect on this Node.js
+ implementation. (Default on)
+- `PLUGIN_AUTH` - Uses the plugin authentication mechanism when connecting to the
+ MySQL server. This feature is not currently supported by the Node.js implementation
+ so cannot be turned on. (Default off)
+- `PROTOCOL_41` - Uses the 4.1 protocol. (Default on)
+- `PS_MULTI_RESULTS` - Can handle multiple resultsets for execute. (Default on)
+- `REMEMBER_OPTIONS` - This is specific to the C client, and has no effect on this
+ Node.js implementation. (Default off)
+- `RESERVED` - Old flag for the 4.1 protocol. (Default on)
+- `SECURE_CONNECTION` - Support native 4.1 authentication. (Default on)
+- `SSL` - Use SSL after handshake to encrypt data in transport. This feature is
+ controlled though the `ssl` connection option, so the flag has no effect.
+ (Default off)
+- `SSL_VERIFY_SERVER_CERT` - Verify the server certificate during SSL set up. This
+ feature is controlled though the `ssl.rejectUnauthorized` connection option, so
+ the flag has no effect. (Default off)
+- `TRANSACTIONS` - Asks for the transaction status flags. (Default on)
+
+## Terminating connections
+
+There are two ways to end a connection. Terminating a connection gracefully is
+done by calling the `end()` method:
+
+```js
+connection.end(function(err) {
+ // The connection is terminated now
+});
+```
+
+This will make sure all previously enqueued queries are still before sending a
+`COM_QUIT` packet to the MySQL server. If a fatal error occurs before the
+`COM_QUIT` packet can be sent, an `err` argument will be provided to the
+callback, but the connection will be terminated regardless of that.
+
+An alternative way to end the connection is to call the `destroy()` method.
+This will cause an immediate termination of the underlying socket.
+Additionally `destroy()` guarantees that no more events or callbacks will be
+triggered for the connection.
+
+```js
+connection.destroy();
+```
+
+Unlike `end()` the `destroy()` method does not take a callback argument.
+
+## Pooling connections
+
+Rather than creating and managing connections one-by-one, this module also
+provides built-in connection pooling using `mysql.createPool(config)`.
+[Read more about connection pooling](https://en.wikipedia.org/wiki/Connection_pool).
+
+Create a pool and use it directly:
+
+```js
+var mysql = require('mysql');
+var pool = mysql.createPool({
+ connectionLimit : 10,
+ host : 'example.org',
+ user : 'bob',
+ password : 'secret',
+ database : 'my_db'
+});
+
+pool.query('SELECT 1 + 1 AS solution', function (error, results, fields) {
+ if (error) throw error;
+ console.log('The solution is: ', results[0].solution);
+});
+```
+
+This is a shortcut for the `pool.getConnection()` -> `connection.query()` ->
+`connection.release()` code flow. Using `pool.getConnection()` is useful to
+share connection state for subsequent queries. This is because two calls to
+`pool.query()` may use two different connections and run in parallel. This is
+the basic structure:
+
+```js
+var mysql = require('mysql');
+var pool = mysql.createPool(...);
+
+pool.getConnection(function(err, connection) {
+ if (err) throw err; // not connected!
+
+ // Use the connection
+ connection.query('SELECT something FROM sometable', function (error, results, fields) {
+ // When done with the connection, release it.
+ connection.release();
+
+ // Handle error after the release.
+ if (error) throw error;
+
+ // Don't use the connection here, it has been returned to the pool.
+ });
+});
+```
+
+If you would like to close the connection and remove it from the pool, use
+`connection.destroy()` instead. The pool will create a new connection the next
+time one is needed.
+
+Connections are lazily created by the pool. If you configure the pool to allow
+up to 100 connections, but only ever use 5 simultaneously, only 5 connections
+will be made. Connections are also cycled round-robin style, with connections
+being taken from the top of the pool and returning to the bottom.
+
+When a previous connection is retrieved from the pool, a ping packet is sent
+to the server to check if the connection is still good.
+
+## Pool options
+
+Pools accept all the same [options as a connection](#connection-options).
+When creating a new connection, the options are simply passed to the connection
+constructor. In addition to those options pools accept a few extras:
+
+* `acquireTimeout`: The milliseconds before a timeout occurs during the connection
+ acquisition. This is slightly different from `connectTimeout`, because acquiring
+ a pool connection does not always involve making a connection. If a connection
+ request is queued, the time the request spends in the queue does not count
+ towards this timeout. (Default: `10000`)
+* `waitForConnections`: Determines the pool's action when no connections are
+ available and the limit has been reached. If `true`, the pool will queue the
+ connection request and call it when one becomes available. If `false`, the
+ pool will immediately call back with an error. (Default: `true`)
+* `connectionLimit`: The maximum number of connections to create at once.
+ (Default: `10`)
+* `queueLimit`: The maximum number of connection requests the pool will queue
+ before returning an error from `getConnection`. If set to `0`, there is no
+ limit to the number of queued connection requests. (Default: `0`)
+
+## Pool events
+
+### acquire
+
+The pool will emit an `acquire` event when a connection is acquired from the pool.
+This is called after all acquiring activity has been performed on the connection,
+right before the connection is handed to the callback of the acquiring code.
+
+```js
+pool.on('acquire', function (connection) {
+ console.log('Connection %d acquired', connection.threadId);
+});
+```
+
+### connection
+
+The pool will emit a `connection` event when a new connection is made within the pool.
+If you need to set session variables on the connection before it gets used, you can
+listen to the `connection` event.
+
+```js
+pool.on('connection', function (connection) {
+ connection.query('SET SESSION auto_increment_increment=1')
+});
+```
+
+### enqueue
+
+The pool will emit an `enqueue` event when a callback has been queued to wait for
+an available connection.
+
+```js
+pool.on('enqueue', function () {
+ console.log('Waiting for available connection slot');
+});
+```
+
+### release
+
+The pool will emit a `release` event when a connection is released back to the
+pool. This is called after all release activity has been performed on the connection,
+so the connection will be listed as free at the time of the event.
+
+```js
+pool.on('release', function (connection) {
+ console.log('Connection %d released', connection.threadId);
+});
+```
+
+## Closing all the connections in a pool
+
+When you are done using the pool, you have to end all the connections or the
+Node.js event loop will stay active until the connections are closed by the
+MySQL server. This is typically done if the pool is used in a script or when
+trying to gracefully shutdown a server. To end all the connections in the
+pool, use the `end` method on the pool:
+
+```js
+pool.end(function (err) {
+ // all connections in the pool have ended
+});
+```
+
+The `end` method takes an _optional_ callback that you can use to know when
+all the connections are ended.
+
+**Once `pool.end` is called, `pool.getConnection` and other operations
+can no longer be performed.** Wait until all connections in the pool are
+released before calling `pool.end`. If you use the shortcut method
+`pool.query`, in place of `pool.getConnection` → `connection.query` →
+`connection.release`, wait until it completes.
+
+`pool.end` calls `connection.end` on every active connection in the pool.
+This queues a `QUIT` packet on the connection and sets a flag to prevent
+`pool.getConnection` from creating new connections. All commands / queries
+already in progress will complete, but new commands won't execute.
+
+## PoolCluster
+
+PoolCluster provides multiple hosts connection. (group & retry & selector)
+
+```js
+// create
+var poolCluster = mysql.createPoolCluster();
+
+// add configurations (the config is a pool config object)
+poolCluster.add(config); // add configuration with automatic name
+poolCluster.add('MASTER', masterConfig); // add a named configuration
+poolCluster.add('SLAVE1', slave1Config);
+poolCluster.add('SLAVE2', slave2Config);
+
+// remove configurations
+poolCluster.remove('SLAVE2'); // By nodeId
+poolCluster.remove('SLAVE*'); // By target group : SLAVE1-2
+
+// Target Group : ALL(anonymous, MASTER, SLAVE1-2), Selector : round-robin(default)
+poolCluster.getConnection(function (err, connection) {});
+
+// Target Group : MASTER, Selector : round-robin
+poolCluster.getConnection('MASTER', function (err, connection) {});
+
+// Target Group : SLAVE1-2, Selector : order
+// If can't connect to SLAVE1, return SLAVE2. (remove SLAVE1 in the cluster)
+poolCluster.on('remove', function (nodeId) {
+ console.log('REMOVED NODE : ' + nodeId); // nodeId = SLAVE1
+});
+
+// A pattern can be passed with * as wildcard
+poolCluster.getConnection('SLAVE*', 'ORDER', function (err, connection) {});
+
+// The pattern can also be a regular expression
+poolCluster.getConnection(/^SLAVE[12]$/, function (err, connection) {});
+
+// of namespace : of(pattern, selector)
+poolCluster.of('*').getConnection(function (err, connection) {});
+
+var pool = poolCluster.of('SLAVE*', 'RANDOM');
+pool.getConnection(function (err, connection) {});
+pool.getConnection(function (err, connection) {});
+pool.query(function (error, results, fields) {});
+
+// close all connections
+poolCluster.end(function (err) {
+ // all connections in the pool cluster have ended
+});
+```
+
+### PoolCluster options
+
+* `canRetry`: If `true`, `PoolCluster` will attempt to reconnect when connection fails. (Default: `true`)
+* `removeNodeErrorCount`: If connection fails, node's `errorCount` increases.
+ When `errorCount` is greater than `removeNodeErrorCount`, remove a node in the `PoolCluster`. (Default: `5`)
+* `restoreNodeTimeout`: If connection fails, specifies the number of milliseconds
+ before another connection attempt will be made. If set to `0`, then node will be
+ removed instead and never re-used. (Default: `0`)
+* `defaultSelector`: The default selector. (Default: `RR`)
+ * `RR`: Select one alternately. (Round-Robin)
+ * `RANDOM`: Select the node by random function.
+ * `ORDER`: Select the first node available unconditionally.
+
+```js
+var clusterConfig = {
+ removeNodeErrorCount: 1, // Remove the node immediately when connection fails.
+ defaultSelector: 'ORDER'
+};
+
+var poolCluster = mysql.createPoolCluster(clusterConfig);
+```
+
+## Switching users and altering connection state
+
+MySQL offers a changeUser command that allows you to alter the current user and
+other aspects of the connection without shutting down the underlying socket:
+
+```js
+connection.changeUser({user : 'john'}, function(err) {
+ if (err) throw err;
+});
+```
+
+The available options for this feature are:
+
+* `user`: The name of the new user (defaults to the previous one).
+* `password`: The password of the new user (defaults to the previous one).
+* `charset`: The new charset (defaults to the previous one).
+* `database`: The new database (defaults to the previous one).
+
+A sometimes useful side effect of this functionality is that this function also
+resets any connection state (variables, transactions, etc.).
+
+Errors encountered during this operation are treated as fatal connection errors
+by this module.
+
+## Server disconnects
+
+You may lose the connection to a MySQL server due to network problems, the
+server timing you out, the server being restarted, or crashing. All of these
+events are considered fatal errors, and will have the `err.code =
+'PROTOCOL_CONNECTION_LOST'`. See the [Error Handling](#error-handling) section
+for more information.
+
+Re-connecting a connection is done by establishing a new connection. Once
+terminated, an existing connection object cannot be re-connected by design.
+
+With Pool, disconnected connections will be removed from the pool freeing up
+space for a new connection to be created on the next getConnection call.
+
+With PoolCluster, disconnected connections will count as errors against the
+related node, incrementing the error code for that node. Once there are more than
+`removeNodeErrorCount` errors on a given node, it is removed from the cluster.
+When this occurs, the PoolCluster may emit a `POOL_NONEONLINE` error if there are
+no longer any matching nodes for the pattern. The `restoreNodeTimeout` config can
+be set to restore offline nodes after a given timeout.
+
+## Performing queries
+
+The most basic way to perform a query is to call the `.query()` method on an object
+(like a `Connection`, `Pool`, or `PoolNamespace` instance).
+
+The simplest form of .`query()` is `.query(sqlString, callback)`, where a SQL string
+is the first argument and the second is a callback:
+
+```js
+connection.query('SELECT * FROM `books` WHERE `author` = "David"', function (error, results, fields) {
+ // error will be an Error if one occurred during the query
+ // results will contain the results of the query
+ // fields will contain information about the returned results fields (if any)
+});
+```
+
+The second form `.query(sqlString, values, callback)` comes when using
+placeholder values (see [escaping query values](#escaping-query-values)):
+
+```js
+connection.query('SELECT * FROM `books` WHERE `author` = ?', ['David'], function (error, results, fields) {
+ // error will be an Error if one occurred during the query
+ // results will contain the results of the query
+ // fields will contain information about the returned results fields (if any)
+});
+```
+
+The third form `.query(options, callback)` comes when using various advanced
+options on the query, like [escaping query values](#escaping-query-values),
+[joins with overlapping column names](#joins-with-overlapping-column-names),
+[timeouts](#timeout), and [type casting](#type-casting).
+
+```js
+connection.query({
+ sql: 'SELECT * FROM `books` WHERE `author` = ?',
+ timeout: 40000, // 40s
+ values: ['David']
+}, function (error, results, fields) {
+ // error will be an Error if one occurred during the query
+ // results will contain the results of the query
+ // fields will contain information about the returned results fields (if any)
+});
+```
+
+Note that a combination of the second and third forms can be used where the
+placeholder values are passed as an argument and not in the options object.
+The `values` argument will override the `values` in the option object.
+
+```js
+connection.query({
+ sql: 'SELECT * FROM `books` WHERE `author` = ?',
+ timeout: 40000, // 40s
+ },
+ ['David'],
+ function (error, results, fields) {
+ // error will be an Error if one occurred during the query
+ // results will contain the results of the query
+ // fields will contain information about the returned results fields (if any)
+ }
+);
+```
+
+If the query only has a single replacement character (`?`), and the value is
+not `null`, `undefined`, or an array, it can be passed directly as the second
+argument to `.query`:
+
+```js
+connection.query(
+ 'SELECT * FROM `books` WHERE `author` = ?',
+ 'David',
+ function (error, results, fields) {
+ // error will be an Error if one occurred during the query
+ // results will contain the results of the query
+ // fields will contain information about the returned results fields (if any)
+ }
+);
+```
+
+## Escaping query values
+
+**Caution** These methods of escaping values only works when the
+[NO_BACKSLASH_ESCAPES](https://dev.mysql.com/doc/refman/5.7/en/sql-mode.html#sqlmode_no_backslash_escapes)
+SQL mode is disabled (which is the default state for MySQL servers).
+
+In order to avoid SQL Injection attacks, you should always escape any user
+provided data before using it inside a SQL query. You can do so using the
+`mysql.escape()`, `connection.escape()` or `pool.escape()` methods:
+
+```js
+var userId = 'some user provided value';
+var sql = 'SELECT * FROM users WHERE id = ' + connection.escape(userId);
+connection.query(sql, function (error, results, fields) {
+ if (error) throw error;
+ // ...
+});
+```
+
+Alternatively, you can use `?` characters as placeholders for values you would
+like to have escaped like this:
+
+```js
+connection.query('SELECT * FROM users WHERE id = ?', [userId], function (error, results, fields) {
+ if (error) throw error;
+ // ...
+});
+```
+
+Multiple placeholders are mapped to values in the same order as passed. For example,
+in the following query `foo` equals `a`, `bar` equals `b`, `baz` equals `c`, and
+`id` will be `userId`:
+
+```js
+connection.query('UPDATE users SET foo = ?, bar = ?, baz = ? WHERE id = ?', ['a', 'b', 'c', userId], function (error, results, fields) {
+ if (error) throw error;
+ // ...
+});
+```
+
+This looks similar to prepared statements in MySQL, however it really just uses
+the same `connection.escape()` method internally.
+
+**Caution** This also differs from prepared statements in that all `?` are
+replaced, even those contained in comments and strings.
+
+Different value types are escaped differently, here is how:
+
+* Numbers are left untouched
+* Booleans are converted to `true` / `false`
+* Date objects are converted to `'YYYY-mm-dd HH:ii:ss'` strings
+* Buffers are converted to hex strings, e.g. `X'0fa5'`
+* Strings are safely escaped
+* Arrays are turned into list, e.g. `['a', 'b']` turns into `'a', 'b'`
+* Nested arrays are turned into grouped lists (for bulk inserts), e.g. `[['a',
+ 'b'], ['c', 'd']]` turns into `('a', 'b'), ('c', 'd')`
+* Objects that have a `toSqlString` method will have `.toSqlString()` called
+ and the returned value is used as the raw SQL.
+* Objects are turned into `key = 'val'` pairs for each enumerable property on
+ the object. If the property's value is a function, it is skipped; if the
+ property's value is an object, toString() is called on it and the returned
+ value is used.
+* `undefined` / `null` are converted to `NULL`
+* `NaN` / `Infinity` are left as-is. MySQL does not support these, and trying
+ to insert them as values will trigger MySQL errors until they implement
+ support.
+
+This escaping allows you to do neat things like this:
+
+```js
+var post = {id: 1, title: 'Hello MySQL'};
+var query = connection.query('INSERT INTO posts SET ?', post, function (error, results, fields) {
+ if (error) throw error;
+ // Neat!
+});
+console.log(query.sql); // INSERT INTO posts SET `id` = 1, `title` = 'Hello MySQL'
+```
+
+And the `toSqlString` method allows you to form complex queries with functions:
+
+```js
+var CURRENT_TIMESTAMP = { toSqlString: function() { return 'CURRENT_TIMESTAMP()'; } };
+var sql = mysql.format('UPDATE posts SET modified = ? WHERE id = ?', [CURRENT_TIMESTAMP, 42]);
+console.log(sql); // UPDATE posts SET modified = CURRENT_TIMESTAMP() WHERE id = 42
+```
+
+To generate objects with a `toSqlString` method, the `mysql.raw()` method can
+be used. This creates an object that will be left un-touched when using in a `?`
+placeholder, useful for using functions as dynamic values:
+
+**Caution** The string provided to `mysql.raw()` will skip all escaping
+functions when used, so be careful when passing in unvalidated input.
+
+```js
+var CURRENT_TIMESTAMP = mysql.raw('CURRENT_TIMESTAMP()');
+var sql = mysql.format('UPDATE posts SET modified = ? WHERE id = ?', [CURRENT_TIMESTAMP, 42]);
+console.log(sql); // UPDATE posts SET modified = CURRENT_TIMESTAMP() WHERE id = 42
+```
+
+If you feel the need to escape queries by yourself, you can also use the escaping
+function directly:
+
+```js
+var query = "SELECT * FROM posts WHERE title=" + mysql.escape("Hello MySQL");
+
+console.log(query); // SELECT * FROM posts WHERE title='Hello MySQL'
+```
+
+## Escaping query identifiers
+
+If you can't trust an SQL identifier (database / table / column name) because it is
+provided by a user, you should escape it with `mysql.escapeId(identifier)`,
+`connection.escapeId(identifier)` or `pool.escapeId(identifier)` like this:
+
+```js
+var sorter = 'date';
+var sql = 'SELECT * FROM posts ORDER BY ' + connection.escapeId(sorter);
+connection.query(sql, function (error, results, fields) {
+ if (error) throw error;
+ // ...
+});
+```
+
+It also supports adding qualified identifiers. It will escape both parts.
+
+```js
+var sorter = 'date';
+var sql = 'SELECT * FROM posts ORDER BY ' + connection.escapeId('posts.' + sorter);
+// -> SELECT * FROM posts ORDER BY `posts`.`date`
+```
+
+If you do not want to treat `.` as qualified identifiers, you can set the second
+argument to `true` in order to keep the string as a literal identifier:
+
+```js
+var sorter = 'date.2';
+var sql = 'SELECT * FROM posts ORDER BY ' + connection.escapeId(sorter, true);
+// -> SELECT * FROM posts ORDER BY `date.2`
+```
+
+Alternatively, you can use `??` characters as placeholders for identifiers you would
+like to have escaped like this:
+
+```js
+var userId = 1;
+var columns = ['username', 'email'];
+var query = connection.query('SELECT ?? FROM ?? WHERE id = ?', [columns, 'users', userId], function (error, results, fields) {
+ if (error) throw error;
+ // ...
+});
+
+console.log(query.sql); // SELECT `username`, `email` FROM `users` WHERE id = 1
+```
+**Please note that this last character sequence is experimental and syntax might change**
+
+When you pass an Object to `.escape()` or `.query()`, `.escapeId()` is used to avoid SQL injection in object keys.
+
+### Preparing Queries
+
+You can use mysql.format to prepare a query with multiple insertion points, utilizing the proper escaping for ids and values. A simple example of this follows:
+
+```js
+var sql = "SELECT * FROM ?? WHERE ?? = ?";
+var inserts = ['users', 'id', userId];
+sql = mysql.format(sql, inserts);
+```
+
+Following this you then have a valid, escaped query that you can then send to the database safely. This is useful if you are looking to prepare the query before actually sending it to the database. As mysql.format is exposed from SqlString.format you also have the option (but are not required) to pass in stringifyObject and timezone, allowing you provide a custom means of turning objects into strings, as well as a location-specific/timezone-aware Date.
+
+### Custom format
+
+If you prefer to have another type of query escape format, there's a connection configuration option you can use to define a custom format function. You can access the connection object if you want to use the built-in `.escape()` or any other connection function.
+
+Here's an example of how to implement another format:
+
+```js
+connection.config.queryFormat = function (query, values) {
+ if (!values) return query;
+ return query.replace(/\:(\w+)/g, function (txt, key) {
+ if (values.hasOwnProperty(key)) {
+ return this.escape(values[key]);
+ }
+ return txt;
+ }.bind(this));
+};
+
+connection.query("UPDATE posts SET title = :title", { title: "Hello MySQL" });
+```
+
+## Getting the id of an inserted row
+
+If you are inserting a row into a table with an auto increment primary key, you
+can retrieve the insert id like this:
+
+```js
+connection.query('INSERT INTO posts SET ?', {title: 'test'}, function (error, results, fields) {
+ if (error) throw error;
+ console.log(results.insertId);
+});
+```
+
+When dealing with big numbers (above JavaScript Number precision limit), you should
+consider enabling `supportBigNumbers` option to be able to read the insert id as a
+string, otherwise it will throw an error.
+
+This option is also required when fetching big numbers from the database, otherwise
+you will get values rounded to hundreds or thousands due to the precision limit.
+
+## Getting the number of affected rows
+
+You can get the number of affected rows from an insert, update or delete statement.
+
+```js
+connection.query('DELETE FROM posts WHERE title = "wrong"', function (error, results, fields) {
+ if (error) throw error;
+ console.log('deleted ' + results.affectedRows + ' rows');
+})
+```
+
+## Getting the number of changed rows
+
+You can get the number of changed rows from an update statement.
+
+"changedRows" differs from "affectedRows" in that it does not count updated rows
+whose values were not changed.
+
+```js
+connection.query('UPDATE posts SET ...', function (error, results, fields) {
+ if (error) throw error;
+ console.log('changed ' + results.changedRows + ' rows');
+})
+```
+
+## Getting the connection ID
+
+You can get the MySQL connection ID ("thread ID") of a given connection using the `threadId`
+property.
+
+```js
+connection.connect(function(err) {
+ if (err) throw err;
+ console.log('connected as id ' + connection.threadId);
+});
+```
+
+## Executing queries in parallel
+
+The MySQL protocol is sequential, this means that you need multiple connections
+to execute queries in parallel. You can use a Pool to manage connections, one
+simple approach is to create one connection per incoming http request.
+
+## Streaming query rows
+
+Sometimes you may want to select large quantities of rows and process each of
+them as they are received. This can be done like this:
+
+```js
+var query = connection.query('SELECT * FROM posts');
+query
+ .on('error', function(err) {
+ // Handle error, an 'end' event will be emitted after this as well
+ })
+ .on('fields', function(fields) {
+ // the field packets for the rows to follow
+ })
+ .on('result', function(row) {
+ // Pausing the connnection is useful if your processing involves I/O
+ connection.pause();
+
+ processRow(row, function() {
+ connection.resume();
+ });
+ })
+ .on('end', function() {
+ // all rows have been received
+ });
+```
+
+Please note a few things about the example above:
+
+* Usually you will want to receive a certain amount of rows before starting to
+ throttle the connection using `pause()`. This number will depend on the
+ amount and size of your rows.
+* `pause()` / `resume()` operate on the underlying socket and parser. You are
+ guaranteed that no more `'result'` events will fire after calling `pause()`.
+* You MUST NOT provide a callback to the `query()` method when streaming rows.
+* The `'result'` event will fire for both rows as well as OK packets
+ confirming the success of a INSERT/UPDATE query.
+* It is very important not to leave the result paused too long, or you may
+ encounter `Error: Connection lost: The server closed the connection.`
+ The time limit for this is determined by the
+ [net_write_timeout setting](https://dev.mysql.com/doc/refman/5.5/en/server-system-variables.html#sysvar_net_write_timeout)
+ on your MySQL server.
+
+Additionally you may be interested to know that it is currently not possible to
+stream individual row columns, they will always be buffered up entirely. If you
+have a good use case for streaming large fields to and from MySQL, I'd love to
+get your thoughts and contributions on this.
+
+### Piping results with Streams
+
+The query object provides a convenience method `.stream([options])` that wraps
+query events into a [Readable Stream](http://nodejs.org/api/stream.html#stream_class_stream_readable)
+object. This stream can easily be piped downstream and provides automatic
+pause/resume, based on downstream congestion and the optional `highWaterMark`.
+The `objectMode` parameter of the stream is set to `true` and cannot be changed
+(if you need a byte stream, you will need to use a transform stream, like
+[objstream](https://www.npmjs.com/package/objstream) for example).
+
+For example, piping query results into another stream (with a max buffer of 5
+objects) is simply:
+
+```js
+connection.query('SELECT * FROM posts')
+ .stream({highWaterMark: 5})
+ .pipe(...);
+```
+
+## Multiple statement queries
+
+Support for multiple statements is disabled for security reasons (it allows for
+SQL injection attacks if values are not properly escaped). To use this feature
+you have to enable it for your connection:
+
+```js
+var connection = mysql.createConnection({multipleStatements: true});
+```
+
+Once enabled, you can execute multiple statement queries like any other query:
+
+```js
+connection.query('SELECT 1; SELECT 2', function (error, results, fields) {
+ if (error) throw error;
+ // `results` is an array with one element for every statement in the query:
+ console.log(results[0]); // [{1: 1}]
+ console.log(results[1]); // [{2: 2}]
+});
+```
+
+Additionally you can also stream the results of multiple statement queries:
+
+```js
+var query = connection.query('SELECT 1; SELECT 2');
+
+query
+ .on('fields', function(fields, index) {
+ // the fields for the result rows that follow
+ })
+ .on('result', function(row, index) {
+ // index refers to the statement this result belongs to (starts at 0)
+ });
+```
+
+If one of the statements in your query causes an error, the resulting Error
+object contains a `err.index` property which tells you which statement caused
+it. MySQL will also stop executing any remaining statements when an error
+occurs.
+
+Please note that the interface for streaming multiple statement queries is
+experimental and I am looking forward to feedback on it.
+
+## Stored procedures
+
+You can call stored procedures from your queries as with any other mysql driver.
+If the stored procedure produces several result sets, they are exposed to you
+the same way as the results for multiple statement queries.
+
+## Joins with overlapping column names
+
+When executing joins, you are likely to get result sets with overlapping column
+names.
+
+By default, node-mysql will overwrite colliding column names in the
+order the columns are received from MySQL, causing some of the received values
+to be unavailable.
+
+However, you can also specify that you want your columns to be nested below
+the table name like this:
+
+```js
+var options = {sql: '...', nestTables: true};
+connection.query(options, function (error, results, fields) {
+ if (error) throw error;
+ /* results will be an array like this now:
+ [{
+ table1: {
+ fieldA: '...',
+ fieldB: '...',
+ },
+ table2: {
+ fieldA: '...',
+ fieldB: '...',
+ },
+ }, ...]
+ */
+});
+```
+
+Or use a string separator to have your results merged.
+
+```js
+var options = {sql: '...', nestTables: '_'};
+connection.query(options, function (error, results, fields) {
+ if (error) throw error;
+ /* results will be an array like this now:
+ [{
+ table1_fieldA: '...',
+ table1_fieldB: '...',
+ table2_fieldA: '...',
+ table2_fieldB: '...',
+ }, ...]
+ */
+});
+```
+
+## Transactions
+
+Simple transaction support is available at the connection level:
+
+```js
+connection.beginTransaction(function(err) {
+ if (err) { throw err; }
+ connection.query('INSERT INTO posts SET title=?', title, function (error, results, fields) {
+ if (error) {
+ return connection.rollback(function() {
+ throw error;
+ });
+ }
+
+ var log = 'Post ' + results.insertId + ' added';
+
+ connection.query('INSERT INTO log SET data=?', log, function (error, results, fields) {
+ if (error) {
+ return connection.rollback(function() {
+ throw error;
+ });
+ }
+ connection.commit(function(err) {
+ if (err) {
+ return connection.rollback(function() {
+ throw err;
+ });
+ }
+ console.log('success!');
+ });
+ });
+ });
+});
+```
+Please note that beginTransaction(), commit() and rollback() are simply convenience
+functions that execute the START TRANSACTION, COMMIT, and ROLLBACK commands respectively.
+It is important to understand that many commands in MySQL can cause an implicit commit,
+as described [in the MySQL documentation](http://dev.mysql.com/doc/refman/5.5/en/implicit-commit.html)
+
+## Ping
+
+A ping packet can be sent over a connection using the `connection.ping` method. This
+method will send a ping packet to the server and when the server responds, the callback
+will fire. If an error occurred, the callback will fire with an error argument.
+
+```js
+connection.ping(function (err) {
+ if (err) throw err;
+ console.log('Server responded to ping');
+})
+```
+
+## Timeouts
+
+Every operation takes an optional inactivity timeout option. This allows you to
+specify appropriate timeouts for operations. It is important to note that these
+timeouts are not part of the MySQL protocol, and rather timeout operations through
+the client. This means that when a timeout is reached, the connection it occurred
+on will be destroyed and no further operations can be performed.
+
+```js
+// Kill query after 60s
+connection.query({sql: 'SELECT COUNT(*) AS count FROM big_table', timeout: 60000}, function (error, results, fields) {
+ if (error && error.code === 'PROTOCOL_SEQUENCE_TIMEOUT') {
+ throw new Error('too long to count table rows!');
+ }
+
+ if (error) {
+ throw error;
+ }
+
+ console.log(results[0].count + ' rows');
+});
+```
+
+## Error handling
+
+This module comes with a consistent approach to error handling that you should
+review carefully in order to write solid applications.
+
+Most errors created by this module are instances of the JavaScript [Error][]
+object. Additionally they typically come with two extra properties:
+
+* `err.code`: String, contains the MySQL server error symbol if the error is
+ a [MySQL server error][] (e.g. `'ER_ACCESS_DENIED_ERROR'`), a Node.js error
+ code if it is a Node.js error (e.g. `'ECONNREFUSED'`), or an internal error
+ code (e.g. `'PROTOCOL_CONNECTION_LOST'`).
+* `err.errno`: Number, contains the MySQL server error number. Only populated
+ from [MySQL server error][].
+* `err.fatal`: Boolean, indicating if this error is terminal to the connection
+ object. If the error is not from a MySQL protocol operation, this property
+ will not be defined.
+* `err.sql`: String, contains the full SQL of the failed query. This can be
+ useful when using a higher level interface like an ORM that is generating
+ the queries.
+* `err.sqlState`: String, contains the five-character SQLSTATE value. Only populated from [MySQL server error][].
+* `err.sqlMessage`: String, contains the message string that provides a
+ textual description of the error. Only populated from [MySQL server error][].
+
+[Error]: https://developer.mozilla.org/en/JavaScript/Reference/Global_Objects/Error
+[MySQL server error]: https://dev.mysql.com/doc/refman/5.5/en/server-error-reference.html
+
+Fatal errors are propagated to *all* pending callbacks. In the example below, a
+fatal error is triggered by trying to connect to an invalid port. Therefore the
+error object is propagated to both pending callbacks:
+
+```js
+var connection = require('mysql').createConnection({
+ port: 84943, // WRONG PORT
+});
+
+connection.connect(function(err) {
+ console.log(err.code); // 'ECONNREFUSED'
+ console.log(err.fatal); // true
+});
+
+connection.query('SELECT 1', function (error, results, fields) {
+ console.log(error.code); // 'ECONNREFUSED'
+ console.log(error.fatal); // true
+});
+```
+
+Normal errors however are only delegated to the callback they belong to. So in
+the example below, only the first callback receives an error, the second query
+works as expected:
+
+```js
+connection.query('USE name_of_db_that_does_not_exist', function (error, results, fields) {
+ console.log(error.code); // 'ER_BAD_DB_ERROR'
+});
+
+connection.query('SELECT 1', function (error, results, fields) {
+ console.log(error); // null
+ console.log(results.length); // 1
+});
+```
+
+Last but not least: If a fatal errors occurs and there are no pending
+callbacks, or a normal error occurs which has no callback belonging to it, the
+error is emitted as an `'error'` event on the connection object. This is
+demonstrated in the example below:
+
+```js
+connection.on('error', function(err) {
+ console.log(err.code); // 'ER_BAD_DB_ERROR'
+});
+
+connection.query('USE name_of_db_that_does_not_exist');
+```
+
+Note: `'error'` events are special in node. If they occur without an attached
+listener, a stack trace is printed and your process is killed.
+
+**tl;dr:** This module does not want you to deal with silent failures. You
+should always provide callbacks to your method calls. If you want to ignore
+this advice and suppress unhandled errors, you can do this:
+
+```js
+// I am Chuck Norris:
+connection.on('error', function() {});
+```
+
+## Exception Safety
+
+This module is exception safe. That means you can continue to use it, even if
+one of your callback functions throws an error which you're catching using
+'uncaughtException' or a domain.
+
+## Type casting
+
+For your convenience, this driver will cast mysql types into native JavaScript
+types by default. The following mappings exist:
+
+### Number
+
+* TINYINT
+* SMALLINT
+* INT
+* MEDIUMINT
+* YEAR
+* FLOAT
+* DOUBLE
+
+### Date
+
+* TIMESTAMP
+* DATE
+* DATETIME
+
+### Buffer
+
+* TINYBLOB
+* MEDIUMBLOB
+* LONGBLOB
+* BLOB
+* BINARY
+* VARBINARY
+* BIT (last byte will be filled with 0 bits as necessary)
+
+### String
+
+**Note** text in the binary character set is returned as `Buffer`, rather
+than a string.
+
+* CHAR
+* VARCHAR
+* TINYTEXT
+* MEDIUMTEXT
+* LONGTEXT
+* TEXT
+* ENUM
+* SET
+* DECIMAL (may exceed float precision)
+* BIGINT (may exceed float precision)
+* TIME (could be mapped to Date, but what date would be set?)
+* GEOMETRY (never used those, get in touch if you do)
+
+It is not recommended (and may go away / change in the future) to disable type
+casting, but you can currently do so on either the connection:
+
+```js
+var connection = require('mysql').createConnection({typeCast: false});
+```
+
+Or on the query level:
+
+```js
+var options = {sql: '...', typeCast: false};
+var query = connection.query(options, function (error, results, fields) {
+ if (error) throw error;
+ // ...
+});
+```
+
+### Custom type casting
+
+You can also pass a function and handle type casting yourself. You're given some
+column information like database, table and name and also type and length. If you
+just want to apply a custom type casting to a specific type you can do it and then
+fallback to the default.
+
+The function is provided two arguments `field` and `next` and is expected to
+return the value for the given field by invoking the parser functions through
+the `field` object.
+
+The `field` argument is a `Field` object and contains data about the field that
+need to be parsed. The following are some of the properties on a `Field` object:
+
+ * `db` - a string of the database the field came from.
+ * `table` - a string of the table the field came from.
+ * `name` - a string of the field name.
+ * `type` - a string of the field type in all caps.
+ * `length` - a number of the field length, as given by the database.
+
+The `next` argument is a `function` that, when called, will return the default
+type conversion for the given field.
+
+When getting the field data, the following helper methods are present on the
+`field` object:
+
+ * `.string()` - parse the field into a string.
+ * `.buffer()` - parse the field into a `Buffer`.
+ * `.geometry()` - parse the field as a geometry value.
+
+The MySQL protocol is a text-based protocol. This means that over the wire, all
+field types are represented as a string, which is why only string-like functions
+are available on the `field` object. Based on the type information (like `INT`),
+the type cast should convert the string field into a different JavaScript type
+(like a `number`).
+
+Here's an example of converting `TINYINT(1)` to boolean:
+
+```js
+connection = mysql.createConnection({
+ typeCast: function (field, next) {
+ if (field.type === 'TINY' && field.length === 1) {
+ return (field.string() === '1'); // 1 = true, 0 = false
+ } else {
+ return next();
+ }
+ }
+});
+```
+
+__WARNING: YOU MUST INVOKE the parser using one of these three field functions
+in your custom typeCast callback. They can only be called once.__
+
+## Debugging and reporting problems
+
+If you are running into problems, one thing that may help is enabling the
+`debug` mode for the connection:
+
+```js
+var connection = mysql.createConnection({debug: true});
+```
+
+This will print all incoming and outgoing packets on stdout. You can also restrict debugging to
+packet types by passing an array of types to debug:
+
+```js
+var connection = mysql.createConnection({debug: ['ComQueryPacket', 'RowDataPacket']});
+```
+
+to restrict debugging to the query and data packets.
+
+If that does not help, feel free to open a GitHub issue. A good GitHub issue
+will have:
+
+* The minimal amount of code required to reproduce the problem (if possible)
+* As much debugging output and information about your environment (mysql
+ version, node version, os, etc.) as you can gather.
+
+## Security issues
+
+Security issues should not be first reported through GitHub or another public
+forum, but kept private in order for the collaborators to assess the report
+and either (a) devise a fix and plan a release date or (b) assert that it is
+not a security issue (in which case it can be posted in a public forum, like
+a GitHub issue).
+
+The primary private forum is email, either by emailing the module's author or
+opening a GitHub issue simply asking to whom a security issues should be
+addressed to without disclosing the issue or type of issue.
+
+An ideal report would include a clear indication of what the security issue is
+and how it would be exploited, ideally with an accompanying proof of concept
+("PoC") for collaborators to work against and validate potentional fixes against.
+
+## Contributing
+
+This project welcomes contributions from the community. Contributions are
+accepted using GitHub pull requests. If you're not familiar with making
+GitHub pull requests, please refer to the
+[GitHub documentation "Creating a pull request"](https://help.github.com/articles/creating-a-pull-request/).
+
+For a good pull request, we ask you provide the following:
+
+1. Try to include a clear description of your pull request in the description.
+ It should include the basic "what" and "why"s for the request.
+2. The tests should pass as best as you can. See the [Running tests](#running-tests)
+ section on how to run the different tests. GitHub will automatically run
+ the tests as well, to act as a safety net.
+3. The pull request should include tests for the change. A new feature should
+ have tests for the new feature and bug fixes should include a test that fails
+ without the corresponding code change and passes after they are applied.
+ The command `npm run test-cov` will generate a `coverage/` folder that
+ contains HTML pages of the code coverage, to better understand if everything
+ you're adding is being tested.
+4. If the pull request is a new feature, please be sure to include all
+ appropriate documentation additions in the `Readme.md` file as well.
+5. To help ensure that your code is similar in style to the existing code,
+ run the command `npm run lint` and fix any displayed issues.
+
+## Running tests
+
+The test suite is split into two parts: unit tests and integration tests.
+The unit tests run on any machine while the integration tests require a
+MySQL server instance to be setup.
+
+### Running unit tests
+
+```sh
+$ FILTER=unit npm test
+```
+
+### Running integration tests
+
+Set the environment variables `MYSQL_DATABASE`, `MYSQL_HOST`, `MYSQL_PORT`,
+`MYSQL_USER` and `MYSQL_PASSWORD`. `MYSQL_SOCKET` can also be used in place
+of `MYSQL_HOST` and `MYSQL_PORT` to connect over a UNIX socket. Then run
+`npm test`.
+
+For example, if you have an installation of mysql running on localhost:3306
+and no password set for the `root` user, run:
+
+```sh
+$ mysql -u root -e "CREATE DATABASE IF NOT EXISTS node_mysql_test"
+$ MYSQL_HOST=localhost MYSQL_PORT=3306 MYSQL_DATABASE=node_mysql_test MYSQL_USER=root MYSQL_PASSWORD= FILTER=integration npm test
+```
+
+## Todo
+
+* Prepared statements
+* Support for encodings other than UTF-8 / ASCII
+
+[appveyor-image]: https://badgen.net/appveyor/ci/dougwilson/node-mysql/master?label=windows
+[appveyor-url]: https://ci.appveyor.com/project/dougwilson/node-mysql
+[coveralls-image]: https://badgen.net/coveralls/c/github/mysqljs/mysql/master
+[coveralls-url]: https://coveralls.io/r/mysqljs/mysql?branch=master
+[node-image]: https://badgen.net/npm/node/mysql
+[node-url]: https://nodejs.org/en/download
+[npm-downloads-image]: https://badgen.net/npm/dm/mysql
+[npm-url]: https://npmjs.org/package/mysql
+[npm-version-image]: https://badgen.net/npm/v/mysql
+[travis-image]: https://badgen.net/travis/mysqljs/mysql/master
+[travis-url]: https://travis-ci.org/mysqljs/mysql
diff --git "a/\351\231\210\351\233\204\350\276\211/\350\277\231\346\230\257\344\270\200\344\270\252\345\260\217\347\210\254\350\231\253/node_modules/mysql/index.js" "b/\351\231\210\351\233\204\350\276\211/\350\277\231\346\230\257\344\270\200\344\270\252\345\260\217\347\210\254\350\231\253/node_modules/mysql/index.js"
new file mode 100644
index 0000000000000000000000000000000000000000..72624076b92c4f181287e668be9e19d9c4c3192b
--- /dev/null
+++ "b/\351\231\210\351\233\204\350\276\211/\350\277\231\346\230\257\344\270\200\344\270\252\345\260\217\347\210\254\350\231\253/node_modules/mysql/index.js"
@@ -0,0 +1,161 @@
+var Classes = Object.create(null);
+
+/**
+ * Create a new Connection instance.
+ * @param {object|string} config Configuration or connection string for new MySQL connection
+ * @return {Connection} A new MySQL connection
+ * @public
+ */
+exports.createConnection = function createConnection(config) {
+ var Connection = loadClass('Connection');
+ var ConnectionConfig = loadClass('ConnectionConfig');
+
+ return new Connection({config: new ConnectionConfig(config)});
+};
+
+/**
+ * Create a new Pool instance.
+ * @param {object|string} config Configuration or connection string for new MySQL connections
+ * @return {Pool} A new MySQL pool
+ * @public
+ */
+exports.createPool = function createPool(config) {
+ var Pool = loadClass('Pool');
+ var PoolConfig = loadClass('PoolConfig');
+
+ return new Pool({config: new PoolConfig(config)});
+};
+
+/**
+ * Create a new PoolCluster instance.
+ * @param {object} [config] Configuration for pool cluster
+ * @return {PoolCluster} New MySQL pool cluster
+ * @public
+ */
+exports.createPoolCluster = function createPoolCluster(config) {
+ var PoolCluster = loadClass('PoolCluster');
+
+ return new PoolCluster(config);
+};
+
+/**
+ * Create a new Query instance.
+ * @param {string} sql The SQL for the query
+ * @param {array} [values] Any values to insert into placeholders in sql
+ * @param {function} [callback] The callback to use when query is complete
+ * @return {Query} New query object
+ * @public
+ */
+exports.createQuery = function createQuery(sql, values, callback) {
+ var Connection = loadClass('Connection');
+
+ return Connection.createQuery(sql, values, callback);
+};
+
+/**
+ * Escape a value for SQL.
+ * @param {*} value The value to escape
+ * @param {boolean} [stringifyObjects=false] Setting if objects should be stringified
+ * @param {string} [timeZone=local] Setting for time zone to use for Date conversion
+ * @return {string} Escaped string value
+ * @public
+ */
+exports.escape = function escape(value, stringifyObjects, timeZone) {
+ var SqlString = loadClass('SqlString');
+
+ return SqlString.escape(value, stringifyObjects, timeZone);
+};
+
+/**
+ * Escape an identifier for SQL.
+ * @param {*} value The value to escape
+ * @param {boolean} [forbidQualified=false] Setting to treat '.' as part of identifier
+ * @return {string} Escaped string value
+ * @public
+ */
+exports.escapeId = function escapeId(value, forbidQualified) {
+ var SqlString = loadClass('SqlString');
+
+ return SqlString.escapeId(value, forbidQualified);
+};
+
+/**
+ * Format SQL and replacement values into a SQL string.
+ * @param {string} sql The SQL for the query
+ * @param {array} [values] Any values to insert into placeholders in sql
+ * @param {boolean} [stringifyObjects=false] Setting if objects should be stringified
+ * @param {string} [timeZone=local] Setting for time zone to use for Date conversion
+ * @return {string} Formatted SQL string
+ * @public
+ */
+exports.format = function format(sql, values, stringifyObjects, timeZone) {
+ var SqlString = loadClass('SqlString');
+
+ return SqlString.format(sql, values, stringifyObjects, timeZone);
+};
+
+/**
+ * Wrap raw SQL strings from escape overriding.
+ * @param {string} sql The raw SQL
+ * @return {object} Wrapped object
+ * @public
+ */
+exports.raw = function raw(sql) {
+ var SqlString = loadClass('SqlString');
+
+ return SqlString.raw(sql);
+};
+
+/**
+ * The type constants.
+ * @public
+ */
+Object.defineProperty(exports, 'Types', {
+ get: loadClass.bind(null, 'Types')
+});
+
+/**
+ * Load the given class.
+ * @param {string} className Name of class to default
+ * @return {function|object} Class constructor or exports
+ * @private
+ */
+function loadClass(className) {
+ var Class = Classes[className];
+
+ if (Class !== undefined) {
+ return Class;
+ }
+
+ // This uses a switch for static require analysis
+ switch (className) {
+ case 'Connection':
+ Class = require('./lib/Connection');
+ break;
+ case 'ConnectionConfig':
+ Class = require('./lib/ConnectionConfig');
+ break;
+ case 'Pool':
+ Class = require('./lib/Pool');
+ break;
+ case 'PoolCluster':
+ Class = require('./lib/PoolCluster');
+ break;
+ case 'PoolConfig':
+ Class = require('./lib/PoolConfig');
+ break;
+ case 'SqlString':
+ Class = require('./lib/protocol/SqlString');
+ break;
+ case 'Types':
+ Class = require('./lib/protocol/constants/types');
+ break;
+ default:
+ throw new Error('Cannot find class \'' + className + '\'');
+ }
+
+ // Store to prevent invoking require()
+ Classes[className] = Class;
+
+ return Class;
+}
diff --git "a/\351\231\210\351\233\204\350\276\211/\350\277\231\346\230\257\344\270\200\344\270\252\345\260\217\347\210\254\350\231\253/node_modules/mysql/lib/Connection.js" "b/\351\231\210\351\233\204\350\276\211/\350\277\231\346\230\257\344\270\200\344\270\252\345\260\217\347\210\254\350\231\253/node_modules/mysql/lib/Connection.js"
new file mode 100644
index 0000000000000000000000000000000000000000..6802255dd439246b465f429eb90bd66f5fa19dde
--- /dev/null
+++ "b/\351\231\210\351\233\204\350\276\211/\350\277\231\346\230\257\344\270\200\344\270\252\345\260\217\347\210\254\350\231\253/node_modules/mysql/lib/Connection.js"
@@ -0,0 +1,529 @@
+var Crypto = require('crypto');
+var Events = require('events');
+var Net = require('net');
+var tls = require('tls');
+var ConnectionConfig = require('./ConnectionConfig');
+var Protocol = require('./protocol/Protocol');
+var SqlString = require('./protocol/SqlString');
+var Query = require('./protocol/sequences/Query');
+var Util = require('util');
+
+module.exports = Connection;
+Util.inherits(Connection, Events.EventEmitter);
+function Connection(options) {
+ Events.EventEmitter.call(this);
+
+ this.config = options.config;
+
+ this._socket = options.socket;
+ this._protocol = new Protocol({config: this.config, connection: this});
+ this._connectCalled = false;
+ this.state = 'disconnected';
+ this.threadId = null;
+}
+
+Connection.createQuery = function createQuery(sql, values, callback) {
+ if (sql instanceof Query) {
+ return sql;
+ }
+
+ var cb = callback;
+ var options = {};
+
+ if (typeof sql === 'function') {
+ cb = sql;
+ } else if (typeof sql === 'object') {
+ options = Object.create(sql);
+
+ if (typeof values === 'function') {
+ cb = values;
+ } else if (values !== undefined) {
+ Object.defineProperty(options, 'values', { value: values });
+ }
+ } else {
+ options.sql = sql;
+
+ if (typeof values === 'function') {
+ cb = values;
+ } else if (values !== undefined) {
+ options.values = values;
+ }
+ }
+
+ if (cb !== undefined) {
+ cb = wrapCallbackInDomain(null, cb);
+
+ if (cb === undefined) {
+ throw new TypeError('argument callback must be a function when provided');
+ }
+ }
+
+ return new Query(options, cb);
+};
+
+Connection.prototype.connect = function connect(options, callback) {
+ if (!callback && typeof options === 'function') {
+ callback = options;
+ options = {};
+ }
+
+ if (!this._connectCalled) {
+ this._connectCalled = true;
+
+ // Connect either via a UNIX domain socket or a TCP socket.
+ this._socket = (this.config.socketPath)
+ ? Net.createConnection(this.config.socketPath)
+ : Net.createConnection(this.config.port, this.config.host);
+
+ // Connect socket to connection domain
+ if (Events.usingDomains) {
+ this._socket.domain = this.domain;
+ }
+
+ var connection = this;
+ this._protocol.on('data', function(data) {
+ connection._socket.write(data);
+ });
+ this._socket.on('data', wrapToDomain(connection, function (data) {
+ connection._protocol.write(data);
+ }));
+ this._protocol.on('end', function() {
+ connection._socket.end();
+ });
+ this._socket.on('end', wrapToDomain(connection, function () {
+ connection._protocol.end();
+ }));
+
+ this._socket.on('error', this._handleNetworkError.bind(this));
+ this._socket.on('connect', this._handleProtocolConnect.bind(this));
+ this._protocol.on('handshake', this._handleProtocolHandshake.bind(this));
+ this._protocol.on('initialize', this._handleProtocolInitialize.bind(this));
+ this._protocol.on('unhandledError', this._handleProtocolError.bind(this));
+ this._protocol.on('drain', this._handleProtocolDrain.bind(this));
+ this._protocol.on('end', this._handleProtocolEnd.bind(this));
+ this._protocol.on('enqueue', this._handleProtocolEnqueue.bind(this));
+
+ if (this.config.connectTimeout) {
+ var handleConnectTimeout = this._handleConnectTimeout.bind(this);
+
+ this._socket.setTimeout(this.config.connectTimeout, handleConnectTimeout);
+ this._socket.once('connect', function() {
+ this.setTimeout(0, handleConnectTimeout);
+ });
+ }
+ }
+
+ this._protocol.handshake(options, wrapCallbackInDomain(this, callback));
+};
+
+Connection.prototype.changeUser = function changeUser(options, callback) {
+ if (!callback && typeof options === 'function') {
+ callback = options;
+ options = {};
+ }
+
+ this._implyConnect();
+
+ var charsetNumber = (options.charset)
+ ? ConnectionConfig.getCharsetNumber(options.charset)
+ : this.config.charsetNumber;
+
+ return this._protocol.changeUser({
+ user : options.user || this.config.user,
+ password : options.password || this.config.password,
+ database : options.database || this.config.database,
+ timeout : options.timeout,
+ charsetNumber : charsetNumber,
+ currentConfig : this.config
+ }, wrapCallbackInDomain(this, callback));
+};
+
+Connection.prototype.beginTransaction = function beginTransaction(options, callback) {
+ if (!callback && typeof options === 'function') {
+ callback = options;
+ options = {};
+ }
+
+ options = options || {};
+ options.sql = 'START TRANSACTION';
+ options.values = null;
+
+ return this.query(options, callback);
+};
+
+Connection.prototype.commit = function commit(options, callback) {
+ if (!callback && typeof options === 'function') {
+ callback = options;
+ options = {};
+ }
+
+ options = options || {};
+ options.sql = 'COMMIT';
+ options.values = null;
+
+ return this.query(options, callback);
+};
+
+Connection.prototype.rollback = function rollback(options, callback) {
+ if (!callback && typeof options === 'function') {
+ callback = options;
+ options = {};
+ }
+
+ options = options || {};
+ options.sql = 'ROLLBACK';
+ options.values = null;
+
+ return this.query(options, callback);
+};
+
+Connection.prototype.query = function query(sql, values, cb) {
+ var query = Connection.createQuery(sql, values, cb);
+ query._connection = this;
+
+ if (!(typeof sql === 'object' && 'typeCast' in sql)) {
+ query.typeCast = this.config.typeCast;
+ }
+
+ if (query.sql) {
+ query.sql = this.format(query.sql, query.values);
+ }
+
+ if (query._callback) {
+ query._callback = wrapCallbackInDomain(this, query._callback);
+ }
+
+ this._implyConnect();
+
+ return this._protocol._enqueue(query);
+};
+
+Connection.prototype.ping = function ping(options, callback) {
+ if (!callback && typeof options === 'function') {
+ callback = options;
+ options = {};
+ }
+
+ this._implyConnect();
+ this._protocol.ping(options, wrapCallbackInDomain(this, callback));
+};
+
+Connection.prototype.statistics = function statistics(options, callback) {
+ if (!callback && typeof options === 'function') {
+ callback = options;
+ options = {};
+ }
+
+ this._implyConnect();
+ this._protocol.stats(options, wrapCallbackInDomain(this, callback));
+};
+
+Connection.prototype.end = function end(options, callback) {
+ var cb = callback;
+ var opts = options;
+
+ if (!callback && typeof options === 'function') {
+ cb = options;
+ opts = null;
+ }
+
+ // create custom options reference
+ opts = Object.create(opts || null);
+
+ if (opts.timeout === undefined) {
+ // default timeout of 30 seconds
+ opts.timeout = 30000;
+ }
+
+ this._implyConnect();
+ this._protocol.quit(opts, wrapCallbackInDomain(this, cb));
+};
+
+Connection.prototype.destroy = function() {
+ this.state = 'disconnected';
+ this._implyConnect();
+ this._socket.destroy();
+ this._protocol.destroy();
+};
+
+Connection.prototype.pause = function() {
+ this._socket.pause();
+ this._protocol.pause();
+};
+
+Connection.prototype.resume = function() {
+ this._socket.resume();
+ this._protocol.resume();
+};
+
+Connection.prototype.escape = function(value) {
+ return SqlString.escape(value, false, this.config.timezone);
+};
+
+Connection.prototype.escapeId = function escapeId(value) {
+ return SqlString.escapeId(value, false);
+};
+
+Connection.prototype.format = function(sql, values) {
+ if (typeof this.config.queryFormat === 'function') {
+ return this.config.queryFormat.call(this, sql, values, this.config.timezone);
+ }
+ return SqlString.format(sql, values, this.config.stringifyObjects, this.config.timezone);
+};
+
+if (tls.TLSSocket) {
+ // 0.11+ environment
+ Connection.prototype._startTLS = function _startTLS(onSecure) {
+ var connection = this;
+
+ createSecureContext(this.config, function (err, secureContext) {
+ if (err) {
+ onSecure(err);
+ return;
+ }
+
+ // "unpipe"
+ connection._socket.removeAllListeners('data');
+ connection._protocol.removeAllListeners('data');
+
+ // socket <-> encrypted
+ var rejectUnauthorized = connection.config.ssl.rejectUnauthorized;
+ var secureEstablished = false;
+ var secureSocket = new tls.TLSSocket(connection._socket, {
+ rejectUnauthorized : rejectUnauthorized,
+ requestCert : true,
+ secureContext : secureContext,
+ isServer : false
+ });
+
+ // error handler for secure socket
+ secureSocket.on('_tlsError', function(err) {
+ if (secureEstablished) {
+ connection._handleNetworkError(err);
+ } else {
+ onSecure(err);
+ }
+ });
+
+ // cleartext <-> protocol
+ secureSocket.pipe(connection._protocol);
+ connection._protocol.on('data', function(data) {
+ secureSocket.write(data);
+ });
+
+ secureSocket.on('secure', function() {
+ secureEstablished = true;
+
+ onSecure(rejectUnauthorized ? this.ssl.verifyError() : null);
+ });
+
+ // start TLS communications
+ secureSocket._start();
+ });
+ };
+} else {
+ // pre-0.11 environment
+ Connection.prototype._startTLS = function _startTLS(onSecure) {
+ // before TLS:
+ // _socket <-> _protocol
+ // after:
+ // _socket <-> securePair.encrypted <-> securePair.cleartext <-> _protocol
+
+ var connection = this;
+ var credentials = Crypto.createCredentials({
+ ca : this.config.ssl.ca,
+ cert : this.config.ssl.cert,
+ ciphers : this.config.ssl.ciphers,
+ key : this.config.ssl.key,
+ passphrase : this.config.ssl.passphrase
+ });
+
+ var rejectUnauthorized = this.config.ssl.rejectUnauthorized;
+ var secureEstablished = false;
+ var securePair = tls.createSecurePair(credentials, false, true, rejectUnauthorized);
+
+ // error handler for secure pair
+ securePair.on('error', function(err) {
+ if (secureEstablished) {
+ connection._handleNetworkError(err);
+ } else {
+ onSecure(err);
+ }
+ });
+
+ // "unpipe"
+ this._socket.removeAllListeners('data');
+ this._protocol.removeAllListeners('data');
+
+ // socket <-> encrypted
+ securePair.encrypted.pipe(this._socket);
+ this._socket.on('data', function(data) {
+ securePair.encrypted.write(data);
+ });
+
+ // cleartext <-> protocol
+ securePair.cleartext.pipe(this._protocol);
+ this._protocol.on('data', function(data) {
+ securePair.cleartext.write(data);
+ });
+
+ // secure established
+ securePair.on('secure', function() {
+ secureEstablished = true;
+
+ if (!rejectUnauthorized) {
+ onSecure();
+ return;
+ }
+
+ var verifyError = this.ssl.verifyError();
+ var err = verifyError;
+
+ // node.js 0.6 support
+ if (typeof err === 'string') {
+ err = new Error(verifyError);
+ err.code = verifyError;
+ }
+
+ onSecure(err);
+ });
+
+ // node.js 0.8 bug
+ securePair._cycle = securePair.cycle;
+ securePair.cycle = function cycle() {
+ if (this.ssl && this.ssl.error) {
+ this.error();
+ }
+
+ return this._cycle.apply(this, arguments);
+ };
+ };
+}
+
+Connection.prototype._handleConnectTimeout = function() {
+ if (this._socket) {
+ this._socket.setTimeout(0);
+ this._socket.destroy();
+ }
+
+ var err = new Error('connect ETIMEDOUT');
+ err.errorno = 'ETIMEDOUT';
+ err.code = 'ETIMEDOUT';
+ err.syscall = 'connect';
+
+ this._handleNetworkError(err);
+};
+
+Connection.prototype._handleNetworkError = function(err) {
+ this._protocol.handleNetworkError(err);
+};
+
+Connection.prototype._handleProtocolError = function(err) {
+ this.state = 'protocol_error';
+ this.emit('error', err);
+};
+
+Connection.prototype._handleProtocolDrain = function() {
+ this.emit('drain');
+};
+
+Connection.prototype._handleProtocolConnect = function() {
+ this.state = 'connected';
+ this.emit('connect');
+};
+
+Connection.prototype._handleProtocolHandshake = function _handleProtocolHandshake() {
+ this.state = 'authenticated';
+};
+
+Connection.prototype._handleProtocolInitialize = function _handleProtocolInitialize(packet) {
+ this.threadId = packet.threadId;
+};
+
+Connection.prototype._handleProtocolEnd = function(err) {
+ this.state = 'disconnected';
+ this.emit('end', err);
+};
+
+Connection.prototype._handleProtocolEnqueue = function _handleProtocolEnqueue(sequence) {
+ this.emit('enqueue', sequence);
+};
+
+Connection.prototype._implyConnect = function() {
+ if (!this._connectCalled) {
+ this.connect();
+ }
+};
+
+function createSecureContext (config, cb) {
+ var context = null;
+ var error = null;
+
+ try {
+ context = tls.createSecureContext({
+ ca : config.ssl.ca,
+ cert : config.ssl.cert,
+ ciphers : config.ssl.ciphers,
+ key : config.ssl.key,
+ passphrase : config.ssl.passphrase
+ });
+ } catch (err) {
+ error = err;
+ }
+
+ cb(error, context);
+}
+
+function unwrapFromDomain(fn) {
+ return function () {
+ var domains = [];
+ var ret;
+
+ while (process.domain) {
+ domains.shift(process.domain);
+ process.domain.exit();
+ }
+
+ try {
+ ret = fn.apply(this, arguments);
+ } finally {
+ for (var i = 0; i < domains.length; i++) {
+ domains[i].enter();
+ }
+ }
+
+ return ret;
+ };
+}
+
+function wrapCallbackInDomain(ee, fn) {
+ if (typeof fn !== 'function') {
+ return undefined;
+ }
+
+ if (fn.domain) {
+ return fn;
+ }
+
+ var domain = process.domain;
+
+ if (domain) {
+ return domain.bind(fn);
+ } else if (ee) {
+ return unwrapFromDomain(wrapToDomain(ee, fn));
+ } else {
+ return fn;
+ }
+}
+
+function wrapToDomain(ee, fn) {
+ return function () {
+ if (Events.usingDomains && ee.domain) {
+ ee.domain.enter();
+ fn.apply(this, arguments);
+ ee.domain.exit();
+ } else {
+ fn.apply(this, arguments);
+ }
+ };
+}
diff --git "a/\351\231\210\351\233\204\350\276\211/\350\277\231\346\230\257\344\270\200\344\270\252\345\260\217\347\210\254\350\231\253/node_modules/mysql/lib/ConnectionConfig.js" "b/\351\231\210\351\233\204\350\276\211/\350\277\231\346\230\257\344\270\200\344\270\252\345\260\217\347\210\254\350\231\253/node_modules/mysql/lib/ConnectionConfig.js"
new file mode 100644
index 0000000000000000000000000000000000000000..06f4399c57be1278b36b70b649ce563fa2908768
--- /dev/null
+++ "b/\351\231\210\351\233\204\350\276\211/\350\277\231\346\230\257\344\270\200\344\270\252\345\260\217\347\210\254\350\231\253/node_modules/mysql/lib/ConnectionConfig.js"
@@ -0,0 +1,209 @@
+var urlParse = require('url').parse;
+var ClientConstants = require('./protocol/constants/client');
+var Charsets = require('./protocol/constants/charsets');
+var SSLProfiles = null;
+
+module.exports = ConnectionConfig;
+function ConnectionConfig(options) {
+ if (typeof options === 'string') {
+ options = ConnectionConfig.parseUrl(options);
+ }
+
+ this.host = options.host || 'localhost';
+ this.port = options.port || 3306;
+ this.localAddress = options.localAddress;
+ this.socketPath = options.socketPath;
+ this.user = options.user || undefined;
+ this.password = options.password || undefined;
+ this.database = options.database;
+ this.connectTimeout = (options.connectTimeout === undefined)
+ ? (10 * 1000)
+ : options.connectTimeout;
+ this.insecureAuth = options.insecureAuth || false;
+ this.supportBigNumbers = options.supportBigNumbers || false;
+ this.bigNumberStrings = options.bigNumberStrings || false;
+ this.dateStrings = options.dateStrings || false;
+ this.debug = options.debug;
+ this.trace = options.trace !== false;
+ this.stringifyObjects = options.stringifyObjects || false;
+ this.timezone = options.timezone || 'local';
+ this.flags = options.flags || '';
+ this.queryFormat = options.queryFormat;
+ this.pool = options.pool || undefined;
+ this.ssl = (typeof options.ssl === 'string')
+ ? ConnectionConfig.getSSLProfile(options.ssl)
+ : (options.ssl || false);
+ this.localInfile = (options.localInfile === undefined)
+ ? true
+ : options.localInfile;
+ this.multipleStatements = options.multipleStatements || false;
+ this.typeCast = (options.typeCast === undefined)
+ ? true
+ : options.typeCast;
+
+ if (this.timezone[0] === ' ') {
+ // "+" is a url encoded char for space so it
+ // gets translated to space when giving a
+ // connection string..
+ this.timezone = '+' + this.timezone.substr(1);
+ }
+
+ if (this.ssl) {
+ // Default rejectUnauthorized to true
+ this.ssl.rejectUnauthorized = this.ssl.rejectUnauthorized !== false;
+ }
+
+ this.maxPacketSize = 0;
+ this.charsetNumber = (options.charset)
+ ? ConnectionConfig.getCharsetNumber(options.charset)
+ : options.charsetNumber || Charsets.UTF8_GENERAL_CI;
+
+ // Set the client flags
+ var defaultFlags = ConnectionConfig.getDefaultFlags(options);
+ this.clientFlags = ConnectionConfig.mergeFlags(defaultFlags, options.flags);
+}
+
+ConnectionConfig.mergeFlags = function mergeFlags(defaultFlags, userFlags) {
+ var allFlags = ConnectionConfig.parseFlagList(defaultFlags);
+ var newFlags = ConnectionConfig.parseFlagList(userFlags);
+
+ // Merge the new flags
+ for (var flag in newFlags) {
+ if (allFlags[flag] !== false) {
+ allFlags[flag] = newFlags[flag];
+ }
+ }
+
+ // Build flags
+ var flags = 0x0;
+ for (var flag in allFlags) {
+ if (allFlags[flag]) {
+ // TODO: Throw here on some future release
+ flags |= ClientConstants['CLIENT_' + flag] || 0x0;
+ }
+ }
+
+ return flags;
+};
+
+ConnectionConfig.getCharsetNumber = function getCharsetNumber(charset) {
+ var num = Charsets[charset.toUpperCase()];
+
+ if (num === undefined) {
+ throw new TypeError('Unknown charset \'' + charset + '\'');
+ }
+
+ return num;
+};
+
+ConnectionConfig.getDefaultFlags = function getDefaultFlags(options) {
+ var defaultFlags = [
+ '-COMPRESS', // Compression protocol *NOT* supported
+ '-CONNECT_ATTRS', // Does *NOT* send connection attributes in Protocol::HandshakeResponse41
+ '+CONNECT_WITH_DB', // One can specify db on connect in Handshake Response Packet
+ '+FOUND_ROWS', // Send found rows instead of affected rows
+ '+IGNORE_SIGPIPE', // Don't issue SIGPIPE if network failures
+ '+IGNORE_SPACE', // Let the parser ignore spaces before '('
+ '+LOCAL_FILES', // Can use LOAD DATA LOCAL
+ '+LONG_FLAG', // Longer flags in Protocol::ColumnDefinition320
+ '+LONG_PASSWORD', // Use the improved version of Old Password Authentication
+ '+MULTI_RESULTS', // Can handle multiple resultsets for COM_QUERY
+ '+ODBC', // Special handling of ODBC behaviour
+ '-PLUGIN_AUTH', // Does *NOT* support auth plugins
+ '+PROTOCOL_41', // Uses the 4.1 protocol
+ '+PS_MULTI_RESULTS', // Can handle multiple resultsets for COM_STMT_EXECUTE
+ '+RESERVED', // Unused
+ '+SECURE_CONNECTION', // Supports Authentication::Native41
+ '+TRANSACTIONS' // Expects status flags
+ ];
+
+ if (options && options.localInfile !== undefined && !options.localInfile) {
+ // Disable LOCAL modifier for LOAD DATA INFILE
+ defaultFlags.push('-LOCAL_FILES');
+ }
+
+ if (options && options.multipleStatements) {
+ // May send multiple statements per COM_QUERY and COM_STMT_PREPARE
+ defaultFlags.push('+MULTI_STATEMENTS');
+ }
+
+ return defaultFlags;
+};
+
+ConnectionConfig.getSSLProfile = function getSSLProfile(name) {
+ if (!SSLProfiles) {
+ SSLProfiles = require('./protocol/constants/ssl_profiles');
+ }
+
+ var ssl = SSLProfiles[name];
+
+ if (ssl === undefined) {
+ throw new TypeError('Unknown SSL profile \'' + name + '\'');
+ }
+
+ return ssl;
+};
+
+ConnectionConfig.parseFlagList = function parseFlagList(flagList) {
+ var allFlags = Object.create(null);
+
+ if (!flagList) {
+ return allFlags;
+ }
+
+ var flags = !Array.isArray(flagList)
+ ? String(flagList || '').toUpperCase().split(/\s*,+\s*/)
+ : flagList;
+
+ for (var i = 0; i < flags.length; i++) {
+ var flag = flags[i];
+ var offset = 1;
+ var state = flag[0];
+
+ if (state === undefined) {
+ // TODO: throw here on some future release
+ continue;
+ }
+
+ if (state !== '-' && state !== '+') {
+ offset = 0;
+ state = '+';
+ }
+
+ allFlags[flag.substr(offset)] = state === '+';
+ }
+
+ return allFlags;
+};
+
+ConnectionConfig.parseUrl = function(url) {
+ url = urlParse(url, true);
+
+ var options = {
+ host : url.hostname,
+ port : url.port,
+ database : url.pathname.substr(1)
+ };
+
+ if (url.auth) {
+ var auth = url.auth.split(':');
+ options.user = auth.shift();
+ options.password = auth.join(':');
+ }
+
+ if (url.query) {
+ for (var key in url.query) {
+ var value = url.query[key];
+
+ try {
+ // Try to parse this as a JSON expression first
+ options[key] = JSON.parse(value);
+ } catch (err) {
+ // Otherwise assume it is a plain string
+ options[key] = value;
+ }
+ }
+ }
+
+ return options;
+};
diff --git "a/\351\231\210\351\233\204\350\276\211/\350\277\231\346\230\257\344\270\200\344\270\252\345\260\217\347\210\254\350\231\253/node_modules/mysql/lib/Pool.js" "b/\351\231\210\351\233\204\350\276\211/\350\277\231\346\230\257\344\270\200\344\270\252\345\260\217\347\210\254\350\231\253/node_modules/mysql/lib/Pool.js"
new file mode 100644
index 0000000000000000000000000000000000000000..87a40114ac02977dd27be46206e7016af308d8e2
--- /dev/null
+++ "b/\351\231\210\351\233\204\350\276\211/\350\277\231\346\230\257\344\270\200\344\270\252\345\260\217\347\210\254\350\231\253/node_modules/mysql/lib/Pool.js"
@@ -0,0 +1,294 @@
+var mysql = require('../');
+var Connection = require('./Connection');
+var EventEmitter = require('events').EventEmitter;
+var Util = require('util');
+var PoolConnection = require('./PoolConnection');
+
+module.exports = Pool;
+
+Util.inherits(Pool, EventEmitter);
+function Pool(options) {
+ EventEmitter.call(this);
+ this.config = options.config;
+ this.config.connectionConfig.pool = this;
+
+ this._acquiringConnections = [];
+ this._allConnections = [];
+ this._freeConnections = [];
+ this._connectionQueue = [];
+ this._closed = false;
+}
+
+Pool.prototype.getConnection = function (cb) {
+
+ if (this._closed) {
+ var err = new Error('Pool is closed.');
+ err.code = 'POOL_CLOSED';
+ process.nextTick(function () {
+ cb(err);
+ });
+ return;
+ }
+
+ var connection;
+ var pool = this;
+
+ if (this._freeConnections.length > 0) {
+ connection = this._freeConnections.shift();
+ this.acquireConnection(connection, cb);
+ return;
+ }
+
+ if (this.config.connectionLimit === 0 || this._allConnections.length < this.config.connectionLimit) {
+ connection = new PoolConnection(this, { config: this.config.newConnectionConfig() });
+
+ this._acquiringConnections.push(connection);
+ this._allConnections.push(connection);
+
+ connection.connect({timeout: this.config.acquireTimeout}, function onConnect(err) {
+ spliceConnection(pool._acquiringConnections, connection);
+
+ if (pool._closed) {
+ err = new Error('Pool is closed.');
+ err.code = 'POOL_CLOSED';
+ }
+
+ if (err) {
+ pool._purgeConnection(connection);
+ cb(err);
+ return;
+ }
+
+ pool.emit('connection', connection);
+ pool.emit('acquire', connection);
+ cb(null, connection);
+ });
+ return;
+ }
+
+ if (!this.config.waitForConnections) {
+ process.nextTick(function(){
+ var err = new Error('No connections available.');
+ err.code = 'POOL_CONNLIMIT';
+ cb(err);
+ });
+ return;
+ }
+
+ this._enqueueCallback(cb);
+};
+
+Pool.prototype.acquireConnection = function acquireConnection(connection, cb) {
+ if (connection._pool !== this) {
+ throw new Error('Connection acquired from wrong pool.');
+ }
+
+ var changeUser = this._needsChangeUser(connection);
+ var pool = this;
+
+ this._acquiringConnections.push(connection);
+
+ function onOperationComplete(err) {
+ spliceConnection(pool._acquiringConnections, connection);
+
+ if (pool._closed) {
+ err = new Error('Pool is closed.');
+ err.code = 'POOL_CLOSED';
+ }
+
+ if (err) {
+ pool._connectionQueue.unshift(cb);
+ pool._purgeConnection(connection);
+ return;
+ }
+
+ if (changeUser) {
+ pool.emit('connection', connection);
+ }
+
+ pool.emit('acquire', connection);
+ cb(null, connection);
+ }
+
+ if (changeUser) {
+ // restore user back to pool configuration
+ connection.config = this.config.newConnectionConfig();
+ connection.changeUser({timeout: this.config.acquireTimeout}, onOperationComplete);
+ } else {
+ // ping connection
+ connection.ping({timeout: this.config.acquireTimeout}, onOperationComplete);
+ }
+};
+
+Pool.prototype.releaseConnection = function releaseConnection(connection) {
+
+ if (this._acquiringConnections.indexOf(connection) !== -1) {
+ // connection is being acquired
+ return;
+ }
+
+ if (connection._pool) {
+ if (connection._pool !== this) {
+ throw new Error('Connection released to wrong pool');
+ }
+
+ if (this._freeConnections.indexOf(connection) !== -1) {
+ // connection already in free connection pool
+ // this won't catch all double-release cases
+ throw new Error('Connection already released');
+ } else {
+ // add connection to end of free queue
+ this._freeConnections.push(connection);
+ this.emit('release', connection);
+ }
+ }
+
+ if (this._closed) {
+ // empty the connection queue
+ this._connectionQueue.splice(0).forEach(function (cb) {
+ var err = new Error('Pool is closed.');
+ err.code = 'POOL_CLOSED';
+ process.nextTick(function () {
+ cb(err);
+ });
+ });
+ } else if (this._connectionQueue.length) {
+ // get connection with next waiting callback
+ this.getConnection(this._connectionQueue.shift());
+ }
+};
+
+Pool.prototype.end = function (cb) {
+ this._closed = true;
+
+ if (typeof cb !== 'function') {
+ cb = function (err) {
+ if (err) throw err;
+ };
+ }
+
+ var calledBack = false;
+ var waitingClose = 0;
+
+ function onEnd(err) {
+ if (!calledBack && (err || --waitingClose <= 0)) {
+ calledBack = true;
+ cb(err);
+ }
+ }
+
+ while (this._allConnections.length !== 0) {
+ waitingClose++;
+ this._purgeConnection(this._allConnections[0], onEnd);
+ }
+
+ if (waitingClose === 0) {
+ process.nextTick(onEnd);
+ }
+};
+
+Pool.prototype.query = function (sql, values, cb) {
+ var query = Connection.createQuery(sql, values, cb);
+
+ if (!(typeof sql === 'object' && 'typeCast' in sql)) {
+ query.typeCast = this.config.connectionConfig.typeCast;
+ }
+
+ if (this.config.connectionConfig.trace) {
+ // Long stack trace support
+ query._callSite = new Error();
+ }
+
+ this.getConnection(function (err, conn) {
+ if (err) {
+ query.on('error', function () {});
+ query.end(err);
+ return;
+ }
+
+ // Release connection based off event
+ query.once('end', function() {
+ conn.release();
+ });
+
+ conn.query(query);
+ });
+
+ return query;
+};
+
+Pool.prototype._enqueueCallback = function _enqueueCallback(callback) {
+
+ if (this.config.queueLimit && this._connectionQueue.length >= this.config.queueLimit) {
+ process.nextTick(function () {
+ var err = new Error('Queue limit reached.');
+ err.code = 'POOL_ENQUEUELIMIT';
+ callback(err);
+ });
+ return;
+ }
+
+ // Bind to domain, as dequeue will likely occur in a different domain
+ var cb = process.domain
+ ? process.domain.bind(callback)
+ : callback;
+
+ this._connectionQueue.push(cb);
+ this.emit('enqueue');
+};
+
+Pool.prototype._needsChangeUser = function _needsChangeUser(connection) {
+ var connConfig = connection.config;
+ var poolConfig = this.config.connectionConfig;
+
+ // check if changeUser values are different
+ return connConfig.user !== poolConfig.user
+ || connConfig.database !== poolConfig.database
+ || connConfig.password !== poolConfig.password
+ || connConfig.charsetNumber !== poolConfig.charsetNumber;
+};
+
+Pool.prototype._purgeConnection = function _purgeConnection(connection, callback) {
+ var cb = callback || function () {};
+
+ if (connection.state === 'disconnected') {
+ connection.destroy();
+ }
+
+ this._removeConnection(connection);
+
+ if (connection.state !== 'disconnected' && !connection._protocol._quitSequence) {
+ connection._realEnd(cb);
+ return;
+ }
+
+ process.nextTick(cb);
+};
+
+Pool.prototype._removeConnection = function(connection) {
+ connection._pool = null;
+
+ // Remove connection from all connections
+ spliceConnection(this._allConnections, connection);
+
+ // Remove connection from free connections
+ spliceConnection(this._freeConnections, connection);
+
+ this.releaseConnection(connection);
+};
+
+Pool.prototype.escape = function(value) {
+ return mysql.escape(value, this.config.connectionConfig.stringifyObjects, this.config.connectionConfig.timezone);
+};
+
+Pool.prototype.escapeId = function escapeId(value) {
+ return mysql.escapeId(value, false);
+};
+
+function spliceConnection(array, connection) {
+ var index;
+ if ((index = array.indexOf(connection)) !== -1) {
+ // Remove connection from all connections
+ array.splice(index, 1);
+ }
+}
diff --git "a/\351\231\210\351\233\204\350\276\211/\350\277\231\346\230\257\344\270\200\344\270\252\345\260\217\347\210\254\350\231\253/node_modules/mysql/lib/PoolCluster.js" "b/\351\231\210\351\233\204\350\276\211/\350\277\231\346\230\257\344\270\200\344\270\252\345\260\217\347\210\254\350\231\253/node_modules/mysql/lib/PoolCluster.js"
new file mode 100644
index 0000000000000000000000000000000000000000..d0aed2c75d3da46ff72423bb5e470dee0242d6bb
--- /dev/null
+++ "b/\351\231\210\351\233\204\350\276\211/\350\277\231\346\230\257\344\270\200\344\270\252\345\260\217\347\210\254\350\231\253/node_modules/mysql/lib/PoolCluster.js"
@@ -0,0 +1,288 @@
+var Pool = require('./Pool');
+var PoolConfig = require('./PoolConfig');
+var PoolNamespace = require('./PoolNamespace');
+var PoolSelector = require('./PoolSelector');
+var Util = require('util');
+var EventEmitter = require('events').EventEmitter;
+
+module.exports = PoolCluster;
+
+/**
+ * PoolCluster
+ * @constructor
+ * @param {object} [config] The pool cluster configuration
+ * @public
+ */
+function PoolCluster(config) {
+ EventEmitter.call(this);
+
+ config = config || {};
+ this._canRetry = typeof config.canRetry === 'undefined' ? true : config.canRetry;
+ this._defaultSelector = config.defaultSelector || 'RR';
+ this._removeNodeErrorCount = config.removeNodeErrorCount || 5;
+ this._restoreNodeTimeout = config.restoreNodeTimeout || 0;
+
+ this._closed = false;
+ this._findCaches = Object.create(null);
+ this._lastId = 0;
+ this._namespaces = Object.create(null);
+ this._nodes = Object.create(null);
+}
+
+Util.inherits(PoolCluster, EventEmitter);
+
+PoolCluster.prototype.add = function add(id, config) {
+ if (this._closed) {
+ throw new Error('PoolCluster is closed.');
+ }
+
+ var nodeId = typeof id === 'object'
+ ? 'CLUSTER::' + (++this._lastId)
+ : String(id);
+
+ if (this._nodes[nodeId] !== undefined) {
+ throw new Error('Node ID "' + nodeId + '" is already defined in PoolCluster.');
+ }
+
+ var poolConfig = typeof id !== 'object'
+ ? new PoolConfig(config)
+ : new PoolConfig(id);
+
+ this._nodes[nodeId] = {
+ id : nodeId,
+ errorCount : 0,
+ pool : new Pool({config: poolConfig}),
+ _offlineUntil : 0
+ };
+
+ this._clearFindCaches();
+};
+
+PoolCluster.prototype.end = function end(callback) {
+ var cb = callback !== undefined
+ ? callback
+ : _cb;
+
+ if (typeof cb !== 'function') {
+ throw TypeError('callback argument must be a function');
+ }
+
+ if (this._closed) {
+ process.nextTick(cb);
+ return;
+ }
+
+ this._closed = true;
+
+ var calledBack = false;
+ var nodeIds = Object.keys(this._nodes);
+ var waitingClose = 0;
+
+ function onEnd(err) {
+ if (!calledBack && (err || --waitingClose <= 0)) {
+ calledBack = true;
+ cb(err);
+ }
+ }
+
+ for (var i = 0; i < nodeIds.length; i++) {
+ var nodeId = nodeIds[i];
+ var node = this._nodes[nodeId];
+
+ waitingClose++;
+ node.pool.end(onEnd);
+ }
+
+ if (waitingClose === 0) {
+ process.nextTick(onEnd);
+ }
+};
+
+PoolCluster.prototype.of = function(pattern, selector) {
+ pattern = pattern || '*';
+
+ selector = selector || this._defaultSelector;
+ selector = selector.toUpperCase();
+ if (typeof PoolSelector[selector] === 'undefined') {
+ selector = this._defaultSelector;
+ }
+
+ var key = pattern + selector;
+
+ if (typeof this._namespaces[key] === 'undefined') {
+ this._namespaces[key] = new PoolNamespace(this, pattern, selector);
+ }
+
+ return this._namespaces[key];
+};
+
+PoolCluster.prototype.remove = function remove(pattern) {
+ var foundNodeIds = this._findNodeIds(pattern, true);
+
+ for (var i = 0; i < foundNodeIds.length; i++) {
+ var node = this._getNode(foundNodeIds[i]);
+
+ if (node) {
+ this._removeNode(node);
+ }
+ }
+};
+
+PoolCluster.prototype.getConnection = function(pattern, selector, cb) {
+ var namespace;
+ if (typeof pattern === 'function') {
+ cb = pattern;
+ namespace = this.of();
+ } else {
+ if (typeof selector === 'function') {
+ cb = selector;
+ selector = this._defaultSelector;
+ }
+
+ namespace = this.of(pattern, selector);
+ }
+
+ namespace.getConnection(cb);
+};
+
+PoolCluster.prototype._clearFindCaches = function _clearFindCaches() {
+ this._findCaches = Object.create(null);
+};
+
+PoolCluster.prototype._decreaseErrorCount = function _decreaseErrorCount(node) {
+ var errorCount = node.errorCount;
+
+ if (errorCount > this._removeNodeErrorCount) {
+ errorCount = this._removeNodeErrorCount;
+ }
+
+ if (errorCount < 1) {
+ errorCount = 1;
+ }
+
+ node.errorCount = errorCount - 1;
+
+ if (node._offlineUntil) {
+ node._offlineUntil = 0;
+ this.emit('online', node.id);
+ }
+};
+
+PoolCluster.prototype._findNodeIds = function _findNodeIds(pattern, includeOffline) {
+ var currentTime = 0;
+ var foundNodeIds = this._findCaches[pattern];
+
+ if (foundNodeIds === undefined) {
+ var expression = patternRegExp(pattern);
+ var nodeIds = Object.keys(this._nodes);
+
+ foundNodeIds = nodeIds.filter(function (id) {
+ return id.match(expression);
+ });
+
+ this._findCaches[pattern] = foundNodeIds;
+ }
+
+ if (includeOffline) {
+ return foundNodeIds;
+ }
+
+ return foundNodeIds.filter(function (nodeId) {
+ var node = this._getNode(nodeId);
+
+ if (!node._offlineUntil) {
+ return true;
+ }
+
+ if (!currentTime) {
+ currentTime = getMonotonicMilliseconds();
+ }
+
+ return node._offlineUntil <= currentTime;
+ }, this);
+};
+
+PoolCluster.prototype._getNode = function _getNode(id) {
+ return this._nodes[id] || null;
+};
+
+PoolCluster.prototype._increaseErrorCount = function _increaseErrorCount(node) {
+ var errorCount = ++node.errorCount;
+
+ if (this._removeNodeErrorCount > errorCount) {
+ return;
+ }
+
+ if (this._restoreNodeTimeout > 0) {
+ node._offlineUntil = getMonotonicMilliseconds() + this._restoreNodeTimeout;
+ this.emit('offline', node.id);
+ return;
+ }
+
+ this._removeNode(node);
+ this.emit('remove', node.id);
+};
+
+PoolCluster.prototype._getConnection = function(node, cb) {
+ var self = this;
+
+ node.pool.getConnection(function (err, connection) {
+ if (err) {
+ self._increaseErrorCount(node);
+ cb(err);
+ return;
+ } else {
+ self._decreaseErrorCount(node);
+ }
+
+ connection._clusterId = node.id;
+
+ cb(null, connection);
+ });
+};
+
+PoolCluster.prototype._removeNode = function _removeNode(node) {
+ delete this._nodes[node.id];
+
+ this._clearFindCaches();
+
+ node.pool.end(_noop);
+};
+
+function getMonotonicMilliseconds() {
+ var ms;
+
+ if (typeof process.hrtime === 'function') {
+ ms = process.hrtime();
+ ms = ms[0] * 1e3 + ms[1] * 1e-6;
+ } else {
+ ms = process.uptime() * 1000;
+ }
+
+ return Math.floor(ms);
+}
+
+function isRegExp(val) {
+ return typeof val === 'object'
+ && Object.prototype.toString.call(val) === '[object RegExp]';
+}
+
+function patternRegExp(pattern) {
+ if (isRegExp(pattern)) {
+ return pattern;
+ }
+
+ var source = pattern
+ .replace(/([.+?^=!:${}()|\[\]\/\\])/g, '\\$1')
+ .replace(/\*/g, '.*');
+
+ return new RegExp('^' + source + '$');
+}
+
+function _cb(err) {
+ if (err) {
+ throw err;
+ }
+}
+
+function _noop() {}
diff --git "a/\351\231\210\351\233\204\350\276\211/\350\277\231\346\230\257\344\270\200\344\270\252\345\260\217\347\210\254\350\231\253/node_modules/mysql/lib/PoolConfig.js" "b/\351\231\210\351\233\204\350\276\211/\350\277\231\346\230\257\344\270\200\344\270\252\345\260\217\347\210\254\350\231\253/node_modules/mysql/lib/PoolConfig.js"
new file mode 100644
index 0000000000000000000000000000000000000000..8c5017a27e66c55643e400d9eca5089b0be10f84
--- /dev/null
+++ "b/\351\231\210\351\233\204\350\276\211/\350\277\231\346\230\257\344\270\200\344\270\252\345\260\217\347\210\254\350\231\253/node_modules/mysql/lib/PoolConfig.js"
@@ -0,0 +1,32 @@
+
+var ConnectionConfig = require('./ConnectionConfig');
+
+module.exports = PoolConfig;
+function PoolConfig(options) {
+ if (typeof options === 'string') {
+ options = ConnectionConfig.parseUrl(options);
+ }
+
+ this.acquireTimeout = (options.acquireTimeout === undefined)
+ ? 10 * 1000
+ : Number(options.acquireTimeout);
+ this.connectionConfig = new ConnectionConfig(options);
+ this.waitForConnections = (options.waitForConnections === undefined)
+ ? true
+ : Boolean(options.waitForConnections);
+ this.connectionLimit = (options.connectionLimit === undefined)
+ ? 10
+ : Number(options.connectionLimit);
+ this.queueLimit = (options.queueLimit === undefined)
+ ? 0
+ : Number(options.queueLimit);
+}
+
+PoolConfig.prototype.newConnectionConfig = function newConnectionConfig() {
+ var connectionConfig = new ConnectionConfig(this.connectionConfig);
+
+ connectionConfig.clientFlags = this.connectionConfig.clientFlags;
+ connectionConfig.maxPacketSize = this.connectionConfig.maxPacketSize;
+
+ return connectionConfig;
+};
diff --git "a/\351\231\210\351\233\204\350\276\211/\350\277\231\346\230\257\344\270\200\344\270\252\345\260\217\347\210\254\350\231\253/node_modules/mysql/lib/PoolConnection.js" "b/\351\231\210\351\233\204\350\276\211/\350\277\231\346\230\257\344\270\200\344\270\252\345\260\217\347\210\254\350\231\253/node_modules/mysql/lib/PoolConnection.js"
new file mode 100644
index 0000000000000000000000000000000000000000..064c99d32a72014cef8fb4ebc6abdefdae4b372e
--- /dev/null
+++ "b/\351\231\210\351\233\204\350\276\211/\350\277\231\346\230\257\344\270\200\344\270\252\345\260\217\347\210\254\350\231\253/node_modules/mysql/lib/PoolConnection.js"
@@ -0,0 +1,65 @@
+var inherits = require('util').inherits;
+var Connection = require('./Connection');
+var Events = require('events');
+
+module.exports = PoolConnection;
+inherits(PoolConnection, Connection);
+
+function PoolConnection(pool, options) {
+ Connection.call(this, options);
+ this._pool = pool;
+
+ // Bind connection to pool domain
+ if (Events.usingDomains) {
+ this.domain = pool.domain;
+ }
+
+ // When a fatal error occurs the connection's protocol ends, which will cause
+ // the connection to end as well, thus we only need to watch for the end event
+ // and we will be notified of disconnects.
+ this.on('end', this._removeFromPool);
+ this.on('error', function (err) {
+ if (err.fatal) {
+ this._removeFromPool();
+ }
+ });
+}
+
+PoolConnection.prototype.release = function release() {
+ var pool = this._pool;
+
+ if (!pool || pool._closed) {
+ return undefined;
+ }
+
+ return pool.releaseConnection(this);
+};
+
+// TODO: Remove this when we are removing PoolConnection#end
+PoolConnection.prototype._realEnd = Connection.prototype.end;
+
+PoolConnection.prototype.end = function () {
+ console.warn(
+ 'Calling conn.end() to release a pooled connection is ' +
+ 'deprecated. In next version calling conn.end() will be ' +
+ 'restored to default conn.end() behavior. Use ' +
+ 'conn.release() instead.'
+ );
+ this.release();
+};
+
+PoolConnection.prototype.destroy = function () {
+ Connection.prototype.destroy.apply(this, arguments);
+ this._removeFromPool(this);
+};
+
+PoolConnection.prototype._removeFromPool = function _removeFromPool() {
+ if (!this._pool || this._pool._closed) {
+ return;
+ }
+
+ var pool = this._pool;
+ this._pool = null;
+
+ pool._purgeConnection(this);
+};
diff --git "a/\351\231\210\351\233\204\350\276\211/\350\277\231\346\230\257\344\270\200\344\270\252\345\260\217\347\210\254\350\231\253/node_modules/mysql/lib/PoolNamespace.js" "b/\351\231\210\351\233\204\350\276\211/\350\277\231\346\230\257\344\270\200\344\270\252\345\260\217\347\210\254\350\231\253/node_modules/mysql/lib/PoolNamespace.js"
new file mode 100644
index 0000000000000000000000000000000000000000..d3ea7860f6ba2e800550643e30863e065c2e668c
--- /dev/null
+++ "b/\351\231\210\351\233\204\350\276\211/\350\277\231\346\230\257\344\270\200\344\270\252\345\260\217\347\210\254\350\231\253/node_modules/mysql/lib/PoolNamespace.js"
@@ -0,0 +1,136 @@
+var Connection = require('./Connection');
+var PoolSelector = require('./PoolSelector');
+
+module.exports = PoolNamespace;
+
+/**
+ * PoolNamespace
+ * @constructor
+ * @param {PoolCluster} cluster The parent cluster for the namespace
+ * @param {string} pattern The selection pattern to use
+ * @param {string} selector The selector name to use
+ * @public
+ */
+function PoolNamespace(cluster, pattern, selector) {
+ this._cluster = cluster;
+ this._pattern = pattern;
+ this._selector = new PoolSelector[selector]();
+}
+
+PoolNamespace.prototype.getConnection = function(cb) {
+ var clusterNode = this._getClusterNode();
+ var cluster = this._cluster;
+ var namespace = this;
+
+ if (clusterNode === null) {
+ var err = null;
+
+ if (this._cluster._findNodeIds(this._pattern, true).length !== 0) {
+ err = new Error('Pool does not have online node.');
+ err.code = 'POOL_NONEONLINE';
+ } else {
+ err = new Error('Pool does not exist.');
+ err.code = 'POOL_NOEXIST';
+ }
+
+ cb(err);
+ return;
+ }
+
+ cluster._getConnection(clusterNode, function(err, connection) {
+ var retry = err && cluster._canRetry
+ && cluster._findNodeIds(namespace._pattern).length !== 0;
+
+ if (retry) {
+ namespace.getConnection(cb);
+ return;
+ }
+
+ if (err) {
+ cb(err);
+ return;
+ }
+
+ cb(null, connection);
+ });
+};
+
+PoolNamespace.prototype.query = function (sql, values, cb) {
+ var cluster = this._cluster;
+ var clusterNode = this._getClusterNode();
+ var query = Connection.createQuery(sql, values, cb);
+ var namespace = this;
+
+ if (clusterNode === null) {
+ var err = null;
+
+ if (this._cluster._findNodeIds(this._pattern, true).length !== 0) {
+ err = new Error('Pool does not have online node.');
+ err.code = 'POOL_NONEONLINE';
+ } else {
+ err = new Error('Pool does not exist.');
+ err.code = 'POOL_NOEXIST';
+ }
+
+ process.nextTick(function () {
+ query.on('error', function () {});
+ query.end(err);
+ });
+ return query;
+ }
+
+ if (!(typeof sql === 'object' && 'typeCast' in sql)) {
+ query.typeCast = clusterNode.pool.config.connectionConfig.typeCast;
+ }
+
+ if (clusterNode.pool.config.connectionConfig.trace) {
+ // Long stack trace support
+ query._callSite = new Error();
+ }
+
+ cluster._getConnection(clusterNode, function (err, conn) {
+ var retry = err && cluster._canRetry
+ && cluster._findNodeIds(namespace._pattern).length !== 0;
+
+ if (retry) {
+ namespace.query(query);
+ return;
+ }
+
+ if (err) {
+ query.on('error', function () {});
+ query.end(err);
+ return;
+ }
+
+ // Release connection based off event
+ query.once('end', function() {
+ conn.release();
+ });
+
+ conn.query(query);
+ });
+
+ return query;
+};
+
+PoolNamespace.prototype._getClusterNode = function _getClusterNode() {
+ var foundNodeIds = this._cluster._findNodeIds(this._pattern);
+ var nodeId;
+
+ switch (foundNodeIds.length) {
+ case 0:
+ nodeId = null;
+ break;
+ case 1:
+ nodeId = foundNodeIds[0];
+ break;
+ default:
+ nodeId = this._selector(foundNodeIds);
+ break;
+ }
+
+ return nodeId !== null
+ ? this._cluster._getNode(nodeId)
+ : null;
+};
diff --git "a/\351\231\210\351\233\204\350\276\211/\350\277\231\346\230\257\344\270\200\344\270\252\345\260\217\347\210\254\350\231\253/node_modules/mysql/lib/PoolSelector.js" "b/\351\231\210\351\233\204\350\276\211/\350\277\231\346\230\257\344\270\200\344\270\252\345\260\217\347\210\254\350\231\253/node_modules/mysql/lib/PoolSelector.js"
new file mode 100644
index 0000000000000000000000000000000000000000..9a3c455f2007efb33d9e866226c13ef05b642e47
--- /dev/null
+++ "b/\351\231\210\351\233\204\350\276\211/\350\277\231\346\230\257\344\270\200\344\270\252\345\260\217\347\210\254\350\231\253/node_modules/mysql/lib/PoolSelector.js"
@@ -0,0 +1,31 @@
+
+/**
+ * PoolSelector
+ */
+var PoolSelector = module.exports = {};
+
+PoolSelector.RR = function PoolSelectorRoundRobin() {
+ var index = 0;
+
+ return function(clusterIds) {
+ if (index >= clusterIds.length) {
+ index = 0;
+ }
+
+ var clusterId = clusterIds[index++];
+
+ return clusterId;
+ };
+};
+
+PoolSelector.RANDOM = function PoolSelectorRandom() {
+ return function(clusterIds) {
+ return clusterIds[Math.floor(Math.random() * clusterIds.length)];
+ };
+};
+
+PoolSelector.ORDER = function PoolSelectorOrder() {
+ return function(clusterIds) {
+ return clusterIds[0];
+ };
+};
diff --git "a/\351\231\210\351\233\204\350\276\211/\350\277\231\346\230\257\344\270\200\344\270\252\345\260\217\347\210\254\350\231\253/node_modules/mysql/lib/protocol/Auth.js" "b/\351\231\210\351\233\204\350\276\211/\350\277\231\346\230\257\344\270\200\344\270\252\345\260\217\347\210\254\350\231\253/node_modules/mysql/lib/protocol/Auth.js"
new file mode 100644
index 0000000000000000000000000000000000000000..a1033d1b929777b04baff9d8f972f495c6f31af7
--- /dev/null
+++ "b/\351\231\210\351\233\204\350\276\211/\350\277\231\346\230\257\344\270\200\344\270\252\345\260\217\347\210\254\350\231\253/node_modules/mysql/lib/protocol/Auth.js"
@@ -0,0 +1,168 @@
+var Buffer = require('safe-buffer').Buffer;
+var Crypto = require('crypto');
+var Auth = exports;
+
+function auth(name, data, options) {
+ options = options || {};
+
+ switch (name) {
+ case 'mysql_native_password':
+ return Auth.token(options.password, data.slice(0, 20));
+ default:
+ return undefined;
+ }
+}
+Auth.auth = auth;
+
+function sha1(msg) {
+ var hash = Crypto.createHash('sha1');
+ hash.update(msg, 'binary');
+ return hash.digest('binary');
+}
+Auth.sha1 = sha1;
+
+function xor(a, b) {
+ a = Buffer.from(a, 'binary');
+ b = Buffer.from(b, 'binary');
+ var result = Buffer.allocUnsafe(a.length);
+ for (var i = 0; i < a.length; i++) {
+ result[i] = (a[i] ^ b[i]);
+ }
+ return result;
+}
+Auth.xor = xor;
+
+Auth.token = function(password, scramble) {
+ if (!password) {
+ return Buffer.alloc(0);
+ }
+
+ // password must be in binary format, not utf8
+ var stage1 = sha1((Buffer.from(password, 'utf8')).toString('binary'));
+ var stage2 = sha1(stage1);
+ var stage3 = sha1(scramble.toString('binary') + stage2);
+ return xor(stage3, stage1);
+};
+
+// This is a port of sql/password.c:hash_password which needs to be used for
+// pre-4.1 passwords.
+Auth.hashPassword = function(password) {
+ var nr = [0x5030, 0x5735];
+ var add = 7;
+ var nr2 = [0x1234, 0x5671];
+ var result = Buffer.alloc(8);
+
+ if (typeof password === 'string'){
+ password = Buffer.from(password);
+ }
+
+ for (var i = 0; i < password.length; i++) {
+ var c = password[i];
+ if (c === 32 || c === 9) {
+ // skip space in password
+ continue;
+ }
+
+ // nr^= (((nr & 63)+add)*c)+ (nr << 8);
+ // nr = xor(nr, add(mul(add(and(nr, 63), add), c), shl(nr, 8)))
+ nr = this.xor32(nr, this.add32(this.mul32(this.add32(this.and32(nr, [0, 63]), [0, add]), [0, c]), this.shl32(nr, 8)));
+
+ // nr2+=(nr2 << 8) ^ nr;
+ // nr2 = add(nr2, xor(shl(nr2, 8), nr))
+ nr2 = this.add32(nr2, this.xor32(this.shl32(nr2, 8), nr));
+
+ // add+=tmp;
+ add += c;
+ }
+
+ this.int31Write(result, nr, 0);
+ this.int31Write(result, nr2, 4);
+
+ return result;
+};
+
+Auth.randomInit = function(seed1, seed2) {
+ return {
+ max_value : 0x3FFFFFFF,
+ max_value_dbl : 0x3FFFFFFF,
+ seed1 : seed1 % 0x3FFFFFFF,
+ seed2 : seed2 % 0x3FFFFFFF
+ };
+};
+
+Auth.myRnd = function(r){
+ r.seed1 = (r.seed1 * 3 + r.seed2) % r.max_value;
+ r.seed2 = (r.seed1 + r.seed2 + 33) % r.max_value;
+
+ return r.seed1 / r.max_value_dbl;
+};
+
+Auth.scramble323 = function(message, password) {
+ if (!password) {
+ return Buffer.alloc(0);
+ }
+
+ var to = Buffer.allocUnsafe(8);
+ var hashPass = this.hashPassword(password);
+ var hashMessage = this.hashPassword(message.slice(0, 8));
+ var seed1 = this.int32Read(hashPass, 0) ^ this.int32Read(hashMessage, 0);
+ var seed2 = this.int32Read(hashPass, 4) ^ this.int32Read(hashMessage, 4);
+ var r = this.randomInit(seed1, seed2);
+
+ for (var i = 0; i < 8; i++){
+ to[i] = Math.floor(this.myRnd(r) * 31) + 64;
+ }
+ var extra = (Math.floor(this.myRnd(r) * 31));
+
+ for (var i = 0; i < 8; i++){
+ to[i] ^= extra;
+ }
+
+ return to;
+};
+
+Auth.xor32 = function(a, b){
+ return [a[0] ^ b[0], a[1] ^ b[1]];
+};
+
+Auth.add32 = function(a, b){
+ var w1 = a[1] + b[1];
+ var w2 = a[0] + b[0] + ((w1 & 0xFFFF0000) >> 16);
+
+ return [w2 & 0xFFFF, w1 & 0xFFFF];
+};
+
+Auth.mul32 = function(a, b){
+ // based on this example of multiplying 32b ints using 16b
+ // http://www.dsprelated.com/showmessage/89790/1.php
+ var w1 = a[1] * b[1];
+ var w2 = (((a[1] * b[1]) >> 16) & 0xFFFF) + ((a[0] * b[1]) & 0xFFFF) + (a[1] * b[0] & 0xFFFF);
+
+ return [w2 & 0xFFFF, w1 & 0xFFFF];
+};
+
+Auth.and32 = function(a, b){
+ return [a[0] & b[0], a[1] & b[1]];
+};
+
+Auth.shl32 = function(a, b){
+ // assume b is 16 or less
+ var w1 = a[1] << b;
+ var w2 = (a[0] << b) | ((w1 & 0xFFFF0000) >> 16);
+
+ return [w2 & 0xFFFF, w1 & 0xFFFF];
+};
+
+Auth.int31Write = function(buffer, number, offset) {
+ buffer[offset] = (number[0] >> 8) & 0x7F;
+ buffer[offset + 1] = (number[0]) & 0xFF;
+ buffer[offset + 2] = (number[1] >> 8) & 0xFF;
+ buffer[offset + 3] = (number[1]) & 0xFF;
+};
+
+Auth.int32Read = function(buffer, offset){
+ return (buffer[offset] << 24)
+ + (buffer[offset + 1] << 16)
+ + (buffer[offset + 2] << 8)
+ + (buffer[offset + 3]);
+};
diff --git "a/\351\231\210\351\233\204\350\276\211/\350\277\231\346\230\257\344\270\200\344\270\252\345\260\217\347\210\254\350\231\253/node_modules/mysql/lib/protocol/BufferList.js" "b/\351\231\210\351\233\204\350\276\211/\350\277\231\346\230\257\344\270\200\344\270\252\345\260\217\347\210\254\350\231\253/node_modules/mysql/lib/protocol/BufferList.js"
new file mode 100644
index 0000000000000000000000000000000000000000..3cd01926a01ff6979cfd5754fc9f6a6e8c5d7008
--- /dev/null
+++ "b/\351\231\210\351\233\204\350\276\211/\350\277\231\346\230\257\344\270\200\344\270\252\345\260\217\347\210\254\350\231\253/node_modules/mysql/lib/protocol/BufferList.js"
@@ -0,0 +1,25 @@
+
+module.exports = BufferList;
+function BufferList() {
+ this.bufs = [];
+ this.size = 0;
+}
+
+BufferList.prototype.shift = function shift() {
+ var buf = this.bufs.shift();
+
+ if (buf) {
+ this.size -= buf.length;
+ }
+
+ return buf;
+};
+
+BufferList.prototype.push = function push(buf) {
+ if (!buf || !buf.length) {
+ return;
+ }
+
+ this.bufs.push(buf);
+ this.size += buf.length;
+};
diff --git "a/\351\231\210\351\233\204\350\276\211/\350\277\231\346\230\257\344\270\200\344\270\252\345\260\217\347\210\254\350\231\253/node_modules/mysql/lib/protocol/PacketHeader.js" "b/\351\231\210\351\233\204\350\276\211/\350\277\231\346\230\257\344\270\200\344\270\252\345\260\217\347\210\254\350\231\253/node_modules/mysql/lib/protocol/PacketHeader.js"
new file mode 100644
index 0000000000000000000000000000000000000000..1bb282e4bb79356edd4e16f65c08e44aaef14c6e
--- /dev/null
+++ "b/\351\231\210\351\233\204\350\276\211/\350\277\231\346\230\257\344\270\200\344\270\252\345\260\217\347\210\254\350\231\253/node_modules/mysql/lib/protocol/PacketHeader.js"
@@ -0,0 +1,5 @@
+module.exports = PacketHeader;
+function PacketHeader(length, number) {
+ this.length = length;
+ this.number = number;
+}
diff --git "a/\351\231\210\351\233\204\350\276\211/\350\277\231\346\230\257\344\270\200\344\270\252\345\260\217\347\210\254\350\231\253/node_modules/mysql/lib/protocol/PacketWriter.js" "b/\351\231\210\351\233\204\350\276\211/\350\277\231\346\230\257\344\270\200\344\270\252\345\260\217\347\210\254\350\231\253/node_modules/mysql/lib/protocol/PacketWriter.js"
new file mode 100644
index 0000000000000000000000000000000000000000..4d0afd2af34a5b099244ddeb8bb612f0c63e9235
--- /dev/null
+++ "b/\351\231\210\351\233\204\350\276\211/\350\277\231\346\230\257\344\270\200\344\270\252\345\260\217\347\210\254\350\231\253/node_modules/mysql/lib/protocol/PacketWriter.js"
@@ -0,0 +1,211 @@
+var BIT_16 = Math.pow(2, 16);
+var BIT_24 = Math.pow(2, 24);
+var BUFFER_ALLOC_SIZE = Math.pow(2, 8);
+// The maximum precision JS Numbers can hold precisely
+// Don't panic: Good enough to represent byte values up to 8192 TB
+var IEEE_754_BINARY_64_PRECISION = Math.pow(2, 53);
+var MAX_PACKET_LENGTH = Math.pow(2, 24) - 1;
+var Buffer = require('safe-buffer').Buffer;
+
+module.exports = PacketWriter;
+function PacketWriter() {
+ this._buffer = null;
+ this._offset = 0;
+}
+
+PacketWriter.prototype.toBuffer = function toBuffer(parser) {
+ if (!this._buffer) {
+ this._buffer = Buffer.alloc(0);
+ this._offset = 0;
+ }
+
+ var buffer = this._buffer;
+ var length = this._offset;
+ var packets = Math.floor(length / MAX_PACKET_LENGTH) + 1;
+
+ this._buffer = Buffer.allocUnsafe(length + packets * 4);
+ this._offset = 0;
+
+ for (var packet = 0; packet < packets; packet++) {
+ var isLast = (packet + 1 === packets);
+ var packetLength = (isLast)
+ ? length % MAX_PACKET_LENGTH
+ : MAX_PACKET_LENGTH;
+
+ var packetNumber = parser.incrementPacketNumber();
+
+ this.writeUnsignedNumber(3, packetLength);
+ this.writeUnsignedNumber(1, packetNumber);
+
+ var start = packet * MAX_PACKET_LENGTH;
+ var end = start + packetLength;
+
+ this.writeBuffer(buffer.slice(start, end));
+ }
+
+ return this._buffer;
+};
+
+PacketWriter.prototype.writeUnsignedNumber = function(bytes, value) {
+ this._allocate(bytes);
+
+ for (var i = 0; i < bytes; i++) {
+ this._buffer[this._offset++] = (value >> (i * 8)) & 0xff;
+ }
+};
+
+PacketWriter.prototype.writeFiller = function(bytes) {
+ this._allocate(bytes);
+
+ for (var i = 0; i < bytes; i++) {
+ this._buffer[this._offset++] = 0x00;
+ }
+};
+
+PacketWriter.prototype.writeNullTerminatedString = function(value, encoding) {
+ // Typecast undefined into '' and numbers into strings
+ value = value || '';
+ value = value + '';
+
+ var bytes = Buffer.byteLength(value, encoding || 'utf-8') + 1;
+ this._allocate(bytes);
+
+ this._buffer.write(value, this._offset, encoding);
+ this._buffer[this._offset + bytes - 1] = 0x00;
+
+ this._offset += bytes;
+};
+
+PacketWriter.prototype.writeString = function(value) {
+ // Typecast undefined into '' and numbers into strings
+ value = value || '';
+ value = value + '';
+
+ var bytes = Buffer.byteLength(value, 'utf-8');
+ this._allocate(bytes);
+
+ this._buffer.write(value, this._offset, 'utf-8');
+
+ this._offset += bytes;
+};
+
+PacketWriter.prototype.writeBuffer = function(value) {
+ var bytes = value.length;
+
+ this._allocate(bytes);
+ value.copy(this._buffer, this._offset);
+ this._offset += bytes;
+};
+
+PacketWriter.prototype.writeLengthCodedNumber = function(value) {
+ if (value === null) {
+ this._allocate(1);
+ this._buffer[this._offset++] = 251;
+ return;
+ }
+
+ if (value <= 250) {
+ this._allocate(1);
+ this._buffer[this._offset++] = value;
+ return;
+ }
+
+ if (value > IEEE_754_BINARY_64_PRECISION) {
+ throw new Error(
+ 'writeLengthCodedNumber: JS precision range exceeded, your ' +
+ 'number is > 53 bit: "' + value + '"'
+ );
+ }
+
+ if (value < BIT_16) {
+ this._allocate(3);
+ this._buffer[this._offset++] = 252;
+ } else if (value < BIT_24) {
+ this._allocate(4);
+ this._buffer[this._offset++] = 253;
+ } else {
+ this._allocate(9);
+ this._buffer[this._offset++] = 254;
+ }
+
+ // 16 Bit
+ this._buffer[this._offset++] = value & 0xff;
+ this._buffer[this._offset++] = (value >> 8) & 0xff;
+
+ if (value < BIT_16) {
+ return;
+ }
+
+ // 24 Bit
+ this._buffer[this._offset++] = (value >> 16) & 0xff;
+
+ if (value < BIT_24) {
+ return;
+ }
+
+ this._buffer[this._offset++] = (value >> 24) & 0xff;
+
+ // Hack: Get the most significant 32 bit (JS bitwise operators are 32 bit)
+ value = value.toString(2);
+ value = value.substr(0, value.length - 32);
+ value = parseInt(value, 2);
+
+ this._buffer[this._offset++] = value & 0xff;
+ this._buffer[this._offset++] = (value >> 8) & 0xff;
+ this._buffer[this._offset++] = (value >> 16) & 0xff;
+
+ // Set last byte to 0, as we can only support 53 bits in JS (see above)
+ this._buffer[this._offset++] = 0;
+};
+
+PacketWriter.prototype.writeLengthCodedBuffer = function(value) {
+ var bytes = value.length;
+ this.writeLengthCodedNumber(bytes);
+ this.writeBuffer(value);
+};
+
+PacketWriter.prototype.writeNullTerminatedBuffer = function(value) {
+ this.writeBuffer(value);
+ this.writeFiller(1); // 0x00 terminator
+};
+
+PacketWriter.prototype.writeLengthCodedString = function(value) {
+ if (value === null) {
+ this.writeLengthCodedNumber(null);
+ return;
+ }
+
+ value = (value === undefined)
+ ? ''
+ : String(value);
+
+ var bytes = Buffer.byteLength(value, 'utf-8');
+ this.writeLengthCodedNumber(bytes);
+
+ if (!bytes) {
+ return;
+ }
+
+ this._allocate(bytes);
+ this._buffer.write(value, this._offset, 'utf-8');
+ this._offset += bytes;
+};
+
+PacketWriter.prototype._allocate = function _allocate(bytes) {
+ if (!this._buffer) {
+ this._buffer = Buffer.alloc(Math.max(BUFFER_ALLOC_SIZE, bytes));
+ this._offset = 0;
+ return;
+ }
+
+ var bytesRemaining = this._buffer.length - this._offset;
+ if (bytesRemaining >= bytes) {
+ return;
+ }
+
+ var newSize = this._buffer.length + Math.max(BUFFER_ALLOC_SIZE, bytes);
+ var oldBuffer = this._buffer;
+
+ this._buffer = Buffer.alloc(newSize);
+ oldBuffer.copy(this._buffer);
+};
diff --git "a/\351\231\210\351\233\204\350\276\211/\350\277\231\346\230\257\344\270\200\344\270\252\345\260\217\347\210\254\350\231\253/node_modules/mysql/lib/protocol/Parser.js" "b/\351\231\210\351\233\204\350\276\211/\350\277\231\346\230\257\344\270\200\344\270\252\345\260\217\347\210\254\350\231\253/node_modules/mysql/lib/protocol/Parser.js"
new file mode 100644
index 0000000000000000000000000000000000000000..e72555f2eff754f7f00e9b683def5f69d9ec776c
--- /dev/null
+++ "b/\351\231\210\351\233\204\350\276\211/\350\277\231\346\230\257\344\270\200\344\270\252\345\260\217\347\210\254\350\231\253/node_modules/mysql/lib/protocol/Parser.js"
@@ -0,0 +1,491 @@
+var PacketHeader = require('./PacketHeader');
+var BigNumber = require('bignumber.js');
+var Buffer = require('safe-buffer').Buffer;
+var BufferList = require('./BufferList');
+
+var MAX_PACKET_LENGTH = Math.pow(2, 24) - 1;
+var MUL_32BIT = Math.pow(2, 32);
+var PACKET_HEADER_LENGTH = 4;
+
+module.exports = Parser;
+function Parser(options) {
+ options = options || {};
+
+ this._supportBigNumbers = options.config && options.config.supportBigNumbers;
+ this._buffer = Buffer.alloc(0);
+ this._nextBuffers = new BufferList();
+ this._longPacketBuffers = new BufferList();
+ this._offset = 0;
+ this._packetEnd = null;
+ this._packetHeader = null;
+ this._packetOffset = null;
+ this._onError = options.onError || function(err) { throw err; };
+ this._onPacket = options.onPacket || function() {};
+ this._nextPacketNumber = 0;
+ this._encoding = 'utf-8';
+ this._paused = false;
+}
+
+Parser.prototype.write = function write(chunk) {
+ this._nextBuffers.push(chunk);
+
+ while (!this._paused) {
+ var packetHeader = this._tryReadPacketHeader();
+
+ if (!packetHeader) {
+ break;
+ }
+
+ if (!this._combineNextBuffers(packetHeader.length)) {
+ break;
+ }
+
+ this._parsePacket(packetHeader);
+ }
+};
+
+Parser.prototype.append = function append(chunk) {
+ if (!chunk || chunk.length === 0) {
+ return;
+ }
+
+ // Calculate slice ranges
+ var sliceEnd = this._buffer.length;
+ var sliceStart = this._packetOffset === null
+ ? this._offset
+ : this._packetOffset;
+ var sliceLength = sliceEnd - sliceStart;
+
+ // Get chunk data
+ var buffer = null;
+ var chunks = !(chunk instanceof Array || Array.isArray(chunk)) ? [chunk] : chunk;
+ var length = 0;
+ var offset = 0;
+
+ for (var i = 0; i < chunks.length; i++) {
+ length += chunks[i].length;
+ }
+
+ if (sliceLength !== 0) {
+ // Create a new Buffer
+ buffer = Buffer.allocUnsafe(sliceLength + length);
+ offset = 0;
+
+ // Copy data slice
+ offset += this._buffer.copy(buffer, 0, sliceStart, sliceEnd);
+
+ // Copy chunks
+ for (var i = 0; i < chunks.length; i++) {
+ offset += chunks[i].copy(buffer, offset);
+ }
+ } else if (chunks.length > 1) {
+ // Create a new Buffer
+ buffer = Buffer.allocUnsafe(length);
+ offset = 0;
+
+ // Copy chunks
+ for (var i = 0; i < chunks.length; i++) {
+ offset += chunks[i].copy(buffer, offset);
+ }
+ } else {
+ // Buffer is the only chunk
+ buffer = chunks[0];
+ }
+
+ // Adjust data-tracking pointers
+ this._buffer = buffer;
+ this._offset = this._offset - sliceStart;
+ this._packetEnd = this._packetEnd !== null
+ ? this._packetEnd - sliceStart
+ : null;
+ this._packetOffset = this._packetOffset !== null
+ ? this._packetOffset - sliceStart
+ : null;
+};
+
+Parser.prototype.pause = function() {
+ this._paused = true;
+};
+
+Parser.prototype.resume = function() {
+ this._paused = false;
+
+ // nextTick() to avoid entering write() multiple times within the same stack
+ // which would cause problems as write manipulates the state of the object.
+ process.nextTick(this.write.bind(this));
+};
+
+Parser.prototype.peak = function peak(offset) {
+ return this._buffer[this._offset + (offset >>> 0)];
+};
+
+Parser.prototype.parseUnsignedNumber = function parseUnsignedNumber(bytes) {
+ if (bytes === 1) {
+ return this._buffer[this._offset++];
+ }
+
+ var buffer = this._buffer;
+ var offset = this._offset + bytes - 1;
+ var value = 0;
+
+ if (bytes > 4) {
+ var err = new Error('parseUnsignedNumber: Supports only up to 4 bytes');
+ err.offset = (this._offset - this._packetOffset - 1);
+ err.code = 'PARSER_UNSIGNED_TOO_LONG';
+ throw err;
+ }
+
+ while (offset >= this._offset) {
+ value = ((value << 8) | buffer[offset]) >>> 0;
+ offset--;
+ }
+
+ this._offset += bytes;
+
+ return value;
+};
+
+Parser.prototype.parseLengthCodedString = function() {
+ var length = this.parseLengthCodedNumber();
+
+ if (length === null) {
+ return null;
+ }
+
+ return this.parseString(length);
+};
+
+Parser.prototype.parseLengthCodedBuffer = function() {
+ var length = this.parseLengthCodedNumber();
+
+ if (length === null) {
+ return null;
+ }
+
+ return this.parseBuffer(length);
+};
+
+Parser.prototype.parseLengthCodedNumber = function parseLengthCodedNumber() {
+ if (this._offset >= this._buffer.length) {
+ var err = new Error('Parser: read past end');
+ err.offset = (this._offset - this._packetOffset);
+ err.code = 'PARSER_READ_PAST_END';
+ throw err;
+ }
+
+ var bits = this._buffer[this._offset++];
+
+ if (bits <= 250) {
+ return bits;
+ }
+
+ switch (bits) {
+ case 251:
+ return null;
+ case 252:
+ return this.parseUnsignedNumber(2);
+ case 253:
+ return this.parseUnsignedNumber(3);
+ case 254:
+ break;
+ default:
+ var err = new Error('Unexpected first byte' + (bits ? ': 0x' + bits.toString(16) : ''));
+ err.offset = (this._offset - this._packetOffset - 1);
+ err.code = 'PARSER_BAD_LENGTH_BYTE';
+ throw err;
+ }
+
+ var low = this.parseUnsignedNumber(4);
+ var high = this.parseUnsignedNumber(4);
+ var value;
+
+ if (high >>> 21) {
+ value = BigNumber(MUL_32BIT).times(high).plus(low).toString();
+
+ if (this._supportBigNumbers) {
+ return value;
+ }
+
+ var err = new Error(
+ 'parseLengthCodedNumber: JS precision range exceeded, ' +
+ 'number is >= 53 bit: "' + value + '"'
+ );
+ err.offset = (this._offset - this._packetOffset - 8);
+ err.code = 'PARSER_JS_PRECISION_RANGE_EXCEEDED';
+ throw err;
+ }
+
+ value = low + (MUL_32BIT * high);
+
+ return value;
+};
+
+Parser.prototype.parseFiller = function(length) {
+ return this.parseBuffer(length);
+};
+
+Parser.prototype.parseNullTerminatedBuffer = function() {
+ var end = this._nullByteOffset();
+ var value = this._buffer.slice(this._offset, end);
+ this._offset = end + 1;
+
+ return value;
+};
+
+Parser.prototype.parseNullTerminatedString = function() {
+ var end = this._nullByteOffset();
+ var value = this._buffer.toString(this._encoding, this._offset, end);
+ this._offset = end + 1;
+
+ return value;
+};
+
+Parser.prototype._nullByteOffset = function() {
+ var offset = this._offset;
+
+ while (this._buffer[offset] !== 0x00) {
+ offset++;
+
+ if (offset >= this._buffer.length) {
+ var err = new Error('Offset of null terminated string not found.');
+ err.offset = (this._offset - this._packetOffset);
+ err.code = 'PARSER_MISSING_NULL_BYTE';
+ throw err;
+ }
+ }
+
+ return offset;
+};
+
+Parser.prototype.parsePacketTerminatedBuffer = function parsePacketTerminatedBuffer() {
+ var length = this._packetEnd - this._offset;
+ return this.parseBuffer(length);
+};
+
+Parser.prototype.parsePacketTerminatedString = function() {
+ var length = this._packetEnd - this._offset;
+ return this.parseString(length);
+};
+
+Parser.prototype.parseBuffer = function(length) {
+ var response = Buffer.alloc(length);
+ this._buffer.copy(response, 0, this._offset, this._offset + length);
+
+ this._offset += length;
+ return response;
+};
+
+Parser.prototype.parseString = function(length) {
+ var offset = this._offset;
+ var end = offset + length;
+ var value = this._buffer.toString(this._encoding, offset, end);
+
+ this._offset = end;
+ return value;
+};
+
+Parser.prototype.parseGeometryValue = function() {
+ var buffer = this.parseLengthCodedBuffer();
+ var offset = 4;
+
+ if (buffer === null || !buffer.length) {
+ return null;
+ }
+
+ function parseGeometry() {
+ var result = null;
+ var byteOrder = buffer.readUInt8(offset); offset += 1;
+ var wkbType = byteOrder ? buffer.readUInt32LE(offset) : buffer.readUInt32BE(offset); offset += 4;
+ switch (wkbType) {
+ case 1: // WKBPoint
+ var x = byteOrder ? buffer.readDoubleLE(offset) : buffer.readDoubleBE(offset); offset += 8;
+ var y = byteOrder ? buffer.readDoubleLE(offset) : buffer.readDoubleBE(offset); offset += 8;
+ result = {x: x, y: y};
+ break;
+ case 2: // WKBLineString
+ var numPoints = byteOrder ? buffer.readUInt32LE(offset) : buffer.readUInt32BE(offset); offset += 4;
+ result = [];
+ for (var i = numPoints; i > 0; i--) {
+ var x = byteOrder ? buffer.readDoubleLE(offset) : buffer.readDoubleBE(offset); offset += 8;
+ var y = byteOrder ? buffer.readDoubleLE(offset) : buffer.readDoubleBE(offset); offset += 8;
+ result.push({x: x, y: y});
+ }
+ break;
+ case 3: // WKBPolygon
+ var numRings = byteOrder ? buffer.readUInt32LE(offset) : buffer.readUInt32BE(offset); offset += 4;
+ result = [];
+ for (var i = numRings; i > 0; i--) {
+ var numPoints = byteOrder ? buffer.readUInt32LE(offset) : buffer.readUInt32BE(offset); offset += 4;
+ var line = [];
+ for (var j = numPoints; j > 0; j--) {
+ var x = byteOrder ? buffer.readDoubleLE(offset) : buffer.readDoubleBE(offset); offset += 8;
+ var y = byteOrder ? buffer.readDoubleLE(offset) : buffer.readDoubleBE(offset); offset += 8;
+ line.push({x: x, y: y});
+ }
+ result.push(line);
+ }
+ break;
+ case 4: // WKBMultiPoint
+ case 5: // WKBMultiLineString
+ case 6: // WKBMultiPolygon
+ case 7: // WKBGeometryCollection
+ var num = byteOrder ? buffer.readUInt32LE(offset) : buffer.readUInt32BE(offset); offset += 4;
+ var result = [];
+ for (var i = num; i > 0; i--) {
+ result.push(parseGeometry());
+ }
+ break;
+ }
+ return result;
+ }
+ return parseGeometry();
+};
+
+Parser.prototype.reachedPacketEnd = function() {
+ return this._offset === this._packetEnd;
+};
+
+Parser.prototype.incrementPacketNumber = function() {
+ var currentPacketNumber = this._nextPacketNumber;
+ this._nextPacketNumber = (this._nextPacketNumber + 1) % 256;
+
+ return currentPacketNumber;
+};
+
+Parser.prototype.resetPacketNumber = function() {
+ this._nextPacketNumber = 0;
+};
+
+Parser.prototype.packetLength = function packetLength() {
+ if (!this._packetHeader) {
+ return null;
+ }
+
+ return this._packetHeader.length + this._longPacketBuffers.size;
+};
+
+Parser.prototype._combineNextBuffers = function _combineNextBuffers(bytes) {
+ var length = this._buffer.length - this._offset;
+
+ if (length >= bytes) {
+ return true;
+ }
+
+ if ((length + this._nextBuffers.size) < bytes) {
+ return false;
+ }
+
+ var buffers = [];
+ var bytesNeeded = bytes - length;
+
+ while (bytesNeeded > 0) {
+ var buffer = this._nextBuffers.shift();
+ buffers.push(buffer);
+ bytesNeeded -= buffer.length;
+ }
+
+ this.append(buffers);
+ return true;
+};
+
+Parser.prototype._combineLongPacketBuffers = function _combineLongPacketBuffers() {
+ if (!this._longPacketBuffers.size) {
+ return;
+ }
+
+ // Calculate bytes
+ var remainingBytes = this._buffer.length - this._offset;
+ var trailingPacketBytes = this._buffer.length - this._packetEnd;
+
+ // Create buffer
+ var buf = null;
+ var buffer = Buffer.allocUnsafe(remainingBytes + this._longPacketBuffers.size);
+ var offset = 0;
+
+ // Copy long buffers
+ while ((buf = this._longPacketBuffers.shift())) {
+ offset += buf.copy(buffer, offset);
+ }
+
+ // Copy remaining bytes
+ this._buffer.copy(buffer, offset, this._offset);
+
+ this._buffer = buffer;
+ this._offset = 0;
+ this._packetEnd = this._buffer.length - trailingPacketBytes;
+ this._packetOffset = 0;
+};
+
+Parser.prototype._parsePacket = function _parsePacket(packetHeader) {
+ this._packetEnd = this._offset + packetHeader.length;
+ this._packetOffset = this._offset;
+
+ if (packetHeader.length === MAX_PACKET_LENGTH) {
+ this._longPacketBuffers.push(this._buffer.slice(this._packetOffset, this._packetEnd));
+ this._advanceToNextPacket();
+ return;
+ }
+
+ this._combineLongPacketBuffers();
+
+ var hadException = true;
+ try {
+ this._onPacket(packetHeader);
+ hadException = false;
+ } catch (err) {
+ if (!err || typeof err.code !== 'string' || err.code.substr(0, 7) !== 'PARSER_') {
+ throw err; // Rethrow non-MySQL errors
+ }
+
+ // Pass down parser errors
+ this._onError(err);
+ hadException = false;
+ } finally {
+ this._advanceToNextPacket();
+
+ // If there was an exception, the parser while loop will be broken out
+ // of after the finally block. So schedule a blank write to re-enter it
+ // to continue parsing any bytes that may already have been received.
+ if (hadException) {
+ process.nextTick(this.write.bind(this));
+ }
+ }
+};
+
+Parser.prototype._tryReadPacketHeader = function _tryReadPacketHeader() {
+ if (this._packetHeader) {
+ return this._packetHeader;
+ }
+
+ if (!this._combineNextBuffers(PACKET_HEADER_LENGTH)) {
+ return null;
+ }
+
+ this._packetHeader = new PacketHeader(
+ this.parseUnsignedNumber(3),
+ this.parseUnsignedNumber(1)
+ );
+
+ if (this._packetHeader.number !== this._nextPacketNumber) {
+ var err = new Error(
+ 'Packets out of order. Got: ' + this._packetHeader.number + ' ' +
+ 'Expected: ' + this._nextPacketNumber
+ );
+
+ err.code = 'PROTOCOL_PACKETS_OUT_OF_ORDER';
+ err.fatal = true;
+
+ this._onError(err);
+ }
+
+ this.incrementPacketNumber();
+
+ return this._packetHeader;
+};
+
+Parser.prototype._advanceToNextPacket = function() {
+ this._offset = this._packetEnd;
+ this._packetHeader = null;
+ this._packetEnd = null;
+ this._packetOffset = null;
+};
diff --git "a/\351\231\210\351\233\204\350\276\211/\350\277\231\346\230\257\344\270\200\344\270\252\345\260\217\347\210\254\350\231\253/node_modules/mysql/lib/protocol/Protocol.js" "b/\351\231\210\351\233\204\350\276\211/\350\277\231\346\230\257\344\270\200\344\270\252\345\260\217\347\210\254\350\231\253/node_modules/mysql/lib/protocol/Protocol.js"
new file mode 100644
index 0000000000000000000000000000000000000000..ab371059bcb4bc7aec271d84f3c316caaefb77cf
--- /dev/null
+++ "b/\351\231\210\351\233\204\350\276\211/\350\277\231\346\230\257\344\270\200\344\270\252\345\260\217\347\210\254\350\231\253/node_modules/mysql/lib/protocol/Protocol.js"
@@ -0,0 +1,463 @@
+var Parser = require('./Parser');
+var Sequences = require('./sequences');
+var Packets = require('./packets');
+var Stream = require('stream').Stream;
+var Util = require('util');
+var PacketWriter = require('./PacketWriter');
+
+module.exports = Protocol;
+Util.inherits(Protocol, Stream);
+function Protocol(options) {
+ Stream.call(this);
+
+ options = options || {};
+
+ this.readable = true;
+ this.writable = true;
+
+ this._config = options.config || {};
+ this._connection = options.connection;
+ this._callback = null;
+ this._fatalError = null;
+ this._quitSequence = null;
+ this._handshake = false;
+ this._handshaked = false;
+ this._ended = false;
+ this._destroyed = false;
+ this._queue = [];
+ this._handshakeInitializationPacket = null;
+
+ this._parser = new Parser({
+ onError : this.handleParserError.bind(this),
+ onPacket : this._parsePacket.bind(this),
+ config : this._config
+ });
+}
+
+Protocol.prototype.write = function(buffer) {
+ this._parser.write(buffer);
+ return true;
+};
+
+Protocol.prototype.handshake = function handshake(options, callback) {
+ if (typeof options === 'function') {
+ callback = options;
+ options = {};
+ }
+
+ options = options || {};
+ options.config = this._config;
+
+ var sequence = this._enqueue(new Sequences.Handshake(options, callback));
+
+ this._handshake = true;
+
+ return sequence;
+};
+
+Protocol.prototype.query = function query(options, callback) {
+ return this._enqueue(new Sequences.Query(options, callback));
+};
+
+Protocol.prototype.changeUser = function changeUser(options, callback) {
+ return this._enqueue(new Sequences.ChangeUser(options, callback));
+};
+
+Protocol.prototype.ping = function ping(options, callback) {
+ if (typeof options === 'function') {
+ callback = options;
+ options = {};
+ }
+
+ return this._enqueue(new Sequences.Ping(options, callback));
+};
+
+Protocol.prototype.stats = function stats(options, callback) {
+ if (typeof options === 'function') {
+ callback = options;
+ options = {};
+ }
+
+ return this._enqueue(new Sequences.Statistics(options, callback));
+};
+
+Protocol.prototype.quit = function quit(options, callback) {
+ if (typeof options === 'function') {
+ callback = options;
+ options = {};
+ }
+
+ var self = this;
+ var sequence = this._enqueue(new Sequences.Quit(options, callback));
+
+ sequence.on('end', function () {
+ self.end();
+ });
+
+ return this._quitSequence = sequence;
+};
+
+Protocol.prototype.end = function() {
+ if (this._ended) {
+ return;
+ }
+ this._ended = true;
+
+ if (this._quitSequence && (this._quitSequence._ended || this._queue[0] === this._quitSequence)) {
+ this._quitSequence.end();
+ this.emit('end');
+ return;
+ }
+
+ var err = new Error('Connection lost: The server closed the connection.');
+ err.fatal = true;
+ err.code = 'PROTOCOL_CONNECTION_LOST';
+
+ this._delegateError(err);
+};
+
+Protocol.prototype.pause = function() {
+ this._parser.pause();
+ // Since there is a file stream in query, we must transmit pause/resume event to current sequence.
+ var seq = this._queue[0];
+ if (seq && seq.emit) {
+ seq.emit('pause');
+ }
+};
+
+Protocol.prototype.resume = function() {
+ this._parser.resume();
+ // Since there is a file stream in query, we must transmit pause/resume event to current sequence.
+ var seq = this._queue[0];
+ if (seq && seq.emit) {
+ seq.emit('resume');
+ }
+};
+
+Protocol.prototype._enqueue = function(sequence) {
+ if (!this._validateEnqueue(sequence)) {
+ return sequence;
+ }
+
+ if (this._config.trace) {
+ // Long stack trace support
+ sequence._callSite = sequence._callSite || new Error();
+ }
+
+ this._queue.push(sequence);
+ this.emit('enqueue', sequence);
+
+ var self = this;
+ sequence
+ .on('error', function(err) {
+ self._delegateError(err, sequence);
+ })
+ .on('packet', function(packet) {
+ sequence._timer.active();
+ self._emitPacket(packet);
+ })
+ .on('timeout', function() {
+ var err = new Error(sequence.constructor.name + ' inactivity timeout');
+
+ err.code = 'PROTOCOL_SEQUENCE_TIMEOUT';
+ err.fatal = true;
+ err.timeout = sequence._timeout;
+
+ self._delegateError(err, sequence);
+ });
+
+ if (sequence.constructor === Sequences.Handshake) {
+ sequence.on('start-tls', function () {
+ sequence._timer.active();
+ self._connection._startTLS(function(err) {
+ if (err) {
+ // SSL negotiation error are fatal
+ err.code = 'HANDSHAKE_SSL_ERROR';
+ err.fatal = true;
+ sequence.end(err);
+ return;
+ }
+
+ sequence._timer.active();
+ sequence._tlsUpgradeCompleteHandler();
+ });
+ });
+
+ sequence.on('end', function () {
+ self._handshaked = true;
+
+ if (!self._fatalError) {
+ self.emit('handshake', self._handshakeInitializationPacket);
+ }
+ });
+ }
+
+ sequence.on('end', function () {
+ self._dequeue(sequence);
+ });
+
+ if (this._queue.length === 1) {
+ this._parser.resetPacketNumber();
+ this._startSequence(sequence);
+ }
+
+ return sequence;
+};
+
+Protocol.prototype._validateEnqueue = function _validateEnqueue(sequence) {
+ var err;
+ var prefix = 'Cannot enqueue ' + sequence.constructor.name;
+
+ if (this._fatalError) {
+ err = new Error(prefix + ' after fatal error.');
+ err.code = 'PROTOCOL_ENQUEUE_AFTER_FATAL_ERROR';
+ } else if (this._quitSequence) {
+ err = new Error(prefix + ' after invoking quit.');
+ err.code = 'PROTOCOL_ENQUEUE_AFTER_QUIT';
+ } else if (this._destroyed) {
+ err = new Error(prefix + ' after being destroyed.');
+ err.code = 'PROTOCOL_ENQUEUE_AFTER_DESTROY';
+ } else if ((this._handshake || this._handshaked) && sequence.constructor === Sequences.Handshake) {
+ err = new Error(prefix + ' after already enqueuing a Handshake.');
+ err.code = 'PROTOCOL_ENQUEUE_HANDSHAKE_TWICE';
+ } else {
+ return true;
+ }
+
+ var self = this;
+ err.fatal = false;
+
+ // add error handler
+ sequence.on('error', function (err) {
+ self._delegateError(err, sequence);
+ });
+
+ process.nextTick(function () {
+ sequence.end(err);
+ });
+
+ return false;
+};
+
+Protocol.prototype._parsePacket = function() {
+ var sequence = this._queue[0];
+
+ if (!sequence) {
+ var err = new Error('Received packet with no active sequence.');
+ err.code = 'PROTOCOL_STRAY_PACKET';
+ err.fatal = true;
+
+ this._delegateError(err);
+ return;
+ }
+
+ var Packet = this._determinePacket(sequence);
+ var packet = new Packet({protocol41: this._config.protocol41});
+ var packetName = Packet.name;
+
+ // Special case: Faster dispatch, and parsing done inside sequence
+ if (Packet === Packets.RowDataPacket) {
+ sequence.RowDataPacket(packet, this._parser, this._connection);
+
+ if (this._config.debug) {
+ this._debugPacket(true, packet);
+ }
+
+ return;
+ }
+
+ if (this._config.debug) {
+ this._parsePacketDebug(packet);
+ } else {
+ packet.parse(this._parser);
+ }
+
+ if (Packet === Packets.HandshakeInitializationPacket) {
+ this._handshakeInitializationPacket = packet;
+ this.emit('initialize', packet);
+ }
+
+ sequence._timer.active();
+
+ if (!sequence[packetName]) {
+ var err = new Error('Received packet in the wrong sequence.');
+ err.code = 'PROTOCOL_INCORRECT_PACKET_SEQUENCE';
+ err.fatal = true;
+
+ this._delegateError(err);
+ return;
+ }
+
+ sequence[packetName](packet);
+};
+
+Protocol.prototype._parsePacketDebug = function _parsePacketDebug(packet) {
+ try {
+ packet.parse(this._parser);
+ } finally {
+ this._debugPacket(true, packet);
+ }
+};
+
+Protocol.prototype._emitPacket = function(packet) {
+ var packetWriter = new PacketWriter();
+ packet.write(packetWriter);
+ this.emit('data', packetWriter.toBuffer(this._parser));
+
+ if (this._config.debug) {
+ this._debugPacket(false, packet);
+ }
+};
+
+Protocol.prototype._determinePacket = function(sequence) {
+ var firstByte = this._parser.peak();
+
+ if (sequence.determinePacket) {
+ var Packet = sequence.determinePacket(firstByte, this._parser);
+ if (Packet) {
+ return Packet;
+ }
+ }
+
+ switch (firstByte) {
+ case 0x00: return Packets.OkPacket;
+ case 0xfe: return Packets.EofPacket;
+ case 0xff: return Packets.ErrorPacket;
+ }
+
+ throw new Error('Could not determine packet, firstByte = ' + firstByte);
+};
+
+Protocol.prototype._dequeue = function(sequence) {
+ sequence._timer.stop();
+
+ // No point in advancing the queue, we are dead
+ if (this._fatalError) {
+ return;
+ }
+
+ this._queue.shift();
+
+ var sequence = this._queue[0];
+ if (!sequence) {
+ this.emit('drain');
+ return;
+ }
+
+ this._parser.resetPacketNumber();
+
+ this._startSequence(sequence);
+};
+
+Protocol.prototype._startSequence = function(sequence) {
+ if (sequence._timeout > 0 && isFinite(sequence._timeout)) {
+ sequence._timer.start(sequence._timeout);
+ }
+
+ if (sequence.constructor === Sequences.ChangeUser) {
+ sequence.start(this._handshakeInitializationPacket);
+ } else {
+ sequence.start();
+ }
+};
+
+Protocol.prototype.handleNetworkError = function(err) {
+ err.fatal = true;
+
+ var sequence = this._queue[0];
+ if (sequence) {
+ sequence.end(err);
+ } else {
+ this._delegateError(err);
+ }
+};
+
+Protocol.prototype.handleParserError = function handleParserError(err) {
+ var sequence = this._queue[0];
+ if (sequence) {
+ sequence.end(err);
+ } else {
+ this._delegateError(err);
+ }
+};
+
+Protocol.prototype._delegateError = function(err, sequence) {
+ // Stop delegating errors after the first fatal error
+ if (this._fatalError) {
+ return;
+ }
+
+ if (err.fatal) {
+ this._fatalError = err;
+ }
+
+ if (this._shouldErrorBubbleUp(err, sequence)) {
+ // Can't use regular 'error' event here as that always destroys the pipe
+ // between socket and protocol which is not what we want (unless the
+ // exception was fatal).
+ this.emit('unhandledError', err);
+ } else if (err.fatal) {
+ // Send fatal error to all sequences in the queue
+ var queue = this._queue;
+ process.nextTick(function () {
+ queue.forEach(function (sequence) {
+ sequence.end(err);
+ });
+ queue.length = 0;
+ });
+ }
+
+ // Make sure the stream we are piping to is getting closed
+ if (err.fatal) {
+ this.emit('end', err);
+ }
+};
+
+Protocol.prototype._shouldErrorBubbleUp = function(err, sequence) {
+ if (sequence) {
+ if (sequence.hasErrorHandler()) {
+ return false;
+ } else if (!err.fatal) {
+ return true;
+ }
+ }
+
+ return (err.fatal && !this._hasPendingErrorHandlers());
+};
+
+Protocol.prototype._hasPendingErrorHandlers = function() {
+ return this._queue.some(function(sequence) {
+ return sequence.hasErrorHandler();
+ });
+};
+
+Protocol.prototype.destroy = function() {
+ this._destroyed = true;
+ this._parser.pause();
+
+ if (this._connection.state !== 'disconnected') {
+ if (!this._ended) {
+ this.end();
+ }
+ }
+};
+
+Protocol.prototype._debugPacket = function(incoming, packet) {
+ var connection = this._connection;
+ var direction = incoming
+ ? '<--'
+ : '-->';
+ var packetName = packet.constructor.name;
+ var threadId = connection && connection.threadId !== null
+ ? ' (' + connection.threadId + ')'
+ : '';
+
+ // check for debug packet restriction
+ if (Array.isArray(this._config.debug) && this._config.debug.indexOf(packetName) === -1) {
+ return;
+ }
+
+ var packetPayload = Util.inspect(packet).replace(/^[^{]+/, '');
+
+ console.log('%s%s %s %s\n', direction, threadId, packetName, packetPayload);
+};
diff --git "a/\351\231\210\351\233\204\350\276\211/\350\277\231\346\230\257\344\270\200\344\270\252\345\260\217\347\210\254\350\231\253/node_modules/mysql/lib/protocol/ResultSet.js" "b/\351\231\210\351\233\204\350\276\211/\350\277\231\346\230\257\344\270\200\344\270\252\345\260\217\347\210\254\350\231\253/node_modules/mysql/lib/protocol/ResultSet.js"
new file mode 100644
index 0000000000000000000000000000000000000000..f58d74fb21a00bba241ddd11a6e8c6fac80299a5
--- /dev/null
+++ "b/\351\231\210\351\233\204\350\276\211/\350\277\231\346\230\257\344\270\200\344\270\252\345\260\217\347\210\254\350\231\253/node_modules/mysql/lib/protocol/ResultSet.js"
@@ -0,0 +1,7 @@
+module.exports = ResultSet;
+function ResultSet(resultSetHeaderPacket) {
+ this.resultSetHeaderPacket = resultSetHeaderPacket;
+ this.fieldPackets = [];
+ this.eofPackets = [];
+ this.rows = [];
+}
diff --git "a/\351\231\210\351\233\204\350\276\211/\350\277\231\346\230\257\344\270\200\344\270\252\345\260\217\347\210\254\350\231\253/node_modules/mysql/lib/protocol/SqlString.js" "b/\351\231\210\351\233\204\350\276\211/\350\277\231\346\230\257\344\270\200\344\270\252\345\260\217\347\210\254\350\231\253/node_modules/mysql/lib/protocol/SqlString.js"
new file mode 100644
index 0000000000000000000000000000000000000000..30c63d82e310c27d2814363cfb56c37e6c6e8b72
--- /dev/null
+++ "b/\351\231\210\351\233\204\350\276\211/\350\277\231\346\230\257\344\270\200\344\270\252\345\260\217\347\210\254\350\231\253/node_modules/mysql/lib/protocol/SqlString.js"
@@ -0,0 +1 @@
+module.exports = require('sqlstring');
diff --git "a/\351\231\210\351\233\204\350\276\211/\350\277\231\346\230\257\344\270\200\344\270\252\345\260\217\347\210\254\350\231\253/node_modules/mysql/lib/protocol/Timer.js" "b/\351\231\210\351\233\204\350\276\211/\350\277\231\346\230\257\344\270\200\344\270\252\345\260\217\347\210\254\350\231\253/node_modules/mysql/lib/protocol/Timer.js"
new file mode 100644
index 0000000000000000000000000000000000000000..45ed0292fa6b66c10fd4919b5413c0181bd70e27
--- /dev/null
+++ "b/\351\231\210\351\233\204\350\276\211/\350\277\231\346\230\257\344\270\200\344\270\252\345\260\217\347\210\254\350\231\253/node_modules/mysql/lib/protocol/Timer.js"
@@ -0,0 +1,33 @@
+var Timers = require('timers');
+
+module.exports = Timer;
+function Timer(object) {
+ this._object = object;
+ this._timeout = null;
+}
+
+Timer.prototype.active = function active() {
+ if (this._timeout) {
+ if (this._timeout.refresh) {
+ this._timeout.refresh();
+ } else {
+ Timers.active(this._timeout);
+ }
+ }
+};
+
+Timer.prototype.start = function start(msecs) {
+ this.stop();
+ this._timeout = Timers.setTimeout(this._onTimeout.bind(this), msecs);
+};
+
+Timer.prototype.stop = function stop() {
+ if (this._timeout) {
+ Timers.clearTimeout(this._timeout);
+ this._timeout = null;
+ }
+};
+
+Timer.prototype._onTimeout = function _onTimeout() {
+ return this._object._onTimeout();
+};
diff --git "a/\351\231\210\351\233\204\350\276\211/\350\277\231\346\230\257\344\270\200\344\270\252\345\260\217\347\210\254\350\231\253/node_modules/mysql/lib/protocol/constants/charsets.js" "b/\351\231\210\351\233\204\350\276\211/\350\277\231\346\230\257\344\270\200\344\270\252\345\260\217\347\210\254\350\231\253/node_modules/mysql/lib/protocol/constants/charsets.js"
new file mode 100644
index 0000000000000000000000000000000000000000..98b88eac11879a240fada41e913d2a7f73de61c4
--- /dev/null
+++ "b/\351\231\210\351\233\204\350\276\211/\350\277\231\346\230\257\344\270\200\344\270\252\345\260\217\347\210\254\350\231\253/node_modules/mysql/lib/protocol/constants/charsets.js"
@@ -0,0 +1,262 @@
+exports.BIG5_CHINESE_CI = 1;
+exports.LATIN2_CZECH_CS = 2;
+exports.DEC8_SWEDISH_CI = 3;
+exports.CP850_GENERAL_CI = 4;
+exports.LATIN1_GERMAN1_CI = 5;
+exports.HP8_ENGLISH_CI = 6;
+exports.KOI8R_GENERAL_CI = 7;
+exports.LATIN1_SWEDISH_CI = 8;
+exports.LATIN2_GENERAL_CI = 9;
+exports.SWE7_SWEDISH_CI = 10;
+exports.ASCII_GENERAL_CI = 11;
+exports.UJIS_JAPANESE_CI = 12;
+exports.SJIS_JAPANESE_CI = 13;
+exports.CP1251_BULGARIAN_CI = 14;
+exports.LATIN1_DANISH_CI = 15;
+exports.HEBREW_GENERAL_CI = 16;
+exports.TIS620_THAI_CI = 18;
+exports.EUCKR_KOREAN_CI = 19;
+exports.LATIN7_ESTONIAN_CS = 20;
+exports.LATIN2_HUNGARIAN_CI = 21;
+exports.KOI8U_GENERAL_CI = 22;
+exports.CP1251_UKRAINIAN_CI = 23;
+exports.GB2312_CHINESE_CI = 24;
+exports.GREEK_GENERAL_CI = 25;
+exports.CP1250_GENERAL_CI = 26;
+exports.LATIN2_CROATIAN_CI = 27;
+exports.GBK_CHINESE_CI = 28;
+exports.CP1257_LITHUANIAN_CI = 29;
+exports.LATIN5_TURKISH_CI = 30;
+exports.LATIN1_GERMAN2_CI = 31;
+exports.ARMSCII8_GENERAL_CI = 32;
+exports.UTF8_GENERAL_CI = 33;
+exports.CP1250_CZECH_CS = 34;
+exports.UCS2_GENERAL_CI = 35;
+exports.CP866_GENERAL_CI = 36;
+exports.KEYBCS2_GENERAL_CI = 37;
+exports.MACCE_GENERAL_CI = 38;
+exports.MACROMAN_GENERAL_CI = 39;
+exports.CP852_GENERAL_CI = 40;
+exports.LATIN7_GENERAL_CI = 41;
+exports.LATIN7_GENERAL_CS = 42;
+exports.MACCE_BIN = 43;
+exports.CP1250_CROATIAN_CI = 44;
+exports.UTF8MB4_GENERAL_CI = 45;
+exports.UTF8MB4_BIN = 46;
+exports.LATIN1_BIN = 47;
+exports.LATIN1_GENERAL_CI = 48;
+exports.LATIN1_GENERAL_CS = 49;
+exports.CP1251_BIN = 50;
+exports.CP1251_GENERAL_CI = 51;
+exports.CP1251_GENERAL_CS = 52;
+exports.MACROMAN_BIN = 53;
+exports.UTF16_GENERAL_CI = 54;
+exports.UTF16_BIN = 55;
+exports.UTF16LE_GENERAL_CI = 56;
+exports.CP1256_GENERAL_CI = 57;
+exports.CP1257_BIN = 58;
+exports.CP1257_GENERAL_CI = 59;
+exports.UTF32_GENERAL_CI = 60;
+exports.UTF32_BIN = 61;
+exports.UTF16LE_BIN = 62;
+exports.BINARY = 63;
+exports.ARMSCII8_BIN = 64;
+exports.ASCII_BIN = 65;
+exports.CP1250_BIN = 66;
+exports.CP1256_BIN = 67;
+exports.CP866_BIN = 68;
+exports.DEC8_BIN = 69;
+exports.GREEK_BIN = 70;
+exports.HEBREW_BIN = 71;
+exports.HP8_BIN = 72;
+exports.KEYBCS2_BIN = 73;
+exports.KOI8R_BIN = 74;
+exports.KOI8U_BIN = 75;
+exports.LATIN2_BIN = 77;
+exports.LATIN5_BIN = 78;
+exports.LATIN7_BIN = 79;
+exports.CP850_BIN = 80;
+exports.CP852_BIN = 81;
+exports.SWE7_BIN = 82;
+exports.UTF8_BIN = 83;
+exports.BIG5_BIN = 84;
+exports.EUCKR_BIN = 85;
+exports.GB2312_BIN = 86;
+exports.GBK_BIN = 87;
+exports.SJIS_BIN = 88;
+exports.TIS620_BIN = 89;
+exports.UCS2_BIN = 90;
+exports.UJIS_BIN = 91;
+exports.GEOSTD8_GENERAL_CI = 92;
+exports.GEOSTD8_BIN = 93;
+exports.LATIN1_SPANISH_CI = 94;
+exports.CP932_JAPANESE_CI = 95;
+exports.CP932_BIN = 96;
+exports.EUCJPMS_JAPANESE_CI = 97;
+exports.EUCJPMS_BIN = 98;
+exports.CP1250_POLISH_CI = 99;
+exports.UTF16_UNICODE_CI = 101;
+exports.UTF16_ICELANDIC_CI = 102;
+exports.UTF16_LATVIAN_CI = 103;
+exports.UTF16_ROMANIAN_CI = 104;
+exports.UTF16_SLOVENIAN_CI = 105;
+exports.UTF16_POLISH_CI = 106;
+exports.UTF16_ESTONIAN_CI = 107;
+exports.UTF16_SPANISH_CI = 108;
+exports.UTF16_SWEDISH_CI = 109;
+exports.UTF16_TURKISH_CI = 110;
+exports.UTF16_CZECH_CI = 111;
+exports.UTF16_DANISH_CI = 112;
+exports.UTF16_LITHUANIAN_CI = 113;
+exports.UTF16_SLOVAK_CI = 114;
+exports.UTF16_SPANISH2_CI = 115;
+exports.UTF16_ROMAN_CI = 116;
+exports.UTF16_PERSIAN_CI = 117;
+exports.UTF16_ESPERANTO_CI = 118;
+exports.UTF16_HUNGARIAN_CI = 119;
+exports.UTF16_SINHALA_CI = 120;
+exports.UTF16_GERMAN2_CI = 121;
+exports.UTF16_CROATIAN_MYSQL561_CI = 122;
+exports.UTF16_UNICODE_520_CI = 123;
+exports.UTF16_VIETNAMESE_CI = 124;
+exports.UCS2_UNICODE_CI = 128;
+exports.UCS2_ICELANDIC_CI = 129;
+exports.UCS2_LATVIAN_CI = 130;
+exports.UCS2_ROMANIAN_CI = 131;
+exports.UCS2_SLOVENIAN_CI = 132;
+exports.UCS2_POLISH_CI = 133;
+exports.UCS2_ESTONIAN_CI = 134;
+exports.UCS2_SPANISH_CI = 135;
+exports.UCS2_SWEDISH_CI = 136;
+exports.UCS2_TURKISH_CI = 137;
+exports.UCS2_CZECH_CI = 138;
+exports.UCS2_DANISH_CI = 139;
+exports.UCS2_LITHUANIAN_CI = 140;
+exports.UCS2_SLOVAK_CI = 141;
+exports.UCS2_SPANISH2_CI = 142;
+exports.UCS2_ROMAN_CI = 143;
+exports.UCS2_PERSIAN_CI = 144;
+exports.UCS2_ESPERANTO_CI = 145;
+exports.UCS2_HUNGARIAN_CI = 146;
+exports.UCS2_SINHALA_CI = 147;
+exports.UCS2_GERMAN2_CI = 148;
+exports.UCS2_CROATIAN_MYSQL561_CI = 149;
+exports.UCS2_UNICODE_520_CI = 150;
+exports.UCS2_VIETNAMESE_CI = 151;
+exports.UCS2_GENERAL_MYSQL500_CI = 159;
+exports.UTF32_UNICODE_CI = 160;
+exports.UTF32_ICELANDIC_CI = 161;
+exports.UTF32_LATVIAN_CI = 162;
+exports.UTF32_ROMANIAN_CI = 163;
+exports.UTF32_SLOVENIAN_CI = 164;
+exports.UTF32_POLISH_CI = 165;
+exports.UTF32_ESTONIAN_CI = 166;
+exports.UTF32_SPANISH_CI = 167;
+exports.UTF32_SWEDISH_CI = 168;
+exports.UTF32_TURKISH_CI = 169;
+exports.UTF32_CZECH_CI = 170;
+exports.UTF32_DANISH_CI = 171;
+exports.UTF32_LITHUANIAN_CI = 172;
+exports.UTF32_SLOVAK_CI = 173;
+exports.UTF32_SPANISH2_CI = 174;
+exports.UTF32_ROMAN_CI = 175;
+exports.UTF32_PERSIAN_CI = 176;
+exports.UTF32_ESPERANTO_CI = 177;
+exports.UTF32_HUNGARIAN_CI = 178;
+exports.UTF32_SINHALA_CI = 179;
+exports.UTF32_GERMAN2_CI = 180;
+exports.UTF32_CROATIAN_MYSQL561_CI = 181;
+exports.UTF32_UNICODE_520_CI = 182;
+exports.UTF32_VIETNAMESE_CI = 183;
+exports.UTF8_UNICODE_CI = 192;
+exports.UTF8_ICELANDIC_CI = 193;
+exports.UTF8_LATVIAN_CI = 194;
+exports.UTF8_ROMANIAN_CI = 195;
+exports.UTF8_SLOVENIAN_CI = 196;
+exports.UTF8_POLISH_CI = 197;
+exports.UTF8_ESTONIAN_CI = 198;
+exports.UTF8_SPANISH_CI = 199;
+exports.UTF8_SWEDISH_CI = 200;
+exports.UTF8_TURKISH_CI = 201;
+exports.UTF8_CZECH_CI = 202;
+exports.UTF8_DANISH_CI = 203;
+exports.UTF8_LITHUANIAN_CI = 204;
+exports.UTF8_SLOVAK_CI = 205;
+exports.UTF8_SPANISH2_CI = 206;
+exports.UTF8_ROMAN_CI = 207;
+exports.UTF8_PERSIAN_CI = 208;
+exports.UTF8_ESPERANTO_CI = 209;
+exports.UTF8_HUNGARIAN_CI = 210;
+exports.UTF8_SINHALA_CI = 211;
+exports.UTF8_GERMAN2_CI = 212;
+exports.UTF8_CROATIAN_MYSQL561_CI = 213;
+exports.UTF8_UNICODE_520_CI = 214;
+exports.UTF8_VIETNAMESE_CI = 215;
+exports.UTF8_GENERAL_MYSQL500_CI = 223;
+exports.UTF8MB4_UNICODE_CI = 224;
+exports.UTF8MB4_ICELANDIC_CI = 225;
+exports.UTF8MB4_LATVIAN_CI = 226;
+exports.UTF8MB4_ROMANIAN_CI = 227;
+exports.UTF8MB4_SLOVENIAN_CI = 228;
+exports.UTF8MB4_POLISH_CI = 229;
+exports.UTF8MB4_ESTONIAN_CI = 230;
+exports.UTF8MB4_SPANISH_CI = 231;
+exports.UTF8MB4_SWEDISH_CI = 232;
+exports.UTF8MB4_TURKISH_CI = 233;
+exports.UTF8MB4_CZECH_CI = 234;
+exports.UTF8MB4_DANISH_CI = 235;
+exports.UTF8MB4_LITHUANIAN_CI = 236;
+exports.UTF8MB4_SLOVAK_CI = 237;
+exports.UTF8MB4_SPANISH2_CI = 238;
+exports.UTF8MB4_ROMAN_CI = 239;
+exports.UTF8MB4_PERSIAN_CI = 240;
+exports.UTF8MB4_ESPERANTO_CI = 241;
+exports.UTF8MB4_HUNGARIAN_CI = 242;
+exports.UTF8MB4_SINHALA_CI = 243;
+exports.UTF8MB4_GERMAN2_CI = 244;
+exports.UTF8MB4_CROATIAN_MYSQL561_CI = 245;
+exports.UTF8MB4_UNICODE_520_CI = 246;
+exports.UTF8MB4_VIETNAMESE_CI = 247;
+exports.UTF8_GENERAL50_CI = 253;
+
+// short aliases
+exports.ARMSCII8 = exports.ARMSCII8_GENERAL_CI;
+exports.ASCII = exports.ASCII_GENERAL_CI;
+exports.BIG5 = exports.BIG5_CHINESE_CI;
+exports.BINARY = exports.BINARY;
+exports.CP1250 = exports.CP1250_GENERAL_CI;
+exports.CP1251 = exports.CP1251_GENERAL_CI;
+exports.CP1256 = exports.CP1256_GENERAL_CI;
+exports.CP1257 = exports.CP1257_GENERAL_CI;
+exports.CP866 = exports.CP866_GENERAL_CI;
+exports.CP850 = exports.CP850_GENERAL_CI;
+exports.CP852 = exports.CP852_GENERAL_CI;
+exports.CP932 = exports.CP932_JAPANESE_CI;
+exports.DEC8 = exports.DEC8_SWEDISH_CI;
+exports.EUCJPMS = exports.EUCJPMS_JAPANESE_CI;
+exports.EUCKR = exports.EUCKR_KOREAN_CI;
+exports.GB2312 = exports.GB2312_CHINESE_CI;
+exports.GBK = exports.GBK_CHINESE_CI;
+exports.GEOSTD8 = exports.GEOSTD8_GENERAL_CI;
+exports.GREEK = exports.GREEK_GENERAL_CI;
+exports.HEBREW = exports.HEBREW_GENERAL_CI;
+exports.HP8 = exports.HP8_ENGLISH_CI;
+exports.KEYBCS2 = exports.KEYBCS2_GENERAL_CI;
+exports.KOI8R = exports.KOI8R_GENERAL_CI;
+exports.KOI8U = exports.KOI8U_GENERAL_CI;
+exports.LATIN1 = exports.LATIN1_SWEDISH_CI;
+exports.LATIN2 = exports.LATIN2_GENERAL_CI;
+exports.LATIN5 = exports.LATIN5_TURKISH_CI;
+exports.LATIN7 = exports.LATIN7_GENERAL_CI;
+exports.MACCE = exports.MACCE_GENERAL_CI;
+exports.MACROMAN = exports.MACROMAN_GENERAL_CI;
+exports.SJIS = exports.SJIS_JAPANESE_CI;
+exports.SWE7 = exports.SWE7_SWEDISH_CI;
+exports.TIS620 = exports.TIS620_THAI_CI;
+exports.UCS2 = exports.UCS2_GENERAL_CI;
+exports.UJIS = exports.UJIS_JAPANESE_CI;
+exports.UTF16 = exports.UTF16_GENERAL_CI;
+exports.UTF16LE = exports.UTF16LE_GENERAL_CI;
+exports.UTF8 = exports.UTF8_GENERAL_CI;
+exports.UTF8MB4 = exports.UTF8MB4_GENERAL_CI;
+exports.UTF32 = exports.UTF32_GENERAL_CI;
diff --git "a/\351\231\210\351\233\204\350\276\211/\350\277\231\346\230\257\344\270\200\344\270\252\345\260\217\347\210\254\350\231\253/node_modules/mysql/lib/protocol/constants/client.js" "b/\351\231\210\351\233\204\350\276\211/\350\277\231\346\230\257\344\270\200\344\270\252\345\260\217\347\210\254\350\231\253/node_modules/mysql/lib/protocol/constants/client.js"
new file mode 100644
index 0000000000000000000000000000000000000000..59aadc609ee832dab6e71beeaae6145b16a4bc1a
--- /dev/null
+++ "b/\351\231\210\351\233\204\350\276\211/\350\277\231\346\230\257\344\270\200\344\270\252\345\260\217\347\210\254\350\231\253/node_modules/mysql/lib/protocol/constants/client.js"
@@ -0,0 +1,26 @@
+// Manually extracted from mysql-5.5.23/include/mysql_com.h
+exports.CLIENT_LONG_PASSWORD = 1; /* new more secure passwords */
+exports.CLIENT_FOUND_ROWS = 2; /* Found instead of affected rows */
+exports.CLIENT_LONG_FLAG = 4; /* Get all column flags */
+exports.CLIENT_CONNECT_WITH_DB = 8; /* One can specify db on connect */
+exports.CLIENT_NO_SCHEMA = 16; /* Don't allow database.table.column */
+exports.CLIENT_COMPRESS = 32; /* Can use compression protocol */
+exports.CLIENT_ODBC = 64; /* Odbc client */
+exports.CLIENT_LOCAL_FILES = 128; /* Can use LOAD DATA LOCAL */
+exports.CLIENT_IGNORE_SPACE = 256; /* Ignore spaces before '(' */
+exports.CLIENT_PROTOCOL_41 = 512; /* New 4.1 protocol */
+exports.CLIENT_INTERACTIVE = 1024; /* This is an interactive client */
+exports.CLIENT_SSL = 2048; /* Switch to SSL after handshake */
+exports.CLIENT_IGNORE_SIGPIPE = 4096; /* IGNORE sigpipes */
+exports.CLIENT_TRANSACTIONS = 8192; /* Client knows about transactions */
+exports.CLIENT_RESERVED = 16384; /* Old flag for 4.1 protocol */
+exports.CLIENT_SECURE_CONNECTION = 32768; /* New 4.1 authentication */
+
+exports.CLIENT_MULTI_STATEMENTS = 65536; /* Enable/disable multi-stmt support */
+exports.CLIENT_MULTI_RESULTS = 131072; /* Enable/disable multi-results */
+exports.CLIENT_PS_MULTI_RESULTS = 262144; /* Multi-results in PS-protocol */
+
+exports.CLIENT_PLUGIN_AUTH = 524288; /* Client supports plugin authentication */
+
+exports.CLIENT_SSL_VERIFY_SERVER_CERT = 1073741824;
+exports.CLIENT_REMEMBER_OPTIONS = 2147483648;
diff --git "a/\351\231\210\351\233\204\350\276\211/\350\277\231\346\230\257\344\270\200\344\270\252\345\260\217\347\210\254\350\231\253/node_modules/mysql/lib/protocol/constants/errors.js" "b/\351\231\210\351\233\204\350\276\211/\350\277\231\346\230\257\344\270\200\344\270\252\345\260\217\347\210\254\350\231\253/node_modules/mysql/lib/protocol/constants/errors.js"
new file mode 100644
index 0000000000000000000000000000000000000000..e75774183af1cc561974377721a056cf233707e4
--- /dev/null
+++ "b/\351\231\210\351\233\204\350\276\211/\350\277\231\346\230\257\344\270\200\344\270\252\345\260\217\347\210\254\350\231\253/node_modules/mysql/lib/protocol/constants/errors.js"
@@ -0,0 +1,2476 @@
+/**
+ * MySQL error constants
+ *
+ * Extracted from version 5.7.29
+ *
+ * !! Generated by generate-error-constants.js, do not modify by hand !!
+ */
+
+exports.EE_CANTCREATEFILE = 1;
+exports.EE_READ = 2;
+exports.EE_WRITE = 3;
+exports.EE_BADCLOSE = 4;
+exports.EE_OUTOFMEMORY = 5;
+exports.EE_DELETE = 6;
+exports.EE_LINK = 7;
+exports.EE_EOFERR = 9;
+exports.EE_CANTLOCK = 10;
+exports.EE_CANTUNLOCK = 11;
+exports.EE_DIR = 12;
+exports.EE_STAT = 13;
+exports.EE_CANT_CHSIZE = 14;
+exports.EE_CANT_OPEN_STREAM = 15;
+exports.EE_GETWD = 16;
+exports.EE_SETWD = 17;
+exports.EE_LINK_WARNING = 18;
+exports.EE_OPEN_WARNING = 19;
+exports.EE_DISK_FULL = 20;
+exports.EE_CANT_MKDIR = 21;
+exports.EE_UNKNOWN_CHARSET = 22;
+exports.EE_OUT_OF_FILERESOURCES = 23;
+exports.EE_CANT_READLINK = 24;
+exports.EE_CANT_SYMLINK = 25;
+exports.EE_REALPATH = 26;
+exports.EE_SYNC = 27;
+exports.EE_UNKNOWN_COLLATION = 28;
+exports.EE_FILENOTFOUND = 29;
+exports.EE_FILE_NOT_CLOSED = 30;
+exports.EE_CHANGE_OWNERSHIP = 31;
+exports.EE_CHANGE_PERMISSIONS = 32;
+exports.EE_CANT_SEEK = 33;
+exports.EE_CAPACITY_EXCEEDED = 34;
+exports.HA_ERR_KEY_NOT_FOUND = 120;
+exports.HA_ERR_FOUND_DUPP_KEY = 121;
+exports.HA_ERR_INTERNAL_ERROR = 122;
+exports.HA_ERR_RECORD_CHANGED = 123;
+exports.HA_ERR_WRONG_INDEX = 124;
+exports.HA_ERR_CRASHED = 126;
+exports.HA_ERR_WRONG_IN_RECORD = 127;
+exports.HA_ERR_OUT_OF_MEM = 128;
+exports.HA_ERR_NOT_A_TABLE = 130;
+exports.HA_ERR_WRONG_COMMAND = 131;
+exports.HA_ERR_OLD_FILE = 132;
+exports.HA_ERR_NO_ACTIVE_RECORD = 133;
+exports.HA_ERR_RECORD_DELETED = 134;
+exports.HA_ERR_RECORD_FILE_FULL = 135;
+exports.HA_ERR_INDEX_FILE_FULL = 136;
+exports.HA_ERR_END_OF_FILE = 137;
+exports.HA_ERR_UNSUPPORTED = 138;
+exports.HA_ERR_TOO_BIG_ROW = 139;
+exports.HA_WRONG_CREATE_OPTION = 140;
+exports.HA_ERR_FOUND_DUPP_UNIQUE = 141;
+exports.HA_ERR_UNKNOWN_CHARSET = 142;
+exports.HA_ERR_WRONG_MRG_TABLE_DEF = 143;
+exports.HA_ERR_CRASHED_ON_REPAIR = 144;
+exports.HA_ERR_CRASHED_ON_USAGE = 145;
+exports.HA_ERR_LOCK_WAIT_TIMEOUT = 146;
+exports.HA_ERR_LOCK_TABLE_FULL = 147;
+exports.HA_ERR_READ_ONLY_TRANSACTION = 148;
+exports.HA_ERR_LOCK_DEADLOCK = 149;
+exports.HA_ERR_CANNOT_ADD_FOREIGN = 150;
+exports.HA_ERR_NO_REFERENCED_ROW = 151;
+exports.HA_ERR_ROW_IS_REFERENCED = 152;
+exports.HA_ERR_NO_SAVEPOINT = 153;
+exports.HA_ERR_NON_UNIQUE_BLOCK_SIZE = 154;
+exports.HA_ERR_NO_SUCH_TABLE = 155;
+exports.HA_ERR_TABLE_EXIST = 156;
+exports.HA_ERR_NO_CONNECTION = 157;
+exports.HA_ERR_NULL_IN_SPATIAL = 158;
+exports.HA_ERR_TABLE_DEF_CHANGED = 159;
+exports.HA_ERR_NO_PARTITION_FOUND = 160;
+exports.HA_ERR_RBR_LOGGING_FAILED = 161;
+exports.HA_ERR_DROP_INDEX_FK = 162;
+exports.HA_ERR_FOREIGN_DUPLICATE_KEY = 163;
+exports.HA_ERR_TABLE_NEEDS_UPGRADE = 164;
+exports.HA_ERR_TABLE_READONLY = 165;
+exports.HA_ERR_AUTOINC_READ_FAILED = 166;
+exports.HA_ERR_AUTOINC_ERANGE = 167;
+exports.HA_ERR_GENERIC = 168;
+exports.HA_ERR_RECORD_IS_THE_SAME = 169;
+exports.HA_ERR_LOGGING_IMPOSSIBLE = 170;
+exports.HA_ERR_CORRUPT_EVENT = 171;
+exports.HA_ERR_NEW_FILE = 172;
+exports.HA_ERR_ROWS_EVENT_APPLY = 173;
+exports.HA_ERR_INITIALIZATION = 174;
+exports.HA_ERR_FILE_TOO_SHORT = 175;
+exports.HA_ERR_WRONG_CRC = 176;
+exports.HA_ERR_TOO_MANY_CONCURRENT_TRXS = 177;
+exports.HA_ERR_NOT_IN_LOCK_PARTITIONS = 178;
+exports.HA_ERR_INDEX_COL_TOO_LONG = 179;
+exports.HA_ERR_INDEX_CORRUPT = 180;
+exports.HA_ERR_UNDO_REC_TOO_BIG = 181;
+exports.HA_FTS_INVALID_DOCID = 182;
+exports.HA_ERR_TABLE_IN_FK_CHECK = 183;
+exports.HA_ERR_TABLESPACE_EXISTS = 184;
+exports.HA_ERR_TOO_MANY_FIELDS = 185;
+exports.HA_ERR_ROW_IN_WRONG_PARTITION = 186;
+exports.HA_ERR_INNODB_READ_ONLY = 187;
+exports.HA_ERR_FTS_EXCEED_RESULT_CACHE_LIMIT = 188;
+exports.HA_ERR_TEMP_FILE_WRITE_FAILURE = 189;
+exports.HA_ERR_INNODB_FORCED_RECOVERY = 190;
+exports.HA_ERR_FTS_TOO_MANY_WORDS_IN_PHRASE = 191;
+exports.HA_ERR_FK_DEPTH_EXCEEDED = 192;
+exports.HA_MISSING_CREATE_OPTION = 193;
+exports.HA_ERR_SE_OUT_OF_MEMORY = 194;
+exports.HA_ERR_TABLE_CORRUPT = 195;
+exports.HA_ERR_QUERY_INTERRUPTED = 196;
+exports.HA_ERR_TABLESPACE_MISSING = 197;
+exports.HA_ERR_TABLESPACE_IS_NOT_EMPTY = 198;
+exports.HA_ERR_WRONG_FILE_NAME = 199;
+exports.HA_ERR_NOT_ALLOWED_COMMAND = 200;
+exports.HA_ERR_COMPUTE_FAILED = 201;
+exports.ER_HASHCHK = 1000;
+exports.ER_NISAMCHK = 1001;
+exports.ER_NO = 1002;
+exports.ER_YES = 1003;
+exports.ER_CANT_CREATE_FILE = 1004;
+exports.ER_CANT_CREATE_TABLE = 1005;
+exports.ER_CANT_CREATE_DB = 1006;
+exports.ER_DB_CREATE_EXISTS = 1007;
+exports.ER_DB_DROP_EXISTS = 1008;
+exports.ER_DB_DROP_DELETE = 1009;
+exports.ER_DB_DROP_RMDIR = 1010;
+exports.ER_CANT_DELETE_FILE = 1011;
+exports.ER_CANT_FIND_SYSTEM_REC = 1012;
+exports.ER_CANT_GET_STAT = 1013;
+exports.ER_CANT_GET_WD = 1014;
+exports.ER_CANT_LOCK = 1015;
+exports.ER_CANT_OPEN_FILE = 1016;
+exports.ER_FILE_NOT_FOUND = 1017;
+exports.ER_CANT_READ_DIR = 1018;
+exports.ER_CANT_SET_WD = 1019;
+exports.ER_CHECKREAD = 1020;
+exports.ER_DISK_FULL = 1021;
+exports.ER_DUP_KEY = 1022;
+exports.ER_ERROR_ON_CLOSE = 1023;
+exports.ER_ERROR_ON_READ = 1024;
+exports.ER_ERROR_ON_RENAME = 1025;
+exports.ER_ERROR_ON_WRITE = 1026;
+exports.ER_FILE_USED = 1027;
+exports.ER_FILSORT_ABORT = 1028;
+exports.ER_FORM_NOT_FOUND = 1029;
+exports.ER_GET_ERRNO = 1030;
+exports.ER_ILLEGAL_HA = 1031;
+exports.ER_KEY_NOT_FOUND = 1032;
+exports.ER_NOT_FORM_FILE = 1033;
+exports.ER_NOT_KEYFILE = 1034;
+exports.ER_OLD_KEYFILE = 1035;
+exports.ER_OPEN_AS_READONLY = 1036;
+exports.ER_OUTOFMEMORY = 1037;
+exports.ER_OUT_OF_SORTMEMORY = 1038;
+exports.ER_UNEXPECTED_EOF = 1039;
+exports.ER_CON_COUNT_ERROR = 1040;
+exports.ER_OUT_OF_RESOURCES = 1041;
+exports.ER_BAD_HOST_ERROR = 1042;
+exports.ER_HANDSHAKE_ERROR = 1043;
+exports.ER_DBACCESS_DENIED_ERROR = 1044;
+exports.ER_ACCESS_DENIED_ERROR = 1045;
+exports.ER_NO_DB_ERROR = 1046;
+exports.ER_UNKNOWN_COM_ERROR = 1047;
+exports.ER_BAD_NULL_ERROR = 1048;
+exports.ER_BAD_DB_ERROR = 1049;
+exports.ER_TABLE_EXISTS_ERROR = 1050;
+exports.ER_BAD_TABLE_ERROR = 1051;
+exports.ER_NON_UNIQ_ERROR = 1052;
+exports.ER_SERVER_SHUTDOWN = 1053;
+exports.ER_BAD_FIELD_ERROR = 1054;
+exports.ER_WRONG_FIELD_WITH_GROUP = 1055;
+exports.ER_WRONG_GROUP_FIELD = 1056;
+exports.ER_WRONG_SUM_SELECT = 1057;
+exports.ER_WRONG_VALUE_COUNT = 1058;
+exports.ER_TOO_LONG_IDENT = 1059;
+exports.ER_DUP_FIELDNAME = 1060;
+exports.ER_DUP_KEYNAME = 1061;
+exports.ER_DUP_ENTRY = 1062;
+exports.ER_WRONG_FIELD_SPEC = 1063;
+exports.ER_PARSE_ERROR = 1064;
+exports.ER_EMPTY_QUERY = 1065;
+exports.ER_NONUNIQ_TABLE = 1066;
+exports.ER_INVALID_DEFAULT = 1067;
+exports.ER_MULTIPLE_PRI_KEY = 1068;
+exports.ER_TOO_MANY_KEYS = 1069;
+exports.ER_TOO_MANY_KEY_PARTS = 1070;
+exports.ER_TOO_LONG_KEY = 1071;
+exports.ER_KEY_COLUMN_DOES_NOT_EXITS = 1072;
+exports.ER_BLOB_USED_AS_KEY = 1073;
+exports.ER_TOO_BIG_FIELDLENGTH = 1074;
+exports.ER_WRONG_AUTO_KEY = 1075;
+exports.ER_READY = 1076;
+exports.ER_NORMAL_SHUTDOWN = 1077;
+exports.ER_GOT_SIGNAL = 1078;
+exports.ER_SHUTDOWN_COMPLETE = 1079;
+exports.ER_FORCING_CLOSE = 1080;
+exports.ER_IPSOCK_ERROR = 1081;
+exports.ER_NO_SUCH_INDEX = 1082;
+exports.ER_WRONG_FIELD_TERMINATORS = 1083;
+exports.ER_BLOBS_AND_NO_TERMINATED = 1084;
+exports.ER_TEXTFILE_NOT_READABLE = 1085;
+exports.ER_FILE_EXISTS_ERROR = 1086;
+exports.ER_LOAD_INFO = 1087;
+exports.ER_ALTER_INFO = 1088;
+exports.ER_WRONG_SUB_KEY = 1089;
+exports.ER_CANT_REMOVE_ALL_FIELDS = 1090;
+exports.ER_CANT_DROP_FIELD_OR_KEY = 1091;
+exports.ER_INSERT_INFO = 1092;
+exports.ER_UPDATE_TABLE_USED = 1093;
+exports.ER_NO_SUCH_THREAD = 1094;
+exports.ER_KILL_DENIED_ERROR = 1095;
+exports.ER_NO_TABLES_USED = 1096;
+exports.ER_TOO_BIG_SET = 1097;
+exports.ER_NO_UNIQUE_LOGFILE = 1098;
+exports.ER_TABLE_NOT_LOCKED_FOR_WRITE = 1099;
+exports.ER_TABLE_NOT_LOCKED = 1100;
+exports.ER_BLOB_CANT_HAVE_DEFAULT = 1101;
+exports.ER_WRONG_DB_NAME = 1102;
+exports.ER_WRONG_TABLE_NAME = 1103;
+exports.ER_TOO_BIG_SELECT = 1104;
+exports.ER_UNKNOWN_ERROR = 1105;
+exports.ER_UNKNOWN_PROCEDURE = 1106;
+exports.ER_WRONG_PARAMCOUNT_TO_PROCEDURE = 1107;
+exports.ER_WRONG_PARAMETERS_TO_PROCEDURE = 1108;
+exports.ER_UNKNOWN_TABLE = 1109;
+exports.ER_FIELD_SPECIFIED_TWICE = 1110;
+exports.ER_INVALID_GROUP_FUNC_USE = 1111;
+exports.ER_UNSUPPORTED_EXTENSION = 1112;
+exports.ER_TABLE_MUST_HAVE_COLUMNS = 1113;
+exports.ER_RECORD_FILE_FULL = 1114;
+exports.ER_UNKNOWN_CHARACTER_SET = 1115;
+exports.ER_TOO_MANY_TABLES = 1116;
+exports.ER_TOO_MANY_FIELDS = 1117;
+exports.ER_TOO_BIG_ROWSIZE = 1118;
+exports.ER_STACK_OVERRUN = 1119;
+exports.ER_WRONG_OUTER_JOIN = 1120;
+exports.ER_NULL_COLUMN_IN_INDEX = 1121;
+exports.ER_CANT_FIND_UDF = 1122;
+exports.ER_CANT_INITIALIZE_UDF = 1123;
+exports.ER_UDF_NO_PATHS = 1124;
+exports.ER_UDF_EXISTS = 1125;
+exports.ER_CANT_OPEN_LIBRARY = 1126;
+exports.ER_CANT_FIND_DL_ENTRY = 1127;
+exports.ER_FUNCTION_NOT_DEFINED = 1128;
+exports.ER_HOST_IS_BLOCKED = 1129;
+exports.ER_HOST_NOT_PRIVILEGED = 1130;
+exports.ER_PASSWORD_ANONYMOUS_USER = 1131;
+exports.ER_PASSWORD_NOT_ALLOWED = 1132;
+exports.ER_PASSWORD_NO_MATCH = 1133;
+exports.ER_UPDATE_INFO = 1134;
+exports.ER_CANT_CREATE_THREAD = 1135;
+exports.ER_WRONG_VALUE_COUNT_ON_ROW = 1136;
+exports.ER_CANT_REOPEN_TABLE = 1137;
+exports.ER_INVALID_USE_OF_NULL = 1138;
+exports.ER_REGEXP_ERROR = 1139;
+exports.ER_MIX_OF_GROUP_FUNC_AND_FIELDS = 1140;
+exports.ER_NONEXISTING_GRANT = 1141;
+exports.ER_TABLEACCESS_DENIED_ERROR = 1142;
+exports.ER_COLUMNACCESS_DENIED_ERROR = 1143;
+exports.ER_ILLEGAL_GRANT_FOR_TABLE = 1144;
+exports.ER_GRANT_WRONG_HOST_OR_USER = 1145;
+exports.ER_NO_SUCH_TABLE = 1146;
+exports.ER_NONEXISTING_TABLE_GRANT = 1147;
+exports.ER_NOT_ALLOWED_COMMAND = 1148;
+exports.ER_SYNTAX_ERROR = 1149;
+exports.ER_DELAYED_CANT_CHANGE_LOCK = 1150;
+exports.ER_TOO_MANY_DELAYED_THREADS = 1151;
+exports.ER_ABORTING_CONNECTION = 1152;
+exports.ER_NET_PACKET_TOO_LARGE = 1153;
+exports.ER_NET_READ_ERROR_FROM_PIPE = 1154;
+exports.ER_NET_FCNTL_ERROR = 1155;
+exports.ER_NET_PACKETS_OUT_OF_ORDER = 1156;
+exports.ER_NET_UNCOMPRESS_ERROR = 1157;
+exports.ER_NET_READ_ERROR = 1158;
+exports.ER_NET_READ_INTERRUPTED = 1159;
+exports.ER_NET_ERROR_ON_WRITE = 1160;
+exports.ER_NET_WRITE_INTERRUPTED = 1161;
+exports.ER_TOO_LONG_STRING = 1162;
+exports.ER_TABLE_CANT_HANDLE_BLOB = 1163;
+exports.ER_TABLE_CANT_HANDLE_AUTO_INCREMENT = 1164;
+exports.ER_DELAYED_INSERT_TABLE_LOCKED = 1165;
+exports.ER_WRONG_COLUMN_NAME = 1166;
+exports.ER_WRONG_KEY_COLUMN = 1167;
+exports.ER_WRONG_MRG_TABLE = 1168;
+exports.ER_DUP_UNIQUE = 1169;
+exports.ER_BLOB_KEY_WITHOUT_LENGTH = 1170;
+exports.ER_PRIMARY_CANT_HAVE_NULL = 1171;
+exports.ER_TOO_MANY_ROWS = 1172;
+exports.ER_REQUIRES_PRIMARY_KEY = 1173;
+exports.ER_NO_RAID_COMPILED = 1174;
+exports.ER_UPDATE_WITHOUT_KEY_IN_SAFE_MODE = 1175;
+exports.ER_KEY_DOES_NOT_EXITS = 1176;
+exports.ER_CHECK_NO_SUCH_TABLE = 1177;
+exports.ER_CHECK_NOT_IMPLEMENTED = 1178;
+exports.ER_CANT_DO_THIS_DURING_AN_TRANSACTION = 1179;
+exports.ER_ERROR_DURING_COMMIT = 1180;
+exports.ER_ERROR_DURING_ROLLBACK = 1181;
+exports.ER_ERROR_DURING_FLUSH_LOGS = 1182;
+exports.ER_ERROR_DURING_CHECKPOINT = 1183;
+exports.ER_NEW_ABORTING_CONNECTION = 1184;
+exports.ER_DUMP_NOT_IMPLEMENTED = 1185;
+exports.ER_FLUSH_MASTER_BINLOG_CLOSED = 1186;
+exports.ER_INDEX_REBUILD = 1187;
+exports.ER_MASTER = 1188;
+exports.ER_MASTER_NET_READ = 1189;
+exports.ER_MASTER_NET_WRITE = 1190;
+exports.ER_FT_MATCHING_KEY_NOT_FOUND = 1191;
+exports.ER_LOCK_OR_ACTIVE_TRANSACTION = 1192;
+exports.ER_UNKNOWN_SYSTEM_VARIABLE = 1193;
+exports.ER_CRASHED_ON_USAGE = 1194;
+exports.ER_CRASHED_ON_REPAIR = 1195;
+exports.ER_WARNING_NOT_COMPLETE_ROLLBACK = 1196;
+exports.ER_TRANS_CACHE_FULL = 1197;
+exports.ER_SLAVE_MUST_STOP = 1198;
+exports.ER_SLAVE_NOT_RUNNING = 1199;
+exports.ER_BAD_SLAVE = 1200;
+exports.ER_MASTER_INFO = 1201;
+exports.ER_SLAVE_THREAD = 1202;
+exports.ER_TOO_MANY_USER_CONNECTIONS = 1203;
+exports.ER_SET_CONSTANTS_ONLY = 1204;
+exports.ER_LOCK_WAIT_TIMEOUT = 1205;
+exports.ER_LOCK_TABLE_FULL = 1206;
+exports.ER_READ_ONLY_TRANSACTION = 1207;
+exports.ER_DROP_DB_WITH_READ_LOCK = 1208;
+exports.ER_CREATE_DB_WITH_READ_LOCK = 1209;
+exports.ER_WRONG_ARGUMENTS = 1210;
+exports.ER_NO_PERMISSION_TO_CREATE_USER = 1211;
+exports.ER_UNION_TABLES_IN_DIFFERENT_DIR = 1212;
+exports.ER_LOCK_DEADLOCK = 1213;
+exports.ER_TABLE_CANT_HANDLE_FT = 1214;
+exports.ER_CANNOT_ADD_FOREIGN = 1215;
+exports.ER_NO_REFERENCED_ROW = 1216;
+exports.ER_ROW_IS_REFERENCED = 1217;
+exports.ER_CONNECT_TO_MASTER = 1218;
+exports.ER_QUERY_ON_MASTER = 1219;
+exports.ER_ERROR_WHEN_EXECUTING_COMMAND = 1220;
+exports.ER_WRONG_USAGE = 1221;
+exports.ER_WRONG_NUMBER_OF_COLUMNS_IN_SELECT = 1222;
+exports.ER_CANT_UPDATE_WITH_READLOCK = 1223;
+exports.ER_MIXING_NOT_ALLOWED = 1224;
+exports.ER_DUP_ARGUMENT = 1225;
+exports.ER_USER_LIMIT_REACHED = 1226;
+exports.ER_SPECIFIC_ACCESS_DENIED_ERROR = 1227;
+exports.ER_LOCAL_VARIABLE = 1228;
+exports.ER_GLOBAL_VARIABLE = 1229;
+exports.ER_NO_DEFAULT = 1230;
+exports.ER_WRONG_VALUE_FOR_VAR = 1231;
+exports.ER_WRONG_TYPE_FOR_VAR = 1232;
+exports.ER_VAR_CANT_BE_READ = 1233;
+exports.ER_CANT_USE_OPTION_HERE = 1234;
+exports.ER_NOT_SUPPORTED_YET = 1235;
+exports.ER_MASTER_FATAL_ERROR_READING_BINLOG = 1236;
+exports.ER_SLAVE_IGNORED_TABLE = 1237;
+exports.ER_INCORRECT_GLOBAL_LOCAL_VAR = 1238;
+exports.ER_WRONG_FK_DEF = 1239;
+exports.ER_KEY_REF_DO_NOT_MATCH_TABLE_REF = 1240;
+exports.ER_OPERAND_COLUMNS = 1241;
+exports.ER_SUBQUERY_NO_1_ROW = 1242;
+exports.ER_UNKNOWN_STMT_HANDLER = 1243;
+exports.ER_CORRUPT_HELP_DB = 1244;
+exports.ER_CYCLIC_REFERENCE = 1245;
+exports.ER_AUTO_CONVERT = 1246;
+exports.ER_ILLEGAL_REFERENCE = 1247;
+exports.ER_DERIVED_MUST_HAVE_ALIAS = 1248;
+exports.ER_SELECT_REDUCED = 1249;
+exports.ER_TABLENAME_NOT_ALLOWED_HERE = 1250;
+exports.ER_NOT_SUPPORTED_AUTH_MODE = 1251;
+exports.ER_SPATIAL_CANT_HAVE_NULL = 1252;
+exports.ER_COLLATION_CHARSET_MISMATCH = 1253;
+exports.ER_SLAVE_WAS_RUNNING = 1254;
+exports.ER_SLAVE_WAS_NOT_RUNNING = 1255;
+exports.ER_TOO_BIG_FOR_UNCOMPRESS = 1256;
+exports.ER_ZLIB_Z_MEM_ERROR = 1257;
+exports.ER_ZLIB_Z_BUF_ERROR = 1258;
+exports.ER_ZLIB_Z_DATA_ERROR = 1259;
+exports.ER_CUT_VALUE_GROUP_CONCAT = 1260;
+exports.ER_WARN_TOO_FEW_RECORDS = 1261;
+exports.ER_WARN_TOO_MANY_RECORDS = 1262;
+exports.ER_WARN_NULL_TO_NOTNULL = 1263;
+exports.ER_WARN_DATA_OUT_OF_RANGE = 1264;
+exports.WARN_DATA_TRUNCATED = 1265;
+exports.ER_WARN_USING_OTHER_HANDLER = 1266;
+exports.ER_CANT_AGGREGATE_2COLLATIONS = 1267;
+exports.ER_DROP_USER = 1268;
+exports.ER_REVOKE_GRANTS = 1269;
+exports.ER_CANT_AGGREGATE_3COLLATIONS = 1270;
+exports.ER_CANT_AGGREGATE_NCOLLATIONS = 1271;
+exports.ER_VARIABLE_IS_NOT_STRUCT = 1272;
+exports.ER_UNKNOWN_COLLATION = 1273;
+exports.ER_SLAVE_IGNORED_SSL_PARAMS = 1274;
+exports.ER_SERVER_IS_IN_SECURE_AUTH_MODE = 1275;
+exports.ER_WARN_FIELD_RESOLVED = 1276;
+exports.ER_BAD_SLAVE_UNTIL_COND = 1277;
+exports.ER_MISSING_SKIP_SLAVE = 1278;
+exports.ER_UNTIL_COND_IGNORED = 1279;
+exports.ER_WRONG_NAME_FOR_INDEX = 1280;
+exports.ER_WRONG_NAME_FOR_CATALOG = 1281;
+exports.ER_WARN_QC_RESIZE = 1282;
+exports.ER_BAD_FT_COLUMN = 1283;
+exports.ER_UNKNOWN_KEY_CACHE = 1284;
+exports.ER_WARN_HOSTNAME_WONT_WORK = 1285;
+exports.ER_UNKNOWN_STORAGE_ENGINE = 1286;
+exports.ER_WARN_DEPRECATED_SYNTAX = 1287;
+exports.ER_NON_UPDATABLE_TABLE = 1288;
+exports.ER_FEATURE_DISABLED = 1289;
+exports.ER_OPTION_PREVENTS_STATEMENT = 1290;
+exports.ER_DUPLICATED_VALUE_IN_TYPE = 1291;
+exports.ER_TRUNCATED_WRONG_VALUE = 1292;
+exports.ER_TOO_MUCH_AUTO_TIMESTAMP_COLS = 1293;
+exports.ER_INVALID_ON_UPDATE = 1294;
+exports.ER_UNSUPPORTED_PS = 1295;
+exports.ER_GET_ERRMSG = 1296;
+exports.ER_GET_TEMPORARY_ERRMSG = 1297;
+exports.ER_UNKNOWN_TIME_ZONE = 1298;
+exports.ER_WARN_INVALID_TIMESTAMP = 1299;
+exports.ER_INVALID_CHARACTER_STRING = 1300;
+exports.ER_WARN_ALLOWED_PACKET_OVERFLOWED = 1301;
+exports.ER_CONFLICTING_DECLARATIONS = 1302;
+exports.ER_SP_NO_RECURSIVE_CREATE = 1303;
+exports.ER_SP_ALREADY_EXISTS = 1304;
+exports.ER_SP_DOES_NOT_EXIST = 1305;
+exports.ER_SP_DROP_FAILED = 1306;
+exports.ER_SP_STORE_FAILED = 1307;
+exports.ER_SP_LILABEL_MISMATCH = 1308;
+exports.ER_SP_LABEL_REDEFINE = 1309;
+exports.ER_SP_LABEL_MISMATCH = 1310;
+exports.ER_SP_UNINIT_VAR = 1311;
+exports.ER_SP_BADSELECT = 1312;
+exports.ER_SP_BADRETURN = 1313;
+exports.ER_SP_BADSTATEMENT = 1314;
+exports.ER_UPDATE_LOG_DEPRECATED_IGNORED = 1315;
+exports.ER_UPDATE_LOG_DEPRECATED_TRANSLATED = 1316;
+exports.ER_QUERY_INTERRUPTED = 1317;
+exports.ER_SP_WRONG_NO_OF_ARGS = 1318;
+exports.ER_SP_COND_MISMATCH = 1319;
+exports.ER_SP_NORETURN = 1320;
+exports.ER_SP_NORETURNEND = 1321;
+exports.ER_SP_BAD_CURSOR_QUERY = 1322;
+exports.ER_SP_BAD_CURSOR_SELECT = 1323;
+exports.ER_SP_CURSOR_MISMATCH = 1324;
+exports.ER_SP_CURSOR_ALREADY_OPEN = 1325;
+exports.ER_SP_CURSOR_NOT_OPEN = 1326;
+exports.ER_SP_UNDECLARED_VAR = 1327;
+exports.ER_SP_WRONG_NO_OF_FETCH_ARGS = 1328;
+exports.ER_SP_FETCH_NO_DATA = 1329;
+exports.ER_SP_DUP_PARAM = 1330;
+exports.ER_SP_DUP_VAR = 1331;
+exports.ER_SP_DUP_COND = 1332;
+exports.ER_SP_DUP_CURS = 1333;
+exports.ER_SP_CANT_ALTER = 1334;
+exports.ER_SP_SUBSELECT_NYI = 1335;
+exports.ER_STMT_NOT_ALLOWED_IN_SF_OR_TRG = 1336;
+exports.ER_SP_VARCOND_AFTER_CURSHNDLR = 1337;
+exports.ER_SP_CURSOR_AFTER_HANDLER = 1338;
+exports.ER_SP_CASE_NOT_FOUND = 1339;
+exports.ER_FPARSER_TOO_BIG_FILE = 1340;
+exports.ER_FPARSER_BAD_HEADER = 1341;
+exports.ER_FPARSER_EOF_IN_COMMENT = 1342;
+exports.ER_FPARSER_ERROR_IN_PARAMETER = 1343;
+exports.ER_FPARSER_EOF_IN_UNKNOWN_PARAMETER = 1344;
+exports.ER_VIEW_NO_EXPLAIN = 1345;
+exports.ER_FRM_UNKNOWN_TYPE = 1346;
+exports.ER_WRONG_OBJECT = 1347;
+exports.ER_NONUPDATEABLE_COLUMN = 1348;
+exports.ER_VIEW_SELECT_DERIVED = 1349;
+exports.ER_VIEW_SELECT_CLAUSE = 1350;
+exports.ER_VIEW_SELECT_VARIABLE = 1351;
+exports.ER_VIEW_SELECT_TMPTABLE = 1352;
+exports.ER_VIEW_WRONG_LIST = 1353;
+exports.ER_WARN_VIEW_MERGE = 1354;
+exports.ER_WARN_VIEW_WITHOUT_KEY = 1355;
+exports.ER_VIEW_INVALID = 1356;
+exports.ER_SP_NO_DROP_SP = 1357;
+exports.ER_SP_GOTO_IN_HNDLR = 1358;
+exports.ER_TRG_ALREADY_EXISTS = 1359;
+exports.ER_TRG_DOES_NOT_EXIST = 1360;
+exports.ER_TRG_ON_VIEW_OR_TEMP_TABLE = 1361;
+exports.ER_TRG_CANT_CHANGE_ROW = 1362;
+exports.ER_TRG_NO_SUCH_ROW_IN_TRG = 1363;
+exports.ER_NO_DEFAULT_FOR_FIELD = 1364;
+exports.ER_DIVISION_BY_ZERO = 1365;
+exports.ER_TRUNCATED_WRONG_VALUE_FOR_FIELD = 1366;
+exports.ER_ILLEGAL_VALUE_FOR_TYPE = 1367;
+exports.ER_VIEW_NONUPD_CHECK = 1368;
+exports.ER_VIEW_CHECK_FAILED = 1369;
+exports.ER_PROCACCESS_DENIED_ERROR = 1370;
+exports.ER_RELAY_LOG_FAIL = 1371;
+exports.ER_PASSWD_LENGTH = 1372;
+exports.ER_UNKNOWN_TARGET_BINLOG = 1373;
+exports.ER_IO_ERR_LOG_INDEX_READ = 1374;
+exports.ER_BINLOG_PURGE_PROHIBITED = 1375;
+exports.ER_FSEEK_FAIL = 1376;
+exports.ER_BINLOG_PURGE_FATAL_ERR = 1377;
+exports.ER_LOG_IN_USE = 1378;
+exports.ER_LOG_PURGE_UNKNOWN_ERR = 1379;
+exports.ER_RELAY_LOG_INIT = 1380;
+exports.ER_NO_BINARY_LOGGING = 1381;
+exports.ER_RESERVED_SYNTAX = 1382;
+exports.ER_WSAS_FAILED = 1383;
+exports.ER_DIFF_GROUPS_PROC = 1384;
+exports.ER_NO_GROUP_FOR_PROC = 1385;
+exports.ER_ORDER_WITH_PROC = 1386;
+exports.ER_LOGGING_PROHIBIT_CHANGING_OF = 1387;
+exports.ER_NO_FILE_MAPPING = 1388;
+exports.ER_WRONG_MAGIC = 1389;
+exports.ER_PS_MANY_PARAM = 1390;
+exports.ER_KEY_PART_0 = 1391;
+exports.ER_VIEW_CHECKSUM = 1392;
+exports.ER_VIEW_MULTIUPDATE = 1393;
+exports.ER_VIEW_NO_INSERT_FIELD_LIST = 1394;
+exports.ER_VIEW_DELETE_MERGE_VIEW = 1395;
+exports.ER_CANNOT_USER = 1396;
+exports.ER_XAER_NOTA = 1397;
+exports.ER_XAER_INVAL = 1398;
+exports.ER_XAER_RMFAIL = 1399;
+exports.ER_XAER_OUTSIDE = 1400;
+exports.ER_XAER_RMERR = 1401;
+exports.ER_XA_RBROLLBACK = 1402;
+exports.ER_NONEXISTING_PROC_GRANT = 1403;
+exports.ER_PROC_AUTO_GRANT_FAIL = 1404;
+exports.ER_PROC_AUTO_REVOKE_FAIL = 1405;
+exports.ER_DATA_TOO_LONG = 1406;
+exports.ER_SP_BAD_SQLSTATE = 1407;
+exports.ER_STARTUP = 1408;
+exports.ER_LOAD_FROM_FIXED_SIZE_ROWS_TO_VAR = 1409;
+exports.ER_CANT_CREATE_USER_WITH_GRANT = 1410;
+exports.ER_WRONG_VALUE_FOR_TYPE = 1411;
+exports.ER_TABLE_DEF_CHANGED = 1412;
+exports.ER_SP_DUP_HANDLER = 1413;
+exports.ER_SP_NOT_VAR_ARG = 1414;
+exports.ER_SP_NO_RETSET = 1415;
+exports.ER_CANT_CREATE_GEOMETRY_OBJECT = 1416;
+exports.ER_FAILED_ROUTINE_BREAK_BINLOG = 1417;
+exports.ER_BINLOG_UNSAFE_ROUTINE = 1418;
+exports.ER_BINLOG_CREATE_ROUTINE_NEED_SUPER = 1419;
+exports.ER_EXEC_STMT_WITH_OPEN_CURSOR = 1420;
+exports.ER_STMT_HAS_NO_OPEN_CURSOR = 1421;
+exports.ER_COMMIT_NOT_ALLOWED_IN_SF_OR_TRG = 1422;
+exports.ER_NO_DEFAULT_FOR_VIEW_FIELD = 1423;
+exports.ER_SP_NO_RECURSION = 1424;
+exports.ER_TOO_BIG_SCALE = 1425;
+exports.ER_TOO_BIG_PRECISION = 1426;
+exports.ER_M_BIGGER_THAN_D = 1427;
+exports.ER_WRONG_LOCK_OF_SYSTEM_TABLE = 1428;
+exports.ER_CONNECT_TO_FOREIGN_DATA_SOURCE = 1429;
+exports.ER_QUERY_ON_FOREIGN_DATA_SOURCE = 1430;
+exports.ER_FOREIGN_DATA_SOURCE_DOESNT_EXIST = 1431;
+exports.ER_FOREIGN_DATA_STRING_INVALID_CANT_CREATE = 1432;
+exports.ER_FOREIGN_DATA_STRING_INVALID = 1433;
+exports.ER_CANT_CREATE_FEDERATED_TABLE = 1434;
+exports.ER_TRG_IN_WRONG_SCHEMA = 1435;
+exports.ER_STACK_OVERRUN_NEED_MORE = 1436;
+exports.ER_TOO_LONG_BODY = 1437;
+exports.ER_WARN_CANT_DROP_DEFAULT_KEYCACHE = 1438;
+exports.ER_TOO_BIG_DISPLAYWIDTH = 1439;
+exports.ER_XAER_DUPID = 1440;
+exports.ER_DATETIME_FUNCTION_OVERFLOW = 1441;
+exports.ER_CANT_UPDATE_USED_TABLE_IN_SF_OR_TRG = 1442;
+exports.ER_VIEW_PREVENT_UPDATE = 1443;
+exports.ER_PS_NO_RECURSION = 1444;
+exports.ER_SP_CANT_SET_AUTOCOMMIT = 1445;
+exports.ER_MALFORMED_DEFINER = 1446;
+exports.ER_VIEW_FRM_NO_USER = 1447;
+exports.ER_VIEW_OTHER_USER = 1448;
+exports.ER_NO_SUCH_USER = 1449;
+exports.ER_FORBID_SCHEMA_CHANGE = 1450;
+exports.ER_ROW_IS_REFERENCED_2 = 1451;
+exports.ER_NO_REFERENCED_ROW_2 = 1452;
+exports.ER_SP_BAD_VAR_SHADOW = 1453;
+exports.ER_TRG_NO_DEFINER = 1454;
+exports.ER_OLD_FILE_FORMAT = 1455;
+exports.ER_SP_RECURSION_LIMIT = 1456;
+exports.ER_SP_PROC_TABLE_CORRUPT = 1457;
+exports.ER_SP_WRONG_NAME = 1458;
+exports.ER_TABLE_NEEDS_UPGRADE = 1459;
+exports.ER_SP_NO_AGGREGATE = 1460;
+exports.ER_MAX_PREPARED_STMT_COUNT_REACHED = 1461;
+exports.ER_VIEW_RECURSIVE = 1462;
+exports.ER_NON_GROUPING_FIELD_USED = 1463;
+exports.ER_TABLE_CANT_HANDLE_SPKEYS = 1464;
+exports.ER_NO_TRIGGERS_ON_SYSTEM_SCHEMA = 1465;
+exports.ER_REMOVED_SPACES = 1466;
+exports.ER_AUTOINC_READ_FAILED = 1467;
+exports.ER_USERNAME = 1468;
+exports.ER_HOSTNAME = 1469;
+exports.ER_WRONG_STRING_LENGTH = 1470;
+exports.ER_NON_INSERTABLE_TABLE = 1471;
+exports.ER_ADMIN_WRONG_MRG_TABLE = 1472;
+exports.ER_TOO_HIGH_LEVEL_OF_NESTING_FOR_SELECT = 1473;
+exports.ER_NAME_BECOMES_EMPTY = 1474;
+exports.ER_AMBIGUOUS_FIELD_TERM = 1475;
+exports.ER_FOREIGN_SERVER_EXISTS = 1476;
+exports.ER_FOREIGN_SERVER_DOESNT_EXIST = 1477;
+exports.ER_ILLEGAL_HA_CREATE_OPTION = 1478;
+exports.ER_PARTITION_REQUIRES_VALUES_ERROR = 1479;
+exports.ER_PARTITION_WRONG_VALUES_ERROR = 1480;
+exports.ER_PARTITION_MAXVALUE_ERROR = 1481;
+exports.ER_PARTITION_SUBPARTITION_ERROR = 1482;
+exports.ER_PARTITION_SUBPART_MIX_ERROR = 1483;
+exports.ER_PARTITION_WRONG_NO_PART_ERROR = 1484;
+exports.ER_PARTITION_WRONG_NO_SUBPART_ERROR = 1485;
+exports.ER_WRONG_EXPR_IN_PARTITION_FUNC_ERROR = 1486;
+exports.ER_NO_CONST_EXPR_IN_RANGE_OR_LIST_ERROR = 1487;
+exports.ER_FIELD_NOT_FOUND_PART_ERROR = 1488;
+exports.ER_LIST_OF_FIELDS_ONLY_IN_HASH_ERROR = 1489;
+exports.ER_INCONSISTENT_PARTITION_INFO_ERROR = 1490;
+exports.ER_PARTITION_FUNC_NOT_ALLOWED_ERROR = 1491;
+exports.ER_PARTITIONS_MUST_BE_DEFINED_ERROR = 1492;
+exports.ER_RANGE_NOT_INCREASING_ERROR = 1493;
+exports.ER_INCONSISTENT_TYPE_OF_FUNCTIONS_ERROR = 1494;
+exports.ER_MULTIPLE_DEF_CONST_IN_LIST_PART_ERROR = 1495;
+exports.ER_PARTITION_ENTRY_ERROR = 1496;
+exports.ER_MIX_HANDLER_ERROR = 1497;
+exports.ER_PARTITION_NOT_DEFINED_ERROR = 1498;
+exports.ER_TOO_MANY_PARTITIONS_ERROR = 1499;
+exports.ER_SUBPARTITION_ERROR = 1500;
+exports.ER_CANT_CREATE_HANDLER_FILE = 1501;
+exports.ER_BLOB_FIELD_IN_PART_FUNC_ERROR = 1502;
+exports.ER_UNIQUE_KEY_NEED_ALL_FIELDS_IN_PF = 1503;
+exports.ER_NO_PARTS_ERROR = 1504;
+exports.ER_PARTITION_MGMT_ON_NONPARTITIONED = 1505;
+exports.ER_FOREIGN_KEY_ON_PARTITIONED = 1506;
+exports.ER_DROP_PARTITION_NON_EXISTENT = 1507;
+exports.ER_DROP_LAST_PARTITION = 1508;
+exports.ER_COALESCE_ONLY_ON_HASH_PARTITION = 1509;
+exports.ER_REORG_HASH_ONLY_ON_SAME_NO = 1510;
+exports.ER_REORG_NO_PARAM_ERROR = 1511;
+exports.ER_ONLY_ON_RANGE_LIST_PARTITION = 1512;
+exports.ER_ADD_PARTITION_SUBPART_ERROR = 1513;
+exports.ER_ADD_PARTITION_NO_NEW_PARTITION = 1514;
+exports.ER_COALESCE_PARTITION_NO_PARTITION = 1515;
+exports.ER_REORG_PARTITION_NOT_EXIST = 1516;
+exports.ER_SAME_NAME_PARTITION = 1517;
+exports.ER_NO_BINLOG_ERROR = 1518;
+exports.ER_CONSECUTIVE_REORG_PARTITIONS = 1519;
+exports.ER_REORG_OUTSIDE_RANGE = 1520;
+exports.ER_PARTITION_FUNCTION_FAILURE = 1521;
+exports.ER_PART_STATE_ERROR = 1522;
+exports.ER_LIMITED_PART_RANGE = 1523;
+exports.ER_PLUGIN_IS_NOT_LOADED = 1524;
+exports.ER_WRONG_VALUE = 1525;
+exports.ER_NO_PARTITION_FOR_GIVEN_VALUE = 1526;
+exports.ER_FILEGROUP_OPTION_ONLY_ONCE = 1527;
+exports.ER_CREATE_FILEGROUP_FAILED = 1528;
+exports.ER_DROP_FILEGROUP_FAILED = 1529;
+exports.ER_TABLESPACE_AUTO_EXTEND_ERROR = 1530;
+exports.ER_WRONG_SIZE_NUMBER = 1531;
+exports.ER_SIZE_OVERFLOW_ERROR = 1532;
+exports.ER_ALTER_FILEGROUP_FAILED = 1533;
+exports.ER_BINLOG_ROW_LOGGING_FAILED = 1534;
+exports.ER_BINLOG_ROW_WRONG_TABLE_DEF = 1535;
+exports.ER_BINLOG_ROW_RBR_TO_SBR = 1536;
+exports.ER_EVENT_ALREADY_EXISTS = 1537;
+exports.ER_EVENT_STORE_FAILED = 1538;
+exports.ER_EVENT_DOES_NOT_EXIST = 1539;
+exports.ER_EVENT_CANT_ALTER = 1540;
+exports.ER_EVENT_DROP_FAILED = 1541;
+exports.ER_EVENT_INTERVAL_NOT_POSITIVE_OR_TOO_BIG = 1542;
+exports.ER_EVENT_ENDS_BEFORE_STARTS = 1543;
+exports.ER_EVENT_EXEC_TIME_IN_THE_PAST = 1544;
+exports.ER_EVENT_OPEN_TABLE_FAILED = 1545;
+exports.ER_EVENT_NEITHER_M_EXPR_NOR_M_AT = 1546;
+exports.ER_COL_COUNT_DOESNT_MATCH_CORRUPTED = 1547;
+exports.ER_CANNOT_LOAD_FROM_TABLE = 1548;
+exports.ER_EVENT_CANNOT_DELETE = 1549;
+exports.ER_EVENT_COMPILE_ERROR = 1550;
+exports.ER_EVENT_SAME_NAME = 1551;
+exports.ER_EVENT_DATA_TOO_LONG = 1552;
+exports.ER_DROP_INDEX_FK = 1553;
+exports.ER_WARN_DEPRECATED_SYNTAX_WITH_VER = 1554;
+exports.ER_CANT_WRITE_LOCK_LOG_TABLE = 1555;
+exports.ER_CANT_LOCK_LOG_TABLE = 1556;
+exports.ER_FOREIGN_DUPLICATE_KEY = 1557;
+exports.ER_COL_COUNT_DOESNT_MATCH_PLEASE_UPDATE = 1558;
+exports.ER_TEMP_TABLE_PREVENTS_SWITCH_OUT_OF_RBR = 1559;
+exports.ER_STORED_FUNCTION_PREVENTS_SWITCH_BINLOG_FORMAT = 1560;
+exports.ER_NDB_CANT_SWITCH_BINLOG_FORMAT = 1561;
+exports.ER_PARTITION_NO_TEMPORARY = 1562;
+exports.ER_PARTITION_CONST_DOMAIN_ERROR = 1563;
+exports.ER_PARTITION_FUNCTION_IS_NOT_ALLOWED = 1564;
+exports.ER_DDL_LOG_ERROR = 1565;
+exports.ER_NULL_IN_VALUES_LESS_THAN = 1566;
+exports.ER_WRONG_PARTITION_NAME = 1567;
+exports.ER_CANT_CHANGE_TX_CHARACTERISTICS = 1568;
+exports.ER_DUP_ENTRY_AUTOINCREMENT_CASE = 1569;
+exports.ER_EVENT_MODIFY_QUEUE_ERROR = 1570;
+exports.ER_EVENT_SET_VAR_ERROR = 1571;
+exports.ER_PARTITION_MERGE_ERROR = 1572;
+exports.ER_CANT_ACTIVATE_LOG = 1573;
+exports.ER_RBR_NOT_AVAILABLE = 1574;
+exports.ER_BASE64_DECODE_ERROR = 1575;
+exports.ER_EVENT_RECURSION_FORBIDDEN = 1576;
+exports.ER_EVENTS_DB_ERROR = 1577;
+exports.ER_ONLY_INTEGERS_ALLOWED = 1578;
+exports.ER_UNSUPORTED_LOG_ENGINE = 1579;
+exports.ER_BAD_LOG_STATEMENT = 1580;
+exports.ER_CANT_RENAME_LOG_TABLE = 1581;
+exports.ER_WRONG_PARAMCOUNT_TO_NATIVE_FCT = 1582;
+exports.ER_WRONG_PARAMETERS_TO_NATIVE_FCT = 1583;
+exports.ER_WRONG_PARAMETERS_TO_STORED_FCT = 1584;
+exports.ER_NATIVE_FCT_NAME_COLLISION = 1585;
+exports.ER_DUP_ENTRY_WITH_KEY_NAME = 1586;
+exports.ER_BINLOG_PURGE_EMFILE = 1587;
+exports.ER_EVENT_CANNOT_CREATE_IN_THE_PAST = 1588;
+exports.ER_EVENT_CANNOT_ALTER_IN_THE_PAST = 1589;
+exports.ER_SLAVE_INCIDENT = 1590;
+exports.ER_NO_PARTITION_FOR_GIVEN_VALUE_SILENT = 1591;
+exports.ER_BINLOG_UNSAFE_STATEMENT = 1592;
+exports.ER_SLAVE_FATAL_ERROR = 1593;
+exports.ER_SLAVE_RELAY_LOG_READ_FAILURE = 1594;
+exports.ER_SLAVE_RELAY_LOG_WRITE_FAILURE = 1595;
+exports.ER_SLAVE_CREATE_EVENT_FAILURE = 1596;
+exports.ER_SLAVE_MASTER_COM_FAILURE = 1597;
+exports.ER_BINLOG_LOGGING_IMPOSSIBLE = 1598;
+exports.ER_VIEW_NO_CREATION_CTX = 1599;
+exports.ER_VIEW_INVALID_CREATION_CTX = 1600;
+exports.ER_SR_INVALID_CREATION_CTX = 1601;
+exports.ER_TRG_CORRUPTED_FILE = 1602;
+exports.ER_TRG_NO_CREATION_CTX = 1603;
+exports.ER_TRG_INVALID_CREATION_CTX = 1604;
+exports.ER_EVENT_INVALID_CREATION_CTX = 1605;
+exports.ER_TRG_CANT_OPEN_TABLE = 1606;
+exports.ER_CANT_CREATE_SROUTINE = 1607;
+exports.ER_NEVER_USED = 1608;
+exports.ER_NO_FORMAT_DESCRIPTION_EVENT_BEFORE_BINLOG_STATEMENT = 1609;
+exports.ER_SLAVE_CORRUPT_EVENT = 1610;
+exports.ER_LOAD_DATA_INVALID_COLUMN = 1611;
+exports.ER_LOG_PURGE_NO_FILE = 1612;
+exports.ER_XA_RBTIMEOUT = 1613;
+exports.ER_XA_RBDEADLOCK = 1614;
+exports.ER_NEED_REPREPARE = 1615;
+exports.ER_DELAYED_NOT_SUPPORTED = 1616;
+exports.WARN_NO_MASTER_INFO = 1617;
+exports.WARN_OPTION_IGNORED = 1618;
+exports.ER_PLUGIN_DELETE_BUILTIN = 1619;
+exports.WARN_PLUGIN_BUSY = 1620;
+exports.ER_VARIABLE_IS_READONLY = 1621;
+exports.ER_WARN_ENGINE_TRANSACTION_ROLLBACK = 1622;
+exports.ER_SLAVE_HEARTBEAT_FAILURE = 1623;
+exports.ER_SLAVE_HEARTBEAT_VALUE_OUT_OF_RANGE = 1624;
+exports.ER_NDB_REPLICATION_SCHEMA_ERROR = 1625;
+exports.ER_CONFLICT_FN_PARSE_ERROR = 1626;
+exports.ER_EXCEPTIONS_WRITE_ERROR = 1627;
+exports.ER_TOO_LONG_TABLE_COMMENT = 1628;
+exports.ER_TOO_LONG_FIELD_COMMENT = 1629;
+exports.ER_FUNC_INEXISTENT_NAME_COLLISION = 1630;
+exports.ER_DATABASE_NAME = 1631;
+exports.ER_TABLE_NAME = 1632;
+exports.ER_PARTITION_NAME = 1633;
+exports.ER_SUBPARTITION_NAME = 1634;
+exports.ER_TEMPORARY_NAME = 1635;
+exports.ER_RENAMED_NAME = 1636;
+exports.ER_TOO_MANY_CONCURRENT_TRXS = 1637;
+exports.WARN_NON_ASCII_SEPARATOR_NOT_IMPLEMENTED = 1638;
+exports.ER_DEBUG_SYNC_TIMEOUT = 1639;
+exports.ER_DEBUG_SYNC_HIT_LIMIT = 1640;
+exports.ER_DUP_SIGNAL_SET = 1641;
+exports.ER_SIGNAL_WARN = 1642;
+exports.ER_SIGNAL_NOT_FOUND = 1643;
+exports.ER_SIGNAL_EXCEPTION = 1644;
+exports.ER_RESIGNAL_WITHOUT_ACTIVE_HANDLER = 1645;
+exports.ER_SIGNAL_BAD_CONDITION_TYPE = 1646;
+exports.WARN_COND_ITEM_TRUNCATED = 1647;
+exports.ER_COND_ITEM_TOO_LONG = 1648;
+exports.ER_UNKNOWN_LOCALE = 1649;
+exports.ER_SLAVE_IGNORE_SERVER_IDS = 1650;
+exports.ER_QUERY_CACHE_DISABLED = 1651;
+exports.ER_SAME_NAME_PARTITION_FIELD = 1652;
+exports.ER_PARTITION_COLUMN_LIST_ERROR = 1653;
+exports.ER_WRONG_TYPE_COLUMN_VALUE_ERROR = 1654;
+exports.ER_TOO_MANY_PARTITION_FUNC_FIELDS_ERROR = 1655;
+exports.ER_MAXVALUE_IN_VALUES_IN = 1656;
+exports.ER_TOO_MANY_VALUES_ERROR = 1657;
+exports.ER_ROW_SINGLE_PARTITION_FIELD_ERROR = 1658;
+exports.ER_FIELD_TYPE_NOT_ALLOWED_AS_PARTITION_FIELD = 1659;
+exports.ER_PARTITION_FIELDS_TOO_LONG = 1660;
+exports.ER_BINLOG_ROW_ENGINE_AND_STMT_ENGINE = 1661;
+exports.ER_BINLOG_ROW_MODE_AND_STMT_ENGINE = 1662;
+exports.ER_BINLOG_UNSAFE_AND_STMT_ENGINE = 1663;
+exports.ER_BINLOG_ROW_INJECTION_AND_STMT_ENGINE = 1664;
+exports.ER_BINLOG_STMT_MODE_AND_ROW_ENGINE = 1665;
+exports.ER_BINLOG_ROW_INJECTION_AND_STMT_MODE = 1666;
+exports.ER_BINLOG_MULTIPLE_ENGINES_AND_SELF_LOGGING_ENGINE = 1667;
+exports.ER_BINLOG_UNSAFE_LIMIT = 1668;
+exports.ER_BINLOG_UNSAFE_INSERT_DELAYED = 1669;
+exports.ER_BINLOG_UNSAFE_SYSTEM_TABLE = 1670;
+exports.ER_BINLOG_UNSAFE_AUTOINC_COLUMNS = 1671;
+exports.ER_BINLOG_UNSAFE_UDF = 1672;
+exports.ER_BINLOG_UNSAFE_SYSTEM_VARIABLE = 1673;
+exports.ER_BINLOG_UNSAFE_SYSTEM_FUNCTION = 1674;
+exports.ER_BINLOG_UNSAFE_NONTRANS_AFTER_TRANS = 1675;
+exports.ER_MESSAGE_AND_STATEMENT = 1676;
+exports.ER_SLAVE_CONVERSION_FAILED = 1677;
+exports.ER_SLAVE_CANT_CREATE_CONVERSION = 1678;
+exports.ER_INSIDE_TRANSACTION_PREVENTS_SWITCH_BINLOG_FORMAT = 1679;
+exports.ER_PATH_LENGTH = 1680;
+exports.ER_WARN_DEPRECATED_SYNTAX_NO_REPLACEMENT = 1681;
+exports.ER_WRONG_NATIVE_TABLE_STRUCTURE = 1682;
+exports.ER_WRONG_PERFSCHEMA_USAGE = 1683;
+exports.ER_WARN_I_S_SKIPPED_TABLE = 1684;
+exports.ER_INSIDE_TRANSACTION_PREVENTS_SWITCH_BINLOG_DIRECT = 1685;
+exports.ER_STORED_FUNCTION_PREVENTS_SWITCH_BINLOG_DIRECT = 1686;
+exports.ER_SPATIAL_MUST_HAVE_GEOM_COL = 1687;
+exports.ER_TOO_LONG_INDEX_COMMENT = 1688;
+exports.ER_LOCK_ABORTED = 1689;
+exports.ER_DATA_OUT_OF_RANGE = 1690;
+exports.ER_WRONG_SPVAR_TYPE_IN_LIMIT = 1691;
+exports.ER_BINLOG_UNSAFE_MULTIPLE_ENGINES_AND_SELF_LOGGING_ENGINE = 1692;
+exports.ER_BINLOG_UNSAFE_MIXED_STATEMENT = 1693;
+exports.ER_INSIDE_TRANSACTION_PREVENTS_SWITCH_SQL_LOG_BIN = 1694;
+exports.ER_STORED_FUNCTION_PREVENTS_SWITCH_SQL_LOG_BIN = 1695;
+exports.ER_FAILED_READ_FROM_PAR_FILE = 1696;
+exports.ER_VALUES_IS_NOT_INT_TYPE_ERROR = 1697;
+exports.ER_ACCESS_DENIED_NO_PASSWORD_ERROR = 1698;
+exports.ER_SET_PASSWORD_AUTH_PLUGIN = 1699;
+exports.ER_GRANT_PLUGIN_USER_EXISTS = 1700;
+exports.ER_TRUNCATE_ILLEGAL_FK = 1701;
+exports.ER_PLUGIN_IS_PERMANENT = 1702;
+exports.ER_SLAVE_HEARTBEAT_VALUE_OUT_OF_RANGE_MIN = 1703;
+exports.ER_SLAVE_HEARTBEAT_VALUE_OUT_OF_RANGE_MAX = 1704;
+exports.ER_STMT_CACHE_FULL = 1705;
+exports.ER_MULTI_UPDATE_KEY_CONFLICT = 1706;
+exports.ER_TABLE_NEEDS_REBUILD = 1707;
+exports.WARN_OPTION_BELOW_LIMIT = 1708;
+exports.ER_INDEX_COLUMN_TOO_LONG = 1709;
+exports.ER_ERROR_IN_TRIGGER_BODY = 1710;
+exports.ER_ERROR_IN_UNKNOWN_TRIGGER_BODY = 1711;
+exports.ER_INDEX_CORRUPT = 1712;
+exports.ER_UNDO_RECORD_TOO_BIG = 1713;
+exports.ER_BINLOG_UNSAFE_INSERT_IGNORE_SELECT = 1714;
+exports.ER_BINLOG_UNSAFE_INSERT_SELECT_UPDATE = 1715;
+exports.ER_BINLOG_UNSAFE_REPLACE_SELECT = 1716;
+exports.ER_BINLOG_UNSAFE_CREATE_IGNORE_SELECT = 1717;
+exports.ER_BINLOG_UNSAFE_CREATE_REPLACE_SELECT = 1718;
+exports.ER_BINLOG_UNSAFE_UPDATE_IGNORE = 1719;
+exports.ER_PLUGIN_NO_UNINSTALL = 1720;
+exports.ER_PLUGIN_NO_INSTALL = 1721;
+exports.ER_BINLOG_UNSAFE_WRITE_AUTOINC_SELECT = 1722;
+exports.ER_BINLOG_UNSAFE_CREATE_SELECT_AUTOINC = 1723;
+exports.ER_BINLOG_UNSAFE_INSERT_TWO_KEYS = 1724;
+exports.ER_TABLE_IN_FK_CHECK = 1725;
+exports.ER_UNSUPPORTED_ENGINE = 1726;
+exports.ER_BINLOG_UNSAFE_AUTOINC_NOT_FIRST = 1727;
+exports.ER_CANNOT_LOAD_FROM_TABLE_V2 = 1728;
+exports.ER_MASTER_DELAY_VALUE_OUT_OF_RANGE = 1729;
+exports.ER_ONLY_FD_AND_RBR_EVENTS_ALLOWED_IN_BINLOG_STATEMENT = 1730;
+exports.ER_PARTITION_EXCHANGE_DIFFERENT_OPTION = 1731;
+exports.ER_PARTITION_EXCHANGE_PART_TABLE = 1732;
+exports.ER_PARTITION_EXCHANGE_TEMP_TABLE = 1733;
+exports.ER_PARTITION_INSTEAD_OF_SUBPARTITION = 1734;
+exports.ER_UNKNOWN_PARTITION = 1735;
+exports.ER_TABLES_DIFFERENT_METADATA = 1736;
+exports.ER_ROW_DOES_NOT_MATCH_PARTITION = 1737;
+exports.ER_BINLOG_CACHE_SIZE_GREATER_THAN_MAX = 1738;
+exports.ER_WARN_INDEX_NOT_APPLICABLE = 1739;
+exports.ER_PARTITION_EXCHANGE_FOREIGN_KEY = 1740;
+exports.ER_NO_SUCH_KEY_VALUE = 1741;
+exports.ER_RPL_INFO_DATA_TOO_LONG = 1742;
+exports.ER_NETWORK_READ_EVENT_CHECKSUM_FAILURE = 1743;
+exports.ER_BINLOG_READ_EVENT_CHECKSUM_FAILURE = 1744;
+exports.ER_BINLOG_STMT_CACHE_SIZE_GREATER_THAN_MAX = 1745;
+exports.ER_CANT_UPDATE_TABLE_IN_CREATE_TABLE_SELECT = 1746;
+exports.ER_PARTITION_CLAUSE_ON_NONPARTITIONED = 1747;
+exports.ER_ROW_DOES_NOT_MATCH_GIVEN_PARTITION_SET = 1748;
+exports.ER_NO_SUCH_PARTITION = 1749;
+exports.ER_CHANGE_RPL_INFO_REPOSITORY_FAILURE = 1750;
+exports.ER_WARNING_NOT_COMPLETE_ROLLBACK_WITH_CREATED_TEMP_TABLE = 1751;
+exports.ER_WARNING_NOT_COMPLETE_ROLLBACK_WITH_DROPPED_TEMP_TABLE = 1752;
+exports.ER_MTS_FEATURE_IS_NOT_SUPPORTED = 1753;
+exports.ER_MTS_UPDATED_DBS_GREATER_MAX = 1754;
+exports.ER_MTS_CANT_PARALLEL = 1755;
+exports.ER_MTS_INCONSISTENT_DATA = 1756;
+exports.ER_FULLTEXT_NOT_SUPPORTED_WITH_PARTITIONING = 1757;
+exports.ER_DA_INVALID_CONDITION_NUMBER = 1758;
+exports.ER_INSECURE_PLAIN_TEXT = 1759;
+exports.ER_INSECURE_CHANGE_MASTER = 1760;
+exports.ER_FOREIGN_DUPLICATE_KEY_WITH_CHILD_INFO = 1761;
+exports.ER_FOREIGN_DUPLICATE_KEY_WITHOUT_CHILD_INFO = 1762;
+exports.ER_SQLTHREAD_WITH_SECURE_SLAVE = 1763;
+exports.ER_TABLE_HAS_NO_FT = 1764;
+exports.ER_VARIABLE_NOT_SETTABLE_IN_SF_OR_TRIGGER = 1765;
+exports.ER_VARIABLE_NOT_SETTABLE_IN_TRANSACTION = 1766;
+exports.ER_GTID_NEXT_IS_NOT_IN_GTID_NEXT_LIST = 1767;
+exports.ER_CANT_CHANGE_GTID_NEXT_IN_TRANSACTION = 1768;
+exports.ER_SET_STATEMENT_CANNOT_INVOKE_FUNCTION = 1769;
+exports.ER_GTID_NEXT_CANT_BE_AUTOMATIC_IF_GTID_NEXT_LIST_IS_NON_NULL = 1770;
+exports.ER_SKIPPING_LOGGED_TRANSACTION = 1771;
+exports.ER_MALFORMED_GTID_SET_SPECIFICATION = 1772;
+exports.ER_MALFORMED_GTID_SET_ENCODING = 1773;
+exports.ER_MALFORMED_GTID_SPECIFICATION = 1774;
+exports.ER_GNO_EXHAUSTED = 1775;
+exports.ER_BAD_SLAVE_AUTO_POSITION = 1776;
+exports.ER_AUTO_POSITION_REQUIRES_GTID_MODE_NOT_OFF = 1777;
+exports.ER_CANT_DO_IMPLICIT_COMMIT_IN_TRX_WHEN_GTID_NEXT_IS_SET = 1778;
+exports.ER_GTID_MODE_ON_REQUIRES_ENFORCE_GTID_CONSISTENCY_ON = 1779;
+exports.ER_GTID_MODE_REQUIRES_BINLOG = 1780;
+exports.ER_CANT_SET_GTID_NEXT_TO_GTID_WHEN_GTID_MODE_IS_OFF = 1781;
+exports.ER_CANT_SET_GTID_NEXT_TO_ANONYMOUS_WHEN_GTID_MODE_IS_ON = 1782;
+exports.ER_CANT_SET_GTID_NEXT_LIST_TO_NON_NULL_WHEN_GTID_MODE_IS_OFF = 1783;
+exports.ER_FOUND_GTID_EVENT_WHEN_GTID_MODE_IS_OFF = 1784;
+exports.ER_GTID_UNSAFE_NON_TRANSACTIONAL_TABLE = 1785;
+exports.ER_GTID_UNSAFE_CREATE_SELECT = 1786;
+exports.ER_GTID_UNSAFE_CREATE_DROP_TEMPORARY_TABLE_IN_TRANSACTION = 1787;
+exports.ER_GTID_MODE_CAN_ONLY_CHANGE_ONE_STEP_AT_A_TIME = 1788;
+exports.ER_MASTER_HAS_PURGED_REQUIRED_GTIDS = 1789;
+exports.ER_CANT_SET_GTID_NEXT_WHEN_OWNING_GTID = 1790;
+exports.ER_UNKNOWN_EXPLAIN_FORMAT = 1791;
+exports.ER_CANT_EXECUTE_IN_READ_ONLY_TRANSACTION = 1792;
+exports.ER_TOO_LONG_TABLE_PARTITION_COMMENT = 1793;
+exports.ER_SLAVE_CONFIGURATION = 1794;
+exports.ER_INNODB_FT_LIMIT = 1795;
+exports.ER_INNODB_NO_FT_TEMP_TABLE = 1796;
+exports.ER_INNODB_FT_WRONG_DOCID_COLUMN = 1797;
+exports.ER_INNODB_FT_WRONG_DOCID_INDEX = 1798;
+exports.ER_INNODB_ONLINE_LOG_TOO_BIG = 1799;
+exports.ER_UNKNOWN_ALTER_ALGORITHM = 1800;
+exports.ER_UNKNOWN_ALTER_LOCK = 1801;
+exports.ER_MTS_CHANGE_MASTER_CANT_RUN_WITH_GAPS = 1802;
+exports.ER_MTS_RECOVERY_FAILURE = 1803;
+exports.ER_MTS_RESET_WORKERS = 1804;
+exports.ER_COL_COUNT_DOESNT_MATCH_CORRUPTED_V2 = 1805;
+exports.ER_SLAVE_SILENT_RETRY_TRANSACTION = 1806;
+exports.ER_DISCARD_FK_CHECKS_RUNNING = 1807;
+exports.ER_TABLE_SCHEMA_MISMATCH = 1808;
+exports.ER_TABLE_IN_SYSTEM_TABLESPACE = 1809;
+exports.ER_IO_READ_ERROR = 1810;
+exports.ER_IO_WRITE_ERROR = 1811;
+exports.ER_TABLESPACE_MISSING = 1812;
+exports.ER_TABLESPACE_EXISTS = 1813;
+exports.ER_TABLESPACE_DISCARDED = 1814;
+exports.ER_INTERNAL_ERROR = 1815;
+exports.ER_INNODB_IMPORT_ERROR = 1816;
+exports.ER_INNODB_INDEX_CORRUPT = 1817;
+exports.ER_INVALID_YEAR_COLUMN_LENGTH = 1818;
+exports.ER_NOT_VALID_PASSWORD = 1819;
+exports.ER_MUST_CHANGE_PASSWORD = 1820;
+exports.ER_FK_NO_INDEX_CHILD = 1821;
+exports.ER_FK_NO_INDEX_PARENT = 1822;
+exports.ER_FK_FAIL_ADD_SYSTEM = 1823;
+exports.ER_FK_CANNOT_OPEN_PARENT = 1824;
+exports.ER_FK_INCORRECT_OPTION = 1825;
+exports.ER_FK_DUP_NAME = 1826;
+exports.ER_PASSWORD_FORMAT = 1827;
+exports.ER_FK_COLUMN_CANNOT_DROP = 1828;
+exports.ER_FK_COLUMN_CANNOT_DROP_CHILD = 1829;
+exports.ER_FK_COLUMN_NOT_NULL = 1830;
+exports.ER_DUP_INDEX = 1831;
+exports.ER_FK_COLUMN_CANNOT_CHANGE = 1832;
+exports.ER_FK_COLUMN_CANNOT_CHANGE_CHILD = 1833;
+exports.ER_FK_CANNOT_DELETE_PARENT = 1834;
+exports.ER_MALFORMED_PACKET = 1835;
+exports.ER_READ_ONLY_MODE = 1836;
+exports.ER_GTID_NEXT_TYPE_UNDEFINED_GROUP = 1837;
+exports.ER_VARIABLE_NOT_SETTABLE_IN_SP = 1838;
+exports.ER_CANT_SET_GTID_PURGED_WHEN_GTID_MODE_IS_OFF = 1839;
+exports.ER_CANT_SET_GTID_PURGED_WHEN_GTID_EXECUTED_IS_NOT_EMPTY = 1840;
+exports.ER_CANT_SET_GTID_PURGED_WHEN_OWNED_GTIDS_IS_NOT_EMPTY = 1841;
+exports.ER_GTID_PURGED_WAS_CHANGED = 1842;
+exports.ER_GTID_EXECUTED_WAS_CHANGED = 1843;
+exports.ER_BINLOG_STMT_MODE_AND_NO_REPL_TABLES = 1844;
+exports.ER_ALTER_OPERATION_NOT_SUPPORTED = 1845;
+exports.ER_ALTER_OPERATION_NOT_SUPPORTED_REASON = 1846;
+exports.ER_ALTER_OPERATION_NOT_SUPPORTED_REASON_COPY = 1847;
+exports.ER_ALTER_OPERATION_NOT_SUPPORTED_REASON_PARTITION = 1848;
+exports.ER_ALTER_OPERATION_NOT_SUPPORTED_REASON_FK_RENAME = 1849;
+exports.ER_ALTER_OPERATION_NOT_SUPPORTED_REASON_COLUMN_TYPE = 1850;
+exports.ER_ALTER_OPERATION_NOT_SUPPORTED_REASON_FK_CHECK = 1851;
+exports.ER_ALTER_OPERATION_NOT_SUPPORTED_REASON_IGNORE = 1852;
+exports.ER_ALTER_OPERATION_NOT_SUPPORTED_REASON_NOPK = 1853;
+exports.ER_ALTER_OPERATION_NOT_SUPPORTED_REASON_AUTOINC = 1854;
+exports.ER_ALTER_OPERATION_NOT_SUPPORTED_REASON_HIDDEN_FTS = 1855;
+exports.ER_ALTER_OPERATION_NOT_SUPPORTED_REASON_CHANGE_FTS = 1856;
+exports.ER_ALTER_OPERATION_NOT_SUPPORTED_REASON_FTS = 1857;
+exports.ER_SQL_SLAVE_SKIP_COUNTER_NOT_SETTABLE_IN_GTID_MODE = 1858;
+exports.ER_DUP_UNKNOWN_IN_INDEX = 1859;
+exports.ER_IDENT_CAUSES_TOO_LONG_PATH = 1860;
+exports.ER_ALTER_OPERATION_NOT_SUPPORTED_REASON_NOT_NULL = 1861;
+exports.ER_MUST_CHANGE_PASSWORD_LOGIN = 1862;
+exports.ER_ROW_IN_WRONG_PARTITION = 1863;
+exports.ER_MTS_EVENT_BIGGER_PENDING_JOBS_SIZE_MAX = 1864;
+exports.ER_INNODB_NO_FT_USES_PARSER = 1865;
+exports.ER_BINLOG_LOGICAL_CORRUPTION = 1866;
+exports.ER_WARN_PURGE_LOG_IN_USE = 1867;
+exports.ER_WARN_PURGE_LOG_IS_ACTIVE = 1868;
+exports.ER_AUTO_INCREMENT_CONFLICT = 1869;
+exports.WARN_ON_BLOCKHOLE_IN_RBR = 1870;
+exports.ER_SLAVE_MI_INIT_REPOSITORY = 1871;
+exports.ER_SLAVE_RLI_INIT_REPOSITORY = 1872;
+exports.ER_ACCESS_DENIED_CHANGE_USER_ERROR = 1873;
+exports.ER_INNODB_READ_ONLY = 1874;
+exports.ER_STOP_SLAVE_SQL_THREAD_TIMEOUT = 1875;
+exports.ER_STOP_SLAVE_IO_THREAD_TIMEOUT = 1876;
+exports.ER_TABLE_CORRUPT = 1877;
+exports.ER_TEMP_FILE_WRITE_FAILURE = 1878;
+exports.ER_INNODB_FT_AUX_NOT_HEX_ID = 1879;
+exports.ER_OLD_TEMPORALS_UPGRADED = 1880;
+exports.ER_INNODB_FORCED_RECOVERY = 1881;
+exports.ER_AES_INVALID_IV = 1882;
+exports.ER_PLUGIN_CANNOT_BE_UNINSTALLED = 1883;
+exports.ER_GTID_UNSAFE_BINLOG_SPLITTABLE_STATEMENT_AND_GTID_GROUP = 1884;
+exports.ER_SLAVE_HAS_MORE_GTIDS_THAN_MASTER = 1885;
+exports.ER_MISSING_KEY = 1886;
+exports.WARN_NAMED_PIPE_ACCESS_EVERYONE = 1887;
+exports.ER_FOUND_MISSING_GTIDS = 1888;
+exports.ER_FILE_CORRUPT = 3000;
+exports.ER_ERROR_ON_MASTER = 3001;
+exports.ER_INCONSISTENT_ERROR = 3002;
+exports.ER_STORAGE_ENGINE_NOT_LOADED = 3003;
+exports.ER_GET_STACKED_DA_WITHOUT_ACTIVE_HANDLER = 3004;
+exports.ER_WARN_LEGACY_SYNTAX_CONVERTED = 3005;
+exports.ER_BINLOG_UNSAFE_FULLTEXT_PLUGIN = 3006;
+exports.ER_CANNOT_DISCARD_TEMPORARY_TABLE = 3007;
+exports.ER_FK_DEPTH_EXCEEDED = 3008;
+exports.ER_COL_COUNT_DOESNT_MATCH_PLEASE_UPDATE_V2 = 3009;
+exports.ER_WARN_TRIGGER_DOESNT_HAVE_CREATED = 3010;
+exports.ER_REFERENCED_TRG_DOES_NOT_EXIST = 3011;
+exports.ER_EXPLAIN_NOT_SUPPORTED = 3012;
+exports.ER_INVALID_FIELD_SIZE = 3013;
+exports.ER_MISSING_HA_CREATE_OPTION = 3014;
+exports.ER_ENGINE_OUT_OF_MEMORY = 3015;
+exports.ER_PASSWORD_EXPIRE_ANONYMOUS_USER = 3016;
+exports.ER_SLAVE_SQL_THREAD_MUST_STOP = 3017;
+exports.ER_NO_FT_MATERIALIZED_SUBQUERY = 3018;
+exports.ER_INNODB_UNDO_LOG_FULL = 3019;
+exports.ER_INVALID_ARGUMENT_FOR_LOGARITHM = 3020;
+exports.ER_SLAVE_CHANNEL_IO_THREAD_MUST_STOP = 3021;
+exports.ER_WARN_OPEN_TEMP_TABLES_MUST_BE_ZERO = 3022;
+exports.ER_WARN_ONLY_MASTER_LOG_FILE_NO_POS = 3023;
+exports.ER_QUERY_TIMEOUT = 3024;
+exports.ER_NON_RO_SELECT_DISABLE_TIMER = 3025;
+exports.ER_DUP_LIST_ENTRY = 3026;
+exports.ER_SQL_MODE_NO_EFFECT = 3027;
+exports.ER_AGGREGATE_ORDER_FOR_UNION = 3028;
+exports.ER_AGGREGATE_ORDER_NON_AGG_QUERY = 3029;
+exports.ER_SLAVE_WORKER_STOPPED_PREVIOUS_THD_ERROR = 3030;
+exports.ER_DONT_SUPPORT_SLAVE_PRESERVE_COMMIT_ORDER = 3031;
+exports.ER_SERVER_OFFLINE_MODE = 3032;
+exports.ER_GIS_DIFFERENT_SRIDS = 3033;
+exports.ER_GIS_UNSUPPORTED_ARGUMENT = 3034;
+exports.ER_GIS_UNKNOWN_ERROR = 3035;
+exports.ER_GIS_UNKNOWN_EXCEPTION = 3036;
+exports.ER_GIS_INVALID_DATA = 3037;
+exports.ER_BOOST_GEOMETRY_EMPTY_INPUT_EXCEPTION = 3038;
+exports.ER_BOOST_GEOMETRY_CENTROID_EXCEPTION = 3039;
+exports.ER_BOOST_GEOMETRY_OVERLAY_INVALID_INPUT_EXCEPTION = 3040;
+exports.ER_BOOST_GEOMETRY_TURN_INFO_EXCEPTION = 3041;
+exports.ER_BOOST_GEOMETRY_SELF_INTERSECTION_POINT_EXCEPTION = 3042;
+exports.ER_BOOST_GEOMETRY_UNKNOWN_EXCEPTION = 3043;
+exports.ER_STD_BAD_ALLOC_ERROR = 3044;
+exports.ER_STD_DOMAIN_ERROR = 3045;
+exports.ER_STD_LENGTH_ERROR = 3046;
+exports.ER_STD_INVALID_ARGUMENT = 3047;
+exports.ER_STD_OUT_OF_RANGE_ERROR = 3048;
+exports.ER_STD_OVERFLOW_ERROR = 3049;
+exports.ER_STD_RANGE_ERROR = 3050;
+exports.ER_STD_UNDERFLOW_ERROR = 3051;
+exports.ER_STD_LOGIC_ERROR = 3052;
+exports.ER_STD_RUNTIME_ERROR = 3053;
+exports.ER_STD_UNKNOWN_EXCEPTION = 3054;
+exports.ER_GIS_DATA_WRONG_ENDIANESS = 3055;
+exports.ER_CHANGE_MASTER_PASSWORD_LENGTH = 3056;
+exports.ER_USER_LOCK_WRONG_NAME = 3057;
+exports.ER_USER_LOCK_DEADLOCK = 3058;
+exports.ER_REPLACE_INACCESSIBLE_ROWS = 3059;
+exports.ER_ALTER_OPERATION_NOT_SUPPORTED_REASON_GIS = 3060;
+exports.ER_ILLEGAL_USER_VAR = 3061;
+exports.ER_GTID_MODE_OFF = 3062;
+exports.ER_UNSUPPORTED_BY_REPLICATION_THREAD = 3063;
+exports.ER_INCORRECT_TYPE = 3064;
+exports.ER_FIELD_IN_ORDER_NOT_SELECT = 3065;
+exports.ER_AGGREGATE_IN_ORDER_NOT_SELECT = 3066;
+exports.ER_INVALID_RPL_WILD_TABLE_FILTER_PATTERN = 3067;
+exports.ER_NET_OK_PACKET_TOO_LARGE = 3068;
+exports.ER_INVALID_JSON_DATA = 3069;
+exports.ER_INVALID_GEOJSON_MISSING_MEMBER = 3070;
+exports.ER_INVALID_GEOJSON_WRONG_TYPE = 3071;
+exports.ER_INVALID_GEOJSON_UNSPECIFIED = 3072;
+exports.ER_DIMENSION_UNSUPPORTED = 3073;
+exports.ER_SLAVE_CHANNEL_DOES_NOT_EXIST = 3074;
+exports.ER_SLAVE_MULTIPLE_CHANNELS_HOST_PORT = 3075;
+exports.ER_SLAVE_CHANNEL_NAME_INVALID_OR_TOO_LONG = 3076;
+exports.ER_SLAVE_NEW_CHANNEL_WRONG_REPOSITORY = 3077;
+exports.ER_SLAVE_CHANNEL_DELETE = 3078;
+exports.ER_SLAVE_MULTIPLE_CHANNELS_CMD = 3079;
+exports.ER_SLAVE_MAX_CHANNELS_EXCEEDED = 3080;
+exports.ER_SLAVE_CHANNEL_MUST_STOP = 3081;
+exports.ER_SLAVE_CHANNEL_NOT_RUNNING = 3082;
+exports.ER_SLAVE_CHANNEL_WAS_RUNNING = 3083;
+exports.ER_SLAVE_CHANNEL_WAS_NOT_RUNNING = 3084;
+exports.ER_SLAVE_CHANNEL_SQL_THREAD_MUST_STOP = 3085;
+exports.ER_SLAVE_CHANNEL_SQL_SKIP_COUNTER = 3086;
+exports.ER_WRONG_FIELD_WITH_GROUP_V2 = 3087;
+exports.ER_MIX_OF_GROUP_FUNC_AND_FIELDS_V2 = 3088;
+exports.ER_WARN_DEPRECATED_SYSVAR_UPDATE = 3089;
+exports.ER_WARN_DEPRECATED_SQLMODE = 3090;
+exports.ER_CANNOT_LOG_PARTIAL_DROP_DATABASE_WITH_GTID = 3091;
+exports.ER_GROUP_REPLICATION_CONFIGURATION = 3092;
+exports.ER_GROUP_REPLICATION_RUNNING = 3093;
+exports.ER_GROUP_REPLICATION_APPLIER_INIT_ERROR = 3094;
+exports.ER_GROUP_REPLICATION_STOP_APPLIER_THREAD_TIMEOUT = 3095;
+exports.ER_GROUP_REPLICATION_COMMUNICATION_LAYER_SESSION_ERROR = 3096;
+exports.ER_GROUP_REPLICATION_COMMUNICATION_LAYER_JOIN_ERROR = 3097;
+exports.ER_BEFORE_DML_VALIDATION_ERROR = 3098;
+exports.ER_PREVENTS_VARIABLE_WITHOUT_RBR = 3099;
+exports.ER_RUN_HOOK_ERROR = 3100;
+exports.ER_TRANSACTION_ROLLBACK_DURING_COMMIT = 3101;
+exports.ER_GENERATED_COLUMN_FUNCTION_IS_NOT_ALLOWED = 3102;
+exports.ER_UNSUPPORTED_ALTER_INPLACE_ON_VIRTUAL_COLUMN = 3103;
+exports.ER_WRONG_FK_OPTION_FOR_GENERATED_COLUMN = 3104;
+exports.ER_NON_DEFAULT_VALUE_FOR_GENERATED_COLUMN = 3105;
+exports.ER_UNSUPPORTED_ACTION_ON_GENERATED_COLUMN = 3106;
+exports.ER_GENERATED_COLUMN_NON_PRIOR = 3107;
+exports.ER_DEPENDENT_BY_GENERATED_COLUMN = 3108;
+exports.ER_GENERATED_COLUMN_REF_AUTO_INC = 3109;
+exports.ER_FEATURE_NOT_AVAILABLE = 3110;
+exports.ER_CANT_SET_GTID_MODE = 3111;
+exports.ER_CANT_USE_AUTO_POSITION_WITH_GTID_MODE_OFF = 3112;
+exports.ER_CANT_REPLICATE_ANONYMOUS_WITH_AUTO_POSITION = 3113;
+exports.ER_CANT_REPLICATE_ANONYMOUS_WITH_GTID_MODE_ON = 3114;
+exports.ER_CANT_REPLICATE_GTID_WITH_GTID_MODE_OFF = 3115;
+exports.ER_CANT_SET_ENFORCE_GTID_CONSISTENCY_ON_WITH_ONGOING_GTID_VIOLATING_TRANSACTIONS = 3116;
+exports.ER_SET_ENFORCE_GTID_CONSISTENCY_WARN_WITH_ONGOING_GTID_VIOLATING_TRANSACTIONS = 3117;
+exports.ER_ACCOUNT_HAS_BEEN_LOCKED = 3118;
+exports.ER_WRONG_TABLESPACE_NAME = 3119;
+exports.ER_TABLESPACE_IS_NOT_EMPTY = 3120;
+exports.ER_WRONG_FILE_NAME = 3121;
+exports.ER_BOOST_GEOMETRY_INCONSISTENT_TURNS_EXCEPTION = 3122;
+exports.ER_WARN_OPTIMIZER_HINT_SYNTAX_ERROR = 3123;
+exports.ER_WARN_BAD_MAX_EXECUTION_TIME = 3124;
+exports.ER_WARN_UNSUPPORTED_MAX_EXECUTION_TIME = 3125;
+exports.ER_WARN_CONFLICTING_HINT = 3126;
+exports.ER_WARN_UNKNOWN_QB_NAME = 3127;
+exports.ER_UNRESOLVED_HINT_NAME = 3128;
+exports.ER_WARN_ON_MODIFYING_GTID_EXECUTED_TABLE = 3129;
+exports.ER_PLUGGABLE_PROTOCOL_COMMAND_NOT_SUPPORTED = 3130;
+exports.ER_LOCKING_SERVICE_WRONG_NAME = 3131;
+exports.ER_LOCKING_SERVICE_DEADLOCK = 3132;
+exports.ER_LOCKING_SERVICE_TIMEOUT = 3133;
+exports.ER_GIS_MAX_POINTS_IN_GEOMETRY_OVERFLOWED = 3134;
+exports.ER_SQL_MODE_MERGED = 3135;
+exports.ER_VTOKEN_PLUGIN_TOKEN_MISMATCH = 3136;
+exports.ER_VTOKEN_PLUGIN_TOKEN_NOT_FOUND = 3137;
+exports.ER_CANT_SET_VARIABLE_WHEN_OWNING_GTID = 3138;
+exports.ER_SLAVE_CHANNEL_OPERATION_NOT_ALLOWED = 3139;
+exports.ER_INVALID_JSON_TEXT = 3140;
+exports.ER_INVALID_JSON_TEXT_IN_PARAM = 3141;
+exports.ER_INVALID_JSON_BINARY_DATA = 3142;
+exports.ER_INVALID_JSON_PATH = 3143;
+exports.ER_INVALID_JSON_CHARSET = 3144;
+exports.ER_INVALID_JSON_CHARSET_IN_FUNCTION = 3145;
+exports.ER_INVALID_TYPE_FOR_JSON = 3146;
+exports.ER_INVALID_CAST_TO_JSON = 3147;
+exports.ER_INVALID_JSON_PATH_CHARSET = 3148;
+exports.ER_INVALID_JSON_PATH_WILDCARD = 3149;
+exports.ER_JSON_VALUE_TOO_BIG = 3150;
+exports.ER_JSON_KEY_TOO_BIG = 3151;
+exports.ER_JSON_USED_AS_KEY = 3152;
+exports.ER_JSON_VACUOUS_PATH = 3153;
+exports.ER_JSON_BAD_ONE_OR_ALL_ARG = 3154;
+exports.ER_NUMERIC_JSON_VALUE_OUT_OF_RANGE = 3155;
+exports.ER_INVALID_JSON_VALUE_FOR_CAST = 3156;
+exports.ER_JSON_DOCUMENT_TOO_DEEP = 3157;
+exports.ER_JSON_DOCUMENT_NULL_KEY = 3158;
+exports.ER_SECURE_TRANSPORT_REQUIRED = 3159;
+exports.ER_NO_SECURE_TRANSPORTS_CONFIGURED = 3160;
+exports.ER_DISABLED_STORAGE_ENGINE = 3161;
+exports.ER_USER_DOES_NOT_EXIST = 3162;
+exports.ER_USER_ALREADY_EXISTS = 3163;
+exports.ER_AUDIT_API_ABORT = 3164;
+exports.ER_INVALID_JSON_PATH_ARRAY_CELL = 3165;
+exports.ER_BUFPOOL_RESIZE_INPROGRESS = 3166;
+exports.ER_FEATURE_DISABLED_SEE_DOC = 3167;
+exports.ER_SERVER_ISNT_AVAILABLE = 3168;
+exports.ER_SESSION_WAS_KILLED = 3169;
+exports.ER_CAPACITY_EXCEEDED = 3170;
+exports.ER_CAPACITY_EXCEEDED_IN_RANGE_OPTIMIZER = 3171;
+exports.ER_TABLE_NEEDS_UPG_PART = 3172;
+exports.ER_CANT_WAIT_FOR_EXECUTED_GTID_SET_WHILE_OWNING_A_GTID = 3173;
+exports.ER_CANNOT_ADD_FOREIGN_BASE_COL_VIRTUAL = 3174;
+exports.ER_CANNOT_CREATE_VIRTUAL_INDEX_CONSTRAINT = 3175;
+exports.ER_ERROR_ON_MODIFYING_GTID_EXECUTED_TABLE = 3176;
+exports.ER_LOCK_REFUSED_BY_ENGINE = 3177;
+exports.ER_UNSUPPORTED_ALTER_ONLINE_ON_VIRTUAL_COLUMN = 3178;
+exports.ER_MASTER_KEY_ROTATION_NOT_SUPPORTED_BY_SE = 3179;
+exports.ER_MASTER_KEY_ROTATION_ERROR_BY_SE = 3180;
+exports.ER_MASTER_KEY_ROTATION_BINLOG_FAILED = 3181;
+exports.ER_MASTER_KEY_ROTATION_SE_UNAVAILABLE = 3182;
+exports.ER_TABLESPACE_CANNOT_ENCRYPT = 3183;
+exports.ER_INVALID_ENCRYPTION_OPTION = 3184;
+exports.ER_CANNOT_FIND_KEY_IN_KEYRING = 3185;
+exports.ER_CAPACITY_EXCEEDED_IN_PARSER = 3186;
+exports.ER_UNSUPPORTED_ALTER_ENCRYPTION_INPLACE = 3187;
+exports.ER_KEYRING_UDF_KEYRING_SERVICE_ERROR = 3188;
+exports.ER_USER_COLUMN_OLD_LENGTH = 3189;
+exports.ER_CANT_RESET_MASTER = 3190;
+exports.ER_GROUP_REPLICATION_MAX_GROUP_SIZE = 3191;
+exports.ER_CANNOT_ADD_FOREIGN_BASE_COL_STORED = 3192;
+exports.ER_TABLE_REFERENCED = 3193;
+exports.ER_PARTITION_ENGINE_DEPRECATED_FOR_TABLE = 3194;
+exports.ER_WARN_USING_GEOMFROMWKB_TO_SET_SRID_ZERO = 3195;
+exports.ER_WARN_USING_GEOMFROMWKB_TO_SET_SRID = 3196;
+exports.ER_XA_RETRY = 3197;
+exports.ER_KEYRING_AWS_UDF_AWS_KMS_ERROR = 3198;
+exports.ER_BINLOG_UNSAFE_XA = 3199;
+exports.ER_UDF_ERROR = 3200;
+exports.ER_KEYRING_MIGRATION_FAILURE = 3201;
+exports.ER_KEYRING_ACCESS_DENIED_ERROR = 3202;
+exports.ER_KEYRING_MIGRATION_STATUS = 3203;
+exports.ER_PLUGIN_FAILED_TO_OPEN_TABLES = 3204;
+exports.ER_PLUGIN_FAILED_TO_OPEN_TABLE = 3205;
+exports.ER_AUDIT_LOG_NO_KEYRING_PLUGIN_INSTALLED = 3206;
+exports.ER_AUDIT_LOG_ENCRYPTION_PASSWORD_HAS_NOT_BEEN_SET = 3207;
+exports.ER_AUDIT_LOG_COULD_NOT_CREATE_AES_KEY = 3208;
+exports.ER_AUDIT_LOG_ENCRYPTION_PASSWORD_CANNOT_BE_FETCHED = 3209;
+exports.ER_AUDIT_LOG_JSON_FILTERING_NOT_ENABLED = 3210;
+exports.ER_AUDIT_LOG_UDF_INSUFFICIENT_PRIVILEGE = 3211;
+exports.ER_AUDIT_LOG_SUPER_PRIVILEGE_REQUIRED = 3212;
+exports.ER_COULD_NOT_REINITIALIZE_AUDIT_LOG_FILTERS = 3213;
+exports.ER_AUDIT_LOG_UDF_INVALID_ARGUMENT_TYPE = 3214;
+exports.ER_AUDIT_LOG_UDF_INVALID_ARGUMENT_COUNT = 3215;
+exports.ER_AUDIT_LOG_HAS_NOT_BEEN_INSTALLED = 3216;
+exports.ER_AUDIT_LOG_UDF_READ_INVALID_MAX_ARRAY_LENGTH_ARG_TYPE = 3217;
+exports.ER_AUDIT_LOG_UDF_READ_INVALID_MAX_ARRAY_LENGTH_ARG_VALUE = 3218;
+exports.ER_AUDIT_LOG_JSON_FILTER_PARSING_ERROR = 3219;
+exports.ER_AUDIT_LOG_JSON_FILTER_NAME_CANNOT_BE_EMPTY = 3220;
+exports.ER_AUDIT_LOG_JSON_USER_NAME_CANNOT_BE_EMPTY = 3221;
+exports.ER_AUDIT_LOG_JSON_FILTER_DOES_NOT_EXISTS = 3222;
+exports.ER_AUDIT_LOG_USER_FIRST_CHARACTER_MUST_BE_ALPHANUMERIC = 3223;
+exports.ER_AUDIT_LOG_USER_NAME_INVALID_CHARACTER = 3224;
+exports.ER_AUDIT_LOG_HOST_NAME_INVALID_CHARACTER = 3225;
+exports.WARN_DEPRECATED_MAXDB_SQL_MODE_FOR_TIMESTAMP = 3226;
+exports.ER_XA_REPLICATION_FILTERS = 3227;
+exports.ER_CANT_OPEN_ERROR_LOG = 3228;
+exports.ER_GROUPING_ON_TIMESTAMP_IN_DST = 3229;
+exports.ER_CANT_START_SERVER_NAMED_PIPE = 3230;
+
+// Lookup-by-number table
+exports[1] = 'EE_CANTCREATEFILE';
+exports[2] = 'EE_READ';
+exports[3] = 'EE_WRITE';
+exports[4] = 'EE_BADCLOSE';
+exports[5] = 'EE_OUTOFMEMORY';
+exports[6] = 'EE_DELETE';
+exports[7] = 'EE_LINK';
+exports[9] = 'EE_EOFERR';
+exports[10] = 'EE_CANTLOCK';
+exports[11] = 'EE_CANTUNLOCK';
+exports[12] = 'EE_DIR';
+exports[13] = 'EE_STAT';
+exports[14] = 'EE_CANT_CHSIZE';
+exports[15] = 'EE_CANT_OPEN_STREAM';
+exports[16] = 'EE_GETWD';
+exports[17] = 'EE_SETWD';
+exports[18] = 'EE_LINK_WARNING';
+exports[19] = 'EE_OPEN_WARNING';
+exports[20] = 'EE_DISK_FULL';
+exports[21] = 'EE_CANT_MKDIR';
+exports[22] = 'EE_UNKNOWN_CHARSET';
+exports[23] = 'EE_OUT_OF_FILERESOURCES';
+exports[24] = 'EE_CANT_READLINK';
+exports[25] = 'EE_CANT_SYMLINK';
+exports[26] = 'EE_REALPATH';
+exports[27] = 'EE_SYNC';
+exports[28] = 'EE_UNKNOWN_COLLATION';
+exports[29] = 'EE_FILENOTFOUND';
+exports[30] = 'EE_FILE_NOT_CLOSED';
+exports[31] = 'EE_CHANGE_OWNERSHIP';
+exports[32] = 'EE_CHANGE_PERMISSIONS';
+exports[33] = 'EE_CANT_SEEK';
+exports[34] = 'EE_CAPACITY_EXCEEDED';
+exports[120] = 'HA_ERR_KEY_NOT_FOUND';
+exports[121] = 'HA_ERR_FOUND_DUPP_KEY';
+exports[122] = 'HA_ERR_INTERNAL_ERROR';
+exports[123] = 'HA_ERR_RECORD_CHANGED';
+exports[124] = 'HA_ERR_WRONG_INDEX';
+exports[126] = 'HA_ERR_CRASHED';
+exports[127] = 'HA_ERR_WRONG_IN_RECORD';
+exports[128] = 'HA_ERR_OUT_OF_MEM';
+exports[130] = 'HA_ERR_NOT_A_TABLE';
+exports[131] = 'HA_ERR_WRONG_COMMAND';
+exports[132] = 'HA_ERR_OLD_FILE';
+exports[133] = 'HA_ERR_NO_ACTIVE_RECORD';
+exports[134] = 'HA_ERR_RECORD_DELETED';
+exports[135] = 'HA_ERR_RECORD_FILE_FULL';
+exports[136] = 'HA_ERR_INDEX_FILE_FULL';
+exports[137] = 'HA_ERR_END_OF_FILE';
+exports[138] = 'HA_ERR_UNSUPPORTED';
+exports[139] = 'HA_ERR_TOO_BIG_ROW';
+exports[140] = 'HA_WRONG_CREATE_OPTION';
+exports[141] = 'HA_ERR_FOUND_DUPP_UNIQUE';
+exports[142] = 'HA_ERR_UNKNOWN_CHARSET';
+exports[143] = 'HA_ERR_WRONG_MRG_TABLE_DEF';
+exports[144] = 'HA_ERR_CRASHED_ON_REPAIR';
+exports[145] = 'HA_ERR_CRASHED_ON_USAGE';
+exports[146] = 'HA_ERR_LOCK_WAIT_TIMEOUT';
+exports[147] = 'HA_ERR_LOCK_TABLE_FULL';
+exports[148] = 'HA_ERR_READ_ONLY_TRANSACTION';
+exports[149] = 'HA_ERR_LOCK_DEADLOCK';
+exports[150] = 'HA_ERR_CANNOT_ADD_FOREIGN';
+exports[151] = 'HA_ERR_NO_REFERENCED_ROW';
+exports[152] = 'HA_ERR_ROW_IS_REFERENCED';
+exports[153] = 'HA_ERR_NO_SAVEPOINT';
+exports[154] = 'HA_ERR_NON_UNIQUE_BLOCK_SIZE';
+exports[155] = 'HA_ERR_NO_SUCH_TABLE';
+exports[156] = 'HA_ERR_TABLE_EXIST';
+exports[157] = 'HA_ERR_NO_CONNECTION';
+exports[158] = 'HA_ERR_NULL_IN_SPATIAL';
+exports[159] = 'HA_ERR_TABLE_DEF_CHANGED';
+exports[160] = 'HA_ERR_NO_PARTITION_FOUND';
+exports[161] = 'HA_ERR_RBR_LOGGING_FAILED';
+exports[162] = 'HA_ERR_DROP_INDEX_FK';
+exports[163] = 'HA_ERR_FOREIGN_DUPLICATE_KEY';
+exports[164] = 'HA_ERR_TABLE_NEEDS_UPGRADE';
+exports[165] = 'HA_ERR_TABLE_READONLY';
+exports[166] = 'HA_ERR_AUTOINC_READ_FAILED';
+exports[167] = 'HA_ERR_AUTOINC_ERANGE';
+exports[168] = 'HA_ERR_GENERIC';
+exports[169] = 'HA_ERR_RECORD_IS_THE_SAME';
+exports[170] = 'HA_ERR_LOGGING_IMPOSSIBLE';
+exports[171] = 'HA_ERR_CORRUPT_EVENT';
+exports[172] = 'HA_ERR_NEW_FILE';
+exports[173] = 'HA_ERR_ROWS_EVENT_APPLY';
+exports[174] = 'HA_ERR_INITIALIZATION';
+exports[175] = 'HA_ERR_FILE_TOO_SHORT';
+exports[176] = 'HA_ERR_WRONG_CRC';
+exports[177] = 'HA_ERR_TOO_MANY_CONCURRENT_TRXS';
+exports[178] = 'HA_ERR_NOT_IN_LOCK_PARTITIONS';
+exports[179] = 'HA_ERR_INDEX_COL_TOO_LONG';
+exports[180] = 'HA_ERR_INDEX_CORRUPT';
+exports[181] = 'HA_ERR_UNDO_REC_TOO_BIG';
+exports[182] = 'HA_FTS_INVALID_DOCID';
+exports[183] = 'HA_ERR_TABLE_IN_FK_CHECK';
+exports[184] = 'HA_ERR_TABLESPACE_EXISTS';
+exports[185] = 'HA_ERR_TOO_MANY_FIELDS';
+exports[186] = 'HA_ERR_ROW_IN_WRONG_PARTITION';
+exports[187] = 'HA_ERR_INNODB_READ_ONLY';
+exports[188] = 'HA_ERR_FTS_EXCEED_RESULT_CACHE_LIMIT';
+exports[189] = 'HA_ERR_TEMP_FILE_WRITE_FAILURE';
+exports[190] = 'HA_ERR_INNODB_FORCED_RECOVERY';
+exports[191] = 'HA_ERR_FTS_TOO_MANY_WORDS_IN_PHRASE';
+exports[192] = 'HA_ERR_FK_DEPTH_EXCEEDED';
+exports[193] = 'HA_MISSING_CREATE_OPTION';
+exports[194] = 'HA_ERR_SE_OUT_OF_MEMORY';
+exports[195] = 'HA_ERR_TABLE_CORRUPT';
+exports[196] = 'HA_ERR_QUERY_INTERRUPTED';
+exports[197] = 'HA_ERR_TABLESPACE_MISSING';
+exports[198] = 'HA_ERR_TABLESPACE_IS_NOT_EMPTY';
+exports[199] = 'HA_ERR_WRONG_FILE_NAME';
+exports[200] = 'HA_ERR_NOT_ALLOWED_COMMAND';
+exports[201] = 'HA_ERR_COMPUTE_FAILED';
+exports[1000] = 'ER_HASHCHK';
+exports[1001] = 'ER_NISAMCHK';
+exports[1002] = 'ER_NO';
+exports[1003] = 'ER_YES';
+exports[1004] = 'ER_CANT_CREATE_FILE';
+exports[1005] = 'ER_CANT_CREATE_TABLE';
+exports[1006] = 'ER_CANT_CREATE_DB';
+exports[1007] = 'ER_DB_CREATE_EXISTS';
+exports[1008] = 'ER_DB_DROP_EXISTS';
+exports[1009] = 'ER_DB_DROP_DELETE';
+exports[1010] = 'ER_DB_DROP_RMDIR';
+exports[1011] = 'ER_CANT_DELETE_FILE';
+exports[1012] = 'ER_CANT_FIND_SYSTEM_REC';
+exports[1013] = 'ER_CANT_GET_STAT';
+exports[1014] = 'ER_CANT_GET_WD';
+exports[1015] = 'ER_CANT_LOCK';
+exports[1016] = 'ER_CANT_OPEN_FILE';
+exports[1017] = 'ER_FILE_NOT_FOUND';
+exports[1018] = 'ER_CANT_READ_DIR';
+exports[1019] = 'ER_CANT_SET_WD';
+exports[1020] = 'ER_CHECKREAD';
+exports[1021] = 'ER_DISK_FULL';
+exports[1022] = 'ER_DUP_KEY';
+exports[1023] = 'ER_ERROR_ON_CLOSE';
+exports[1024] = 'ER_ERROR_ON_READ';
+exports[1025] = 'ER_ERROR_ON_RENAME';
+exports[1026] = 'ER_ERROR_ON_WRITE';
+exports[1027] = 'ER_FILE_USED';
+exports[1028] = 'ER_FILSORT_ABORT';
+exports[1029] = 'ER_FORM_NOT_FOUND';
+exports[1030] = 'ER_GET_ERRNO';
+exports[1031] = 'ER_ILLEGAL_HA';
+exports[1032] = 'ER_KEY_NOT_FOUND';
+exports[1033] = 'ER_NOT_FORM_FILE';
+exports[1034] = 'ER_NOT_KEYFILE';
+exports[1035] = 'ER_OLD_KEYFILE';
+exports[1036] = 'ER_OPEN_AS_READONLY';
+exports[1037] = 'ER_OUTOFMEMORY';
+exports[1038] = 'ER_OUT_OF_SORTMEMORY';
+exports[1039] = 'ER_UNEXPECTED_EOF';
+exports[1040] = 'ER_CON_COUNT_ERROR';
+exports[1041] = 'ER_OUT_OF_RESOURCES';
+exports[1042] = 'ER_BAD_HOST_ERROR';
+exports[1043] = 'ER_HANDSHAKE_ERROR';
+exports[1044] = 'ER_DBACCESS_DENIED_ERROR';
+exports[1045] = 'ER_ACCESS_DENIED_ERROR';
+exports[1046] = 'ER_NO_DB_ERROR';
+exports[1047] = 'ER_UNKNOWN_COM_ERROR';
+exports[1048] = 'ER_BAD_NULL_ERROR';
+exports[1049] = 'ER_BAD_DB_ERROR';
+exports[1050] = 'ER_TABLE_EXISTS_ERROR';
+exports[1051] = 'ER_BAD_TABLE_ERROR';
+exports[1052] = 'ER_NON_UNIQ_ERROR';
+exports[1053] = 'ER_SERVER_SHUTDOWN';
+exports[1054] = 'ER_BAD_FIELD_ERROR';
+exports[1055] = 'ER_WRONG_FIELD_WITH_GROUP';
+exports[1056] = 'ER_WRONG_GROUP_FIELD';
+exports[1057] = 'ER_WRONG_SUM_SELECT';
+exports[1058] = 'ER_WRONG_VALUE_COUNT';
+exports[1059] = 'ER_TOO_LONG_IDENT';
+exports[1060] = 'ER_DUP_FIELDNAME';
+exports[1061] = 'ER_DUP_KEYNAME';
+exports[1062] = 'ER_DUP_ENTRY';
+exports[1063] = 'ER_WRONG_FIELD_SPEC';
+exports[1064] = 'ER_PARSE_ERROR';
+exports[1065] = 'ER_EMPTY_QUERY';
+exports[1066] = 'ER_NONUNIQ_TABLE';
+exports[1067] = 'ER_INVALID_DEFAULT';
+exports[1068] = 'ER_MULTIPLE_PRI_KEY';
+exports[1069] = 'ER_TOO_MANY_KEYS';
+exports[1070] = 'ER_TOO_MANY_KEY_PARTS';
+exports[1071] = 'ER_TOO_LONG_KEY';
+exports[1072] = 'ER_KEY_COLUMN_DOES_NOT_EXITS';
+exports[1073] = 'ER_BLOB_USED_AS_KEY';
+exports[1074] = 'ER_TOO_BIG_FIELDLENGTH';
+exports[1075] = 'ER_WRONG_AUTO_KEY';
+exports[1076] = 'ER_READY';
+exports[1077] = 'ER_NORMAL_SHUTDOWN';
+exports[1078] = 'ER_GOT_SIGNAL';
+exports[1079] = 'ER_SHUTDOWN_COMPLETE';
+exports[1080] = 'ER_FORCING_CLOSE';
+exports[1081] = 'ER_IPSOCK_ERROR';
+exports[1082] = 'ER_NO_SUCH_INDEX';
+exports[1083] = 'ER_WRONG_FIELD_TERMINATORS';
+exports[1084] = 'ER_BLOBS_AND_NO_TERMINATED';
+exports[1085] = 'ER_TEXTFILE_NOT_READABLE';
+exports[1086] = 'ER_FILE_EXISTS_ERROR';
+exports[1087] = 'ER_LOAD_INFO';
+exports[1088] = 'ER_ALTER_INFO';
+exports[1089] = 'ER_WRONG_SUB_KEY';
+exports[1090] = 'ER_CANT_REMOVE_ALL_FIELDS';
+exports[1091] = 'ER_CANT_DROP_FIELD_OR_KEY';
+exports[1092] = 'ER_INSERT_INFO';
+exports[1093] = 'ER_UPDATE_TABLE_USED';
+exports[1094] = 'ER_NO_SUCH_THREAD';
+exports[1095] = 'ER_KILL_DENIED_ERROR';
+exports[1096] = 'ER_NO_TABLES_USED';
+exports[1097] = 'ER_TOO_BIG_SET';
+exports[1098] = 'ER_NO_UNIQUE_LOGFILE';
+exports[1099] = 'ER_TABLE_NOT_LOCKED_FOR_WRITE';
+exports[1100] = 'ER_TABLE_NOT_LOCKED';
+exports[1101] = 'ER_BLOB_CANT_HAVE_DEFAULT';
+exports[1102] = 'ER_WRONG_DB_NAME';
+exports[1103] = 'ER_WRONG_TABLE_NAME';
+exports[1104] = 'ER_TOO_BIG_SELECT';
+exports[1105] = 'ER_UNKNOWN_ERROR';
+exports[1106] = 'ER_UNKNOWN_PROCEDURE';
+exports[1107] = 'ER_WRONG_PARAMCOUNT_TO_PROCEDURE';
+exports[1108] = 'ER_WRONG_PARAMETERS_TO_PROCEDURE';
+exports[1109] = 'ER_UNKNOWN_TABLE';
+exports[1110] = 'ER_FIELD_SPECIFIED_TWICE';
+exports[1111] = 'ER_INVALID_GROUP_FUNC_USE';
+exports[1112] = 'ER_UNSUPPORTED_EXTENSION';
+exports[1113] = 'ER_TABLE_MUST_HAVE_COLUMNS';
+exports[1114] = 'ER_RECORD_FILE_FULL';
+exports[1115] = 'ER_UNKNOWN_CHARACTER_SET';
+exports[1116] = 'ER_TOO_MANY_TABLES';
+exports[1117] = 'ER_TOO_MANY_FIELDS';
+exports[1118] = 'ER_TOO_BIG_ROWSIZE';
+exports[1119] = 'ER_STACK_OVERRUN';
+exports[1120] = 'ER_WRONG_OUTER_JOIN';
+exports[1121] = 'ER_NULL_COLUMN_IN_INDEX';
+exports[1122] = 'ER_CANT_FIND_UDF';
+exports[1123] = 'ER_CANT_INITIALIZE_UDF';
+exports[1124] = 'ER_UDF_NO_PATHS';
+exports[1125] = 'ER_UDF_EXISTS';
+exports[1126] = 'ER_CANT_OPEN_LIBRARY';
+exports[1127] = 'ER_CANT_FIND_DL_ENTRY';
+exports[1128] = 'ER_FUNCTION_NOT_DEFINED';
+exports[1129] = 'ER_HOST_IS_BLOCKED';
+exports[1130] = 'ER_HOST_NOT_PRIVILEGED';
+exports[1131] = 'ER_PASSWORD_ANONYMOUS_USER';
+exports[1132] = 'ER_PASSWORD_NOT_ALLOWED';
+exports[1133] = 'ER_PASSWORD_NO_MATCH';
+exports[1134] = 'ER_UPDATE_INFO';
+exports[1135] = 'ER_CANT_CREATE_THREAD';
+exports[1136] = 'ER_WRONG_VALUE_COUNT_ON_ROW';
+exports[1137] = 'ER_CANT_REOPEN_TABLE';
+exports[1138] = 'ER_INVALID_USE_OF_NULL';
+exports[1139] = 'ER_REGEXP_ERROR';
+exports[1140] = 'ER_MIX_OF_GROUP_FUNC_AND_FIELDS';
+exports[1141] = 'ER_NONEXISTING_GRANT';
+exports[1142] = 'ER_TABLEACCESS_DENIED_ERROR';
+exports[1143] = 'ER_COLUMNACCESS_DENIED_ERROR';
+exports[1144] = 'ER_ILLEGAL_GRANT_FOR_TABLE';
+exports[1145] = 'ER_GRANT_WRONG_HOST_OR_USER';
+exports[1146] = 'ER_NO_SUCH_TABLE';
+exports[1147] = 'ER_NONEXISTING_TABLE_GRANT';
+exports[1148] = 'ER_NOT_ALLOWED_COMMAND';
+exports[1149] = 'ER_SYNTAX_ERROR';
+exports[1150] = 'ER_DELAYED_CANT_CHANGE_LOCK';
+exports[1151] = 'ER_TOO_MANY_DELAYED_THREADS';
+exports[1152] = 'ER_ABORTING_CONNECTION';
+exports[1153] = 'ER_NET_PACKET_TOO_LARGE';
+exports[1154] = 'ER_NET_READ_ERROR_FROM_PIPE';
+exports[1155] = 'ER_NET_FCNTL_ERROR';
+exports[1156] = 'ER_NET_PACKETS_OUT_OF_ORDER';
+exports[1157] = 'ER_NET_UNCOMPRESS_ERROR';
+exports[1158] = 'ER_NET_READ_ERROR';
+exports[1159] = 'ER_NET_READ_INTERRUPTED';
+exports[1160] = 'ER_NET_ERROR_ON_WRITE';
+exports[1161] = 'ER_NET_WRITE_INTERRUPTED';
+exports[1162] = 'ER_TOO_LONG_STRING';
+exports[1163] = 'ER_TABLE_CANT_HANDLE_BLOB';
+exports[1164] = 'ER_TABLE_CANT_HANDLE_AUTO_INCREMENT';
+exports[1165] = 'ER_DELAYED_INSERT_TABLE_LOCKED';
+exports[1166] = 'ER_WRONG_COLUMN_NAME';
+exports[1167] = 'ER_WRONG_KEY_COLUMN';
+exports[1168] = 'ER_WRONG_MRG_TABLE';
+exports[1169] = 'ER_DUP_UNIQUE';
+exports[1170] = 'ER_BLOB_KEY_WITHOUT_LENGTH';
+exports[1171] = 'ER_PRIMARY_CANT_HAVE_NULL';
+exports[1172] = 'ER_TOO_MANY_ROWS';
+exports[1173] = 'ER_REQUIRES_PRIMARY_KEY';
+exports[1174] = 'ER_NO_RAID_COMPILED';
+exports[1175] = 'ER_UPDATE_WITHOUT_KEY_IN_SAFE_MODE';
+exports[1176] = 'ER_KEY_DOES_NOT_EXITS';
+exports[1177] = 'ER_CHECK_NO_SUCH_TABLE';
+exports[1178] = 'ER_CHECK_NOT_IMPLEMENTED';
+exports[1179] = 'ER_CANT_DO_THIS_DURING_AN_TRANSACTION';
+exports[1180] = 'ER_ERROR_DURING_COMMIT';
+exports[1181] = 'ER_ERROR_DURING_ROLLBACK';
+exports[1182] = 'ER_ERROR_DURING_FLUSH_LOGS';
+exports[1183] = 'ER_ERROR_DURING_CHECKPOINT';
+exports[1184] = 'ER_NEW_ABORTING_CONNECTION';
+exports[1185] = 'ER_DUMP_NOT_IMPLEMENTED';
+exports[1186] = 'ER_FLUSH_MASTER_BINLOG_CLOSED';
+exports[1187] = 'ER_INDEX_REBUILD';
+exports[1188] = 'ER_MASTER';
+exports[1189] = 'ER_MASTER_NET_READ';
+exports[1190] = 'ER_MASTER_NET_WRITE';
+exports[1191] = 'ER_FT_MATCHING_KEY_NOT_FOUND';
+exports[1192] = 'ER_LOCK_OR_ACTIVE_TRANSACTION';
+exports[1193] = 'ER_UNKNOWN_SYSTEM_VARIABLE';
+exports[1194] = 'ER_CRASHED_ON_USAGE';
+exports[1195] = 'ER_CRASHED_ON_REPAIR';
+exports[1196] = 'ER_WARNING_NOT_COMPLETE_ROLLBACK';
+exports[1197] = 'ER_TRANS_CACHE_FULL';
+exports[1198] = 'ER_SLAVE_MUST_STOP';
+exports[1199] = 'ER_SLAVE_NOT_RUNNING';
+exports[1200] = 'ER_BAD_SLAVE';
+exports[1201] = 'ER_MASTER_INFO';
+exports[1202] = 'ER_SLAVE_THREAD';
+exports[1203] = 'ER_TOO_MANY_USER_CONNECTIONS';
+exports[1204] = 'ER_SET_CONSTANTS_ONLY';
+exports[1205] = 'ER_LOCK_WAIT_TIMEOUT';
+exports[1206] = 'ER_LOCK_TABLE_FULL';
+exports[1207] = 'ER_READ_ONLY_TRANSACTION';
+exports[1208] = 'ER_DROP_DB_WITH_READ_LOCK';
+exports[1209] = 'ER_CREATE_DB_WITH_READ_LOCK';
+exports[1210] = 'ER_WRONG_ARGUMENTS';
+exports[1211] = 'ER_NO_PERMISSION_TO_CREATE_USER';
+exports[1212] = 'ER_UNION_TABLES_IN_DIFFERENT_DIR';
+exports[1213] = 'ER_LOCK_DEADLOCK';
+exports[1214] = 'ER_TABLE_CANT_HANDLE_FT';
+exports[1215] = 'ER_CANNOT_ADD_FOREIGN';
+exports[1216] = 'ER_NO_REFERENCED_ROW';
+exports[1217] = 'ER_ROW_IS_REFERENCED';
+exports[1218] = 'ER_CONNECT_TO_MASTER';
+exports[1219] = 'ER_QUERY_ON_MASTER';
+exports[1220] = 'ER_ERROR_WHEN_EXECUTING_COMMAND';
+exports[1221] = 'ER_WRONG_USAGE';
+exports[1222] = 'ER_WRONG_NUMBER_OF_COLUMNS_IN_SELECT';
+exports[1223] = 'ER_CANT_UPDATE_WITH_READLOCK';
+exports[1224] = 'ER_MIXING_NOT_ALLOWED';
+exports[1225] = 'ER_DUP_ARGUMENT';
+exports[1226] = 'ER_USER_LIMIT_REACHED';
+exports[1227] = 'ER_SPECIFIC_ACCESS_DENIED_ERROR';
+exports[1228] = 'ER_LOCAL_VARIABLE';
+exports[1229] = 'ER_GLOBAL_VARIABLE';
+exports[1230] = 'ER_NO_DEFAULT';
+exports[1231] = 'ER_WRONG_VALUE_FOR_VAR';
+exports[1232] = 'ER_WRONG_TYPE_FOR_VAR';
+exports[1233] = 'ER_VAR_CANT_BE_READ';
+exports[1234] = 'ER_CANT_USE_OPTION_HERE';
+exports[1235] = 'ER_NOT_SUPPORTED_YET';
+exports[1236] = 'ER_MASTER_FATAL_ERROR_READING_BINLOG';
+exports[1237] = 'ER_SLAVE_IGNORED_TABLE';
+exports[1238] = 'ER_INCORRECT_GLOBAL_LOCAL_VAR';
+exports[1239] = 'ER_WRONG_FK_DEF';
+exports[1240] = 'ER_KEY_REF_DO_NOT_MATCH_TABLE_REF';
+exports[1241] = 'ER_OPERAND_COLUMNS';
+exports[1242] = 'ER_SUBQUERY_NO_1_ROW';
+exports[1243] = 'ER_UNKNOWN_STMT_HANDLER';
+exports[1244] = 'ER_CORRUPT_HELP_DB';
+exports[1245] = 'ER_CYCLIC_REFERENCE';
+exports[1246] = 'ER_AUTO_CONVERT';
+exports[1247] = 'ER_ILLEGAL_REFERENCE';
+exports[1248] = 'ER_DERIVED_MUST_HAVE_ALIAS';
+exports[1249] = 'ER_SELECT_REDUCED';
+exports[1250] = 'ER_TABLENAME_NOT_ALLOWED_HERE';
+exports[1251] = 'ER_NOT_SUPPORTED_AUTH_MODE';
+exports[1252] = 'ER_SPATIAL_CANT_HAVE_NULL';
+exports[1253] = 'ER_COLLATION_CHARSET_MISMATCH';
+exports[1254] = 'ER_SLAVE_WAS_RUNNING';
+exports[1255] = 'ER_SLAVE_WAS_NOT_RUNNING';
+exports[1256] = 'ER_TOO_BIG_FOR_UNCOMPRESS';
+exports[1257] = 'ER_ZLIB_Z_MEM_ERROR';
+exports[1258] = 'ER_ZLIB_Z_BUF_ERROR';
+exports[1259] = 'ER_ZLIB_Z_DATA_ERROR';
+exports[1260] = 'ER_CUT_VALUE_GROUP_CONCAT';
+exports[1261] = 'ER_WARN_TOO_FEW_RECORDS';
+exports[1262] = 'ER_WARN_TOO_MANY_RECORDS';
+exports[1263] = 'ER_WARN_NULL_TO_NOTNULL';
+exports[1264] = 'ER_WARN_DATA_OUT_OF_RANGE';
+exports[1265] = 'WARN_DATA_TRUNCATED';
+exports[1266] = 'ER_WARN_USING_OTHER_HANDLER';
+exports[1267] = 'ER_CANT_AGGREGATE_2COLLATIONS';
+exports[1268] = 'ER_DROP_USER';
+exports[1269] = 'ER_REVOKE_GRANTS';
+exports[1270] = 'ER_CANT_AGGREGATE_3COLLATIONS';
+exports[1271] = 'ER_CANT_AGGREGATE_NCOLLATIONS';
+exports[1272] = 'ER_VARIABLE_IS_NOT_STRUCT';
+exports[1273] = 'ER_UNKNOWN_COLLATION';
+exports[1274] = 'ER_SLAVE_IGNORED_SSL_PARAMS';
+exports[1275] = 'ER_SERVER_IS_IN_SECURE_AUTH_MODE';
+exports[1276] = 'ER_WARN_FIELD_RESOLVED';
+exports[1277] = 'ER_BAD_SLAVE_UNTIL_COND';
+exports[1278] = 'ER_MISSING_SKIP_SLAVE';
+exports[1279] = 'ER_UNTIL_COND_IGNORED';
+exports[1280] = 'ER_WRONG_NAME_FOR_INDEX';
+exports[1281] = 'ER_WRONG_NAME_FOR_CATALOG';
+exports[1282] = 'ER_WARN_QC_RESIZE';
+exports[1283] = 'ER_BAD_FT_COLUMN';
+exports[1284] = 'ER_UNKNOWN_KEY_CACHE';
+exports[1285] = 'ER_WARN_HOSTNAME_WONT_WORK';
+exports[1286] = 'ER_UNKNOWN_STORAGE_ENGINE';
+exports[1287] = 'ER_WARN_DEPRECATED_SYNTAX';
+exports[1288] = 'ER_NON_UPDATABLE_TABLE';
+exports[1289] = 'ER_FEATURE_DISABLED';
+exports[1290] = 'ER_OPTION_PREVENTS_STATEMENT';
+exports[1291] = 'ER_DUPLICATED_VALUE_IN_TYPE';
+exports[1292] = 'ER_TRUNCATED_WRONG_VALUE';
+exports[1293] = 'ER_TOO_MUCH_AUTO_TIMESTAMP_COLS';
+exports[1294] = 'ER_INVALID_ON_UPDATE';
+exports[1295] = 'ER_UNSUPPORTED_PS';
+exports[1296] = 'ER_GET_ERRMSG';
+exports[1297] = 'ER_GET_TEMPORARY_ERRMSG';
+exports[1298] = 'ER_UNKNOWN_TIME_ZONE';
+exports[1299] = 'ER_WARN_INVALID_TIMESTAMP';
+exports[1300] = 'ER_INVALID_CHARACTER_STRING';
+exports[1301] = 'ER_WARN_ALLOWED_PACKET_OVERFLOWED';
+exports[1302] = 'ER_CONFLICTING_DECLARATIONS';
+exports[1303] = 'ER_SP_NO_RECURSIVE_CREATE';
+exports[1304] = 'ER_SP_ALREADY_EXISTS';
+exports[1305] = 'ER_SP_DOES_NOT_EXIST';
+exports[1306] = 'ER_SP_DROP_FAILED';
+exports[1307] = 'ER_SP_STORE_FAILED';
+exports[1308] = 'ER_SP_LILABEL_MISMATCH';
+exports[1309] = 'ER_SP_LABEL_REDEFINE';
+exports[1310] = 'ER_SP_LABEL_MISMATCH';
+exports[1311] = 'ER_SP_UNINIT_VAR';
+exports[1312] = 'ER_SP_BADSELECT';
+exports[1313] = 'ER_SP_BADRETURN';
+exports[1314] = 'ER_SP_BADSTATEMENT';
+exports[1315] = 'ER_UPDATE_LOG_DEPRECATED_IGNORED';
+exports[1316] = 'ER_UPDATE_LOG_DEPRECATED_TRANSLATED';
+exports[1317] = 'ER_QUERY_INTERRUPTED';
+exports[1318] = 'ER_SP_WRONG_NO_OF_ARGS';
+exports[1319] = 'ER_SP_COND_MISMATCH';
+exports[1320] = 'ER_SP_NORETURN';
+exports[1321] = 'ER_SP_NORETURNEND';
+exports[1322] = 'ER_SP_BAD_CURSOR_QUERY';
+exports[1323] = 'ER_SP_BAD_CURSOR_SELECT';
+exports[1324] = 'ER_SP_CURSOR_MISMATCH';
+exports[1325] = 'ER_SP_CURSOR_ALREADY_OPEN';
+exports[1326] = 'ER_SP_CURSOR_NOT_OPEN';
+exports[1327] = 'ER_SP_UNDECLARED_VAR';
+exports[1328] = 'ER_SP_WRONG_NO_OF_FETCH_ARGS';
+exports[1329] = 'ER_SP_FETCH_NO_DATA';
+exports[1330] = 'ER_SP_DUP_PARAM';
+exports[1331] = 'ER_SP_DUP_VAR';
+exports[1332] = 'ER_SP_DUP_COND';
+exports[1333] = 'ER_SP_DUP_CURS';
+exports[1334] = 'ER_SP_CANT_ALTER';
+exports[1335] = 'ER_SP_SUBSELECT_NYI';
+exports[1336] = 'ER_STMT_NOT_ALLOWED_IN_SF_OR_TRG';
+exports[1337] = 'ER_SP_VARCOND_AFTER_CURSHNDLR';
+exports[1338] = 'ER_SP_CURSOR_AFTER_HANDLER';
+exports[1339] = 'ER_SP_CASE_NOT_FOUND';
+exports[1340] = 'ER_FPARSER_TOO_BIG_FILE';
+exports[1341] = 'ER_FPARSER_BAD_HEADER';
+exports[1342] = 'ER_FPARSER_EOF_IN_COMMENT';
+exports[1343] = 'ER_FPARSER_ERROR_IN_PARAMETER';
+exports[1344] = 'ER_FPARSER_EOF_IN_UNKNOWN_PARAMETER';
+exports[1345] = 'ER_VIEW_NO_EXPLAIN';
+exports[1346] = 'ER_FRM_UNKNOWN_TYPE';
+exports[1347] = 'ER_WRONG_OBJECT';
+exports[1348] = 'ER_NONUPDATEABLE_COLUMN';
+exports[1349] = 'ER_VIEW_SELECT_DERIVED';
+exports[1350] = 'ER_VIEW_SELECT_CLAUSE';
+exports[1351] = 'ER_VIEW_SELECT_VARIABLE';
+exports[1352] = 'ER_VIEW_SELECT_TMPTABLE';
+exports[1353] = 'ER_VIEW_WRONG_LIST';
+exports[1354] = 'ER_WARN_VIEW_MERGE';
+exports[1355] = 'ER_WARN_VIEW_WITHOUT_KEY';
+exports[1356] = 'ER_VIEW_INVALID';
+exports[1357] = 'ER_SP_NO_DROP_SP';
+exports[1358] = 'ER_SP_GOTO_IN_HNDLR';
+exports[1359] = 'ER_TRG_ALREADY_EXISTS';
+exports[1360] = 'ER_TRG_DOES_NOT_EXIST';
+exports[1361] = 'ER_TRG_ON_VIEW_OR_TEMP_TABLE';
+exports[1362] = 'ER_TRG_CANT_CHANGE_ROW';
+exports[1363] = 'ER_TRG_NO_SUCH_ROW_IN_TRG';
+exports[1364] = 'ER_NO_DEFAULT_FOR_FIELD';
+exports[1365] = 'ER_DIVISION_BY_ZERO';
+exports[1366] = 'ER_TRUNCATED_WRONG_VALUE_FOR_FIELD';
+exports[1367] = 'ER_ILLEGAL_VALUE_FOR_TYPE';
+exports[1368] = 'ER_VIEW_NONUPD_CHECK';
+exports[1369] = 'ER_VIEW_CHECK_FAILED';
+exports[1370] = 'ER_PROCACCESS_DENIED_ERROR';
+exports[1371] = 'ER_RELAY_LOG_FAIL';
+exports[1372] = 'ER_PASSWD_LENGTH';
+exports[1373] = 'ER_UNKNOWN_TARGET_BINLOG';
+exports[1374] = 'ER_IO_ERR_LOG_INDEX_READ';
+exports[1375] = 'ER_BINLOG_PURGE_PROHIBITED';
+exports[1376] = 'ER_FSEEK_FAIL';
+exports[1377] = 'ER_BINLOG_PURGE_FATAL_ERR';
+exports[1378] = 'ER_LOG_IN_USE';
+exports[1379] = 'ER_LOG_PURGE_UNKNOWN_ERR';
+exports[1380] = 'ER_RELAY_LOG_INIT';
+exports[1381] = 'ER_NO_BINARY_LOGGING';
+exports[1382] = 'ER_RESERVED_SYNTAX';
+exports[1383] = 'ER_WSAS_FAILED';
+exports[1384] = 'ER_DIFF_GROUPS_PROC';
+exports[1385] = 'ER_NO_GROUP_FOR_PROC';
+exports[1386] = 'ER_ORDER_WITH_PROC';
+exports[1387] = 'ER_LOGGING_PROHIBIT_CHANGING_OF';
+exports[1388] = 'ER_NO_FILE_MAPPING';
+exports[1389] = 'ER_WRONG_MAGIC';
+exports[1390] = 'ER_PS_MANY_PARAM';
+exports[1391] = 'ER_KEY_PART_0';
+exports[1392] = 'ER_VIEW_CHECKSUM';
+exports[1393] = 'ER_VIEW_MULTIUPDATE';
+exports[1394] = 'ER_VIEW_NO_INSERT_FIELD_LIST';
+exports[1395] = 'ER_VIEW_DELETE_MERGE_VIEW';
+exports[1396] = 'ER_CANNOT_USER';
+exports[1397] = 'ER_XAER_NOTA';
+exports[1398] = 'ER_XAER_INVAL';
+exports[1399] = 'ER_XAER_RMFAIL';
+exports[1400] = 'ER_XAER_OUTSIDE';
+exports[1401] = 'ER_XAER_RMERR';
+exports[1402] = 'ER_XA_RBROLLBACK';
+exports[1403] = 'ER_NONEXISTING_PROC_GRANT';
+exports[1404] = 'ER_PROC_AUTO_GRANT_FAIL';
+exports[1405] = 'ER_PROC_AUTO_REVOKE_FAIL';
+exports[1406] = 'ER_DATA_TOO_LONG';
+exports[1407] = 'ER_SP_BAD_SQLSTATE';
+exports[1408] = 'ER_STARTUP';
+exports[1409] = 'ER_LOAD_FROM_FIXED_SIZE_ROWS_TO_VAR';
+exports[1410] = 'ER_CANT_CREATE_USER_WITH_GRANT';
+exports[1411] = 'ER_WRONG_VALUE_FOR_TYPE';
+exports[1412] = 'ER_TABLE_DEF_CHANGED';
+exports[1413] = 'ER_SP_DUP_HANDLER';
+exports[1414] = 'ER_SP_NOT_VAR_ARG';
+exports[1415] = 'ER_SP_NO_RETSET';
+exports[1416] = 'ER_CANT_CREATE_GEOMETRY_OBJECT';
+exports[1417] = 'ER_FAILED_ROUTINE_BREAK_BINLOG';
+exports[1418] = 'ER_BINLOG_UNSAFE_ROUTINE';
+exports[1419] = 'ER_BINLOG_CREATE_ROUTINE_NEED_SUPER';
+exports[1420] = 'ER_EXEC_STMT_WITH_OPEN_CURSOR';
+exports[1421] = 'ER_STMT_HAS_NO_OPEN_CURSOR';
+exports[1422] = 'ER_COMMIT_NOT_ALLOWED_IN_SF_OR_TRG';
+exports[1423] = 'ER_NO_DEFAULT_FOR_VIEW_FIELD';
+exports[1424] = 'ER_SP_NO_RECURSION';
+exports[1425] = 'ER_TOO_BIG_SCALE';
+exports[1426] = 'ER_TOO_BIG_PRECISION';
+exports[1427] = 'ER_M_BIGGER_THAN_D';
+exports[1428] = 'ER_WRONG_LOCK_OF_SYSTEM_TABLE';
+exports[1429] = 'ER_CONNECT_TO_FOREIGN_DATA_SOURCE';
+exports[1430] = 'ER_QUERY_ON_FOREIGN_DATA_SOURCE';
+exports[1431] = 'ER_FOREIGN_DATA_SOURCE_DOESNT_EXIST';
+exports[1432] = 'ER_FOREIGN_DATA_STRING_INVALID_CANT_CREATE';
+exports[1433] = 'ER_FOREIGN_DATA_STRING_INVALID';
+exports[1434] = 'ER_CANT_CREATE_FEDERATED_TABLE';
+exports[1435] = 'ER_TRG_IN_WRONG_SCHEMA';
+exports[1436] = 'ER_STACK_OVERRUN_NEED_MORE';
+exports[1437] = 'ER_TOO_LONG_BODY';
+exports[1438] = 'ER_WARN_CANT_DROP_DEFAULT_KEYCACHE';
+exports[1439] = 'ER_TOO_BIG_DISPLAYWIDTH';
+exports[1440] = 'ER_XAER_DUPID';
+exports[1441] = 'ER_DATETIME_FUNCTION_OVERFLOW';
+exports[1442] = 'ER_CANT_UPDATE_USED_TABLE_IN_SF_OR_TRG';
+exports[1443] = 'ER_VIEW_PREVENT_UPDATE';
+exports[1444] = 'ER_PS_NO_RECURSION';
+exports[1445] = 'ER_SP_CANT_SET_AUTOCOMMIT';
+exports[1446] = 'ER_MALFORMED_DEFINER';
+exports[1447] = 'ER_VIEW_FRM_NO_USER';
+exports[1448] = 'ER_VIEW_OTHER_USER';
+exports[1449] = 'ER_NO_SUCH_USER';
+exports[1450] = 'ER_FORBID_SCHEMA_CHANGE';
+exports[1451] = 'ER_ROW_IS_REFERENCED_2';
+exports[1452] = 'ER_NO_REFERENCED_ROW_2';
+exports[1453] = 'ER_SP_BAD_VAR_SHADOW';
+exports[1454] = 'ER_TRG_NO_DEFINER';
+exports[1455] = 'ER_OLD_FILE_FORMAT';
+exports[1456] = 'ER_SP_RECURSION_LIMIT';
+exports[1457] = 'ER_SP_PROC_TABLE_CORRUPT';
+exports[1458] = 'ER_SP_WRONG_NAME';
+exports[1459] = 'ER_TABLE_NEEDS_UPGRADE';
+exports[1460] = 'ER_SP_NO_AGGREGATE';
+exports[1461] = 'ER_MAX_PREPARED_STMT_COUNT_REACHED';
+exports[1462] = 'ER_VIEW_RECURSIVE';
+exports[1463] = 'ER_NON_GROUPING_FIELD_USED';
+exports[1464] = 'ER_TABLE_CANT_HANDLE_SPKEYS';
+exports[1465] = 'ER_NO_TRIGGERS_ON_SYSTEM_SCHEMA';
+exports[1466] = 'ER_REMOVED_SPACES';
+exports[1467] = 'ER_AUTOINC_READ_FAILED';
+exports[1468] = 'ER_USERNAME';
+exports[1469] = 'ER_HOSTNAME';
+exports[1470] = 'ER_WRONG_STRING_LENGTH';
+exports[1471] = 'ER_NON_INSERTABLE_TABLE';
+exports[1472] = 'ER_ADMIN_WRONG_MRG_TABLE';
+exports[1473] = 'ER_TOO_HIGH_LEVEL_OF_NESTING_FOR_SELECT';
+exports[1474] = 'ER_NAME_BECOMES_EMPTY';
+exports[1475] = 'ER_AMBIGUOUS_FIELD_TERM';
+exports[1476] = 'ER_FOREIGN_SERVER_EXISTS';
+exports[1477] = 'ER_FOREIGN_SERVER_DOESNT_EXIST';
+exports[1478] = 'ER_ILLEGAL_HA_CREATE_OPTION';
+exports[1479] = 'ER_PARTITION_REQUIRES_VALUES_ERROR';
+exports[1480] = 'ER_PARTITION_WRONG_VALUES_ERROR';
+exports[1481] = 'ER_PARTITION_MAXVALUE_ERROR';
+exports[1482] = 'ER_PARTITION_SUBPARTITION_ERROR';
+exports[1483] = 'ER_PARTITION_SUBPART_MIX_ERROR';
+exports[1484] = 'ER_PARTITION_WRONG_NO_PART_ERROR';
+exports[1485] = 'ER_PARTITION_WRONG_NO_SUBPART_ERROR';
+exports[1486] = 'ER_WRONG_EXPR_IN_PARTITION_FUNC_ERROR';
+exports[1487] = 'ER_NO_CONST_EXPR_IN_RANGE_OR_LIST_ERROR';
+exports[1488] = 'ER_FIELD_NOT_FOUND_PART_ERROR';
+exports[1489] = 'ER_LIST_OF_FIELDS_ONLY_IN_HASH_ERROR';
+exports[1490] = 'ER_INCONSISTENT_PARTITION_INFO_ERROR';
+exports[1491] = 'ER_PARTITION_FUNC_NOT_ALLOWED_ERROR';
+exports[1492] = 'ER_PARTITIONS_MUST_BE_DEFINED_ERROR';
+exports[1493] = 'ER_RANGE_NOT_INCREASING_ERROR';
+exports[1494] = 'ER_INCONSISTENT_TYPE_OF_FUNCTIONS_ERROR';
+exports[1495] = 'ER_MULTIPLE_DEF_CONST_IN_LIST_PART_ERROR';
+exports[1496] = 'ER_PARTITION_ENTRY_ERROR';
+exports[1497] = 'ER_MIX_HANDLER_ERROR';
+exports[1498] = 'ER_PARTITION_NOT_DEFINED_ERROR';
+exports[1499] = 'ER_TOO_MANY_PARTITIONS_ERROR';
+exports[1500] = 'ER_SUBPARTITION_ERROR';
+exports[1501] = 'ER_CANT_CREATE_HANDLER_FILE';
+exports[1502] = 'ER_BLOB_FIELD_IN_PART_FUNC_ERROR';
+exports[1503] = 'ER_UNIQUE_KEY_NEED_ALL_FIELDS_IN_PF';
+exports[1504] = 'ER_NO_PARTS_ERROR';
+exports[1505] = 'ER_PARTITION_MGMT_ON_NONPARTITIONED';
+exports[1506] = 'ER_FOREIGN_KEY_ON_PARTITIONED';
+exports[1507] = 'ER_DROP_PARTITION_NON_EXISTENT';
+exports[1508] = 'ER_DROP_LAST_PARTITION';
+exports[1509] = 'ER_COALESCE_ONLY_ON_HASH_PARTITION';
+exports[1510] = 'ER_REORG_HASH_ONLY_ON_SAME_NO';
+exports[1511] = 'ER_REORG_NO_PARAM_ERROR';
+exports[1512] = 'ER_ONLY_ON_RANGE_LIST_PARTITION';
+exports[1513] = 'ER_ADD_PARTITION_SUBPART_ERROR';
+exports[1514] = 'ER_ADD_PARTITION_NO_NEW_PARTITION';
+exports[1515] = 'ER_COALESCE_PARTITION_NO_PARTITION';
+exports[1516] = 'ER_REORG_PARTITION_NOT_EXIST';
+exports[1517] = 'ER_SAME_NAME_PARTITION';
+exports[1518] = 'ER_NO_BINLOG_ERROR';
+exports[1519] = 'ER_CONSECUTIVE_REORG_PARTITIONS';
+exports[1520] = 'ER_REORG_OUTSIDE_RANGE';
+exports[1521] = 'ER_PARTITION_FUNCTION_FAILURE';
+exports[1522] = 'ER_PART_STATE_ERROR';
+exports[1523] = 'ER_LIMITED_PART_RANGE';
+exports[1524] = 'ER_PLUGIN_IS_NOT_LOADED';
+exports[1525] = 'ER_WRONG_VALUE';
+exports[1526] = 'ER_NO_PARTITION_FOR_GIVEN_VALUE';
+exports[1527] = 'ER_FILEGROUP_OPTION_ONLY_ONCE';
+exports[1528] = 'ER_CREATE_FILEGROUP_FAILED';
+exports[1529] = 'ER_DROP_FILEGROUP_FAILED';
+exports[1530] = 'ER_TABLESPACE_AUTO_EXTEND_ERROR';
+exports[1531] = 'ER_WRONG_SIZE_NUMBER';
+exports[1532] = 'ER_SIZE_OVERFLOW_ERROR';
+exports[1533] = 'ER_ALTER_FILEGROUP_FAILED';
+exports[1534] = 'ER_BINLOG_ROW_LOGGING_FAILED';
+exports[1535] = 'ER_BINLOG_ROW_WRONG_TABLE_DEF';
+exports[1536] = 'ER_BINLOG_ROW_RBR_TO_SBR';
+exports[1537] = 'ER_EVENT_ALREADY_EXISTS';
+exports[1538] = 'ER_EVENT_STORE_FAILED';
+exports[1539] = 'ER_EVENT_DOES_NOT_EXIST';
+exports[1540] = 'ER_EVENT_CANT_ALTER';
+exports[1541] = 'ER_EVENT_DROP_FAILED';
+exports[1542] = 'ER_EVENT_INTERVAL_NOT_POSITIVE_OR_TOO_BIG';
+exports[1543] = 'ER_EVENT_ENDS_BEFORE_STARTS';
+exports[1544] = 'ER_EVENT_EXEC_TIME_IN_THE_PAST';
+exports[1545] = 'ER_EVENT_OPEN_TABLE_FAILED';
+exports[1546] = 'ER_EVENT_NEITHER_M_EXPR_NOR_M_AT';
+exports[1547] = 'ER_COL_COUNT_DOESNT_MATCH_CORRUPTED';
+exports[1548] = 'ER_CANNOT_LOAD_FROM_TABLE';
+exports[1549] = 'ER_EVENT_CANNOT_DELETE';
+exports[1550] = 'ER_EVENT_COMPILE_ERROR';
+exports[1551] = 'ER_EVENT_SAME_NAME';
+exports[1552] = 'ER_EVENT_DATA_TOO_LONG';
+exports[1553] = 'ER_DROP_INDEX_FK';
+exports[1554] = 'ER_WARN_DEPRECATED_SYNTAX_WITH_VER';
+exports[1555] = 'ER_CANT_WRITE_LOCK_LOG_TABLE';
+exports[1556] = 'ER_CANT_LOCK_LOG_TABLE';
+exports[1557] = 'ER_FOREIGN_DUPLICATE_KEY';
+exports[1558] = 'ER_COL_COUNT_DOESNT_MATCH_PLEASE_UPDATE';
+exports[1559] = 'ER_TEMP_TABLE_PREVENTS_SWITCH_OUT_OF_RBR';
+exports[1560] = 'ER_STORED_FUNCTION_PREVENTS_SWITCH_BINLOG_FORMAT';
+exports[1561] = 'ER_NDB_CANT_SWITCH_BINLOG_FORMAT';
+exports[1562] = 'ER_PARTITION_NO_TEMPORARY';
+exports[1563] = 'ER_PARTITION_CONST_DOMAIN_ERROR';
+exports[1564] = 'ER_PARTITION_FUNCTION_IS_NOT_ALLOWED';
+exports[1565] = 'ER_DDL_LOG_ERROR';
+exports[1566] = 'ER_NULL_IN_VALUES_LESS_THAN';
+exports[1567] = 'ER_WRONG_PARTITION_NAME';
+exports[1568] = 'ER_CANT_CHANGE_TX_CHARACTERISTICS';
+exports[1569] = 'ER_DUP_ENTRY_AUTOINCREMENT_CASE';
+exports[1570] = 'ER_EVENT_MODIFY_QUEUE_ERROR';
+exports[1571] = 'ER_EVENT_SET_VAR_ERROR';
+exports[1572] = 'ER_PARTITION_MERGE_ERROR';
+exports[1573] = 'ER_CANT_ACTIVATE_LOG';
+exports[1574] = 'ER_RBR_NOT_AVAILABLE';
+exports[1575] = 'ER_BASE64_DECODE_ERROR';
+exports[1576] = 'ER_EVENT_RECURSION_FORBIDDEN';
+exports[1577] = 'ER_EVENTS_DB_ERROR';
+exports[1578] = 'ER_ONLY_INTEGERS_ALLOWED';
+exports[1579] = 'ER_UNSUPORTED_LOG_ENGINE';
+exports[1580] = 'ER_BAD_LOG_STATEMENT';
+exports[1581] = 'ER_CANT_RENAME_LOG_TABLE';
+exports[1582] = 'ER_WRONG_PARAMCOUNT_TO_NATIVE_FCT';
+exports[1583] = 'ER_WRONG_PARAMETERS_TO_NATIVE_FCT';
+exports[1584] = 'ER_WRONG_PARAMETERS_TO_STORED_FCT';
+exports[1585] = 'ER_NATIVE_FCT_NAME_COLLISION';
+exports[1586] = 'ER_DUP_ENTRY_WITH_KEY_NAME';
+exports[1587] = 'ER_BINLOG_PURGE_EMFILE';
+exports[1588] = 'ER_EVENT_CANNOT_CREATE_IN_THE_PAST';
+exports[1589] = 'ER_EVENT_CANNOT_ALTER_IN_THE_PAST';
+exports[1590] = 'ER_SLAVE_INCIDENT';
+exports[1591] = 'ER_NO_PARTITION_FOR_GIVEN_VALUE_SILENT';
+exports[1592] = 'ER_BINLOG_UNSAFE_STATEMENT';
+exports[1593] = 'ER_SLAVE_FATAL_ERROR';
+exports[1594] = 'ER_SLAVE_RELAY_LOG_READ_FAILURE';
+exports[1595] = 'ER_SLAVE_RELAY_LOG_WRITE_FAILURE';
+exports[1596] = 'ER_SLAVE_CREATE_EVENT_FAILURE';
+exports[1597] = 'ER_SLAVE_MASTER_COM_FAILURE';
+exports[1598] = 'ER_BINLOG_LOGGING_IMPOSSIBLE';
+exports[1599] = 'ER_VIEW_NO_CREATION_CTX';
+exports[1600] = 'ER_VIEW_INVALID_CREATION_CTX';
+exports[1601] = 'ER_SR_INVALID_CREATION_CTX';
+exports[1602] = 'ER_TRG_CORRUPTED_FILE';
+exports[1603] = 'ER_TRG_NO_CREATION_CTX';
+exports[1604] = 'ER_TRG_INVALID_CREATION_CTX';
+exports[1605] = 'ER_EVENT_INVALID_CREATION_CTX';
+exports[1606] = 'ER_TRG_CANT_OPEN_TABLE';
+exports[1607] = 'ER_CANT_CREATE_SROUTINE';
+exports[1608] = 'ER_NEVER_USED';
+exports[1609] = 'ER_NO_FORMAT_DESCRIPTION_EVENT_BEFORE_BINLOG_STATEMENT';
+exports[1610] = 'ER_SLAVE_CORRUPT_EVENT';
+exports[1611] = 'ER_LOAD_DATA_INVALID_COLUMN';
+exports[1612] = 'ER_LOG_PURGE_NO_FILE';
+exports[1613] = 'ER_XA_RBTIMEOUT';
+exports[1614] = 'ER_XA_RBDEADLOCK';
+exports[1615] = 'ER_NEED_REPREPARE';
+exports[1616] = 'ER_DELAYED_NOT_SUPPORTED';
+exports[1617] = 'WARN_NO_MASTER_INFO';
+exports[1618] = 'WARN_OPTION_IGNORED';
+exports[1619] = 'ER_PLUGIN_DELETE_BUILTIN';
+exports[1620] = 'WARN_PLUGIN_BUSY';
+exports[1621] = 'ER_VARIABLE_IS_READONLY';
+exports[1622] = 'ER_WARN_ENGINE_TRANSACTION_ROLLBACK';
+exports[1623] = 'ER_SLAVE_HEARTBEAT_FAILURE';
+exports[1624] = 'ER_SLAVE_HEARTBEAT_VALUE_OUT_OF_RANGE';
+exports[1625] = 'ER_NDB_REPLICATION_SCHEMA_ERROR';
+exports[1626] = 'ER_CONFLICT_FN_PARSE_ERROR';
+exports[1627] = 'ER_EXCEPTIONS_WRITE_ERROR';
+exports[1628] = 'ER_TOO_LONG_TABLE_COMMENT';
+exports[1629] = 'ER_TOO_LONG_FIELD_COMMENT';
+exports[1630] = 'ER_FUNC_INEXISTENT_NAME_COLLISION';
+exports[1631] = 'ER_DATABASE_NAME';
+exports[1632] = 'ER_TABLE_NAME';
+exports[1633] = 'ER_PARTITION_NAME';
+exports[1634] = 'ER_SUBPARTITION_NAME';
+exports[1635] = 'ER_TEMPORARY_NAME';
+exports[1636] = 'ER_RENAMED_NAME';
+exports[1637] = 'ER_TOO_MANY_CONCURRENT_TRXS';
+exports[1638] = 'WARN_NON_ASCII_SEPARATOR_NOT_IMPLEMENTED';
+exports[1639] = 'ER_DEBUG_SYNC_TIMEOUT';
+exports[1640] = 'ER_DEBUG_SYNC_HIT_LIMIT';
+exports[1641] = 'ER_DUP_SIGNAL_SET';
+exports[1642] = 'ER_SIGNAL_WARN';
+exports[1643] = 'ER_SIGNAL_NOT_FOUND';
+exports[1644] = 'ER_SIGNAL_EXCEPTION';
+exports[1645] = 'ER_RESIGNAL_WITHOUT_ACTIVE_HANDLER';
+exports[1646] = 'ER_SIGNAL_BAD_CONDITION_TYPE';
+exports[1647] = 'WARN_COND_ITEM_TRUNCATED';
+exports[1648] = 'ER_COND_ITEM_TOO_LONG';
+exports[1649] = 'ER_UNKNOWN_LOCALE';
+exports[1650] = 'ER_SLAVE_IGNORE_SERVER_IDS';
+exports[1651] = 'ER_QUERY_CACHE_DISABLED';
+exports[1652] = 'ER_SAME_NAME_PARTITION_FIELD';
+exports[1653] = 'ER_PARTITION_COLUMN_LIST_ERROR';
+exports[1654] = 'ER_WRONG_TYPE_COLUMN_VALUE_ERROR';
+exports[1655] = 'ER_TOO_MANY_PARTITION_FUNC_FIELDS_ERROR';
+exports[1656] = 'ER_MAXVALUE_IN_VALUES_IN';
+exports[1657] = 'ER_TOO_MANY_VALUES_ERROR';
+exports[1658] = 'ER_ROW_SINGLE_PARTITION_FIELD_ERROR';
+exports[1659] = 'ER_FIELD_TYPE_NOT_ALLOWED_AS_PARTITION_FIELD';
+exports[1660] = 'ER_PARTITION_FIELDS_TOO_LONG';
+exports[1661] = 'ER_BINLOG_ROW_ENGINE_AND_STMT_ENGINE';
+exports[1662] = 'ER_BINLOG_ROW_MODE_AND_STMT_ENGINE';
+exports[1663] = 'ER_BINLOG_UNSAFE_AND_STMT_ENGINE';
+exports[1664] = 'ER_BINLOG_ROW_INJECTION_AND_STMT_ENGINE';
+exports[1665] = 'ER_BINLOG_STMT_MODE_AND_ROW_ENGINE';
+exports[1666] = 'ER_BINLOG_ROW_INJECTION_AND_STMT_MODE';
+exports[1667] = 'ER_BINLOG_MULTIPLE_ENGINES_AND_SELF_LOGGING_ENGINE';
+exports[1668] = 'ER_BINLOG_UNSAFE_LIMIT';
+exports[1669] = 'ER_BINLOG_UNSAFE_INSERT_DELAYED';
+exports[1670] = 'ER_BINLOG_UNSAFE_SYSTEM_TABLE';
+exports[1671] = 'ER_BINLOG_UNSAFE_AUTOINC_COLUMNS';
+exports[1672] = 'ER_BINLOG_UNSAFE_UDF';
+exports[1673] = 'ER_BINLOG_UNSAFE_SYSTEM_VARIABLE';
+exports[1674] = 'ER_BINLOG_UNSAFE_SYSTEM_FUNCTION';
+exports[1675] = 'ER_BINLOG_UNSAFE_NONTRANS_AFTER_TRANS';
+exports[1676] = 'ER_MESSAGE_AND_STATEMENT';
+exports[1677] = 'ER_SLAVE_CONVERSION_FAILED';
+exports[1678] = 'ER_SLAVE_CANT_CREATE_CONVERSION';
+exports[1679] = 'ER_INSIDE_TRANSACTION_PREVENTS_SWITCH_BINLOG_FORMAT';
+exports[1680] = 'ER_PATH_LENGTH';
+exports[1681] = 'ER_WARN_DEPRECATED_SYNTAX_NO_REPLACEMENT';
+exports[1682] = 'ER_WRONG_NATIVE_TABLE_STRUCTURE';
+exports[1683] = 'ER_WRONG_PERFSCHEMA_USAGE';
+exports[1684] = 'ER_WARN_I_S_SKIPPED_TABLE';
+exports[1685] = 'ER_INSIDE_TRANSACTION_PREVENTS_SWITCH_BINLOG_DIRECT';
+exports[1686] = 'ER_STORED_FUNCTION_PREVENTS_SWITCH_BINLOG_DIRECT';
+exports[1687] = 'ER_SPATIAL_MUST_HAVE_GEOM_COL';
+exports[1688] = 'ER_TOO_LONG_INDEX_COMMENT';
+exports[1689] = 'ER_LOCK_ABORTED';
+exports[1690] = 'ER_DATA_OUT_OF_RANGE';
+exports[1691] = 'ER_WRONG_SPVAR_TYPE_IN_LIMIT';
+exports[1692] = 'ER_BINLOG_UNSAFE_MULTIPLE_ENGINES_AND_SELF_LOGGING_ENGINE';
+exports[1693] = 'ER_BINLOG_UNSAFE_MIXED_STATEMENT';
+exports[1694] = 'ER_INSIDE_TRANSACTION_PREVENTS_SWITCH_SQL_LOG_BIN';
+exports[1695] = 'ER_STORED_FUNCTION_PREVENTS_SWITCH_SQL_LOG_BIN';
+exports[1696] = 'ER_FAILED_READ_FROM_PAR_FILE';
+exports[1697] = 'ER_VALUES_IS_NOT_INT_TYPE_ERROR';
+exports[1698] = 'ER_ACCESS_DENIED_NO_PASSWORD_ERROR';
+exports[1699] = 'ER_SET_PASSWORD_AUTH_PLUGIN';
+exports[1700] = 'ER_GRANT_PLUGIN_USER_EXISTS';
+exports[1701] = 'ER_TRUNCATE_ILLEGAL_FK';
+exports[1702] = 'ER_PLUGIN_IS_PERMANENT';
+exports[1703] = 'ER_SLAVE_HEARTBEAT_VALUE_OUT_OF_RANGE_MIN';
+exports[1704] = 'ER_SLAVE_HEARTBEAT_VALUE_OUT_OF_RANGE_MAX';
+exports[1705] = 'ER_STMT_CACHE_FULL';
+exports[1706] = 'ER_MULTI_UPDATE_KEY_CONFLICT';
+exports[1707] = 'ER_TABLE_NEEDS_REBUILD';
+exports[1708] = 'WARN_OPTION_BELOW_LIMIT';
+exports[1709] = 'ER_INDEX_COLUMN_TOO_LONG';
+exports[1710] = 'ER_ERROR_IN_TRIGGER_BODY';
+exports[1711] = 'ER_ERROR_IN_UNKNOWN_TRIGGER_BODY';
+exports[1712] = 'ER_INDEX_CORRUPT';
+exports[1713] = 'ER_UNDO_RECORD_TOO_BIG';
+exports[1714] = 'ER_BINLOG_UNSAFE_INSERT_IGNORE_SELECT';
+exports[1715] = 'ER_BINLOG_UNSAFE_INSERT_SELECT_UPDATE';
+exports[1716] = 'ER_BINLOG_UNSAFE_REPLACE_SELECT';
+exports[1717] = 'ER_BINLOG_UNSAFE_CREATE_IGNORE_SELECT';
+exports[1718] = 'ER_BINLOG_UNSAFE_CREATE_REPLACE_SELECT';
+exports[1719] = 'ER_BINLOG_UNSAFE_UPDATE_IGNORE';
+exports[1720] = 'ER_PLUGIN_NO_UNINSTALL';
+exports[1721] = 'ER_PLUGIN_NO_INSTALL';
+exports[1722] = 'ER_BINLOG_UNSAFE_WRITE_AUTOINC_SELECT';
+exports[1723] = 'ER_BINLOG_UNSAFE_CREATE_SELECT_AUTOINC';
+exports[1724] = 'ER_BINLOG_UNSAFE_INSERT_TWO_KEYS';
+exports[1725] = 'ER_TABLE_IN_FK_CHECK';
+exports[1726] = 'ER_UNSUPPORTED_ENGINE';
+exports[1727] = 'ER_BINLOG_UNSAFE_AUTOINC_NOT_FIRST';
+exports[1728] = 'ER_CANNOT_LOAD_FROM_TABLE_V2';
+exports[1729] = 'ER_MASTER_DELAY_VALUE_OUT_OF_RANGE';
+exports[1730] = 'ER_ONLY_FD_AND_RBR_EVENTS_ALLOWED_IN_BINLOG_STATEMENT';
+exports[1731] = 'ER_PARTITION_EXCHANGE_DIFFERENT_OPTION';
+exports[1732] = 'ER_PARTITION_EXCHANGE_PART_TABLE';
+exports[1733] = 'ER_PARTITION_EXCHANGE_TEMP_TABLE';
+exports[1734] = 'ER_PARTITION_INSTEAD_OF_SUBPARTITION';
+exports[1735] = 'ER_UNKNOWN_PARTITION';
+exports[1736] = 'ER_TABLES_DIFFERENT_METADATA';
+exports[1737] = 'ER_ROW_DOES_NOT_MATCH_PARTITION';
+exports[1738] = 'ER_BINLOG_CACHE_SIZE_GREATER_THAN_MAX';
+exports[1739] = 'ER_WARN_INDEX_NOT_APPLICABLE';
+exports[1740] = 'ER_PARTITION_EXCHANGE_FOREIGN_KEY';
+exports[1741] = 'ER_NO_SUCH_KEY_VALUE';
+exports[1742] = 'ER_RPL_INFO_DATA_TOO_LONG';
+exports[1743] = 'ER_NETWORK_READ_EVENT_CHECKSUM_FAILURE';
+exports[1744] = 'ER_BINLOG_READ_EVENT_CHECKSUM_FAILURE';
+exports[1745] = 'ER_BINLOG_STMT_CACHE_SIZE_GREATER_THAN_MAX';
+exports[1746] = 'ER_CANT_UPDATE_TABLE_IN_CREATE_TABLE_SELECT';
+exports[1747] = 'ER_PARTITION_CLAUSE_ON_NONPARTITIONED';
+exports[1748] = 'ER_ROW_DOES_NOT_MATCH_GIVEN_PARTITION_SET';
+exports[1749] = 'ER_NO_SUCH_PARTITION';
+exports[1750] = 'ER_CHANGE_RPL_INFO_REPOSITORY_FAILURE';
+exports[1751] = 'ER_WARNING_NOT_COMPLETE_ROLLBACK_WITH_CREATED_TEMP_TABLE';
+exports[1752] = 'ER_WARNING_NOT_COMPLETE_ROLLBACK_WITH_DROPPED_TEMP_TABLE';
+exports[1753] = 'ER_MTS_FEATURE_IS_NOT_SUPPORTED';
+exports[1754] = 'ER_MTS_UPDATED_DBS_GREATER_MAX';
+exports[1755] = 'ER_MTS_CANT_PARALLEL';
+exports[1756] = 'ER_MTS_INCONSISTENT_DATA';
+exports[1757] = 'ER_FULLTEXT_NOT_SUPPORTED_WITH_PARTITIONING';
+exports[1758] = 'ER_DA_INVALID_CONDITION_NUMBER';
+exports[1759] = 'ER_INSECURE_PLAIN_TEXT';
+exports[1760] = 'ER_INSECURE_CHANGE_MASTER';
+exports[1761] = 'ER_FOREIGN_DUPLICATE_KEY_WITH_CHILD_INFO';
+exports[1762] = 'ER_FOREIGN_DUPLICATE_KEY_WITHOUT_CHILD_INFO';
+exports[1763] = 'ER_SQLTHREAD_WITH_SECURE_SLAVE';
+exports[1764] = 'ER_TABLE_HAS_NO_FT';
+exports[1765] = 'ER_VARIABLE_NOT_SETTABLE_IN_SF_OR_TRIGGER';
+exports[1766] = 'ER_VARIABLE_NOT_SETTABLE_IN_TRANSACTION';
+exports[1767] = 'ER_GTID_NEXT_IS_NOT_IN_GTID_NEXT_LIST';
+exports[1768] = 'ER_CANT_CHANGE_GTID_NEXT_IN_TRANSACTION';
+exports[1769] = 'ER_SET_STATEMENT_CANNOT_INVOKE_FUNCTION';
+exports[1770] = 'ER_GTID_NEXT_CANT_BE_AUTOMATIC_IF_GTID_NEXT_LIST_IS_NON_NULL';
+exports[1771] = 'ER_SKIPPING_LOGGED_TRANSACTION';
+exports[1772] = 'ER_MALFORMED_GTID_SET_SPECIFICATION';
+exports[1773] = 'ER_MALFORMED_GTID_SET_ENCODING';
+exports[1774] = 'ER_MALFORMED_GTID_SPECIFICATION';
+exports[1775] = 'ER_GNO_EXHAUSTED';
+exports[1776] = 'ER_BAD_SLAVE_AUTO_POSITION';
+exports[1777] = 'ER_AUTO_POSITION_REQUIRES_GTID_MODE_NOT_OFF';
+exports[1778] = 'ER_CANT_DO_IMPLICIT_COMMIT_IN_TRX_WHEN_GTID_NEXT_IS_SET';
+exports[1779] = 'ER_GTID_MODE_ON_REQUIRES_ENFORCE_GTID_CONSISTENCY_ON';
+exports[1780] = 'ER_GTID_MODE_REQUIRES_BINLOG';
+exports[1781] = 'ER_CANT_SET_GTID_NEXT_TO_GTID_WHEN_GTID_MODE_IS_OFF';
+exports[1782] = 'ER_CANT_SET_GTID_NEXT_TO_ANONYMOUS_WHEN_GTID_MODE_IS_ON';
+exports[1783] = 'ER_CANT_SET_GTID_NEXT_LIST_TO_NON_NULL_WHEN_GTID_MODE_IS_OFF';
+exports[1784] = 'ER_FOUND_GTID_EVENT_WHEN_GTID_MODE_IS_OFF';
+exports[1785] = 'ER_GTID_UNSAFE_NON_TRANSACTIONAL_TABLE';
+exports[1786] = 'ER_GTID_UNSAFE_CREATE_SELECT';
+exports[1787] = 'ER_GTID_UNSAFE_CREATE_DROP_TEMPORARY_TABLE_IN_TRANSACTION';
+exports[1788] = 'ER_GTID_MODE_CAN_ONLY_CHANGE_ONE_STEP_AT_A_TIME';
+exports[1789] = 'ER_MASTER_HAS_PURGED_REQUIRED_GTIDS';
+exports[1790] = 'ER_CANT_SET_GTID_NEXT_WHEN_OWNING_GTID';
+exports[1791] = 'ER_UNKNOWN_EXPLAIN_FORMAT';
+exports[1792] = 'ER_CANT_EXECUTE_IN_READ_ONLY_TRANSACTION';
+exports[1793] = 'ER_TOO_LONG_TABLE_PARTITION_COMMENT';
+exports[1794] = 'ER_SLAVE_CONFIGURATION';
+exports[1795] = 'ER_INNODB_FT_LIMIT';
+exports[1796] = 'ER_INNODB_NO_FT_TEMP_TABLE';
+exports[1797] = 'ER_INNODB_FT_WRONG_DOCID_COLUMN';
+exports[1798] = 'ER_INNODB_FT_WRONG_DOCID_INDEX';
+exports[1799] = 'ER_INNODB_ONLINE_LOG_TOO_BIG';
+exports[1800] = 'ER_UNKNOWN_ALTER_ALGORITHM';
+exports[1801] = 'ER_UNKNOWN_ALTER_LOCK';
+exports[1802] = 'ER_MTS_CHANGE_MASTER_CANT_RUN_WITH_GAPS';
+exports[1803] = 'ER_MTS_RECOVERY_FAILURE';
+exports[1804] = 'ER_MTS_RESET_WORKERS';
+exports[1805] = 'ER_COL_COUNT_DOESNT_MATCH_CORRUPTED_V2';
+exports[1806] = 'ER_SLAVE_SILENT_RETRY_TRANSACTION';
+exports[1807] = 'ER_DISCARD_FK_CHECKS_RUNNING';
+exports[1808] = 'ER_TABLE_SCHEMA_MISMATCH';
+exports[1809] = 'ER_TABLE_IN_SYSTEM_TABLESPACE';
+exports[1810] = 'ER_IO_READ_ERROR';
+exports[1811] = 'ER_IO_WRITE_ERROR';
+exports[1812] = 'ER_TABLESPACE_MISSING';
+exports[1813] = 'ER_TABLESPACE_EXISTS';
+exports[1814] = 'ER_TABLESPACE_DISCARDED';
+exports[1815] = 'ER_INTERNAL_ERROR';
+exports[1816] = 'ER_INNODB_IMPORT_ERROR';
+exports[1817] = 'ER_INNODB_INDEX_CORRUPT';
+exports[1818] = 'ER_INVALID_YEAR_COLUMN_LENGTH';
+exports[1819] = 'ER_NOT_VALID_PASSWORD';
+exports[1820] = 'ER_MUST_CHANGE_PASSWORD';
+exports[1821] = 'ER_FK_NO_INDEX_CHILD';
+exports[1822] = 'ER_FK_NO_INDEX_PARENT';
+exports[1823] = 'ER_FK_FAIL_ADD_SYSTEM';
+exports[1824] = 'ER_FK_CANNOT_OPEN_PARENT';
+exports[1825] = 'ER_FK_INCORRECT_OPTION';
+exports[1826] = 'ER_FK_DUP_NAME';
+exports[1827] = 'ER_PASSWORD_FORMAT';
+exports[1828] = 'ER_FK_COLUMN_CANNOT_DROP';
+exports[1829] = 'ER_FK_COLUMN_CANNOT_DROP_CHILD';
+exports[1830] = 'ER_FK_COLUMN_NOT_NULL';
+exports[1831] = 'ER_DUP_INDEX';
+exports[1832] = 'ER_FK_COLUMN_CANNOT_CHANGE';
+exports[1833] = 'ER_FK_COLUMN_CANNOT_CHANGE_CHILD';
+exports[1834] = 'ER_FK_CANNOT_DELETE_PARENT';
+exports[1835] = 'ER_MALFORMED_PACKET';
+exports[1836] = 'ER_READ_ONLY_MODE';
+exports[1837] = 'ER_GTID_NEXT_TYPE_UNDEFINED_GROUP';
+exports[1838] = 'ER_VARIABLE_NOT_SETTABLE_IN_SP';
+exports[1839] = 'ER_CANT_SET_GTID_PURGED_WHEN_GTID_MODE_IS_OFF';
+exports[1840] = 'ER_CANT_SET_GTID_PURGED_WHEN_GTID_EXECUTED_IS_NOT_EMPTY';
+exports[1841] = 'ER_CANT_SET_GTID_PURGED_WHEN_OWNED_GTIDS_IS_NOT_EMPTY';
+exports[1842] = 'ER_GTID_PURGED_WAS_CHANGED';
+exports[1843] = 'ER_GTID_EXECUTED_WAS_CHANGED';
+exports[1844] = 'ER_BINLOG_STMT_MODE_AND_NO_REPL_TABLES';
+exports[1845] = 'ER_ALTER_OPERATION_NOT_SUPPORTED';
+exports[1846] = 'ER_ALTER_OPERATION_NOT_SUPPORTED_REASON';
+exports[1847] = 'ER_ALTER_OPERATION_NOT_SUPPORTED_REASON_COPY';
+exports[1848] = 'ER_ALTER_OPERATION_NOT_SUPPORTED_REASON_PARTITION';
+exports[1849] = 'ER_ALTER_OPERATION_NOT_SUPPORTED_REASON_FK_RENAME';
+exports[1850] = 'ER_ALTER_OPERATION_NOT_SUPPORTED_REASON_COLUMN_TYPE';
+exports[1851] = 'ER_ALTER_OPERATION_NOT_SUPPORTED_REASON_FK_CHECK';
+exports[1852] = 'ER_ALTER_OPERATION_NOT_SUPPORTED_REASON_IGNORE';
+exports[1853] = 'ER_ALTER_OPERATION_NOT_SUPPORTED_REASON_NOPK';
+exports[1854] = 'ER_ALTER_OPERATION_NOT_SUPPORTED_REASON_AUTOINC';
+exports[1855] = 'ER_ALTER_OPERATION_NOT_SUPPORTED_REASON_HIDDEN_FTS';
+exports[1856] = 'ER_ALTER_OPERATION_NOT_SUPPORTED_REASON_CHANGE_FTS';
+exports[1857] = 'ER_ALTER_OPERATION_NOT_SUPPORTED_REASON_FTS';
+exports[1858] = 'ER_SQL_SLAVE_SKIP_COUNTER_NOT_SETTABLE_IN_GTID_MODE';
+exports[1859] = 'ER_DUP_UNKNOWN_IN_INDEX';
+exports[1860] = 'ER_IDENT_CAUSES_TOO_LONG_PATH';
+exports[1861] = 'ER_ALTER_OPERATION_NOT_SUPPORTED_REASON_NOT_NULL';
+exports[1862] = 'ER_MUST_CHANGE_PASSWORD_LOGIN';
+exports[1863] = 'ER_ROW_IN_WRONG_PARTITION';
+exports[1864] = 'ER_MTS_EVENT_BIGGER_PENDING_JOBS_SIZE_MAX';
+exports[1865] = 'ER_INNODB_NO_FT_USES_PARSER';
+exports[1866] = 'ER_BINLOG_LOGICAL_CORRUPTION';
+exports[1867] = 'ER_WARN_PURGE_LOG_IN_USE';
+exports[1868] = 'ER_WARN_PURGE_LOG_IS_ACTIVE';
+exports[1869] = 'ER_AUTO_INCREMENT_CONFLICT';
+exports[1870] = 'WARN_ON_BLOCKHOLE_IN_RBR';
+exports[1871] = 'ER_SLAVE_MI_INIT_REPOSITORY';
+exports[1872] = 'ER_SLAVE_RLI_INIT_REPOSITORY';
+exports[1873] = 'ER_ACCESS_DENIED_CHANGE_USER_ERROR';
+exports[1874] = 'ER_INNODB_READ_ONLY';
+exports[1875] = 'ER_STOP_SLAVE_SQL_THREAD_TIMEOUT';
+exports[1876] = 'ER_STOP_SLAVE_IO_THREAD_TIMEOUT';
+exports[1877] = 'ER_TABLE_CORRUPT';
+exports[1878] = 'ER_TEMP_FILE_WRITE_FAILURE';
+exports[1879] = 'ER_INNODB_FT_AUX_NOT_HEX_ID';
+exports[1880] = 'ER_OLD_TEMPORALS_UPGRADED';
+exports[1881] = 'ER_INNODB_FORCED_RECOVERY';
+exports[1882] = 'ER_AES_INVALID_IV';
+exports[1883] = 'ER_PLUGIN_CANNOT_BE_UNINSTALLED';
+exports[1884] = 'ER_GTID_UNSAFE_BINLOG_SPLITTABLE_STATEMENT_AND_GTID_GROUP';
+exports[1885] = 'ER_SLAVE_HAS_MORE_GTIDS_THAN_MASTER';
+exports[1886] = 'ER_MISSING_KEY';
+exports[1887] = 'WARN_NAMED_PIPE_ACCESS_EVERYONE';
+exports[1888] = 'ER_FOUND_MISSING_GTIDS';
+exports[3000] = 'ER_FILE_CORRUPT';
+exports[3001] = 'ER_ERROR_ON_MASTER';
+exports[3002] = 'ER_INCONSISTENT_ERROR';
+exports[3003] = 'ER_STORAGE_ENGINE_NOT_LOADED';
+exports[3004] = 'ER_GET_STACKED_DA_WITHOUT_ACTIVE_HANDLER';
+exports[3005] = 'ER_WARN_LEGACY_SYNTAX_CONVERTED';
+exports[3006] = 'ER_BINLOG_UNSAFE_FULLTEXT_PLUGIN';
+exports[3007] = 'ER_CANNOT_DISCARD_TEMPORARY_TABLE';
+exports[3008] = 'ER_FK_DEPTH_EXCEEDED';
+exports[3009] = 'ER_COL_COUNT_DOESNT_MATCH_PLEASE_UPDATE_V2';
+exports[3010] = 'ER_WARN_TRIGGER_DOESNT_HAVE_CREATED';
+exports[3011] = 'ER_REFERENCED_TRG_DOES_NOT_EXIST';
+exports[3012] = 'ER_EXPLAIN_NOT_SUPPORTED';
+exports[3013] = 'ER_INVALID_FIELD_SIZE';
+exports[3014] = 'ER_MISSING_HA_CREATE_OPTION';
+exports[3015] = 'ER_ENGINE_OUT_OF_MEMORY';
+exports[3016] = 'ER_PASSWORD_EXPIRE_ANONYMOUS_USER';
+exports[3017] = 'ER_SLAVE_SQL_THREAD_MUST_STOP';
+exports[3018] = 'ER_NO_FT_MATERIALIZED_SUBQUERY';
+exports[3019] = 'ER_INNODB_UNDO_LOG_FULL';
+exports[3020] = 'ER_INVALID_ARGUMENT_FOR_LOGARITHM';
+exports[3021] = 'ER_SLAVE_CHANNEL_IO_THREAD_MUST_STOP';
+exports[3022] = 'ER_WARN_OPEN_TEMP_TABLES_MUST_BE_ZERO';
+exports[3023] = 'ER_WARN_ONLY_MASTER_LOG_FILE_NO_POS';
+exports[3024] = 'ER_QUERY_TIMEOUT';
+exports[3025] = 'ER_NON_RO_SELECT_DISABLE_TIMER';
+exports[3026] = 'ER_DUP_LIST_ENTRY';
+exports[3027] = 'ER_SQL_MODE_NO_EFFECT';
+exports[3028] = 'ER_AGGREGATE_ORDER_FOR_UNION';
+exports[3029] = 'ER_AGGREGATE_ORDER_NON_AGG_QUERY';
+exports[3030] = 'ER_SLAVE_WORKER_STOPPED_PREVIOUS_THD_ERROR';
+exports[3031] = 'ER_DONT_SUPPORT_SLAVE_PRESERVE_COMMIT_ORDER';
+exports[3032] = 'ER_SERVER_OFFLINE_MODE';
+exports[3033] = 'ER_GIS_DIFFERENT_SRIDS';
+exports[3034] = 'ER_GIS_UNSUPPORTED_ARGUMENT';
+exports[3035] = 'ER_GIS_UNKNOWN_ERROR';
+exports[3036] = 'ER_GIS_UNKNOWN_EXCEPTION';
+exports[3037] = 'ER_GIS_INVALID_DATA';
+exports[3038] = 'ER_BOOST_GEOMETRY_EMPTY_INPUT_EXCEPTION';
+exports[3039] = 'ER_BOOST_GEOMETRY_CENTROID_EXCEPTION';
+exports[3040] = 'ER_BOOST_GEOMETRY_OVERLAY_INVALID_INPUT_EXCEPTION';
+exports[3041] = 'ER_BOOST_GEOMETRY_TURN_INFO_EXCEPTION';
+exports[3042] = 'ER_BOOST_GEOMETRY_SELF_INTERSECTION_POINT_EXCEPTION';
+exports[3043] = 'ER_BOOST_GEOMETRY_UNKNOWN_EXCEPTION';
+exports[3044] = 'ER_STD_BAD_ALLOC_ERROR';
+exports[3045] = 'ER_STD_DOMAIN_ERROR';
+exports[3046] = 'ER_STD_LENGTH_ERROR';
+exports[3047] = 'ER_STD_INVALID_ARGUMENT';
+exports[3048] = 'ER_STD_OUT_OF_RANGE_ERROR';
+exports[3049] = 'ER_STD_OVERFLOW_ERROR';
+exports[3050] = 'ER_STD_RANGE_ERROR';
+exports[3051] = 'ER_STD_UNDERFLOW_ERROR';
+exports[3052] = 'ER_STD_LOGIC_ERROR';
+exports[3053] = 'ER_STD_RUNTIME_ERROR';
+exports[3054] = 'ER_STD_UNKNOWN_EXCEPTION';
+exports[3055] = 'ER_GIS_DATA_WRONG_ENDIANESS';
+exports[3056] = 'ER_CHANGE_MASTER_PASSWORD_LENGTH';
+exports[3057] = 'ER_USER_LOCK_WRONG_NAME';
+exports[3058] = 'ER_USER_LOCK_DEADLOCK';
+exports[3059] = 'ER_REPLACE_INACCESSIBLE_ROWS';
+exports[3060] = 'ER_ALTER_OPERATION_NOT_SUPPORTED_REASON_GIS';
+exports[3061] = 'ER_ILLEGAL_USER_VAR';
+exports[3062] = 'ER_GTID_MODE_OFF';
+exports[3063] = 'ER_UNSUPPORTED_BY_REPLICATION_THREAD';
+exports[3064] = 'ER_INCORRECT_TYPE';
+exports[3065] = 'ER_FIELD_IN_ORDER_NOT_SELECT';
+exports[3066] = 'ER_AGGREGATE_IN_ORDER_NOT_SELECT';
+exports[3067] = 'ER_INVALID_RPL_WILD_TABLE_FILTER_PATTERN';
+exports[3068] = 'ER_NET_OK_PACKET_TOO_LARGE';
+exports[3069] = 'ER_INVALID_JSON_DATA';
+exports[3070] = 'ER_INVALID_GEOJSON_MISSING_MEMBER';
+exports[3071] = 'ER_INVALID_GEOJSON_WRONG_TYPE';
+exports[3072] = 'ER_INVALID_GEOJSON_UNSPECIFIED';
+exports[3073] = 'ER_DIMENSION_UNSUPPORTED';
+exports[3074] = 'ER_SLAVE_CHANNEL_DOES_NOT_EXIST';
+exports[3075] = 'ER_SLAVE_MULTIPLE_CHANNELS_HOST_PORT';
+exports[3076] = 'ER_SLAVE_CHANNEL_NAME_INVALID_OR_TOO_LONG';
+exports[3077] = 'ER_SLAVE_NEW_CHANNEL_WRONG_REPOSITORY';
+exports[3078] = 'ER_SLAVE_CHANNEL_DELETE';
+exports[3079] = 'ER_SLAVE_MULTIPLE_CHANNELS_CMD';
+exports[3080] = 'ER_SLAVE_MAX_CHANNELS_EXCEEDED';
+exports[3081] = 'ER_SLAVE_CHANNEL_MUST_STOP';
+exports[3082] = 'ER_SLAVE_CHANNEL_NOT_RUNNING';
+exports[3083] = 'ER_SLAVE_CHANNEL_WAS_RUNNING';
+exports[3084] = 'ER_SLAVE_CHANNEL_WAS_NOT_RUNNING';
+exports[3085] = 'ER_SLAVE_CHANNEL_SQL_THREAD_MUST_STOP';
+exports[3086] = 'ER_SLAVE_CHANNEL_SQL_SKIP_COUNTER';
+exports[3087] = 'ER_WRONG_FIELD_WITH_GROUP_V2';
+exports[3088] = 'ER_MIX_OF_GROUP_FUNC_AND_FIELDS_V2';
+exports[3089] = 'ER_WARN_DEPRECATED_SYSVAR_UPDATE';
+exports[3090] = 'ER_WARN_DEPRECATED_SQLMODE';
+exports[3091] = 'ER_CANNOT_LOG_PARTIAL_DROP_DATABASE_WITH_GTID';
+exports[3092] = 'ER_GROUP_REPLICATION_CONFIGURATION';
+exports[3093] = 'ER_GROUP_REPLICATION_RUNNING';
+exports[3094] = 'ER_GROUP_REPLICATION_APPLIER_INIT_ERROR';
+exports[3095] = 'ER_GROUP_REPLICATION_STOP_APPLIER_THREAD_TIMEOUT';
+exports[3096] = 'ER_GROUP_REPLICATION_COMMUNICATION_LAYER_SESSION_ERROR';
+exports[3097] = 'ER_GROUP_REPLICATION_COMMUNICATION_LAYER_JOIN_ERROR';
+exports[3098] = 'ER_BEFORE_DML_VALIDATION_ERROR';
+exports[3099] = 'ER_PREVENTS_VARIABLE_WITHOUT_RBR';
+exports[3100] = 'ER_RUN_HOOK_ERROR';
+exports[3101] = 'ER_TRANSACTION_ROLLBACK_DURING_COMMIT';
+exports[3102] = 'ER_GENERATED_COLUMN_FUNCTION_IS_NOT_ALLOWED';
+exports[3103] = 'ER_UNSUPPORTED_ALTER_INPLACE_ON_VIRTUAL_COLUMN';
+exports[3104] = 'ER_WRONG_FK_OPTION_FOR_GENERATED_COLUMN';
+exports[3105] = 'ER_NON_DEFAULT_VALUE_FOR_GENERATED_COLUMN';
+exports[3106] = 'ER_UNSUPPORTED_ACTION_ON_GENERATED_COLUMN';
+exports[3107] = 'ER_GENERATED_COLUMN_NON_PRIOR';
+exports[3108] = 'ER_DEPENDENT_BY_GENERATED_COLUMN';
+exports[3109] = 'ER_GENERATED_COLUMN_REF_AUTO_INC';
+exports[3110] = 'ER_FEATURE_NOT_AVAILABLE';
+exports[3111] = 'ER_CANT_SET_GTID_MODE';
+exports[3112] = 'ER_CANT_USE_AUTO_POSITION_WITH_GTID_MODE_OFF';
+exports[3113] = 'ER_CANT_REPLICATE_ANONYMOUS_WITH_AUTO_POSITION';
+exports[3114] = 'ER_CANT_REPLICATE_ANONYMOUS_WITH_GTID_MODE_ON';
+exports[3115] = 'ER_CANT_REPLICATE_GTID_WITH_GTID_MODE_OFF';
+exports[3116] = 'ER_CANT_SET_ENFORCE_GTID_CONSISTENCY_ON_WITH_ONGOING_GTID_VIOLATING_TRANSACTIONS';
+exports[3117] = 'ER_SET_ENFORCE_GTID_CONSISTENCY_WARN_WITH_ONGOING_GTID_VIOLATING_TRANSACTIONS';
+exports[3118] = 'ER_ACCOUNT_HAS_BEEN_LOCKED';
+exports[3119] = 'ER_WRONG_TABLESPACE_NAME';
+exports[3120] = 'ER_TABLESPACE_IS_NOT_EMPTY';
+exports[3121] = 'ER_WRONG_FILE_NAME';
+exports[3122] = 'ER_BOOST_GEOMETRY_INCONSISTENT_TURNS_EXCEPTION';
+exports[3123] = 'ER_WARN_OPTIMIZER_HINT_SYNTAX_ERROR';
+exports[3124] = 'ER_WARN_BAD_MAX_EXECUTION_TIME';
+exports[3125] = 'ER_WARN_UNSUPPORTED_MAX_EXECUTION_TIME';
+exports[3126] = 'ER_WARN_CONFLICTING_HINT';
+exports[3127] = 'ER_WARN_UNKNOWN_QB_NAME';
+exports[3128] = 'ER_UNRESOLVED_HINT_NAME';
+exports[3129] = 'ER_WARN_ON_MODIFYING_GTID_EXECUTED_TABLE';
+exports[3130] = 'ER_PLUGGABLE_PROTOCOL_COMMAND_NOT_SUPPORTED';
+exports[3131] = 'ER_LOCKING_SERVICE_WRONG_NAME';
+exports[3132] = 'ER_LOCKING_SERVICE_DEADLOCK';
+exports[3133] = 'ER_LOCKING_SERVICE_TIMEOUT';
+exports[3134] = 'ER_GIS_MAX_POINTS_IN_GEOMETRY_OVERFLOWED';
+exports[3135] = 'ER_SQL_MODE_MERGED';
+exports[3136] = 'ER_VTOKEN_PLUGIN_TOKEN_MISMATCH';
+exports[3137] = 'ER_VTOKEN_PLUGIN_TOKEN_NOT_FOUND';
+exports[3138] = 'ER_CANT_SET_VARIABLE_WHEN_OWNING_GTID';
+exports[3139] = 'ER_SLAVE_CHANNEL_OPERATION_NOT_ALLOWED';
+exports[3140] = 'ER_INVALID_JSON_TEXT';
+exports[3141] = 'ER_INVALID_JSON_TEXT_IN_PARAM';
+exports[3142] = 'ER_INVALID_JSON_BINARY_DATA';
+exports[3143] = 'ER_INVALID_JSON_PATH';
+exports[3144] = 'ER_INVALID_JSON_CHARSET';
+exports[3145] = 'ER_INVALID_JSON_CHARSET_IN_FUNCTION';
+exports[3146] = 'ER_INVALID_TYPE_FOR_JSON';
+exports[3147] = 'ER_INVALID_CAST_TO_JSON';
+exports[3148] = 'ER_INVALID_JSON_PATH_CHARSET';
+exports[3149] = 'ER_INVALID_JSON_PATH_WILDCARD';
+exports[3150] = 'ER_JSON_VALUE_TOO_BIG';
+exports[3151] = 'ER_JSON_KEY_TOO_BIG';
+exports[3152] = 'ER_JSON_USED_AS_KEY';
+exports[3153] = 'ER_JSON_VACUOUS_PATH';
+exports[3154] = 'ER_JSON_BAD_ONE_OR_ALL_ARG';
+exports[3155] = 'ER_NUMERIC_JSON_VALUE_OUT_OF_RANGE';
+exports[3156] = 'ER_INVALID_JSON_VALUE_FOR_CAST';
+exports[3157] = 'ER_JSON_DOCUMENT_TOO_DEEP';
+exports[3158] = 'ER_JSON_DOCUMENT_NULL_KEY';
+exports[3159] = 'ER_SECURE_TRANSPORT_REQUIRED';
+exports[3160] = 'ER_NO_SECURE_TRANSPORTS_CONFIGURED';
+exports[3161] = 'ER_DISABLED_STORAGE_ENGINE';
+exports[3162] = 'ER_USER_DOES_NOT_EXIST';
+exports[3163] = 'ER_USER_ALREADY_EXISTS';
+exports[3164] = 'ER_AUDIT_API_ABORT';
+exports[3165] = 'ER_INVALID_JSON_PATH_ARRAY_CELL';
+exports[3166] = 'ER_BUFPOOL_RESIZE_INPROGRESS';
+exports[3167] = 'ER_FEATURE_DISABLED_SEE_DOC';
+exports[3168] = 'ER_SERVER_ISNT_AVAILABLE';
+exports[3169] = 'ER_SESSION_WAS_KILLED';
+exports[3170] = 'ER_CAPACITY_EXCEEDED';
+exports[3171] = 'ER_CAPACITY_EXCEEDED_IN_RANGE_OPTIMIZER';
+exports[3172] = 'ER_TABLE_NEEDS_UPG_PART';
+exports[3173] = 'ER_CANT_WAIT_FOR_EXECUTED_GTID_SET_WHILE_OWNING_A_GTID';
+exports[3174] = 'ER_CANNOT_ADD_FOREIGN_BASE_COL_VIRTUAL';
+exports[3175] = 'ER_CANNOT_CREATE_VIRTUAL_INDEX_CONSTRAINT';
+exports[3176] = 'ER_ERROR_ON_MODIFYING_GTID_EXECUTED_TABLE';
+exports[3177] = 'ER_LOCK_REFUSED_BY_ENGINE';
+exports[3178] = 'ER_UNSUPPORTED_ALTER_ONLINE_ON_VIRTUAL_COLUMN';
+exports[3179] = 'ER_MASTER_KEY_ROTATION_NOT_SUPPORTED_BY_SE';
+exports[3180] = 'ER_MASTER_KEY_ROTATION_ERROR_BY_SE';
+exports[3181] = 'ER_MASTER_KEY_ROTATION_BINLOG_FAILED';
+exports[3182] = 'ER_MASTER_KEY_ROTATION_SE_UNAVAILABLE';
+exports[3183] = 'ER_TABLESPACE_CANNOT_ENCRYPT';
+exports[3184] = 'ER_INVALID_ENCRYPTION_OPTION';
+exports[3185] = 'ER_CANNOT_FIND_KEY_IN_KEYRING';
+exports[3186] = 'ER_CAPACITY_EXCEEDED_IN_PARSER';
+exports[3187] = 'ER_UNSUPPORTED_ALTER_ENCRYPTION_INPLACE';
+exports[3188] = 'ER_KEYRING_UDF_KEYRING_SERVICE_ERROR';
+exports[3189] = 'ER_USER_COLUMN_OLD_LENGTH';
+exports[3190] = 'ER_CANT_RESET_MASTER';
+exports[3191] = 'ER_GROUP_REPLICATION_MAX_GROUP_SIZE';
+exports[3192] = 'ER_CANNOT_ADD_FOREIGN_BASE_COL_STORED';
+exports[3193] = 'ER_TABLE_REFERENCED';
+exports[3194] = 'ER_PARTITION_ENGINE_DEPRECATED_FOR_TABLE';
+exports[3195] = 'ER_WARN_USING_GEOMFROMWKB_TO_SET_SRID_ZERO';
+exports[3196] = 'ER_WARN_USING_GEOMFROMWKB_TO_SET_SRID';
+exports[3197] = 'ER_XA_RETRY';
+exports[3198] = 'ER_KEYRING_AWS_UDF_AWS_KMS_ERROR';
+exports[3199] = 'ER_BINLOG_UNSAFE_XA';
+exports[3200] = 'ER_UDF_ERROR';
+exports[3201] = 'ER_KEYRING_MIGRATION_FAILURE';
+exports[3202] = 'ER_KEYRING_ACCESS_DENIED_ERROR';
+exports[3203] = 'ER_KEYRING_MIGRATION_STATUS';
+exports[3204] = 'ER_PLUGIN_FAILED_TO_OPEN_TABLES';
+exports[3205] = 'ER_PLUGIN_FAILED_TO_OPEN_TABLE';
+exports[3206] = 'ER_AUDIT_LOG_NO_KEYRING_PLUGIN_INSTALLED';
+exports[3207] = 'ER_AUDIT_LOG_ENCRYPTION_PASSWORD_HAS_NOT_BEEN_SET';
+exports[3208] = 'ER_AUDIT_LOG_COULD_NOT_CREATE_AES_KEY';
+exports[3209] = 'ER_AUDIT_LOG_ENCRYPTION_PASSWORD_CANNOT_BE_FETCHED';
+exports[3210] = 'ER_AUDIT_LOG_JSON_FILTERING_NOT_ENABLED';
+exports[3211] = 'ER_AUDIT_LOG_UDF_INSUFFICIENT_PRIVILEGE';
+exports[3212] = 'ER_AUDIT_LOG_SUPER_PRIVILEGE_REQUIRED';
+exports[3213] = 'ER_COULD_NOT_REINITIALIZE_AUDIT_LOG_FILTERS';
+exports[3214] = 'ER_AUDIT_LOG_UDF_INVALID_ARGUMENT_TYPE';
+exports[3215] = 'ER_AUDIT_LOG_UDF_INVALID_ARGUMENT_COUNT';
+exports[3216] = 'ER_AUDIT_LOG_HAS_NOT_BEEN_INSTALLED';
+exports[3217] = 'ER_AUDIT_LOG_UDF_READ_INVALID_MAX_ARRAY_LENGTH_ARG_TYPE';
+exports[3218] = 'ER_AUDIT_LOG_UDF_READ_INVALID_MAX_ARRAY_LENGTH_ARG_VALUE';
+exports[3219] = 'ER_AUDIT_LOG_JSON_FILTER_PARSING_ERROR';
+exports[3220] = 'ER_AUDIT_LOG_JSON_FILTER_NAME_CANNOT_BE_EMPTY';
+exports[3221] = 'ER_AUDIT_LOG_JSON_USER_NAME_CANNOT_BE_EMPTY';
+exports[3222] = 'ER_AUDIT_LOG_JSON_FILTER_DOES_NOT_EXISTS';
+exports[3223] = 'ER_AUDIT_LOG_USER_FIRST_CHARACTER_MUST_BE_ALPHANUMERIC';
+exports[3224] = 'ER_AUDIT_LOG_USER_NAME_INVALID_CHARACTER';
+exports[3225] = 'ER_AUDIT_LOG_HOST_NAME_INVALID_CHARACTER';
+exports[3226] = 'WARN_DEPRECATED_MAXDB_SQL_MODE_FOR_TIMESTAMP';
+exports[3227] = 'ER_XA_REPLICATION_FILTERS';
+exports[3228] = 'ER_CANT_OPEN_ERROR_LOG';
+exports[3229] = 'ER_GROUPING_ON_TIMESTAMP_IN_DST';
+exports[3230] = 'ER_CANT_START_SERVER_NAMED_PIPE';
diff --git "a/\351\231\210\351\233\204\350\276\211/\350\277\231\346\230\257\344\270\200\344\270\252\345\260\217\347\210\254\350\231\253/node_modules/mysql/lib/protocol/constants/field_flags.js" "b/\351\231\210\351\233\204\350\276\211/\350\277\231\346\230\257\344\270\200\344\270\252\345\260\217\347\210\254\350\231\253/node_modules/mysql/lib/protocol/constants/field_flags.js"
new file mode 100644
index 0000000000000000000000000000000000000000..c698da51bd99ee4d6e65d9111087660b5a53e317
--- /dev/null
+++ "b/\351\231\210\351\233\204\350\276\211/\350\277\231\346\230\257\344\270\200\344\270\252\345\260\217\347\210\254\350\231\253/node_modules/mysql/lib/protocol/constants/field_flags.js"
@@ -0,0 +1,18 @@
+// Manually extracted from mysql-5.5.23/include/mysql_com.h
+exports.NOT_NULL_FLAG = 1; /* Field can't be NULL */
+exports.PRI_KEY_FLAG = 2; /* Field is part of a primary key */
+exports.UNIQUE_KEY_FLAG = 4; /* Field is part of a unique key */
+exports.MULTIPLE_KEY_FLAG = 8; /* Field is part of a key */
+exports.BLOB_FLAG = 16; /* Field is a blob */
+exports.UNSIGNED_FLAG = 32; /* Field is unsigned */
+exports.ZEROFILL_FLAG = 64; /* Field is zerofill */
+exports.BINARY_FLAG = 128; /* Field is binary */
+
+/* The following are only sent to new clients */
+exports.ENUM_FLAG = 256; /* field is an enum */
+exports.AUTO_INCREMENT_FLAG = 512; /* field is a autoincrement field */
+exports.TIMESTAMP_FLAG = 1024; /* Field is a timestamp */
+exports.SET_FLAG = 2048; /* field is a set */
+exports.NO_DEFAULT_VALUE_FLAG = 4096; /* Field doesn't have default value */
+exports.ON_UPDATE_NOW_FLAG = 8192; /* Field is set to NOW on UPDATE */
+exports.NUM_FLAG = 32768; /* Field is num (for clients) */
diff --git "a/\351\231\210\351\233\204\350\276\211/\350\277\231\346\230\257\344\270\200\344\270\252\345\260\217\347\210\254\350\231\253/node_modules/mysql/lib/protocol/constants/server_status.js" "b/\351\231\210\351\233\204\350\276\211/\350\277\231\346\230\257\344\270\200\344\270\252\345\260\217\347\210\254\350\231\253/node_modules/mysql/lib/protocol/constants/server_status.js"
new file mode 100644
index 0000000000000000000000000000000000000000..48880c3709cf58149a448f3e4821e85097d95f20
--- /dev/null
+++ "b/\351\231\210\351\233\204\350\276\211/\350\277\231\346\230\257\344\270\200\344\270\252\345\260\217\347\210\254\350\231\253/node_modules/mysql/lib/protocol/constants/server_status.js"
@@ -0,0 +1,39 @@
+// Manually extracted from mysql-5.5.23/include/mysql_com.h
+
+/**
+ Is raised when a multi-statement transaction
+ has been started, either explicitly, by means
+ of BEGIN or COMMIT AND CHAIN, or
+ implicitly, by the first transactional
+ statement, when autocommit=off.
+*/
+exports.SERVER_STATUS_IN_TRANS = 1;
+exports.SERVER_STATUS_AUTOCOMMIT = 2; /* Server in auto_commit mode */
+exports.SERVER_MORE_RESULTS_EXISTS = 8; /* Multi query - next query exists */
+exports.SERVER_QUERY_NO_GOOD_INDEX_USED = 16;
+exports.SERVER_QUERY_NO_INDEX_USED = 32;
+/**
+ The server was able to fulfill the clients request and opened a
+ read-only non-scrollable cursor for a query. This flag comes
+ in reply to COM_STMT_EXECUTE and COM_STMT_FETCH commands.
+*/
+exports.SERVER_STATUS_CURSOR_EXISTS = 64;
+/**
+ This flag is sent when a read-only cursor is exhausted, in reply to
+ COM_STMT_FETCH command.
+*/
+exports.SERVER_STATUS_LAST_ROW_SENT = 128;
+exports.SERVER_STATUS_DB_DROPPED = 256; /* A database was dropped */
+exports.SERVER_STATUS_NO_BACKSLASH_ESCAPES = 512;
+/**
+ Sent to the client if after a prepared statement reprepare
+ we discovered that the new statement returns a different
+ number of result set columns.
+*/
+exports.SERVER_STATUS_METADATA_CHANGED = 1024;
+exports.SERVER_QUERY_WAS_SLOW = 2048;
+
+/**
+ To mark ResultSet containing output parameter values.
+*/
+exports.SERVER_PS_OUT_PARAMS = 4096;
diff --git "a/\351\231\210\351\233\204\350\276\211/\350\277\231\346\230\257\344\270\200\344\270\252\345\260\217\347\210\254\350\231\253/node_modules/mysql/lib/protocol/constants/ssl_profiles.js" "b/\351\231\210\351\233\204\350\276\211/\350\277\231\346\230\257\344\270\200\344\270\252\345\260\217\347\210\254\350\231\253/node_modules/mysql/lib/protocol/constants/ssl_profiles.js"
new file mode 100644
index 0000000000000000000000000000000000000000..bec1864f3dcc7e3eb08aea32cb9a52133413bd8f
--- /dev/null
+++ "b/\351\231\210\351\233\204\350\276\211/\350\277\231\346\230\257\344\270\200\344\270\252\345\260\217\347\210\254\350\231\253/node_modules/mysql/lib/protocol/constants/ssl_profiles.js"
@@ -0,0 +1,1480 @@
+// Certificates for Amazon RDS
+exports['Amazon RDS'] = {
+ ca: [
+ /**
+ * Amazon RDS global certificate 2010 to 2015
+ *
+ * CN = aws.amazon.com/rds/
+ * OU = RDS
+ * O = Amazon.com
+ * L = Seattle
+ * ST = Washington
+ * C = US
+ * P = 2010-04-05T22:44:31Z/2015-04-04T22:41:31Z
+ * F = 7F:09:8D:A5:7D:BB:A6:EF:7C:70:D8:CA:4E:49:11:55:7E:89:A7:D3
+ */
+ '-----BEGIN CERTIFICATE-----\n'
+ + 'MIIDQzCCAqygAwIBAgIJAOd1tlfiGoEoMA0GCSqGSIb3DQEBBQUAMHUxCzAJBgNV\n'
+ + 'BAYTAlVTMRMwEQYDVQQIEwpXYXNoaW5ndG9uMRAwDgYDVQQHEwdTZWF0dGxlMRMw\n'
+ + 'EQYDVQQKEwpBbWF6b24uY29tMQwwCgYDVQQLEwNSRFMxHDAaBgNVBAMTE2F3cy5h\n'
+ + 'bWF6b24uY29tL3Jkcy8wHhcNMTAwNDA1MjI0NDMxWhcNMTUwNDA0MjI0NDMxWjB1\n'
+ + 'MQswCQYDVQQGEwJVUzETMBEGA1UECBMKV2FzaGluZ3RvbjEQMA4GA1UEBxMHU2Vh\n'
+ + 'dHRsZTETMBEGA1UEChMKQW1hem9uLmNvbTEMMAoGA1UECxMDUkRTMRwwGgYDVQQD\n'
+ + 'ExNhd3MuYW1hem9uLmNvbS9yZHMvMIGfMA0GCSqGSIb3DQEBAQUAA4GNADCBiQKB\n'
+ + 'gQDKhXGU7tizxUR5WaFoMTFcxNxa05PEjZaIOEN5ctkWrqYSRov0/nOMoZjqk8bC\n'
+ + 'med9vPFoQGD0OTakPs0jVe3wwmR735hyVwmKIPPsGlaBYj1O6llIpZeQVyupNx56\n'
+ + 'UzqtiLaDzh1KcmfqP3qP2dInzBfJQKjiRudo1FWnpPt33QIDAQABo4HaMIHXMB0G\n'
+ + 'A1UdDgQWBBT/H3x+cqSkR/ePSIinPtc4yWKe3DCBpwYDVR0jBIGfMIGcgBT/H3x+\n'
+ + 'cqSkR/ePSIinPtc4yWKe3KF5pHcwdTELMAkGA1UEBhMCVVMxEzARBgNVBAgTCldh\n'
+ + 'c2hpbmd0b24xEDAOBgNVBAcTB1NlYXR0bGUxEzARBgNVBAoTCkFtYXpvbi5jb20x\n'
+ + 'DDAKBgNVBAsTA1JEUzEcMBoGA1UEAxMTYXdzLmFtYXpvbi5jb20vcmRzL4IJAOd1\n'
+ + 'tlfiGoEoMAwGA1UdEwQFMAMBAf8wDQYJKoZIhvcNAQEFBQADgYEAvguZy/BDT66x\n'
+ + 'GfgnJlyQwnFSeVLQm9u/FIvz4huGjbq9dqnD6h/Gm56QPFdyMEyDiZWaqY6V08lY\n'
+ + 'LTBNb4kcIc9/6pc0/ojKciP5QJRm6OiZ4vgG05nF4fYjhU7WClUx7cxq1fKjNc2J\n'
+ + 'UCmmYqgiVkAGWRETVo+byOSDZ4swb10=\n'
+ + '-----END CERTIFICATE-----\n',
+
+ /**
+ * Amazon RDS global root CA 2015 to 2020
+ *
+ * CN = Amazon RDS Root CA
+ * OU = Amazon RDS
+ * O = Amazon Web Services, Inc.
+ * L = Seattle
+ * ST = Washington
+ * C = US
+ * P = 2015-02-05T09:11:31Z/2020-03-05T09:11:31Z
+ * F = E8:11:88:56:E7:A7:CE:3E:5E:DC:9A:31:25:1B:93:AC:DC:43:CE:B0
+ */
+ '-----BEGIN CERTIFICATE-----\n'
+ + 'MIID9DCCAtygAwIBAgIBQjANBgkqhkiG9w0BAQUFADCBijELMAkGA1UEBhMCVVMx\n'
+ + 'EzARBgNVBAgMCldhc2hpbmd0b24xEDAOBgNVBAcMB1NlYXR0bGUxIjAgBgNVBAoM\n'
+ + 'GUFtYXpvbiBXZWIgU2VydmljZXMsIEluYy4xEzARBgNVBAsMCkFtYXpvbiBSRFMx\n'
+ + 'GzAZBgNVBAMMEkFtYXpvbiBSRFMgUm9vdCBDQTAeFw0xNTAyMDUwOTExMzFaFw0y\n'
+ + 'MDAzMDUwOTExMzFaMIGKMQswCQYDVQQGEwJVUzETMBEGA1UECAwKV2FzaGluZ3Rv\n'
+ + 'bjEQMA4GA1UEBwwHU2VhdHRsZTEiMCAGA1UECgwZQW1hem9uIFdlYiBTZXJ2aWNl\n'
+ + 'cywgSW5jLjETMBEGA1UECwwKQW1hem9uIFJEUzEbMBkGA1UEAwwSQW1hem9uIFJE\n'
+ + 'UyBSb290IENBMIIBIjANBgkqhkiG9w0BAQEFAAOCAQ8AMIIBCgKCAQEAuD8nrZ8V\n'
+ + 'u+VA8yVlUipCZIKPTDcOILYpUe8Tct0YeQQr0uyl018StdBsa3CjBgvwpDRq1HgF\n'
+ + 'Ji2N3+39+shCNspQeE6aYU+BHXhKhIIStt3r7gl/4NqYiDDMWKHxHq0nsGDFfArf\n'
+ + 'AOcjZdJagOMqb3fF46flc8k2E7THTm9Sz4L7RY1WdABMuurpICLFE3oHcGdapOb9\n'
+ + 'T53pQR+xpHW9atkcf3pf7gbO0rlKVSIoUenBlZipUlp1VZl/OD/E+TtRhDDNdI2J\n'
+ + 'P/DSMM3aEsq6ZQkfbz/Ilml+Lx3tJYXUDmp+ZjzMPLk/+3beT8EhrwtcG3VPpvwp\n'
+ + 'BIOqsqVVTvw/CwIDAQABo2MwYTAOBgNVHQ8BAf8EBAMCAQYwDwYDVR0TAQH/BAUw\n'
+ + 'AwEB/zAdBgNVHQ4EFgQUTgLurD72FchM7Sz1BcGPnIQISYMwHwYDVR0jBBgwFoAU\n'
+ + 'TgLurD72FchM7Sz1BcGPnIQISYMwDQYJKoZIhvcNAQEFBQADggEBAHZcgIio8pAm\n'
+ + 'MjHD5cl6wKjXxScXKtXygWH2BoDMYBJF9yfyKO2jEFxYKbHePpnXB1R04zJSWAw5\n'
+ + '2EUuDI1pSBh9BA82/5PkuNlNeSTB3dXDD2PEPdzVWbSKvUB8ZdooV+2vngL0Zm4r\n'
+ + '47QPyd18yPHrRIbtBtHR/6CwKevLZ394zgExqhnekYKIqqEX41xsUV0Gm6x4vpjf\n'
+ + '2u6O/+YE2U+qyyxHE5Wd5oqde0oo9UUpFETJPVb6Q2cEeQib8PBAyi0i6KnF+kIV\n'
+ + 'A9dY7IHSubtCK/i8wxMVqfd5GtbA8mmpeJFwnDvm9rBEsHybl08qlax9syEwsUYr\n'
+ + '/40NawZfTUU=\n'
+ + '-----END CERTIFICATE-----\n',
+
+ /**
+ * Amazon RDS global root CA 2019 to 2024
+ *
+ * CN = Amazon RDS Root 2019 CA
+ * OU = Amazon RDS
+ * O = Amazon Web Services, Inc.
+ * L = Seattle
+ * ST = Washington
+ * C = US
+ * P = 2019-08-22T17:08:50Z/2024-08-22T17:08:50Z
+ * F = D4:0D:DB:29:E3:75:0D:FF:A6:71:C3:14:0B:BF:5F:47:8D:1C:80:96
+ */
+ '-----BEGIN CERTIFICATE-----\n'
+ + 'MIIEBjCCAu6gAwIBAgIJAMc0ZzaSUK51MA0GCSqGSIb3DQEBCwUAMIGPMQswCQYD\n'
+ + 'VQQGEwJVUzEQMA4GA1UEBwwHU2VhdHRsZTETMBEGA1UECAwKV2FzaGluZ3RvbjEi\n'
+ + 'MCAGA1UECgwZQW1hem9uIFdlYiBTZXJ2aWNlcywgSW5jLjETMBEGA1UECwwKQW1h\n'
+ + 'em9uIFJEUzEgMB4GA1UEAwwXQW1hem9uIFJEUyBSb290IDIwMTkgQ0EwHhcNMTkw\n'
+ + 'ODIyMTcwODUwWhcNMjQwODIyMTcwODUwWjCBjzELMAkGA1UEBhMCVVMxEDAOBgNV\n'
+ + 'BAcMB1NlYXR0bGUxEzARBgNVBAgMCldhc2hpbmd0b24xIjAgBgNVBAoMGUFtYXpv\n'
+ + 'biBXZWIgU2VydmljZXMsIEluYy4xEzARBgNVBAsMCkFtYXpvbiBSRFMxIDAeBgNV\n'
+ + 'BAMMF0FtYXpvbiBSRFMgUm9vdCAyMDE5IENBMIIBIjANBgkqhkiG9w0BAQEFAAOC\n'
+ + 'AQ8AMIIBCgKCAQEArXnF/E6/Qh+ku3hQTSKPMhQQlCpoWvnIthzX6MK3p5a0eXKZ\n'
+ + 'oWIjYcNNG6UwJjp4fUXl6glp53Jobn+tWNX88dNH2n8DVbppSwScVE2LpuL+94vY\n'
+ + '0EYE/XxN7svKea8YvlrqkUBKyxLxTjh+U/KrGOaHxz9v0l6ZNlDbuaZw3qIWdD/I\n'
+ + '6aNbGeRUVtpM6P+bWIoxVl/caQylQS6CEYUk+CpVyJSkopwJlzXT07tMoDL5WgX9\n'
+ + 'O08KVgDNz9qP/IGtAcRduRcNioH3E9v981QO1zt/Gpb2f8NqAjUUCUZzOnij6mx9\n'
+ + 'McZ+9cWX88CRzR0vQODWuZscgI08NvM69Fn2SQIDAQABo2MwYTAOBgNVHQ8BAf8E\n'
+ + 'BAMCAQYwDwYDVR0TAQH/BAUwAwEB/zAdBgNVHQ4EFgQUc19g2LzLA5j0Kxc0LjZa\n'
+ + 'pmD/vB8wHwYDVR0jBBgwFoAUc19g2LzLA5j0Kxc0LjZapmD/vB8wDQYJKoZIhvcN\n'
+ + 'AQELBQADggEBAHAG7WTmyjzPRIM85rVj+fWHsLIvqpw6DObIjMWokpliCeMINZFV\n'
+ + 'ynfgBKsf1ExwbvJNzYFXW6dihnguDG9VMPpi2up/ctQTN8tm9nDKOy08uNZoofMc\n'
+ + 'NUZxKCEkVKZv+IL4oHoeayt8egtv3ujJM6V14AstMQ6SwvwvA93EP/Ug2e4WAXHu\n'
+ + 'cbI1NAbUgVDqp+DRdfvZkgYKryjTWd/0+1fS8X1bBZVWzl7eirNVnHbSH2ZDpNuY\n'
+ + '0SBd8dj5F6ld3t58ydZbrTHze7JJOd8ijySAp4/kiu9UfZWuTPABzDa/DSdz9Dk/\n'
+ + 'zPW4CXXvhLmE02TA9/HeCw3KEHIwicNuEfw=\n'
+ + '-----END CERTIFICATE-----\n',
+
+ /**
+ * Amazon RDS ap-northeast-1 certificate CA 2015 to 2020
+ *
+ * CN = Amazon RDS ap-northeast-1 CA
+ * OU = Amazon RDS
+ * O = Amazon Web Services, Inc.
+ * L = Seattle
+ * ST = Washington
+ * C = US
+ * P = 2015-02-05T22:03:06Z/2020-03-05T22:03:06Z
+ * F = 4B:2D:8A:E0:C1:A3:A9:AF:A7:BB:65:0C:5A:16:8A:39:3C:03:F2:C5
+ */
+ '-----BEGIN CERTIFICATE-----\n'
+ + 'MIIEATCCAumgAwIBAgIBRDANBgkqhkiG9w0BAQUFADCBijELMAkGA1UEBhMCVVMx\n'
+ + 'EzARBgNVBAgMCldhc2hpbmd0b24xEDAOBgNVBAcMB1NlYXR0bGUxIjAgBgNVBAoM\n'
+ + 'GUFtYXpvbiBXZWIgU2VydmljZXMsIEluYy4xEzARBgNVBAsMCkFtYXpvbiBSRFMx\n'
+ + 'GzAZBgNVBAMMEkFtYXpvbiBSRFMgUm9vdCBDQTAeFw0xNTAyMDUyMjAzMDZaFw0y\n'
+ + 'MDAzMDUyMjAzMDZaMIGUMQswCQYDVQQGEwJVUzETMBEGA1UECAwKV2FzaGluZ3Rv\n'
+ + 'bjEQMA4GA1UEBwwHU2VhdHRsZTEiMCAGA1UECgwZQW1hem9uIFdlYiBTZXJ2aWNl\n'
+ + 'cywgSW5jLjETMBEGA1UECwwKQW1hem9uIFJEUzElMCMGA1UEAwwcQW1hem9uIFJE\n'
+ + 'UyBhcC1ub3J0aGVhc3QtMSBDQTCCASIwDQYJKoZIhvcNAQEBBQADggEPADCCAQoC\n'
+ + 'ggEBAMmM2B4PfTXCZjbZMWiDPyxvk/eeNwIRJAhfzesiGUiLozX6CRy3rwC1ZOPV\n'
+ + 'AcQf0LB+O8wY88C/cV+d4Q2nBDmnk+Vx7o2MyMh343r5rR3Na+4izd89tkQVt0WW\n'
+ + 'vO21KRH5i8EuBjinboOwAwu6IJ+HyiQiM0VjgjrmEr/YzFPL8MgHD/YUHehqjACn\n'
+ + 'C0+B7/gu7W4qJzBL2DOf7ub2qszGtwPE+qQzkCRDwE1A4AJmVE++/FLH2Zx78Egg\n'
+ + 'fV1sUxPtYgjGH76VyyO6GNKM6rAUMD/q5mnPASQVIXgKbupr618bnH+SWHFjBqZq\n'
+ + 'HvDGPMtiiWII41EmGUypyt5AbysCAwEAAaNmMGQwDgYDVR0PAQH/BAQDAgEGMBIG\n'
+ + 'A1UdEwEB/wQIMAYBAf8CAQAwHQYDVR0OBBYEFIiKM0Q6n1K4EmLxs3ZXxINbwEwR\n'
+ + 'MB8GA1UdIwQYMBaAFE4C7qw+9hXITO0s9QXBj5yECEmDMA0GCSqGSIb3DQEBBQUA\n'
+ + 'A4IBAQBezGbE9Rw/k2e25iGjj5n8r+M3dlye8ORfCE/dijHtxqAKasXHgKX8I9Tw\n'
+ + 'JkBiGWiuzqn7gO5MJ0nMMro1+gq29qjZnYX1pDHPgsRjUX8R+juRhgJ3JSHijRbf\n'
+ + '4qNJrnwga7pj94MhcLq9u0f6dxH6dXbyMv21T4TZMTmcFduf1KgaiVx1PEyJjC6r\n'
+ + 'M+Ru+A0eM+jJ7uCjUoZKcpX8xkj4nmSnz9NMPog3wdOSB9cAW7XIc5mHa656wr7I\n'
+ + 'WJxVcYNHTXIjCcng2zMKd1aCcl2KSFfy56sRfT7J5Wp69QSr+jq8KM55gw8uqAwi\n'
+ + 'VPrXn2899T1rcTtFYFP16WXjGuc0\n'
+ + '-----END CERTIFICATE-----\n',
+
+ /**
+ * Amazon RDS ap-northeast-2 certificate CA 2015 to 2020
+ *
+ * CN = Amazon RDS ap-northeast-2 CA
+ * OU = Amazon RDS
+ * O = Amazon Web Services, Inc.
+ * L = Seattle
+ * ST = Washington
+ * C = US
+ * P = 2015-11-06T00:05:46Z/2020-03-05T00:05:46Z
+ * F = 77:D9:33:4E:CE:56:FC:42:7B:29:57:8D:67:59:ED:29:4E:18:CB:6B
+ */
+ '-----BEGIN CERTIFICATE-----\n'
+ + 'MIIEATCCAumgAwIBAgIBTDANBgkqhkiG9w0BAQUFADCBijELMAkGA1UEBhMCVVMx\n'
+ + 'EzARBgNVBAgMCldhc2hpbmd0b24xEDAOBgNVBAcMB1NlYXR0bGUxIjAgBgNVBAoM\n'
+ + 'GUFtYXpvbiBXZWIgU2VydmljZXMsIEluYy4xEzARBgNVBAsMCkFtYXpvbiBSRFMx\n'
+ + 'GzAZBgNVBAMMEkFtYXpvbiBSRFMgUm9vdCBDQTAeFw0xNTExMDYwMDA1NDZaFw0y\n'
+ + 'MDAzMDUwMDA1NDZaMIGUMQswCQYDVQQGEwJVUzETMBEGA1UECAwKV2FzaGluZ3Rv\n'
+ + 'bjEQMA4GA1UEBwwHU2VhdHRsZTEiMCAGA1UECgwZQW1hem9uIFdlYiBTZXJ2aWNl\n'
+ + 'cywgSW5jLjETMBEGA1UECwwKQW1hem9uIFJEUzElMCMGA1UEAwwcQW1hem9uIFJE\n'
+ + 'UyBhcC1ub3J0aGVhc3QtMiBDQTCCASIwDQYJKoZIhvcNAQEBBQADggEPADCCAQoC\n'
+ + 'ggEBAKSwd+RVUzTRH0FgnbwoTK8TMm/zMT4+2BvALpAUe6YXbkisg2goycWuuWLg\n'
+ + 'jOpFBB3GtyvXZnkqi7MkDWUmj1a2kf8l2oLyoaZ+Hm9x/sV+IJzOqPvj1XVUGjP6\n'
+ + 'yYYnPJmUYqvZeI7fEkIGdFkP2m4/sgsSGsFvpD9FK1bL1Kx2UDpYX0kHTtr18Zm/\n'
+ + '1oN6irqWALSmXMDydb8hE0FB2A1VFyeKE6PnoDj/Y5cPHwPPdEi6/3gkDkSaOG30\n'
+ + 'rWeQfL3pOcKqzbHaWTxMphd0DSL/quZ64Nr+Ly65Q5PRcTrtr55ekOUziuqXwk+o\n'
+ + '9QpACMwcJ7ROqOznZTqTzSFVXFECAwEAAaNmMGQwDgYDVR0PAQH/BAQDAgEGMBIG\n'
+ + 'A1UdEwEB/wQIMAYBAf8CAQAwHQYDVR0OBBYEFM6Nox/QWbhzWVvzoJ/y0kGpNPK+\n'
+ + 'MB8GA1UdIwQYMBaAFE4C7qw+9hXITO0s9QXBj5yECEmDMA0GCSqGSIb3DQEBBQUA\n'
+ + 'A4IBAQCTkWBqNvyRf3Y/W21DwFx3oT/AIWrHt0BdGZO34tavummXemTH9LZ/mqv9\n'
+ + 'aljt6ZuDtf5DEQjdsAwXMsyo03ffnP7doWm8iaF1+Mui77ot0TmTsP/deyGwukvJ\n'
+ + 'tkxX8bZjDh+EaNauWKr+CYnniNxCQLfFtXYJsfOdVBzK3xNL+Z3ucOQRhr2helWc\n'
+ + 'CDQgwfhP1+3pRVKqHvWCPC4R3fT7RZHuRmZ38kndv476GxRntejh+ePffif78bFI\n'
+ + '3rIZCPBGobrrUMycafSbyXteoGca/kA+/IqrAPlk0pWQ4aEL0yTWN2h2dnjoD7oX\n'
+ + 'byIuL/g9AGRh97+ssn7D6bDRPTbW\n'
+ + '-----END CERTIFICATE-----\n',
+
+ /**
+ * Amazon RDS ap-southeast-1 certificate CA 2015 to 2020
+ *
+ * CN = Amazon RDS ap-southeast-1 CA
+ * OU = Amazon RDS
+ * O = Amazon Web Services, Inc.
+ * L = Seattle
+ * ST = Washington
+ * C = US
+ * P = 2015-02-05T22:03:19Z/2020-03-05T22:03:19Z
+ * F = 0E:EC:5D:BD:F9:80:EE:A9:A0:8D:81:AC:37:D9:8D:34:1C:CD:27:D1
+ */
+ '-----BEGIN CERTIFICATE-----\n'
+ + 'MIIEATCCAumgAwIBAgIBRTANBgkqhkiG9w0BAQUFADCBijELMAkGA1UEBhMCVVMx\n'
+ + 'EzARBgNVBAgMCldhc2hpbmd0b24xEDAOBgNVBAcMB1NlYXR0bGUxIjAgBgNVBAoM\n'
+ + 'GUFtYXpvbiBXZWIgU2VydmljZXMsIEluYy4xEzARBgNVBAsMCkFtYXpvbiBSRFMx\n'
+ + 'GzAZBgNVBAMMEkFtYXpvbiBSRFMgUm9vdCBDQTAeFw0xNTAyMDUyMjAzMTlaFw0y\n'
+ + 'MDAzMDUyMjAzMTlaMIGUMQswCQYDVQQGEwJVUzETMBEGA1UECAwKV2FzaGluZ3Rv\n'
+ + 'bjEQMA4GA1UEBwwHU2VhdHRsZTEiMCAGA1UECgwZQW1hem9uIFdlYiBTZXJ2aWNl\n'
+ + 'cywgSW5jLjETMBEGA1UECwwKQW1hem9uIFJEUzElMCMGA1UEAwwcQW1hem9uIFJE\n'
+ + 'UyBhcC1zb3V0aGVhc3QtMSBDQTCCASIwDQYJKoZIhvcNAQEBBQADggEPADCCAQoC\n'
+ + 'ggEBANaXElmSEYt/UtxHFsARFhSUahTf1KNJzR0Dmay6hqOXQuRVbKRwPd19u5vx\n'
+ + 'DdF1sLT7D69IK3VDnUiQScaCv2Dpu9foZt+rLx+cpx1qiQd1UHrvqq8xPzQOqCdC\n'
+ + 'RFStq6yVYZ69yfpfoI67AjclMOjl2Vph3ftVnqP0IgVKZdzeC7fd+umGgR9xY0Qr\n'
+ + 'Ubhd/lWdsbNvzK3f1TPWcfIKQnpvSt85PIEDJir6/nuJUKMtmJRwTymJf0i+JZ4x\n'
+ + '7dJa341p2kHKcHMgOPW7nJQklGBA70ytjUV6/qebS3yIugr/28mwReflg3TJzVDl\n'
+ + 'EOvi6pqbqNbkMuEwGDCmEQIVqgkCAwEAAaNmMGQwDgYDVR0PAQH/BAQDAgEGMBIG\n'
+ + 'A1UdEwEB/wQIMAYBAf8CAQAwHQYDVR0OBBYEFAu93/4k5xbWOsgdCdn+/KdiRuit\n'
+ + 'MB8GA1UdIwQYMBaAFE4C7qw+9hXITO0s9QXBj5yECEmDMA0GCSqGSIb3DQEBBQUA\n'
+ + 'A4IBAQBlcjSyscpPjf5+MgzMuAsCxByqUt+WFspwcMCpwdaBeHOPSQrXNqX2Sk6P\n'
+ + 'kth6oCivA64trWo8tFMvPYlUA1FYVD5WpN0kCK+P5pD4KHlaDsXhuhClJzp/OP8t\n'
+ + 'pOyUr5109RHLxqoKB5J5m1XA7rgcFjnMxwBSWFe3/4uMk/+4T53YfCVXuc6QV3i7\n'
+ + 'I/2LAJwFf//pTtt6fZenYfCsahnr2nvrNRNyAxcfvGZ/4Opn/mJtR6R/AjvQZHiR\n'
+ + 'bkRNKF2GW0ueK5W4FkZVZVhhX9xh1Aj2Ollb+lbOqADaVj+AT3PoJPZ3MPQHKCXm\n'
+ + 'xwG0LOLlRr/TfD6li1AfOVTAJXv9\n'
+ + '-----END CERTIFICATE-----\n',
+
+ /**
+ * Amazon RDS ap-southeast-2 certificate CA 2015 to 2020
+ *
+ * CN = Amazon RDS ap-southeast-2 CA
+ * OU = Amazon RDS
+ * O = Amazon Web Services, Inc.
+ * L = Seattle
+ * ST = Washington
+ * C = US
+ * P = 2015-02-05T22:03:24Z/2020-03-05T22:03:24Z
+ * F = 20:D9:A8:82:23:AB:B9:E5:C5:24:10:D3:4D:0F:3D:B1:31:DF:E5:14
+ */
+ '-----BEGIN CERTIFICATE-----\n'
+ + 'MIIEATCCAumgAwIBAgIBRjANBgkqhkiG9w0BAQUFADCBijELMAkGA1UEBhMCVVMx\n'
+ + 'EzARBgNVBAgMCldhc2hpbmd0b24xEDAOBgNVBAcMB1NlYXR0bGUxIjAgBgNVBAoM\n'
+ + 'GUFtYXpvbiBXZWIgU2VydmljZXMsIEluYy4xEzARBgNVBAsMCkFtYXpvbiBSRFMx\n'
+ + 'GzAZBgNVBAMMEkFtYXpvbiBSRFMgUm9vdCBDQTAeFw0xNTAyMDUyMjAzMjRaFw0y\n'
+ + 'MDAzMDUyMjAzMjRaMIGUMQswCQYDVQQGEwJVUzETMBEGA1UECAwKV2FzaGluZ3Rv\n'
+ + 'bjEQMA4GA1UEBwwHU2VhdHRsZTEiMCAGA1UECgwZQW1hem9uIFdlYiBTZXJ2aWNl\n'
+ + 'cywgSW5jLjETMBEGA1UECwwKQW1hem9uIFJEUzElMCMGA1UEAwwcQW1hem9uIFJE\n'
+ + 'UyBhcC1zb3V0aGVhc3QtMiBDQTCCASIwDQYJKoZIhvcNAQEBBQADggEPADCCAQoC\n'
+ + 'ggEBAJqBAJutz69hFOh3BtLHZTbwE8eejGGKayn9hu98YMDPzWzGXWCmW+ZYWELA\n'
+ + 'cY3cNWNF8K4FqKXFr2ssorBYim1UtYFX8yhydT2hMD5zgQ2sCGUpuidijuPA6zaq\n'
+ + 'Z3tdhVR94f0q8mpwpv2zqR9PcqaGDx2VR1x773FupRPRo7mEW1vC3IptHCQlP/zE\n'
+ + '7jQiLl28bDIH2567xg7e7E9WnZToRnhlYdTaDaJsHTzi5mwILi4cihSok7Shv/ME\n'
+ + 'hnukvxeSPUpaVtFaBhfBqq055ePq9I+Ns4KGreTKMhU0O9fkkaBaBmPaFgmeX/XO\n'
+ + 'n2AX7gMouo3mtv34iDTZ0h6YCGkCAwEAAaNmMGQwDgYDVR0PAQH/BAQDAgEGMBIG\n'
+ + 'A1UdEwEB/wQIMAYBAf8CAQAwHQYDVR0OBBYEFIlQnY0KHYWn1jYumSdJYfwj/Nfw\n'
+ + 'MB8GA1UdIwQYMBaAFE4C7qw+9hXITO0s9QXBj5yECEmDMA0GCSqGSIb3DQEBBQUA\n'
+ + 'A4IBAQA0wVU6/l41cTzHc4azc4CDYY2Wd90DFWiH9C/mw0SgToYfCJ/5Cfi0NT/Y\n'
+ + 'PRnk3GchychCJgoPA/k9d0//IhYEAIiIDjyFVgjbTkKV3sh4RbdldKVOUB9kumz/\n'
+ + 'ZpShplsGt3z4QQiVnKfrAgqxWDjR0I0pQKkxXa6Sjkicos9LQxVtJ0XA4ieG1E7z\n'
+ + 'zJr+6t80wmzxvkInSaWP3xNJK9azVRTrgQZQlvkbpDbExl4mNTG66VD3bAp6t3Wa\n'
+ + 'B49//uDdfZmPkqqbX+hsxp160OH0rxJppwO3Bh869PkDnaPEd/Pxw7PawC+li0gi\n'
+ + 'NRV8iCEx85aFxcyOhqn0WZOasxee\n'
+ + '-----END CERTIFICATE-----\n',
+
+ /**
+ * Amazon RDS eu-central-1 certificate CA 2015 to 2020
+ *
+ * CN = Amazon RDS eu-central-1 CA
+ * OU = Amazon RDS
+ * O = Amazon Web Services, Inc.
+ * L = Seattle
+ * ST = Washington
+ * C = US
+ * P = 2015-02-05T22:03:31Z/2020-03-05T22:03:31Z
+ * F = 94:B4:DF:B9:6D:7E:F7:C3:B7:BF:51:E9:A6:B7:44:A0:D0:82:11:84
+ */
+ '-----BEGIN CERTIFICATE-----\n'
+ + 'MIID/zCCAuegAwIBAgIBRzANBgkqhkiG9w0BAQUFADCBijELMAkGA1UEBhMCVVMx\n'
+ + 'EzARBgNVBAgMCldhc2hpbmd0b24xEDAOBgNVBAcMB1NlYXR0bGUxIjAgBgNVBAoM\n'
+ + 'GUFtYXpvbiBXZWIgU2VydmljZXMsIEluYy4xEzARBgNVBAsMCkFtYXpvbiBSRFMx\n'
+ + 'GzAZBgNVBAMMEkFtYXpvbiBSRFMgUm9vdCBDQTAeFw0xNTAyMDUyMjAzMzFaFw0y\n'
+ + 'MDAzMDUyMjAzMzFaMIGSMQswCQYDVQQGEwJVUzETMBEGA1UECAwKV2FzaGluZ3Rv\n'
+ + 'bjEQMA4GA1UEBwwHU2VhdHRsZTEiMCAGA1UECgwZQW1hem9uIFdlYiBTZXJ2aWNl\n'
+ + 'cywgSW5jLjETMBEGA1UECwwKQW1hem9uIFJEUzEjMCEGA1UEAwwaQW1hem9uIFJE\n'
+ + 'UyBldS1jZW50cmFsLTEgQ0EwggEiMA0GCSqGSIb3DQEBAQUAA4IBDwAwggEKAoIB\n'
+ + 'AQDFtP2dhSLuaPOI4ZrrPWsK4OY9ocQBp3yApH1KJYmI9wpQKZG/KCH2E6Oo7JAw\n'
+ + 'QORU519r033T+FO2Z7pFPlmz1yrxGXyHpJs8ySx3Yo5S8ncDCdZJCLmtPiq/hahg\n'
+ + '5/0ffexMFUCQaYicFZsrJ/cStdxUV+tSw2JQLD7UxS9J97LQWUPyyG+ZrjYVTVq+\n'
+ + 'zudnFmNSe4QoecXMhAFTGJFQXxP7nhSL9Ao5FGgdXy7/JWeWdQIAj8ku6cBDKPa6\n'
+ + 'Y6kP+ak+In+Lye8z9qsCD/afUozfWjPR2aA4JoIZVF8dNRShIMo8l0XfgfM2q0+n\n'
+ + 'ApZWZ+BjhIO5XuoUgHS3D2YFAgMBAAGjZjBkMA4GA1UdDwEB/wQEAwIBBjASBgNV\n'
+ + 'HRMBAf8ECDAGAQH/AgEAMB0GA1UdDgQWBBRm4GsWIA/M6q+tK8WGHWDGh2gcyTAf\n'
+ + 'BgNVHSMEGDAWgBROAu6sPvYVyEztLPUFwY+chAhJgzANBgkqhkiG9w0BAQUFAAOC\n'
+ + 'AQEAHpMmeVQNqcxgfQdbDIi5UIy+E7zZykmtAygN1XQrvga9nXTis4kOTN6g5/+g\n'
+ + 'HCx7jIXeNJzAbvg8XFqBN84Quqgpl/tQkbpco9Jh1HDs558D5NnZQxNqH5qXQ3Mm\n'
+ + 'uPgCw0pYcPOa7bhs07i+MdVwPBsX27CFDtsgAIru8HvKxY1oTZrWnyIRo93tt/pk\n'
+ + 'WuItVMVHjaQZVfTCow0aDUbte6Vlw82KjUFq+n2NMSCJDiDKsDDHT6BJc4AJHIq3\n'
+ + '/4Z52MSC9KMr0yAaaoWfW/yMEj9LliQauAgwVjArF4q78rxpfKTG9Rfd8U1BZANP\n'
+ + '7FrFMN0ThjfA1IvmOYcgskY5bQ==\n'
+ + '-----END CERTIFICATE-----\n',
+
+ /**
+ * Amazon RDS eu-west-1 certificate CA 2015 to 2020
+ *
+ * CN = Amazon RDS eu-west-1 CA
+ * OU = Amazon RDS
+ * O = Amazon Web Services, Inc.
+ * L = Seattle
+ * ST = Washington
+ * C = US
+ * P = 2015-02-05T22:03:35Z/2020-03-05T22:03:35Z
+ * F = 1A:95:F0:43:82:D2:5D:A6:AD:F5:13:27:0B:40:8A:72:D9:92:F3:E0
+ */
+ '-----BEGIN CERTIFICATE-----\n'
+ + 'MIID/DCCAuSgAwIBAgIBSDANBgkqhkiG9w0BAQUFADCBijELMAkGA1UEBhMCVVMx\n'
+ + 'EzARBgNVBAgMCldhc2hpbmd0b24xEDAOBgNVBAcMB1NlYXR0bGUxIjAgBgNVBAoM\n'
+ + 'GUFtYXpvbiBXZWIgU2VydmljZXMsIEluYy4xEzARBgNVBAsMCkFtYXpvbiBSRFMx\n'
+ + 'GzAZBgNVBAMMEkFtYXpvbiBSRFMgUm9vdCBDQTAeFw0xNTAyMDUyMjAzMzVaFw0y\n'
+ + 'MDAzMDUyMjAzMzVaMIGPMQswCQYDVQQGEwJVUzETMBEGA1UECAwKV2FzaGluZ3Rv\n'
+ + 'bjEQMA4GA1UEBwwHU2VhdHRsZTEiMCAGA1UECgwZQW1hem9uIFdlYiBTZXJ2aWNl\n'
+ + 'cywgSW5jLjETMBEGA1UECwwKQW1hem9uIFJEUzEgMB4GA1UEAwwXQW1hem9uIFJE\n'
+ + 'UyBldS13ZXN0LTEgQ0EwggEiMA0GCSqGSIb3DQEBAQUAA4IBDwAwggEKAoIBAQCx\n'
+ + 'PdbqQ0HKRj79Pmocxvjc+P6i4Ux24kgFIl+ckiir1vzkmesc3a58gjrMlCksEObt\n'
+ + 'Yihs5IhzEq1ePT0gbfS9GYFp34Uj/MtPwlrfCBWG4d2TcrsKRHr1/EXUYhWqmdrb\n'
+ + 'RhX8XqoRhVkbF/auzFSBhTzcGGvZpQ2KIaxRcQfcXlMVhj/pxxAjh8U4F350Fb0h\n'
+ + 'nX1jw4/KvEreBL0Xb2lnlGTkwVxaKGSgXEnOgIyOFdOQc61vdome0+eeZsP4jqeR\n'
+ + 'TGYJA9izJsRbe2YJxHuazD+548hsPlM3vFzKKEVURCha466rAaYAHy3rKur3HYQx\n'
+ + 'Yt+SoKcEz9PXuSGj96ejAgMBAAGjZjBkMA4GA1UdDwEB/wQEAwIBBjASBgNVHRMB\n'
+ + 'Af8ECDAGAQH/AgEAMB0GA1UdDgQWBBTebg//h2oeXbZjQ4uuoiuLYzuiPDAfBgNV\n'
+ + 'HSMEGDAWgBROAu6sPvYVyEztLPUFwY+chAhJgzANBgkqhkiG9w0BAQUFAAOCAQEA\n'
+ + 'TikPaGeZasTPw+4RBemlsyPAjtFFQLo7ddaFdORLgdEysVf8aBqndvbA6MT/v4lj\n'
+ + 'GtEtUdF59ZcbWOrVm+fBZ2h/jYJ59dYF/xzb09nyRbdMSzB9+mkSsnOMqluq5y8o\n'
+ + 'DY/PfP2vGhEg/2ZncRC7nlQU1Dm8F4lFWEiQ2fi7O1cW852Vmbq61RIfcYsH/9Ma\n'
+ + 'kpgk10VZ75b8m3UhmpZ/2uRY+JEHImH5WpcTJ7wNiPNJsciZMznGtrgOnPzYco8L\n'
+ + 'cDleOASIZifNMQi9PKOJKvi0ITz0B/imr8KBsW0YjZVJ54HMa7W1lwugSM7aMAs+\n'
+ + 'E3Sd5lS+SHwWaOCHwhOEVA==\n'
+ + '-----END CERTIFICATE-----\n',
+
+ /**
+ * Amazon RDS sa-east-1 certificate CA 2015 to 2020
+ *
+ * CN = Amazon RDS sa-east-1 CA
+ * OU = Amazon RDS
+ * O = Amazon Web Services, Inc.
+ * L = Seattle
+ * ST = Washington
+ * C = US
+ * P = 2015-02-05T22:03:40Z/2020-03-05T22:03:40Z
+ * F = 32:10:3D:FA:6D:42:F5:35:98:40:15:F4:4C:74:74:27:CB:CE:D4:B5
+ */
+ '-----BEGIN CERTIFICATE-----\n'
+ + 'MIID/DCCAuSgAwIBAgIBSTANBgkqhkiG9w0BAQUFADCBijELMAkGA1UEBhMCVVMx\n'
+ + 'EzARBgNVBAgMCldhc2hpbmd0b24xEDAOBgNVBAcMB1NlYXR0bGUxIjAgBgNVBAoM\n'
+ + 'GUFtYXpvbiBXZWIgU2VydmljZXMsIEluYy4xEzARBgNVBAsMCkFtYXpvbiBSRFMx\n'
+ + 'GzAZBgNVBAMMEkFtYXpvbiBSRFMgUm9vdCBDQTAeFw0xNTAyMDUyMjAzNDBaFw0y\n'
+ + 'MDAzMDUyMjAzNDBaMIGPMQswCQYDVQQGEwJVUzETMBEGA1UECAwKV2FzaGluZ3Rv\n'
+ + 'bjEQMA4GA1UEBwwHU2VhdHRsZTEiMCAGA1UECgwZQW1hem9uIFdlYiBTZXJ2aWNl\n'
+ + 'cywgSW5jLjETMBEGA1UECwwKQW1hem9uIFJEUzEgMB4GA1UEAwwXQW1hem9uIFJE\n'
+ + 'UyBzYS1lYXN0LTEgQ0EwggEiMA0GCSqGSIb3DQEBAQUAA4IBDwAwggEKAoIBAQCU\n'
+ + 'X4OBnQ5xA6TLJAiFEI6l7bUWjoVJBa/VbMdCCSs2i2dOKmqUaXu2ix2zcPILj3lZ\n'
+ + 'GMk3d/2zvTK/cKhcFrewHUBamTeVHdEmynhMQamqNmkM4ptYzFcvEUw1TGxHT4pV\n'
+ + 'Q6gSN7+/AJewQvyHexHo8D0+LDN0/Wa9mRm4ixCYH2CyYYJNKaZt9+EZfNu+PPS4\n'
+ + '8iB0TWH0DgQkbWMBfCRgolLLitAZklZ4dvdlEBS7evN1/7ttBxUK6SvkeeSx3zBl\n'
+ + 'ww3BlXqc3bvTQL0A+RRysaVyFbvtp9domFaDKZCpMmDFAN/ntx215xmQdrSt+K3F\n'
+ + 'cXdGQYHx5q410CAclGnbAgMBAAGjZjBkMA4GA1UdDwEB/wQEAwIBBjASBgNVHRMB\n'
+ + 'Af8ECDAGAQH/AgEAMB0GA1UdDgQWBBT6iVWnm/uakS+tEX2mzIfw+8JL0zAfBgNV\n'
+ + 'HSMEGDAWgBROAu6sPvYVyEztLPUFwY+chAhJgzANBgkqhkiG9w0BAQUFAAOCAQEA\n'
+ + 'FmDD+QuDklXn2EgShwQxV13+txPRuVdOSrutHhoCgMwFWCMtPPtBAKs6KPY7Guvw\n'
+ + 'DpJoZSehDiOfsgMirjOWjvfkeWSNvKfjWTVneX7pZD9W5WPnsDBvTbCGezm+v87z\n'
+ + 'b+ZM2ZMo98m/wkMcIEAgdSKilR2fuw8rLkAjhYFfs0A7tDgZ9noKwgHvoE4dsrI0\n'
+ + 'KZYco6DlP/brASfHTPa2puBLN9McK3v+h0JaSqqm5Ro2Bh56tZkQh8AWy/miuDuK\n'
+ + '3+hNEVdxosxlkM1TPa1DGj0EzzK0yoeerXuH2HX7LlCrrxf6/wdKnjR12PMrLQ4A\n'
+ + 'pCqkcWw894z6bV9MAvKe6A==\n'
+ + '-----END CERTIFICATE-----\n',
+
+ /**
+ * Amazon RDS us-east-1 certificate CA 2015 to 2020
+ *
+ * CN = Amazon RDS us-east-1 CA
+ * OU = Amazon RDS
+ * O = Amazon Web Services, Inc.
+ * L = Seattle
+ * ST = Washington
+ * C = US
+ * P = 2015-02-05T21:54:04Z/2020-03-05T21:54:04Z
+ * F = 34:47:8A:90:8A:83:AE:45:DC:B6:16:76:D2:35:EC:E9:75:C6:2C:63
+ */
+ '-----BEGIN CERTIFICATE-----\n'
+ + 'MIID/DCCAuSgAwIBAgIBQzANBgkqhkiG9w0BAQUFADCBijELMAkGA1UEBhMCVVMx\n'
+ + 'EzARBgNVBAgMCldhc2hpbmd0b24xEDAOBgNVBAcMB1NlYXR0bGUxIjAgBgNVBAoM\n'
+ + 'GUFtYXpvbiBXZWIgU2VydmljZXMsIEluYy4xEzARBgNVBAsMCkFtYXpvbiBSRFMx\n'
+ + 'GzAZBgNVBAMMEkFtYXpvbiBSRFMgUm9vdCBDQTAeFw0xNTAyMDUyMTU0MDRaFw0y\n'
+ + 'MDAzMDUyMTU0MDRaMIGPMQswCQYDVQQGEwJVUzETMBEGA1UECAwKV2FzaGluZ3Rv\n'
+ + 'bjEQMA4GA1UEBwwHU2VhdHRsZTEiMCAGA1UECgwZQW1hem9uIFdlYiBTZXJ2aWNl\n'
+ + 'cywgSW5jLjETMBEGA1UECwwKQW1hem9uIFJEUzEgMB4GA1UEAwwXQW1hem9uIFJE\n'
+ + 'UyB1cy1lYXN0LTEgQ0EwggEiMA0GCSqGSIb3DQEBAQUAA4IBDwAwggEKAoIBAQDI\n'
+ + 'UIuwh8NusKHk1SqPXcP7OqxY3S/M2ZyQWD3w7Bfihpyyy/fc1w0/suIpX3kbMhAV\n'
+ + '2ESwged2/2zSx4pVnjp/493r4luhSqQYzru78TuPt9bhJIJ51WXunZW2SWkisSaf\n'
+ + 'USYUzVN9ezR/bjXTumSUQaLIouJt3OHLX49s+3NAbUyOI8EdvgBQWD68H1epsC0n\n'
+ + 'CI5s+pIktyOZ59c4DCDLQcXErQ+tNbDC++oct1ANd/q8p9URonYwGCGOBy7sbCYq\n'
+ + '9eVHh1Iy2M+SNXddVOGw5EuruvHoCIQyOz5Lz4zSuZA9dRbrfztNOpezCNYu6NKM\n'
+ + 'n+hzcvdiyxv77uNm8EaxAgMBAAGjZjBkMA4GA1UdDwEB/wQEAwIBBjASBgNVHRMB\n'
+ + 'Af8ECDAGAQH/AgEAMB0GA1UdDgQWBBQSQG3TmMe6Sa3KufaPBa72v4QFDzAfBgNV\n'
+ + 'HSMEGDAWgBROAu6sPvYVyEztLPUFwY+chAhJgzANBgkqhkiG9w0BAQUFAAOCAQEA\n'
+ + 'L/mOZfB3187xTmjOHMqN2G2oSKHBKiQLM9uv8+97qT+XR+TVsBT6b3yoPpMAGhHA\n'
+ + 'Pc7nxAF5gPpuzatx0OTLPcmYucFmfqT/1qA5WlgCnMNtczyNMH97lKFTNV7Njtek\n'
+ + 'jWEzAEQSyEWrkNpNlC4j6kMYyPzVXQeXUeZTgJ9FNnVZqmvfjip2N22tawMjrCn5\n'
+ + '7KN/zN65EwY2oO9XsaTwwWmBu3NrDdMbzJnbxoWcFWj4RBwanR1XjQOVNhDwmCOl\n'
+ + '/1Et13b8CPyj69PC8BOVU6cfTSx8WUVy0qvYOKHNY9Bqa5BDnIL3IVmUkeTlM1mt\n'
+ + 'enRpyBj+Bk9rh/ICdiRKmA==\n'
+ + '-----END CERTIFICATE-----\n',
+
+ /**
+ * Amazon RDS us-west-1 certificate CA 2015 to 2020
+ *
+ * CN = Amazon RDS us-west-1 CA
+ * OU = Amazon RDS
+ * O = Amazon Web Services, Inc.
+ * L = Seattle
+ * ST = Washington
+ * C = US
+ * P = 2015-02-05T22:03:45Z/2020-03-05T22:03:45Z
+ * F = EF:94:2F:E3:58:0E:09:D6:79:C2:16:97:91:FB:37:EA:D7:70:A8:4B
+ */
+ '-----BEGIN CERTIFICATE-----\n'
+ + 'MIID/DCCAuSgAwIBAgIBSjANBgkqhkiG9w0BAQUFADCBijELMAkGA1UEBhMCVVMx\n'
+ + 'EzARBgNVBAgMCldhc2hpbmd0b24xEDAOBgNVBAcMB1NlYXR0bGUxIjAgBgNVBAoM\n'
+ + 'GUFtYXpvbiBXZWIgU2VydmljZXMsIEluYy4xEzARBgNVBAsMCkFtYXpvbiBSRFMx\n'
+ + 'GzAZBgNVBAMMEkFtYXpvbiBSRFMgUm9vdCBDQTAeFw0xNTAyMDUyMjAzNDVaFw0y\n'
+ + 'MDAzMDUyMjAzNDVaMIGPMQswCQYDVQQGEwJVUzETMBEGA1UECAwKV2FzaGluZ3Rv\n'
+ + 'bjEQMA4GA1UEBwwHU2VhdHRsZTEiMCAGA1UECgwZQW1hem9uIFdlYiBTZXJ2aWNl\n'
+ + 'cywgSW5jLjETMBEGA1UECwwKQW1hem9uIFJEUzEgMB4GA1UEAwwXQW1hem9uIFJE\n'
+ + 'UyB1cy13ZXN0LTEgQ0EwggEiMA0GCSqGSIb3DQEBAQUAA4IBDwAwggEKAoIBAQDE\n'
+ + 'Dhw+uw/ycaiIhhyu2pXFRimq0DlB8cNtIe8hdqndH8TV/TFrljNgR8QdzOgZtZ9C\n'
+ + 'zzQ2GRpInN/qJF6slEd6wO+6TaDBQkPY+07TXNt52POFUhdVkhJXHpE2BS7Xn6J7\n'
+ + '7RFAOeG1IZmc2DDt+sR1BgXzUqHslQGfFYNS0/MBO4P+ya6W7IhruB1qfa4HiYQS\n'
+ + 'dbe4MvGWnv0UzwAqdR7OF8+8/5c58YXZIXCO9riYF2ql6KNSL5cyDPcYK5VK0+Q9\n'
+ + 'VI6vuJHSMYcF7wLePw8jtBktqAFE/wbdZiIHhZvNyiNWPPNTGUmQbaJ+TzQEHDs5\n'
+ + '8en+/W7JKnPyBOkxxENbAgMBAAGjZjBkMA4GA1UdDwEB/wQEAwIBBjASBgNVHRMB\n'
+ + 'Af8ECDAGAQH/AgEAMB0GA1UdDgQWBBS0nw/tFR9bCjgqWTPJkyy4oOD8bzAfBgNV\n'
+ + 'HSMEGDAWgBROAu6sPvYVyEztLPUFwY+chAhJgzANBgkqhkiG9w0BAQUFAAOCAQEA\n'
+ + 'CXGAY3feAak6lHdqj6+YWjy6yyUnLK37bRxZDsyDVXrPRQaXRzPTzx79jvDwEb/H\n'
+ + 'Q/bdQ7zQRWqJcbivQlwhuPJ4kWPUZgSt3JUUuqkMsDzsvj/bwIjlrEFDOdHGh0mi\n'
+ + 'eVIngFEjUXjMh+5aHPEF9BlQnB8LfVtKj18e15UDTXFa+xJPFxUR7wDzCfo4WI1m\n'
+ + 'sUMG4q1FkGAZgsoyFPZfF8IVvgCuGdR8z30VWKklFxttlK0eGLlPAyIO0CQxPQlo\n'
+ + 'saNJrHf4tLOgZIWk+LpDhNd9Et5EzvJ3aURUsKY4pISPPF5WdvM9OE59bERwUErd\n'
+ + 'nuOuQWQeeadMceZnauRzJQ==\n'
+ + '-----END CERTIFICATE-----\n',
+
+ /**
+ * Amazon RDS us-west-2 certificate CA 2015 to 2020
+ *
+ * CN = Amazon RDS us-west-2 CA
+ * OU = Amazon RDS
+ * O = Amazon Web Services, Inc.
+ * L = Seattle
+ * ST = Washington
+ * C = US
+ * P = 2015-02-05T22:03:50Z/2020-03-05T22:03:50Z
+ * F = 94:2C:A8:B0:23:48:17:F0:CD:2F:19:7F:C1:E0:21:7C:65:79:13:3A
+ */
+ '-----BEGIN CERTIFICATE-----\n'
+ + 'MIID/DCCAuSgAwIBAgIBSzANBgkqhkiG9w0BAQUFADCBijELMAkGA1UEBhMCVVMx\n'
+ + 'EzARBgNVBAgMCldhc2hpbmd0b24xEDAOBgNVBAcMB1NlYXR0bGUxIjAgBgNVBAoM\n'
+ + 'GUFtYXpvbiBXZWIgU2VydmljZXMsIEluYy4xEzARBgNVBAsMCkFtYXpvbiBSRFMx\n'
+ + 'GzAZBgNVBAMMEkFtYXpvbiBSRFMgUm9vdCBDQTAeFw0xNTAyMDUyMjAzNTBaFw0y\n'
+ + 'MDAzMDUyMjAzNTBaMIGPMQswCQYDVQQGEwJVUzETMBEGA1UECAwKV2FzaGluZ3Rv\n'
+ + 'bjEQMA4GA1UEBwwHU2VhdHRsZTEiMCAGA1UECgwZQW1hem9uIFdlYiBTZXJ2aWNl\n'
+ + 'cywgSW5jLjETMBEGA1UECwwKQW1hem9uIFJEUzEgMB4GA1UEAwwXQW1hem9uIFJE\n'
+ + 'UyB1cy13ZXN0LTIgQ0EwggEiMA0GCSqGSIb3DQEBAQUAA4IBDwAwggEKAoIBAQDM\n'
+ + 'H58SR48U6jyERC1vYTnub34smf5EQVXyzaTmspWGWGzT31NLNZGSDFaa7yef9kdO\n'
+ + 'mzJsgebR5tXq6LdwlIoWkKYQ7ycUaadtVKVYdI40QcI3cHn0qLFlg2iBXmWp/B+i\n'
+ + 'Z34VuVlCh31Uj5WmhaBoz8t/GRqh1V/aCsf3Wc6jCezH3QfuCjBpzxdOOHN6Ie2v\n'
+ + 'xX09O5qmZTvMoRBAvPkxdaPg/Mi7fxueWTbEVk78kuFbF1jHYw8U1BLILIAhcqlq\n'
+ + 'x4u8nl73t3O3l/soNUcIwUDK0/S+Kfqhwn9yQyPlhb4Wy3pfnZLJdkyHldktnQav\n'
+ + '9TB9u7KH5Lk0aAYslMLxAgMBAAGjZjBkMA4GA1UdDwEB/wQEAwIBBjASBgNVHRMB\n'
+ + 'Af8ECDAGAQH/AgEAMB0GA1UdDgQWBBT8roM4lRnlFHWMPWRz0zkwFZog1jAfBgNV\n'
+ + 'HSMEGDAWgBROAu6sPvYVyEztLPUFwY+chAhJgzANBgkqhkiG9w0BAQUFAAOCAQEA\n'
+ + 'JwrxwgwmPtcdaU7O7WDdYa4hprpOMamI49NDzmE0s10oGrqmLwZygcWU0jT+fJ+Y\n'
+ + 'pJe1w0CVfKaeLYNsOBVW3X4ZPmffYfWBheZiaiEflq/P6t7/Eg81gaKYnZ/x1Dfa\n'
+ + 'sUYkzPvCkXe9wEz5zdUTOCptDt89rBR9CstL9vE7WYUgiVVmBJffWbHQLtfjv6OF\n'
+ + 'NMb0QME981kGRzc2WhgP71YS2hHd1kXtsoYP1yTu4vThSKsoN4bkiHsaC1cRkLoy\n'
+ + '0fFA4wpB3WloMEvCDaUvvH1LZlBXTNlwi9KtcwD4tDxkkBt4tQczKLGpQ/nF/W9n\n'
+ + '8YDWk3IIc1sd0bkZqoau2Q==\n'
+ + '-----END CERTIFICATE-----\n',
+
+ /**
+ * Amazon RDS ap-south-1 certificate CA 2016 to 2020
+ *
+ * CN = Amazon RDS ap-south-1 CA
+ * OU = Amazon RDS
+ * O = Amazon Web Services, Inc.
+ * L = Seattle
+ * ST = Washington
+ * C = US
+ * P = 2016-05-03T21:29:22Z/2020-03-05T21:29:22Z
+ * F = F3:A3:C2:52:D9:82:20:AC:8C:62:31:2A:8C:AD:5D:7B:1C:31:F1:DD
+ */
+ '-----BEGIN CERTIFICATE-----\n'
+ + 'MIID/TCCAuWgAwIBAgIBTTANBgkqhkiG9w0BAQsFADCBijELMAkGA1UEBhMCVVMx\n'
+ + 'EzARBgNVBAgMCldhc2hpbmd0b24xEDAOBgNVBAcMB1NlYXR0bGUxIjAgBgNVBAoM\n'
+ + 'GUFtYXpvbiBXZWIgU2VydmljZXMsIEluYy4xEzARBgNVBAsMCkFtYXpvbiBSRFMx\n'
+ + 'GzAZBgNVBAMMEkFtYXpvbiBSRFMgUm9vdCBDQTAeFw0xNjA1MDMyMTI5MjJaFw0y\n'
+ + 'MDAzMDUyMTI5MjJaMIGQMQswCQYDVQQGEwJVUzETMBEGA1UECAwKV2FzaGluZ3Rv\n'
+ + 'bjEQMA4GA1UEBwwHU2VhdHRsZTEiMCAGA1UECgwZQW1hem9uIFdlYiBTZXJ2aWNl\n'
+ + 'cywgSW5jLjETMBEGA1UECwwKQW1hem9uIFJEUzEhMB8GA1UEAwwYQW1hem9uIFJE\n'
+ + 'UyBhcC1zb3V0aC0xIENBMIIBIjANBgkqhkiG9w0BAQEFAAOCAQ8AMIIBCgKCAQEA\n'
+ + '06eWGLE0TeqL9kyWOLkS8q0fXO97z+xyBV3DKSB2lg2GkgBz3B98MkmkeB0SZy3G\n'
+ + 'Ce4uCpCPbFKiFEdiUclOlhZsrBuCeaimxLM3Ig2wuenElO/7TqgaYHYUbT3d+VQW\n'
+ + 'GUbLn5GRZJZe1OAClYdOWm7A1CKpuo+cVV1vxbY2nGUQSJPpVn2sT9gnwvjdE60U\n'
+ + 'JGYU/RLCTm8zmZBvlWaNIeKDnreIc4rKn6gUnJ2cQn1ryCVleEeyc3xjYDSrjgdn\n'
+ + 'FLYGcp9mphqVT0byeQMOk0c7RHpxrCSA0V5V6/CreFV2LteK50qcDQzDSM18vWP/\n'
+ + 'p09FoN8O7QrtOeZJzH/lmwIDAQABo2YwZDAOBgNVHQ8BAf8EBAMCAQYwEgYDVR0T\n'
+ + 'AQH/BAgwBgEB/wIBADAdBgNVHQ4EFgQU2i83QHuEl/d0keXF+69HNJph7cMwHwYD\n'
+ + 'VR0jBBgwFoAUTgLurD72FchM7Sz1BcGPnIQISYMwDQYJKoZIhvcNAQELBQADggEB\n'
+ + 'ACqnH2VjApoDqoSQOky52QBwsGaj+xWYHW5Gm7EvCqvQuhWMkeBuD6YJmMvNyA9G\n'
+ + 'I2lh6/o+sUk/RIsbYbxPRdhNPTOgDR9zsNRw6qxaHztq/CEC+mxDCLa3O1hHBaDV\n'
+ + 'BmB3nCZb93BvO0EQSEk7aytKq/f+sjyxqOcs385gintdHGU9uM7gTZHnU9vByJsm\n'
+ + '/TL07Miq67X0NlhIoo3jAk+xHaeKJdxdKATQp0448P5cY20q4b8aMk1twcNaMvCP\n'
+ + 'dG4M5doaoUA8OQ/0ukLLae/LBxLeTw04q1/a2SyFaVUX2Twbb1S3xVWwLA8vsyGr\n'
+ + 'igXx7B5GgP+IHb6DTjPJAi0=\n'
+ + '-----END CERTIFICATE-----\n',
+
+ /**
+ * Amazon RDS us-east-2 certificate CA 2016 to 2020
+ *
+ * CN = Amazon RDS us-east-2 CA
+ * OU = Amazon RDS
+ * O = Amazon Web Services, Inc.
+ * L = Seattle
+ * ST = Washington
+ * C = US
+ * P = 2016-08-11T19:58:45Z/2020-03-05T19:58:45Z
+ * F = 9B:78:E3:64:7F:74:BC:B2:52:18:CF:13:C3:62:B8:35:9D:3D:5F:B6
+ */
+ '-----BEGIN CERTIFICATE-----\n'
+ + 'MIID/DCCAuSgAwIBAgIBTjANBgkqhkiG9w0BAQsFADCBijELMAkGA1UEBhMCVVMx\n'
+ + 'EzARBgNVBAgMCldhc2hpbmd0b24xEDAOBgNVBAcMB1NlYXR0bGUxIjAgBgNVBAoM\n'
+ + 'GUFtYXpvbiBXZWIgU2VydmljZXMsIEluYy4xEzARBgNVBAsMCkFtYXpvbiBSRFMx\n'
+ + 'GzAZBgNVBAMMEkFtYXpvbiBSRFMgUm9vdCBDQTAeFw0xNjA4MTExOTU4NDVaFw0y\n'
+ + 'MDAzMDUxOTU4NDVaMIGPMQswCQYDVQQGEwJVUzETMBEGA1UECAwKV2FzaGluZ3Rv\n'
+ + 'bjEQMA4GA1UEBwwHU2VhdHRsZTEiMCAGA1UECgwZQW1hem9uIFdlYiBTZXJ2aWNl\n'
+ + 'cywgSW5jLjETMBEGA1UECwwKQW1hem9uIFJEUzEgMB4GA1UEAwwXQW1hem9uIFJE\n'
+ + 'UyB1cy1lYXN0LTIgQ0EwggEiMA0GCSqGSIb3DQEBAQUAA4IBDwAwggEKAoIBAQCp\n'
+ + 'WnnUX7wM0zzstccX+4iXKJa9GR0a2PpvB1paEX4QRCgfhEdQWDaSqyrWNgdVCKkt\n'
+ + '1aQkWu5j6VAC2XIG7kKoonm1ZdBVyBLqW5lXNywlaiU9yhJkwo8BR+/OqgE+PLt/\n'
+ + 'EO1mlN0PQudja/XkExCXTO29TG2j7F/O7hox6vTyHNHc0H88zS21uPuBE+jivViS\n'
+ + 'yzj/BkyoQ85hnkues3f9R6gCGdc+J51JbZnmgzUkvXjAEuKhAm9JksVOxcOKUYe5\n'
+ + 'ERhn0U9zjzpfbAITIkul97VVa5IxskFFTHIPJbvRKHJkiF6wTJww/tc9wm+fSCJ1\n'
+ + '+DbQTGZgkQ3bJrqRN29/AgMBAAGjZjBkMA4GA1UdDwEB/wQEAwIBBjASBgNVHRMB\n'
+ + 'Af8ECDAGAQH/AgEAMB0GA1UdDgQWBBSAHQzUYYZbepwKEMvGdHp8wzHnfDAfBgNV\n'
+ + 'HSMEGDAWgBROAu6sPvYVyEztLPUFwY+chAhJgzANBgkqhkiG9w0BAQsFAAOCAQEA\n'
+ + 'MbaEzSYZ+aZeTBxf8yi0ta8K4RdwEJsEmP6IhFFQHYUtva2Cynl4Q9tZg3RMsybT\n'
+ + '9mlnSQQlbN/wqIIXbkrcgFcHoXG9Odm/bDtUwwwDaiEhXVfeQom3G77QHOWMTCGK\n'
+ + 'qadwuh5msrb17JdXZoXr4PYHDKP7j0ONfAyFNER2+uecblHfRSpVq5UeF3L6ZJb8\n'
+ + 'fSw/GtAV6an+/0r+Qm+PiI2H5XuZ4GmRJYnGMhqWhBYrY7p3jtVnKcsh39wgfUnW\n'
+ + 'AvZEZG/yhFyAZW0Essa39LiL5VSq14Y1DOj0wgnhSY/9WHxaAo1HB1T9OeZknYbD\n'
+ + 'fl/EGSZ0TEvZkENrXcPlVA==\n'
+ + '-----END CERTIFICATE-----\n',
+
+ /**
+ * Amazon RDS ca-central-1 certificate CA 2016 to 2020
+ *
+ * CN = Amazon RDS ca-central-1 CA
+ * OU = Amazon RDS
+ * O = Amazon Web Services, Inc.
+ * L = Seattle
+ * ST = Washington
+ * C = US
+ * P = 2016-09-15T00:10:11Z/2020-03-05T00:10:11Z
+ * F = D7:E0:16:AB:8A:0B:63:9F:67:1F:16:87:42:F4:0A:EE:73:A6:FC:04
+ */
+ '-----BEGIN CERTIFICATE-----\n'
+ + 'MIID/zCCAuegAwIBAgIBTzANBgkqhkiG9w0BAQsFADCBijELMAkGA1UEBhMCVVMx\n'
+ + 'EzARBgNVBAgMCldhc2hpbmd0b24xEDAOBgNVBAcMB1NlYXR0bGUxIjAgBgNVBAoM\n'
+ + 'GUFtYXpvbiBXZWIgU2VydmljZXMsIEluYy4xEzARBgNVBAsMCkFtYXpvbiBSRFMx\n'
+ + 'GzAZBgNVBAMMEkFtYXpvbiBSRFMgUm9vdCBDQTAeFw0xNjA5MTUwMDEwMTFaFw0y\n'
+ + 'MDAzMDUwMDEwMTFaMIGSMQswCQYDVQQGEwJVUzETMBEGA1UECAwKV2FzaGluZ3Rv\n'
+ + 'bjEQMA4GA1UEBwwHU2VhdHRsZTEiMCAGA1UECgwZQW1hem9uIFdlYiBTZXJ2aWNl\n'
+ + 'cywgSW5jLjETMBEGA1UECwwKQW1hem9uIFJEUzEjMCEGA1UEAwwaQW1hem9uIFJE\n'
+ + 'UyBjYS1jZW50cmFsLTEgQ0EwggEiMA0GCSqGSIb3DQEBAQUAA4IBDwAwggEKAoIB\n'
+ + 'AQCZYI/iQ6DrS3ny3t1EwX1wAD+3LMgh7Fd01EW5LIuaK2kYIIQpsVKhxLCit/V5\n'
+ + 'AGc/1qiJS1Qz9ODLTh0Na6bZW6EakRzuHJLe32KJtoFYPC7Z09UqzXrpA/XL+1hM\n'
+ + 'P0ZmCWsU7Nn/EmvfBp9zX3dZp6P6ATrvDuYaVFr+SA7aT3FXpBroqBS1fyzUPs+W\n'
+ + 'c6zTR6+yc4zkHX0XQxC5RH6xjgpeRkoOajA/sNo7AQF7KlWmKHbdVF44cvvAhRKZ\n'
+ + 'XaoVs/C4GjkaAEPTCbopYdhzg+KLx9eB2BQnYLRrIOQZtRfbQI2Nbj7p3VsRuOW1\n'
+ + 'tlcks2w1Gb0YC6w6SuIMFkl1AgMBAAGjZjBkMA4GA1UdDwEB/wQEAwIBBjASBgNV\n'
+ + 'HRMBAf8ECDAGAQH/AgEAMB0GA1UdDgQWBBToYWxE1lawl6Ks6NsvpbHQ3GKEtzAf\n'
+ + 'BgNVHSMEGDAWgBROAu6sPvYVyEztLPUFwY+chAhJgzANBgkqhkiG9w0BAQsFAAOC\n'
+ + 'AQEAG/8tQ0ooi3hoQpa5EJz0/E5VYBsAz3YxA2HoIonn0jJyG16bzB4yZt4vNQMA\n'
+ + 'KsNlQ1uwDWYL1nz63axieUUFIxqxl1KmwfhsmLgZ0Hd2mnTPIl2Hw3uj5+wdgGBg\n'
+ + 'agnAZ0bajsBYgD2VGQbqjdk2Qn7Fjy3LEWIvGZx4KyZ99OJ2QxB7JOPdauURAtWA\n'
+ + 'DKYkP4LLJxtj07DSzG8kuRWb9B47uqUD+eKDIyjfjbnzGtd9HqqzYFau7EX3HVD9\n'
+ + '9Qhnjl7bTZ6YfAEZ3nH2t3Vc0z76XfGh47rd0pNRhMV+xpok75asKf/lNh5mcUrr\n'
+ + 'VKwflyMkQpSbDCmcdJ90N2xEXQ==\n'
+ + '-----END CERTIFICATE-----\n',
+
+ /**
+ * Amazon RDS eu-west-2 certificate CA 2016 to 2020
+ *
+ * CN = Amazon RDS eu-west-2 CA
+ * OU = Amazon RDS
+ * O = Amazon Web Services, Inc.
+ * L = Seattle
+ * ST = Washington
+ * C = US
+ * P = 2016-10-10T17:44:42Z/2020-03-05T17:44:42Z
+ * F = 47:79:51:9F:FF:07:D3:F4:27:D3:AB:64:56:7F:00:45:BB:84:C1:71
+ */
+ '-----BEGIN CERTIFICATE-----\n'
+ + 'MIID/DCCAuSgAwIBAgIBUDANBgkqhkiG9w0BAQsFADCBijELMAkGA1UEBhMCVVMx\n'
+ + 'EzARBgNVBAgMCldhc2hpbmd0b24xEDAOBgNVBAcMB1NlYXR0bGUxIjAgBgNVBAoM\n'
+ + 'GUFtYXpvbiBXZWIgU2VydmljZXMsIEluYy4xEzARBgNVBAsMCkFtYXpvbiBSRFMx\n'
+ + 'GzAZBgNVBAMMEkFtYXpvbiBSRFMgUm9vdCBDQTAeFw0xNjEwMTAxNzQ0NDJaFw0y\n'
+ + 'MDAzMDUxNzQ0NDJaMIGPMQswCQYDVQQGEwJVUzETMBEGA1UECAwKV2FzaGluZ3Rv\n'
+ + 'bjEQMA4GA1UEBwwHU2VhdHRsZTEiMCAGA1UECgwZQW1hem9uIFdlYiBTZXJ2aWNl\n'
+ + 'cywgSW5jLjETMBEGA1UECwwKQW1hem9uIFJEUzEgMB4GA1UEAwwXQW1hem9uIFJE\n'
+ + 'UyBldS13ZXN0LTIgQ0EwggEiMA0GCSqGSIb3DQEBAQUAA4IBDwAwggEKAoIBAQDO\n'
+ + 'cttLJfubB4XMMIGWNfJISkIdCMGJyOzLiMJaiWB5GYoXKhEl7YGotpy0qklwW3BQ\n'
+ + 'a0fmVdcCLX+dIuVQ9iFK+ZcK7zwm7HtdDTCHOCKeOh2IcnU4c/VIokFi6Gn8udM6\n'
+ + 'N/Zi5M5OGpVwLVALQU7Yctsn3c95el6MdVx6mJiIPVu7tCVZn88Z2koBQ2gq9P4O\n'
+ + 'Sb249SHFqOb03lYDsaqy1NDsznEOhaRBw7DPJFpvmw1lA3/Y6qrExRI06H2VYR2i\n'
+ + '7qxwDV50N58fs10n7Ye1IOxTVJsgEA7X6EkRRXqYaM39Z76R894548WHfwXWjUsi\n'
+ + 'MEX0RS0/t1GmnUQjvevDAgMBAAGjZjBkMA4GA1UdDwEB/wQEAwIBBjASBgNVHRMB\n'
+ + 'Af8ECDAGAQH/AgEAMB0GA1UdDgQWBBQBxmcuRSxERYCtNnSr5xNfySokHjAfBgNV\n'
+ + 'HSMEGDAWgBROAu6sPvYVyEztLPUFwY+chAhJgzANBgkqhkiG9w0BAQsFAAOCAQEA\n'
+ + 'UyCUQjsF3nUAABjfEZmpksTuUo07aT3KGYt+EMMFdejnBQ0+2lJJFGtT+CDAk1SD\n'
+ + 'RSgfEBon5vvKEtlnTf9a3pv8WXOAkhfxnryr9FH6NiB8obISHNQNPHn0ljT2/T+I\n'
+ + 'Y6ytfRvKHa0cu3V0NXbJm2B4KEOt4QCDiFxUIX9z6eB4Kditwu05OgQh6KcogOiP\n'
+ + 'JesWxBMXXGoDC1rIYTFO7szwDyOHlCcVXJDNsTJhc32oDWYdeIbW7o/5I+aQsrXZ\n'
+ + 'C96HykZcgWzz6sElrQxUaT3IoMw/5nmw4uWKKnZnxgI9bY4fpQwMeBZ96iHfFxvH\n'
+ + 'mqfEEuC7uUoPofXdBp2ObQ==\n'
+ + '-----END CERTIFICATE-----\n',
+
+ /**
+ * Amazon RDS us-gov-west-1 CA 2017 to 2022
+ *
+ * CN = Amazon RDS us-gov-west-1 CA
+ * OU = Amazon RDS
+ * O = Amazon Web Services, Inc.
+ * L = Seattle
+ * ST = Washington
+ * C = US
+ * P = 2017-05-19T22:31:19Z/2022-05-18T12:00:00Z
+ * F = 77:55:8C:C4:5E:71:1F:1B:57:E3:DA:6E:5B:74:27:12:4E:E8:69:E8
+ */
+ '-----BEGIN CERTIFICATE-----\n'
+ + 'MIIECjCCAvKgAwIBAgICEAAwDQYJKoZIhvcNAQELBQAwgZMxCzAJBgNVBAYTAlVT\n'
+ + 'MRAwDgYDVQQHDAdTZWF0dGxlMRMwEQYDVQQIDApXYXNoaW5ndG9uMSIwIAYDVQQK\n'
+ + 'DBlBbWF6b24gV2ViIFNlcnZpY2VzLCBJbmMuMRMwEQYDVQQLDApBbWF6b24gUkRT\n'
+ + 'MSQwIgYDVQQDDBtBbWF6b24gUkRTIEdvdkNsb3VkIFJvb3QgQ0EwHhcNMTcwNTE5\n'
+ + 'MjIzMTE5WhcNMjIwNTE4MTIwMDAwWjCBkzELMAkGA1UEBhMCVVMxEzARBgNVBAgM\n'
+ + 'Cldhc2hpbmd0b24xEDAOBgNVBAcMB1NlYXR0bGUxIjAgBgNVBAoMGUFtYXpvbiBX\n'
+ + 'ZWIgU2VydmljZXMsIEluYy4xEzARBgNVBAsMCkFtYXpvbiBSRFMxJDAiBgNVBAMM\n'
+ + 'G0FtYXpvbiBSRFMgdXMtZ292LXdlc3QtMSBDQTCCASIwDQYJKoZIhvcNAQEBBQAD\n'
+ + 'ggEPADCCAQoCggEBAM8YZLKAzzOdNnoi7Klih26Zkj+OCpDfwx4ZYB6f8L8UoQi5\n'
+ + '8z9ZtIwMjiJ/kO08P1yl4gfc7YZcNFvhGruQZNat3YNpxwUpQcr4mszjuffbL4uz\n'
+ + '+/8FBxALdqCVOJ5Q0EVSfz3d9Bd1pUPL7ARtSpy7bn/tUPyQeI+lODYO906C0TQ3\n'
+ + 'b9bjOsgAdBKkHfjLdsknsOZYYIzYWOJyFJJa0B11XjDUNBy/3IuC0KvDl6At0V5b\n'
+ + '8M6cWcKhte2hgjwTYepV+/GTadeube1z5z6mWsN5arOAQUtYDLH6Aztq9mCJzLHm\n'
+ + 'RccBugnGl3fRLJ2VjioN8PoGoN9l9hFBy5fnFgsCAwEAAaNmMGQwDgYDVR0PAQH/\n'
+ + 'BAQDAgEGMBIGA1UdEwEB/wQIMAYBAf8CAQAwHQYDVR0OBBYEFEG7+br8KkvwPd5g\n'
+ + '71Rvh2stclJbMB8GA1UdIwQYMBaAFEkQz6S4NS5lOYKcDjBSuCcVpdzjMA0GCSqG\n'
+ + 'SIb3DQEBCwUAA4IBAQBMA327u5ABmhX+aPxljoIbxnydmAFWxW6wNp5+rZrvPig8\n'
+ + 'zDRqGQWWr7wWOIjfcWugSElYtf/m9KZHG/Z6+NG7nAoUrdcd1h/IQhb+lFQ2b5g9\n'
+ + 'sVzQv/H2JNkfZA8fL/Ko/Tm/f9tcqe0zrGCtT+5u0Nvz35Wl8CEUKLloS5xEb3k5\n'
+ + '7D9IhG3fsE3vHWlWrGCk1cKry3j12wdPG5cUsug0vt34u6rdhP+FsM0tHI15Kjch\n'
+ + 'RuUCvyQecy2ZFNAa3jmd5ycNdL63RWe8oayRBpQBxPPCbHfILxGZEdJbCH9aJ2D/\n'
+ + 'l8oHIDnvOLdv7/cBjyYuvmprgPtu3QEkbre5Hln/\n'
+ + '-----END CERTIFICATE-----\n',
+
+ /**
+ * Amazon RDS eu-west-3 certificate CA 2017 to 2020
+ *
+ * CN = Amazon RDS eu-west-3 CA
+ * OU = Amazon RDS
+ * O = Amazon Web Services, Inc.
+ * L = Seattle
+ * ST = Washington
+ * C = US
+ * P = 2017-08-25T21:39:26Z/2020-03-05T21:39:26Z
+ * F = FD:35:A7:84:60:68:98:00:12:54:ED:34:26:8C:66:0F:72:DD:B2:F4
+ */
+ '-----BEGIN CERTIFICATE-----\n'
+ + 'MIID/DCCAuSgAwIBAgIBUTANBgkqhkiG9w0BAQsFADCBijELMAkGA1UEBhMCVVMx\n'
+ + 'EzARBgNVBAgMCldhc2hpbmd0b24xEDAOBgNVBAcMB1NlYXR0bGUxIjAgBgNVBAoM\n'
+ + 'GUFtYXpvbiBXZWIgU2VydmljZXMsIEluYy4xEzARBgNVBAsMCkFtYXpvbiBSRFMx\n'
+ + 'GzAZBgNVBAMMEkFtYXpvbiBSRFMgUm9vdCBDQTAeFw0xNzA4MjUyMTM5MjZaFw0y\n'
+ + 'MDAzMDUyMTM5MjZaMIGPMQswCQYDVQQGEwJVUzETMBEGA1UECAwKV2FzaGluZ3Rv\n'
+ + 'bjEQMA4GA1UEBwwHU2VhdHRsZTEiMCAGA1UECgwZQW1hem9uIFdlYiBTZXJ2aWNl\n'
+ + 'cywgSW5jLjETMBEGA1UECwwKQW1hem9uIFJEUzEgMB4GA1UEAwwXQW1hem9uIFJE\n'
+ + 'UyBldS13ZXN0LTMgQ0EwggEiMA0GCSqGSIb3DQEBAQUAA4IBDwAwggEKAoIBAQC+\n'
+ + 'xmlEC/3a4cJH+UPwXCE02lC7Zq5NHd0dn6peMeLN8agb6jW4VfSY0NydjRj2DJZ8\n'
+ + 'K7wV6sub5NUGT1NuFmvSmdbNR2T59KX0p2dVvxmXHHtIpQ9Y8Aq3ZfhmC5q5Bqgw\n'
+ + 'tMA1xayDi7HmoPX3R8kk9ktAZQf6lDeksCvok8idjTu9tiSpDiMwds5BjMsWfyjZ\n'
+ + 'd13PTGGNHYVdP692BSyXzSP1Vj84nJKnciW8tAqwIiadreJt5oXyrCXi8ekUMs80\n'
+ + 'cUTuGm3aA3Q7PB5ljJMPqz0eVddaiIvmTJ9O3Ez3Du/HpImyMzXjkFaf+oNXf/Hx\n'
+ + '/EW5jCRR6vEiXJcDRDS7AgMBAAGjZjBkMA4GA1UdDwEB/wQEAwIBBjASBgNVHRMB\n'
+ + 'Af8ECDAGAQH/AgEAMB0GA1UdDgQWBBRZ9mRtS5fHk3ZKhG20Oack4cAqMTAfBgNV\n'
+ + 'HSMEGDAWgBROAu6sPvYVyEztLPUFwY+chAhJgzANBgkqhkiG9w0BAQsFAAOCAQEA\n'
+ + 'F/u/9L6ExQwD73F/bhCw7PWcwwqsK1mypIdrjdIsu0JSgwWwGCXmrIspA3n3Dqxq\n'
+ + 'sMhAJD88s9Em7337t+naar2VyLO63MGwjj+vA4mtvQRKq8ScIpiEc7xN6g8HUMsd\n'
+ + 'gPG9lBGfNjuAZsrGJflrko4HyuSM7zHExMjXLH+CXcv/m3lWOZwnIvlVMa4x0Tz0\n'
+ + 'A4fklaawryngzeEjuW6zOiYCzjZtPlP8Fw0SpzppJ8VpQfrZ751RDo4yudmPqoPK\n'
+ + '5EUe36L8U+oYBXnC5TlYs9bpVv9o5wJQI5qA9oQE2eFWxF1E0AyZ4V5sgGUBStaX\n'
+ + 'BjDDWul0wSo7rt1Tq7XpnA==\n'
+ + '-----END CERTIFICATE-----\n',
+
+ /**
+ * Amazon RDS ap-northeast-3 certificate CA 2017 to 2020
+ *
+ * CN = Amazon RDS ap-northeast-3 CA
+ * OU = Amazon RDS
+ * O = Amazon Web Services, Inc.
+ * L = Seattle
+ * ST = Washington
+ * C = US
+ * P = 2017-12-01T00:55:42Z/2020-03-05T00:55:42Z
+ * F = C0:C7:D4:B3:91:40:A0:77:43:28:BF:AF:77:57:DF:FD:98:FB:10:3F
+ */
+ '-----BEGIN CERTIFICATE-----\n'
+ + 'MIIEATCCAumgAwIBAgIBTjANBgkqhkiG9w0BAQUFADCBijELMAkGA1UEBhMCVVMx\n'
+ + 'EzARBgNVBAgMCldhc2hpbmd0b24xEDAOBgNVBAcMB1NlYXR0bGUxIjAgBgNVBAoM\n'
+ + 'GUFtYXpvbiBXZWIgU2VydmljZXMsIEluYy4xEzARBgNVBAsMCkFtYXpvbiBSRFMx\n'
+ + 'GzAZBgNVBAMMEkFtYXpvbiBSRFMgUm9vdCBDQTAeFw0xNzEyMDEwMDU1NDJaFw0y\n'
+ + 'MDAzMDUwMDU1NDJaMIGUMQswCQYDVQQGEwJVUzETMBEGA1UECAwKV2FzaGluZ3Rv\n'
+ + 'bjEQMA4GA1UEBwwHU2VhdHRsZTEiMCAGA1UECgwZQW1hem9uIFdlYiBTZXJ2aWNl\n'
+ + 'cywgSW5jLjETMBEGA1UECwwKQW1hem9uIFJEUzElMCMGA1UEAwwcQW1hem9uIFJE\n'
+ + 'UyBhcC1ub3J0aGVhc3QtMyBDQTCCASIwDQYJKoZIhvcNAQEBBQADggEPADCCAQoC\n'
+ + 'ggEBAMZtQNnm/XT19mTa10ftHLzg5UhajoI65JHv4TQNdGXdsv+CQdGYU49BJ9Eu\n'
+ + '3bYgiEtTzR2lQe9zGMvtuJobLhOWuavzp7IixoIQcHkFHN6wJ1CvqrxgvJfBq6Hy\n'
+ + 'EuCDCiU+PPDLUNA6XM6Qx3IpHd1wrJkjRB80dhmMSpxmRmx849uFafhN+P1QybsM\n'
+ + 'TI0o48VON2+vj+mNuQTyLMMP8D4odSQHjaoG+zyJfJGZeAyqQyoOUOFEyQaHC3TT\n'
+ + '3IDSNCQlpxb9LerbCoKu79WFBBq3CS5cYpg8/fsnV2CniRBFFUumBt5z4dhw9RJU\n'
+ + 'qlUXXO1ZyzpGd+c5v6FtrfXtnIUCAwEAAaNmMGQwDgYDVR0PAQH/BAQDAgEGMBIG\n'
+ + 'A1UdEwEB/wQIMAYBAf8CAQAwHQYDVR0OBBYEFETv7ELNplYy/xTeIOInl6nzeiHg\n'
+ + 'MB8GA1UdIwQYMBaAFE4C7qw+9hXITO0s9QXBj5yECEmDMA0GCSqGSIb3DQEBBQUA\n'
+ + 'A4IBAQCpKxOQcd0tEKb3OtsOY8q/MPwTyustGk2Rt7t9G68idADp8IytB7M0SDRo\n'
+ + 'wWZqynEq7orQVKdVOanhEWksNDzGp0+FPAf/KpVvdYCd7ru3+iI+V4ZEp2JFdjuZ\n'
+ + 'Zz0PIjS6AgsZqE5Ri1J+NmfmjGZCPhsHnGZiBaenX6K5VRwwwmLN6xtoqrrfR5zL\n'
+ + 'QfBeeZNJG6KiM3R/DxJ5rAa6Fz+acrhJ60L7HprhB7SFtj1RCijau3+ZwiGmUOMr\n'
+ + 'yKlMv+VgmzSw7o4Hbxy1WVrA6zQsTHHSGf+vkQn2PHvnFMUEu/ZLbTDYFNmTLK91\n'
+ + 'K6o4nMsEvhBKgo4z7H1EqqxXhvN2\n'
+ + '-----END CERTIFICATE-----\n',
+
+ /**
+ * Amazon RDS GovCloud Root CA 2017 to 2022
+ *
+ * CN = Amazon RDS GovCloud Root CA
+ * OU = Amazon RDS
+ * O = Amazon Web Services, Inc.
+ * L = Seattle
+ * ST = Washington
+ * C = US
+ * P = 2017-05-19T22:29:11Z/2022-05-18T22:29:11Z
+ * F = A3:61:F9:C9:A2:5B:91:FE:73:A6:52:E3:59:14:8E:CE:35:12:0F:FD
+ */
+ '-----BEGIN CERTIFICATE-----\n'
+ + 'MIIEDjCCAvagAwIBAgIJAMM61RQn3/kdMA0GCSqGSIb3DQEBCwUAMIGTMQswCQYD\n'
+ + 'VQQGEwJVUzEQMA4GA1UEBwwHU2VhdHRsZTETMBEGA1UECAwKV2FzaGluZ3RvbjEi\n'
+ + 'MCAGA1UECgwZQW1hem9uIFdlYiBTZXJ2aWNlcywgSW5jLjETMBEGA1UECwwKQW1h\n'
+ + 'em9uIFJEUzEkMCIGA1UEAwwbQW1hem9uIFJEUyBHb3ZDbG91ZCBSb290IENBMB4X\n'
+ + 'DTE3MDUxOTIyMjkxMVoXDTIyMDUxODIyMjkxMVowgZMxCzAJBgNVBAYTAlVTMRAw\n'
+ + 'DgYDVQQHDAdTZWF0dGxlMRMwEQYDVQQIDApXYXNoaW5ndG9uMSIwIAYDVQQKDBlB\n'
+ + 'bWF6b24gV2ViIFNlcnZpY2VzLCBJbmMuMRMwEQYDVQQLDApBbWF6b24gUkRTMSQw\n'
+ + 'IgYDVQQDDBtBbWF6b24gUkRTIEdvdkNsb3VkIFJvb3QgQ0EwggEiMA0GCSqGSIb3\n'
+ + 'DQEBAQUAA4IBDwAwggEKAoIBAQDGS9bh1FGiJPT+GRb3C5aKypJVDC1H2gbh6n3u\n'
+ + 'j8cUiyMXfmm+ak402zdLpSYMaxiQ7oL/B3wEmumIpRDAsQrSp3B/qEeY7ipQGOfh\n'
+ + 'q2TXjXGIUjiJ/FaoGqkymHRLG+XkNNBtb7MRItsjlMVNELXECwSiMa3nJL2/YyHW\n'
+ + 'nTr1+11/weeZEKgVbCUrOugFkMXnfZIBSn40j6EnRlO2u/NFU5ksK5ak2+j8raZ7\n'
+ + 'xW7VXp9S1Tgf1IsWHjGZZZguwCkkh1tHOlHC9gVA3p63WecjrIzcrR/V27atul4m\n'
+ + 'tn56s5NwFvYPUIx1dbC8IajLUrepVm6XOwdQCfd02DmOyjWJAgMBAAGjYzBhMA4G\n'
+ + 'A1UdDwEB/wQEAwIBBjAPBgNVHRMBAf8EBTADAQH/MB0GA1UdDgQWBBRJEM+kuDUu\n'
+ + 'ZTmCnA4wUrgnFaXc4zAfBgNVHSMEGDAWgBRJEM+kuDUuZTmCnA4wUrgnFaXc4zAN\n'
+ + 'BgkqhkiG9w0BAQsFAAOCAQEAcfA7uirXsNZyI2j4AJFVtOTKOZlQwqbyNducnmlg\n'
+ + '/5nug9fAkwM4AgvF5bBOD1Hw6khdsccMwIj+1S7wpL+EYb/nSc8G0qe1p/9lZ/mZ\n'
+ + 'ff5g4JOa26lLuCrZDqAk4TzYnt6sQKfa5ZXVUUn0BK3okhiXS0i+NloMyaBCL7vk\n'
+ + 'kDwkHwEqflRKfZ9/oFTcCfoiHPA7AdBtaPVr0/Kj9L7k+ouz122huqG5KqX0Zpo8\n'
+ + 'S0IGvcd2FZjNSNPttNAK7YuBVsZ0m2nIH1SLp//00v7yAHIgytQwwB17PBcp4NXD\n'
+ + 'pCfTa27ng9mMMC2YLqWQpW4TkqjDin2ZC+5X/mbrjzTvVg==\n'
+ + '-----END CERTIFICATE-----\n',
+
+ /**
+ * Amazon RDS ap-east-1 certificate CA 2019 to 2022
+ *
+ * CN = Amazon RDS ap-east-1 CA
+ * OU = Amazon RDS
+ * O = Amazon Web Services, Inc.
+ * L = Seattle
+ * ST = Washington
+ * C = US
+ * P = 2019-02-17T02:47:00Z/2022-06-01T12:00:00Z
+ * F = BC:F8:70:75:1F:93:3F:A7:82:86:67:63:A8:86:1F:A4:E8:07:CE:06
+ */
+ '-----BEGIN CERTIFICATE-----\n'
+ + 'MIIEBzCCAu+gAwIBAgICEAAwDQYJKoZIhvcNAQELBQAwgZQxCzAJBgNVBAYTAlVT\n'
+ + 'MRAwDgYDVQQHDAdTZWF0dGxlMRMwEQYDVQQIDApXYXNoaW5ndG9uMSIwIAYDVQQK\n'
+ + 'DBlBbWF6b24gV2ViIFNlcnZpY2VzLCBJbmMuMRMwEQYDVQQLDApBbWF6b24gUkRT\n'
+ + 'MSUwIwYDVQQDDBxBbWF6b24gUkRTIGFwLWVhc3QtMSBSb290IENBMB4XDTE5MDIx\n'
+ + 'NzAyNDcwMFoXDTIyMDYwMTEyMDAwMFowgY8xCzAJBgNVBAYTAlVTMRMwEQYDVQQI\n'
+ + 'DApXYXNoaW5ndG9uMRAwDgYDVQQHDAdTZWF0dGxlMSIwIAYDVQQKDBlBbWF6b24g\n'
+ + 'V2ViIFNlcnZpY2VzLCBJbmMuMRMwEQYDVQQLDApBbWF6b24gUkRTMSAwHgYDVQQD\n'
+ + 'DBdBbWF6b24gUkRTIGFwLWVhc3QtMSBDQTCCASIwDQYJKoZIhvcNAQEBBQADggEP\n'
+ + 'ADCCAQoCggEBAOcJAUofyJuBuPr5ISHi/Ha5ed8h3eGdzn4MBp6rytPOg9NVGRQs\n'
+ + 'O93fNGCIKsUT6gPuk+1f1ncMTV8Y0Fdf4aqGWme+Khm3ZOP3V1IiGnVq0U2xiOmn\n'
+ + 'SQ4Q7LoeQC4lC6zpoCHVJyDjZ4pAknQQfsXb77Togdt/tK5ahev0D+Q3gCwAoBoO\n'
+ + 'DHKJ6t820qPi63AeGbJrsfNjLKiXlFPDUj4BGir4dUzjEeH7/hx37na1XG/3EcxP\n'
+ + '399cT5k7sY/CR9kctMlUyEEUNQOmhi/ly1Lgtihm3QfjL6K9aGLFNwX35Bkh9aL2\n'
+ + 'F058u+n8DP/dPeKUAcJKiQZUmzuen5n57x8CAwEAAaNmMGQwDgYDVR0PAQH/BAQD\n'
+ + 'AgEGMBIGA1UdEwEB/wQIMAYBAf8CAQAwHQYDVR0OBBYEFFlqgF4FQlb9yP6c+Q3E\n'
+ + 'O3tXv+zOMB8GA1UdIwQYMBaAFK9T6sY/PBZVbnHcNcQXf58P4OuPMA0GCSqGSIb3\n'
+ + 'DQEBCwUAA4IBAQDeXiS3v1z4jWAo1UvVyKDeHjtrtEH1Rida1eOXauFuEQa5tuOk\n'
+ + 'E53Os4haZCW4mOlKjigWs4LN+uLIAe1aFXGo92nGIqyJISHJ1L+bopx/JmIbHMCZ\n'
+ + '0lTNJfR12yBma5VQy7vzeFku/SisKwX0Lov1oHD4MVhJoHbUJYkmAjxorcIHORvh\n'
+ + 'I3Vj5XrgDWtLDPL8/Id/roul/L+WX5ir+PGScKBfQIIN2lWdZoqdsx8YWqhm/ikL\n'
+ + 'C6qNieSwcvWL7C03ri0DefTQMY54r5wP33QU5hJ71JoaZI3YTeT0Nf+NRL4hM++w\n'
+ + 'Q0veeNzBQXg1f/JxfeA39IDIX1kiCf71tGlT\n'
+ + '-----END CERTIFICATE-----\n',
+
+ /**
+ * Amazon RDS ap-northeast-1 certificate CA 2019 to 2024
+ *
+ * CN = Amazon RDS ap-northeast-1 2019 CA
+ * OU = Amazon RDS
+ * O = Amazon Web Services, Inc.
+ * L = Seattle
+ * ST = Washington
+ * C = US
+ * P = 2019-09-18T16:56:20Z/2024-08-22T17:08:50Z
+ * F = 47:A3:F9:20:64:5C:9F:9D:48:8C:7D:E6:0B:86:D6:05:13:00:16:A1
+ */
+ '-----BEGIN CERTIFICATE-----\n'
+ + 'MIIEDDCCAvSgAwIBAgICcEUwDQYJKoZIhvcNAQELBQAwgY8xCzAJBgNVBAYTAlVT\n'
+ + 'MRAwDgYDVQQHDAdTZWF0dGxlMRMwEQYDVQQIDApXYXNoaW5ndG9uMSIwIAYDVQQK\n'
+ + 'DBlBbWF6b24gV2ViIFNlcnZpY2VzLCBJbmMuMRMwEQYDVQQLDApBbWF6b24gUkRT\n'
+ + 'MSAwHgYDVQQDDBdBbWF6b24gUkRTIFJvb3QgMjAxOSBDQTAeFw0xOTA5MTgxNjU2\n'
+ + 'MjBaFw0yNDA4MjIxNzA4NTBaMIGZMQswCQYDVQQGEwJVUzETMBEGA1UECAwKV2Fz\n'
+ + 'aGluZ3RvbjEQMA4GA1UEBwwHU2VhdHRsZTEiMCAGA1UECgwZQW1hem9uIFdlYiBT\n'
+ + 'ZXJ2aWNlcywgSW5jLjETMBEGA1UECwwKQW1hem9uIFJEUzEqMCgGA1UEAwwhQW1h\n'
+ + 'em9uIFJEUyBhcC1ub3J0aGVhc3QtMSAyMDE5IENBMIIBIjANBgkqhkiG9w0BAQEF\n'
+ + 'AAOCAQ8AMIIBCgKCAQEAndtkldmHtk4TVQAyqhAvtEHSMb6pLhyKrIFved1WO3S7\n'
+ + '+I+bWwv9b2W/ljJxLq9kdT43bhvzonNtI4a1LAohS6bqyirmk8sFfsWT3akb+4Sx\n'
+ + '1sjc8Ovc9eqIWJCrUiSvv7+cS7ZTA9AgM1PxvHcsqrcUXiK3Jd/Dax9jdZE1e15s\n'
+ + 'BEhb2OEPE+tClFZ+soj8h8Pl2Clo5OAppEzYI4LmFKtp1X/BOf62k4jviXuCSst3\n'
+ + 'UnRJzE/CXtjmN6oZySVWSe0rQYuyqRl6//9nK40cfGKyxVnimB8XrrcxUN743Vud\n'
+ + 'QQVU0Esm8OVTX013mXWQXJHP2c0aKkog8LOga0vobQIDAQABo2YwZDAOBgNVHQ8B\n'
+ + 'Af8EBAMCAQYwEgYDVR0TAQH/BAgwBgEB/wIBADAdBgNVHQ4EFgQULmoOS1mFSjj+\n'
+ + 'snUPx4DgS3SkLFYwHwYDVR0jBBgwFoAUc19g2LzLA5j0Kxc0LjZapmD/vB8wDQYJ\n'
+ + 'KoZIhvcNAQELBQADggEBAAkVL2P1M2/G9GM3DANVAqYOwmX0Xk58YBHQu6iiQg4j\n'
+ + 'b4Ky/qsZIsgT7YBsZA4AOcPKQFgGTWhe9pvhmXqoN3RYltN8Vn7TbUm/ZVDoMsrM\n'
+ + 'gwv0+TKxW1/u7s8cXYfHPiTzVSJuOogHx99kBW6b2f99GbP7O1Sv3sLq4j6lVvBX\n'
+ + 'Fiacf5LAWC925nvlTzLlBgIc3O9xDtFeAGtZcEtxZJ4fnGXiqEnN4539+nqzIyYq\n'
+ + 'nvlgCzyvcfRAxwltrJHuuRu6Maw5AGcd2Y0saMhqOVq9KYKFKuD/927BTrbd2JVf\n'
+ + '2sGWyuPZPCk3gq+5pCjbD0c6DkhcMGI6WwxvM5V/zSM=\n'
+ + '-----END CERTIFICATE-----\n',
+
+ /**
+ * Amazon RDS ap-northeast-2 certificate CA 2019 to 2024
+ *
+ * CN = Amazon RDS ap-northeast-2 2019 CA
+ * OU = Amazon RDS
+ * O = Amazon Web Services, Inc.
+ * L = Seattle
+ * ST = Washington
+ * C = US
+ * P = 2019-09-10T17:46:21Z/2024-08-22T17:08:50Z
+ * F = 8E:1C:70:C1:64:BD:FC:F9:93:9B:A2:67:CA:CF:52:F0:E1:F7:B4:F0
+ */
+ '-----BEGIN CERTIFICATE-----\n'
+ + 'MIIEDDCCAvSgAwIBAgICOFAwDQYJKoZIhvcNAQELBQAwgY8xCzAJBgNVBAYTAlVT\n'
+ + 'MRAwDgYDVQQHDAdTZWF0dGxlMRMwEQYDVQQIDApXYXNoaW5ndG9uMSIwIAYDVQQK\n'
+ + 'DBlBbWF6b24gV2ViIFNlcnZpY2VzLCBJbmMuMRMwEQYDVQQLDApBbWF6b24gUkRT\n'
+ + 'MSAwHgYDVQQDDBdBbWF6b24gUkRTIFJvb3QgMjAxOSBDQTAeFw0xOTA5MTAxNzQ2\n'
+ + 'MjFaFw0yNDA4MjIxNzA4NTBaMIGZMQswCQYDVQQGEwJVUzETMBEGA1UECAwKV2Fz\n'
+ + 'aGluZ3RvbjEQMA4GA1UEBwwHU2VhdHRsZTEiMCAGA1UECgwZQW1hem9uIFdlYiBT\n'
+ + 'ZXJ2aWNlcywgSW5jLjETMBEGA1UECwwKQW1hem9uIFJEUzEqMCgGA1UEAwwhQW1h\n'
+ + 'em9uIFJEUyBhcC1ub3J0aGVhc3QtMiAyMDE5IENBMIIBIjANBgkqhkiG9w0BAQEF\n'
+ + 'AAOCAQ8AMIIBCgKCAQEAzU72e6XbaJbi4HjJoRNjKxzUEuChKQIt7k3CWzNnmjc5\n'
+ + '8I1MjCpa2W1iw1BYVysXSNSsLOtUsfvBZxi/1uyMn5ZCaf9aeoA9UsSkFSZBjOCN\n'
+ + 'DpKPCmfV1zcEOvJz26+1m8WDg+8Oa60QV0ou2AU1tYcw98fOQjcAES0JXXB80P2s\n'
+ + '3UfkNcnDz+l4k7j4SllhFPhH6BQ4lD2NiFAP4HwoG6FeJUn45EPjzrydxjq6v5Fc\n'
+ + 'cQ8rGuHADVXotDbEhaYhNjIrsPL+puhjWfhJjheEw8c4whRZNp6gJ/b6WEes/ZhZ\n'
+ + 'h32DwsDsZw0BfRDUMgUn8TdecNexHUw8vQWeC181hwIDAQABo2YwZDAOBgNVHQ8B\n'
+ + 'Af8EBAMCAQYwEgYDVR0TAQH/BAgwBgEB/wIBADAdBgNVHQ4EFgQUwW9bWgkWkr0U\n'
+ + 'lrOsq2kvIdrECDgwHwYDVR0jBBgwFoAUc19g2LzLA5j0Kxc0LjZapmD/vB8wDQYJ\n'
+ + 'KoZIhvcNAQELBQADggEBAEugF0Gj7HVhX0ehPZoGRYRt3PBuI2YjfrrJRTZ9X5wc\n'
+ + '9T8oHmw07mHmNy1qqWvooNJg09bDGfB0k5goC2emDiIiGfc/kvMLI7u+eQOoMKj6\n'
+ + 'mkfCncyRN3ty08Po45vTLBFZGUvtQmjM6yKewc4sXiASSBmQUpsMbiHRCL72M5qV\n'
+ + 'obcJOjGcIdDTmV1BHdWT+XcjynsGjUqOvQWWhhLPrn4jWe6Xuxll75qlrpn3IrIx\n'
+ + 'CRBv/5r7qbcQJPOgwQsyK4kv9Ly8g7YT1/vYBlR3cRsYQjccw5ceWUj2DrMVWhJ4\n'
+ + 'prf+E3Aa4vYmLLOUUvKnDQ1k3RGNu56V0tonsQbfsaM=\n'
+ + '-----END CERTIFICATE-----\n',
+
+ /**
+ * Amazon RDS ap-northeast-3 certificate CA 2019 to 2024
+ *
+ * CN = Amazon RDS ap-northeast-3 2019 CA
+ * OU = Amazon RDS
+ * O = Amazon Web Services, Inc.
+ * L = Seattle
+ * ST = Washington
+ * C = US
+ * P = 2019-09-17T20:05:29Z/2024-08-22T17:08:50Z
+ * F = D1:08:B1:40:6D:6C:80:8E:F4:C1:2C:8A:1F:66:17:01:54:CD:1A:4E
+ */
+ '-----BEGIN CERTIFICATE-----\n'
+ + 'MIIEDDCCAvSgAwIBAgICOYIwDQYJKoZIhvcNAQELBQAwgY8xCzAJBgNVBAYTAlVT\n'
+ + 'MRAwDgYDVQQHDAdTZWF0dGxlMRMwEQYDVQQIDApXYXNoaW5ndG9uMSIwIAYDVQQK\n'
+ + 'DBlBbWF6b24gV2ViIFNlcnZpY2VzLCBJbmMuMRMwEQYDVQQLDApBbWF6b24gUkRT\n'
+ + 'MSAwHgYDVQQDDBdBbWF6b24gUkRTIFJvb3QgMjAxOSBDQTAeFw0xOTA5MTcyMDA1\n'
+ + 'MjlaFw0yNDA4MjIxNzA4NTBaMIGZMQswCQYDVQQGEwJVUzETMBEGA1UECAwKV2Fz\n'
+ + 'aGluZ3RvbjEQMA4GA1UEBwwHU2VhdHRsZTEiMCAGA1UECgwZQW1hem9uIFdlYiBT\n'
+ + 'ZXJ2aWNlcywgSW5jLjETMBEGA1UECwwKQW1hem9uIFJEUzEqMCgGA1UEAwwhQW1h\n'
+ + 'em9uIFJEUyBhcC1ub3J0aGVhc3QtMyAyMDE5IENBMIIBIjANBgkqhkiG9w0BAQEF\n'
+ + 'AAOCAQ8AMIIBCgKCAQEA4dMak8W+XW8y/2F6nRiytFiA4XLwePadqWebGtlIgyCS\n'
+ + 'kbug8Jv5w7nlMkuxOxoUeD4WhI6A9EkAn3r0REM/2f0aYnd2KPxeqS2MrtdxxHw1\n'
+ + 'xoOxk2x0piNSlOz6yog1idsKR5Wurf94fvM9FdTrMYPPrDabbGqiBMsZZmoHLvA3\n'
+ + 'Z+57HEV2tU0Ei3vWeGIqnNjIekS+E06KhASxrkNU5vi611UsnYZlSi0VtJsH4UGV\n'
+ + 'LhnHl53aZL0YFO5mn/fzuNG/51qgk/6EFMMhaWInXX49Dia9FnnuWXwVwi6uX1Wn\n'
+ + '7kjoHi5VtmC8ZlGEHroxX2DxEr6bhJTEpcLMnoQMqwIDAQABo2YwZDAOBgNVHQ8B\n'
+ + 'Af8EBAMCAQYwEgYDVR0TAQH/BAgwBgEB/wIBADAdBgNVHQ4EFgQUsUI5Cb3SWB8+\n'
+ + 'gv1YLN/ABPMdxSAwHwYDVR0jBBgwFoAUc19g2LzLA5j0Kxc0LjZapmD/vB8wDQYJ\n'
+ + 'KoZIhvcNAQELBQADggEBAJAF3E9PM1uzVL8YNdzb6fwJrxxqI2shvaMVmC1mXS+w\n'
+ + 'G0zh4v2hBZOf91l1EO0rwFD7+fxoI6hzQfMxIczh875T6vUXePKVOCOKI5wCrDad\n'
+ + 'zQbVqbFbdhsBjF4aUilOdtw2qjjs9JwPuB0VXN4/jY7m21oKEOcnpe36+7OiSPjN\n'
+ + 'xngYewCXKrSRqoj3mw+0w/+exYj3Wsush7uFssX18av78G+ehKPIVDXptOCP/N7W\n'
+ + '8iKVNeQ2QGTnu2fzWsGUSvMGyM7yqT+h1ILaT//yQS8er511aHMLc142bD4D9VSy\n'
+ + 'DgactwPDTShK/PXqhvNey9v/sKXm4XatZvwcc8KYlW4=\n'
+ + '-----END CERTIFICATE-----\n',
+
+ /**
+ * Amazon RDS ap-south-1 certificate CA 2019 to 2024
+ *
+ * CN = Amazon RDS ap-south-1 2019 CA
+ * OU = Amazon RDS
+ * O = Amazon Web Services, Inc.
+ * L = Seattle
+ * ST = Washington
+ * C = US
+ * P = 2019-09-04T17:13:04Z/2024-08-22T17:08:50Z
+ * F = D6:AD:45:A9:54:36:E4:BA:9C:B7:9B:06:8C:0C:CD:CC:1E:81:B5:00
+ */
+ '-----BEGIN CERTIFICATE-----\n'
+ + 'MIIECDCCAvCgAwIBAgICVIYwDQYJKoZIhvcNAQELBQAwgY8xCzAJBgNVBAYTAlVT\n'
+ + 'MRAwDgYDVQQHDAdTZWF0dGxlMRMwEQYDVQQIDApXYXNoaW5ndG9uMSIwIAYDVQQK\n'
+ + 'DBlBbWF6b24gV2ViIFNlcnZpY2VzLCBJbmMuMRMwEQYDVQQLDApBbWF6b24gUkRT\n'
+ + 'MSAwHgYDVQQDDBdBbWF6b24gUkRTIFJvb3QgMjAxOSBDQTAeFw0xOTA5MDQxNzEz\n'
+ + 'MDRaFw0yNDA4MjIxNzA4NTBaMIGVMQswCQYDVQQGEwJVUzETMBEGA1UECAwKV2Fz\n'
+ + 'aGluZ3RvbjEQMA4GA1UEBwwHU2VhdHRsZTEiMCAGA1UECgwZQW1hem9uIFdlYiBT\n'
+ + 'ZXJ2aWNlcywgSW5jLjETMBEGA1UECwwKQW1hem9uIFJEUzEmMCQGA1UEAwwdQW1h\n'
+ + 'em9uIFJEUyBhcC1zb3V0aC0xIDIwMTkgQ0EwggEiMA0GCSqGSIb3DQEBAQUAA4IB\n'
+ + 'DwAwggEKAoIBAQDUYOz1hGL42yUCrcsMSOoU8AeD/3KgZ4q7gP+vAz1WnY9K/kim\n'
+ + 'eWN/2Qqzlo3+mxSFQFyD4MyV3+CnCPnBl9Sh1G/F6kThNiJ7dEWSWBQGAB6HMDbC\n'
+ + 'BaAsmUc1UIz8sLTL3fO+S9wYhA63Wun0Fbm/Rn2yk/4WnJAaMZcEtYf6e0KNa0LM\n'
+ + 'p/kN/70/8cD3iz3dDR8zOZFpHoCtf0ek80QqTich0A9n3JLxR6g6tpwoYviVg89e\n'
+ + 'qCjQ4axxOkWWeusLeTJCcY6CkVyFvDAKvcUl1ytM5AiaUkXblE7zDFXRM4qMMRdt\n'
+ + 'lPm8d3pFxh0fRYk8bIKnpmtOpz3RIctDrZZxAgMBAAGjZjBkMA4GA1UdDwEB/wQE\n'
+ + 'AwIBBjASBgNVHRMBAf8ECDAGAQH/AgEAMB0GA1UdDgQWBBT99wKJftD3jb4sHoHG\n'
+ + 'i3uGlH6W6TAfBgNVHSMEGDAWgBRzX2DYvMsDmPQrFzQuNlqmYP+8HzANBgkqhkiG\n'
+ + '9w0BAQsFAAOCAQEAZ17hhr3dII3hUfuHQ1hPWGrpJOX/G9dLzkprEIcCidkmRYl+\n'
+ + 'hu1Pe3caRMh/17+qsoEErmnVq5jNY9X1GZL04IZH8YbHc7iRHw3HcWAdhN8633+K\n'
+ + 'jYEB2LbJ3vluCGnCejq9djDb6alOugdLMJzxOkHDhMZ6/gYbECOot+ph1tQuZXzD\n'
+ + 'tZ7prRsrcuPBChHlPjmGy8M9z8u+kF196iNSUGC4lM8vLkHM7ycc1/ZOwRq9aaTe\n'
+ + 'iOghbQQyAEe03MWCyDGtSmDfr0qEk+CHN+6hPiaL8qKt4s+V9P7DeK4iW08ny8Ox\n'
+ + 'AVS7u0OK/5+jKMAMrKwpYrBydOjTUTHScocyNw==\n'
+ + '-----END CERTIFICATE-----\n',
+
+ /**
+ * Amazon RDS ap-southeast-1 certificate CA 2019 to 2024
+ *
+ * CN = Amazon RDS ap-southeast-1 2019 CA
+ * OU = Amazon RDS
+ * O = Amazon Web Services, Inc.
+ * L = Seattle
+ * ST = Washington
+ * C = US
+ * P = 2019-09-13T20:11:42Z/2024-08-22T17:08:50Z
+ * F = 0D:20:FB:91:DE:BE:D2:CF:F3:F8:F8:43:AF:68:C6:03:76:F3:DD:B8
+ */
+ '-----BEGIN CERTIFICATE-----\n'
+ + 'MIIEDDCCAvSgAwIBAgICY4kwDQYJKoZIhvcNAQELBQAwgY8xCzAJBgNVBAYTAlVT\n'
+ + 'MRAwDgYDVQQHDAdTZWF0dGxlMRMwEQYDVQQIDApXYXNoaW5ndG9uMSIwIAYDVQQK\n'
+ + 'DBlBbWF6b24gV2ViIFNlcnZpY2VzLCBJbmMuMRMwEQYDVQQLDApBbWF6b24gUkRT\n'
+ + 'MSAwHgYDVQQDDBdBbWF6b24gUkRTIFJvb3QgMjAxOSBDQTAeFw0xOTA5MTMyMDEx\n'
+ + 'NDJaFw0yNDA4MjIxNzA4NTBaMIGZMQswCQYDVQQGEwJVUzETMBEGA1UECAwKV2Fz\n'
+ + 'aGluZ3RvbjEQMA4GA1UEBwwHU2VhdHRsZTEiMCAGA1UECgwZQW1hem9uIFdlYiBT\n'
+ + 'ZXJ2aWNlcywgSW5jLjETMBEGA1UECwwKQW1hem9uIFJEUzEqMCgGA1UEAwwhQW1h\n'
+ + 'em9uIFJEUyBhcC1zb3V0aGVhc3QtMSAyMDE5IENBMIIBIjANBgkqhkiG9w0BAQEF\n'
+ + 'AAOCAQ8AMIIBCgKCAQEAr5u9OuLL/OF/fBNUX2kINJLzFl4DnmrhnLuSeSnBPgbb\n'
+ + 'qddjf5EFFJBfv7IYiIWEFPDbDG5hoBwgMup5bZDbas+ZTJTotnnxVJTQ6wlhTmns\n'
+ + 'eHECcg2pqGIKGrxZfbQhlj08/4nNAPvyYCTS0bEcmQ1emuDPyvJBYDDLDU6AbCB5\n'
+ + '6Z7YKFQPTiCBblvvNzchjLWF9IpkqiTsPHiEt21sAdABxj9ityStV3ja/W9BfgxH\n'
+ + 'wzABSTAQT6FbDwmQMo7dcFOPRX+hewQSic2Rn1XYjmNYzgEHisdUsH7eeXREAcTw\n'
+ + '61TRvaLH8AiOWBnTEJXPAe6wYfrcSd1pD0MXpoB62wIDAQABo2YwZDAOBgNVHQ8B\n'
+ + 'Af8EBAMCAQYwEgYDVR0TAQH/BAgwBgEB/wIBADAdBgNVHQ4EFgQUytwMiomQOgX5\n'
+ + 'Ichd+2lDWRUhkikwHwYDVR0jBBgwFoAUc19g2LzLA5j0Kxc0LjZapmD/vB8wDQYJ\n'
+ + 'KoZIhvcNAQELBQADggEBACf6lRDpfCD7BFRqiWM45hqIzffIaysmVfr+Jr+fBTjP\n'
+ + 'uYe/ba1omSrNGG23bOcT9LJ8hkQJ9d+FxUwYyICQNWOy6ejicm4z0C3VhphbTPqj\n'
+ + 'yjpt9nG56IAcV8BcRJh4o/2IfLNzC/dVuYJV8wj7XzwlvjysenwdrJCoLadkTr1h\n'
+ + 'eIdG6Le07sB9IxrGJL9e04afk37h7c8ESGSE4E+oS4JQEi3ATq8ne1B9DQ9SasXi\n'
+ + 'IRmhNAaISDzOPdyLXi9N9V9Lwe/DHcja7hgLGYx3UqfjhLhOKwp8HtoZORixAmOI\n'
+ + 'HfILgNmwyugAbuZoCazSKKBhQ0wgO0WZ66ZKTMG8Oho=\n'
+ + '-----END CERTIFICATE-----\n',
+
+ /**
+ * Amazon RDS ap-southeast-2 certificate CA 2019 to 2024
+ *
+ * CN = Amazon RDS ap-southeast-2 2019 CA
+ * OU = Amazon RDS
+ * O = Amazon Web Services, Inc.
+ * L = Seattle
+ * ST = Washington
+ * C = US
+ * P = 2019-09-16T19:53:47Z/2024-08-22T17:08:50Z
+ * F = D5:D4:51:83:D9:A3:AC:47:B0:0A:5A:77:D8:A0:79:A9:6A:3F:6D:96
+ */
+ '-----BEGIN CERTIFICATE-----\n'
+ + 'MIIEDDCCAvSgAwIBAgICEkYwDQYJKoZIhvcNAQELBQAwgY8xCzAJBgNVBAYTAlVT\n'
+ + 'MRAwDgYDVQQHDAdTZWF0dGxlMRMwEQYDVQQIDApXYXNoaW5ndG9uMSIwIAYDVQQK\n'
+ + 'DBlBbWF6b24gV2ViIFNlcnZpY2VzLCBJbmMuMRMwEQYDVQQLDApBbWF6b24gUkRT\n'
+ + 'MSAwHgYDVQQDDBdBbWF6b24gUkRTIFJvb3QgMjAxOSBDQTAeFw0xOTA5MTYxOTUz\n'
+ + 'NDdaFw0yNDA4MjIxNzA4NTBaMIGZMQswCQYDVQQGEwJVUzETMBEGA1UECAwKV2Fz\n'
+ + 'aGluZ3RvbjEQMA4GA1UEBwwHU2VhdHRsZTEiMCAGA1UECgwZQW1hem9uIFdlYiBT\n'
+ + 'ZXJ2aWNlcywgSW5jLjETMBEGA1UECwwKQW1hem9uIFJEUzEqMCgGA1UEAwwhQW1h\n'
+ + 'em9uIFJEUyBhcC1zb3V0aGVhc3QtMiAyMDE5IENBMIIBIjANBgkqhkiG9w0BAQEF\n'
+ + 'AAOCAQ8AMIIBCgKCAQEAufodI2Flker8q7PXZG0P0vmFSlhQDw907A6eJuF/WeMo\n'
+ + 'GHnll3b4S6nC3oRS3nGeRMHbyU2KKXDwXNb3Mheu+ox+n5eb/BJ17eoj9HbQR1cd\n'
+ + 'gEkIciiAltf8gpMMQH4anP7TD+HNFlZnP7ii3geEJB2GGXSxgSWvUzH4etL67Zmn\n'
+ + 'TpGDWQMB0T8lK2ziLCMF4XAC/8xDELN/buHCNuhDpxpPebhct0T+f6Arzsiswt2j\n'
+ + '7OeNeLLZwIZvVwAKF7zUFjC6m7/VmTQC8nidVY559D6l0UhhU0Co/txgq3HVsMOH\n'
+ + 'PbxmQUwJEKAzQXoIi+4uZzHFZrvov/nDTNJUhC6DqwIDAQABo2YwZDAOBgNVHQ8B\n'
+ + 'Af8EBAMCAQYwEgYDVR0TAQH/BAgwBgEB/wIBADAdBgNVHQ4EFgQUwaZpaCme+EiV\n'
+ + 'M5gcjeHZSTgOn4owHwYDVR0jBBgwFoAUc19g2LzLA5j0Kxc0LjZapmD/vB8wDQYJ\n'
+ + 'KoZIhvcNAQELBQADggEBAAR6a2meCZuXO2TF9bGqKGtZmaah4pH2ETcEVUjkvXVz\n'
+ + 'sl+ZKbYjrun+VkcMGGKLUjS812e7eDF726ptoku9/PZZIxlJB0isC/0OyixI8N4M\n'
+ + 'NsEyvp52XN9QundTjkl362bomPnHAApeU0mRbMDRR2JdT70u6yAzGLGsUwMkoNnw\n'
+ + '1VR4XKhXHYGWo7KMvFrZ1KcjWhubxLHxZWXRulPVtGmyWg/MvE6KF+2XMLhojhUL\n'
+ + '+9jB3Fpn53s6KMx5tVq1x8PukHmowcZuAF8k+W4gk8Y68wIwynrdZrKRyRv6CVtR\n'
+ + 'FZ8DeJgoNZT3y/GT254VqMxxfuy2Ccb/RInd16tEvVk=\n'
+ + '-----END CERTIFICATE-----\n',
+
+ /**
+ * Amazon RDS ca-central-1 certificate CA 2019 to 2024
+ *
+ * CN = Amazon RDS ca-central-1 2019 CA
+ * OU = Amazon RDS
+ * O = Amazon Web Services, Inc.
+ * L = Seattle
+ * ST = Washington
+ * C = US
+ * P = 2019-09-10T20:52:25Z/2024-08-22T17:08:50Z
+ * F = A1:03:46:F2:BB:29:BF:4F:EC:04:7E:82:9A:A6:C0:11:4D:AB:82:25
+ */
+ '-----BEGIN CERTIFICATE-----\n'
+ + 'MIIECjCCAvKgAwIBAgICEzUwDQYJKoZIhvcNAQELBQAwgY8xCzAJBgNVBAYTAlVT\n'
+ + 'MRAwDgYDVQQHDAdTZWF0dGxlMRMwEQYDVQQIDApXYXNoaW5ndG9uMSIwIAYDVQQK\n'
+ + 'DBlBbWF6b24gV2ViIFNlcnZpY2VzLCBJbmMuMRMwEQYDVQQLDApBbWF6b24gUkRT\n'
+ + 'MSAwHgYDVQQDDBdBbWF6b24gUkRTIFJvb3QgMjAxOSBDQTAeFw0xOTA5MTAyMDUy\n'
+ + 'MjVaFw0yNDA4MjIxNzA4NTBaMIGXMQswCQYDVQQGEwJVUzETMBEGA1UECAwKV2Fz\n'
+ + 'aGluZ3RvbjEQMA4GA1UEBwwHU2VhdHRsZTEiMCAGA1UECgwZQW1hem9uIFdlYiBT\n'
+ + 'ZXJ2aWNlcywgSW5jLjETMBEGA1UECwwKQW1hem9uIFJEUzEoMCYGA1UEAwwfQW1h\n'
+ + 'em9uIFJEUyBjYS1jZW50cmFsLTEgMjAxOSBDQTCCASIwDQYJKoZIhvcNAQEBBQAD\n'
+ + 'ggEPADCCAQoCggEBAOxHqdcPSA2uBjsCP4DLSlqSoPuQ/X1kkJLusVRKiQE2zayB\n'
+ + 'viuCBt4VB9Qsh2rW3iYGM+usDjltGnI1iUWA5KHcvHszSMkWAOYWLiMNKTlg6LCp\n'
+ + 'XnE89tvj5dIH6U8WlDvXLdjB/h30gW9JEX7S8supsBSci2GxEzb5mRdKaDuuF/0O\n'
+ + 'qvz4YE04pua3iZ9QwmMFuTAOYzD1M72aOpj+7Ac+YLMM61qOtU+AU6MndnQkKoQi\n'
+ + 'qmUN2A9IFaqHFzRlSdXwKCKUA4otzmz+/N3vFwjb5F4DSsbsrMfjeHMo6o/nb6Nh\n'
+ + 'YDb0VJxxPee6TxSuN7CQJ2FxMlFUezcoXqwqXD0CAwEAAaNmMGQwDgYDVR0PAQH/\n'
+ + 'BAQDAgEGMBIGA1UdEwEB/wQIMAYBAf8CAQAwHQYDVR0OBBYEFDGGpon9WfIpsggE\n'
+ + 'CxHq8hZ7E2ESMB8GA1UdIwQYMBaAFHNfYNi8ywOY9CsXNC42WqZg/7wfMA0GCSqG\n'
+ + 'SIb3DQEBCwUAA4IBAQAvpeQYEGZvoTVLgV9rd2+StPYykMsmFjWQcyn3dBTZRXC2\n'
+ + 'lKq7QhQczMAOhEaaN29ZprjQzsA2X/UauKzLR2Uyqc2qOeO9/YOl0H3qauo8C/W9\n'
+ + 'r8xqPbOCDLEXlOQ19fidXyyEPHEq5WFp8j+fTh+s8WOx2M7IuC0ANEetIZURYhSp\n'
+ + 'xl9XOPRCJxOhj7JdelhpweX0BJDNHeUFi0ClnFOws8oKQ7sQEv66d5ddxqqZ3NVv\n'
+ + 'RbCvCtEutQMOUMIuaygDlMn1anSM8N7Wndx8G6+Uy67AnhjGx7jw/0YPPxopEj6x\n'
+ + 'JXP8j0sJbcT9K/9/fPVLNT25RvQ/93T2+IQL4Ca2\n'
+ + '-----END CERTIFICATE-----\n',
+
+ /**
+ * Amazon RDS eu-central-1 certificate CA 2019 to 2024
+ *
+ * CN = Amazon RDS eu-central-1 2019 CA
+ * OU = Amazon RDS
+ * O = Amazon Web Services, Inc.
+ * L = Seattle
+ * ST = Washington
+ * C = US
+ * P = 2019-09-11T19:36:20Z/2024-08-22T17:08:50Z
+ * F = 53:46:18:4A:42:65:A2:8C:5F:5B:0A:AD:E2:2C:80:E5:E6:8A:6D:2F
+ */
+ '-----BEGIN CERTIFICATE-----\n'
+ + 'MIIECjCCAvKgAwIBAgICV2YwDQYJKoZIhvcNAQELBQAwgY8xCzAJBgNVBAYTAlVT\n'
+ + 'MRAwDgYDVQQHDAdTZWF0dGxlMRMwEQYDVQQIDApXYXNoaW5ndG9uMSIwIAYDVQQK\n'
+ + 'DBlBbWF6b24gV2ViIFNlcnZpY2VzLCBJbmMuMRMwEQYDVQQLDApBbWF6b24gUkRT\n'
+ + 'MSAwHgYDVQQDDBdBbWF6b24gUkRTIFJvb3QgMjAxOSBDQTAeFw0xOTA5MTExOTM2\n'
+ + 'MjBaFw0yNDA4MjIxNzA4NTBaMIGXMQswCQYDVQQGEwJVUzETMBEGA1UECAwKV2Fz\n'
+ + 'aGluZ3RvbjEQMA4GA1UEBwwHU2VhdHRsZTEiMCAGA1UECgwZQW1hem9uIFdlYiBT\n'
+ + 'ZXJ2aWNlcywgSW5jLjETMBEGA1UECwwKQW1hem9uIFJEUzEoMCYGA1UEAwwfQW1h\n'
+ + 'em9uIFJEUyBldS1jZW50cmFsLTEgMjAxOSBDQTCCASIwDQYJKoZIhvcNAQEBBQAD\n'
+ + 'ggEPADCCAQoCggEBAMEx54X2pHVv86APA0RWqxxRNmdkhAyp2R1cFWumKQRofoFv\n'
+ + 'n+SPXdkpIINpMuEIGJANozdiEz7SPsrAf8WHyD93j/ZxrdQftRcIGH41xasetKGl\n'
+ + 'I67uans8d+pgJgBKGb/Z+B5m+UsIuEVekpvgpwKtmmaLFC/NCGuSsJoFsRqoa6Gh\n'
+ + 'm34W6yJoY87UatddCqLY4IIXaBFsgK9Q/wYzYLbnWM6ZZvhJ52VMtdhcdzeTHNW0\n'
+ + '5LGuXJOF7Ahb4JkEhoo6TS2c0NxB4l4MBfBPgti+O7WjR3FfZHpt18A6Zkq6A2u6\n'
+ + 'D/oTSL6c9/3sAaFTFgMyL3wHb2YlW0BPiljZIqECAwEAAaNmMGQwDgYDVR0PAQH/\n'
+ + 'BAQDAgEGMBIGA1UdEwEB/wQIMAYBAf8CAQAwHQYDVR0OBBYEFOcAToAc6skWffJa\n'
+ + 'TnreaswAfrbcMB8GA1UdIwQYMBaAFHNfYNi8ywOY9CsXNC42WqZg/7wfMA0GCSqG\n'
+ + 'SIb3DQEBCwUAA4IBAQA1d0Whc1QtspK496mFWfFEQNegLh0a9GWYlJm+Htcj5Nxt\n'
+ + 'DAIGXb+8xrtOZFHmYP7VLCT5Zd2C+XytqseK/+s07iAr0/EPF+O2qcyQWMN5KhgE\n'
+ + 'cXw2SwuP9FPV3i+YAm11PBVeenrmzuk9NrdHQ7TxU4v7VGhcsd2C++0EisrmquWH\n'
+ + 'mgIfmVDGxphwoES52cY6t3fbnXmTkvENvR+h3rj+fUiSz0aSo+XZUGHPgvuEKM/W\n'
+ + 'CBD9Smc9CBoBgvy7BgHRgRUmwtABZHFUIEjHI5rIr7ZvYn+6A0O6sogRfvVYtWFc\n'
+ + 'qpyrW1YX8mD0VlJ8fGKM3G+aCOsiiPKDV/Uafrm+\n'
+ + '-----END CERTIFICATE-----\n',
+
+ /**
+ * Amazon RDS eu-north-1 certificate CA 2019 to 2024
+ *
+ * CN = Amazon RDS eu-north-1 2019 CA
+ * OU = Amazon RDS
+ * O = Amazon Web Services, Inc.
+ * L = Seattle
+ * ST = Washington
+ * C = US
+ * P = 2019-09-12T18:19:44Z/2024-08-22T17:08:50Z
+ * F = D0:CA:9C:6E:47:4C:4F:DB:85:28:03:4A:60:AC:14:E0:E6:DF:D4:42
+ */
+ '-----BEGIN CERTIFICATE-----\n'
+ + 'MIIECDCCAvCgAwIBAgICGAcwDQYJKoZIhvcNAQELBQAwgY8xCzAJBgNVBAYTAlVT\n'
+ + 'MRAwDgYDVQQHDAdTZWF0dGxlMRMwEQYDVQQIDApXYXNoaW5ndG9uMSIwIAYDVQQK\n'
+ + 'DBlBbWF6b24gV2ViIFNlcnZpY2VzLCBJbmMuMRMwEQYDVQQLDApBbWF6b24gUkRT\n'
+ + 'MSAwHgYDVQQDDBdBbWF6b24gUkRTIFJvb3QgMjAxOSBDQTAeFw0xOTA5MTIxODE5\n'
+ + 'NDRaFw0yNDA4MjIxNzA4NTBaMIGVMQswCQYDVQQGEwJVUzETMBEGA1UECAwKV2Fz\n'
+ + 'aGluZ3RvbjEQMA4GA1UEBwwHU2VhdHRsZTEiMCAGA1UECgwZQW1hem9uIFdlYiBT\n'
+ + 'ZXJ2aWNlcywgSW5jLjETMBEGA1UECwwKQW1hem9uIFJEUzEmMCQGA1UEAwwdQW1h\n'
+ + 'em9uIFJEUyBldS1ub3J0aC0xIDIwMTkgQ0EwggEiMA0GCSqGSIb3DQEBAQUAA4IB\n'
+ + 'DwAwggEKAoIBAQCiIYnhe4UNBbdBb/nQxl5giM0XoVHWNrYV5nB0YukA98+TPn9v\n'
+ + 'Aoj1RGYmtryjhrf01Kuv8SWO+Eom95L3zquoTFcE2gmxCfk7bp6qJJ3eHOJB+QUO\n'
+ + 'XsNRh76fwDzEF1yTeZWH49oeL2xO13EAx4PbZuZpZBttBM5zAxgZkqu4uWQczFEs\n'
+ + 'JXfla7z2fvWmGcTagX10O5C18XaFroV0ubvSyIi75ue9ykg/nlFAeB7O0Wxae88e\n'
+ + 'uhiBEFAuLYdqWnsg3459NfV8Yi1GnaitTym6VI3tHKIFiUvkSiy0DAlAGV2iiyJE\n'
+ + 'q+DsVEO4/hSINJEtII4TMtysOsYPpINqeEzRAgMBAAGjZjBkMA4GA1UdDwEB/wQE\n'
+ + 'AwIBBjASBgNVHRMBAf8ECDAGAQH/AgEAMB0GA1UdDgQWBBRR0UpnbQyjnHChgmOc\n'
+ + 'hnlc0PogzTAfBgNVHSMEGDAWgBRzX2DYvMsDmPQrFzQuNlqmYP+8HzANBgkqhkiG\n'
+ + '9w0BAQsFAAOCAQEAKJD4xVzSf4zSGTBJrmamo86jl1NHQxXUApAZuBZEc8tqC6TI\n'
+ + 'T5CeoSr9CMuVC8grYyBjXblC4OsM5NMvmsrXl/u5C9dEwtBFjo8mm53rOOIm1fxl\n'
+ + 'I1oYB/9mtO9ANWjkykuLzWeBlqDT/i7ckaKwalhLODsRDO73vRhYNjsIUGloNsKe\n'
+ + 'pxw3dzHwAZx4upSdEVG4RGCZ1D0LJ4Gw40OfD69hfkDfRVVxKGrbEzqxXRvovmDc\n'
+ + 'tKLdYZO/6REoca36v4BlgIs1CbUXJGLSXUwtg7YXGLSVBJ/U0+22iGJmBSNcoyUN\n'
+ + 'cjPFD9JQEhDDIYYKSGzIYpvslvGc4T5ISXFiuQ==\n'
+ + '-----END CERTIFICATE-----\n',
+
+ /**
+ * Amazon RDS eu-west-1 certificate CA 2019 to 2024
+ *
+ * CN = Amazon RDS eu-west-1 2019 CA
+ * OU = Amazon RDS
+ * O = Amazon Web Services, Inc.
+ * L = Seattle
+ * ST = Washington
+ * C = US
+ * P = 2019-09-11T17:31:48Z/2024-08-22T17:08:50Z
+ * F = 2D:1A:A6:3E:0D:EB:D6:26:03:3E:A1:8A:0A:DF:14:80:78:EC:B6:63
+ */
+ '-----BEGIN CERTIFICATE-----\n'
+ + 'MIIEBzCCAu+gAwIBAgICYpgwDQYJKoZIhvcNAQELBQAwgY8xCzAJBgNVBAYTAlVT\n'
+ + 'MRAwDgYDVQQHDAdTZWF0dGxlMRMwEQYDVQQIDApXYXNoaW5ndG9uMSIwIAYDVQQK\n'
+ + 'DBlBbWF6b24gV2ViIFNlcnZpY2VzLCBJbmMuMRMwEQYDVQQLDApBbWF6b24gUkRT\n'
+ + 'MSAwHgYDVQQDDBdBbWF6b24gUkRTIFJvb3QgMjAxOSBDQTAeFw0xOTA5MTExNzMx\n'
+ + 'NDhaFw0yNDA4MjIxNzA4NTBaMIGUMQswCQYDVQQGEwJVUzETMBEGA1UECAwKV2Fz\n'
+ + 'aGluZ3RvbjEQMA4GA1UEBwwHU2VhdHRsZTEiMCAGA1UECgwZQW1hem9uIFdlYiBT\n'
+ + 'ZXJ2aWNlcywgSW5jLjETMBEGA1UECwwKQW1hem9uIFJEUzElMCMGA1UEAwwcQW1h\n'
+ + 'em9uIFJEUyBldS13ZXN0LTEgMjAxOSBDQTCCASIwDQYJKoZIhvcNAQEBBQADggEP\n'
+ + 'ADCCAQoCggEBAMk3YdSZ64iAYp6MyyKtYJtNzv7zFSnnNf6vv0FB4VnfITTMmOyZ\n'
+ + 'LXqKAT2ahZ00hXi34ewqJElgU6eUZT/QlzdIu359TEZyLVPwURflL6SWgdG01Q5X\n'
+ + 'O++7fSGcBRyIeuQWs9FJNIIqK8daF6qw0Rl5TXfu7P9dBc3zkgDXZm2DHmxGDD69\n'
+ + '7liQUiXzoE1q2Z9cA8+jirDioJxN9av8hQt12pskLQumhlArsMIhjhHRgF03HOh5\n'
+ + 'tvi+RCfihVOxELyIRTRpTNiIwAqfZxxTWFTgfn+gijTmd0/1DseAe82aYic8JbuS\n'
+ + 'EMbrDduAWsqrnJ4GPzxHKLXX0JasCUcWyMECAwEAAaNmMGQwDgYDVR0PAQH/BAQD\n'
+ + 'AgEGMBIGA1UdEwEB/wQIMAYBAf8CAQAwHQYDVR0OBBYEFPLtsq1NrwJXO13C9eHt\n'
+ + 'sLY11AGwMB8GA1UdIwQYMBaAFHNfYNi8ywOY9CsXNC42WqZg/7wfMA0GCSqGSIb3\n'
+ + 'DQEBCwUAA4IBAQAnWBKj5xV1A1mYd0kIgDdkjCwQkiKF5bjIbGkT3YEFFbXoJlSP\n'
+ + '0lZZ/hDaOHI8wbLT44SzOvPEEmWF9EE7SJzkvSdQrUAWR9FwDLaU427ALI3ngNHy\n'
+ + 'lGJ2hse1fvSRNbmg8Sc9GBv8oqNIBPVuw+AJzHTacZ1OkyLZrz1c1QvwvwN2a+Jd\n'
+ + 'vH0V0YIhv66llKcYDMUQJAQi4+8nbRxXWv6Gq3pvrFoorzsnkr42V3JpbhnYiK+9\n'
+ + 'nRKd4uWl62KRZjGkfMbmsqZpj2fdSWMY1UGyN1k+kDmCSWYdrTRDP0xjtIocwg+A\n'
+ + 'J116n4hV/5mbA0BaPiS2krtv17YAeHABZcvz\n'
+ + '-----END CERTIFICATE-----\n',
+
+ /**
+ * Amazon RDS eu-west-2 certificate CA 2019 to 2024
+ *
+ * CN = Amazon RDS eu-west-2 2019 CA
+ * OU = Amazon RDS
+ * O = Amazon Web Services, Inc.
+ * L = Seattle
+ * ST = Washington
+ * C = US
+ * P = 2019-09-12T21:32:32Z/2024-08-22T17:08:50Z
+ * F = 60:65:44:F4:74:6E:2E:29:50:19:38:7C:4B:BE:18:B9:5B:D4:CD:23
+ */
+ '-----BEGIN CERTIFICATE-----\n'
+ + 'MIIEBzCCAu+gAwIBAgICZIEwDQYJKoZIhvcNAQELBQAwgY8xCzAJBgNVBAYTAlVT\n'
+ + 'MRAwDgYDVQQHDAdTZWF0dGxlMRMwEQYDVQQIDApXYXNoaW5ndG9uMSIwIAYDVQQK\n'
+ + 'DBlBbWF6b24gV2ViIFNlcnZpY2VzLCBJbmMuMRMwEQYDVQQLDApBbWF6b24gUkRT\n'
+ + 'MSAwHgYDVQQDDBdBbWF6b24gUkRTIFJvb3QgMjAxOSBDQTAeFw0xOTA5MTIyMTMy\n'
+ + 'MzJaFw0yNDA4MjIxNzA4NTBaMIGUMQswCQYDVQQGEwJVUzETMBEGA1UECAwKV2Fz\n'
+ + 'aGluZ3RvbjEQMA4GA1UEBwwHU2VhdHRsZTEiMCAGA1UECgwZQW1hem9uIFdlYiBT\n'
+ + 'ZXJ2aWNlcywgSW5jLjETMBEGA1UECwwKQW1hem9uIFJEUzElMCMGA1UEAwwcQW1h\n'
+ + 'em9uIFJEUyBldS13ZXN0LTIgMjAxOSBDQTCCASIwDQYJKoZIhvcNAQEBBQADggEP\n'
+ + 'ADCCAQoCggEBALGiwqjiF7xIjT0Sx7zB3764K2T2a1DHnAxEOr+/EIftWKxWzT3u\n'
+ + 'PFwS2eEZcnKqSdRQ+vRzonLBeNLO4z8aLjQnNbkizZMBuXGm4BqRm1Kgq3nlLDQn\n'
+ + '7YqdijOq54SpShvR/8zsO4sgMDMmHIYAJJOJqBdaus2smRt0NobIKc0liy7759KB\n'
+ + '6kmQ47Gg+kfIwxrQA5zlvPLeQImxSoPi9LdbRoKvu7Iot7SOa+jGhVBh3VdqndJX\n'
+ + '7tm/saj4NE375csmMETFLAOXjat7zViMRwVorX4V6AzEg1vkzxXpA9N7qywWIT5Y\n'
+ + 'fYaq5M8i6vvLg0CzrH9fHORtnkdjdu1y+0MCAwEAAaNmMGQwDgYDVR0PAQH/BAQD\n'
+ + 'AgEGMBIGA1UdEwEB/wQIMAYBAf8CAQAwHQYDVR0OBBYEFFOhOx1yt3Z7mvGB9jBv\n'
+ + '2ymdZwiOMB8GA1UdIwQYMBaAFHNfYNi8ywOY9CsXNC42WqZg/7wfMA0GCSqGSIb3\n'
+ + 'DQEBCwUAA4IBAQBehqY36UGDvPVU9+vtaYGr38dBbp+LzkjZzHwKT1XJSSUc2wqM\n'
+ + 'hnCIQKilonrTIvP1vmkQi8qHPvDRtBZKqvz/AErW/ZwQdZzqYNFd+BmOXaeZWV0Q\n'
+ + 'oHtDzXmcwtP8aUQpxN0e1xkWb1E80qoy+0uuRqb/50b/R4Q5qqSfJhkn6z8nwB10\n'
+ + '7RjLtJPrK8igxdpr3tGUzfAOyiPrIDncY7UJaL84GFp7WWAkH0WG3H8Y8DRcRXOU\n'
+ + 'mqDxDLUP3rNuow3jnGxiUY+gGX5OqaZg4f4P6QzOSmeQYs6nLpH0PiN00+oS1BbD\n'
+ + 'bpWdZEttILPI+vAYkU4QuBKKDjJL6HbSd+cn\n'
+ + '-----END CERTIFICATE-----\n',
+
+ /**
+ * Amazon RDS eu-west-3 certificate CA 2019 to 2024
+ *
+ * CN = Amazon RDS eu-west-3 2019 CA
+ * OU = Amazon RDS
+ * O = Amazon Web Services, Inc.
+ * L = Seattle
+ * ST = Washington
+ * C = US
+ * P = 2019-09-18T17:03:15Z/2024-08-22T17:08:50Z
+ * F = 6F:79:56:B0:74:9C:C6:3E:3B:50:26:C8:51:55:08:F0:BB:7E:32:04
+ */
+ '-----BEGIN CERTIFICATE-----\n'
+ + 'MIIEBzCCAu+gAwIBAgICJDQwDQYJKoZIhvcNAQELBQAwgY8xCzAJBgNVBAYTAlVT\n'
+ + 'MRAwDgYDVQQHDAdTZWF0dGxlMRMwEQYDVQQIDApXYXNoaW5ndG9uMSIwIAYDVQQK\n'
+ + 'DBlBbWF6b24gV2ViIFNlcnZpY2VzLCBJbmMuMRMwEQYDVQQLDApBbWF6b24gUkRT\n'
+ + 'MSAwHgYDVQQDDBdBbWF6b24gUkRTIFJvb3QgMjAxOSBDQTAeFw0xOTA5MTgxNzAz\n'
+ + 'MTVaFw0yNDA4MjIxNzA4NTBaMIGUMQswCQYDVQQGEwJVUzETMBEGA1UECAwKV2Fz\n'
+ + 'aGluZ3RvbjEQMA4GA1UEBwwHU2VhdHRsZTEiMCAGA1UECgwZQW1hem9uIFdlYiBT\n'
+ + 'ZXJ2aWNlcywgSW5jLjETMBEGA1UECwwKQW1hem9uIFJEUzElMCMGA1UEAwwcQW1h\n'
+ + 'em9uIFJEUyBldS13ZXN0LTMgMjAxOSBDQTCCASIwDQYJKoZIhvcNAQEBBQADggEP\n'
+ + 'ADCCAQoCggEBAL9bL7KE0n02DLVtlZ2PL+g/BuHpMYFq2JnE2RgompGurDIZdjmh\n'
+ + '1pxfL3nT+QIVMubuAOy8InRfkRxfpxyjKYdfLJTPJG+jDVL+wDcPpACFVqoV7Prg\n'
+ + 'pVYEV0lc5aoYw4bSeYFhdzgim6F8iyjoPnObjll9mo4XsHzSoqJLCd0QC+VG9Fw2\n'
+ + 'q+GDRZrLRmVM2oNGDRbGpGIFg77aRxRapFZa8SnUgs2AqzuzKiprVH5i0S0M6dWr\n'
+ + 'i+kk5epmTtkiDHceX+dP/0R1NcnkCPoQ9TglyXyPdUdTPPRfKCq12dftqll+u4mV\n'
+ + 'ARdN6WFjovxax8EAP2OAUTi1afY+1JFMj+sCAwEAAaNmMGQwDgYDVR0PAQH/BAQD\n'
+ + 'AgEGMBIGA1UdEwEB/wQIMAYBAf8CAQAwHQYDVR0OBBYEFLfhrbrO5exkCVgxW0x3\n'
+ + 'Y2mAi8lNMB8GA1UdIwQYMBaAFHNfYNi8ywOY9CsXNC42WqZg/7wfMA0GCSqGSIb3\n'
+ + 'DQEBCwUAA4IBAQAigQ5VBNGyw+OZFXwxeJEAUYaXVoP/qrhTOJ6mCE2DXUVEoJeV\n'
+ + 'SxScy/TlFA9tJXqmit8JH8VQ/xDL4ubBfeMFAIAo4WzNWDVoeVMqphVEcDWBHsI1\n'
+ + 'AETWzfsapRS9yQekOMmxg63d/nV8xewIl8aNVTHdHYXMqhhik47VrmaVEok1UQb3\n'
+ + 'O971RadLXIEbVd9tjY5bMEHm89JsZDnDEw1hQXBb67Elu64OOxoKaHBgUH8AZn/2\n'
+ + 'zFsL1ynNUjOhCSAA15pgd1vjwc0YsBbAEBPcHBWYBEyME6NLNarjOzBl4FMtATSF\n'
+ + 'wWCKRGkvqN8oxYhwR2jf2rR5Mu4DWkK5Q8Ep\n'
+ + '-----END CERTIFICATE-----\n',
+
+ /**
+ * Amazon RDS me-south-1 certificate CA 2019 to 2024
+ *
+ * CN = Amazon RDS me-south-1 Root CA
+ * OU = Amazon RDS
+ * O = Amazon Web Services, Inc.
+ * L = Seattle
+ * ST = Washington
+ * C = US
+ * P = 2019-05-10T21:48:27Z/2024-05-08T21:48:27Z
+ * F = 8A:69:D7:00:FB:5D:62:9C:B0:D1:75:6F:B7:B6:38:AA:76:C4:BD:1F
+ */
+ '-----BEGIN CERTIFICATE-----\n'
+ + 'MIIEEjCCAvqgAwIBAgIJANew34ehz5l8MA0GCSqGSIb3DQEBCwUAMIGVMQswCQYD\n'
+ + 'VQQGEwJVUzEQMA4GA1UEBwwHU2VhdHRsZTETMBEGA1UECAwKV2FzaGluZ3RvbjEi\n'
+ + 'MCAGA1UECgwZQW1hem9uIFdlYiBTZXJ2aWNlcywgSW5jLjETMBEGA1UECwwKQW1h\n'
+ + 'em9uIFJEUzEmMCQGA1UEAwwdQW1hem9uIFJEUyBtZS1zb3V0aC0xIFJvb3QgQ0Ew\n'
+ + 'HhcNMTkwNTEwMjE0ODI3WhcNMjQwNTA4MjE0ODI3WjCBlTELMAkGA1UEBhMCVVMx\n'
+ + 'EDAOBgNVBAcMB1NlYXR0bGUxEzARBgNVBAgMCldhc2hpbmd0b24xIjAgBgNVBAoM\n'
+ + 'GUFtYXpvbiBXZWIgU2VydmljZXMsIEluYy4xEzARBgNVBAsMCkFtYXpvbiBSRFMx\n'
+ + 'JjAkBgNVBAMMHUFtYXpvbiBSRFMgbWUtc291dGgtMSBSb290IENBMIIBIjANBgkq\n'
+ + 'hkiG9w0BAQEFAAOCAQ8AMIIBCgKCAQEAp7BYV88MukcY+rq0r79+C8UzkT30fEfT\n'
+ + 'aPXbx1d6M7uheGN4FMaoYmL+JE1NZPaMRIPTHhFtLSdPccInvenRDIatcXX+jgOk\n'
+ + 'UA6lnHQ98pwN0pfDUyz/Vph4jBR9LcVkBbe0zdoKKp+HGbMPRU0N2yNrog9gM5O8\n'
+ + 'gkU/3O2csJ/OFQNnj4c2NQloGMUpEmedwJMOyQQfcUyt9CvZDfIPNnheUS29jGSw\n'
+ + 'ERpJe/AENu8Pxyc72jaXQuD+FEi2Ck6lBkSlWYQFhTottAeGvVFNCzKszCntrtqd\n'
+ + 'rdYUwurYsLTXDHv9nW2hfDUQa0mhXf9gNDOBIVAZugR9NqNRNyYLHQIDAQABo2Mw\n'
+ + 'YTAOBgNVHQ8BAf8EBAMCAQYwDwYDVR0TAQH/BAUwAwEB/zAdBgNVHQ4EFgQU54cf\n'
+ + 'DjgwBx4ycBH8+/r8WXdaiqYwHwYDVR0jBBgwFoAU54cfDjgwBx4ycBH8+/r8WXda\n'
+ + 'iqYwDQYJKoZIhvcNAQELBQADggEBAIIMTSPx/dR7jlcxggr+O6OyY49Rlap2laKA\n'
+ + 'eC/XI4ySP3vQkIFlP822U9Kh8a9s46eR0uiwV4AGLabcu0iKYfXjPkIprVCqeXV7\n'
+ + 'ny9oDtrbflyj7NcGdZLvuzSwgl9SYTJp7PVCZtZutsPYlbJrBPHwFABvAkMvRtDB\n'
+ + 'hitIg4AESDGPoCl94sYHpfDfjpUDMSrAMDUyO6DyBdZH5ryRMAs3lGtsmkkNUrso\n'
+ + 'aTW6R05681Z0mvkRdb+cdXtKOSuDZPoe2wJJIaz3IlNQNSrB5TImMYgmt6iAsFhv\n'
+ + '3vfTSTKrZDNTJn4ybG6pq1zWExoXsktZPylJly6R3RBwV6nwqBM=\n'
+ + '-----END CERTIFICATE-----\n',
+
+ /**
+ * Amazon RDS sa-east-1 certificate CA 2019 to 2024
+ *
+ * CN = Amazon RDS sa-east-1 2019 CA
+ * OU = Amazon RDS
+ * O = Amazon Web Services, Inc.
+ * L = Seattle
+ * ST = Washington
+ * C = US
+ * P = 2019-09-05T18:46:29Z/2024-08-22T17:08:50Z
+ * F = 8C:34:0F:AA:FB:10:80:9C:05:CE:D7:BF:0B:12:4D:07:42:39:74:7A
+ */
+ '-----BEGIN CERTIFICATE-----\n'
+ + 'MIIEBzCCAu+gAwIBAgICQ2QwDQYJKoZIhvcNAQELBQAwgY8xCzAJBgNVBAYTAlVT\n'
+ + 'MRAwDgYDVQQHDAdTZWF0dGxlMRMwEQYDVQQIDApXYXNoaW5ndG9uMSIwIAYDVQQK\n'
+ + 'DBlBbWF6b24gV2ViIFNlcnZpY2VzLCBJbmMuMRMwEQYDVQQLDApBbWF6b24gUkRT\n'
+ + 'MSAwHgYDVQQDDBdBbWF6b24gUkRTIFJvb3QgMjAxOSBDQTAeFw0xOTA5MDUxODQ2\n'
+ + 'MjlaFw0yNDA4MjIxNzA4NTBaMIGUMQswCQYDVQQGEwJVUzETMBEGA1UECAwKV2Fz\n'
+ + 'aGluZ3RvbjEQMA4GA1UEBwwHU2VhdHRsZTEiMCAGA1UECgwZQW1hem9uIFdlYiBT\n'
+ + 'ZXJ2aWNlcywgSW5jLjETMBEGA1UECwwKQW1hem9uIFJEUzElMCMGA1UEAwwcQW1h\n'
+ + 'em9uIFJEUyBzYS1lYXN0LTEgMjAxOSBDQTCCASIwDQYJKoZIhvcNAQEBBQADggEP\n'
+ + 'ADCCAQoCggEBAMMvR+ReRnOzqJzoaPipNTt1Z2VA968jlN1+SYKUrYM3No+Vpz0H\n'
+ + 'M6Tn0oYB66ByVsXiGc28ulsqX1HbHsxqDPwvQTKvO7SrmDokoAkjJgLocOLUAeld\n'
+ + '5AwvUjxGRP6yY90NV7X786MpnYb2Il9DIIaV9HjCmPt+rjy2CZjS0UjPjCKNfB8J\n'
+ + 'bFjgW6GGscjeyGb/zFwcom5p4j0rLydbNaOr9wOyQrtt3ZQWLYGY9Zees/b8pmcc\n'
+ + 'Jt+7jstZ2UMV32OO/kIsJ4rMUn2r/uxccPwAc1IDeRSSxOrnFKhW3Cu69iB3bHp7\n'
+ + 'JbawY12g7zshE4I14sHjv3QoXASoXjx4xgMCAwEAAaNmMGQwDgYDVR0PAQH/BAQD\n'
+ + 'AgEGMBIGA1UdEwEB/wQIMAYBAf8CAQAwHQYDVR0OBBYEFI1Fc/Ql2jx+oJPgBVYq\n'
+ + 'ccgP0pQ8MB8GA1UdIwQYMBaAFHNfYNi8ywOY9CsXNC42WqZg/7wfMA0GCSqGSIb3\n'
+ + 'DQEBCwUAA4IBAQB4VVVabVp70myuYuZ3vltQIWqSUMhkaTzehMgGcHjMf9iLoZ/I\n'
+ + '93KiFUSGnek5cRePyS9wcpp0fcBT3FvkjpUdCjVtdttJgZFhBxgTd8y26ImdDDMR\n'
+ + '4+BUuhI5msvjL08f+Vkkpu1GQcGmyFVPFOy/UY8iefu+QyUuiBUnUuEDd49Hw0Fn\n'
+ + '/kIPII6Vj82a2mWV/Q8e+rgN8dIRksRjKI03DEoP8lhPlsOkhdwU6Uz9Vu6NOB2Q\n'
+ + 'Ls1kbcxAc7cFSyRVJEhh12Sz9d0q/CQSTFsVJKOjSNQBQfVnLz1GwO/IieUEAr4C\n'
+ + 'jkTntH0r1LX5b/GwN4R887LvjAEdTbg1his7\n'
+ + '-----END CERTIFICATE-----\n',
+
+ /**
+ * Amazon RDS us-east-1 certificate CA 2019 to 2024
+ *
+ * CN = Amazon RDS us-east-1 2019 CA
+ * OU = Amazon RDS
+ * O = Amazon Web Services, Inc.
+ * L = Seattle
+ * ST = Washington
+ * C = US
+ * P = 2019-09-19T18:16:53Z/2024-08-22T17:08:50Z
+ * F = F0:ED:82:3E:D1:44:47:BA:B5:57:FD:F3:E4:92:74:66:98:8C:1C:78
+ */
+ '-----BEGIN CERTIFICATE-----\n'
+ + 'MIIEBzCCAu+gAwIBAgICJVUwDQYJKoZIhvcNAQELBQAwgY8xCzAJBgNVBAYTAlVT\n'
+ + 'MRAwDgYDVQQHDAdTZWF0dGxlMRMwEQYDVQQIDApXYXNoaW5ndG9uMSIwIAYDVQQK\n'
+ + 'DBlBbWF6b24gV2ViIFNlcnZpY2VzLCBJbmMuMRMwEQYDVQQLDApBbWF6b24gUkRT\n'
+ + 'MSAwHgYDVQQDDBdBbWF6b24gUkRTIFJvb3QgMjAxOSBDQTAeFw0xOTA5MTkxODE2\n'
+ + 'NTNaFw0yNDA4MjIxNzA4NTBaMIGUMQswCQYDVQQGEwJVUzETMBEGA1UECAwKV2Fz\n'
+ + 'aGluZ3RvbjEQMA4GA1UEBwwHU2VhdHRsZTEiMCAGA1UECgwZQW1hem9uIFdlYiBT\n'
+ + 'ZXJ2aWNlcywgSW5jLjETMBEGA1UECwwKQW1hem9uIFJEUzElMCMGA1UEAwwcQW1h\n'
+ + 'em9uIFJEUyB1cy1lYXN0LTEgMjAxOSBDQTCCASIwDQYJKoZIhvcNAQEBBQADggEP\n'
+ + 'ADCCAQoCggEBAM3i/k2u6cqbMdcISGRvh+m+L0yaSIoOXjtpNEoIftAipTUYoMhL\n'
+ + 'InXGlQBVA4shkekxp1N7HXe1Y/iMaPEyb3n+16pf3vdjKl7kaSkIhjdUz3oVUEYt\n'
+ + 'i8Z/XeJJ9H2aEGuiZh3kHixQcZczn8cg3dA9aeeyLSEnTkl/npzLf//669Ammyhs\n'
+ + 'XcAo58yvT0D4E0D/EEHf2N7HRX7j/TlyWvw/39SW0usiCrHPKDLxByLojxLdHzso\n'
+ + 'QIp/S04m+eWn6rmD+uUiRteN1hI5ncQiA3wo4G37mHnUEKo6TtTUh+sd/ku6a8HK\n'
+ + 'glMBcgqudDI90s1OpuIAWmuWpY//8xEG2YECAwEAAaNmMGQwDgYDVR0PAQH/BAQD\n'
+ + 'AgEGMBIGA1UdEwEB/wQIMAYBAf8CAQAwHQYDVR0OBBYEFPqhoWZcrVY9mU7tuemR\n'
+ + 'RBnQIj1jMB8GA1UdIwQYMBaAFHNfYNi8ywOY9CsXNC42WqZg/7wfMA0GCSqGSIb3\n'
+ + 'DQEBCwUAA4IBAQB6zOLZ+YINEs72heHIWlPZ8c6WY8MDU+Be5w1M+BK2kpcVhCUK\n'
+ + 'PJO4nMXpgamEX8DIiaO7emsunwJzMSvavSPRnxXXTKIc0i/g1EbiDjnYX9d85DkC\n'
+ + 'E1LaAUCmCZBVi9fIe0H2r9whIh4uLWZA41oMnJx/MOmo3XyMfQoWcqaSFlMqfZM4\n'
+ + '0rNoB/tdHLNuV4eIdaw2mlHxdWDtF4oH+HFm+2cVBUVC1jXKrFv/euRVtsTT+A6i\n'
+ + 'h2XBHKxQ1Y4HgAn0jACP2QSPEmuoQEIa57bEKEcZsBR8SDY6ZdTd2HLRIApcCOSF\n'
+ + 'MRM8CKLeF658I0XgF8D5EsYoKPsA+74Z+jDH\n'
+ + '-----END CERTIFICATE-----\n',
+
+ /**
+ * Amazon RDS us-east-2 certificate CA 2019 to 2024
+ *
+ * CN = Amazon RDS us-east-2 2019 CA
+ * OU = Amazon RDS
+ * O = Amazon Web Services, Inc.
+ * L = Seattle
+ * ST = Washington
+ * C = US
+ * P = 2019-09-13T17:06:41Z/2024-08-22T17:08:50Z
+ * F = E9:FE:27:2A:A0:0F:CE:DF:AD:51:03:A6:94:F7:1F:6F:BD:1E:28:D3
+ */
+ '-----BEGIN CERTIFICATE-----\n'
+ + 'MIIECDCCAvCgAwIBAgIDAIVCMA0GCSqGSIb3DQEBCwUAMIGPMQswCQYDVQQGEwJV\n'
+ + 'UzEQMA4GA1UEBwwHU2VhdHRsZTETMBEGA1UECAwKV2FzaGluZ3RvbjEiMCAGA1UE\n'
+ + 'CgwZQW1hem9uIFdlYiBTZXJ2aWNlcywgSW5jLjETMBEGA1UECwwKQW1hem9uIFJE\n'
+ + 'UzEgMB4GA1UEAwwXQW1hem9uIFJEUyBSb290IDIwMTkgQ0EwHhcNMTkwOTEzMTcw\n'
+ + 'NjQxWhcNMjQwODIyMTcwODUwWjCBlDELMAkGA1UEBhMCVVMxEzARBgNVBAgMCldh\n'
+ + 'c2hpbmd0b24xEDAOBgNVBAcMB1NlYXR0bGUxIjAgBgNVBAoMGUFtYXpvbiBXZWIg\n'
+ + 'U2VydmljZXMsIEluYy4xEzARBgNVBAsMCkFtYXpvbiBSRFMxJTAjBgNVBAMMHEFt\n'
+ + 'YXpvbiBSRFMgdXMtZWFzdC0yIDIwMTkgQ0EwggEiMA0GCSqGSIb3DQEBAQUAA4IB\n'
+ + 'DwAwggEKAoIBAQDE+T2xYjUbxOp+pv+gRA3FO24+1zCWgXTDF1DHrh1lsPg5k7ht\n'
+ + '2KPYzNc+Vg4E+jgPiW0BQnA6jStX5EqVh8BU60zELlxMNvpg4KumniMCZ3krtMUC\n'
+ + 'au1NF9rM7HBh+O+DYMBLK5eSIVt6lZosOb7bCi3V6wMLA8YqWSWqabkxwN4w0vXI\n'
+ + '8lu5uXXFRemHnlNf+yA/4YtN4uaAyd0ami9+klwdkZfkrDOaiy59haOeBGL8EB/c\n'
+ + 'dbJJlguHH5CpCscs3RKtOOjEonXnKXldxarFdkMzi+aIIjQ8GyUOSAXHtQHb3gZ4\n'
+ + 'nS6Ey0CMlwkB8vUObZU9fnjKJcL5QCQqOfwvAgMBAAGjZjBkMA4GA1UdDwEB/wQE\n'
+ + 'AwIBBjASBgNVHRMBAf8ECDAGAQH/AgEAMB0GA1UdDgQWBBQUPuRHohPxx4VjykmH\n'
+ + '6usGrLL1ETAfBgNVHSMEGDAWgBRzX2DYvMsDmPQrFzQuNlqmYP+8HzANBgkqhkiG\n'
+ + '9w0BAQsFAAOCAQEAUdR9Vb3y33Yj6X6KGtuthZ08SwjImVQPtknzpajNE5jOJAh8\n'
+ + 'quvQnU9nlnMO85fVDU1Dz3lLHGJ/YG1pt1Cqq2QQ200JcWCvBRgdvH6MjHoDQpqZ\n'
+ + 'HvQ3vLgOGqCLNQKFuet9BdpsHzsctKvCVaeBqbGpeCtt3Hh/26tgx0rorPLw90A2\n'
+ + 'V8QSkZJjlcKkLa58N5CMM8Xz8KLWg3MZeT4DmlUXVCukqK2RGuP2L+aME8dOxqNv\n'
+ + 'OnOz1zrL5mR2iJoDpk8+VE/eBDmJX40IJk6jBjWoxAO/RXq+vBozuF5YHN1ujE92\n'
+ + 'tO8HItgTp37XT8bJBAiAnt5mxw+NLSqtxk2QdQ==\n'
+ + '-----END CERTIFICATE-----\n',
+
+ /**
+ * Amazon RDS us-west-1 certificate CA 2019 to 2024
+ *
+ * CN = Amazon RDS us-west-1 2019 CA
+ * OU = Amazon RDS
+ * O = Amazon Web Services, Inc.
+ * L = Seattle
+ * ST = Washington
+ * C = US
+ * P = 2019-09-06T17:40:21Z/2024-08-22T17:08:50Z
+ * F = 1C:9F:DF:84:E6:13:32:F3:91:12:2D:0D:A5:9A:16:5D:AC:DC:E8:93
+ */
+ '-----BEGIN CERTIFICATE-----\n'
+ + 'MIIECDCCAvCgAwIBAgIDAIkHMA0GCSqGSIb3DQEBCwUAMIGPMQswCQYDVQQGEwJV\n'
+ + 'UzEQMA4GA1UEBwwHU2VhdHRsZTETMBEGA1UECAwKV2FzaGluZ3RvbjEiMCAGA1UE\n'
+ + 'CgwZQW1hem9uIFdlYiBTZXJ2aWNlcywgSW5jLjETMBEGA1UECwwKQW1hem9uIFJE\n'
+ + 'UzEgMB4GA1UEAwwXQW1hem9uIFJEUyBSb290IDIwMTkgQ0EwHhcNMTkwOTA2MTc0\n'
+ + 'MDIxWhcNMjQwODIyMTcwODUwWjCBlDELMAkGA1UEBhMCVVMxEzARBgNVBAgMCldh\n'
+ + 'c2hpbmd0b24xEDAOBgNVBAcMB1NlYXR0bGUxIjAgBgNVBAoMGUFtYXpvbiBXZWIg\n'
+ + 'U2VydmljZXMsIEluYy4xEzARBgNVBAsMCkFtYXpvbiBSRFMxJTAjBgNVBAMMHEFt\n'
+ + 'YXpvbiBSRFMgdXMtd2VzdC0xIDIwMTkgQ0EwggEiMA0GCSqGSIb3DQEBAQUAA4IB\n'
+ + 'DwAwggEKAoIBAQDD2yzbbAl77OofTghDMEf624OvU0eS9O+lsdO0QlbfUfWa1Kd6\n'
+ + '0WkgjkLZGfSRxEHMCnrv4UPBSK/Qwn6FTjkDLgemhqBtAnplN4VsoDL+BkRX4Wwq\n'
+ + '/dSQJE2b+0hm9w9UMVGFDEq1TMotGGTD2B71eh9HEKzKhGzqiNeGsiX4VV+LJzdH\n'
+ + 'uM23eGisNqmd4iJV0zcAZ+Gbh2zK6fqTOCvXtm7Idccv8vZZnyk1FiWl3NR4WAgK\n'
+ + 'AkvWTIoFU3Mt7dIXKKClVmvssG8WHCkd3Xcb4FHy/G756UZcq67gMMTX/9fOFM/v\n'
+ + 'l5C0+CHl33Yig1vIDZd+fXV1KZD84dEJfEvHAgMBAAGjZjBkMA4GA1UdDwEB/wQE\n'
+ + 'AwIBBjASBgNVHRMBAf8ECDAGAQH/AgEAMB0GA1UdDgQWBBR+ap20kO/6A7pPxo3+\n'
+ + 'T3CfqZpQWjAfBgNVHSMEGDAWgBRzX2DYvMsDmPQrFzQuNlqmYP+8HzANBgkqhkiG\n'
+ + '9w0BAQsFAAOCAQEAHCJky2tPjPttlDM/RIqExupBkNrnSYnOK4kr9xJ3sl8UF2DA\n'
+ + 'PAnYsjXp3rfcjN/k/FVOhxwzi3cXJF/2Tjj39Bm/OEfYTOJDNYtBwB0VVH4ffa/6\n'
+ + 'tZl87jaIkrxJcreeeHqYMnIxeN0b/kliyA+a5L2Yb0VPjt9INq34QDc1v74FNZ17\n'
+ + '4z8nr1nzg4xsOWu0Dbjo966lm4nOYIGBRGOKEkHZRZ4mEiMgr3YLkv8gSmeitx57\n'
+ + 'Z6dVemNtUic/LVo5Iqw4n3TBS0iF2C1Q1xT/s3h+0SXZlfOWttzSluDvoMv5PvCd\n'
+ + 'pFjNn+aXLAALoihL1MJSsxydtsLjOBro5eK0Vw==\n'
+ + '-----END CERTIFICATE-----\n',
+
+ /**
+ * Amazon RDS us-west-2 certificate CA 2019 to 2024
+ *
+ * CN = Amazon RDS us-west-2 2019 CA
+ * OU = Amazon RDS
+ * O = Amazon Web Services, Inc.
+ * L = Seattle
+ * ST = Washington
+ * C = US
+ * P = 2019-09-16T18:21:15Z/2024-08-22T17:08:50Z
+ * F = C8:DE:1D:13:AD:35:9B:3D:EA:18:2A:DC:B4:79:6D:22:47:75:3C:4A
+ */
+ '-----BEGIN CERTIFICATE-----\n'
+ + 'MIIEBzCCAu+gAwIBAgICUYkwDQYJKoZIhvcNAQELBQAwgY8xCzAJBgNVBAYTAlVT\n'
+ + 'MRAwDgYDVQQHDAdTZWF0dGxlMRMwEQYDVQQIDApXYXNoaW5ndG9uMSIwIAYDVQQK\n'
+ + 'DBlBbWF6b24gV2ViIFNlcnZpY2VzLCBJbmMuMRMwEQYDVQQLDApBbWF6b24gUkRT\n'
+ + 'MSAwHgYDVQQDDBdBbWF6b24gUkRTIFJvb3QgMjAxOSBDQTAeFw0xOTA5MTYxODIx\n'
+ + 'MTVaFw0yNDA4MjIxNzA4NTBaMIGUMQswCQYDVQQGEwJVUzETMBEGA1UECAwKV2Fz\n'
+ + 'aGluZ3RvbjEQMA4GA1UEBwwHU2VhdHRsZTEiMCAGA1UECgwZQW1hem9uIFdlYiBT\n'
+ + 'ZXJ2aWNlcywgSW5jLjETMBEGA1UECwwKQW1hem9uIFJEUzElMCMGA1UEAwwcQW1h\n'
+ + 'em9uIFJEUyB1cy13ZXN0LTIgMjAxOSBDQTCCASIwDQYJKoZIhvcNAQEBBQADggEP\n'
+ + 'ADCCAQoCggEBANCEZBZyu6yJQFZBJmSUZfSZd3Ui2gitczMKC4FLr0QzkbxY+cLa\n'
+ + 'uVONIOrPt4Rwi+3h/UdnUg917xao3S53XDf1TDMFEYp4U8EFPXqCn/GXBIWlU86P\n'
+ + 'PvBN+gzw3nS+aco7WXb+woTouvFVkk8FGU7J532llW8o/9ydQyDIMtdIkKTuMfho\n'
+ + 'OiNHSaNc+QXQ32TgvM9A/6q7ksUoNXGCP8hDOkSZ/YOLiI5TcdLh/aWj00ziL5bj\n'
+ + 'pvytiMZkilnc9dLY9QhRNr0vGqL0xjmWdoEXz9/OwjmCihHqJq+20MJPsvFm7D6a\n'
+ + '2NKybR9U+ddrjb8/iyLOjURUZnj5O+2+OPcCAwEAAaNmMGQwDgYDVR0PAQH/BAQD\n'
+ + 'AgEGMBIGA1UdEwEB/wQIMAYBAf8CAQAwHQYDVR0OBBYEFEBxMBdv81xuzqcK5TVu\n'
+ + 'pHj+Aor8MB8GA1UdIwQYMBaAFHNfYNi8ywOY9CsXNC42WqZg/7wfMA0GCSqGSIb3\n'
+ + 'DQEBCwUAA4IBAQBZkfiVqGoJjBI37aTlLOSjLcjI75L5wBrwO39q+B4cwcmpj58P\n'
+ + '3sivv+jhYfAGEbQnGRzjuFoyPzWnZ1DesRExX+wrmHsLLQbF2kVjLZhEJMHF9eB7\n'
+ + 'GZlTPdTzHErcnuXkwA/OqyXMpj9aghcQFuhCNguEfnROY9sAoK2PTfnTz9NJHL+Q\n'
+ + 'UpDLEJEUfc0GZMVWYhahc0x38ZnSY2SKacIPECQrTI0KpqZv/P+ijCEcMD9xmYEb\n'
+ + 'jL4en+XKS1uJpw5fIU5Sj0MxhdGstH6S84iAE5J3GM3XHklGSFwwqPYvuTXvANH6\n'
+ + 'uboynxRgSae59jIlAK6Jrr6GWMwQRbgcaAlW\n'
+ + '-----END CERTIFICATE-----\n'
+ ]
+};
diff --git "a/\351\231\210\351\233\204\350\276\211/\350\277\231\346\230\257\344\270\200\344\270\252\345\260\217\347\210\254\350\231\253/node_modules/mysql/lib/protocol/constants/types.js" "b/\351\231\210\351\233\204\350\276\211/\350\277\231\346\230\257\344\270\200\344\270\252\345\260\217\347\210\254\350\231\253/node_modules/mysql/lib/protocol/constants/types.js"
new file mode 100644
index 0000000000000000000000000000000000000000..a33cd502c10deb92fa07065fd0c16721b92d4ded
--- /dev/null
+++ "b/\351\231\210\351\233\204\350\276\211/\350\277\231\346\230\257\344\270\200\344\270\252\345\260\217\347\210\254\350\231\253/node_modules/mysql/lib/protocol/constants/types.js"
@@ -0,0 +1,72 @@
+/**
+ * MySQL type constants
+ *
+ * Extracted from version 5.7.29
+ *
+ * !! Generated by generate-type-constants.js, do not modify by hand !!
+ */
+
+exports.DECIMAL = 0;
+exports.TINY = 1;
+exports.SHORT = 2;
+exports.LONG = 3;
+exports.FLOAT = 4;
+exports.DOUBLE = 5;
+exports.NULL = 6;
+exports.TIMESTAMP = 7;
+exports.LONGLONG = 8;
+exports.INT24 = 9;
+exports.DATE = 10;
+exports.TIME = 11;
+exports.DATETIME = 12;
+exports.YEAR = 13;
+exports.NEWDATE = 14;
+exports.VARCHAR = 15;
+exports.BIT = 16;
+exports.TIMESTAMP2 = 17;
+exports.DATETIME2 = 18;
+exports.TIME2 = 19;
+exports.JSON = 245;
+exports.NEWDECIMAL = 246;
+exports.ENUM = 247;
+exports.SET = 248;
+exports.TINY_BLOB = 249;
+exports.MEDIUM_BLOB = 250;
+exports.LONG_BLOB = 251;
+exports.BLOB = 252;
+exports.VAR_STRING = 253;
+exports.STRING = 254;
+exports.GEOMETRY = 255;
+
+// Lookup-by-number table
+exports[0] = 'DECIMAL';
+exports[1] = 'TINY';
+exports[2] = 'SHORT';
+exports[3] = 'LONG';
+exports[4] = 'FLOAT';
+exports[5] = 'DOUBLE';
+exports[6] = 'NULL';
+exports[7] = 'TIMESTAMP';
+exports[8] = 'LONGLONG';
+exports[9] = 'INT24';
+exports[10] = 'DATE';
+exports[11] = 'TIME';
+exports[12] = 'DATETIME';
+exports[13] = 'YEAR';
+exports[14] = 'NEWDATE';
+exports[15] = 'VARCHAR';
+exports[16] = 'BIT';
+exports[17] = 'TIMESTAMP2';
+exports[18] = 'DATETIME2';
+exports[19] = 'TIME2';
+exports[245] = 'JSON';
+exports[246] = 'NEWDECIMAL';
+exports[247] = 'ENUM';
+exports[248] = 'SET';
+exports[249] = 'TINY_BLOB';
+exports[250] = 'MEDIUM_BLOB';
+exports[251] = 'LONG_BLOB';
+exports[252] = 'BLOB';
+exports[253] = 'VAR_STRING';
+exports[254] = 'STRING';
+exports[255] = 'GEOMETRY';
diff --git "a/\351\231\210\351\233\204\350\276\211/\350\277\231\346\230\257\344\270\200\344\270\252\345\260\217\347\210\254\350\231\253/node_modules/mysql/lib/protocol/packets/AuthSwitchRequestPacket.js" "b/\351\231\210\351\233\204\350\276\211/\350\277\231\346\230\257\344\270\200\344\270\252\345\260\217\347\210\254\350\231\253/node_modules/mysql/lib/protocol/packets/AuthSwitchRequestPacket.js"
new file mode 100644
index 0000000000000000000000000000000000000000..c74e6ec23680991261e2184ee3c69bbd338daa52
--- /dev/null
+++ "b/\351\231\210\351\233\204\350\276\211/\350\277\231\346\230\257\344\270\200\344\270\252\345\260\217\347\210\254\350\231\253/node_modules/mysql/lib/protocol/packets/AuthSwitchRequestPacket.js"
@@ -0,0 +1,20 @@
+module.exports = AuthSwitchRequestPacket;
+function AuthSwitchRequestPacket(options) {
+ options = options || {};
+
+ this.status = 0xfe;
+ this.authMethodName = options.authMethodName;
+ this.authMethodData = options.authMethodData;
+}
+
+AuthSwitchRequestPacket.prototype.parse = function parse(parser) {
+ this.status = parser.parseUnsignedNumber(1);
+ this.authMethodName = parser.parseNullTerminatedString();
+ this.authMethodData = parser.parsePacketTerminatedBuffer();
+};
+
+AuthSwitchRequestPacket.prototype.write = function write(writer) {
+ writer.writeUnsignedNumber(1, this.status);
+ writer.writeNullTerminatedString(this.authMethodName);
+ writer.writeBuffer(this.authMethodData);
+};
diff --git "a/\351\231\210\351\233\204\350\276\211/\350\277\231\346\230\257\344\270\200\344\270\252\345\260\217\347\210\254\350\231\253/node_modules/mysql/lib/protocol/packets/AuthSwitchResponsePacket.js" "b/\351\231\210\351\233\204\350\276\211/\350\277\231\346\230\257\344\270\200\344\270\252\345\260\217\347\210\254\350\231\253/node_modules/mysql/lib/protocol/packets/AuthSwitchResponsePacket.js"
new file mode 100644
index 0000000000000000000000000000000000000000..488abbd03b26f3bf9b5952f53ec7b48096d74e68
--- /dev/null
+++ "b/\351\231\210\351\233\204\350\276\211/\350\277\231\346\230\257\344\270\200\344\270\252\345\260\217\347\210\254\350\231\253/node_modules/mysql/lib/protocol/packets/AuthSwitchResponsePacket.js"
@@ -0,0 +1,14 @@
+module.exports = AuthSwitchResponsePacket;
+function AuthSwitchResponsePacket(options) {
+ options = options || {};
+
+ this.data = options.data;
+}
+
+AuthSwitchResponsePacket.prototype.parse = function parse(parser) {
+ this.data = parser.parsePacketTerminatedBuffer();
+};
+
+AuthSwitchResponsePacket.prototype.write = function write(writer) {
+ writer.writeBuffer(this.data);
+};
diff --git "a/\351\231\210\351\233\204\350\276\211/\350\277\231\346\230\257\344\270\200\344\270\252\345\260\217\347\210\254\350\231\253/node_modules/mysql/lib/protocol/packets/ClientAuthenticationPacket.js" "b/\351\231\210\351\233\204\350\276\211/\350\277\231\346\230\257\344\270\200\344\270\252\345\260\217\347\210\254\350\231\253/node_modules/mysql/lib/protocol/packets/ClientAuthenticationPacket.js"
new file mode 100644
index 0000000000000000000000000000000000000000..595db77a002f236f10e78e9c5b816ba0afc57f5d
--- /dev/null
+++ "b/\351\231\210\351\233\204\350\276\211/\350\277\231\346\230\257\344\270\200\344\270\252\345\260\217\347\210\254\350\231\253/node_modules/mysql/lib/protocol/packets/ClientAuthenticationPacket.js"
@@ -0,0 +1,54 @@
+var Buffer = require('safe-buffer').Buffer;
+
+module.exports = ClientAuthenticationPacket;
+function ClientAuthenticationPacket(options) {
+ options = options || {};
+
+ this.clientFlags = options.clientFlags;
+ this.maxPacketSize = options.maxPacketSize;
+ this.charsetNumber = options.charsetNumber;
+ this.filler = undefined;
+ this.user = options.user;
+ this.scrambleBuff = options.scrambleBuff;
+ this.database = options.database;
+ this.protocol41 = options.protocol41;
+}
+
+ClientAuthenticationPacket.prototype.parse = function(parser) {
+ if (this.protocol41) {
+ this.clientFlags = parser.parseUnsignedNumber(4);
+ this.maxPacketSize = parser.parseUnsignedNumber(4);
+ this.charsetNumber = parser.parseUnsignedNumber(1);
+ this.filler = parser.parseFiller(23);
+ this.user = parser.parseNullTerminatedString();
+ this.scrambleBuff = parser.parseLengthCodedBuffer();
+ this.database = parser.parseNullTerminatedString();
+ } else {
+ this.clientFlags = parser.parseUnsignedNumber(2);
+ this.maxPacketSize = parser.parseUnsignedNumber(3);
+ this.user = parser.parseNullTerminatedString();
+ this.scrambleBuff = parser.parseBuffer(8);
+ this.database = parser.parseLengthCodedBuffer();
+ }
+};
+
+ClientAuthenticationPacket.prototype.write = function(writer) {
+ if (this.protocol41) {
+ writer.writeUnsignedNumber(4, this.clientFlags);
+ writer.writeUnsignedNumber(4, this.maxPacketSize);
+ writer.writeUnsignedNumber(1, this.charsetNumber);
+ writer.writeFiller(23);
+ writer.writeNullTerminatedString(this.user);
+ writer.writeLengthCodedBuffer(this.scrambleBuff);
+ writer.writeNullTerminatedString(this.database);
+ } else {
+ writer.writeUnsignedNumber(2, this.clientFlags);
+ writer.writeUnsignedNumber(3, this.maxPacketSize);
+ writer.writeNullTerminatedString(this.user);
+ writer.writeBuffer(this.scrambleBuff);
+ if (this.database && this.database.length) {
+ writer.writeFiller(1);
+ writer.writeBuffer(Buffer.from(this.database));
+ }
+ }
+};
diff --git "a/\351\231\210\351\233\204\350\276\211/\350\277\231\346\230\257\344\270\200\344\270\252\345\260\217\347\210\254\350\231\253/node_modules/mysql/lib/protocol/packets/ComChangeUserPacket.js" "b/\351\231\210\351\233\204\350\276\211/\350\277\231\346\230\257\344\270\200\344\270\252\345\260\217\347\210\254\350\231\253/node_modules/mysql/lib/protocol/packets/ComChangeUserPacket.js"
new file mode 100644
index 0000000000000000000000000000000000000000..3278842358f1e083729481d68b37e5ffbb9bae49
--- /dev/null
+++ "b/\351\231\210\351\233\204\350\276\211/\350\277\231\346\230\257\344\270\200\344\270\252\345\260\217\347\210\254\350\231\253/node_modules/mysql/lib/protocol/packets/ComChangeUserPacket.js"
@@ -0,0 +1,26 @@
+module.exports = ComChangeUserPacket;
+function ComChangeUserPacket(options) {
+ options = options || {};
+
+ this.command = 0x11;
+ this.user = options.user;
+ this.scrambleBuff = options.scrambleBuff;
+ this.database = options.database;
+ this.charsetNumber = options.charsetNumber;
+}
+
+ComChangeUserPacket.prototype.parse = function(parser) {
+ this.command = parser.parseUnsignedNumber(1);
+ this.user = parser.parseNullTerminatedString();
+ this.scrambleBuff = parser.parseLengthCodedBuffer();
+ this.database = parser.parseNullTerminatedString();
+ this.charsetNumber = parser.parseUnsignedNumber(1);
+};
+
+ComChangeUserPacket.prototype.write = function(writer) {
+ writer.writeUnsignedNumber(1, this.command);
+ writer.writeNullTerminatedString(this.user);
+ writer.writeLengthCodedBuffer(this.scrambleBuff);
+ writer.writeNullTerminatedString(this.database);
+ writer.writeUnsignedNumber(2, this.charsetNumber);
+};
diff --git "a/\351\231\210\351\233\204\350\276\211/\350\277\231\346\230\257\344\270\200\344\270\252\345\260\217\347\210\254\350\231\253/node_modules/mysql/lib/protocol/packets/ComPingPacket.js" "b/\351\231\210\351\233\204\350\276\211/\350\277\231\346\230\257\344\270\200\344\270\252\345\260\217\347\210\254\350\231\253/node_modules/mysql/lib/protocol/packets/ComPingPacket.js"
new file mode 100644
index 0000000000000000000000000000000000000000..dd332c93cb42201f5a3311e21a393117fd3b9ffa
--- /dev/null
+++ "b/\351\231\210\351\233\204\350\276\211/\350\277\231\346\230\257\344\270\200\344\270\252\345\260\217\347\210\254\350\231\253/node_modules/mysql/lib/protocol/packets/ComPingPacket.js"
@@ -0,0 +1,12 @@
+module.exports = ComPingPacket;
+function ComPingPacket() {
+ this.command = 0x0e;
+}
+
+ComPingPacket.prototype.write = function(writer) {
+ writer.writeUnsignedNumber(1, this.command);
+};
+
+ComPingPacket.prototype.parse = function(parser) {
+ this.command = parser.parseUnsignedNumber(1);
+};
diff --git "a/\351\231\210\351\233\204\350\276\211/\350\277\231\346\230\257\344\270\200\344\270\252\345\260\217\347\210\254\350\231\253/node_modules/mysql/lib/protocol/packets/ComQueryPacket.js" "b/\351\231\210\351\233\204\350\276\211/\350\277\231\346\230\257\344\270\200\344\270\252\345\260\217\347\210\254\350\231\253/node_modules/mysql/lib/protocol/packets/ComQueryPacket.js"
new file mode 100644
index 0000000000000000000000000000000000000000..7ac191fd0a1abd5ddd1ceaf4c70959e6731c1bce
--- /dev/null
+++ "b/\351\231\210\351\233\204\350\276\211/\350\277\231\346\230\257\344\270\200\344\270\252\345\260\217\347\210\254\350\231\253/node_modules/mysql/lib/protocol/packets/ComQueryPacket.js"
@@ -0,0 +1,15 @@
+module.exports = ComQueryPacket;
+function ComQueryPacket(sql) {
+ this.command = 0x03;
+ this.sql = sql;
+}
+
+ComQueryPacket.prototype.write = function(writer) {
+ writer.writeUnsignedNumber(1, this.command);
+ writer.writeString(this.sql);
+};
+
+ComQueryPacket.prototype.parse = function(parser) {
+ this.command = parser.parseUnsignedNumber(1);
+ this.sql = parser.parsePacketTerminatedString();
+};
diff --git "a/\351\231\210\351\233\204\350\276\211/\350\277\231\346\230\257\344\270\200\344\270\252\345\260\217\347\210\254\350\231\253/node_modules/mysql/lib/protocol/packets/ComQuitPacket.js" "b/\351\231\210\351\233\204\350\276\211/\350\277\231\346\230\257\344\270\200\344\270\252\345\260\217\347\210\254\350\231\253/node_modules/mysql/lib/protocol/packets/ComQuitPacket.js"
new file mode 100644
index 0000000000000000000000000000000000000000..1104061cb29cee10858660db16e493c06efc46e7
--- /dev/null
+++ "b/\351\231\210\351\233\204\350\276\211/\350\277\231\346\230\257\344\270\200\344\270\252\345\260\217\347\210\254\350\231\253/node_modules/mysql/lib/protocol/packets/ComQuitPacket.js"
@@ -0,0 +1,12 @@
+module.exports = ComQuitPacket;
+function ComQuitPacket() {
+ this.command = 0x01;
+}
+
+ComQuitPacket.prototype.parse = function parse(parser) {
+ this.command = parser.parseUnsignedNumber(1);
+};
+
+ComQuitPacket.prototype.write = function write(writer) {
+ writer.writeUnsignedNumber(1, this.command);
+};
diff --git "a/\351\231\210\351\233\204\350\276\211/\350\277\231\346\230\257\344\270\200\344\270\252\345\260\217\347\210\254\350\231\253/node_modules/mysql/lib/protocol/packets/ComStatisticsPacket.js" "b/\351\231\210\351\233\204\350\276\211/\350\277\231\346\230\257\344\270\200\344\270\252\345\260\217\347\210\254\350\231\253/node_modules/mysql/lib/protocol/packets/ComStatisticsPacket.js"
new file mode 100644
index 0000000000000000000000000000000000000000..5e3913e15e09f9272461b8e0dfbb2434262921e7
--- /dev/null
+++ "b/\351\231\210\351\233\204\350\276\211/\350\277\231\346\230\257\344\270\200\344\270\252\345\260\217\347\210\254\350\231\253/node_modules/mysql/lib/protocol/packets/ComStatisticsPacket.js"
@@ -0,0 +1,12 @@
+module.exports = ComStatisticsPacket;
+function ComStatisticsPacket() {
+ this.command = 0x09;
+}
+
+ComStatisticsPacket.prototype.write = function(writer) {
+ writer.writeUnsignedNumber(1, this.command);
+};
+
+ComStatisticsPacket.prototype.parse = function(parser) {
+ this.command = parser.parseUnsignedNumber(1);
+};
diff --git "a/\351\231\210\351\233\204\350\276\211/\350\277\231\346\230\257\344\270\200\344\270\252\345\260\217\347\210\254\350\231\253/node_modules/mysql/lib/protocol/packets/EmptyPacket.js" "b/\351\231\210\351\233\204\350\276\211/\350\277\231\346\230\257\344\270\200\344\270\252\345\260\217\347\210\254\350\231\253/node_modules/mysql/lib/protocol/packets/EmptyPacket.js"
new file mode 100644
index 0000000000000000000000000000000000000000..27dd68604ab0e3e4d4d648b221291c334fce17bd
--- /dev/null
+++ "b/\351\231\210\351\233\204\350\276\211/\350\277\231\346\230\257\344\270\200\344\270\252\345\260\217\347\210\254\350\231\253/node_modules/mysql/lib/protocol/packets/EmptyPacket.js"
@@ -0,0 +1,9 @@
+module.exports = EmptyPacket;
+function EmptyPacket() {
+}
+
+EmptyPacket.prototype.parse = function parse() {
+};
+
+EmptyPacket.prototype.write = function write() {
+};
diff --git "a/\351\231\210\351\233\204\350\276\211/\350\277\231\346\230\257\344\270\200\344\270\252\345\260\217\347\210\254\350\231\253/node_modules/mysql/lib/protocol/packets/EofPacket.js" "b/\351\231\210\351\233\204\350\276\211/\350\277\231\346\230\257\344\270\200\344\270\252\345\260\217\347\210\254\350\231\253/node_modules/mysql/lib/protocol/packets/EofPacket.js"
new file mode 100644
index 0000000000000000000000000000000000000000..b80ca5ef22f0036e31add667da8d5f9567728c6d
--- /dev/null
+++ "b/\351\231\210\351\233\204\350\276\211/\350\277\231\346\230\257\344\270\200\344\270\252\345\260\217\347\210\254\350\231\253/node_modules/mysql/lib/protocol/packets/EofPacket.js"
@@ -0,0 +1,25 @@
+module.exports = EofPacket;
+function EofPacket(options) {
+ options = options || {};
+
+ this.fieldCount = undefined;
+ this.warningCount = options.warningCount;
+ this.serverStatus = options.serverStatus;
+ this.protocol41 = options.protocol41;
+}
+
+EofPacket.prototype.parse = function(parser) {
+ this.fieldCount = parser.parseUnsignedNumber(1);
+ if (this.protocol41) {
+ this.warningCount = parser.parseUnsignedNumber(2);
+ this.serverStatus = parser.parseUnsignedNumber(2);
+ }
+};
+
+EofPacket.prototype.write = function(writer) {
+ writer.writeUnsignedNumber(1, 0xfe);
+ if (this.protocol41) {
+ writer.writeUnsignedNumber(2, this.warningCount);
+ writer.writeUnsignedNumber(2, this.serverStatus);
+ }
+};
diff --git "a/\351\231\210\351\233\204\350\276\211/\350\277\231\346\230\257\344\270\200\344\270\252\345\260\217\347\210\254\350\231\253/node_modules/mysql/lib/protocol/packets/ErrorPacket.js" "b/\351\231\210\351\233\204\350\276\211/\350\277\231\346\230\257\344\270\200\344\270\252\345\260\217\347\210\254\350\231\253/node_modules/mysql/lib/protocol/packets/ErrorPacket.js"
new file mode 100644
index 0000000000000000000000000000000000000000..e03de00ce2b5ebb3fab5057f4b08058e6904499c
--- /dev/null
+++ "b/\351\231\210\351\233\204\350\276\211/\350\277\231\346\230\257\344\270\200\344\270\252\345\260\217\347\210\254\350\231\253/node_modules/mysql/lib/protocol/packets/ErrorPacket.js"
@@ -0,0 +1,35 @@
+module.exports = ErrorPacket;
+function ErrorPacket(options) {
+ options = options || {};
+
+ this.fieldCount = options.fieldCount;
+ this.errno = options.errno;
+ this.sqlStateMarker = options.sqlStateMarker;
+ this.sqlState = options.sqlState;
+ this.message = options.message;
+}
+
+ErrorPacket.prototype.parse = function(parser) {
+ this.fieldCount = parser.parseUnsignedNumber(1);
+ this.errno = parser.parseUnsignedNumber(2);
+
+ // sqlStateMarker ('#' = 0x23) indicates error packet format
+ if (parser.peak() === 0x23) {
+ this.sqlStateMarker = parser.parseString(1);
+ this.sqlState = parser.parseString(5);
+ }
+
+ this.message = parser.parsePacketTerminatedString();
+};
+
+ErrorPacket.prototype.write = function(writer) {
+ writer.writeUnsignedNumber(1, 0xff);
+ writer.writeUnsignedNumber(2, this.errno);
+
+ if (this.sqlStateMarker) {
+ writer.writeString(this.sqlStateMarker);
+ writer.writeString(this.sqlState);
+ }
+
+ writer.writeString(this.message);
+};
diff --git "a/\351\231\210\351\233\204\350\276\211/\350\277\231\346\230\257\344\270\200\344\270\252\345\260\217\347\210\254\350\231\253/node_modules/mysql/lib/protocol/packets/Field.js" "b/\351\231\210\351\233\204\350\276\211/\350\277\231\346\230\257\344\270\200\344\270\252\345\260\217\347\210\254\350\231\253/node_modules/mysql/lib/protocol/packets/Field.js"
new file mode 100644
index 0000000000000000000000000000000000000000..a5d58edb6569afafb0dea0529f80787b6f351df3
--- /dev/null
+++ "b/\351\231\210\351\233\204\350\276\211/\350\277\231\346\230\257\344\270\200\344\270\252\345\260\217\347\210\254\350\231\253/node_modules/mysql/lib/protocol/packets/Field.js"
@@ -0,0 +1,26 @@
+var Types = require('../constants/types');
+
+module.exports = Field;
+function Field(options) {
+ options = options || {};
+
+ this.parser = options.parser;
+ this.packet = options.packet;
+ this.db = options.packet.db;
+ this.table = options.packet.table;
+ this.name = options.packet.name;
+ this.type = Types[options.packet.type];
+ this.length = options.packet.length;
+}
+
+Field.prototype.string = function () {
+ return this.parser.parseLengthCodedString();
+};
+
+Field.prototype.buffer = function () {
+ return this.parser.parseLengthCodedBuffer();
+};
+
+Field.prototype.geometry = function () {
+ return this.parser.parseGeometryValue();
+};
diff --git "a/\351\231\210\351\233\204\350\276\211/\350\277\231\346\230\257\344\270\200\344\270\252\345\260\217\347\210\254\350\231\253/node_modules/mysql/lib/protocol/packets/FieldPacket.js" "b/\351\231\210\351\233\204\350\276\211/\350\277\231\346\230\257\344\270\200\344\270\252\345\260\217\347\210\254\350\231\253/node_modules/mysql/lib/protocol/packets/FieldPacket.js"
new file mode 100644
index 0000000000000000000000000000000000000000..12cfed10c174f705ec8c8364782e9f54f1573b03
--- /dev/null
+++ "b/\351\231\210\351\233\204\350\276\211/\350\277\231\346\230\257\344\270\200\344\270\252\345\260\217\347\210\254\350\231\253/node_modules/mysql/lib/protocol/packets/FieldPacket.js"
@@ -0,0 +1,93 @@
+module.exports = FieldPacket;
+function FieldPacket(options) {
+ options = options || {};
+
+ this.catalog = options.catalog;
+ this.db = options.db;
+ this.table = options.table;
+ this.orgTable = options.orgTable;
+ this.name = options.name;
+ this.orgName = options.orgName;
+ this.charsetNr = options.charsetNr;
+ this.length = options.length;
+ this.type = options.type;
+ this.flags = options.flags;
+ this.decimals = options.decimals;
+ this.default = options.default;
+ this.zeroFill = options.zeroFill;
+ this.protocol41 = options.protocol41;
+}
+
+FieldPacket.prototype.parse = function(parser) {
+ if (this.protocol41) {
+ this.catalog = parser.parseLengthCodedString();
+ this.db = parser.parseLengthCodedString();
+ this.table = parser.parseLengthCodedString();
+ this.orgTable = parser.parseLengthCodedString();
+ this.name = parser.parseLengthCodedString();
+ this.orgName = parser.parseLengthCodedString();
+
+ if (parser.parseLengthCodedNumber() !== 0x0c) {
+ var err = new TypeError('Received invalid field length');
+ err.code = 'PARSER_INVALID_FIELD_LENGTH';
+ throw err;
+ }
+
+ this.charsetNr = parser.parseUnsignedNumber(2);
+ this.length = parser.parseUnsignedNumber(4);
+ this.type = parser.parseUnsignedNumber(1);
+ this.flags = parser.parseUnsignedNumber(2);
+ this.decimals = parser.parseUnsignedNumber(1);
+
+ var filler = parser.parseBuffer(2);
+ if (filler[0] !== 0x0 || filler[1] !== 0x0) {
+ var err = new TypeError('Received invalid filler');
+ err.code = 'PARSER_INVALID_FILLER';
+ throw err;
+ }
+
+ // parsed flags
+ this.zeroFill = (this.flags & 0x0040 ? true : false);
+
+ if (parser.reachedPacketEnd()) {
+ return;
+ }
+
+ this.default = parser.parseLengthCodedString();
+ } else {
+ this.table = parser.parseLengthCodedString();
+ this.name = parser.parseLengthCodedString();
+ this.length = parser.parseUnsignedNumber(parser.parseUnsignedNumber(1));
+ this.type = parser.parseUnsignedNumber(parser.parseUnsignedNumber(1));
+ }
+};
+
+FieldPacket.prototype.write = function(writer) {
+ if (this.protocol41) {
+ writer.writeLengthCodedString(this.catalog);
+ writer.writeLengthCodedString(this.db);
+ writer.writeLengthCodedString(this.table);
+ writer.writeLengthCodedString(this.orgTable);
+ writer.writeLengthCodedString(this.name);
+ writer.writeLengthCodedString(this.orgName);
+
+ writer.writeLengthCodedNumber(0x0c);
+ writer.writeUnsignedNumber(2, this.charsetNr || 0);
+ writer.writeUnsignedNumber(4, this.length || 0);
+ writer.writeUnsignedNumber(1, this.type || 0);
+ writer.writeUnsignedNumber(2, this.flags || 0);
+ writer.writeUnsignedNumber(1, this.decimals || 0);
+ writer.writeFiller(2);
+
+ if (this.default !== undefined) {
+ writer.writeLengthCodedString(this.default);
+ }
+ } else {
+ writer.writeLengthCodedString(this.table);
+ writer.writeLengthCodedString(this.name);
+ writer.writeUnsignedNumber(1, 0x01);
+ writer.writeUnsignedNumber(1, this.length);
+ writer.writeUnsignedNumber(1, 0x01);
+ writer.writeUnsignedNumber(1, this.type);
+ }
+};
diff --git "a/\351\231\210\351\233\204\350\276\211/\350\277\231\346\230\257\344\270\200\344\270\252\345\260\217\347\210\254\350\231\253/node_modules/mysql/lib/protocol/packets/HandshakeInitializationPacket.js" "b/\351\231\210\351\233\204\350\276\211/\350\277\231\346\230\257\344\270\200\344\270\252\345\260\217\347\210\254\350\231\253/node_modules/mysql/lib/protocol/packets/HandshakeInitializationPacket.js"
new file mode 100644
index 0000000000000000000000000000000000000000..b2510633b807b91e3b9698f9778acde3b64069ef
--- /dev/null
+++ "b/\351\231\210\351\233\204\350\276\211/\350\277\231\346\230\257\344\270\200\344\270\252\345\260\217\347\210\254\350\231\253/node_modules/mysql/lib/protocol/packets/HandshakeInitializationPacket.js"
@@ -0,0 +1,103 @@
+var Buffer = require('safe-buffer').Buffer;
+var Client = require('../constants/client');
+
+module.exports = HandshakeInitializationPacket;
+function HandshakeInitializationPacket(options) {
+ options = options || {};
+
+ this.protocolVersion = options.protocolVersion;
+ this.serverVersion = options.serverVersion;
+ this.threadId = options.threadId;
+ this.scrambleBuff1 = options.scrambleBuff1;
+ this.filler1 = options.filler1;
+ this.serverCapabilities1 = options.serverCapabilities1;
+ this.serverLanguage = options.serverLanguage;
+ this.serverStatus = options.serverStatus;
+ this.serverCapabilities2 = options.serverCapabilities2;
+ this.scrambleLength = options.scrambleLength;
+ this.filler2 = options.filler2;
+ this.scrambleBuff2 = options.scrambleBuff2;
+ this.filler3 = options.filler3;
+ this.pluginData = options.pluginData;
+ this.protocol41 = options.protocol41;
+
+ if (this.protocol41) {
+ // force set the bit in serverCapabilities1
+ this.serverCapabilities1 |= Client.CLIENT_PROTOCOL_41;
+ }
+}
+
+HandshakeInitializationPacket.prototype.parse = function(parser) {
+ this.protocolVersion = parser.parseUnsignedNumber(1);
+ this.serverVersion = parser.parseNullTerminatedString();
+ this.threadId = parser.parseUnsignedNumber(4);
+ this.scrambleBuff1 = parser.parseBuffer(8);
+ this.filler1 = parser.parseFiller(1);
+ this.serverCapabilities1 = parser.parseUnsignedNumber(2);
+ this.serverLanguage = parser.parseUnsignedNumber(1);
+ this.serverStatus = parser.parseUnsignedNumber(2);
+
+ this.protocol41 = (this.serverCapabilities1 & (1 << 9)) > 0;
+
+ if (this.protocol41) {
+ this.serverCapabilities2 = parser.parseUnsignedNumber(2);
+ this.scrambleLength = parser.parseUnsignedNumber(1);
+ this.filler2 = parser.parseFiller(10);
+ // scrambleBuff2 should be 0x00 terminated, but sphinx does not do this
+ // so we assume scrambleBuff2 to be 12 byte and treat the next byte as a
+ // filler byte.
+ this.scrambleBuff2 = parser.parseBuffer(12);
+ this.filler3 = parser.parseFiller(1);
+ } else {
+ this.filler2 = parser.parseFiller(13);
+ }
+
+ if (parser.reachedPacketEnd()) {
+ return;
+ }
+
+ // According to the docs this should be 0x00 terminated, but MariaDB does
+ // not do this, so we assume this string to be packet terminated.
+ this.pluginData = parser.parsePacketTerminatedString();
+
+ // However, if there is a trailing '\0', strip it
+ var lastChar = this.pluginData.length - 1;
+ if (this.pluginData[lastChar] === '\0') {
+ this.pluginData = this.pluginData.substr(0, lastChar);
+ }
+};
+
+HandshakeInitializationPacket.prototype.write = function(writer) {
+ writer.writeUnsignedNumber(1, this.protocolVersion);
+ writer.writeNullTerminatedString(this.serverVersion);
+ writer.writeUnsignedNumber(4, this.threadId);
+ writer.writeBuffer(this.scrambleBuff1);
+ writer.writeFiller(1);
+ writer.writeUnsignedNumber(2, this.serverCapabilities1);
+ writer.writeUnsignedNumber(1, this.serverLanguage);
+ writer.writeUnsignedNumber(2, this.serverStatus);
+ if (this.protocol41) {
+ writer.writeUnsignedNumber(2, this.serverCapabilities2);
+ writer.writeUnsignedNumber(1, this.scrambleLength);
+ writer.writeFiller(10);
+ }
+ writer.writeNullTerminatedBuffer(this.scrambleBuff2);
+
+ if (this.pluginData !== undefined) {
+ writer.writeNullTerminatedString(this.pluginData);
+ }
+};
+
+HandshakeInitializationPacket.prototype.scrambleBuff = function() {
+ var buffer = null;
+
+ if (typeof this.scrambleBuff2 === 'undefined') {
+ buffer = Buffer.from(this.scrambleBuff1);
+ } else {
+ buffer = Buffer.allocUnsafe(this.scrambleBuff1.length + this.scrambleBuff2.length);
+ this.scrambleBuff1.copy(buffer, 0);
+ this.scrambleBuff2.copy(buffer, this.scrambleBuff1.length);
+ }
+
+ return buffer;
+};
diff --git "a/\351\231\210\351\233\204\350\276\211/\350\277\231\346\230\257\344\270\200\344\270\252\345\260\217\347\210\254\350\231\253/node_modules/mysql/lib/protocol/packets/LocalDataFilePacket.js" "b/\351\231\210\351\233\204\350\276\211/\350\277\231\346\230\257\344\270\200\344\270\252\345\260\217\347\210\254\350\231\253/node_modules/mysql/lib/protocol/packets/LocalDataFilePacket.js"
new file mode 100644
index 0000000000000000000000000000000000000000..af7aaa045bb200c1f7e220eab8ecbfc82578b30b
--- /dev/null
+++ "b/\351\231\210\351\233\204\350\276\211/\350\277\231\346\230\257\344\270\200\344\270\252\345\260\217\347\210\254\350\231\253/node_modules/mysql/lib/protocol/packets/LocalDataFilePacket.js"
@@ -0,0 +1,15 @@
+module.exports = LocalDataFilePacket;
+
+/**
+ * Create a new LocalDataFilePacket
+ * @constructor
+ * @param {Buffer} data The data contents of the packet
+ * @public
+ */
+function LocalDataFilePacket(data) {
+ this.data = data;
+}
+
+LocalDataFilePacket.prototype.write = function(writer) {
+ writer.writeBuffer(this.data);
+};
diff --git "a/\351\231\210\351\233\204\350\276\211/\350\277\231\346\230\257\344\270\200\344\270\252\345\260\217\347\210\254\350\231\253/node_modules/mysql/lib/protocol/packets/LocalInfileRequestPacket.js" "b/\351\231\210\351\233\204\350\276\211/\350\277\231\346\230\257\344\270\200\344\270\252\345\260\217\347\210\254\350\231\253/node_modules/mysql/lib/protocol/packets/LocalInfileRequestPacket.js"
new file mode 100644
index 0000000000000000000000000000000000000000..b1f68bab42da82229a47f1d6be3887367e62260c
--- /dev/null
+++ "b/\351\231\210\351\233\204\350\276\211/\350\277\231\346\230\257\344\270\200\344\270\252\345\260\217\347\210\254\350\231\253/node_modules/mysql/lib/protocol/packets/LocalInfileRequestPacket.js"
@@ -0,0 +1,21 @@
+module.exports = LocalInfileRequestPacket;
+function LocalInfileRequestPacket(options) {
+ options = options || {};
+
+ this.filename = options.filename;
+}
+
+LocalInfileRequestPacket.prototype.parse = function parse(parser) {
+ if (parser.parseLengthCodedNumber() !== null) {
+ var err = new TypeError('Received invalid field length');
+ err.code = 'PARSER_INVALID_FIELD_LENGTH';
+ throw err;
+ }
+
+ this.filename = parser.parsePacketTerminatedString();
+};
+
+LocalInfileRequestPacket.prototype.write = function write(writer) {
+ writer.writeLengthCodedNumber(null);
+ writer.writeString(this.filename);
+};
diff --git "a/\351\231\210\351\233\204\350\276\211/\350\277\231\346\230\257\344\270\200\344\270\252\345\260\217\347\210\254\350\231\253/node_modules/mysql/lib/protocol/packets/OkPacket.js" "b/\351\231\210\351\233\204\350\276\211/\350\277\231\346\230\257\344\270\200\344\270\252\345\260\217\347\210\254\350\231\253/node_modules/mysql/lib/protocol/packets/OkPacket.js"
new file mode 100644
index 0000000000000000000000000000000000000000..7caf3b0e7cbe1e2b1814aec8fceb62aa0e79be36
--- /dev/null
+++ "b/\351\231\210\351\233\204\350\276\211/\350\277\231\346\230\257\344\270\200\344\270\252\345\260\217\347\210\254\350\231\253/node_modules/mysql/lib/protocol/packets/OkPacket.js"
@@ -0,0 +1,44 @@
+
+// Language-neutral expression to match ER_UPDATE_INFO
+var ER_UPDATE_INFO_REGEXP = /^[^:0-9]+: [0-9]+[^:0-9]+: ([0-9]+)[^:0-9]+: [0-9]+[^:0-9]*$/;
+
+module.exports = OkPacket;
+function OkPacket(options) {
+ options = options || {};
+
+ this.fieldCount = undefined;
+ this.affectedRows = undefined;
+ this.insertId = undefined;
+ this.serverStatus = undefined;
+ this.warningCount = undefined;
+ this.message = undefined;
+ this.protocol41 = options.protocol41;
+}
+
+OkPacket.prototype.parse = function(parser) {
+ this.fieldCount = parser.parseUnsignedNumber(1);
+ this.affectedRows = parser.parseLengthCodedNumber();
+ this.insertId = parser.parseLengthCodedNumber();
+ if (this.protocol41) {
+ this.serverStatus = parser.parseUnsignedNumber(2);
+ this.warningCount = parser.parseUnsignedNumber(2);
+ }
+ this.message = parser.parsePacketTerminatedString();
+ this.changedRows = 0;
+
+ var m = ER_UPDATE_INFO_REGEXP.exec(this.message);
+ if (m !== null) {
+ this.changedRows = parseInt(m[1], 10);
+ }
+};
+
+OkPacket.prototype.write = function(writer) {
+ writer.writeUnsignedNumber(1, 0x00);
+ writer.writeLengthCodedNumber(this.affectedRows || 0);
+ writer.writeLengthCodedNumber(this.insertId || 0);
+ if (this.protocol41) {
+ writer.writeUnsignedNumber(2, this.serverStatus || 0);
+ writer.writeUnsignedNumber(2, this.warningCount || 0);
+ }
+ writer.writeString(this.message);
+};
diff --git "a/\351\231\210\351\233\204\350\276\211/\350\277\231\346\230\257\344\270\200\344\270\252\345\260\217\347\210\254\350\231\253/node_modules/mysql/lib/protocol/packets/OldPasswordPacket.js" "b/\351\231\210\351\233\204\350\276\211/\350\277\231\346\230\257\344\270\200\344\270\252\345\260\217\347\210\254\350\231\253/node_modules/mysql/lib/protocol/packets/OldPasswordPacket.js"
new file mode 100644
index 0000000000000000000000000000000000000000..a7295102184fb5ea843afa5ed01ac8d450bdb6ea
--- /dev/null
+++ "b/\351\231\210\351\233\204\350\276\211/\350\277\231\346\230\257\344\270\200\344\270\252\345\260\217\347\210\254\350\231\253/node_modules/mysql/lib/protocol/packets/OldPasswordPacket.js"
@@ -0,0 +1,14 @@
+module.exports = OldPasswordPacket;
+function OldPasswordPacket(options) {
+ options = options || {};
+
+ this.scrambleBuff = options.scrambleBuff;
+}
+
+OldPasswordPacket.prototype.parse = function(parser) {
+ this.scrambleBuff = parser.parsePacketTerminatedBuffer();
+};
+
+OldPasswordPacket.prototype.write = function(writer) {
+ writer.writeBuffer(this.scrambleBuff);
+};
diff --git "a/\351\231\210\351\233\204\350\276\211/\350\277\231\346\230\257\344\270\200\344\270\252\345\260\217\347\210\254\350\231\253/node_modules/mysql/lib/protocol/packets/ResultSetHeaderPacket.js" "b/\351\231\210\351\233\204\350\276\211/\350\277\231\346\230\257\344\270\200\344\270\252\345\260\217\347\210\254\350\231\253/node_modules/mysql/lib/protocol/packets/ResultSetHeaderPacket.js"
new file mode 100644
index 0000000000000000000000000000000000000000..a097ea1f28f358d0adb59e56dd7f509519eb476b
--- /dev/null
+++ "b/\351\231\210\351\233\204\350\276\211/\350\277\231\346\230\257\344\270\200\344\270\252\345\260\217\347\210\254\350\231\253/node_modules/mysql/lib/protocol/packets/ResultSetHeaderPacket.js"
@@ -0,0 +1,14 @@
+module.exports = ResultSetHeaderPacket;
+function ResultSetHeaderPacket(options) {
+ options = options || {};
+
+ this.fieldCount = options.fieldCount;
+}
+
+ResultSetHeaderPacket.prototype.parse = function(parser) {
+ this.fieldCount = parser.parseLengthCodedNumber();
+};
+
+ResultSetHeaderPacket.prototype.write = function(writer) {
+ writer.writeLengthCodedNumber(this.fieldCount);
+};
diff --git "a/\351\231\210\351\233\204\350\276\211/\350\277\231\346\230\257\344\270\200\344\270\252\345\260\217\347\210\254\350\231\253/node_modules/mysql/lib/protocol/packets/RowDataPacket.js" "b/\351\231\210\351\233\204\350\276\211/\350\277\231\346\230\257\344\270\200\344\270\252\345\260\217\347\210\254\350\231\253/node_modules/mysql/lib/protocol/packets/RowDataPacket.js"
new file mode 100644
index 0000000000000000000000000000000000000000..b8ec4b895b568f388a5cfd752f23e7baab2ae65d
--- /dev/null
+++ "b/\351\231\210\351\233\204\350\276\211/\350\277\231\346\230\257\344\270\200\344\270\252\345\260\217\347\210\254\350\231\253/node_modules/mysql/lib/protocol/packets/RowDataPacket.js"
@@ -0,0 +1,130 @@
+var Types = require('../constants/types');
+var Charsets = require('../constants/charsets');
+var Field = require('./Field');
+var IEEE_754_BINARY_64_PRECISION = Math.pow(2, 53);
+
+module.exports = RowDataPacket;
+function RowDataPacket() {
+}
+
+Object.defineProperty(RowDataPacket.prototype, 'parse', {
+ configurable : true,
+ enumerable : false,
+ value : parse
+});
+
+Object.defineProperty(RowDataPacket.prototype, '_typeCast', {
+ configurable : true,
+ enumerable : false,
+ value : typeCast
+});
+
+function parse(parser, fieldPackets, typeCast, nestTables, connection) {
+ var self = this;
+ var next = function () {
+ return self._typeCast(fieldPacket, parser, connection.config.timezone, connection.config.supportBigNumbers, connection.config.bigNumberStrings, connection.config.dateStrings);
+ };
+
+ for (var i = 0; i < fieldPackets.length; i++) {
+ var fieldPacket = fieldPackets[i];
+ var value;
+
+ if (typeof typeCast === 'function') {
+ value = typeCast.apply(connection, [ new Field({ packet: fieldPacket, parser: parser }), next ]);
+ } else {
+ value = (typeCast)
+ ? this._typeCast(fieldPacket, parser, connection.config.timezone, connection.config.supportBigNumbers, connection.config.bigNumberStrings, connection.config.dateStrings)
+ : ( (fieldPacket.charsetNr === Charsets.BINARY)
+ ? parser.parseLengthCodedBuffer()
+ : parser.parseLengthCodedString() );
+ }
+
+ if (typeof nestTables === 'string' && nestTables.length) {
+ this[fieldPacket.table + nestTables + fieldPacket.name] = value;
+ } else if (nestTables) {
+ this[fieldPacket.table] = this[fieldPacket.table] || {};
+ this[fieldPacket.table][fieldPacket.name] = value;
+ } else {
+ this[fieldPacket.name] = value;
+ }
+ }
+}
+
+function typeCast(field, parser, timeZone, supportBigNumbers, bigNumberStrings, dateStrings) {
+ var numberString;
+
+ switch (field.type) {
+ case Types.TIMESTAMP:
+ case Types.TIMESTAMP2:
+ case Types.DATE:
+ case Types.DATETIME:
+ case Types.DATETIME2:
+ case Types.NEWDATE:
+ var dateString = parser.parseLengthCodedString();
+
+ if (typeMatch(field.type, dateStrings)) {
+ return dateString;
+ }
+
+ if (dateString === null) {
+ return null;
+ }
+
+ var originalString = dateString;
+ if (field.type === Types.DATE) {
+ dateString += ' 00:00:00';
+ }
+
+ if (timeZone !== 'local') {
+ dateString += ' ' + timeZone;
+ }
+
+ var dt = new Date(dateString);
+ if (isNaN(dt.getTime())) {
+ return originalString;
+ }
+
+ return dt;
+ case Types.TINY:
+ case Types.SHORT:
+ case Types.LONG:
+ case Types.INT24:
+ case Types.YEAR:
+ case Types.FLOAT:
+ case Types.DOUBLE:
+ numberString = parser.parseLengthCodedString();
+ return (numberString === null || (field.zeroFill && numberString[0] === '0'))
+ ? numberString : Number(numberString);
+ case Types.NEWDECIMAL:
+ case Types.LONGLONG:
+ numberString = parser.parseLengthCodedString();
+ return (numberString === null || (field.zeroFill && numberString[0] === '0'))
+ ? numberString
+ : ((supportBigNumbers && (bigNumberStrings || (Number(numberString) >= IEEE_754_BINARY_64_PRECISION) || Number(numberString) <= -IEEE_754_BINARY_64_PRECISION))
+ ? numberString
+ : Number(numberString));
+ case Types.BIT:
+ return parser.parseLengthCodedBuffer();
+ case Types.STRING:
+ case Types.VAR_STRING:
+ case Types.TINY_BLOB:
+ case Types.MEDIUM_BLOB:
+ case Types.LONG_BLOB:
+ case Types.BLOB:
+ return (field.charsetNr === Charsets.BINARY)
+ ? parser.parseLengthCodedBuffer()
+ : parser.parseLengthCodedString();
+ case Types.GEOMETRY:
+ return parser.parseGeometryValue();
+ default:
+ return parser.parseLengthCodedString();
+ }
+}
+
+function typeMatch(type, list) {
+ if (Array.isArray(list)) {
+ return list.indexOf(Types[type]) !== -1;
+ } else {
+ return Boolean(list);
+ }
+}
diff --git "a/\351\231\210\351\233\204\350\276\211/\350\277\231\346\230\257\344\270\200\344\270\252\345\260\217\347\210\254\350\231\253/node_modules/mysql/lib/protocol/packets/SSLRequestPacket.js" "b/\351\231\210\351\233\204\350\276\211/\350\277\231\346\230\257\344\270\200\344\270\252\345\260\217\347\210\254\350\231\253/node_modules/mysql/lib/protocol/packets/SSLRequestPacket.js"
new file mode 100644
index 0000000000000000000000000000000000000000..a57cfc1a1f2ca9d79392727b2726d752ae49cc97
--- /dev/null
+++ "b/\351\231\210\351\233\204\350\276\211/\350\277\231\346\230\257\344\270\200\344\270\252\345\260\217\347\210\254\350\231\253/node_modules/mysql/lib/protocol/packets/SSLRequestPacket.js"
@@ -0,0 +1,27 @@
+// http://dev.mysql.com/doc/internals/en/ssl.html
+// http://dev.mysql.com/doc/internals/en/connection-phase-packets.html#packet-Protocol::SSLRequest
+
+var ClientConstants = require('../constants/client');
+
+module.exports = SSLRequestPacket;
+
+function SSLRequestPacket(options) {
+ options = options || {};
+ this.clientFlags = options.clientFlags | ClientConstants.CLIENT_SSL;
+ this.maxPacketSize = options.maxPacketSize;
+ this.charsetNumber = options.charsetNumber;
+}
+
+SSLRequestPacket.prototype.parse = function(parser) {
+ // TODO: check SSLRequest packet v41 vs pre v41
+ this.clientFlags = parser.parseUnsignedNumber(4);
+ this.maxPacketSize = parser.parseUnsignedNumber(4);
+ this.charsetNumber = parser.parseUnsignedNumber(1);
+};
+
+SSLRequestPacket.prototype.write = function(writer) {
+ writer.writeUnsignedNumber(4, this.clientFlags);
+ writer.writeUnsignedNumber(4, this.maxPacketSize);
+ writer.writeUnsignedNumber(1, this.charsetNumber);
+ writer.writeFiller(23);
+};
diff --git "a/\351\231\210\351\233\204\350\276\211/\350\277\231\346\230\257\344\270\200\344\270\252\345\260\217\347\210\254\350\231\253/node_modules/mysql/lib/protocol/packets/StatisticsPacket.js" "b/\351\231\210\351\233\204\350\276\211/\350\277\231\346\230\257\344\270\200\344\270\252\345\260\217\347\210\254\350\231\253/node_modules/mysql/lib/protocol/packets/StatisticsPacket.js"
new file mode 100644
index 0000000000000000000000000000000000000000..5f70b3ba71608ff682f034db59707709eb1e558a
--- /dev/null
+++ "b/\351\231\210\351\233\204\350\276\211/\350\277\231\346\230\257\344\270\200\344\270\252\345\260\217\347\210\254\350\231\253/node_modules/mysql/lib/protocol/packets/StatisticsPacket.js"
@@ -0,0 +1,20 @@
+module.exports = StatisticsPacket;
+function StatisticsPacket() {
+ this.message = undefined;
+}
+
+StatisticsPacket.prototype.parse = function(parser) {
+ this.message = parser.parsePacketTerminatedString();
+
+ var items = this.message.split(/\s\s/);
+ for (var i = 0; i < items.length; i++) {
+ var m = items[i].match(/^(.+)\:\s+(.+)$/);
+ if (m !== null) {
+ this[m[1].toLowerCase().replace(/\s/g, '_')] = Number(m[2]);
+ }
+ }
+};
+
+StatisticsPacket.prototype.write = function(writer) {
+ writer.writeString(this.message);
+};
diff --git "a/\351\231\210\351\233\204\350\276\211/\350\277\231\346\230\257\344\270\200\344\270\252\345\260\217\347\210\254\350\231\253/node_modules/mysql/lib/protocol/packets/UseOldPasswordPacket.js" "b/\351\231\210\351\233\204\350\276\211/\350\277\231\346\230\257\344\270\200\344\270\252\345\260\217\347\210\254\350\231\253/node_modules/mysql/lib/protocol/packets/UseOldPasswordPacket.js"
new file mode 100644
index 0000000000000000000000000000000000000000..d73bf44594d64dc665a3a07fc73832f5bef18bae
--- /dev/null
+++ "b/\351\231\210\351\233\204\350\276\211/\350\277\231\346\230\257\344\270\200\344\270\252\345\260\217\347\210\254\350\231\253/node_modules/mysql/lib/protocol/packets/UseOldPasswordPacket.js"
@@ -0,0 +1,14 @@
+module.exports = UseOldPasswordPacket;
+function UseOldPasswordPacket(options) {
+ options = options || {};
+
+ this.firstByte = options.firstByte || 0xfe;
+}
+
+UseOldPasswordPacket.prototype.parse = function(parser) {
+ this.firstByte = parser.parseUnsignedNumber(1);
+};
+
+UseOldPasswordPacket.prototype.write = function(writer) {
+ writer.writeUnsignedNumber(1, this.firstByte);
+};
diff --git "a/\351\231\210\351\233\204\350\276\211/\350\277\231\346\230\257\344\270\200\344\270\252\345\260\217\347\210\254\350\231\253/node_modules/mysql/lib/protocol/packets/index.js" "b/\351\231\210\351\233\204\350\276\211/\350\277\231\346\230\257\344\270\200\344\270\252\345\260\217\347\210\254\350\231\253/node_modules/mysql/lib/protocol/packets/index.js"
new file mode 100644
index 0000000000000000000000000000000000000000..5e9352457aee2586ed2cc0c44cf402eb057cbddc
--- /dev/null
+++ "b/\351\231\210\351\233\204\350\276\211/\350\277\231\346\230\257\344\270\200\344\270\252\345\260\217\347\210\254\350\231\253/node_modules/mysql/lib/protocol/packets/index.js"
@@ -0,0 +1,23 @@
+exports.AuthSwitchRequestPacket = require('./AuthSwitchRequestPacket');
+exports.AuthSwitchResponsePacket = require('./AuthSwitchResponsePacket');
+exports.ClientAuthenticationPacket = require('./ClientAuthenticationPacket');
+exports.ComChangeUserPacket = require('./ComChangeUserPacket');
+exports.ComPingPacket = require('./ComPingPacket');
+exports.ComQueryPacket = require('./ComQueryPacket');
+exports.ComQuitPacket = require('./ComQuitPacket');
+exports.ComStatisticsPacket = require('./ComStatisticsPacket');
+exports.EmptyPacket = require('./EmptyPacket');
+exports.EofPacket = require('./EofPacket');
+exports.ErrorPacket = require('./ErrorPacket');
+exports.Field = require('./Field');
+exports.FieldPacket = require('./FieldPacket');
+exports.HandshakeInitializationPacket = require('./HandshakeInitializationPacket');
+exports.LocalDataFilePacket = require('./LocalDataFilePacket');
+exports.LocalInfileRequestPacket = require('./LocalInfileRequestPacket');
+exports.OkPacket = require('./OkPacket');
+exports.OldPasswordPacket = require('./OldPasswordPacket');
+exports.ResultSetHeaderPacket = require('./ResultSetHeaderPacket');
+exports.RowDataPacket = require('./RowDataPacket');
+exports.SSLRequestPacket = require('./SSLRequestPacket');
+exports.StatisticsPacket = require('./StatisticsPacket');
+exports.UseOldPasswordPacket = require('./UseOldPasswordPacket');
diff --git "a/\351\231\210\351\233\204\350\276\211/\350\277\231\346\230\257\344\270\200\344\270\252\345\260\217\347\210\254\350\231\253/node_modules/mysql/lib/protocol/sequences/ChangeUser.js" "b/\351\231\210\351\233\204\350\276\211/\350\277\231\346\230\257\344\270\200\344\270\252\345\260\217\347\210\254\350\231\253/node_modules/mysql/lib/protocol/sequences/ChangeUser.js"
new file mode 100644
index 0000000000000000000000000000000000000000..e1cc1fbc3d69a9503d72c861bc5b14e717d98d18
--- /dev/null
+++ "b/\351\231\210\351\233\204\350\276\211/\350\277\231\346\230\257\344\270\200\344\270\252\345\260\217\347\210\254\350\231\253/node_modules/mysql/lib/protocol/sequences/ChangeUser.js"
@@ -0,0 +1,67 @@
+var Sequence = require('./Sequence');
+var Util = require('util');
+var Packets = require('../packets');
+var Auth = require('../Auth');
+
+module.exports = ChangeUser;
+Util.inherits(ChangeUser, Sequence);
+function ChangeUser(options, callback) {
+ Sequence.call(this, options, callback);
+
+ this._user = options.user;
+ this._password = options.password;
+ this._database = options.database;
+ this._charsetNumber = options.charsetNumber;
+ this._currentConfig = options.currentConfig;
+}
+
+ChangeUser.prototype.determinePacket = function determinePacket(firstByte) {
+ switch (firstByte) {
+ case 0xfe: return Packets.AuthSwitchRequestPacket;
+ case 0xff: return Packets.ErrorPacket;
+ default: return undefined;
+ }
+};
+
+ChangeUser.prototype.start = function(handshakeInitializationPacket) {
+ var scrambleBuff = handshakeInitializationPacket.scrambleBuff();
+ scrambleBuff = Auth.token(this._password, scrambleBuff);
+
+ var packet = new Packets.ComChangeUserPacket({
+ user : this._user,
+ scrambleBuff : scrambleBuff,
+ database : this._database,
+ charsetNumber : this._charsetNumber
+ });
+
+ this._currentConfig.user = this._user;
+ this._currentConfig.password = this._password;
+ this._currentConfig.database = this._database;
+ this._currentConfig.charsetNumber = this._charsetNumber;
+
+ this.emit('packet', packet);
+};
+
+ChangeUser.prototype['AuthSwitchRequestPacket'] = function (packet) {
+ var name = packet.authMethodName;
+ var data = Auth.auth(name, packet.authMethodData, {
+ password: this._password
+ });
+
+ if (data !== undefined) {
+ this.emit('packet', new Packets.AuthSwitchResponsePacket({
+ data: data
+ }));
+ } else {
+ var err = new Error('MySQL is requesting the ' + name + ' authentication method, which is not supported.');
+ err.code = 'UNSUPPORTED_AUTH_METHOD';
+ err.fatal = true;
+ this.end(err);
+ }
+};
+
+ChangeUser.prototype['ErrorPacket'] = function(packet) {
+ var err = this._packetToError(packet);
+ err.fatal = true;
+ this.end(err);
+};
diff --git "a/\351\231\210\351\233\204\350\276\211/\350\277\231\346\230\257\344\270\200\344\270\252\345\260\217\347\210\254\350\231\253/node_modules/mysql/lib/protocol/sequences/Handshake.js" "b/\351\231\210\351\233\204\350\276\211/\350\277\231\346\230\257\344\270\200\344\270\252\345\260\217\347\210\254\350\231\253/node_modules/mysql/lib/protocol/sequences/Handshake.js"
new file mode 100644
index 0000000000000000000000000000000000000000..8fad0fcf386a90f2b549a2c334dd02759696ba86
--- /dev/null
+++ "b/\351\231\210\351\233\204\350\276\211/\350\277\231\346\230\257\344\270\200\344\270\252\345\260\217\347\210\254\350\231\253/node_modules/mysql/lib/protocol/sequences/Handshake.js"
@@ -0,0 +1,126 @@
+var Sequence = require('./Sequence');
+var Util = require('util');
+var Packets = require('../packets');
+var Auth = require('../Auth');
+var ClientConstants = require('../constants/client');
+
+module.exports = Handshake;
+Util.inherits(Handshake, Sequence);
+function Handshake(options, callback) {
+ Sequence.call(this, options, callback);
+
+ options = options || {};
+
+ this._config = options.config;
+ this._handshakeInitializationPacket = null;
+}
+
+Handshake.prototype.determinePacket = function determinePacket(firstByte, parser) {
+ if (firstByte === 0xff) {
+ return Packets.ErrorPacket;
+ }
+
+ if (!this._handshakeInitializationPacket) {
+ return Packets.HandshakeInitializationPacket;
+ }
+
+ if (firstByte === 0xfe) {
+ return (parser.packetLength() === 1)
+ ? Packets.UseOldPasswordPacket
+ : Packets.AuthSwitchRequestPacket;
+ }
+
+ return undefined;
+};
+
+Handshake.prototype['AuthSwitchRequestPacket'] = function (packet) {
+ var name = packet.authMethodName;
+ var data = Auth.auth(name, packet.authMethodData, {
+ password: this._config.password
+ });
+
+ if (data !== undefined) {
+ this.emit('packet', new Packets.AuthSwitchResponsePacket({
+ data: data
+ }));
+ } else {
+ var err = new Error('MySQL is requesting the ' + name + ' authentication method, which is not supported.');
+ err.code = 'UNSUPPORTED_AUTH_METHOD';
+ err.fatal = true;
+ this.end(err);
+ }
+};
+
+Handshake.prototype['HandshakeInitializationPacket'] = function(packet) {
+ this._handshakeInitializationPacket = packet;
+
+ this._config.protocol41 = packet.protocol41;
+
+ var serverSSLSupport = packet.serverCapabilities1 & ClientConstants.CLIENT_SSL;
+
+ if (this._config.ssl) {
+ if (!serverSSLSupport) {
+ var err = new Error('Server does not support secure connection');
+
+ err.code = 'HANDSHAKE_NO_SSL_SUPPORT';
+ err.fatal = true;
+
+ this.end(err);
+ return;
+ }
+
+ this._config.clientFlags |= ClientConstants.CLIENT_SSL;
+ this.emit('packet', new Packets.SSLRequestPacket({
+ clientFlags : this._config.clientFlags,
+ maxPacketSize : this._config.maxPacketSize,
+ charsetNumber : this._config.charsetNumber
+ }));
+ this.emit('start-tls');
+ } else {
+ this._sendCredentials();
+ }
+};
+
+Handshake.prototype._tlsUpgradeCompleteHandler = function() {
+ this._sendCredentials();
+};
+
+Handshake.prototype._sendCredentials = function() {
+ var packet = this._handshakeInitializationPacket;
+ this.emit('packet', new Packets.ClientAuthenticationPacket({
+ clientFlags : this._config.clientFlags,
+ maxPacketSize : this._config.maxPacketSize,
+ charsetNumber : this._config.charsetNumber,
+ user : this._config.user,
+ database : this._config.database,
+ protocol41 : packet.protocol41,
+ scrambleBuff : (packet.protocol41)
+ ? Auth.token(this._config.password, packet.scrambleBuff())
+ : Auth.scramble323(packet.scrambleBuff(), this._config.password)
+ }));
+};
+
+Handshake.prototype['UseOldPasswordPacket'] = function() {
+ if (!this._config.insecureAuth) {
+ var err = new Error(
+ 'MySQL server is requesting the old and insecure pre-4.1 auth mechanism. ' +
+ 'Upgrade the user password or use the {insecureAuth: true} option.'
+ );
+
+ err.code = 'HANDSHAKE_INSECURE_AUTH';
+ err.fatal = true;
+
+ this.end(err);
+ return;
+ }
+
+ this.emit('packet', new Packets.OldPasswordPacket({
+ scrambleBuff: Auth.scramble323(this._handshakeInitializationPacket.scrambleBuff(), this._config.password)
+ }));
+};
+
+Handshake.prototype['ErrorPacket'] = function(packet) {
+ var err = this._packetToError(packet, true);
+ err.fatal = true;
+ this.end(err);
+};
diff --git "a/\351\231\210\351\233\204\350\276\211/\350\277\231\346\230\257\344\270\200\344\270\252\345\260\217\347\210\254\350\231\253/node_modules/mysql/lib/protocol/sequences/Ping.js" "b/\351\231\210\351\233\204\350\276\211/\350\277\231\346\230\257\344\270\200\344\270\252\345\260\217\347\210\254\350\231\253/node_modules/mysql/lib/protocol/sequences/Ping.js"
new file mode 100644
index 0000000000000000000000000000000000000000..230f3c1aba8573ae01fd4416a0ec2a4996b7f591
--- /dev/null
+++ "b/\351\231\210\351\233\204\350\276\211/\350\277\231\346\230\257\344\270\200\344\270\252\345\260\217\347\210\254\350\231\253/node_modules/mysql/lib/protocol/sequences/Ping.js"
@@ -0,0 +1,19 @@
+var Sequence = require('./Sequence');
+var Util = require('util');
+var Packets = require('../packets');
+
+module.exports = Ping;
+Util.inherits(Ping, Sequence);
+
+function Ping(options, callback) {
+ if (!callback && typeof options === 'function') {
+ callback = options;
+ options = {};
+ }
+
+ Sequence.call(this, options, callback);
+}
+
+Ping.prototype.start = function() {
+ this.emit('packet', new Packets.ComPingPacket());
+};
diff --git "a/\351\231\210\351\233\204\350\276\211/\350\277\231\346\230\257\344\270\200\344\270\252\345\260\217\347\210\254\350\231\253/node_modules/mysql/lib/protocol/sequences/Query.js" "b/\351\231\210\351\233\204\350\276\211/\350\277\231\346\230\257\344\270\200\344\270\252\345\260\217\347\210\254\350\231\253/node_modules/mysql/lib/protocol/sequences/Query.js"
new file mode 100644
index 0000000000000000000000000000000000000000..b7632959b6b18eff0a239456c67b2696a5b931bd
--- /dev/null
+++ "b/\351\231\210\351\233\204\350\276\211/\350\277\231\346\230\257\344\270\200\344\270\252\345\260\217\347\210\254\350\231\253/node_modules/mysql/lib/protocol/sequences/Query.js"
@@ -0,0 +1,228 @@
+var ClientConstants = require('../constants/client');
+var fs = require('fs');
+var Packets = require('../packets');
+var ResultSet = require('../ResultSet');
+var Sequence = require('./Sequence');
+var ServerStatus = require('../constants/server_status');
+var Readable = require('readable-stream');
+var Util = require('util');
+
+module.exports = Query;
+Util.inherits(Query, Sequence);
+function Query(options, callback) {
+ Sequence.call(this, options, callback);
+
+ this.sql = options.sql;
+ this.values = options.values;
+ this.typeCast = (options.typeCast === undefined)
+ ? true
+ : options.typeCast;
+ this.nestTables = options.nestTables || false;
+
+ this._resultSet = null;
+ this._results = [];
+ this._fields = [];
+ this._index = 0;
+ this._loadError = null;
+}
+
+Query.prototype.start = function() {
+ this.emit('packet', new Packets.ComQueryPacket(this.sql));
+};
+
+Query.prototype.determinePacket = function determinePacket(byte, parser) {
+ var resultSet = this._resultSet;
+
+ if (!resultSet) {
+ switch (byte) {
+ case 0x00: return Packets.OkPacket;
+ case 0xfb: return Packets.LocalInfileRequestPacket;
+ case 0xff: return Packets.ErrorPacket;
+ default: return Packets.ResultSetHeaderPacket;
+ }
+ }
+
+ if (resultSet.eofPackets.length === 0) {
+ return (resultSet.fieldPackets.length < resultSet.resultSetHeaderPacket.fieldCount)
+ ? Packets.FieldPacket
+ : Packets.EofPacket;
+ }
+
+ if (byte === 0xff) {
+ return Packets.ErrorPacket;
+ }
+
+ if (byte === 0xfe && parser.packetLength() < 9) {
+ return Packets.EofPacket;
+ }
+
+ return Packets.RowDataPacket;
+};
+
+Query.prototype['OkPacket'] = function(packet) {
+ // try...finally for exception safety
+ try {
+ if (!this._callback) {
+ this.emit('result', packet, this._index);
+ } else {
+ this._results.push(packet);
+ this._fields.push(undefined);
+ }
+ } finally {
+ this._index++;
+ this._resultSet = null;
+ this._handleFinalResultPacket(packet);
+ }
+};
+
+Query.prototype['ErrorPacket'] = function(packet) {
+ var err = this._packetToError(packet);
+
+ var results = (this._results.length > 0)
+ ? this._results
+ : undefined;
+
+ var fields = (this._fields.length > 0)
+ ? this._fields
+ : undefined;
+
+ err.index = this._index;
+ err.sql = this.sql;
+
+ this.end(err, results, fields);
+};
+
+Query.prototype['LocalInfileRequestPacket'] = function(packet) {
+ if (this._connection.config.clientFlags & ClientConstants.CLIENT_LOCAL_FILES) {
+ this._sendLocalDataFile(packet.filename);
+ } else {
+ this._loadError = new Error('Load local files command is disabled');
+ this._loadError.code = 'LOCAL_FILES_DISABLED';
+ this._loadError.fatal = false;
+
+ this.emit('packet', new Packets.EmptyPacket());
+ }
+};
+
+Query.prototype['ResultSetHeaderPacket'] = function(packet) {
+ this._resultSet = new ResultSet(packet);
+};
+
+Query.prototype['FieldPacket'] = function(packet) {
+ this._resultSet.fieldPackets.push(packet);
+};
+
+Query.prototype['EofPacket'] = function(packet) {
+ this._resultSet.eofPackets.push(packet);
+
+ if (this._resultSet.eofPackets.length === 1 && !this._callback) {
+ this.emit('fields', this._resultSet.fieldPackets, this._index);
+ }
+
+ if (this._resultSet.eofPackets.length !== 2) {
+ return;
+ }
+
+ if (this._callback) {
+ this._results.push(this._resultSet.rows);
+ this._fields.push(this._resultSet.fieldPackets);
+ }
+
+ this._index++;
+ this._resultSet = null;
+ this._handleFinalResultPacket(packet);
+};
+
+Query.prototype._handleFinalResultPacket = function(packet) {
+ if (packet.serverStatus & ServerStatus.SERVER_MORE_RESULTS_EXISTS) {
+ return;
+ }
+
+ var results = (this._results.length > 1)
+ ? this._results
+ : this._results[0];
+
+ var fields = (this._fields.length > 1)
+ ? this._fields
+ : this._fields[0];
+
+ this.end(this._loadError, results, fields);
+};
+
+Query.prototype['RowDataPacket'] = function(packet, parser, connection) {
+ packet.parse(parser, this._resultSet.fieldPackets, this.typeCast, this.nestTables, connection);
+
+ if (this._callback) {
+ this._resultSet.rows.push(packet);
+ } else {
+ this.emit('result', packet, this._index);
+ }
+};
+
+Query.prototype._sendLocalDataFile = function(path) {
+ var self = this;
+ var localStream = fs.createReadStream(path, {
+ flag : 'r',
+ encoding : null,
+ autoClose : true
+ });
+
+ this.on('pause', function () {
+ localStream.pause();
+ });
+
+ this.on('resume', function () {
+ localStream.resume();
+ });
+
+ localStream.on('data', function (data) {
+ self.emit('packet', new Packets.LocalDataFilePacket(data));
+ });
+
+ localStream.on('error', function (err) {
+ self._loadError = err;
+ localStream.emit('end');
+ });
+
+ localStream.on('end', function () {
+ self.emit('packet', new Packets.EmptyPacket());
+ });
+};
+
+Query.prototype.stream = function(options) {
+ var self = this;
+
+ options = options || {};
+ options.objectMode = true;
+
+ var stream = new Readable(options);
+
+ stream._read = function() {
+ self._connection && self._connection.resume();
+ };
+
+ stream.once('end', function() {
+ process.nextTick(function () {
+ stream.emit('close');
+ });
+ });
+
+ this.on('result', function(row, i) {
+ if (!stream.push(row)) self._connection.pause();
+ stream.emit('result', row, i); // replicate old emitter
+ });
+
+ this.on('error', function(err) {
+ stream.emit('error', err); // Pass on any errors
+ });
+
+ this.on('end', function() {
+ stream.push(null); // pushing null, indicating EOF
+ });
+
+ this.on('fields', function(fields, i) {
+ stream.emit('fields', fields, i); // replicate old emitter
+ });
+
+ return stream;
+};
diff --git "a/\351\231\210\351\233\204\350\276\211/\350\277\231\346\230\257\344\270\200\344\270\252\345\260\217\347\210\254\350\231\253/node_modules/mysql/lib/protocol/sequences/Quit.js" "b/\351\231\210\351\233\204\350\276\211/\350\277\231\346\230\257\344\270\200\344\270\252\345\260\217\347\210\254\350\231\253/node_modules/mysql/lib/protocol/sequences/Quit.js"
new file mode 100644
index 0000000000000000000000000000000000000000..3c34c58205f0e1dfa818a3b4e5f36550416f9e00
--- /dev/null
+++ "b/\351\231\210\351\233\204\350\276\211/\350\277\231\346\230\257\344\270\200\344\270\252\345\260\217\347\210\254\350\231\253/node_modules/mysql/lib/protocol/sequences/Quit.js"
@@ -0,0 +1,40 @@
+var Sequence = require('./Sequence');
+var Util = require('util');
+var Packets = require('../packets');
+
+module.exports = Quit;
+Util.inherits(Quit, Sequence);
+function Quit(options, callback) {
+ if (!callback && typeof options === 'function') {
+ callback = options;
+ options = {};
+ }
+
+ Sequence.call(this, options, callback);
+
+ this._started = false;
+}
+
+Quit.prototype.end = function end(err) {
+ if (this._ended) {
+ return;
+ }
+
+ if (!this._started) {
+ Sequence.prototype.end.call(this, err);
+ return;
+ }
+
+ if (err && err.code === 'ECONNRESET' && err.syscall === 'read') {
+ // Ignore read errors after packet sent
+ Sequence.prototype.end.call(this);
+ return;
+ }
+
+ Sequence.prototype.end.call(this, err);
+};
+
+Quit.prototype.start = function() {
+ this._started = true;
+ this.emit('packet', new Packets.ComQuitPacket());
+};
diff --git "a/\351\231\210\351\233\204\350\276\211/\350\277\231\346\230\257\344\270\200\344\270\252\345\260\217\347\210\254\350\231\253/node_modules/mysql/lib/protocol/sequences/Sequence.js" "b/\351\231\210\351\233\204\350\276\211/\350\277\231\346\230\257\344\270\200\344\270\252\345\260\217\347\210\254\350\231\253/node_modules/mysql/lib/protocol/sequences/Sequence.js"
new file mode 100644
index 0000000000000000000000000000000000000000..de82dc270ceba918e83c6d8f6e5833d29283c171
--- /dev/null
+++ "b/\351\231\210\351\233\204\350\276\211/\350\277\231\346\230\257\344\270\200\344\270\252\345\260\217\347\210\254\350\231\253/node_modules/mysql/lib/protocol/sequences/Sequence.js"
@@ -0,0 +1,125 @@
+var Util = require('util');
+var EventEmitter = require('events').EventEmitter;
+var Packets = require('../packets');
+var ErrorConstants = require('../constants/errors');
+var Timer = require('../Timer');
+
+// istanbul ignore next: Node.js < 0.10 not covered
+var listenerCount = EventEmitter.listenerCount
+ || function(emitter, type){ return emitter.listeners(type).length; };
+
+var LONG_STACK_DELIMITER = '\n --------------------\n';
+
+module.exports = Sequence;
+Util.inherits(Sequence, EventEmitter);
+function Sequence(options, callback) {
+ if (typeof options === 'function') {
+ callback = options;
+ options = {};
+ }
+
+ EventEmitter.call(this);
+
+ options = options || {};
+
+ this._callback = callback;
+ this._callSite = null;
+ this._ended = false;
+ this._timeout = options.timeout;
+ this._timer = new Timer(this);
+}
+
+Sequence.determinePacket = function(byte) {
+ switch (byte) {
+ case 0x00: return Packets.OkPacket;
+ case 0xfe: return Packets.EofPacket;
+ case 0xff: return Packets.ErrorPacket;
+ default: return undefined;
+ }
+};
+
+Sequence.prototype.hasErrorHandler = function() {
+ return Boolean(this._callback) || listenerCount(this, 'error') > 1;
+};
+
+Sequence.prototype._packetToError = function(packet) {
+ var code = ErrorConstants[packet.errno] || 'UNKNOWN_CODE_PLEASE_REPORT';
+ var err = new Error(code + ': ' + packet.message);
+ err.code = code;
+ err.errno = packet.errno;
+
+ err.sqlMessage = packet.message;
+ err.sqlState = packet.sqlState;
+
+ return err;
+};
+
+Sequence.prototype.end = function(err) {
+ if (this._ended) {
+ return;
+ }
+
+ this._ended = true;
+
+ if (err) {
+ this._addLongStackTrace(err);
+ }
+
+ // Without this we are leaking memory. This problem was introduced in
+ // 8189925374e7ce3819bbe88b64c7b15abac96b16. I suspect that the error object
+ // causes a cyclic reference that the GC does not detect properly, but I was
+ // unable to produce a standalone version of this leak. This would be a great
+ // challenge for somebody interested in difficult problems : )!
+ this._callSite = null;
+
+ // try...finally for exception safety
+ try {
+ if (err) {
+ this.emit('error', err);
+ }
+ } finally {
+ try {
+ if (this._callback) {
+ this._callback.apply(this, arguments);
+ }
+ } finally {
+ this.emit('end');
+ }
+ }
+};
+
+Sequence.prototype['OkPacket'] = function(packet) {
+ this.end(null, packet);
+};
+
+Sequence.prototype['ErrorPacket'] = function(packet) {
+ this.end(this._packetToError(packet));
+};
+
+// Implemented by child classes
+Sequence.prototype.start = function() {};
+
+Sequence.prototype._addLongStackTrace = function _addLongStackTrace(err) {
+ var callSiteStack = this._callSite && this._callSite.stack;
+
+ if (!callSiteStack || typeof callSiteStack !== 'string') {
+ // No recorded call site
+ return;
+ }
+
+ if (err.stack.indexOf(LONG_STACK_DELIMITER) !== -1) {
+ // Error stack already looks long
+ return;
+ }
+
+ var index = callSiteStack.indexOf('\n');
+
+ if (index !== -1) {
+ // Append recorded call site
+ err.stack += LONG_STACK_DELIMITER + callSiteStack.substr(index + 1);
+ }
+};
+
+Sequence.prototype._onTimeout = function _onTimeout() {
+ this.emit('timeout');
+};
diff --git "a/\351\231\210\351\233\204\350\276\211/\350\277\231\346\230\257\344\270\200\344\270\252\345\260\217\347\210\254\350\231\253/node_modules/mysql/lib/protocol/sequences/Statistics.js" "b/\351\231\210\351\233\204\350\276\211/\350\277\231\346\230\257\344\270\200\344\270\252\345\260\217\347\210\254\350\231\253/node_modules/mysql/lib/protocol/sequences/Statistics.js"
new file mode 100644
index 0000000000000000000000000000000000000000..c75b5d936a1adc3bf0ff2df5dd78caea2b038204
--- /dev/null
+++ "b/\351\231\210\351\233\204\350\276\211/\350\277\231\346\230\257\344\270\200\344\270\252\345\260\217\347\210\254\350\231\253/node_modules/mysql/lib/protocol/sequences/Statistics.js"
@@ -0,0 +1,30 @@
+var Sequence = require('./Sequence');
+var Util = require('util');
+var Packets = require('../packets');
+
+module.exports = Statistics;
+Util.inherits(Statistics, Sequence);
+function Statistics(options, callback) {
+ if (!callback && typeof options === 'function') {
+ callback = options;
+ options = {};
+ }
+
+ Sequence.call(this, options, callback);
+}
+
+Statistics.prototype.start = function() {
+ this.emit('packet', new Packets.ComStatisticsPacket());
+};
+
+Statistics.prototype['StatisticsPacket'] = function (packet) {
+ this.end(null, packet);
+};
+
+Statistics.prototype.determinePacket = function determinePacket(firstByte) {
+ if (firstByte === 0x55) {
+ return Packets.StatisticsPacket;
+ }
+
+ return undefined;
+};
diff --git "a/\351\231\210\351\233\204\350\276\211/\350\277\231\346\230\257\344\270\200\344\270\252\345\260\217\347\210\254\350\231\253/node_modules/mysql/lib/protocol/sequences/index.js" "b/\351\231\210\351\233\204\350\276\211/\350\277\231\346\230\257\344\270\200\344\270\252\345\260\217\347\210\254\350\231\253/node_modules/mysql/lib/protocol/sequences/index.js"
new file mode 100644
index 0000000000000000000000000000000000000000..0eae5ce63bbdeb08ffe1b0fcfbf83448964b6236
--- /dev/null
+++ "b/\351\231\210\351\233\204\350\276\211/\350\277\231\346\230\257\344\270\200\344\270\252\345\260\217\347\210\254\350\231\253/node_modules/mysql/lib/protocol/sequences/index.js"
@@ -0,0 +1,7 @@
+exports.ChangeUser = require('./ChangeUser');
+exports.Handshake = require('./Handshake');
+exports.Ping = require('./Ping');
+exports.Query = require('./Query');
+exports.Quit = require('./Quit');
+exports.Sequence = require('./Sequence');
+exports.Statistics = require('./Statistics');
diff --git "a/\351\231\210\351\233\204\350\276\211/\350\277\231\346\230\257\344\270\200\344\270\252\345\260\217\347\210\254\350\231\253/node_modules/mysql/package.json" "b/\351\231\210\351\233\204\350\276\211/\350\277\231\346\230\257\344\270\200\344\270\252\345\260\217\347\210\254\350\231\253/node_modules/mysql/package.json"
new file mode 100644
index 0000000000000000000000000000000000000000..dd38a62744c26169c020c107a4aeb46c19e53ba6
--- /dev/null
+++ "b/\351\231\210\351\233\204\350\276\211/\350\277\231\346\230\257\344\270\200\344\270\252\345\260\217\347\210\254\350\231\253/node_modules/mysql/package.json"
@@ -0,0 +1,98 @@
+{
+ "_from": "mysql",
+ "_id": "mysql@2.18.1",
+ "_inBundle": false,
+ "_integrity": "sha512-Bca+gk2YWmqp2Uf6k5NFEurwY/0td0cpebAucFpY/3jhrwrVGuxU2uQFCHjU19SJfje0yQvi+rVWdq78hR5lig==",
+ "_location": "/mysql",
+ "_phantomChildren": {},
+ "_requested": {
+ "type": "tag",
+ "registry": true,
+ "raw": "mysql",
+ "name": "mysql",
+ "escapedName": "mysql",
+ "rawSpec": "",
+ "saveSpec": null,
+ "fetchSpec": "latest"
+ },
+ "_requiredBy": [
+ "#USER",
+ "/"
+ ],
+ "_resolved": "https://registry.npmjs.org/mysql/-/mysql-2.18.1.tgz",
+ "_shasum": "2254143855c5a8c73825e4522baf2ea021766717",
+ "_spec": "mysql",
+ "_where": "C:\\Users\\Administrator\\Desktop\\这是一个小爬虫",
+ "author": {
+ "name": "Felix Geisendörfer",
+ "email": "felix@debuggable.com",
+ "url": "http://debuggable.com/"
+ },
+ "bugs": {
+ "url": "https://github.com/mysqljs/mysql/issues"
+ },
+ "bundleDependencies": false,
+ "contributors": [
+ {
+ "name": "Andrey Sidorov",
+ "email": "sidorares@yandex.ru"
+ },
+ {
+ "name": "Bradley Grainger",
+ "email": "bgrainger@gmail.com"
+ },
+ {
+ "name": "Douglas Christopher Wilson",
+ "email": "doug@somethingdoug.com"
+ },
+ {
+ "name": "Diogo Resende",
+ "email": "dresende@thinkdigital.pt"
+ },
+ {
+ "name": "Nathan Woltman",
+ "email": "nwoltman@outlook.com"
+ }
+ ],
+ "dependencies": {
+ "bignumber.js": "9.0.0",
+ "readable-stream": "2.3.7",
+ "safe-buffer": "5.1.2",
+ "sqlstring": "2.3.1"
+ },
+ "deprecated": false,
+ "description": "A node.js driver for mysql. It is written in JavaScript, does not require compiling, and is 100% MIT licensed.",
+ "devDependencies": {
+ "after": "0.8.2",
+ "eslint": "5.16.0",
+ "seedrandom": "3.0.5",
+ "timezone-mock": "0.0.7",
+ "urun": "0.0.8",
+ "utest": "0.0.8"
+ },
+ "engines": {
+ "node": ">= 0.6"
+ },
+ "files": [
+ "lib/",
+ "Changes.md",
+ "License",
+ "Readme.md",
+ "index.js"
+ ],
+ "homepage": "https://github.com/mysqljs/mysql#readme",
+ "license": "MIT",
+ "name": "mysql",
+ "repository": {
+ "type": "git",
+ "url": "git+https://github.com/mysqljs/mysql.git"
+ },
+ "scripts": {
+ "lint": "eslint . && node tool/lint-readme.js",
+ "test": "node test/run.js",
+ "test-ci": "node tool/install-nyc.js --nyc-optional --reporter=text -- npm test",
+ "test-cov": "node tool/install-nyc.js --reporter=html --reporter=text -- npm test",
+ "version": "node tool/version-changes.js && git add Changes.md"
+ },
+ "version": "2.18.1"
+}
diff --git "a/\351\231\210\351\233\204\350\276\211/\350\277\231\346\230\257\344\270\200\344\270\252\345\260\217\347\210\254\350\231\253/node_modules/oauth-sign/LICENSE" "b/\351\231\210\351\233\204\350\276\211/\350\277\231\346\230\257\344\270\200\344\270\252\345\260\217\347\210\254\350\231\253/node_modules/oauth-sign/LICENSE"
new file mode 100644
index 0000000000000000000000000000000000000000..a4a9aee0c2fa14a2007895d018bfa06f0592fd34
--- /dev/null
+++ "b/\351\231\210\351\233\204\350\276\211/\350\277\231\346\230\257\344\270\200\344\270\252\345\260\217\347\210\254\350\231\253/node_modules/oauth-sign/LICENSE"
@@ -0,0 +1,55 @@
+Apache License
+
+Version 2.0, January 2004
+
+http://www.apache.org/licenses/
+
+TERMS AND CONDITIONS FOR USE, REPRODUCTION, AND DISTRIBUTION
+
+1. Definitions.
+
+"License" shall mean the terms and conditions for use, reproduction, and distribution as defined by Sections 1 through 9 of this document.
+
+"Licensor" shall mean the copyright owner or entity authorized by the copyright owner that is granting the License.
+
+"Legal Entity" shall mean the union of the acting entity and all other entities that control, are controlled by, or are under common control with that entity. For the purposes of this definition, "control" means (i) the power, direct or indirect, to cause the direction or management of such entity, whether by contract or otherwise, or (ii) ownership of fifty percent (50%) or more of the outstanding shares, or (iii) beneficial ownership of such entity.
+
+"You" (or "Your") shall mean an individual or Legal Entity exercising permissions granted by this License.
+
+"Source" form shall mean the preferred form for making modifications, including but not limited to software source code, documentation source, and configuration files.
+
+"Object" form shall mean any form resulting from mechanical transformation or translation of a Source form, including but not limited to compiled object code, generated documentation, and conversions to other media types.
+
+"Work" shall mean the work of authorship, whether in Source or Object form, made available under the License, as indicated by a copyright notice that is included in or attached to the work (an example is provided in the Appendix below).
+
+"Derivative Works" shall mean any work, whether in Source or Object form, that is based on (or derived from) the Work and for which the editorial revisions, annotations, elaborations, or other modifications represent, as a whole, an original work of authorship. For the purposes of this License, Derivative Works shall not include works that remain separable from, or merely link (or bind by name) to the interfaces of, the Work and Derivative Works thereof.
+
+"Contribution" shall mean any work of authorship, including the original version of the Work and any modifications or additions to that Work or Derivative Works thereof, that is intentionally submitted to Licensor for inclusion in the Work by the copyright owner or by an individual or Legal Entity authorized to submit on behalf of the copyright owner. For the purposes of this definition, "submitted" means any form of electronic, verbal, or written communication sent to the Licensor or its representatives, including but not limited to communication on electronic mailing lists, source code control systems, and issue tracking systems that are managed by, or on behalf of, the Licensor for the purpose of discussing and improving the Work, but excluding communication that is conspicuously marked or otherwise designated in writing by the copyright owner as "Not a Contribution."
+
+"Contributor" shall mean Licensor and any individual or Legal Entity on behalf of whom a Contribution has been received by Licensor and subsequently incorporated within the Work.
+
+2. Grant of Copyright License. Subject to the terms and conditions of this License, each Contributor hereby grants to You a perpetual, worldwide, non-exclusive, no-charge, royalty-free, irrevocable copyright license to reproduce, prepare Derivative Works of, publicly display, publicly perform, sublicense, and distribute the Work and such Derivative Works in Source or Object form.
+
+3. Grant of Patent License. Subject to the terms and conditions of this License, each Contributor hereby grants to You a perpetual, worldwide, non-exclusive, no-charge, royalty-free, irrevocable (except as stated in this section) patent license to make, have made, use, offer to sell, sell, import, and otherwise transfer the Work, where such license applies only to those patent claims licensable by such Contributor that are necessarily infringed by their Contribution(s) alone or by combination of their Contribution(s) with the Work to which such Contribution(s) was submitted. If You institute patent litigation against any entity (including a cross-claim or counterclaim in a lawsuit) alleging that the Work or a Contribution incorporated within the Work constitutes direct or contributory patent infringement, then any patent licenses granted to You under this License for that Work shall terminate as of the date such litigation is filed.
+
+4. Redistribution. You may reproduce and distribute copies of the Work or Derivative Works thereof in any medium, with or without modifications, and in Source or Object form, provided that You meet the following conditions:
+
+You must give any other recipients of the Work or Derivative Works a copy of this License; and
+
+You must cause any modified files to carry prominent notices stating that You changed the files; and
+
+You must retain, in the Source form of any Derivative Works that You distribute, all copyright, patent, trademark, and attribution notices from the Source form of the Work, excluding those notices that do not pertain to any part of the Derivative Works; and
+
+If the Work includes a "NOTICE" text file as part of its distribution, then any Derivative Works that You distribute must include a readable copy of the attribution notices contained within such NOTICE file, excluding those notices that do not pertain to any part of the Derivative Works, in at least one of the following places: within a NOTICE text file distributed as part of the Derivative Works; within the Source form or documentation, if provided along with the Derivative Works; or, within a display generated by the Derivative Works, if and wherever such third-party notices normally appear. The contents of the NOTICE file are for informational purposes only and do not modify the License. You may add Your own attribution notices within Derivative Works that You distribute, alongside or as an addendum to the NOTICE text from the Work, provided that such additional attribution notices cannot be construed as modifying the License. You may add Your own copyright statement to Your modifications and may provide additional or different license terms and conditions for use, reproduction, or distribution of Your modifications, or for any such Derivative Works as a whole, provided Your use, reproduction, and distribution of the Work otherwise complies with the conditions stated in this License.
+
+5. Submission of Contributions. Unless You explicitly state otherwise, any Contribution intentionally submitted for inclusion in the Work by You to the Licensor shall be under the terms and conditions of this License, without any additional terms or conditions. Notwithstanding the above, nothing herein shall supersede or modify the terms of any separate license agreement you may have executed with Licensor regarding such Contributions.
+
+6. Trademarks. This License does not grant permission to use the trade names, trademarks, service marks, or product names of the Licensor, except as required for reasonable and customary use in describing the origin of the Work and reproducing the content of the NOTICE file.
+
+7. Disclaimer of Warranty. Unless required by applicable law or agreed to in writing, Licensor provides the Work (and each Contributor provides its Contributions) on an "AS IS" BASIS, WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied, including, without limitation, any warranties or conditions of TITLE, NON-INFRINGEMENT, MERCHANTABILITY, or FITNESS FOR A PARTICULAR PURPOSE. You are solely responsible for determining the appropriateness of using or redistributing the Work and assume any risks associated with Your exercise of permissions under this License.
+
+8. Limitation of Liability. In no event and under no legal theory, whether in tort (including negligence), contract, or otherwise, unless required by applicable law (such as deliberate and grossly negligent acts) or agreed to in writing, shall any Contributor be liable to You for damages, including any direct, indirect, special, incidental, or consequential damages of any character arising as a result of this License or out of the use or inability to use the Work (including but not limited to damages for loss of goodwill, work stoppage, computer failure or malfunction, or any and all other commercial damages or losses), even if such Contributor has been advised of the possibility of such damages.
+
+9. Accepting Warranty or Additional Liability. While redistributing the Work or Derivative Works thereof, You may choose to offer, and charge a fee for, acceptance of support, warranty, indemnity, or other liability obligations and/or rights consistent with this License. However, in accepting such obligations, You may act only on Your own behalf and on Your sole responsibility, not on behalf of any other Contributor, and only if You agree to indemnify, defend, and hold each Contributor harmless for any liability incurred by, or claims asserted against, such Contributor by reason of your accepting any such warranty or additional liability.
+
+END OF TERMS AND CONDITIONS
\ No newline at end of file
diff --git "a/\351\231\210\351\233\204\350\276\211/\350\277\231\346\230\257\344\270\200\344\270\252\345\260\217\347\210\254\350\231\253/node_modules/oauth-sign/README.md" "b/\351\231\210\351\233\204\350\276\211/\350\277\231\346\230\257\344\270\200\344\270\252\345\260\217\347\210\254\350\231\253/node_modules/oauth-sign/README.md"
new file mode 100644
index 0000000000000000000000000000000000000000..549cbbafa491966d62681f9433c9ecdd7597bfbb
--- /dev/null
+++ "b/\351\231\210\351\233\204\350\276\211/\350\277\231\346\230\257\344\270\200\344\270\252\345\260\217\347\210\254\350\231\253/node_modules/oauth-sign/README.md"
@@ -0,0 +1,11 @@
+oauth-sign
+==========
+
+OAuth 1 signing. Formerly a vendor lib in mikeal/request, now a standalone module.
+
+## Supported Method Signatures
+
+- HMAC-SHA1
+- HMAC-SHA256
+- RSA-SHA1
+- PLAINTEXT
\ No newline at end of file
diff --git "a/\351\231\210\351\233\204\350\276\211/\350\277\231\346\230\257\344\270\200\344\270\252\345\260\217\347\210\254\350\231\253/node_modules/oauth-sign/index.js" "b/\351\231\210\351\233\204\350\276\211/\350\277\231\346\230\257\344\270\200\344\270\252\345\260\217\347\210\254\350\231\253/node_modules/oauth-sign/index.js"
new file mode 100644
index 0000000000000000000000000000000000000000..6482f77b54be855f340d27aa67bce88c98cc8456
--- /dev/null
+++ "b/\351\231\210\351\233\204\350\276\211/\350\277\231\346\230\257\344\270\200\344\270\252\345\260\217\347\210\254\350\231\253/node_modules/oauth-sign/index.js"
@@ -0,0 +1,146 @@
+var crypto = require('crypto')
+
+function sha (key, body, algorithm) {
+ return crypto.createHmac(algorithm, key).update(body).digest('base64')
+}
+
+function rsa (key, body) {
+ return crypto.createSign('RSA-SHA1').update(body).sign(key, 'base64')
+}
+
+function rfc3986 (str) {
+ return encodeURIComponent(str)
+ .replace(/!/g,'%21')
+ .replace(/\*/g,'%2A')
+ .replace(/\(/g,'%28')
+ .replace(/\)/g,'%29')
+ .replace(/'/g,'%27')
+}
+
+// Maps object to bi-dimensional array
+// Converts { foo: 'A', bar: [ 'b', 'B' ]} to
+// [ ['foo', 'A'], ['bar', 'b'], ['bar', 'B'] ]
+function map (obj) {
+ var key, val, arr = []
+ for (key in obj) {
+ val = obj[key]
+ if (Array.isArray(val))
+ for (var i = 0; i < val.length; i++)
+ arr.push([key, val[i]])
+ else if (typeof val === 'object')
+ for (var prop in val)
+ arr.push([key + '[' + prop + ']', val[prop]])
+ else
+ arr.push([key, val])
+ }
+ return arr
+}
+
+// Compare function for sort
+function compare (a, b) {
+ return a > b ? 1 : a < b ? -1 : 0
+}
+
+function generateBase (httpMethod, base_uri, params) {
+ // adapted from https://dev.twitter.com/docs/auth/oauth and
+ // https://dev.twitter.com/docs/auth/creating-signature
+
+ // Parameter normalization
+ // http://tools.ietf.org/html/rfc5849#section-3.4.1.3.2
+ var normalized = map(params)
+ // 1. First, the name and value of each parameter are encoded
+ .map(function (p) {
+ return [ rfc3986(p[0]), rfc3986(p[1] || '') ]
+ })
+ // 2. The parameters are sorted by name, using ascending byte value
+ // ordering. If two or more parameters share the same name, they
+ // are sorted by their value.
+ .sort(function (a, b) {
+ return compare(a[0], b[0]) || compare(a[1], b[1])
+ })
+ // 3. The name of each parameter is concatenated to its corresponding
+ // value using an "=" character (ASCII code 61) as a separator, even
+ // if the value is empty.
+ .map(function (p) { return p.join('=') })
+ // 4. The sorted name/value pairs are concatenated together into a
+ // single string by using an "&" character (ASCII code 38) as
+ // separator.
+ .join('&')
+
+ var base = [
+ rfc3986(httpMethod ? httpMethod.toUpperCase() : 'GET'),
+ rfc3986(base_uri),
+ rfc3986(normalized)
+ ].join('&')
+
+ return base
+}
+
+function hmacsign (httpMethod, base_uri, params, consumer_secret, token_secret) {
+ var base = generateBase(httpMethod, base_uri, params)
+ var key = [
+ consumer_secret || '',
+ token_secret || ''
+ ].map(rfc3986).join('&')
+
+ return sha(key, base, 'sha1')
+}
+
+function hmacsign256 (httpMethod, base_uri, params, consumer_secret, token_secret) {
+ var base = generateBase(httpMethod, base_uri, params)
+ var key = [
+ consumer_secret || '',
+ token_secret || ''
+ ].map(rfc3986).join('&')
+
+ return sha(key, base, 'sha256')
+}
+
+function rsasign (httpMethod, base_uri, params, private_key, token_secret) {
+ var base = generateBase(httpMethod, base_uri, params)
+ var key = private_key || ''
+
+ return rsa(key, base)
+}
+
+function plaintext (consumer_secret, token_secret) {
+ var key = [
+ consumer_secret || '',
+ token_secret || ''
+ ].map(rfc3986).join('&')
+
+ return key
+}
+
+function sign (signMethod, httpMethod, base_uri, params, consumer_secret, token_secret) {
+ var method
+ var skipArgs = 1
+
+ switch (signMethod) {
+ case 'RSA-SHA1':
+ method = rsasign
+ break
+ case 'HMAC-SHA1':
+ method = hmacsign
+ break
+ case 'HMAC-SHA256':
+ method = hmacsign256
+ break
+ case 'PLAINTEXT':
+ method = plaintext
+ skipArgs = 4
+ break
+ default:
+ throw new Error('Signature method not supported: ' + signMethod)
+ }
+
+ return method.apply(null, [].slice.call(arguments, skipArgs))
+}
+
+exports.hmacsign = hmacsign
+exports.hmacsign256 = hmacsign256
+exports.rsasign = rsasign
+exports.plaintext = plaintext
+exports.sign = sign
+exports.rfc3986 = rfc3986
+exports.generateBase = generateBase
\ No newline at end of file
diff --git "a/\351\231\210\351\233\204\350\276\211/\350\277\231\346\230\257\344\270\200\344\270\252\345\260\217\347\210\254\350\231\253/node_modules/oauth-sign/package.json" "b/\351\231\210\351\233\204\350\276\211/\350\277\231\346\230\257\344\270\200\344\270\252\345\260\217\347\210\254\350\231\253/node_modules/oauth-sign/package.json"
new file mode 100644
index 0000000000000000000000000000000000000000..b4037ea748904fd1994e41c71f386588c5380dc0
--- /dev/null
+++ "b/\351\231\210\351\233\204\350\276\211/\350\277\231\346\230\257\344\270\200\344\270\252\345\260\217\347\210\254\350\231\253/node_modules/oauth-sign/package.json"
@@ -0,0 +1,56 @@
+{
+ "_from": "oauth-sign@~0.9.0",
+ "_id": "oauth-sign@0.9.0",
+ "_inBundle": false,
+ "_integrity": "sha512-fexhUFFPTGV8ybAtSIGbV6gOkSv8UtRbDBnAyLQw4QPKkgNlsH2ByPGtMUqdWkos6YCRmAqViwgZrJc/mRDzZQ==",
+ "_location": "/oauth-sign",
+ "_phantomChildren": {},
+ "_requested": {
+ "type": "range",
+ "registry": true,
+ "raw": "oauth-sign@~0.9.0",
+ "name": "oauth-sign",
+ "escapedName": "oauth-sign",
+ "rawSpec": "~0.9.0",
+ "saveSpec": null,
+ "fetchSpec": "~0.9.0"
+ },
+ "_requiredBy": [
+ "/request"
+ ],
+ "_resolved": "https://registry.npmjs.org/oauth-sign/-/oauth-sign-0.9.0.tgz",
+ "_shasum": "47a7b016baa68b5fa0ecf3dee08a85c679ac6455",
+ "_spec": "oauth-sign@~0.9.0",
+ "_where": "C:\\Users\\Administrator\\Desktop\\这是一个小爬虫\\node_modules\\request",
+ "author": {
+ "name": "Mikeal Rogers",
+ "email": "mikeal.rogers@gmail.com",
+ "url": "http://www.futurealoof.com"
+ },
+ "bugs": {
+ "url": "https://github.com/mikeal/oauth-sign/issues"
+ },
+ "bundleDependencies": false,
+ "dependencies": {},
+ "deprecated": false,
+ "description": "OAuth 1 signing. Formerly a vendor lib in mikeal/request, now a standalone module.",
+ "devDependencies": {},
+ "engines": {
+ "node": "*"
+ },
+ "files": [
+ "index.js"
+ ],
+ "homepage": "https://github.com/mikeal/oauth-sign#readme",
+ "license": "Apache-2.0",
+ "main": "index.js",
+ "name": "oauth-sign",
+ "optionalDependencies": {},
+ "repository": {
+ "url": "git+https://github.com/mikeal/oauth-sign.git"
+ },
+ "scripts": {
+ "test": "node test.js"
+ },
+ "version": "0.9.0"
+}
diff --git "a/\351\231\210\351\233\204\350\276\211/\350\277\231\346\230\257\344\270\200\344\270\252\345\260\217\347\210\254\350\231\253/node_modules/performance-now/.npmignore" "b/\351\231\210\351\233\204\350\276\211/\350\277\231\346\230\257\344\270\200\344\270\252\345\260\217\347\210\254\350\231\253/node_modules/performance-now/.npmignore"
new file mode 100644
index 0000000000000000000000000000000000000000..496ee2ca6a2f08396a4076fe43dedf3dc0da8b6d
--- /dev/null
+++ "b/\351\231\210\351\233\204\350\276\211/\350\277\231\346\230\257\344\270\200\344\270\252\345\260\217\347\210\254\350\231\253/node_modules/performance-now/.npmignore"
@@ -0,0 +1 @@
+.DS_Store
\ No newline at end of file
diff --git "a/\351\231\210\351\233\204\350\276\211/\350\277\231\346\230\257\344\270\200\344\270\252\345\260\217\347\210\254\350\231\253/node_modules/performance-now/.tm_properties" "b/\351\231\210\351\233\204\350\276\211/\350\277\231\346\230\257\344\270\200\344\270\252\345\260\217\347\210\254\350\231\253/node_modules/performance-now/.tm_properties"
new file mode 100644
index 0000000000000000000000000000000000000000..4b8eb3f610c314ba7f7c605047b70692d648ffce
--- /dev/null
+++ "b/\351\231\210\351\233\204\350\276\211/\350\277\231\346\230\257\344\270\200\344\270\252\345\260\217\347\210\254\350\231\253/node_modules/performance-now/.tm_properties"
@@ -0,0 +1,7 @@
+excludeDirectories = "{.git,node_modules}"
+excludeInFolderSearch = "{excludeDirectories,lib}"
+
+includeFiles = "{.gitignore,.npmignore,.travis.yml}"
+
+[ attr.untitled ]
+fileType = 'source.coffee'
\ No newline at end of file
diff --git "a/\351\231\210\351\233\204\350\276\211/\350\277\231\346\230\257\344\270\200\344\270\252\345\260\217\347\210\254\350\231\253/node_modules/performance-now/.travis.yml" "b/\351\231\210\351\233\204\350\276\211/\350\277\231\346\230\257\344\270\200\344\270\252\345\260\217\347\210\254\350\231\253/node_modules/performance-now/.travis.yml"
new file mode 100644
index 0000000000000000000000000000000000000000..1543c1990eb9ed35b8f9c8cb3fc3d5026616179e
--- /dev/null
+++ "b/\351\231\210\351\233\204\350\276\211/\350\277\231\346\230\257\344\270\200\344\270\252\345\260\217\347\210\254\350\231\253/node_modules/performance-now/.travis.yml"
@@ -0,0 +1,6 @@
+language: node_js
+node_js:
+ - "node"
+ - "6"
+ - "4"
+ - "0.12"
diff --git "a/\351\231\210\351\233\204\350\276\211/\350\277\231\346\230\257\344\270\200\344\270\252\345\260\217\347\210\254\350\231\253/node_modules/performance-now/README.md" "b/\351\231\210\351\233\204\350\276\211/\350\277\231\346\230\257\344\270\200\344\270\252\345\260\217\347\210\254\350\231\253/node_modules/performance-now/README.md"
new file mode 100644
index 0000000000000000000000000000000000000000..28080f856aa21296b6ac8749704fec106bf247f8
--- /dev/null
+++ "b/\351\231\210\351\233\204\350\276\211/\350\277\231\346\230\257\344\270\200\344\270\252\345\260\217\347\210\254\350\231\253/node_modules/performance-now/README.md"
@@ -0,0 +1,30 @@
+# performance-now [](https://travis-ci.org/braveg1rl/performance-now) [](https://david-dm.org/braveg1rl/performance-now)
+
+Implements a function similar to `performance.now` (based on `process.hrtime`).
+
+Modern browsers have a `window.performance` object with - among others - a `now` method which gives time in milliseconds, but with sub-millisecond precision. This module offers the same function based on the Node.js native `process.hrtime` function.
+
+Using `process.hrtime` means that the reported time will be monotonically increasing, and not subject to clock-drift.
+
+According to the [High Resolution Time specification](http://www.w3.org/TR/hr-time/), the number of milliseconds reported by `performance.now` should be relative to the value of `performance.timing.navigationStart`.
+
+In the current version of the module (2.0) the reported time is relative to the time the current Node process has started (inferred from `process.uptime()`).
+
+Version 1.0 reported a different time. The reported time was relative to the time the module was loaded (i.e. the time it was first `require`d). If you need this functionality, version 1.0 is still available on NPM.
+
+## Example usage
+
+```javascript
+var now = require("performance-now")
+var start = now()
+var end = now()
+console.log(start.toFixed(3)) // the number of milliseconds the current node process is running
+console.log((start-end).toFixed(3)) // ~ 0.002 on my system
+```
+
+Running the now function two times right after each other yields a time difference of a few microseconds. Given this overhead, I think it's best to assume that the precision of intervals computed with this method is not higher than 10 microseconds, if you don't know the exact overhead on your own system.
+
+## License
+
+performance-now is released under the [MIT License](http://opensource.org/licenses/MIT).
+Copyright (c) 2017 Braveg1rl
diff --git "a/\351\231\210\351\233\204\350\276\211/\350\277\231\346\230\257\344\270\200\344\270\252\345\260\217\347\210\254\350\231\253/node_modules/performance-now/lib/performance-now.js" "b/\351\231\210\351\233\204\350\276\211/\350\277\231\346\230\257\344\270\200\344\270\252\345\260\217\347\210\254\350\231\253/node_modules/performance-now/lib/performance-now.js"
new file mode 100644
index 0000000000000000000000000000000000000000..37f569da1e066b6547d72c778564d6f9073faeb5
--- /dev/null
+++ "b/\351\231\210\351\233\204\350\276\211/\350\277\231\346\230\257\344\270\200\344\270\252\345\260\217\347\210\254\350\231\253/node_modules/performance-now/lib/performance-now.js"
@@ -0,0 +1,36 @@
+// Generated by CoffeeScript 1.12.2
+(function() {
+ var getNanoSeconds, hrtime, loadTime, moduleLoadTime, nodeLoadTime, upTime;
+
+ if ((typeof performance !== "undefined" && performance !== null) && performance.now) {
+ module.exports = function() {
+ return performance.now();
+ };
+ } else if ((typeof process !== "undefined" && process !== null) && process.hrtime) {
+ module.exports = function() {
+ return (getNanoSeconds() - nodeLoadTime) / 1e6;
+ };
+ hrtime = process.hrtime;
+ getNanoSeconds = function() {
+ var hr;
+ hr = hrtime();
+ return hr[0] * 1e9 + hr[1];
+ };
+ moduleLoadTime = getNanoSeconds();
+ upTime = process.uptime() * 1e9;
+ nodeLoadTime = moduleLoadTime - upTime;
+ } else if (Date.now) {
+ module.exports = function() {
+ return Date.now() - loadTime;
+ };
+ loadTime = Date.now();
+ } else {
+ module.exports = function() {
+ return new Date().getTime() - loadTime;
+ };
+ loadTime = new Date().getTime();
+ }
+
+}).call(this);
+
+//# sourceMappingURL=performance-now.js.map
diff --git "a/\351\231\210\351\233\204\350\276\211/\350\277\231\346\230\257\344\270\200\344\270\252\345\260\217\347\210\254\350\231\253/node_modules/performance-now/lib/performance-now.js.map" "b/\351\231\210\351\233\204\350\276\211/\350\277\231\346\230\257\344\270\200\344\270\252\345\260\217\347\210\254\350\231\253/node_modules/performance-now/lib/performance-now.js.map"
new file mode 100644
index 0000000000000000000000000000000000000000..bef83626d876dd4f344dd4467a678dbfaa4d0a14
--- /dev/null
+++ "b/\351\231\210\351\233\204\350\276\211/\350\277\231\346\230\257\344\270\200\344\270\252\345\260\217\347\210\254\350\231\253/node_modules/performance-now/lib/performance-now.js.map"
@@ -0,0 +1,10 @@
+{
+ "version": 3,
+ "file": "performance-now.js",
+ "sourceRoot": "..",
+ "sources": [
+ "src/performance-now.coffee"
+ ],
+ "names": [],
+ "mappings": ";AAAA;AAAA,MAAA;;EAAA,IAAG,4DAAA,IAAiB,WAAW,CAAC,GAAhC;IACE,MAAM,CAAC,OAAP,GAAiB,SAAA;aAAG,WAAW,CAAC,GAAZ,CAAA;IAAH,EADnB;GAAA,MAEK,IAAG,oDAAA,IAAa,OAAO,CAAC,MAAxB;IACH,MAAM,CAAC,OAAP,GAAiB,SAAA;aAAG,CAAC,cAAA,CAAA,CAAA,GAAmB,YAApB,CAAA,GAAoC;IAAvC;IACjB,MAAA,GAAS,OAAO,CAAC;IACjB,cAAA,GAAiB,SAAA;AACf,UAAA;MAAA,EAAA,GAAK,MAAA,CAAA;aACL,EAAG,CAAA,CAAA,CAAH,GAAQ,GAAR,GAAc,EAAG,CAAA,CAAA;IAFF;IAGjB,cAAA,GAAiB,cAAA,CAAA;IACjB,MAAA,GAAS,OAAO,CAAC,MAAR,CAAA,CAAA,GAAmB;IAC5B,YAAA,GAAe,cAAA,GAAiB,OAR7B;GAAA,MASA,IAAG,IAAI,CAAC,GAAR;IACH,MAAM,CAAC,OAAP,GAAiB,SAAA;aAAG,IAAI,CAAC,GAAL,CAAA,CAAA,GAAa;IAAhB;IACjB,QAAA,GAAW,IAAI,CAAC,GAAL,CAAA,EAFR;GAAA,MAAA;IAIH,MAAM,CAAC,OAAP,GAAiB,SAAA;aAAO,IAAA,IAAA,CAAA,CAAM,CAAC,OAAP,CAAA,CAAJ,GAAuB;IAA1B;IACjB,QAAA,GAAe,IAAA,IAAA,CAAA,CAAM,CAAC,OAAP,CAAA,EALZ;;AAXL"
+}
\ No newline at end of file
diff --git "a/\351\231\210\351\233\204\350\276\211/\350\277\231\346\230\257\344\270\200\344\270\252\345\260\217\347\210\254\350\231\253/node_modules/performance-now/license.txt" "b/\351\231\210\351\233\204\350\276\211/\350\277\231\346\230\257\344\270\200\344\270\252\345\260\217\347\210\254\350\231\253/node_modules/performance-now/license.txt"
new file mode 100644
index 0000000000000000000000000000000000000000..0bf51b460fc2e7f380ff5826c968e26ed749ffd2
--- /dev/null
+++ "b/\351\231\210\351\233\204\350\276\211/\350\277\231\346\230\257\344\270\200\344\270\252\345\260\217\347\210\254\350\231\253/node_modules/performance-now/license.txt"
@@ -0,0 +1,7 @@
+Copyright (c) 2013 Braveg1rl
+
+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.
\ No newline at end of file
diff --git "a/\351\231\210\351\233\204\350\276\211/\350\277\231\346\230\257\344\270\200\344\270\252\345\260\217\347\210\254\350\231\253/node_modules/performance-now/package.json" "b/\351\231\210\351\233\204\350\276\211/\350\277\231\346\230\257\344\270\200\344\270\252\345\260\217\347\210\254\350\231\253/node_modules/performance-now/package.json"
new file mode 100644
index 0000000000000000000000000000000000000000..8867c98da8c18d0d097d20c2ea7e8d0c9448b70d
--- /dev/null
+++ "b/\351\231\210\351\233\204\350\276\211/\350\277\231\346\230\257\344\270\200\344\270\252\345\260\217\347\210\254\350\231\253/node_modules/performance-now/package.json"
@@ -0,0 +1,65 @@
+{
+ "_from": "performance-now@^2.1.0",
+ "_id": "performance-now@2.1.0",
+ "_inBundle": false,
+ "_integrity": "sha1-Ywn04OX6kT7BxpMHrjZLSzd8nns=",
+ "_location": "/performance-now",
+ "_phantomChildren": {},
+ "_requested": {
+ "type": "range",
+ "registry": true,
+ "raw": "performance-now@^2.1.0",
+ "name": "performance-now",
+ "escapedName": "performance-now",
+ "rawSpec": "^2.1.0",
+ "saveSpec": null,
+ "fetchSpec": "^2.1.0"
+ },
+ "_requiredBy": [
+ "/request"
+ ],
+ "_resolved": "https://registry.npmjs.org/performance-now/-/performance-now-2.1.0.tgz",
+ "_shasum": "6309f4e0e5fa913ec1c69307ae364b4b377c9e7b",
+ "_spec": "performance-now@^2.1.0",
+ "_where": "C:\\Users\\Administrator\\Desktop\\这是一个小爬虫\\node_modules\\request",
+ "author": {
+ "name": "Braveg1rl",
+ "email": "braveg1rl@outlook.com"
+ },
+ "bugs": {
+ "url": "https://github.com/braveg1rl/performance-now/issues"
+ },
+ "bundleDependencies": false,
+ "dependencies": {},
+ "deprecated": false,
+ "description": "Implements performance.now (based on process.hrtime).",
+ "devDependencies": {
+ "bluebird": "^3.4.7",
+ "call-delayed": "^1.0.0",
+ "chai": "^3.5.0",
+ "chai-increasing": "^1.2.0",
+ "coffee-script": "~1.12.2",
+ "mocha": "~3.2.0",
+ "pre-commit": "^1.2.2"
+ },
+ "homepage": "https://github.com/braveg1rl/performance-now",
+ "keywords": [],
+ "license": "MIT",
+ "main": "lib/performance-now.js",
+ "name": "performance-now",
+ "optionalDependencies": {},
+ "private": false,
+ "repository": {
+ "type": "git",
+ "url": "git://github.com/braveg1rl/performance-now.git"
+ },
+ "scripts": {
+ "build": "mkdir -p lib && rm -rf lib/* && node_modules/.bin/coffee --compile -m --output lib/ src/",
+ "prepublish": "npm test",
+ "pretest": "npm run build",
+ "test": "mocha",
+ "watch": "coffee --watch --compile --output lib/ src/"
+ },
+ "typings": "src/index.d.ts",
+ "version": "2.1.0"
+}
diff --git "a/\351\231\210\351\233\204\350\276\211/\350\277\231\346\230\257\344\270\200\344\270\252\345\260\217\347\210\254\350\231\253/node_modules/performance-now/src/index.d.ts" "b/\351\231\210\351\233\204\350\276\211/\350\277\231\346\230\257\344\270\200\344\270\252\345\260\217\347\210\254\350\231\253/node_modules/performance-now/src/index.d.ts"
new file mode 100644
index 0000000000000000000000000000000000000000..68dca8eddc83ca54a43a8c9779005825381977f7
--- /dev/null
+++ "b/\351\231\210\351\233\204\350\276\211/\350\277\231\346\230\257\344\270\200\344\270\252\345\260\217\347\210\254\350\231\253/node_modules/performance-now/src/index.d.ts"
@@ -0,0 +1,8 @@
+// This file describes the package to typescript.
+
+/**
+ * Returns the number of milliseconds since the page was loaded (if browser)
+ * or the node process was started.
+ */
+declare function now(): number;
+export = now;
diff --git "a/\351\231\210\351\233\204\350\276\211/\350\277\231\346\230\257\344\270\200\344\270\252\345\260\217\347\210\254\350\231\253/node_modules/performance-now/src/performance-now.coffee" "b/\351\231\210\351\233\204\350\276\211/\350\277\231\346\230\257\344\270\200\344\270\252\345\260\217\347\210\254\350\231\253/node_modules/performance-now/src/performance-now.coffee"
new file mode 100644
index 0000000000000000000000000000000000000000..a8e075a40feda90dba21f70a8bfed1984d361773
--- /dev/null
+++ "b/\351\231\210\351\233\204\350\276\211/\350\277\231\346\230\257\344\270\200\344\270\252\345\260\217\347\210\254\350\231\253/node_modules/performance-now/src/performance-now.coffee"
@@ -0,0 +1,17 @@
+if performance? and performance.now
+ module.exports = -> performance.now()
+else if process? and process.hrtime
+ module.exports = -> (getNanoSeconds() - nodeLoadTime) / 1e6
+ hrtime = process.hrtime
+ getNanoSeconds = ->
+ hr = hrtime()
+ hr[0] * 1e9 + hr[1]
+ moduleLoadTime = getNanoSeconds()
+ upTime = process.uptime() * 1e9
+ nodeLoadTime = moduleLoadTime - upTime
+else if Date.now
+ module.exports = -> Date.now() - loadTime
+ loadTime = Date.now()
+else
+ module.exports = -> new Date().getTime() - loadTime
+ loadTime = new Date().getTime()
diff --git "a/\351\231\210\351\233\204\350\276\211/\350\277\231\346\230\257\344\270\200\344\270\252\345\260\217\347\210\254\350\231\253/node_modules/performance-now/test/mocha.opts" "b/\351\231\210\351\233\204\350\276\211/\350\277\231\346\230\257\344\270\200\344\270\252\345\260\217\347\210\254\350\231\253/node_modules/performance-now/test/mocha.opts"
new file mode 100644
index 0000000000000000000000000000000000000000..55d8492707f336c48ef2b40e62a6953a1e141df2
--- /dev/null
+++ "b/\351\231\210\351\233\204\350\276\211/\350\277\231\346\230\257\344\270\200\344\270\252\345\260\217\347\210\254\350\231\253/node_modules/performance-now/test/mocha.opts"
@@ -0,0 +1,3 @@
+--require coffee-script/register
+--compilers coffee:coffee-script/register
+--reporter spec
\ No newline at end of file
diff --git "a/\351\231\210\351\233\204\350\276\211/\350\277\231\346\230\257\344\270\200\344\270\252\345\260\217\347\210\254\350\231\253/node_modules/performance-now/test/performance-now.coffee" "b/\351\231\210\351\233\204\350\276\211/\350\277\231\346\230\257\344\270\200\344\270\252\345\260\217\347\210\254\350\231\253/node_modules/performance-now/test/performance-now.coffee"
new file mode 100644
index 0000000000000000000000000000000000000000..c99e95cd2cb860d32f6d8ec7f96e2b476bef68fd
--- /dev/null
+++ "b/\351\231\210\351\233\204\350\276\211/\350\277\231\346\230\257\344\270\200\344\270\252\345\260\217\347\210\254\350\231\253/node_modules/performance-now/test/performance-now.coffee"
@@ -0,0 +1,43 @@
+chai = require "chai"
+chai.use(require "chai-increasing")
+{assert,expect} = chai
+Bluebird = require "bluebird"
+
+now = require "../"
+
+getUptime = -> process.uptime() * 1e3
+
+describe "now", ->
+ it "reported time differs at most 1ms from a freshly reported uptime", ->
+ assert.isAtMost Math.abs(now()-getUptime()), 1
+
+ it "two subsequent calls return an increasing number", ->
+ assert.isBelow now(), now()
+
+ it "has less than 10 microseconds overhead", ->
+ assert.isBelow Math.abs(now() - now()), 0.010
+
+ it "can be called 1 million times in under 1 second (averaging under 1 microsecond per call)", ->
+ @timeout 1000
+ now() for [0...1e6]
+ undefined
+
+ it "for 10,000 numbers, number n is never bigger than number n-1", ->
+ stamps = (now() for [1...10000])
+ expect(stamps).to.be.increasing
+
+ it "shows that at least 0.2 ms has passed after a timeout of 1 ms", ->
+ earlier = now()
+ Bluebird.resolve().delay(1).then -> assert.isAbove (now()-earlier), 0.2
+
+ it "shows that at most 3 ms has passed after a timeout of 1 ms", ->
+ earlier = now()
+ Bluebird.resolve().delay(1).then -> assert.isBelow (now()-earlier), 3
+
+ it "shows that at least 190ms ms has passed after a timeout of 200ms", ->
+ earlier = now()
+ Bluebird.resolve().delay(200).then -> assert.isAbove (now()-earlier), 190
+
+ it "shows that at most 220 ms has passed after a timeout of 200ms", ->
+ earlier = now()
+ Bluebird.resolve().delay(200).then -> assert.isBelow (now()-earlier), 220
diff --git "a/\351\231\210\351\233\204\350\276\211/\350\277\231\346\230\257\344\270\200\344\270\252\345\260\217\347\210\254\350\231\253/node_modules/performance-now/test/scripts.coffee" "b/\351\231\210\351\233\204\350\276\211/\350\277\231\346\230\257\344\270\200\344\270\252\345\260\217\347\210\254\350\231\253/node_modules/performance-now/test/scripts.coffee"
new file mode 100644
index 0000000000000000000000000000000000000000..16312f185c844560eb8ec02ebdfef95b3a81b9f9
--- /dev/null
+++ "b/\351\231\210\351\233\204\350\276\211/\350\277\231\346\230\257\344\270\200\344\270\252\345\260\217\347\210\254\350\231\253/node_modules/performance-now/test/scripts.coffee"
@@ -0,0 +1,27 @@
+Bluebird = require "bluebird"
+exec = require("child_process").execSync
+{assert} = require "chai"
+
+describe "scripts/initital-value.coffee (module.uptime(), expressed in milliseconds)", ->
+ result = exec("./test/scripts/initial-value.coffee").toString().trim()
+ it "printed #{result}", ->
+ it "printed a value above 100", -> assert.isAbove result, 100
+ it "printed a value below 350", -> assert.isBelow result, 350
+
+describe "scripts/delayed-require.coffee (sum of uptime and 250 ms delay`)", ->
+ result = exec("./test/scripts/delayed-require.coffee").toString().trim()
+ it "printed #{result}", ->
+ it "printed a value above 350", -> assert.isAbove result, 350
+ it "printed a value below 600", -> assert.isBelow result, 600
+
+describe "scripts/delayed-call.coffee (sum of uptime and 250 ms delay`)", ->
+ result = exec("./test/scripts/delayed-call.coffee").toString().trim()
+ it "printed #{result}", ->
+ it "printed a value above 350", -> assert.isAbove result, 350
+ it "printed a value below 600", -> assert.isBelow result, 600
+
+describe "scripts/difference.coffee", ->
+ result = exec("./test/scripts/difference.coffee").toString().trim()
+ it "printed #{result}", ->
+ it "printed a value above 0.005", -> assert.isAbove result, 0.005
+ it "printed a value below 0.07", -> assert.isBelow result, 0.07
diff --git "a/\351\231\210\351\233\204\350\276\211/\350\277\231\346\230\257\344\270\200\344\270\252\345\260\217\347\210\254\350\231\253/node_modules/performance-now/test/scripts/delayed-call.coffee" "b/\351\231\210\351\233\204\350\276\211/\350\277\231\346\230\257\344\270\200\344\270\252\345\260\217\347\210\254\350\231\253/node_modules/performance-now/test/scripts/delayed-call.coffee"
new file mode 100644
index 0000000000000000000000000000000000000000..0c3bab5949b74bdd7a70adc803d3d718a8281080
--- /dev/null
+++ "b/\351\231\210\351\233\204\350\276\211/\350\277\231\346\230\257\344\270\200\344\270\252\345\260\217\347\210\254\350\231\253/node_modules/performance-now/test/scripts/delayed-call.coffee"
@@ -0,0 +1,11 @@
+#!/usr/bin/env ./node_modules/.bin/coffee
+
+###
+Expected output is a number above 350 and below 600.
+The time reported is relative to the time the node.js process was started
+this is approximately at `(Date.now() process.uptime() * 1000)`
+###
+
+delay = require "call-delayed"
+now = require "../../lib/performance-now"
+delay 250, -> console.log now().toFixed 3
diff --git "a/\351\231\210\351\233\204\350\276\211/\350\277\231\346\230\257\344\270\200\344\270\252\345\260\217\347\210\254\350\231\253/node_modules/performance-now/test/scripts/delayed-require.coffee" "b/\351\231\210\351\233\204\350\276\211/\350\277\231\346\230\257\344\270\200\344\270\252\345\260\217\347\210\254\350\231\253/node_modules/performance-now/test/scripts/delayed-require.coffee"
new file mode 100644
index 0000000000000000000000000000000000000000..3ddee952f2c30c87c1d6360d8d168ab8c7b6d183
--- /dev/null
+++ "b/\351\231\210\351\233\204\350\276\211/\350\277\231\346\230\257\344\270\200\344\270\252\345\260\217\347\210\254\350\231\253/node_modules/performance-now/test/scripts/delayed-require.coffee"
@@ -0,0 +1,12 @@
+#!/usr/bin/env ./node_modules/.bin/coffee
+
+###
+Expected output is a number above 350 and below 600.
+The time reported is relative to the time the node.js process was started
+this is approximately at `(Date.now() process.uptime() * 1000)`
+###
+
+delay = require "call-delayed"
+delay 250, ->
+ now = require "../../lib/performance-now"
+ console.log now().toFixed 3
diff --git "a/\351\231\210\351\233\204\350\276\211/\350\277\231\346\230\257\344\270\200\344\270\252\345\260\217\347\210\254\350\231\253/node_modules/performance-now/test/scripts/difference.coffee" "b/\351\231\210\351\233\204\350\276\211/\350\277\231\346\230\257\344\270\200\344\270\252\345\260\217\347\210\254\350\231\253/node_modules/performance-now/test/scripts/difference.coffee"
new file mode 100644
index 0000000000000000000000000000000000000000..0b5edf6c6b2a026da944c19db7524f4688b28c7a
--- /dev/null
+++ "b/\351\231\210\351\233\204\350\276\211/\350\277\231\346\230\257\344\270\200\344\270\252\345\260\217\347\210\254\350\231\253/node_modules/performance-now/test/scripts/difference.coffee"
@@ -0,0 +1,6 @@
+#!/usr/bin/env ./node_modules/.bin/coffee
+
+# Expected output is above 0.005 and below 0.07.
+
+now = require('../../lib/performance-now')
+console.log -(now() - now()).toFixed 3
diff --git "a/\351\231\210\351\233\204\350\276\211/\350\277\231\346\230\257\344\270\200\344\270\252\345\260\217\347\210\254\350\231\253/node_modules/performance-now/test/scripts/initial-value.coffee" "b/\351\231\210\351\233\204\350\276\211/\350\277\231\346\230\257\344\270\200\344\270\252\345\260\217\347\210\254\350\231\253/node_modules/performance-now/test/scripts/initial-value.coffee"
new file mode 100644
index 0000000000000000000000000000000000000000..19ef4e0f3e732fb9ff8c1b46a4e1616d3fb34497
--- /dev/null
+++ "b/\351\231\210\351\233\204\350\276\211/\350\277\231\346\230\257\344\270\200\344\270\252\345\260\217\347\210\254\350\231\253/node_modules/performance-now/test/scripts/initial-value.coffee"
@@ -0,0 +1,10 @@
+#!/usr/bin/env ./node_modules/.bin/coffee
+
+###
+Expected output is a number above 100 and below 350.
+The time reported is relative to the time the node.js process was started
+this is approximately at `(Date.now() process.uptime() * 1000)`
+###
+
+now = require '../../lib/performance-now'
+console.log now().toFixed 3
diff --git "a/\351\231\210\351\233\204\350\276\211/\350\277\231\346\230\257\344\270\200\344\270\252\345\260\217\347\210\254\350\231\253/node_modules/process-nextick-args/index.js" "b/\351\231\210\351\233\204\350\276\211/\350\277\231\346\230\257\344\270\200\344\270\252\345\260\217\347\210\254\350\231\253/node_modules/process-nextick-args/index.js"
new file mode 100644
index 0000000000000000000000000000000000000000..3eecf11488531cd40aed422f0a68bdf0e6a8611a
--- /dev/null
+++ "b/\351\231\210\351\233\204\350\276\211/\350\277\231\346\230\257\344\270\200\344\270\252\345\260\217\347\210\254\350\231\253/node_modules/process-nextick-args/index.js"
@@ -0,0 +1,45 @@
+'use strict';
+
+if (typeof process === 'undefined' ||
+ !process.version ||
+ process.version.indexOf('v0.') === 0 ||
+ process.version.indexOf('v1.') === 0 && process.version.indexOf('v1.8.') !== 0) {
+ module.exports = { nextTick: nextTick };
+} else {
+ module.exports = process
+}
+
+function nextTick(fn, arg1, arg2, arg3) {
+ if (typeof fn !== 'function') {
+ throw new TypeError('"callback" argument must be a function');
+ }
+ var len = arguments.length;
+ var args, i;
+ switch (len) {
+ case 0:
+ case 1:
+ return process.nextTick(fn);
+ case 2:
+ return process.nextTick(function afterTickOne() {
+ fn.call(null, arg1);
+ });
+ case 3:
+ return process.nextTick(function afterTickTwo() {
+ fn.call(null, arg1, arg2);
+ });
+ case 4:
+ return process.nextTick(function afterTickThree() {
+ fn.call(null, arg1, arg2, arg3);
+ });
+ default:
+ args = new Array(len - 1);
+ i = 0;
+ while (i < args.length) {
+ args[i++] = arguments[i];
+ }
+ return process.nextTick(function afterTick() {
+ fn.apply(null, args);
+ });
+ }
+}
+
diff --git "a/\351\231\210\351\233\204\350\276\211/\350\277\231\346\230\257\344\270\200\344\270\252\345\260\217\347\210\254\350\231\253/node_modules/process-nextick-args/license.md" "b/\351\231\210\351\233\204\350\276\211/\350\277\231\346\230\257\344\270\200\344\270\252\345\260\217\347\210\254\350\231\253/node_modules/process-nextick-args/license.md"
new file mode 100644
index 0000000000000000000000000000000000000000..c67e3532b542455fad8c4004ef297534d7f480b2
--- /dev/null
+++ "b/\351\231\210\351\233\204\350\276\211/\350\277\231\346\230\257\344\270\200\344\270\252\345\260\217\347\210\254\350\231\253/node_modules/process-nextick-args/license.md"
@@ -0,0 +1,19 @@
+# Copyright (c) 2015 Calvin Metcalf
+
+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/\351\231\210\351\233\204\350\276\211/\350\277\231\346\230\257\344\270\200\344\270\252\345\260\217\347\210\254\350\231\253/node_modules/process-nextick-args/package.json" "b/\351\231\210\351\233\204\350\276\211/\350\277\231\346\230\257\344\270\200\344\270\252\345\260\217\347\210\254\350\231\253/node_modules/process-nextick-args/package.json"
new file mode 100644
index 0000000000000000000000000000000000000000..2a46109c7fee762c66b8120f90f8937ac55f764d
--- /dev/null
+++ "b/\351\231\210\351\233\204\350\276\211/\350\277\231\346\230\257\344\270\200\344\270\252\345\260\217\347\210\254\350\231\253/node_modules/process-nextick-args/package.json"
@@ -0,0 +1,50 @@
+{
+ "_from": "process-nextick-args@~2.0.0",
+ "_id": "process-nextick-args@2.0.1",
+ "_inBundle": false,
+ "_integrity": "sha512-3ouUOpQhtgrbOa17J7+uxOTpITYWaGP7/AhoR3+A+/1e9skrzelGi/dXzEYyvbxubEF6Wn2ypscTKiKJFFn1ag==",
+ "_location": "/process-nextick-args",
+ "_phantomChildren": {},
+ "_requested": {
+ "type": "range",
+ "registry": true,
+ "raw": "process-nextick-args@~2.0.0",
+ "name": "process-nextick-args",
+ "escapedName": "process-nextick-args",
+ "rawSpec": "~2.0.0",
+ "saveSpec": null,
+ "fetchSpec": "~2.0.0"
+ },
+ "_requiredBy": [
+ "/readable-stream"
+ ],
+ "_resolved": "https://registry.npmjs.org/process-nextick-args/-/process-nextick-args-2.0.1.tgz",
+ "_shasum": "7820d9b16120cc55ca9ae7792680ae7dba6d7fe2",
+ "_spec": "process-nextick-args@~2.0.0",
+ "_where": "C:\\Users\\Administrator\\Desktop\\这是一个小爬虫\\node_modules\\readable-stream",
+ "author": "",
+ "bugs": {
+ "url": "https://github.com/calvinmetcalf/process-nextick-args/issues"
+ },
+ "bundleDependencies": false,
+ "deprecated": false,
+ "description": "process.nextTick but always with args",
+ "devDependencies": {
+ "tap": "~0.2.6"
+ },
+ "files": [
+ "index.js"
+ ],
+ "homepage": "https://github.com/calvinmetcalf/process-nextick-args",
+ "license": "MIT",
+ "main": "index.js",
+ "name": "process-nextick-args",
+ "repository": {
+ "type": "git",
+ "url": "git+https://github.com/calvinmetcalf/process-nextick-args.git"
+ },
+ "scripts": {
+ "test": "node test.js"
+ },
+ "version": "2.0.1"
+}
diff --git "a/\351\231\210\351\233\204\350\276\211/\350\277\231\346\230\257\344\270\200\344\270\252\345\260\217\347\210\254\350\231\253/node_modules/process-nextick-args/readme.md" "b/\351\231\210\351\233\204\350\276\211/\350\277\231\346\230\257\344\270\200\344\270\252\345\260\217\347\210\254\350\231\253/node_modules/process-nextick-args/readme.md"
new file mode 100644
index 0000000000000000000000000000000000000000..ecb432c9b21ffd44bded842812586d3dab132c69
--- /dev/null
+++ "b/\351\231\210\351\233\204\350\276\211/\350\277\231\346\230\257\344\270\200\344\270\252\345\260\217\347\210\254\350\231\253/node_modules/process-nextick-args/readme.md"
@@ -0,0 +1,18 @@
+process-nextick-args
+=====
+
+[](https://travis-ci.org/calvinmetcalf/process-nextick-args)
+
+```bash
+npm install --save process-nextick-args
+```
+
+Always be able to pass arguments to process.nextTick, no matter the platform
+
+```js
+var pna = require('process-nextick-args');
+
+pna.nextTick(function (a, b, c) {
+ console.log(a, b, c);
+}, 'step', 3, 'profit');
+```
diff --git "a/\351\231\210\351\233\204\350\276\211/\350\277\231\346\230\257\344\270\200\344\270\252\345\260\217\347\210\254\350\231\253/node_modules/psl/LICENSE" "b/\351\231\210\351\233\204\350\276\211/\350\277\231\346\230\257\344\270\200\344\270\252\345\260\217\347\210\254\350\231\253/node_modules/psl/LICENSE"
new file mode 100644
index 0000000000000000000000000000000000000000..78d792eda65f1031e0e797a6c355b19141d2378f
--- /dev/null
+++ "b/\351\231\210\351\233\204\350\276\211/\350\277\231\346\230\257\344\270\200\344\270\252\345\260\217\347\210\254\350\231\253/node_modules/psl/LICENSE"
@@ -0,0 +1,9 @@
+The MIT License (MIT)
+
+Copyright (c) 2017 Lupo Montero lupomontero@gmail.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/\351\231\210\351\233\204\350\276\211/\350\277\231\346\230\257\344\270\200\344\270\252\345\260\217\347\210\254\350\231\253/node_modules/psl/README.md" "b/\351\231\210\351\233\204\350\276\211/\350\277\231\346\230\257\344\270\200\344\270\252\345\260\217\347\210\254\350\231\253/node_modules/psl/README.md"
new file mode 100644
index 0000000000000000000000000000000000000000..e876c3d6f64c4d948b861ca274033e49e0946e02
--- /dev/null
+++ "b/\351\231\210\351\233\204\350\276\211/\350\277\231\346\230\257\344\270\200\344\270\252\345\260\217\347\210\254\350\231\253/node_modules/psl/README.md"
@@ -0,0 +1,215 @@
+# psl (Public Suffix List)
+
+[](https://nodei.co/npm/psl/)
+
+[](https://greenkeeper.io/)
+[](https://travis-ci.org/lupomontero/psl)
+[](https://david-dm.org/lupomontero/psl#info=devDependencies)
+
+`psl` is a `JavaScript` domain name parser based on the
+[Public Suffix List](https://publicsuffix.org/).
+
+This implementation is tested against the
+[test data hosted by Mozilla](http://mxr.mozilla.org/mozilla-central/source/netwerk/test/unit/data/test_psl.txt?raw=1)
+and kindly provided by [Comodo](https://www.comodo.com/).
+
+Cross browser testing provided by
+[
](https://www.browserstack.com/)
+
+## What is the Public Suffix List?
+
+The Public Suffix List is a cross-vendor initiative to provide an accurate list
+of domain name suffixes.
+
+The Public Suffix List is an initiative of the Mozilla Project, but is
+maintained as a community resource. It is available for use in any software,
+but was originally created to meet the needs of browser manufacturers.
+
+A "public suffix" is one under which Internet users can directly register names.
+Some examples of public suffixes are ".com", ".co.uk" and "pvt.k12.wy.us". The
+Public Suffix List is a list of all known public suffixes.
+
+Source: http://publicsuffix.org
+
+
+## Installation
+
+### Node.js
+
+```sh
+npm install --save psl
+```
+
+### Browser
+
+Download [psl.min.js](https://raw.githubusercontent.com/lupomontero/psl/master/dist/psl.min.js)
+and include it in a script tag.
+
+```html
+
+```
+
+This script is browserified and wrapped in a [umd](https://github.com/umdjs/umd)
+wrapper so you should be able to use it standalone or together with a module
+loader.
+
+## API
+
+### `psl.parse(domain)`
+
+Parse domain based on Public Suffix List. Returns an `Object` with the following
+properties:
+
+* `tld`: Top level domain (this is the _public suffix_).
+* `sld`: Second level domain (the first private part of the domain name).
+* `domain`: The domain name is the `sld` + `tld`.
+* `subdomain`: Optional parts left of the domain.
+
+#### Example:
+
+```js
+var psl = require('psl');
+
+// Parse domain without subdomain
+var parsed = psl.parse('google.com');
+console.log(parsed.tld); // 'com'
+console.log(parsed.sld); // 'google'
+console.log(parsed.domain); // 'google.com'
+console.log(parsed.subdomain); // null
+
+// Parse domain with subdomain
+var parsed = psl.parse('www.google.com');
+console.log(parsed.tld); // 'com'
+console.log(parsed.sld); // 'google'
+console.log(parsed.domain); // 'google.com'
+console.log(parsed.subdomain); // 'www'
+
+// Parse domain with nested subdomains
+var parsed = psl.parse('a.b.c.d.foo.com');
+console.log(parsed.tld); // 'com'
+console.log(parsed.sld); // 'foo'
+console.log(parsed.domain); // 'foo.com'
+console.log(parsed.subdomain); // 'a.b.c.d'
+```
+
+### `psl.get(domain)`
+
+Get domain name, `sld` + `tld`. Returns `null` if not valid.
+
+#### Example:
+
+```js
+var psl = require('psl');
+
+// null input.
+psl.get(null); // null
+
+// Mixed case.
+psl.get('COM'); // null
+psl.get('example.COM'); // 'example.com'
+psl.get('WwW.example.COM'); // 'example.com'
+
+// Unlisted TLD.
+psl.get('example'); // null
+psl.get('example.example'); // 'example.example'
+psl.get('b.example.example'); // 'example.example'
+psl.get('a.b.example.example'); // 'example.example'
+
+// TLD with only 1 rule.
+psl.get('biz'); // null
+psl.get('domain.biz'); // 'domain.biz'
+psl.get('b.domain.biz'); // 'domain.biz'
+psl.get('a.b.domain.biz'); // 'domain.biz'
+
+// TLD with some 2-level rules.
+psl.get('uk.com'); // null);
+psl.get('example.uk.com'); // 'example.uk.com');
+psl.get('b.example.uk.com'); // 'example.uk.com');
+
+// More complex TLD.
+psl.get('c.kobe.jp'); // null
+psl.get('b.c.kobe.jp'); // 'b.c.kobe.jp'
+psl.get('a.b.c.kobe.jp'); // 'b.c.kobe.jp'
+psl.get('city.kobe.jp'); // 'city.kobe.jp'
+psl.get('www.city.kobe.jp'); // 'city.kobe.jp'
+
+// IDN labels.
+psl.get('食狮.com.cn'); // '食狮.com.cn'
+psl.get('食狮.公司.cn'); // '食狮.公司.cn'
+psl.get('www.食狮.公司.cn'); // '食狮.公司.cn'
+
+// Same as above, but punycoded.
+psl.get('xn--85x722f.com.cn'); // 'xn--85x722f.com.cn'
+psl.get('xn--85x722f.xn--55qx5d.cn'); // 'xn--85x722f.xn--55qx5d.cn'
+psl.get('www.xn--85x722f.xn--55qx5d.cn'); // 'xn--85x722f.xn--55qx5d.cn'
+```
+
+### `psl.isValid(domain)`
+
+Check whether a domain has a valid Public Suffix. Returns a `Boolean` indicating
+whether the domain has a valid Public Suffix.
+
+#### Example
+
+```js
+var psl = require('psl');
+
+psl.isValid('google.com'); // true
+psl.isValid('www.google.com'); // true
+psl.isValid('x.yz'); // false
+```
+
+
+## Testing and Building
+
+Test are written using [`mocha`](https://mochajs.org/) and can be
+run in two different environments: `node` and `phantomjs`.
+
+```sh
+# This will run `eslint`, `mocha` and `karma`.
+npm test
+
+# Individual test environments
+# Run tests in node only.
+./node_modules/.bin/mocha test
+# Run tests in phantomjs only.
+./node_modules/.bin/karma start ./karma.conf.js --single-run
+
+# Build data (parse raw list) and create dist files
+npm run build
+```
+
+Feel free to fork if you see possible improvements!
+
+
+## Acknowledgements
+
+* Mozilla Foundation's [Public Suffix List](https://publicsuffix.org/)
+* Thanks to Rob Stradling of [Comodo](https://www.comodo.com/) for providing
+ test data.
+* Inspired by [weppos/publicsuffix-ruby](https://github.com/weppos/publicsuffix-ruby)
+
+
+## License
+
+The MIT License (MIT)
+
+Copyright (c) 2017 Lupo Montero
+
+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/\351\231\210\351\233\204\350\276\211/\350\277\231\346\230\257\344\270\200\344\270\252\345\260\217\347\210\254\350\231\253/node_modules/psl/browserstack-logo.svg" "b/\351\231\210\351\233\204\350\276\211/\350\277\231\346\230\257\344\270\200\344\270\252\345\260\217\347\210\254\350\231\253/node_modules/psl/browserstack-logo.svg"
new file mode 100644
index 0000000000000000000000000000000000000000..195f64d2feab41896ece6fca4d746a012875203a
--- /dev/null
+++ "b/\351\231\210\351\233\204\350\276\211/\350\277\231\346\230\257\344\270\200\344\270\252\345\260\217\347\210\254\350\231\253/node_modules/psl/browserstack-logo.svg"
@@ -0,0 +1,90 @@
+
+
+
diff --git "a/\351\231\210\351\233\204\350\276\211/\350\277\231\346\230\257\344\270\200\344\270\252\345\260\217\347\210\254\350\231\253/node_modules/psl/data/rules.json" "b/\351\231\210\351\233\204\350\276\211/\350\277\231\346\230\257\344\270\200\344\270\252\345\260\217\347\210\254\350\231\253/node_modules/psl/data/rules.json"
new file mode 100644
index 0000000000000000000000000000000000000000..e19abdc8938dc4f7ad1b886e9cb8cf0388723dbd
--- /dev/null
+++ "b/\351\231\210\351\233\204\350\276\211/\350\277\231\346\230\257\344\270\200\344\270\252\345\260\217\347\210\254\350\231\253/node_modules/psl/data/rules.json"
@@ -0,0 +1,8834 @@
+[
+"ac",
+"com.ac",
+"edu.ac",
+"gov.ac",
+"net.ac",
+"mil.ac",
+"org.ac",
+"ad",
+"nom.ad",
+"ae",
+"co.ae",
+"net.ae",
+"org.ae",
+"sch.ae",
+"ac.ae",
+"gov.ae",
+"mil.ae",
+"aero",
+"accident-investigation.aero",
+"accident-prevention.aero",
+"aerobatic.aero",
+"aeroclub.aero",
+"aerodrome.aero",
+"agents.aero",
+"aircraft.aero",
+"airline.aero",
+"airport.aero",
+"air-surveillance.aero",
+"airtraffic.aero",
+"air-traffic-control.aero",
+"ambulance.aero",
+"amusement.aero",
+"association.aero",
+"author.aero",
+"ballooning.aero",
+"broker.aero",
+"caa.aero",
+"cargo.aero",
+"catering.aero",
+"certification.aero",
+"championship.aero",
+"charter.aero",
+"civilaviation.aero",
+"club.aero",
+"conference.aero",
+"consultant.aero",
+"consulting.aero",
+"control.aero",
+"council.aero",
+"crew.aero",
+"design.aero",
+"dgca.aero",
+"educator.aero",
+"emergency.aero",
+"engine.aero",
+"engineer.aero",
+"entertainment.aero",
+"equipment.aero",
+"exchange.aero",
+"express.aero",
+"federation.aero",
+"flight.aero",
+"freight.aero",
+"fuel.aero",
+"gliding.aero",
+"government.aero",
+"groundhandling.aero",
+"group.aero",
+"hanggliding.aero",
+"homebuilt.aero",
+"insurance.aero",
+"journal.aero",
+"journalist.aero",
+"leasing.aero",
+"logistics.aero",
+"magazine.aero",
+"maintenance.aero",
+"media.aero",
+"microlight.aero",
+"modelling.aero",
+"navigation.aero",
+"parachuting.aero",
+"paragliding.aero",
+"passenger-association.aero",
+"pilot.aero",
+"press.aero",
+"production.aero",
+"recreation.aero",
+"repbody.aero",
+"res.aero",
+"research.aero",
+"rotorcraft.aero",
+"safety.aero",
+"scientist.aero",
+"services.aero",
+"show.aero",
+"skydiving.aero",
+"software.aero",
+"student.aero",
+"trader.aero",
+"trading.aero",
+"trainer.aero",
+"union.aero",
+"workinggroup.aero",
+"works.aero",
+"af",
+"gov.af",
+"com.af",
+"org.af",
+"net.af",
+"edu.af",
+"ag",
+"com.ag",
+"org.ag",
+"net.ag",
+"co.ag",
+"nom.ag",
+"ai",
+"off.ai",
+"com.ai",
+"net.ai",
+"org.ai",
+"al",
+"com.al",
+"edu.al",
+"gov.al",
+"mil.al",
+"net.al",
+"org.al",
+"am",
+"co.am",
+"com.am",
+"commune.am",
+"net.am",
+"org.am",
+"ao",
+"ed.ao",
+"gv.ao",
+"og.ao",
+"co.ao",
+"pb.ao",
+"it.ao",
+"aq",
+"ar",
+"com.ar",
+"edu.ar",
+"gob.ar",
+"gov.ar",
+"int.ar",
+"mil.ar",
+"musica.ar",
+"net.ar",
+"org.ar",
+"tur.ar",
+"arpa",
+"e164.arpa",
+"in-addr.arpa",
+"ip6.arpa",
+"iris.arpa",
+"uri.arpa",
+"urn.arpa",
+"as",
+"gov.as",
+"asia",
+"at",
+"ac.at",
+"co.at",
+"gv.at",
+"or.at",
+"au",
+"com.au",
+"net.au",
+"org.au",
+"edu.au",
+"gov.au",
+"asn.au",
+"id.au",
+"info.au",
+"conf.au",
+"oz.au",
+"act.au",
+"nsw.au",
+"nt.au",
+"qld.au",
+"sa.au",
+"tas.au",
+"vic.au",
+"wa.au",
+"act.edu.au",
+"catholic.edu.au",
+"nsw.edu.au",
+"nt.edu.au",
+"qld.edu.au",
+"sa.edu.au",
+"tas.edu.au",
+"vic.edu.au",
+"wa.edu.au",
+"qld.gov.au",
+"sa.gov.au",
+"tas.gov.au",
+"vic.gov.au",
+"wa.gov.au",
+"education.tas.edu.au",
+"schools.nsw.edu.au",
+"aw",
+"com.aw",
+"ax",
+"az",
+"com.az",
+"net.az",
+"int.az",
+"gov.az",
+"org.az",
+"edu.az",
+"info.az",
+"pp.az",
+"mil.az",
+"name.az",
+"pro.az",
+"biz.az",
+"ba",
+"com.ba",
+"edu.ba",
+"gov.ba",
+"mil.ba",
+"net.ba",
+"org.ba",
+"bb",
+"biz.bb",
+"co.bb",
+"com.bb",
+"edu.bb",
+"gov.bb",
+"info.bb",
+"net.bb",
+"org.bb",
+"store.bb",
+"tv.bb",
+"*.bd",
+"be",
+"ac.be",
+"bf",
+"gov.bf",
+"bg",
+"a.bg",
+"b.bg",
+"c.bg",
+"d.bg",
+"e.bg",
+"f.bg",
+"g.bg",
+"h.bg",
+"i.bg",
+"j.bg",
+"k.bg",
+"l.bg",
+"m.bg",
+"n.bg",
+"o.bg",
+"p.bg",
+"q.bg",
+"r.bg",
+"s.bg",
+"t.bg",
+"u.bg",
+"v.bg",
+"w.bg",
+"x.bg",
+"y.bg",
+"z.bg",
+"0.bg",
+"1.bg",
+"2.bg",
+"3.bg",
+"4.bg",
+"5.bg",
+"6.bg",
+"7.bg",
+"8.bg",
+"9.bg",
+"bh",
+"com.bh",
+"edu.bh",
+"net.bh",
+"org.bh",
+"gov.bh",
+"bi",
+"co.bi",
+"com.bi",
+"edu.bi",
+"or.bi",
+"org.bi",
+"biz",
+"bj",
+"asso.bj",
+"barreau.bj",
+"gouv.bj",
+"bm",
+"com.bm",
+"edu.bm",
+"gov.bm",
+"net.bm",
+"org.bm",
+"bn",
+"com.bn",
+"edu.bn",
+"gov.bn",
+"net.bn",
+"org.bn",
+"bo",
+"com.bo",
+"edu.bo",
+"gob.bo",
+"int.bo",
+"org.bo",
+"net.bo",
+"mil.bo",
+"tv.bo",
+"web.bo",
+"academia.bo",
+"agro.bo",
+"arte.bo",
+"blog.bo",
+"bolivia.bo",
+"ciencia.bo",
+"cooperativa.bo",
+"democracia.bo",
+"deporte.bo",
+"ecologia.bo",
+"economia.bo",
+"empresa.bo",
+"indigena.bo",
+"industria.bo",
+"info.bo",
+"medicina.bo",
+"movimiento.bo",
+"musica.bo",
+"natural.bo",
+"nombre.bo",
+"noticias.bo",
+"patria.bo",
+"politica.bo",
+"profesional.bo",
+"plurinacional.bo",
+"pueblo.bo",
+"revista.bo",
+"salud.bo",
+"tecnologia.bo",
+"tksat.bo",
+"transporte.bo",
+"wiki.bo",
+"br",
+"9guacu.br",
+"abc.br",
+"adm.br",
+"adv.br",
+"agr.br",
+"aju.br",
+"am.br",
+"anani.br",
+"aparecida.br",
+"arq.br",
+"art.br",
+"ato.br",
+"b.br",
+"barueri.br",
+"belem.br",
+"bhz.br",
+"bio.br",
+"blog.br",
+"bmd.br",
+"boavista.br",
+"bsb.br",
+"campinagrande.br",
+"campinas.br",
+"caxias.br",
+"cim.br",
+"cng.br",
+"cnt.br",
+"com.br",
+"contagem.br",
+"coop.br",
+"cri.br",
+"cuiaba.br",
+"curitiba.br",
+"def.br",
+"ecn.br",
+"eco.br",
+"edu.br",
+"emp.br",
+"eng.br",
+"esp.br",
+"etc.br",
+"eti.br",
+"far.br",
+"feira.br",
+"flog.br",
+"floripa.br",
+"fm.br",
+"fnd.br",
+"fortal.br",
+"fot.br",
+"foz.br",
+"fst.br",
+"g12.br",
+"ggf.br",
+"goiania.br",
+"gov.br",
+"ac.gov.br",
+"al.gov.br",
+"am.gov.br",
+"ap.gov.br",
+"ba.gov.br",
+"ce.gov.br",
+"df.gov.br",
+"es.gov.br",
+"go.gov.br",
+"ma.gov.br",
+"mg.gov.br",
+"ms.gov.br",
+"mt.gov.br",
+"pa.gov.br",
+"pb.gov.br",
+"pe.gov.br",
+"pi.gov.br",
+"pr.gov.br",
+"rj.gov.br",
+"rn.gov.br",
+"ro.gov.br",
+"rr.gov.br",
+"rs.gov.br",
+"sc.gov.br",
+"se.gov.br",
+"sp.gov.br",
+"to.gov.br",
+"gru.br",
+"imb.br",
+"ind.br",
+"inf.br",
+"jab.br",
+"jampa.br",
+"jdf.br",
+"joinville.br",
+"jor.br",
+"jus.br",
+"leg.br",
+"lel.br",
+"londrina.br",
+"macapa.br",
+"maceio.br",
+"manaus.br",
+"maringa.br",
+"mat.br",
+"med.br",
+"mil.br",
+"morena.br",
+"mp.br",
+"mus.br",
+"natal.br",
+"net.br",
+"niteroi.br",
+"*.nom.br",
+"not.br",
+"ntr.br",
+"odo.br",
+"ong.br",
+"org.br",
+"osasco.br",
+"palmas.br",
+"poa.br",
+"ppg.br",
+"pro.br",
+"psc.br",
+"psi.br",
+"pvh.br",
+"qsl.br",
+"radio.br",
+"rec.br",
+"recife.br",
+"ribeirao.br",
+"rio.br",
+"riobranco.br",
+"riopreto.br",
+"salvador.br",
+"sampa.br",
+"santamaria.br",
+"santoandre.br",
+"saobernardo.br",
+"saogonca.br",
+"sjc.br",
+"slg.br",
+"slz.br",
+"sorocaba.br",
+"srv.br",
+"taxi.br",
+"tc.br",
+"teo.br",
+"the.br",
+"tmp.br",
+"trd.br",
+"tur.br",
+"tv.br",
+"udi.br",
+"vet.br",
+"vix.br",
+"vlog.br",
+"wiki.br",
+"zlg.br",
+"bs",
+"com.bs",
+"net.bs",
+"org.bs",
+"edu.bs",
+"gov.bs",
+"bt",
+"com.bt",
+"edu.bt",
+"gov.bt",
+"net.bt",
+"org.bt",
+"bv",
+"bw",
+"co.bw",
+"org.bw",
+"by",
+"gov.by",
+"mil.by",
+"com.by",
+"of.by",
+"bz",
+"com.bz",
+"net.bz",
+"org.bz",
+"edu.bz",
+"gov.bz",
+"ca",
+"ab.ca",
+"bc.ca",
+"mb.ca",
+"nb.ca",
+"nf.ca",
+"nl.ca",
+"ns.ca",
+"nt.ca",
+"nu.ca",
+"on.ca",
+"pe.ca",
+"qc.ca",
+"sk.ca",
+"yk.ca",
+"gc.ca",
+"cat",
+"cc",
+"cd",
+"gov.cd",
+"cf",
+"cg",
+"ch",
+"ci",
+"org.ci",
+"or.ci",
+"com.ci",
+"co.ci",
+"edu.ci",
+"ed.ci",
+"ac.ci",
+"net.ci",
+"go.ci",
+"asso.ci",
+"aéroport.ci",
+"int.ci",
+"presse.ci",
+"md.ci",
+"gouv.ci",
+"*.ck",
+"!www.ck",
+"cl",
+"aprendemas.cl",
+"co.cl",
+"gob.cl",
+"gov.cl",
+"mil.cl",
+"cm",
+"co.cm",
+"com.cm",
+"gov.cm",
+"net.cm",
+"cn",
+"ac.cn",
+"com.cn",
+"edu.cn",
+"gov.cn",
+"net.cn",
+"org.cn",
+"mil.cn",
+"公司.cn",
+"网络.cn",
+"網絡.cn",
+"ah.cn",
+"bj.cn",
+"cq.cn",
+"fj.cn",
+"gd.cn",
+"gs.cn",
+"gz.cn",
+"gx.cn",
+"ha.cn",
+"hb.cn",
+"he.cn",
+"hi.cn",
+"hl.cn",
+"hn.cn",
+"jl.cn",
+"js.cn",
+"jx.cn",
+"ln.cn",
+"nm.cn",
+"nx.cn",
+"qh.cn",
+"sc.cn",
+"sd.cn",
+"sh.cn",
+"sn.cn",
+"sx.cn",
+"tj.cn",
+"xj.cn",
+"xz.cn",
+"yn.cn",
+"zj.cn",
+"hk.cn",
+"mo.cn",
+"tw.cn",
+"co",
+"arts.co",
+"com.co",
+"edu.co",
+"firm.co",
+"gov.co",
+"info.co",
+"int.co",
+"mil.co",
+"net.co",
+"nom.co",
+"org.co",
+"rec.co",
+"web.co",
+"com",
+"coop",
+"cr",
+"ac.cr",
+"co.cr",
+"ed.cr",
+"fi.cr",
+"go.cr",
+"or.cr",
+"sa.cr",
+"cu",
+"com.cu",
+"edu.cu",
+"org.cu",
+"net.cu",
+"gov.cu",
+"inf.cu",
+"cv",
+"cw",
+"com.cw",
+"edu.cw",
+"net.cw",
+"org.cw",
+"cx",
+"gov.cx",
+"cy",
+"ac.cy",
+"biz.cy",
+"com.cy",
+"ekloges.cy",
+"gov.cy",
+"ltd.cy",
+"name.cy",
+"net.cy",
+"org.cy",
+"parliament.cy",
+"press.cy",
+"pro.cy",
+"tm.cy",
+"cz",
+"de",
+"dj",
+"dk",
+"dm",
+"com.dm",
+"net.dm",
+"org.dm",
+"edu.dm",
+"gov.dm",
+"do",
+"art.do",
+"com.do",
+"edu.do",
+"gob.do",
+"gov.do",
+"mil.do",
+"net.do",
+"org.do",
+"sld.do",
+"web.do",
+"dz",
+"com.dz",
+"org.dz",
+"net.dz",
+"gov.dz",
+"edu.dz",
+"asso.dz",
+"pol.dz",
+"art.dz",
+"ec",
+"com.ec",
+"info.ec",
+"net.ec",
+"fin.ec",
+"k12.ec",
+"med.ec",
+"pro.ec",
+"org.ec",
+"edu.ec",
+"gov.ec",
+"gob.ec",
+"mil.ec",
+"edu",
+"ee",
+"edu.ee",
+"gov.ee",
+"riik.ee",
+"lib.ee",
+"med.ee",
+"com.ee",
+"pri.ee",
+"aip.ee",
+"org.ee",
+"fie.ee",
+"eg",
+"com.eg",
+"edu.eg",
+"eun.eg",
+"gov.eg",
+"mil.eg",
+"name.eg",
+"net.eg",
+"org.eg",
+"sci.eg",
+"*.er",
+"es",
+"com.es",
+"nom.es",
+"org.es",
+"gob.es",
+"edu.es",
+"et",
+"com.et",
+"gov.et",
+"org.et",
+"edu.et",
+"biz.et",
+"name.et",
+"info.et",
+"net.et",
+"eu",
+"fi",
+"aland.fi",
+"fj",
+"ac.fj",
+"biz.fj",
+"com.fj",
+"gov.fj",
+"info.fj",
+"mil.fj",
+"name.fj",
+"net.fj",
+"org.fj",
+"pro.fj",
+"*.fk",
+"fm",
+"fo",
+"fr",
+"asso.fr",
+"com.fr",
+"gouv.fr",
+"nom.fr",
+"prd.fr",
+"tm.fr",
+"aeroport.fr",
+"avocat.fr",
+"avoues.fr",
+"cci.fr",
+"chambagri.fr",
+"chirurgiens-dentistes.fr",
+"experts-comptables.fr",
+"geometre-expert.fr",
+"greta.fr",
+"huissier-justice.fr",
+"medecin.fr",
+"notaires.fr",
+"pharmacien.fr",
+"port.fr",
+"veterinaire.fr",
+"ga",
+"gb",
+"gd",
+"ge",
+"com.ge",
+"edu.ge",
+"gov.ge",
+"org.ge",
+"mil.ge",
+"net.ge",
+"pvt.ge",
+"gf",
+"gg",
+"co.gg",
+"net.gg",
+"org.gg",
+"gh",
+"com.gh",
+"edu.gh",
+"gov.gh",
+"org.gh",
+"mil.gh",
+"gi",
+"com.gi",
+"ltd.gi",
+"gov.gi",
+"mod.gi",
+"edu.gi",
+"org.gi",
+"gl",
+"co.gl",
+"com.gl",
+"edu.gl",
+"net.gl",
+"org.gl",
+"gm",
+"gn",
+"ac.gn",
+"com.gn",
+"edu.gn",
+"gov.gn",
+"org.gn",
+"net.gn",
+"gov",
+"gp",
+"com.gp",
+"net.gp",
+"mobi.gp",
+"edu.gp",
+"org.gp",
+"asso.gp",
+"gq",
+"gr",
+"com.gr",
+"edu.gr",
+"net.gr",
+"org.gr",
+"gov.gr",
+"gs",
+"gt",
+"com.gt",
+"edu.gt",
+"gob.gt",
+"ind.gt",
+"mil.gt",
+"net.gt",
+"org.gt",
+"gu",
+"com.gu",
+"edu.gu",
+"gov.gu",
+"guam.gu",
+"info.gu",
+"net.gu",
+"org.gu",
+"web.gu",
+"gw",
+"gy",
+"co.gy",
+"com.gy",
+"edu.gy",
+"gov.gy",
+"net.gy",
+"org.gy",
+"hk",
+"com.hk",
+"edu.hk",
+"gov.hk",
+"idv.hk",
+"net.hk",
+"org.hk",
+"公司.hk",
+"教育.hk",
+"敎育.hk",
+"政府.hk",
+"個人.hk",
+"个人.hk",
+"箇人.hk",
+"網络.hk",
+"网络.hk",
+"组織.hk",
+"網絡.hk",
+"网絡.hk",
+"组织.hk",
+"組織.hk",
+"組织.hk",
+"hm",
+"hn",
+"com.hn",
+"edu.hn",
+"org.hn",
+"net.hn",
+"mil.hn",
+"gob.hn",
+"hr",
+"iz.hr",
+"from.hr",
+"name.hr",
+"com.hr",
+"ht",
+"com.ht",
+"shop.ht",
+"firm.ht",
+"info.ht",
+"adult.ht",
+"net.ht",
+"pro.ht",
+"org.ht",
+"med.ht",
+"art.ht",
+"coop.ht",
+"pol.ht",
+"asso.ht",
+"edu.ht",
+"rel.ht",
+"gouv.ht",
+"perso.ht",
+"hu",
+"co.hu",
+"info.hu",
+"org.hu",
+"priv.hu",
+"sport.hu",
+"tm.hu",
+"2000.hu",
+"agrar.hu",
+"bolt.hu",
+"casino.hu",
+"city.hu",
+"erotica.hu",
+"erotika.hu",
+"film.hu",
+"forum.hu",
+"games.hu",
+"hotel.hu",
+"ingatlan.hu",
+"jogasz.hu",
+"konyvelo.hu",
+"lakas.hu",
+"media.hu",
+"news.hu",
+"reklam.hu",
+"sex.hu",
+"shop.hu",
+"suli.hu",
+"szex.hu",
+"tozsde.hu",
+"utazas.hu",
+"video.hu",
+"id",
+"ac.id",
+"biz.id",
+"co.id",
+"desa.id",
+"go.id",
+"mil.id",
+"my.id",
+"net.id",
+"or.id",
+"ponpes.id",
+"sch.id",
+"web.id",
+"ie",
+"gov.ie",
+"il",
+"ac.il",
+"co.il",
+"gov.il",
+"idf.il",
+"k12.il",
+"muni.il",
+"net.il",
+"org.il",
+"im",
+"ac.im",
+"co.im",
+"com.im",
+"ltd.co.im",
+"net.im",
+"org.im",
+"plc.co.im",
+"tt.im",
+"tv.im",
+"in",
+"co.in",
+"firm.in",
+"net.in",
+"org.in",
+"gen.in",
+"ind.in",
+"nic.in",
+"ac.in",
+"edu.in",
+"res.in",
+"gov.in",
+"mil.in",
+"info",
+"int",
+"eu.int",
+"io",
+"com.io",
+"iq",
+"gov.iq",
+"edu.iq",
+"mil.iq",
+"com.iq",
+"org.iq",
+"net.iq",
+"ir",
+"ac.ir",
+"co.ir",
+"gov.ir",
+"id.ir",
+"net.ir",
+"org.ir",
+"sch.ir",
+"ایران.ir",
+"ايران.ir",
+"is",
+"net.is",
+"com.is",
+"edu.is",
+"gov.is",
+"org.is",
+"int.is",
+"it",
+"gov.it",
+"edu.it",
+"abr.it",
+"abruzzo.it",
+"aosta-valley.it",
+"aostavalley.it",
+"bas.it",
+"basilicata.it",
+"cal.it",
+"calabria.it",
+"cam.it",
+"campania.it",
+"emilia-romagna.it",
+"emiliaromagna.it",
+"emr.it",
+"friuli-v-giulia.it",
+"friuli-ve-giulia.it",
+"friuli-vegiulia.it",
+"friuli-venezia-giulia.it",
+"friuli-veneziagiulia.it",
+"friuli-vgiulia.it",
+"friuliv-giulia.it",
+"friulive-giulia.it",
+"friulivegiulia.it",
+"friulivenezia-giulia.it",
+"friuliveneziagiulia.it",
+"friulivgiulia.it",
+"fvg.it",
+"laz.it",
+"lazio.it",
+"lig.it",
+"liguria.it",
+"lom.it",
+"lombardia.it",
+"lombardy.it",
+"lucania.it",
+"mar.it",
+"marche.it",
+"mol.it",
+"molise.it",
+"piedmont.it",
+"piemonte.it",
+"pmn.it",
+"pug.it",
+"puglia.it",
+"sar.it",
+"sardegna.it",
+"sardinia.it",
+"sic.it",
+"sicilia.it",
+"sicily.it",
+"taa.it",
+"tos.it",
+"toscana.it",
+"trentin-sud-tirol.it",
+"trentin-süd-tirol.it",
+"trentin-sudtirol.it",
+"trentin-südtirol.it",
+"trentin-sued-tirol.it",
+"trentin-suedtirol.it",
+"trentino-a-adige.it",
+"trentino-aadige.it",
+"trentino-alto-adige.it",
+"trentino-altoadige.it",
+"trentino-s-tirol.it",
+"trentino-stirol.it",
+"trentino-sud-tirol.it",
+"trentino-süd-tirol.it",
+"trentino-sudtirol.it",
+"trentino-südtirol.it",
+"trentino-sued-tirol.it",
+"trentino-suedtirol.it",
+"trentino.it",
+"trentinoa-adige.it",
+"trentinoaadige.it",
+"trentinoalto-adige.it",
+"trentinoaltoadige.it",
+"trentinos-tirol.it",
+"trentinostirol.it",
+"trentinosud-tirol.it",
+"trentinosüd-tirol.it",
+"trentinosudtirol.it",
+"trentinosüdtirol.it",
+"trentinosued-tirol.it",
+"trentinosuedtirol.it",
+"trentinsud-tirol.it",
+"trentinsüd-tirol.it",
+"trentinsudtirol.it",
+"trentinsüdtirol.it",
+"trentinsued-tirol.it",
+"trentinsuedtirol.it",
+"tuscany.it",
+"umb.it",
+"umbria.it",
+"val-d-aosta.it",
+"val-daosta.it",
+"vald-aosta.it",
+"valdaosta.it",
+"valle-aosta.it",
+"valle-d-aosta.it",
+"valle-daosta.it",
+"valleaosta.it",
+"valled-aosta.it",
+"valledaosta.it",
+"vallee-aoste.it",
+"vallée-aoste.it",
+"vallee-d-aoste.it",
+"vallée-d-aoste.it",
+"valleeaoste.it",
+"valléeaoste.it",
+"valleedaoste.it",
+"valléedaoste.it",
+"vao.it",
+"vda.it",
+"ven.it",
+"veneto.it",
+"ag.it",
+"agrigento.it",
+"al.it",
+"alessandria.it",
+"alto-adige.it",
+"altoadige.it",
+"an.it",
+"ancona.it",
+"andria-barletta-trani.it",
+"andria-trani-barletta.it",
+"andriabarlettatrani.it",
+"andriatranibarletta.it",
+"ao.it",
+"aosta.it",
+"aoste.it",
+"ap.it",
+"aq.it",
+"aquila.it",
+"ar.it",
+"arezzo.it",
+"ascoli-piceno.it",
+"ascolipiceno.it",
+"asti.it",
+"at.it",
+"av.it",
+"avellino.it",
+"ba.it",
+"balsan-sudtirol.it",
+"balsan-südtirol.it",
+"balsan-suedtirol.it",
+"balsan.it",
+"bari.it",
+"barletta-trani-andria.it",
+"barlettatraniandria.it",
+"belluno.it",
+"benevento.it",
+"bergamo.it",
+"bg.it",
+"bi.it",
+"biella.it",
+"bl.it",
+"bn.it",
+"bo.it",
+"bologna.it",
+"bolzano-altoadige.it",
+"bolzano.it",
+"bozen-sudtirol.it",
+"bozen-südtirol.it",
+"bozen-suedtirol.it",
+"bozen.it",
+"br.it",
+"brescia.it",
+"brindisi.it",
+"bs.it",
+"bt.it",
+"bulsan-sudtirol.it",
+"bulsan-südtirol.it",
+"bulsan-suedtirol.it",
+"bulsan.it",
+"bz.it",
+"ca.it",
+"cagliari.it",
+"caltanissetta.it",
+"campidano-medio.it",
+"campidanomedio.it",
+"campobasso.it",
+"carbonia-iglesias.it",
+"carboniaiglesias.it",
+"carrara-massa.it",
+"carraramassa.it",
+"caserta.it",
+"catania.it",
+"catanzaro.it",
+"cb.it",
+"ce.it",
+"cesena-forli.it",
+"cesena-forlì.it",
+"cesenaforli.it",
+"cesenaforlì.it",
+"ch.it",
+"chieti.it",
+"ci.it",
+"cl.it",
+"cn.it",
+"co.it",
+"como.it",
+"cosenza.it",
+"cr.it",
+"cremona.it",
+"crotone.it",
+"cs.it",
+"ct.it",
+"cuneo.it",
+"cz.it",
+"dell-ogliastra.it",
+"dellogliastra.it",
+"en.it",
+"enna.it",
+"fc.it",
+"fe.it",
+"fermo.it",
+"ferrara.it",
+"fg.it",
+"fi.it",
+"firenze.it",
+"florence.it",
+"fm.it",
+"foggia.it",
+"forli-cesena.it",
+"forlì-cesena.it",
+"forlicesena.it",
+"forlìcesena.it",
+"fr.it",
+"frosinone.it",
+"ge.it",
+"genoa.it",
+"genova.it",
+"go.it",
+"gorizia.it",
+"gr.it",
+"grosseto.it",
+"iglesias-carbonia.it",
+"iglesiascarbonia.it",
+"im.it",
+"imperia.it",
+"is.it",
+"isernia.it",
+"kr.it",
+"la-spezia.it",
+"laquila.it",
+"laspezia.it",
+"latina.it",
+"lc.it",
+"le.it",
+"lecce.it",
+"lecco.it",
+"li.it",
+"livorno.it",
+"lo.it",
+"lodi.it",
+"lt.it",
+"lu.it",
+"lucca.it",
+"macerata.it",
+"mantova.it",
+"massa-carrara.it",
+"massacarrara.it",
+"matera.it",
+"mb.it",
+"mc.it",
+"me.it",
+"medio-campidano.it",
+"mediocampidano.it",
+"messina.it",
+"mi.it",
+"milan.it",
+"milano.it",
+"mn.it",
+"mo.it",
+"modena.it",
+"monza-brianza.it",
+"monza-e-della-brianza.it",
+"monza.it",
+"monzabrianza.it",
+"monzaebrianza.it",
+"monzaedellabrianza.it",
+"ms.it",
+"mt.it",
+"na.it",
+"naples.it",
+"napoli.it",
+"no.it",
+"novara.it",
+"nu.it",
+"nuoro.it",
+"og.it",
+"ogliastra.it",
+"olbia-tempio.it",
+"olbiatempio.it",
+"or.it",
+"oristano.it",
+"ot.it",
+"pa.it",
+"padova.it",
+"padua.it",
+"palermo.it",
+"parma.it",
+"pavia.it",
+"pc.it",
+"pd.it",
+"pe.it",
+"perugia.it",
+"pesaro-urbino.it",
+"pesarourbino.it",
+"pescara.it",
+"pg.it",
+"pi.it",
+"piacenza.it",
+"pisa.it",
+"pistoia.it",
+"pn.it",
+"po.it",
+"pordenone.it",
+"potenza.it",
+"pr.it",
+"prato.it",
+"pt.it",
+"pu.it",
+"pv.it",
+"pz.it",
+"ra.it",
+"ragusa.it",
+"ravenna.it",
+"rc.it",
+"re.it",
+"reggio-calabria.it",
+"reggio-emilia.it",
+"reggiocalabria.it",
+"reggioemilia.it",
+"rg.it",
+"ri.it",
+"rieti.it",
+"rimini.it",
+"rm.it",
+"rn.it",
+"ro.it",
+"roma.it",
+"rome.it",
+"rovigo.it",
+"sa.it",
+"salerno.it",
+"sassari.it",
+"savona.it",
+"si.it",
+"siena.it",
+"siracusa.it",
+"so.it",
+"sondrio.it",
+"sp.it",
+"sr.it",
+"ss.it",
+"suedtirol.it",
+"südtirol.it",
+"sv.it",
+"ta.it",
+"taranto.it",
+"te.it",
+"tempio-olbia.it",
+"tempioolbia.it",
+"teramo.it",
+"terni.it",
+"tn.it",
+"to.it",
+"torino.it",
+"tp.it",
+"tr.it",
+"trani-andria-barletta.it",
+"trani-barletta-andria.it",
+"traniandriabarletta.it",
+"tranibarlettaandria.it",
+"trapani.it",
+"trento.it",
+"treviso.it",
+"trieste.it",
+"ts.it",
+"turin.it",
+"tv.it",
+"ud.it",
+"udine.it",
+"urbino-pesaro.it",
+"urbinopesaro.it",
+"va.it",
+"varese.it",
+"vb.it",
+"vc.it",
+"ve.it",
+"venezia.it",
+"venice.it",
+"verbania.it",
+"vercelli.it",
+"verona.it",
+"vi.it",
+"vibo-valentia.it",
+"vibovalentia.it",
+"vicenza.it",
+"viterbo.it",
+"vr.it",
+"vs.it",
+"vt.it",
+"vv.it",
+"je",
+"co.je",
+"net.je",
+"org.je",
+"*.jm",
+"jo",
+"com.jo",
+"org.jo",
+"net.jo",
+"edu.jo",
+"sch.jo",
+"gov.jo",
+"mil.jo",
+"name.jo",
+"jobs",
+"jp",
+"ac.jp",
+"ad.jp",
+"co.jp",
+"ed.jp",
+"go.jp",
+"gr.jp",
+"lg.jp",
+"ne.jp",
+"or.jp",
+"aichi.jp",
+"akita.jp",
+"aomori.jp",
+"chiba.jp",
+"ehime.jp",
+"fukui.jp",
+"fukuoka.jp",
+"fukushima.jp",
+"gifu.jp",
+"gunma.jp",
+"hiroshima.jp",
+"hokkaido.jp",
+"hyogo.jp",
+"ibaraki.jp",
+"ishikawa.jp",
+"iwate.jp",
+"kagawa.jp",
+"kagoshima.jp",
+"kanagawa.jp",
+"kochi.jp",
+"kumamoto.jp",
+"kyoto.jp",
+"mie.jp",
+"miyagi.jp",
+"miyazaki.jp",
+"nagano.jp",
+"nagasaki.jp",
+"nara.jp",
+"niigata.jp",
+"oita.jp",
+"okayama.jp",
+"okinawa.jp",
+"osaka.jp",
+"saga.jp",
+"saitama.jp",
+"shiga.jp",
+"shimane.jp",
+"shizuoka.jp",
+"tochigi.jp",
+"tokushima.jp",
+"tokyo.jp",
+"tottori.jp",
+"toyama.jp",
+"wakayama.jp",
+"yamagata.jp",
+"yamaguchi.jp",
+"yamanashi.jp",
+"栃木.jp",
+"愛知.jp",
+"愛媛.jp",
+"兵庫.jp",
+"熊本.jp",
+"茨城.jp",
+"北海道.jp",
+"千葉.jp",
+"和歌山.jp",
+"長崎.jp",
+"長野.jp",
+"新潟.jp",
+"青森.jp",
+"静岡.jp",
+"東京.jp",
+"石川.jp",
+"埼玉.jp",
+"三重.jp",
+"京都.jp",
+"佐賀.jp",
+"大分.jp",
+"大阪.jp",
+"奈良.jp",
+"宮城.jp",
+"宮崎.jp",
+"富山.jp",
+"山口.jp",
+"山形.jp",
+"山梨.jp",
+"岩手.jp",
+"岐阜.jp",
+"岡山.jp",
+"島根.jp",
+"広島.jp",
+"徳島.jp",
+"沖縄.jp",
+"滋賀.jp",
+"神奈川.jp",
+"福井.jp",
+"福岡.jp",
+"福島.jp",
+"秋田.jp",
+"群馬.jp",
+"香川.jp",
+"高知.jp",
+"鳥取.jp",
+"鹿児島.jp",
+"*.kawasaki.jp",
+"*.kitakyushu.jp",
+"*.kobe.jp",
+"*.nagoya.jp",
+"*.sapporo.jp",
+"*.sendai.jp",
+"*.yokohama.jp",
+"!city.kawasaki.jp",
+"!city.kitakyushu.jp",
+"!city.kobe.jp",
+"!city.nagoya.jp",
+"!city.sapporo.jp",
+"!city.sendai.jp",
+"!city.yokohama.jp",
+"aisai.aichi.jp",
+"ama.aichi.jp",
+"anjo.aichi.jp",
+"asuke.aichi.jp",
+"chiryu.aichi.jp",
+"chita.aichi.jp",
+"fuso.aichi.jp",
+"gamagori.aichi.jp",
+"handa.aichi.jp",
+"hazu.aichi.jp",
+"hekinan.aichi.jp",
+"higashiura.aichi.jp",
+"ichinomiya.aichi.jp",
+"inazawa.aichi.jp",
+"inuyama.aichi.jp",
+"isshiki.aichi.jp",
+"iwakura.aichi.jp",
+"kanie.aichi.jp",
+"kariya.aichi.jp",
+"kasugai.aichi.jp",
+"kira.aichi.jp",
+"kiyosu.aichi.jp",
+"komaki.aichi.jp",
+"konan.aichi.jp",
+"kota.aichi.jp",
+"mihama.aichi.jp",
+"miyoshi.aichi.jp",
+"nishio.aichi.jp",
+"nisshin.aichi.jp",
+"obu.aichi.jp",
+"oguchi.aichi.jp",
+"oharu.aichi.jp",
+"okazaki.aichi.jp",
+"owariasahi.aichi.jp",
+"seto.aichi.jp",
+"shikatsu.aichi.jp",
+"shinshiro.aichi.jp",
+"shitara.aichi.jp",
+"tahara.aichi.jp",
+"takahama.aichi.jp",
+"tobishima.aichi.jp",
+"toei.aichi.jp",
+"togo.aichi.jp",
+"tokai.aichi.jp",
+"tokoname.aichi.jp",
+"toyoake.aichi.jp",
+"toyohashi.aichi.jp",
+"toyokawa.aichi.jp",
+"toyone.aichi.jp",
+"toyota.aichi.jp",
+"tsushima.aichi.jp",
+"yatomi.aichi.jp",
+"akita.akita.jp",
+"daisen.akita.jp",
+"fujisato.akita.jp",
+"gojome.akita.jp",
+"hachirogata.akita.jp",
+"happou.akita.jp",
+"higashinaruse.akita.jp",
+"honjo.akita.jp",
+"honjyo.akita.jp",
+"ikawa.akita.jp",
+"kamikoani.akita.jp",
+"kamioka.akita.jp",
+"katagami.akita.jp",
+"kazuno.akita.jp",
+"kitaakita.akita.jp",
+"kosaka.akita.jp",
+"kyowa.akita.jp",
+"misato.akita.jp",
+"mitane.akita.jp",
+"moriyoshi.akita.jp",
+"nikaho.akita.jp",
+"noshiro.akita.jp",
+"odate.akita.jp",
+"oga.akita.jp",
+"ogata.akita.jp",
+"semboku.akita.jp",
+"yokote.akita.jp",
+"yurihonjo.akita.jp",
+"aomori.aomori.jp",
+"gonohe.aomori.jp",
+"hachinohe.aomori.jp",
+"hashikami.aomori.jp",
+"hiranai.aomori.jp",
+"hirosaki.aomori.jp",
+"itayanagi.aomori.jp",
+"kuroishi.aomori.jp",
+"misawa.aomori.jp",
+"mutsu.aomori.jp",
+"nakadomari.aomori.jp",
+"noheji.aomori.jp",
+"oirase.aomori.jp",
+"owani.aomori.jp",
+"rokunohe.aomori.jp",
+"sannohe.aomori.jp",
+"shichinohe.aomori.jp",
+"shingo.aomori.jp",
+"takko.aomori.jp",
+"towada.aomori.jp",
+"tsugaru.aomori.jp",
+"tsuruta.aomori.jp",
+"abiko.chiba.jp",
+"asahi.chiba.jp",
+"chonan.chiba.jp",
+"chosei.chiba.jp",
+"choshi.chiba.jp",
+"chuo.chiba.jp",
+"funabashi.chiba.jp",
+"futtsu.chiba.jp",
+"hanamigawa.chiba.jp",
+"ichihara.chiba.jp",
+"ichikawa.chiba.jp",
+"ichinomiya.chiba.jp",
+"inzai.chiba.jp",
+"isumi.chiba.jp",
+"kamagaya.chiba.jp",
+"kamogawa.chiba.jp",
+"kashiwa.chiba.jp",
+"katori.chiba.jp",
+"katsuura.chiba.jp",
+"kimitsu.chiba.jp",
+"kisarazu.chiba.jp",
+"kozaki.chiba.jp",
+"kujukuri.chiba.jp",
+"kyonan.chiba.jp",
+"matsudo.chiba.jp",
+"midori.chiba.jp",
+"mihama.chiba.jp",
+"minamiboso.chiba.jp",
+"mobara.chiba.jp",
+"mutsuzawa.chiba.jp",
+"nagara.chiba.jp",
+"nagareyama.chiba.jp",
+"narashino.chiba.jp",
+"narita.chiba.jp",
+"noda.chiba.jp",
+"oamishirasato.chiba.jp",
+"omigawa.chiba.jp",
+"onjuku.chiba.jp",
+"otaki.chiba.jp",
+"sakae.chiba.jp",
+"sakura.chiba.jp",
+"shimofusa.chiba.jp",
+"shirako.chiba.jp",
+"shiroi.chiba.jp",
+"shisui.chiba.jp",
+"sodegaura.chiba.jp",
+"sosa.chiba.jp",
+"tako.chiba.jp",
+"tateyama.chiba.jp",
+"togane.chiba.jp",
+"tohnosho.chiba.jp",
+"tomisato.chiba.jp",
+"urayasu.chiba.jp",
+"yachimata.chiba.jp",
+"yachiyo.chiba.jp",
+"yokaichiba.chiba.jp",
+"yokoshibahikari.chiba.jp",
+"yotsukaido.chiba.jp",
+"ainan.ehime.jp",
+"honai.ehime.jp",
+"ikata.ehime.jp",
+"imabari.ehime.jp",
+"iyo.ehime.jp",
+"kamijima.ehime.jp",
+"kihoku.ehime.jp",
+"kumakogen.ehime.jp",
+"masaki.ehime.jp",
+"matsuno.ehime.jp",
+"matsuyama.ehime.jp",
+"namikata.ehime.jp",
+"niihama.ehime.jp",
+"ozu.ehime.jp",
+"saijo.ehime.jp",
+"seiyo.ehime.jp",
+"shikokuchuo.ehime.jp",
+"tobe.ehime.jp",
+"toon.ehime.jp",
+"uchiko.ehime.jp",
+"uwajima.ehime.jp",
+"yawatahama.ehime.jp",
+"echizen.fukui.jp",
+"eiheiji.fukui.jp",
+"fukui.fukui.jp",
+"ikeda.fukui.jp",
+"katsuyama.fukui.jp",
+"mihama.fukui.jp",
+"minamiechizen.fukui.jp",
+"obama.fukui.jp",
+"ohi.fukui.jp",
+"ono.fukui.jp",
+"sabae.fukui.jp",
+"sakai.fukui.jp",
+"takahama.fukui.jp",
+"tsuruga.fukui.jp",
+"wakasa.fukui.jp",
+"ashiya.fukuoka.jp",
+"buzen.fukuoka.jp",
+"chikugo.fukuoka.jp",
+"chikuho.fukuoka.jp",
+"chikujo.fukuoka.jp",
+"chikushino.fukuoka.jp",
+"chikuzen.fukuoka.jp",
+"chuo.fukuoka.jp",
+"dazaifu.fukuoka.jp",
+"fukuchi.fukuoka.jp",
+"hakata.fukuoka.jp",
+"higashi.fukuoka.jp",
+"hirokawa.fukuoka.jp",
+"hisayama.fukuoka.jp",
+"iizuka.fukuoka.jp",
+"inatsuki.fukuoka.jp",
+"kaho.fukuoka.jp",
+"kasuga.fukuoka.jp",
+"kasuya.fukuoka.jp",
+"kawara.fukuoka.jp",
+"keisen.fukuoka.jp",
+"koga.fukuoka.jp",
+"kurate.fukuoka.jp",
+"kurogi.fukuoka.jp",
+"kurume.fukuoka.jp",
+"minami.fukuoka.jp",
+"miyako.fukuoka.jp",
+"miyama.fukuoka.jp",
+"miyawaka.fukuoka.jp",
+"mizumaki.fukuoka.jp",
+"munakata.fukuoka.jp",
+"nakagawa.fukuoka.jp",
+"nakama.fukuoka.jp",
+"nishi.fukuoka.jp",
+"nogata.fukuoka.jp",
+"ogori.fukuoka.jp",
+"okagaki.fukuoka.jp",
+"okawa.fukuoka.jp",
+"oki.fukuoka.jp",
+"omuta.fukuoka.jp",
+"onga.fukuoka.jp",
+"onojo.fukuoka.jp",
+"oto.fukuoka.jp",
+"saigawa.fukuoka.jp",
+"sasaguri.fukuoka.jp",
+"shingu.fukuoka.jp",
+"shinyoshitomi.fukuoka.jp",
+"shonai.fukuoka.jp",
+"soeda.fukuoka.jp",
+"sue.fukuoka.jp",
+"tachiarai.fukuoka.jp",
+"tagawa.fukuoka.jp",
+"takata.fukuoka.jp",
+"toho.fukuoka.jp",
+"toyotsu.fukuoka.jp",
+"tsuiki.fukuoka.jp",
+"ukiha.fukuoka.jp",
+"umi.fukuoka.jp",
+"usui.fukuoka.jp",
+"yamada.fukuoka.jp",
+"yame.fukuoka.jp",
+"yanagawa.fukuoka.jp",
+"yukuhashi.fukuoka.jp",
+"aizubange.fukushima.jp",
+"aizumisato.fukushima.jp",
+"aizuwakamatsu.fukushima.jp",
+"asakawa.fukushima.jp",
+"bandai.fukushima.jp",
+"date.fukushima.jp",
+"fukushima.fukushima.jp",
+"furudono.fukushima.jp",
+"futaba.fukushima.jp",
+"hanawa.fukushima.jp",
+"higashi.fukushima.jp",
+"hirata.fukushima.jp",
+"hirono.fukushima.jp",
+"iitate.fukushima.jp",
+"inawashiro.fukushima.jp",
+"ishikawa.fukushima.jp",
+"iwaki.fukushima.jp",
+"izumizaki.fukushima.jp",
+"kagamiishi.fukushima.jp",
+"kaneyama.fukushima.jp",
+"kawamata.fukushima.jp",
+"kitakata.fukushima.jp",
+"kitashiobara.fukushima.jp",
+"koori.fukushima.jp",
+"koriyama.fukushima.jp",
+"kunimi.fukushima.jp",
+"miharu.fukushima.jp",
+"mishima.fukushima.jp",
+"namie.fukushima.jp",
+"nango.fukushima.jp",
+"nishiaizu.fukushima.jp",
+"nishigo.fukushima.jp",
+"okuma.fukushima.jp",
+"omotego.fukushima.jp",
+"ono.fukushima.jp",
+"otama.fukushima.jp",
+"samegawa.fukushima.jp",
+"shimogo.fukushima.jp",
+"shirakawa.fukushima.jp",
+"showa.fukushima.jp",
+"soma.fukushima.jp",
+"sukagawa.fukushima.jp",
+"taishin.fukushima.jp",
+"tamakawa.fukushima.jp",
+"tanagura.fukushima.jp",
+"tenei.fukushima.jp",
+"yabuki.fukushima.jp",
+"yamato.fukushima.jp",
+"yamatsuri.fukushima.jp",
+"yanaizu.fukushima.jp",
+"yugawa.fukushima.jp",
+"anpachi.gifu.jp",
+"ena.gifu.jp",
+"gifu.gifu.jp",
+"ginan.gifu.jp",
+"godo.gifu.jp",
+"gujo.gifu.jp",
+"hashima.gifu.jp",
+"hichiso.gifu.jp",
+"hida.gifu.jp",
+"higashishirakawa.gifu.jp",
+"ibigawa.gifu.jp",
+"ikeda.gifu.jp",
+"kakamigahara.gifu.jp",
+"kani.gifu.jp",
+"kasahara.gifu.jp",
+"kasamatsu.gifu.jp",
+"kawaue.gifu.jp",
+"kitagata.gifu.jp",
+"mino.gifu.jp",
+"minokamo.gifu.jp",
+"mitake.gifu.jp",
+"mizunami.gifu.jp",
+"motosu.gifu.jp",
+"nakatsugawa.gifu.jp",
+"ogaki.gifu.jp",
+"sakahogi.gifu.jp",
+"seki.gifu.jp",
+"sekigahara.gifu.jp",
+"shirakawa.gifu.jp",
+"tajimi.gifu.jp",
+"takayama.gifu.jp",
+"tarui.gifu.jp",
+"toki.gifu.jp",
+"tomika.gifu.jp",
+"wanouchi.gifu.jp",
+"yamagata.gifu.jp",
+"yaotsu.gifu.jp",
+"yoro.gifu.jp",
+"annaka.gunma.jp",
+"chiyoda.gunma.jp",
+"fujioka.gunma.jp",
+"higashiagatsuma.gunma.jp",
+"isesaki.gunma.jp",
+"itakura.gunma.jp",
+"kanna.gunma.jp",
+"kanra.gunma.jp",
+"katashina.gunma.jp",
+"kawaba.gunma.jp",
+"kiryu.gunma.jp",
+"kusatsu.gunma.jp",
+"maebashi.gunma.jp",
+"meiwa.gunma.jp",
+"midori.gunma.jp",
+"minakami.gunma.jp",
+"naganohara.gunma.jp",
+"nakanojo.gunma.jp",
+"nanmoku.gunma.jp",
+"numata.gunma.jp",
+"oizumi.gunma.jp",
+"ora.gunma.jp",
+"ota.gunma.jp",
+"shibukawa.gunma.jp",
+"shimonita.gunma.jp",
+"shinto.gunma.jp",
+"showa.gunma.jp",
+"takasaki.gunma.jp",
+"takayama.gunma.jp",
+"tamamura.gunma.jp",
+"tatebayashi.gunma.jp",
+"tomioka.gunma.jp",
+"tsukiyono.gunma.jp",
+"tsumagoi.gunma.jp",
+"ueno.gunma.jp",
+"yoshioka.gunma.jp",
+"asaminami.hiroshima.jp",
+"daiwa.hiroshima.jp",
+"etajima.hiroshima.jp",
+"fuchu.hiroshima.jp",
+"fukuyama.hiroshima.jp",
+"hatsukaichi.hiroshima.jp",
+"higashihiroshima.hiroshima.jp",
+"hongo.hiroshima.jp",
+"jinsekikogen.hiroshima.jp",
+"kaita.hiroshima.jp",
+"kui.hiroshima.jp",
+"kumano.hiroshima.jp",
+"kure.hiroshima.jp",
+"mihara.hiroshima.jp",
+"miyoshi.hiroshima.jp",
+"naka.hiroshima.jp",
+"onomichi.hiroshima.jp",
+"osakikamijima.hiroshima.jp",
+"otake.hiroshima.jp",
+"saka.hiroshima.jp",
+"sera.hiroshima.jp",
+"seranishi.hiroshima.jp",
+"shinichi.hiroshima.jp",
+"shobara.hiroshima.jp",
+"takehara.hiroshima.jp",
+"abashiri.hokkaido.jp",
+"abira.hokkaido.jp",
+"aibetsu.hokkaido.jp",
+"akabira.hokkaido.jp",
+"akkeshi.hokkaido.jp",
+"asahikawa.hokkaido.jp",
+"ashibetsu.hokkaido.jp",
+"ashoro.hokkaido.jp",
+"assabu.hokkaido.jp",
+"atsuma.hokkaido.jp",
+"bibai.hokkaido.jp",
+"biei.hokkaido.jp",
+"bifuka.hokkaido.jp",
+"bihoro.hokkaido.jp",
+"biratori.hokkaido.jp",
+"chippubetsu.hokkaido.jp",
+"chitose.hokkaido.jp",
+"date.hokkaido.jp",
+"ebetsu.hokkaido.jp",
+"embetsu.hokkaido.jp",
+"eniwa.hokkaido.jp",
+"erimo.hokkaido.jp",
+"esan.hokkaido.jp",
+"esashi.hokkaido.jp",
+"fukagawa.hokkaido.jp",
+"fukushima.hokkaido.jp",
+"furano.hokkaido.jp",
+"furubira.hokkaido.jp",
+"haboro.hokkaido.jp",
+"hakodate.hokkaido.jp",
+"hamatonbetsu.hokkaido.jp",
+"hidaka.hokkaido.jp",
+"higashikagura.hokkaido.jp",
+"higashikawa.hokkaido.jp",
+"hiroo.hokkaido.jp",
+"hokuryu.hokkaido.jp",
+"hokuto.hokkaido.jp",
+"honbetsu.hokkaido.jp",
+"horokanai.hokkaido.jp",
+"horonobe.hokkaido.jp",
+"ikeda.hokkaido.jp",
+"imakane.hokkaido.jp",
+"ishikari.hokkaido.jp",
+"iwamizawa.hokkaido.jp",
+"iwanai.hokkaido.jp",
+"kamifurano.hokkaido.jp",
+"kamikawa.hokkaido.jp",
+"kamishihoro.hokkaido.jp",
+"kamisunagawa.hokkaido.jp",
+"kamoenai.hokkaido.jp",
+"kayabe.hokkaido.jp",
+"kembuchi.hokkaido.jp",
+"kikonai.hokkaido.jp",
+"kimobetsu.hokkaido.jp",
+"kitahiroshima.hokkaido.jp",
+"kitami.hokkaido.jp",
+"kiyosato.hokkaido.jp",
+"koshimizu.hokkaido.jp",
+"kunneppu.hokkaido.jp",
+"kuriyama.hokkaido.jp",
+"kuromatsunai.hokkaido.jp",
+"kushiro.hokkaido.jp",
+"kutchan.hokkaido.jp",
+"kyowa.hokkaido.jp",
+"mashike.hokkaido.jp",
+"matsumae.hokkaido.jp",
+"mikasa.hokkaido.jp",
+"minamifurano.hokkaido.jp",
+"mombetsu.hokkaido.jp",
+"moseushi.hokkaido.jp",
+"mukawa.hokkaido.jp",
+"muroran.hokkaido.jp",
+"naie.hokkaido.jp",
+"nakagawa.hokkaido.jp",
+"nakasatsunai.hokkaido.jp",
+"nakatombetsu.hokkaido.jp",
+"nanae.hokkaido.jp",
+"nanporo.hokkaido.jp",
+"nayoro.hokkaido.jp",
+"nemuro.hokkaido.jp",
+"niikappu.hokkaido.jp",
+"niki.hokkaido.jp",
+"nishiokoppe.hokkaido.jp",
+"noboribetsu.hokkaido.jp",
+"numata.hokkaido.jp",
+"obihiro.hokkaido.jp",
+"obira.hokkaido.jp",
+"oketo.hokkaido.jp",
+"okoppe.hokkaido.jp",
+"otaru.hokkaido.jp",
+"otobe.hokkaido.jp",
+"otofuke.hokkaido.jp",
+"otoineppu.hokkaido.jp",
+"oumu.hokkaido.jp",
+"ozora.hokkaido.jp",
+"pippu.hokkaido.jp",
+"rankoshi.hokkaido.jp",
+"rebun.hokkaido.jp",
+"rikubetsu.hokkaido.jp",
+"rishiri.hokkaido.jp",
+"rishirifuji.hokkaido.jp",
+"saroma.hokkaido.jp",
+"sarufutsu.hokkaido.jp",
+"shakotan.hokkaido.jp",
+"shari.hokkaido.jp",
+"shibecha.hokkaido.jp",
+"shibetsu.hokkaido.jp",
+"shikabe.hokkaido.jp",
+"shikaoi.hokkaido.jp",
+"shimamaki.hokkaido.jp",
+"shimizu.hokkaido.jp",
+"shimokawa.hokkaido.jp",
+"shinshinotsu.hokkaido.jp",
+"shintoku.hokkaido.jp",
+"shiranuka.hokkaido.jp",
+"shiraoi.hokkaido.jp",
+"shiriuchi.hokkaido.jp",
+"sobetsu.hokkaido.jp",
+"sunagawa.hokkaido.jp",
+"taiki.hokkaido.jp",
+"takasu.hokkaido.jp",
+"takikawa.hokkaido.jp",
+"takinoue.hokkaido.jp",
+"teshikaga.hokkaido.jp",
+"tobetsu.hokkaido.jp",
+"tohma.hokkaido.jp",
+"tomakomai.hokkaido.jp",
+"tomari.hokkaido.jp",
+"toya.hokkaido.jp",
+"toyako.hokkaido.jp",
+"toyotomi.hokkaido.jp",
+"toyoura.hokkaido.jp",
+"tsubetsu.hokkaido.jp",
+"tsukigata.hokkaido.jp",
+"urakawa.hokkaido.jp",
+"urausu.hokkaido.jp",
+"uryu.hokkaido.jp",
+"utashinai.hokkaido.jp",
+"wakkanai.hokkaido.jp",
+"wassamu.hokkaido.jp",
+"yakumo.hokkaido.jp",
+"yoichi.hokkaido.jp",
+"aioi.hyogo.jp",
+"akashi.hyogo.jp",
+"ako.hyogo.jp",
+"amagasaki.hyogo.jp",
+"aogaki.hyogo.jp",
+"asago.hyogo.jp",
+"ashiya.hyogo.jp",
+"awaji.hyogo.jp",
+"fukusaki.hyogo.jp",
+"goshiki.hyogo.jp",
+"harima.hyogo.jp",
+"himeji.hyogo.jp",
+"ichikawa.hyogo.jp",
+"inagawa.hyogo.jp",
+"itami.hyogo.jp",
+"kakogawa.hyogo.jp",
+"kamigori.hyogo.jp",
+"kamikawa.hyogo.jp",
+"kasai.hyogo.jp",
+"kasuga.hyogo.jp",
+"kawanishi.hyogo.jp",
+"miki.hyogo.jp",
+"minamiawaji.hyogo.jp",
+"nishinomiya.hyogo.jp",
+"nishiwaki.hyogo.jp",
+"ono.hyogo.jp",
+"sanda.hyogo.jp",
+"sannan.hyogo.jp",
+"sasayama.hyogo.jp",
+"sayo.hyogo.jp",
+"shingu.hyogo.jp",
+"shinonsen.hyogo.jp",
+"shiso.hyogo.jp",
+"sumoto.hyogo.jp",
+"taishi.hyogo.jp",
+"taka.hyogo.jp",
+"takarazuka.hyogo.jp",
+"takasago.hyogo.jp",
+"takino.hyogo.jp",
+"tamba.hyogo.jp",
+"tatsuno.hyogo.jp",
+"toyooka.hyogo.jp",
+"yabu.hyogo.jp",
+"yashiro.hyogo.jp",
+"yoka.hyogo.jp",
+"yokawa.hyogo.jp",
+"ami.ibaraki.jp",
+"asahi.ibaraki.jp",
+"bando.ibaraki.jp",
+"chikusei.ibaraki.jp",
+"daigo.ibaraki.jp",
+"fujishiro.ibaraki.jp",
+"hitachi.ibaraki.jp",
+"hitachinaka.ibaraki.jp",
+"hitachiomiya.ibaraki.jp",
+"hitachiota.ibaraki.jp",
+"ibaraki.ibaraki.jp",
+"ina.ibaraki.jp",
+"inashiki.ibaraki.jp",
+"itako.ibaraki.jp",
+"iwama.ibaraki.jp",
+"joso.ibaraki.jp",
+"kamisu.ibaraki.jp",
+"kasama.ibaraki.jp",
+"kashima.ibaraki.jp",
+"kasumigaura.ibaraki.jp",
+"koga.ibaraki.jp",
+"miho.ibaraki.jp",
+"mito.ibaraki.jp",
+"moriya.ibaraki.jp",
+"naka.ibaraki.jp",
+"namegata.ibaraki.jp",
+"oarai.ibaraki.jp",
+"ogawa.ibaraki.jp",
+"omitama.ibaraki.jp",
+"ryugasaki.ibaraki.jp",
+"sakai.ibaraki.jp",
+"sakuragawa.ibaraki.jp",
+"shimodate.ibaraki.jp",
+"shimotsuma.ibaraki.jp",
+"shirosato.ibaraki.jp",
+"sowa.ibaraki.jp",
+"suifu.ibaraki.jp",
+"takahagi.ibaraki.jp",
+"tamatsukuri.ibaraki.jp",
+"tokai.ibaraki.jp",
+"tomobe.ibaraki.jp",
+"tone.ibaraki.jp",
+"toride.ibaraki.jp",
+"tsuchiura.ibaraki.jp",
+"tsukuba.ibaraki.jp",
+"uchihara.ibaraki.jp",
+"ushiku.ibaraki.jp",
+"yachiyo.ibaraki.jp",
+"yamagata.ibaraki.jp",
+"yawara.ibaraki.jp",
+"yuki.ibaraki.jp",
+"anamizu.ishikawa.jp",
+"hakui.ishikawa.jp",
+"hakusan.ishikawa.jp",
+"kaga.ishikawa.jp",
+"kahoku.ishikawa.jp",
+"kanazawa.ishikawa.jp",
+"kawakita.ishikawa.jp",
+"komatsu.ishikawa.jp",
+"nakanoto.ishikawa.jp",
+"nanao.ishikawa.jp",
+"nomi.ishikawa.jp",
+"nonoichi.ishikawa.jp",
+"noto.ishikawa.jp",
+"shika.ishikawa.jp",
+"suzu.ishikawa.jp",
+"tsubata.ishikawa.jp",
+"tsurugi.ishikawa.jp",
+"uchinada.ishikawa.jp",
+"wajima.ishikawa.jp",
+"fudai.iwate.jp",
+"fujisawa.iwate.jp",
+"hanamaki.iwate.jp",
+"hiraizumi.iwate.jp",
+"hirono.iwate.jp",
+"ichinohe.iwate.jp",
+"ichinoseki.iwate.jp",
+"iwaizumi.iwate.jp",
+"iwate.iwate.jp",
+"joboji.iwate.jp",
+"kamaishi.iwate.jp",
+"kanegasaki.iwate.jp",
+"karumai.iwate.jp",
+"kawai.iwate.jp",
+"kitakami.iwate.jp",
+"kuji.iwate.jp",
+"kunohe.iwate.jp",
+"kuzumaki.iwate.jp",
+"miyako.iwate.jp",
+"mizusawa.iwate.jp",
+"morioka.iwate.jp",
+"ninohe.iwate.jp",
+"noda.iwate.jp",
+"ofunato.iwate.jp",
+"oshu.iwate.jp",
+"otsuchi.iwate.jp",
+"rikuzentakata.iwate.jp",
+"shiwa.iwate.jp",
+"shizukuishi.iwate.jp",
+"sumita.iwate.jp",
+"tanohata.iwate.jp",
+"tono.iwate.jp",
+"yahaba.iwate.jp",
+"yamada.iwate.jp",
+"ayagawa.kagawa.jp",
+"higashikagawa.kagawa.jp",
+"kanonji.kagawa.jp",
+"kotohira.kagawa.jp",
+"manno.kagawa.jp",
+"marugame.kagawa.jp",
+"mitoyo.kagawa.jp",
+"naoshima.kagawa.jp",
+"sanuki.kagawa.jp",
+"tadotsu.kagawa.jp",
+"takamatsu.kagawa.jp",
+"tonosho.kagawa.jp",
+"uchinomi.kagawa.jp",
+"utazu.kagawa.jp",
+"zentsuji.kagawa.jp",
+"akune.kagoshima.jp",
+"amami.kagoshima.jp",
+"hioki.kagoshima.jp",
+"isa.kagoshima.jp",
+"isen.kagoshima.jp",
+"izumi.kagoshima.jp",
+"kagoshima.kagoshima.jp",
+"kanoya.kagoshima.jp",
+"kawanabe.kagoshima.jp",
+"kinko.kagoshima.jp",
+"kouyama.kagoshima.jp",
+"makurazaki.kagoshima.jp",
+"matsumoto.kagoshima.jp",
+"minamitane.kagoshima.jp",
+"nakatane.kagoshima.jp",
+"nishinoomote.kagoshima.jp",
+"satsumasendai.kagoshima.jp",
+"soo.kagoshima.jp",
+"tarumizu.kagoshima.jp",
+"yusui.kagoshima.jp",
+"aikawa.kanagawa.jp",
+"atsugi.kanagawa.jp",
+"ayase.kanagawa.jp",
+"chigasaki.kanagawa.jp",
+"ebina.kanagawa.jp",
+"fujisawa.kanagawa.jp",
+"hadano.kanagawa.jp",
+"hakone.kanagawa.jp",
+"hiratsuka.kanagawa.jp",
+"isehara.kanagawa.jp",
+"kaisei.kanagawa.jp",
+"kamakura.kanagawa.jp",
+"kiyokawa.kanagawa.jp",
+"matsuda.kanagawa.jp",
+"minamiashigara.kanagawa.jp",
+"miura.kanagawa.jp",
+"nakai.kanagawa.jp",
+"ninomiya.kanagawa.jp",
+"odawara.kanagawa.jp",
+"oi.kanagawa.jp",
+"oiso.kanagawa.jp",
+"sagamihara.kanagawa.jp",
+"samukawa.kanagawa.jp",
+"tsukui.kanagawa.jp",
+"yamakita.kanagawa.jp",
+"yamato.kanagawa.jp",
+"yokosuka.kanagawa.jp",
+"yugawara.kanagawa.jp",
+"zama.kanagawa.jp",
+"zushi.kanagawa.jp",
+"aki.kochi.jp",
+"geisei.kochi.jp",
+"hidaka.kochi.jp",
+"higashitsuno.kochi.jp",
+"ino.kochi.jp",
+"kagami.kochi.jp",
+"kami.kochi.jp",
+"kitagawa.kochi.jp",
+"kochi.kochi.jp",
+"mihara.kochi.jp",
+"motoyama.kochi.jp",
+"muroto.kochi.jp",
+"nahari.kochi.jp",
+"nakamura.kochi.jp",
+"nankoku.kochi.jp",
+"nishitosa.kochi.jp",
+"niyodogawa.kochi.jp",
+"ochi.kochi.jp",
+"okawa.kochi.jp",
+"otoyo.kochi.jp",
+"otsuki.kochi.jp",
+"sakawa.kochi.jp",
+"sukumo.kochi.jp",
+"susaki.kochi.jp",
+"tosa.kochi.jp",
+"tosashimizu.kochi.jp",
+"toyo.kochi.jp",
+"tsuno.kochi.jp",
+"umaji.kochi.jp",
+"yasuda.kochi.jp",
+"yusuhara.kochi.jp",
+"amakusa.kumamoto.jp",
+"arao.kumamoto.jp",
+"aso.kumamoto.jp",
+"choyo.kumamoto.jp",
+"gyokuto.kumamoto.jp",
+"kamiamakusa.kumamoto.jp",
+"kikuchi.kumamoto.jp",
+"kumamoto.kumamoto.jp",
+"mashiki.kumamoto.jp",
+"mifune.kumamoto.jp",
+"minamata.kumamoto.jp",
+"minamioguni.kumamoto.jp",
+"nagasu.kumamoto.jp",
+"nishihara.kumamoto.jp",
+"oguni.kumamoto.jp",
+"ozu.kumamoto.jp",
+"sumoto.kumamoto.jp",
+"takamori.kumamoto.jp",
+"uki.kumamoto.jp",
+"uto.kumamoto.jp",
+"yamaga.kumamoto.jp",
+"yamato.kumamoto.jp",
+"yatsushiro.kumamoto.jp",
+"ayabe.kyoto.jp",
+"fukuchiyama.kyoto.jp",
+"higashiyama.kyoto.jp",
+"ide.kyoto.jp",
+"ine.kyoto.jp",
+"joyo.kyoto.jp",
+"kameoka.kyoto.jp",
+"kamo.kyoto.jp",
+"kita.kyoto.jp",
+"kizu.kyoto.jp",
+"kumiyama.kyoto.jp",
+"kyotamba.kyoto.jp",
+"kyotanabe.kyoto.jp",
+"kyotango.kyoto.jp",
+"maizuru.kyoto.jp",
+"minami.kyoto.jp",
+"minamiyamashiro.kyoto.jp",
+"miyazu.kyoto.jp",
+"muko.kyoto.jp",
+"nagaokakyo.kyoto.jp",
+"nakagyo.kyoto.jp",
+"nantan.kyoto.jp",
+"oyamazaki.kyoto.jp",
+"sakyo.kyoto.jp",
+"seika.kyoto.jp",
+"tanabe.kyoto.jp",
+"uji.kyoto.jp",
+"ujitawara.kyoto.jp",
+"wazuka.kyoto.jp",
+"yamashina.kyoto.jp",
+"yawata.kyoto.jp",
+"asahi.mie.jp",
+"inabe.mie.jp",
+"ise.mie.jp",
+"kameyama.mie.jp",
+"kawagoe.mie.jp",
+"kiho.mie.jp",
+"kisosaki.mie.jp",
+"kiwa.mie.jp",
+"komono.mie.jp",
+"kumano.mie.jp",
+"kuwana.mie.jp",
+"matsusaka.mie.jp",
+"meiwa.mie.jp",
+"mihama.mie.jp",
+"minamiise.mie.jp",
+"misugi.mie.jp",
+"miyama.mie.jp",
+"nabari.mie.jp",
+"shima.mie.jp",
+"suzuka.mie.jp",
+"tado.mie.jp",
+"taiki.mie.jp",
+"taki.mie.jp",
+"tamaki.mie.jp",
+"toba.mie.jp",
+"tsu.mie.jp",
+"udono.mie.jp",
+"ureshino.mie.jp",
+"watarai.mie.jp",
+"yokkaichi.mie.jp",
+"furukawa.miyagi.jp",
+"higashimatsushima.miyagi.jp",
+"ishinomaki.miyagi.jp",
+"iwanuma.miyagi.jp",
+"kakuda.miyagi.jp",
+"kami.miyagi.jp",
+"kawasaki.miyagi.jp",
+"marumori.miyagi.jp",
+"matsushima.miyagi.jp",
+"minamisanriku.miyagi.jp",
+"misato.miyagi.jp",
+"murata.miyagi.jp",
+"natori.miyagi.jp",
+"ogawara.miyagi.jp",
+"ohira.miyagi.jp",
+"onagawa.miyagi.jp",
+"osaki.miyagi.jp",
+"rifu.miyagi.jp",
+"semine.miyagi.jp",
+"shibata.miyagi.jp",
+"shichikashuku.miyagi.jp",
+"shikama.miyagi.jp",
+"shiogama.miyagi.jp",
+"shiroishi.miyagi.jp",
+"tagajo.miyagi.jp",
+"taiwa.miyagi.jp",
+"tome.miyagi.jp",
+"tomiya.miyagi.jp",
+"wakuya.miyagi.jp",
+"watari.miyagi.jp",
+"yamamoto.miyagi.jp",
+"zao.miyagi.jp",
+"aya.miyazaki.jp",
+"ebino.miyazaki.jp",
+"gokase.miyazaki.jp",
+"hyuga.miyazaki.jp",
+"kadogawa.miyazaki.jp",
+"kawaminami.miyazaki.jp",
+"kijo.miyazaki.jp",
+"kitagawa.miyazaki.jp",
+"kitakata.miyazaki.jp",
+"kitaura.miyazaki.jp",
+"kobayashi.miyazaki.jp",
+"kunitomi.miyazaki.jp",
+"kushima.miyazaki.jp",
+"mimata.miyazaki.jp",
+"miyakonojo.miyazaki.jp",
+"miyazaki.miyazaki.jp",
+"morotsuka.miyazaki.jp",
+"nichinan.miyazaki.jp",
+"nishimera.miyazaki.jp",
+"nobeoka.miyazaki.jp",
+"saito.miyazaki.jp",
+"shiiba.miyazaki.jp",
+"shintomi.miyazaki.jp",
+"takaharu.miyazaki.jp",
+"takanabe.miyazaki.jp",
+"takazaki.miyazaki.jp",
+"tsuno.miyazaki.jp",
+"achi.nagano.jp",
+"agematsu.nagano.jp",
+"anan.nagano.jp",
+"aoki.nagano.jp",
+"asahi.nagano.jp",
+"azumino.nagano.jp",
+"chikuhoku.nagano.jp",
+"chikuma.nagano.jp",
+"chino.nagano.jp",
+"fujimi.nagano.jp",
+"hakuba.nagano.jp",
+"hara.nagano.jp",
+"hiraya.nagano.jp",
+"iida.nagano.jp",
+"iijima.nagano.jp",
+"iiyama.nagano.jp",
+"iizuna.nagano.jp",
+"ikeda.nagano.jp",
+"ikusaka.nagano.jp",
+"ina.nagano.jp",
+"karuizawa.nagano.jp",
+"kawakami.nagano.jp",
+"kiso.nagano.jp",
+"kisofukushima.nagano.jp",
+"kitaaiki.nagano.jp",
+"komagane.nagano.jp",
+"komoro.nagano.jp",
+"matsukawa.nagano.jp",
+"matsumoto.nagano.jp",
+"miasa.nagano.jp",
+"minamiaiki.nagano.jp",
+"minamimaki.nagano.jp",
+"minamiminowa.nagano.jp",
+"minowa.nagano.jp",
+"miyada.nagano.jp",
+"miyota.nagano.jp",
+"mochizuki.nagano.jp",
+"nagano.nagano.jp",
+"nagawa.nagano.jp",
+"nagiso.nagano.jp",
+"nakagawa.nagano.jp",
+"nakano.nagano.jp",
+"nozawaonsen.nagano.jp",
+"obuse.nagano.jp",
+"ogawa.nagano.jp",
+"okaya.nagano.jp",
+"omachi.nagano.jp",
+"omi.nagano.jp",
+"ookuwa.nagano.jp",
+"ooshika.nagano.jp",
+"otaki.nagano.jp",
+"otari.nagano.jp",
+"sakae.nagano.jp",
+"sakaki.nagano.jp",
+"saku.nagano.jp",
+"sakuho.nagano.jp",
+"shimosuwa.nagano.jp",
+"shinanomachi.nagano.jp",
+"shiojiri.nagano.jp",
+"suwa.nagano.jp",
+"suzaka.nagano.jp",
+"takagi.nagano.jp",
+"takamori.nagano.jp",
+"takayama.nagano.jp",
+"tateshina.nagano.jp",
+"tatsuno.nagano.jp",
+"togakushi.nagano.jp",
+"togura.nagano.jp",
+"tomi.nagano.jp",
+"ueda.nagano.jp",
+"wada.nagano.jp",
+"yamagata.nagano.jp",
+"yamanouchi.nagano.jp",
+"yasaka.nagano.jp",
+"yasuoka.nagano.jp",
+"chijiwa.nagasaki.jp",
+"futsu.nagasaki.jp",
+"goto.nagasaki.jp",
+"hasami.nagasaki.jp",
+"hirado.nagasaki.jp",
+"iki.nagasaki.jp",
+"isahaya.nagasaki.jp",
+"kawatana.nagasaki.jp",
+"kuchinotsu.nagasaki.jp",
+"matsuura.nagasaki.jp",
+"nagasaki.nagasaki.jp",
+"obama.nagasaki.jp",
+"omura.nagasaki.jp",
+"oseto.nagasaki.jp",
+"saikai.nagasaki.jp",
+"sasebo.nagasaki.jp",
+"seihi.nagasaki.jp",
+"shimabara.nagasaki.jp",
+"shinkamigoto.nagasaki.jp",
+"togitsu.nagasaki.jp",
+"tsushima.nagasaki.jp",
+"unzen.nagasaki.jp",
+"ando.nara.jp",
+"gose.nara.jp",
+"heguri.nara.jp",
+"higashiyoshino.nara.jp",
+"ikaruga.nara.jp",
+"ikoma.nara.jp",
+"kamikitayama.nara.jp",
+"kanmaki.nara.jp",
+"kashiba.nara.jp",
+"kashihara.nara.jp",
+"katsuragi.nara.jp",
+"kawai.nara.jp",
+"kawakami.nara.jp",
+"kawanishi.nara.jp",
+"koryo.nara.jp",
+"kurotaki.nara.jp",
+"mitsue.nara.jp",
+"miyake.nara.jp",
+"nara.nara.jp",
+"nosegawa.nara.jp",
+"oji.nara.jp",
+"ouda.nara.jp",
+"oyodo.nara.jp",
+"sakurai.nara.jp",
+"sango.nara.jp",
+"shimoichi.nara.jp",
+"shimokitayama.nara.jp",
+"shinjo.nara.jp",
+"soni.nara.jp",
+"takatori.nara.jp",
+"tawaramoto.nara.jp",
+"tenkawa.nara.jp",
+"tenri.nara.jp",
+"uda.nara.jp",
+"yamatokoriyama.nara.jp",
+"yamatotakada.nara.jp",
+"yamazoe.nara.jp",
+"yoshino.nara.jp",
+"aga.niigata.jp",
+"agano.niigata.jp",
+"gosen.niigata.jp",
+"itoigawa.niigata.jp",
+"izumozaki.niigata.jp",
+"joetsu.niigata.jp",
+"kamo.niigata.jp",
+"kariwa.niigata.jp",
+"kashiwazaki.niigata.jp",
+"minamiuonuma.niigata.jp",
+"mitsuke.niigata.jp",
+"muika.niigata.jp",
+"murakami.niigata.jp",
+"myoko.niigata.jp",
+"nagaoka.niigata.jp",
+"niigata.niigata.jp",
+"ojiya.niigata.jp",
+"omi.niigata.jp",
+"sado.niigata.jp",
+"sanjo.niigata.jp",
+"seiro.niigata.jp",
+"seirou.niigata.jp",
+"sekikawa.niigata.jp",
+"shibata.niigata.jp",
+"tagami.niigata.jp",
+"tainai.niigata.jp",
+"tochio.niigata.jp",
+"tokamachi.niigata.jp",
+"tsubame.niigata.jp",
+"tsunan.niigata.jp",
+"uonuma.niigata.jp",
+"yahiko.niigata.jp",
+"yoita.niigata.jp",
+"yuzawa.niigata.jp",
+"beppu.oita.jp",
+"bungoono.oita.jp",
+"bungotakada.oita.jp",
+"hasama.oita.jp",
+"hiji.oita.jp",
+"himeshima.oita.jp",
+"hita.oita.jp",
+"kamitsue.oita.jp",
+"kokonoe.oita.jp",
+"kuju.oita.jp",
+"kunisaki.oita.jp",
+"kusu.oita.jp",
+"oita.oita.jp",
+"saiki.oita.jp",
+"taketa.oita.jp",
+"tsukumi.oita.jp",
+"usa.oita.jp",
+"usuki.oita.jp",
+"yufu.oita.jp",
+"akaiwa.okayama.jp",
+"asakuchi.okayama.jp",
+"bizen.okayama.jp",
+"hayashima.okayama.jp",
+"ibara.okayama.jp",
+"kagamino.okayama.jp",
+"kasaoka.okayama.jp",
+"kibichuo.okayama.jp",
+"kumenan.okayama.jp",
+"kurashiki.okayama.jp",
+"maniwa.okayama.jp",
+"misaki.okayama.jp",
+"nagi.okayama.jp",
+"niimi.okayama.jp",
+"nishiawakura.okayama.jp",
+"okayama.okayama.jp",
+"satosho.okayama.jp",
+"setouchi.okayama.jp",
+"shinjo.okayama.jp",
+"shoo.okayama.jp",
+"soja.okayama.jp",
+"takahashi.okayama.jp",
+"tamano.okayama.jp",
+"tsuyama.okayama.jp",
+"wake.okayama.jp",
+"yakage.okayama.jp",
+"aguni.okinawa.jp",
+"ginowan.okinawa.jp",
+"ginoza.okinawa.jp",
+"gushikami.okinawa.jp",
+"haebaru.okinawa.jp",
+"higashi.okinawa.jp",
+"hirara.okinawa.jp",
+"iheya.okinawa.jp",
+"ishigaki.okinawa.jp",
+"ishikawa.okinawa.jp",
+"itoman.okinawa.jp",
+"izena.okinawa.jp",
+"kadena.okinawa.jp",
+"kin.okinawa.jp",
+"kitadaito.okinawa.jp",
+"kitanakagusuku.okinawa.jp",
+"kumejima.okinawa.jp",
+"kunigami.okinawa.jp",
+"minamidaito.okinawa.jp",
+"motobu.okinawa.jp",
+"nago.okinawa.jp",
+"naha.okinawa.jp",
+"nakagusuku.okinawa.jp",
+"nakijin.okinawa.jp",
+"nanjo.okinawa.jp",
+"nishihara.okinawa.jp",
+"ogimi.okinawa.jp",
+"okinawa.okinawa.jp",
+"onna.okinawa.jp",
+"shimoji.okinawa.jp",
+"taketomi.okinawa.jp",
+"tarama.okinawa.jp",
+"tokashiki.okinawa.jp",
+"tomigusuku.okinawa.jp",
+"tonaki.okinawa.jp",
+"urasoe.okinawa.jp",
+"uruma.okinawa.jp",
+"yaese.okinawa.jp",
+"yomitan.okinawa.jp",
+"yonabaru.okinawa.jp",
+"yonaguni.okinawa.jp",
+"zamami.okinawa.jp",
+"abeno.osaka.jp",
+"chihayaakasaka.osaka.jp",
+"chuo.osaka.jp",
+"daito.osaka.jp",
+"fujiidera.osaka.jp",
+"habikino.osaka.jp",
+"hannan.osaka.jp",
+"higashiosaka.osaka.jp",
+"higashisumiyoshi.osaka.jp",
+"higashiyodogawa.osaka.jp",
+"hirakata.osaka.jp",
+"ibaraki.osaka.jp",
+"ikeda.osaka.jp",
+"izumi.osaka.jp",
+"izumiotsu.osaka.jp",
+"izumisano.osaka.jp",
+"kadoma.osaka.jp",
+"kaizuka.osaka.jp",
+"kanan.osaka.jp",
+"kashiwara.osaka.jp",
+"katano.osaka.jp",
+"kawachinagano.osaka.jp",
+"kishiwada.osaka.jp",
+"kita.osaka.jp",
+"kumatori.osaka.jp",
+"matsubara.osaka.jp",
+"minato.osaka.jp",
+"minoh.osaka.jp",
+"misaki.osaka.jp",
+"moriguchi.osaka.jp",
+"neyagawa.osaka.jp",
+"nishi.osaka.jp",
+"nose.osaka.jp",
+"osakasayama.osaka.jp",
+"sakai.osaka.jp",
+"sayama.osaka.jp",
+"sennan.osaka.jp",
+"settsu.osaka.jp",
+"shijonawate.osaka.jp",
+"shimamoto.osaka.jp",
+"suita.osaka.jp",
+"tadaoka.osaka.jp",
+"taishi.osaka.jp",
+"tajiri.osaka.jp",
+"takaishi.osaka.jp",
+"takatsuki.osaka.jp",
+"tondabayashi.osaka.jp",
+"toyonaka.osaka.jp",
+"toyono.osaka.jp",
+"yao.osaka.jp",
+"ariake.saga.jp",
+"arita.saga.jp",
+"fukudomi.saga.jp",
+"genkai.saga.jp",
+"hamatama.saga.jp",
+"hizen.saga.jp",
+"imari.saga.jp",
+"kamimine.saga.jp",
+"kanzaki.saga.jp",
+"karatsu.saga.jp",
+"kashima.saga.jp",
+"kitagata.saga.jp",
+"kitahata.saga.jp",
+"kiyama.saga.jp",
+"kouhoku.saga.jp",
+"kyuragi.saga.jp",
+"nishiarita.saga.jp",
+"ogi.saga.jp",
+"omachi.saga.jp",
+"ouchi.saga.jp",
+"saga.saga.jp",
+"shiroishi.saga.jp",
+"taku.saga.jp",
+"tara.saga.jp",
+"tosu.saga.jp",
+"yoshinogari.saga.jp",
+"arakawa.saitama.jp",
+"asaka.saitama.jp",
+"chichibu.saitama.jp",
+"fujimi.saitama.jp",
+"fujimino.saitama.jp",
+"fukaya.saitama.jp",
+"hanno.saitama.jp",
+"hanyu.saitama.jp",
+"hasuda.saitama.jp",
+"hatogaya.saitama.jp",
+"hatoyama.saitama.jp",
+"hidaka.saitama.jp",
+"higashichichibu.saitama.jp",
+"higashimatsuyama.saitama.jp",
+"honjo.saitama.jp",
+"ina.saitama.jp",
+"iruma.saitama.jp",
+"iwatsuki.saitama.jp",
+"kamiizumi.saitama.jp",
+"kamikawa.saitama.jp",
+"kamisato.saitama.jp",
+"kasukabe.saitama.jp",
+"kawagoe.saitama.jp",
+"kawaguchi.saitama.jp",
+"kawajima.saitama.jp",
+"kazo.saitama.jp",
+"kitamoto.saitama.jp",
+"koshigaya.saitama.jp",
+"kounosu.saitama.jp",
+"kuki.saitama.jp",
+"kumagaya.saitama.jp",
+"matsubushi.saitama.jp",
+"minano.saitama.jp",
+"misato.saitama.jp",
+"miyashiro.saitama.jp",
+"miyoshi.saitama.jp",
+"moroyama.saitama.jp",
+"nagatoro.saitama.jp",
+"namegawa.saitama.jp",
+"niiza.saitama.jp",
+"ogano.saitama.jp",
+"ogawa.saitama.jp",
+"ogose.saitama.jp",
+"okegawa.saitama.jp",
+"omiya.saitama.jp",
+"otaki.saitama.jp",
+"ranzan.saitama.jp",
+"ryokami.saitama.jp",
+"saitama.saitama.jp",
+"sakado.saitama.jp",
+"satte.saitama.jp",
+"sayama.saitama.jp",
+"shiki.saitama.jp",
+"shiraoka.saitama.jp",
+"soka.saitama.jp",
+"sugito.saitama.jp",
+"toda.saitama.jp",
+"tokigawa.saitama.jp",
+"tokorozawa.saitama.jp",
+"tsurugashima.saitama.jp",
+"urawa.saitama.jp",
+"warabi.saitama.jp",
+"yashio.saitama.jp",
+"yokoze.saitama.jp",
+"yono.saitama.jp",
+"yorii.saitama.jp",
+"yoshida.saitama.jp",
+"yoshikawa.saitama.jp",
+"yoshimi.saitama.jp",
+"aisho.shiga.jp",
+"gamo.shiga.jp",
+"higashiomi.shiga.jp",
+"hikone.shiga.jp",
+"koka.shiga.jp",
+"konan.shiga.jp",
+"kosei.shiga.jp",
+"koto.shiga.jp",
+"kusatsu.shiga.jp",
+"maibara.shiga.jp",
+"moriyama.shiga.jp",
+"nagahama.shiga.jp",
+"nishiazai.shiga.jp",
+"notogawa.shiga.jp",
+"omihachiman.shiga.jp",
+"otsu.shiga.jp",
+"ritto.shiga.jp",
+"ryuoh.shiga.jp",
+"takashima.shiga.jp",
+"takatsuki.shiga.jp",
+"torahime.shiga.jp",
+"toyosato.shiga.jp",
+"yasu.shiga.jp",
+"akagi.shimane.jp",
+"ama.shimane.jp",
+"gotsu.shimane.jp",
+"hamada.shimane.jp",
+"higashiizumo.shimane.jp",
+"hikawa.shimane.jp",
+"hikimi.shimane.jp",
+"izumo.shimane.jp",
+"kakinoki.shimane.jp",
+"masuda.shimane.jp",
+"matsue.shimane.jp",
+"misato.shimane.jp",
+"nishinoshima.shimane.jp",
+"ohda.shimane.jp",
+"okinoshima.shimane.jp",
+"okuizumo.shimane.jp",
+"shimane.shimane.jp",
+"tamayu.shimane.jp",
+"tsuwano.shimane.jp",
+"unnan.shimane.jp",
+"yakumo.shimane.jp",
+"yasugi.shimane.jp",
+"yatsuka.shimane.jp",
+"arai.shizuoka.jp",
+"atami.shizuoka.jp",
+"fuji.shizuoka.jp",
+"fujieda.shizuoka.jp",
+"fujikawa.shizuoka.jp",
+"fujinomiya.shizuoka.jp",
+"fukuroi.shizuoka.jp",
+"gotemba.shizuoka.jp",
+"haibara.shizuoka.jp",
+"hamamatsu.shizuoka.jp",
+"higashiizu.shizuoka.jp",
+"ito.shizuoka.jp",
+"iwata.shizuoka.jp",
+"izu.shizuoka.jp",
+"izunokuni.shizuoka.jp",
+"kakegawa.shizuoka.jp",
+"kannami.shizuoka.jp",
+"kawanehon.shizuoka.jp",
+"kawazu.shizuoka.jp",
+"kikugawa.shizuoka.jp",
+"kosai.shizuoka.jp",
+"makinohara.shizuoka.jp",
+"matsuzaki.shizuoka.jp",
+"minamiizu.shizuoka.jp",
+"mishima.shizuoka.jp",
+"morimachi.shizuoka.jp",
+"nishiizu.shizuoka.jp",
+"numazu.shizuoka.jp",
+"omaezaki.shizuoka.jp",
+"shimada.shizuoka.jp",
+"shimizu.shizuoka.jp",
+"shimoda.shizuoka.jp",
+"shizuoka.shizuoka.jp",
+"susono.shizuoka.jp",
+"yaizu.shizuoka.jp",
+"yoshida.shizuoka.jp",
+"ashikaga.tochigi.jp",
+"bato.tochigi.jp",
+"haga.tochigi.jp",
+"ichikai.tochigi.jp",
+"iwafune.tochigi.jp",
+"kaminokawa.tochigi.jp",
+"kanuma.tochigi.jp",
+"karasuyama.tochigi.jp",
+"kuroiso.tochigi.jp",
+"mashiko.tochigi.jp",
+"mibu.tochigi.jp",
+"moka.tochigi.jp",
+"motegi.tochigi.jp",
+"nasu.tochigi.jp",
+"nasushiobara.tochigi.jp",
+"nikko.tochigi.jp",
+"nishikata.tochigi.jp",
+"nogi.tochigi.jp",
+"ohira.tochigi.jp",
+"ohtawara.tochigi.jp",
+"oyama.tochigi.jp",
+"sakura.tochigi.jp",
+"sano.tochigi.jp",
+"shimotsuke.tochigi.jp",
+"shioya.tochigi.jp",
+"takanezawa.tochigi.jp",
+"tochigi.tochigi.jp",
+"tsuga.tochigi.jp",
+"ujiie.tochigi.jp",
+"utsunomiya.tochigi.jp",
+"yaita.tochigi.jp",
+"aizumi.tokushima.jp",
+"anan.tokushima.jp",
+"ichiba.tokushima.jp",
+"itano.tokushima.jp",
+"kainan.tokushima.jp",
+"komatsushima.tokushima.jp",
+"matsushige.tokushima.jp",
+"mima.tokushima.jp",
+"minami.tokushima.jp",
+"miyoshi.tokushima.jp",
+"mugi.tokushima.jp",
+"nakagawa.tokushima.jp",
+"naruto.tokushima.jp",
+"sanagochi.tokushima.jp",
+"shishikui.tokushima.jp",
+"tokushima.tokushima.jp",
+"wajiki.tokushima.jp",
+"adachi.tokyo.jp",
+"akiruno.tokyo.jp",
+"akishima.tokyo.jp",
+"aogashima.tokyo.jp",
+"arakawa.tokyo.jp",
+"bunkyo.tokyo.jp",
+"chiyoda.tokyo.jp",
+"chofu.tokyo.jp",
+"chuo.tokyo.jp",
+"edogawa.tokyo.jp",
+"fuchu.tokyo.jp",
+"fussa.tokyo.jp",
+"hachijo.tokyo.jp",
+"hachioji.tokyo.jp",
+"hamura.tokyo.jp",
+"higashikurume.tokyo.jp",
+"higashimurayama.tokyo.jp",
+"higashiyamato.tokyo.jp",
+"hino.tokyo.jp",
+"hinode.tokyo.jp",
+"hinohara.tokyo.jp",
+"inagi.tokyo.jp",
+"itabashi.tokyo.jp",
+"katsushika.tokyo.jp",
+"kita.tokyo.jp",
+"kiyose.tokyo.jp",
+"kodaira.tokyo.jp",
+"koganei.tokyo.jp",
+"kokubunji.tokyo.jp",
+"komae.tokyo.jp",
+"koto.tokyo.jp",
+"kouzushima.tokyo.jp",
+"kunitachi.tokyo.jp",
+"machida.tokyo.jp",
+"meguro.tokyo.jp",
+"minato.tokyo.jp",
+"mitaka.tokyo.jp",
+"mizuho.tokyo.jp",
+"musashimurayama.tokyo.jp",
+"musashino.tokyo.jp",
+"nakano.tokyo.jp",
+"nerima.tokyo.jp",
+"ogasawara.tokyo.jp",
+"okutama.tokyo.jp",
+"ome.tokyo.jp",
+"oshima.tokyo.jp",
+"ota.tokyo.jp",
+"setagaya.tokyo.jp",
+"shibuya.tokyo.jp",
+"shinagawa.tokyo.jp",
+"shinjuku.tokyo.jp",
+"suginami.tokyo.jp",
+"sumida.tokyo.jp",
+"tachikawa.tokyo.jp",
+"taito.tokyo.jp",
+"tama.tokyo.jp",
+"toshima.tokyo.jp",
+"chizu.tottori.jp",
+"hino.tottori.jp",
+"kawahara.tottori.jp",
+"koge.tottori.jp",
+"kotoura.tottori.jp",
+"misasa.tottori.jp",
+"nanbu.tottori.jp",
+"nichinan.tottori.jp",
+"sakaiminato.tottori.jp",
+"tottori.tottori.jp",
+"wakasa.tottori.jp",
+"yazu.tottori.jp",
+"yonago.tottori.jp",
+"asahi.toyama.jp",
+"fuchu.toyama.jp",
+"fukumitsu.toyama.jp",
+"funahashi.toyama.jp",
+"himi.toyama.jp",
+"imizu.toyama.jp",
+"inami.toyama.jp",
+"johana.toyama.jp",
+"kamiichi.toyama.jp",
+"kurobe.toyama.jp",
+"nakaniikawa.toyama.jp",
+"namerikawa.toyama.jp",
+"nanto.toyama.jp",
+"nyuzen.toyama.jp",
+"oyabe.toyama.jp",
+"taira.toyama.jp",
+"takaoka.toyama.jp",
+"tateyama.toyama.jp",
+"toga.toyama.jp",
+"tonami.toyama.jp",
+"toyama.toyama.jp",
+"unazuki.toyama.jp",
+"uozu.toyama.jp",
+"yamada.toyama.jp",
+"arida.wakayama.jp",
+"aridagawa.wakayama.jp",
+"gobo.wakayama.jp",
+"hashimoto.wakayama.jp",
+"hidaka.wakayama.jp",
+"hirogawa.wakayama.jp",
+"inami.wakayama.jp",
+"iwade.wakayama.jp",
+"kainan.wakayama.jp",
+"kamitonda.wakayama.jp",
+"katsuragi.wakayama.jp",
+"kimino.wakayama.jp",
+"kinokawa.wakayama.jp",
+"kitayama.wakayama.jp",
+"koya.wakayama.jp",
+"koza.wakayama.jp",
+"kozagawa.wakayama.jp",
+"kudoyama.wakayama.jp",
+"kushimoto.wakayama.jp",
+"mihama.wakayama.jp",
+"misato.wakayama.jp",
+"nachikatsuura.wakayama.jp",
+"shingu.wakayama.jp",
+"shirahama.wakayama.jp",
+"taiji.wakayama.jp",
+"tanabe.wakayama.jp",
+"wakayama.wakayama.jp",
+"yuasa.wakayama.jp",
+"yura.wakayama.jp",
+"asahi.yamagata.jp",
+"funagata.yamagata.jp",
+"higashine.yamagata.jp",
+"iide.yamagata.jp",
+"kahoku.yamagata.jp",
+"kaminoyama.yamagata.jp",
+"kaneyama.yamagata.jp",
+"kawanishi.yamagata.jp",
+"mamurogawa.yamagata.jp",
+"mikawa.yamagata.jp",
+"murayama.yamagata.jp",
+"nagai.yamagata.jp",
+"nakayama.yamagata.jp",
+"nanyo.yamagata.jp",
+"nishikawa.yamagata.jp",
+"obanazawa.yamagata.jp",
+"oe.yamagata.jp",
+"oguni.yamagata.jp",
+"ohkura.yamagata.jp",
+"oishida.yamagata.jp",
+"sagae.yamagata.jp",
+"sakata.yamagata.jp",
+"sakegawa.yamagata.jp",
+"shinjo.yamagata.jp",
+"shirataka.yamagata.jp",
+"shonai.yamagata.jp",
+"takahata.yamagata.jp",
+"tendo.yamagata.jp",
+"tozawa.yamagata.jp",
+"tsuruoka.yamagata.jp",
+"yamagata.yamagata.jp",
+"yamanobe.yamagata.jp",
+"yonezawa.yamagata.jp",
+"yuza.yamagata.jp",
+"abu.yamaguchi.jp",
+"hagi.yamaguchi.jp",
+"hikari.yamaguchi.jp",
+"hofu.yamaguchi.jp",
+"iwakuni.yamaguchi.jp",
+"kudamatsu.yamaguchi.jp",
+"mitou.yamaguchi.jp",
+"nagato.yamaguchi.jp",
+"oshima.yamaguchi.jp",
+"shimonoseki.yamaguchi.jp",
+"shunan.yamaguchi.jp",
+"tabuse.yamaguchi.jp",
+"tokuyama.yamaguchi.jp",
+"toyota.yamaguchi.jp",
+"ube.yamaguchi.jp",
+"yuu.yamaguchi.jp",
+"chuo.yamanashi.jp",
+"doshi.yamanashi.jp",
+"fuefuki.yamanashi.jp",
+"fujikawa.yamanashi.jp",
+"fujikawaguchiko.yamanashi.jp",
+"fujiyoshida.yamanashi.jp",
+"hayakawa.yamanashi.jp",
+"hokuto.yamanashi.jp",
+"ichikawamisato.yamanashi.jp",
+"kai.yamanashi.jp",
+"kofu.yamanashi.jp",
+"koshu.yamanashi.jp",
+"kosuge.yamanashi.jp",
+"minami-alps.yamanashi.jp",
+"minobu.yamanashi.jp",
+"nakamichi.yamanashi.jp",
+"nanbu.yamanashi.jp",
+"narusawa.yamanashi.jp",
+"nirasaki.yamanashi.jp",
+"nishikatsura.yamanashi.jp",
+"oshino.yamanashi.jp",
+"otsuki.yamanashi.jp",
+"showa.yamanashi.jp",
+"tabayama.yamanashi.jp",
+"tsuru.yamanashi.jp",
+"uenohara.yamanashi.jp",
+"yamanakako.yamanashi.jp",
+"yamanashi.yamanashi.jp",
+"ke",
+"ac.ke",
+"co.ke",
+"go.ke",
+"info.ke",
+"me.ke",
+"mobi.ke",
+"ne.ke",
+"or.ke",
+"sc.ke",
+"kg",
+"org.kg",
+"net.kg",
+"com.kg",
+"edu.kg",
+"gov.kg",
+"mil.kg",
+"*.kh",
+"ki",
+"edu.ki",
+"biz.ki",
+"net.ki",
+"org.ki",
+"gov.ki",
+"info.ki",
+"com.ki",
+"km",
+"org.km",
+"nom.km",
+"gov.km",
+"prd.km",
+"tm.km",
+"edu.km",
+"mil.km",
+"ass.km",
+"com.km",
+"coop.km",
+"asso.km",
+"presse.km",
+"medecin.km",
+"notaires.km",
+"pharmaciens.km",
+"veterinaire.km",
+"gouv.km",
+"kn",
+"net.kn",
+"org.kn",
+"edu.kn",
+"gov.kn",
+"kp",
+"com.kp",
+"edu.kp",
+"gov.kp",
+"org.kp",
+"rep.kp",
+"tra.kp",
+"kr",
+"ac.kr",
+"co.kr",
+"es.kr",
+"go.kr",
+"hs.kr",
+"kg.kr",
+"mil.kr",
+"ms.kr",
+"ne.kr",
+"or.kr",
+"pe.kr",
+"re.kr",
+"sc.kr",
+"busan.kr",
+"chungbuk.kr",
+"chungnam.kr",
+"daegu.kr",
+"daejeon.kr",
+"gangwon.kr",
+"gwangju.kr",
+"gyeongbuk.kr",
+"gyeonggi.kr",
+"gyeongnam.kr",
+"incheon.kr",
+"jeju.kr",
+"jeonbuk.kr",
+"jeonnam.kr",
+"seoul.kr",
+"ulsan.kr",
+"kw",
+"com.kw",
+"edu.kw",
+"emb.kw",
+"gov.kw",
+"ind.kw",
+"net.kw",
+"org.kw",
+"ky",
+"edu.ky",
+"gov.ky",
+"com.ky",
+"org.ky",
+"net.ky",
+"kz",
+"org.kz",
+"edu.kz",
+"net.kz",
+"gov.kz",
+"mil.kz",
+"com.kz",
+"la",
+"int.la",
+"net.la",
+"info.la",
+"edu.la",
+"gov.la",
+"per.la",
+"com.la",
+"org.la",
+"lb",
+"com.lb",
+"edu.lb",
+"gov.lb",
+"net.lb",
+"org.lb",
+"lc",
+"com.lc",
+"net.lc",
+"co.lc",
+"org.lc",
+"edu.lc",
+"gov.lc",
+"li",
+"lk",
+"gov.lk",
+"sch.lk",
+"net.lk",
+"int.lk",
+"com.lk",
+"org.lk",
+"edu.lk",
+"ngo.lk",
+"soc.lk",
+"web.lk",
+"ltd.lk",
+"assn.lk",
+"grp.lk",
+"hotel.lk",
+"ac.lk",
+"lr",
+"com.lr",
+"edu.lr",
+"gov.lr",
+"org.lr",
+"net.lr",
+"ls",
+"ac.ls",
+"biz.ls",
+"co.ls",
+"edu.ls",
+"gov.ls",
+"info.ls",
+"net.ls",
+"org.ls",
+"sc.ls",
+"lt",
+"gov.lt",
+"lu",
+"lv",
+"com.lv",
+"edu.lv",
+"gov.lv",
+"org.lv",
+"mil.lv",
+"id.lv",
+"net.lv",
+"asn.lv",
+"conf.lv",
+"ly",
+"com.ly",
+"net.ly",
+"gov.ly",
+"plc.ly",
+"edu.ly",
+"sch.ly",
+"med.ly",
+"org.ly",
+"id.ly",
+"ma",
+"co.ma",
+"net.ma",
+"gov.ma",
+"org.ma",
+"ac.ma",
+"press.ma",
+"mc",
+"tm.mc",
+"asso.mc",
+"md",
+"me",
+"co.me",
+"net.me",
+"org.me",
+"edu.me",
+"ac.me",
+"gov.me",
+"its.me",
+"priv.me",
+"mg",
+"org.mg",
+"nom.mg",
+"gov.mg",
+"prd.mg",
+"tm.mg",
+"edu.mg",
+"mil.mg",
+"com.mg",
+"co.mg",
+"mh",
+"mil",
+"mk",
+"com.mk",
+"org.mk",
+"net.mk",
+"edu.mk",
+"gov.mk",
+"inf.mk",
+"name.mk",
+"ml",
+"com.ml",
+"edu.ml",
+"gouv.ml",
+"gov.ml",
+"net.ml",
+"org.ml",
+"presse.ml",
+"*.mm",
+"mn",
+"gov.mn",
+"edu.mn",
+"org.mn",
+"mo",
+"com.mo",
+"net.mo",
+"org.mo",
+"edu.mo",
+"gov.mo",
+"mobi",
+"mp",
+"mq",
+"mr",
+"gov.mr",
+"ms",
+"com.ms",
+"edu.ms",
+"gov.ms",
+"net.ms",
+"org.ms",
+"mt",
+"com.mt",
+"edu.mt",
+"net.mt",
+"org.mt",
+"mu",
+"com.mu",
+"net.mu",
+"org.mu",
+"gov.mu",
+"ac.mu",
+"co.mu",
+"or.mu",
+"museum",
+"academy.museum",
+"agriculture.museum",
+"air.museum",
+"airguard.museum",
+"alabama.museum",
+"alaska.museum",
+"amber.museum",
+"ambulance.museum",
+"american.museum",
+"americana.museum",
+"americanantiques.museum",
+"americanart.museum",
+"amsterdam.museum",
+"and.museum",
+"annefrank.museum",
+"anthro.museum",
+"anthropology.museum",
+"antiques.museum",
+"aquarium.museum",
+"arboretum.museum",
+"archaeological.museum",
+"archaeology.museum",
+"architecture.museum",
+"art.museum",
+"artanddesign.museum",
+"artcenter.museum",
+"artdeco.museum",
+"arteducation.museum",
+"artgallery.museum",
+"arts.museum",
+"artsandcrafts.museum",
+"asmatart.museum",
+"assassination.museum",
+"assisi.museum",
+"association.museum",
+"astronomy.museum",
+"atlanta.museum",
+"austin.museum",
+"australia.museum",
+"automotive.museum",
+"aviation.museum",
+"axis.museum",
+"badajoz.museum",
+"baghdad.museum",
+"bahn.museum",
+"bale.museum",
+"baltimore.museum",
+"barcelona.museum",
+"baseball.museum",
+"basel.museum",
+"baths.museum",
+"bauern.museum",
+"beauxarts.museum",
+"beeldengeluid.museum",
+"bellevue.museum",
+"bergbau.museum",
+"berkeley.museum",
+"berlin.museum",
+"bern.museum",
+"bible.museum",
+"bilbao.museum",
+"bill.museum",
+"birdart.museum",
+"birthplace.museum",
+"bonn.museum",
+"boston.museum",
+"botanical.museum",
+"botanicalgarden.museum",
+"botanicgarden.museum",
+"botany.museum",
+"brandywinevalley.museum",
+"brasil.museum",
+"bristol.museum",
+"british.museum",
+"britishcolumbia.museum",
+"broadcast.museum",
+"brunel.museum",
+"brussel.museum",
+"brussels.museum",
+"bruxelles.museum",
+"building.museum",
+"burghof.museum",
+"bus.museum",
+"bushey.museum",
+"cadaques.museum",
+"california.museum",
+"cambridge.museum",
+"can.museum",
+"canada.museum",
+"capebreton.museum",
+"carrier.museum",
+"cartoonart.museum",
+"casadelamoneda.museum",
+"castle.museum",
+"castres.museum",
+"celtic.museum",
+"center.museum",
+"chattanooga.museum",
+"cheltenham.museum",
+"chesapeakebay.museum",
+"chicago.museum",
+"children.museum",
+"childrens.museum",
+"childrensgarden.museum",
+"chiropractic.museum",
+"chocolate.museum",
+"christiansburg.museum",
+"cincinnati.museum",
+"cinema.museum",
+"circus.museum",
+"civilisation.museum",
+"civilization.museum",
+"civilwar.museum",
+"clinton.museum",
+"clock.museum",
+"coal.museum",
+"coastaldefence.museum",
+"cody.museum",
+"coldwar.museum",
+"collection.museum",
+"colonialwilliamsburg.museum",
+"coloradoplateau.museum",
+"columbia.museum",
+"columbus.museum",
+"communication.museum",
+"communications.museum",
+"community.museum",
+"computer.museum",
+"computerhistory.museum",
+"comunicações.museum",
+"contemporary.museum",
+"contemporaryart.museum",
+"convent.museum",
+"copenhagen.museum",
+"corporation.museum",
+"correios-e-telecomunicações.museum",
+"corvette.museum",
+"costume.museum",
+"countryestate.museum",
+"county.museum",
+"crafts.museum",
+"cranbrook.museum",
+"creation.museum",
+"cultural.museum",
+"culturalcenter.museum",
+"culture.museum",
+"cyber.museum",
+"cymru.museum",
+"dali.museum",
+"dallas.museum",
+"database.museum",
+"ddr.museum",
+"decorativearts.museum",
+"delaware.museum",
+"delmenhorst.museum",
+"denmark.museum",
+"depot.museum",
+"design.museum",
+"detroit.museum",
+"dinosaur.museum",
+"discovery.museum",
+"dolls.museum",
+"donostia.museum",
+"durham.museum",
+"eastafrica.museum",
+"eastcoast.museum",
+"education.museum",
+"educational.museum",
+"egyptian.museum",
+"eisenbahn.museum",
+"elburg.museum",
+"elvendrell.museum",
+"embroidery.museum",
+"encyclopedic.museum",
+"england.museum",
+"entomology.museum",
+"environment.museum",
+"environmentalconservation.museum",
+"epilepsy.museum",
+"essex.museum",
+"estate.museum",
+"ethnology.museum",
+"exeter.museum",
+"exhibition.museum",
+"family.museum",
+"farm.museum",
+"farmequipment.museum",
+"farmers.museum",
+"farmstead.museum",
+"field.museum",
+"figueres.museum",
+"filatelia.museum",
+"film.museum",
+"fineart.museum",
+"finearts.museum",
+"finland.museum",
+"flanders.museum",
+"florida.museum",
+"force.museum",
+"fortmissoula.museum",
+"fortworth.museum",
+"foundation.museum",
+"francaise.museum",
+"frankfurt.museum",
+"franziskaner.museum",
+"freemasonry.museum",
+"freiburg.museum",
+"fribourg.museum",
+"frog.museum",
+"fundacio.museum",
+"furniture.museum",
+"gallery.museum",
+"garden.museum",
+"gateway.museum",
+"geelvinck.museum",
+"gemological.museum",
+"geology.museum",
+"georgia.museum",
+"giessen.museum",
+"glas.museum",
+"glass.museum",
+"gorge.museum",
+"grandrapids.museum",
+"graz.museum",
+"guernsey.museum",
+"halloffame.museum",
+"hamburg.museum",
+"handson.museum",
+"harvestcelebration.museum",
+"hawaii.museum",
+"health.museum",
+"heimatunduhren.museum",
+"hellas.museum",
+"helsinki.museum",
+"hembygdsforbund.museum",
+"heritage.museum",
+"histoire.museum",
+"historical.museum",
+"historicalsociety.museum",
+"historichouses.museum",
+"historisch.museum",
+"historisches.museum",
+"history.museum",
+"historyofscience.museum",
+"horology.museum",
+"house.museum",
+"humanities.museum",
+"illustration.museum",
+"imageandsound.museum",
+"indian.museum",
+"indiana.museum",
+"indianapolis.museum",
+"indianmarket.museum",
+"intelligence.museum",
+"interactive.museum",
+"iraq.museum",
+"iron.museum",
+"isleofman.museum",
+"jamison.museum",
+"jefferson.museum",
+"jerusalem.museum",
+"jewelry.museum",
+"jewish.museum",
+"jewishart.museum",
+"jfk.museum",
+"journalism.museum",
+"judaica.museum",
+"judygarland.museum",
+"juedisches.museum",
+"juif.museum",
+"karate.museum",
+"karikatur.museum",
+"kids.museum",
+"koebenhavn.museum",
+"koeln.museum",
+"kunst.museum",
+"kunstsammlung.museum",
+"kunstunddesign.museum",
+"labor.museum",
+"labour.museum",
+"lajolla.museum",
+"lancashire.museum",
+"landes.museum",
+"lans.museum",
+"läns.museum",
+"larsson.museum",
+"lewismiller.museum",
+"lincoln.museum",
+"linz.museum",
+"living.museum",
+"livinghistory.museum",
+"localhistory.museum",
+"london.museum",
+"losangeles.museum",
+"louvre.museum",
+"loyalist.museum",
+"lucerne.museum",
+"luxembourg.museum",
+"luzern.museum",
+"mad.museum",
+"madrid.museum",
+"mallorca.museum",
+"manchester.museum",
+"mansion.museum",
+"mansions.museum",
+"manx.museum",
+"marburg.museum",
+"maritime.museum",
+"maritimo.museum",
+"maryland.museum",
+"marylhurst.museum",
+"media.museum",
+"medical.museum",
+"medizinhistorisches.museum",
+"meeres.museum",
+"memorial.museum",
+"mesaverde.museum",
+"michigan.museum",
+"midatlantic.museum",
+"military.museum",
+"mill.museum",
+"miners.museum",
+"mining.museum",
+"minnesota.museum",
+"missile.museum",
+"missoula.museum",
+"modern.museum",
+"moma.museum",
+"money.museum",
+"monmouth.museum",
+"monticello.museum",
+"montreal.museum",
+"moscow.museum",
+"motorcycle.museum",
+"muenchen.museum",
+"muenster.museum",
+"mulhouse.museum",
+"muncie.museum",
+"museet.museum",
+"museumcenter.museum",
+"museumvereniging.museum",
+"music.museum",
+"national.museum",
+"nationalfirearms.museum",
+"nationalheritage.museum",
+"nativeamerican.museum",
+"naturalhistory.museum",
+"naturalhistorymuseum.museum",
+"naturalsciences.museum",
+"nature.museum",
+"naturhistorisches.museum",
+"natuurwetenschappen.museum",
+"naumburg.museum",
+"naval.museum",
+"nebraska.museum",
+"neues.museum",
+"newhampshire.museum",
+"newjersey.museum",
+"newmexico.museum",
+"newport.museum",
+"newspaper.museum",
+"newyork.museum",
+"niepce.museum",
+"norfolk.museum",
+"north.museum",
+"nrw.museum",
+"nyc.museum",
+"nyny.museum",
+"oceanographic.museum",
+"oceanographique.museum",
+"omaha.museum",
+"online.museum",
+"ontario.museum",
+"openair.museum",
+"oregon.museum",
+"oregontrail.museum",
+"otago.museum",
+"oxford.museum",
+"pacific.museum",
+"paderborn.museum",
+"palace.museum",
+"paleo.museum",
+"palmsprings.museum",
+"panama.museum",
+"paris.museum",
+"pasadena.museum",
+"pharmacy.museum",
+"philadelphia.museum",
+"philadelphiaarea.museum",
+"philately.museum",
+"phoenix.museum",
+"photography.museum",
+"pilots.museum",
+"pittsburgh.museum",
+"planetarium.museum",
+"plantation.museum",
+"plants.museum",
+"plaza.museum",
+"portal.museum",
+"portland.museum",
+"portlligat.museum",
+"posts-and-telecommunications.museum",
+"preservation.museum",
+"presidio.museum",
+"press.museum",
+"project.museum",
+"public.museum",
+"pubol.museum",
+"quebec.museum",
+"railroad.museum",
+"railway.museum",
+"research.museum",
+"resistance.museum",
+"riodejaneiro.museum",
+"rochester.museum",
+"rockart.museum",
+"roma.museum",
+"russia.museum",
+"saintlouis.museum",
+"salem.museum",
+"salvadordali.museum",
+"salzburg.museum",
+"sandiego.museum",
+"sanfrancisco.museum",
+"santabarbara.museum",
+"santacruz.museum",
+"santafe.museum",
+"saskatchewan.museum",
+"satx.museum",
+"savannahga.museum",
+"schlesisches.museum",
+"schoenbrunn.museum",
+"schokoladen.museum",
+"school.museum",
+"schweiz.museum",
+"science.museum",
+"scienceandhistory.museum",
+"scienceandindustry.museum",
+"sciencecenter.museum",
+"sciencecenters.museum",
+"science-fiction.museum",
+"sciencehistory.museum",
+"sciences.museum",
+"sciencesnaturelles.museum",
+"scotland.museum",
+"seaport.museum",
+"settlement.museum",
+"settlers.museum",
+"shell.museum",
+"sherbrooke.museum",
+"sibenik.museum",
+"silk.museum",
+"ski.museum",
+"skole.museum",
+"society.museum",
+"sologne.museum",
+"soundandvision.museum",
+"southcarolina.museum",
+"southwest.museum",
+"space.museum",
+"spy.museum",
+"square.museum",
+"stadt.museum",
+"stalbans.museum",
+"starnberg.museum",
+"state.museum",
+"stateofdelaware.museum",
+"station.museum",
+"steam.museum",
+"steiermark.museum",
+"stjohn.museum",
+"stockholm.museum",
+"stpetersburg.museum",
+"stuttgart.museum",
+"suisse.museum",
+"surgeonshall.museum",
+"surrey.museum",
+"svizzera.museum",
+"sweden.museum",
+"sydney.museum",
+"tank.museum",
+"tcm.museum",
+"technology.museum",
+"telekommunikation.museum",
+"television.museum",
+"texas.museum",
+"textile.museum",
+"theater.museum",
+"time.museum",
+"timekeeping.museum",
+"topology.museum",
+"torino.museum",
+"touch.museum",
+"town.museum",
+"transport.museum",
+"tree.museum",
+"trolley.museum",
+"trust.museum",
+"trustee.museum",
+"uhren.museum",
+"ulm.museum",
+"undersea.museum",
+"university.museum",
+"usa.museum",
+"usantiques.museum",
+"usarts.museum",
+"uscountryestate.museum",
+"usculture.museum",
+"usdecorativearts.museum",
+"usgarden.museum",
+"ushistory.museum",
+"ushuaia.museum",
+"uslivinghistory.museum",
+"utah.museum",
+"uvic.museum",
+"valley.museum",
+"vantaa.museum",
+"versailles.museum",
+"viking.museum",
+"village.museum",
+"virginia.museum",
+"virtual.museum",
+"virtuel.museum",
+"vlaanderen.museum",
+"volkenkunde.museum",
+"wales.museum",
+"wallonie.museum",
+"war.museum",
+"washingtondc.museum",
+"watchandclock.museum",
+"watch-and-clock.museum",
+"western.museum",
+"westfalen.museum",
+"whaling.museum",
+"wildlife.museum",
+"williamsburg.museum",
+"windmill.museum",
+"workshop.museum",
+"york.museum",
+"yorkshire.museum",
+"yosemite.museum",
+"youth.museum",
+"zoological.museum",
+"zoology.museum",
+"ירושלים.museum",
+"иком.museum",
+"mv",
+"aero.mv",
+"biz.mv",
+"com.mv",
+"coop.mv",
+"edu.mv",
+"gov.mv",
+"info.mv",
+"int.mv",
+"mil.mv",
+"museum.mv",
+"name.mv",
+"net.mv",
+"org.mv",
+"pro.mv",
+"mw",
+"ac.mw",
+"biz.mw",
+"co.mw",
+"com.mw",
+"coop.mw",
+"edu.mw",
+"gov.mw",
+"int.mw",
+"museum.mw",
+"net.mw",
+"org.mw",
+"mx",
+"com.mx",
+"org.mx",
+"gob.mx",
+"edu.mx",
+"net.mx",
+"my",
+"com.my",
+"net.my",
+"org.my",
+"gov.my",
+"edu.my",
+"mil.my",
+"name.my",
+"mz",
+"ac.mz",
+"adv.mz",
+"co.mz",
+"edu.mz",
+"gov.mz",
+"mil.mz",
+"net.mz",
+"org.mz",
+"na",
+"info.na",
+"pro.na",
+"name.na",
+"school.na",
+"or.na",
+"dr.na",
+"us.na",
+"mx.na",
+"ca.na",
+"in.na",
+"cc.na",
+"tv.na",
+"ws.na",
+"mobi.na",
+"co.na",
+"com.na",
+"org.na",
+"name",
+"nc",
+"asso.nc",
+"nom.nc",
+"ne",
+"net",
+"nf",
+"com.nf",
+"net.nf",
+"per.nf",
+"rec.nf",
+"web.nf",
+"arts.nf",
+"firm.nf",
+"info.nf",
+"other.nf",
+"store.nf",
+"ng",
+"com.ng",
+"edu.ng",
+"gov.ng",
+"i.ng",
+"mil.ng",
+"mobi.ng",
+"name.ng",
+"net.ng",
+"org.ng",
+"sch.ng",
+"ni",
+"ac.ni",
+"biz.ni",
+"co.ni",
+"com.ni",
+"edu.ni",
+"gob.ni",
+"in.ni",
+"info.ni",
+"int.ni",
+"mil.ni",
+"net.ni",
+"nom.ni",
+"org.ni",
+"web.ni",
+"nl",
+"no",
+"fhs.no",
+"vgs.no",
+"fylkesbibl.no",
+"folkebibl.no",
+"museum.no",
+"idrett.no",
+"priv.no",
+"mil.no",
+"stat.no",
+"dep.no",
+"kommune.no",
+"herad.no",
+"aa.no",
+"ah.no",
+"bu.no",
+"fm.no",
+"hl.no",
+"hm.no",
+"jan-mayen.no",
+"mr.no",
+"nl.no",
+"nt.no",
+"of.no",
+"ol.no",
+"oslo.no",
+"rl.no",
+"sf.no",
+"st.no",
+"svalbard.no",
+"tm.no",
+"tr.no",
+"va.no",
+"vf.no",
+"gs.aa.no",
+"gs.ah.no",
+"gs.bu.no",
+"gs.fm.no",
+"gs.hl.no",
+"gs.hm.no",
+"gs.jan-mayen.no",
+"gs.mr.no",
+"gs.nl.no",
+"gs.nt.no",
+"gs.of.no",
+"gs.ol.no",
+"gs.oslo.no",
+"gs.rl.no",
+"gs.sf.no",
+"gs.st.no",
+"gs.svalbard.no",
+"gs.tm.no",
+"gs.tr.no",
+"gs.va.no",
+"gs.vf.no",
+"akrehamn.no",
+"åkrehamn.no",
+"algard.no",
+"ålgård.no",
+"arna.no",
+"brumunddal.no",
+"bryne.no",
+"bronnoysund.no",
+"brønnøysund.no",
+"drobak.no",
+"drøbak.no",
+"egersund.no",
+"fetsund.no",
+"floro.no",
+"florø.no",
+"fredrikstad.no",
+"hokksund.no",
+"honefoss.no",
+"hønefoss.no",
+"jessheim.no",
+"jorpeland.no",
+"jørpeland.no",
+"kirkenes.no",
+"kopervik.no",
+"krokstadelva.no",
+"langevag.no",
+"langevåg.no",
+"leirvik.no",
+"mjondalen.no",
+"mjøndalen.no",
+"mo-i-rana.no",
+"mosjoen.no",
+"mosjøen.no",
+"nesoddtangen.no",
+"orkanger.no",
+"osoyro.no",
+"osøyro.no",
+"raholt.no",
+"råholt.no",
+"sandnessjoen.no",
+"sandnessjøen.no",
+"skedsmokorset.no",
+"slattum.no",
+"spjelkavik.no",
+"stathelle.no",
+"stavern.no",
+"stjordalshalsen.no",
+"stjørdalshalsen.no",
+"tananger.no",
+"tranby.no",
+"vossevangen.no",
+"afjord.no",
+"åfjord.no",
+"agdenes.no",
+"al.no",
+"ål.no",
+"alesund.no",
+"ålesund.no",
+"alstahaug.no",
+"alta.no",
+"áltá.no",
+"alaheadju.no",
+"álaheadju.no",
+"alvdal.no",
+"amli.no",
+"åmli.no",
+"amot.no",
+"åmot.no",
+"andebu.no",
+"andoy.no",
+"andøy.no",
+"andasuolo.no",
+"ardal.no",
+"årdal.no",
+"aremark.no",
+"arendal.no",
+"ås.no",
+"aseral.no",
+"åseral.no",
+"asker.no",
+"askim.no",
+"askvoll.no",
+"askoy.no",
+"askøy.no",
+"asnes.no",
+"åsnes.no",
+"audnedaln.no",
+"aukra.no",
+"aure.no",
+"aurland.no",
+"aurskog-holand.no",
+"aurskog-høland.no",
+"austevoll.no",
+"austrheim.no",
+"averoy.no",
+"averøy.no",
+"balestrand.no",
+"ballangen.no",
+"balat.no",
+"bálát.no",
+"balsfjord.no",
+"bahccavuotna.no",
+"báhccavuotna.no",
+"bamble.no",
+"bardu.no",
+"beardu.no",
+"beiarn.no",
+"bajddar.no",
+"bájddar.no",
+"baidar.no",
+"báidár.no",
+"berg.no",
+"bergen.no",
+"berlevag.no",
+"berlevåg.no",
+"bearalvahki.no",
+"bearalváhki.no",
+"bindal.no",
+"birkenes.no",
+"bjarkoy.no",
+"bjarkøy.no",
+"bjerkreim.no",
+"bjugn.no",
+"bodo.no",
+"bodø.no",
+"badaddja.no",
+"bådåddjå.no",
+"budejju.no",
+"bokn.no",
+"bremanger.no",
+"bronnoy.no",
+"brønnøy.no",
+"bygland.no",
+"bykle.no",
+"barum.no",
+"bærum.no",
+"bo.telemark.no",
+"bø.telemark.no",
+"bo.nordland.no",
+"bø.nordland.no",
+"bievat.no",
+"bievát.no",
+"bomlo.no",
+"bømlo.no",
+"batsfjord.no",
+"båtsfjord.no",
+"bahcavuotna.no",
+"báhcavuotna.no",
+"dovre.no",
+"drammen.no",
+"drangedal.no",
+"dyroy.no",
+"dyrøy.no",
+"donna.no",
+"dønna.no",
+"eid.no",
+"eidfjord.no",
+"eidsberg.no",
+"eidskog.no",
+"eidsvoll.no",
+"eigersund.no",
+"elverum.no",
+"enebakk.no",
+"engerdal.no",
+"etne.no",
+"etnedal.no",
+"evenes.no",
+"evenassi.no",
+"evenášši.no",
+"evje-og-hornnes.no",
+"farsund.no",
+"fauske.no",
+"fuossko.no",
+"fuoisku.no",
+"fedje.no",
+"fet.no",
+"finnoy.no",
+"finnøy.no",
+"fitjar.no",
+"fjaler.no",
+"fjell.no",
+"flakstad.no",
+"flatanger.no",
+"flekkefjord.no",
+"flesberg.no",
+"flora.no",
+"fla.no",
+"flå.no",
+"folldal.no",
+"forsand.no",
+"fosnes.no",
+"frei.no",
+"frogn.no",
+"froland.no",
+"frosta.no",
+"frana.no",
+"fræna.no",
+"froya.no",
+"frøya.no",
+"fusa.no",
+"fyresdal.no",
+"forde.no",
+"førde.no",
+"gamvik.no",
+"gangaviika.no",
+"gáŋgaviika.no",
+"gaular.no",
+"gausdal.no",
+"gildeskal.no",
+"gildeskål.no",
+"giske.no",
+"gjemnes.no",
+"gjerdrum.no",
+"gjerstad.no",
+"gjesdal.no",
+"gjovik.no",
+"gjøvik.no",
+"gloppen.no",
+"gol.no",
+"gran.no",
+"grane.no",
+"granvin.no",
+"gratangen.no",
+"grimstad.no",
+"grong.no",
+"kraanghke.no",
+"kråanghke.no",
+"grue.no",
+"gulen.no",
+"hadsel.no",
+"halden.no",
+"halsa.no",
+"hamar.no",
+"hamaroy.no",
+"habmer.no",
+"hábmer.no",
+"hapmir.no",
+"hápmir.no",
+"hammerfest.no",
+"hammarfeasta.no",
+"hámmárfeasta.no",
+"haram.no",
+"hareid.no",
+"harstad.no",
+"hasvik.no",
+"aknoluokta.no",
+"ákŋoluokta.no",
+"hattfjelldal.no",
+"aarborte.no",
+"haugesund.no",
+"hemne.no",
+"hemnes.no",
+"hemsedal.no",
+"heroy.more-og-romsdal.no",
+"herøy.møre-og-romsdal.no",
+"heroy.nordland.no",
+"herøy.nordland.no",
+"hitra.no",
+"hjartdal.no",
+"hjelmeland.no",
+"hobol.no",
+"hobøl.no",
+"hof.no",
+"hol.no",
+"hole.no",
+"holmestrand.no",
+"holtalen.no",
+"holtålen.no",
+"hornindal.no",
+"horten.no",
+"hurdal.no",
+"hurum.no",
+"hvaler.no",
+"hyllestad.no",
+"hagebostad.no",
+"hægebostad.no",
+"hoyanger.no",
+"høyanger.no",
+"hoylandet.no",
+"høylandet.no",
+"ha.no",
+"hå.no",
+"ibestad.no",
+"inderoy.no",
+"inderøy.no",
+"iveland.no",
+"jevnaker.no",
+"jondal.no",
+"jolster.no",
+"jølster.no",
+"karasjok.no",
+"karasjohka.no",
+"kárášjohka.no",
+"karlsoy.no",
+"galsa.no",
+"gálsá.no",
+"karmoy.no",
+"karmøy.no",
+"kautokeino.no",
+"guovdageaidnu.no",
+"klepp.no",
+"klabu.no",
+"klæbu.no",
+"kongsberg.no",
+"kongsvinger.no",
+"kragero.no",
+"kragerø.no",
+"kristiansand.no",
+"kristiansund.no",
+"krodsherad.no",
+"krødsherad.no",
+"kvalsund.no",
+"rahkkeravju.no",
+"ráhkkerávju.no",
+"kvam.no",
+"kvinesdal.no",
+"kvinnherad.no",
+"kviteseid.no",
+"kvitsoy.no",
+"kvitsøy.no",
+"kvafjord.no",
+"kvæfjord.no",
+"giehtavuoatna.no",
+"kvanangen.no",
+"kvænangen.no",
+"navuotna.no",
+"návuotna.no",
+"kafjord.no",
+"kåfjord.no",
+"gaivuotna.no",
+"gáivuotna.no",
+"larvik.no",
+"lavangen.no",
+"lavagis.no",
+"loabat.no",
+"loabát.no",
+"lebesby.no",
+"davvesiida.no",
+"leikanger.no",
+"leirfjord.no",
+"leka.no",
+"leksvik.no",
+"lenvik.no",
+"leangaviika.no",
+"leaŋgaviika.no",
+"lesja.no",
+"levanger.no",
+"lier.no",
+"lierne.no",
+"lillehammer.no",
+"lillesand.no",
+"lindesnes.no",
+"lindas.no",
+"lindås.no",
+"lom.no",
+"loppa.no",
+"lahppi.no",
+"láhppi.no",
+"lund.no",
+"lunner.no",
+"luroy.no",
+"lurøy.no",
+"luster.no",
+"lyngdal.no",
+"lyngen.no",
+"ivgu.no",
+"lardal.no",
+"lerdal.no",
+"lærdal.no",
+"lodingen.no",
+"lødingen.no",
+"lorenskog.no",
+"lørenskog.no",
+"loten.no",
+"løten.no",
+"malvik.no",
+"masoy.no",
+"måsøy.no",
+"muosat.no",
+"muosát.no",
+"mandal.no",
+"marker.no",
+"marnardal.no",
+"masfjorden.no",
+"meland.no",
+"meldal.no",
+"melhus.no",
+"meloy.no",
+"meløy.no",
+"meraker.no",
+"meråker.no",
+"moareke.no",
+"moåreke.no",
+"midsund.no",
+"midtre-gauldal.no",
+"modalen.no",
+"modum.no",
+"molde.no",
+"moskenes.no",
+"moss.no",
+"mosvik.no",
+"malselv.no",
+"målselv.no",
+"malatvuopmi.no",
+"málatvuopmi.no",
+"namdalseid.no",
+"aejrie.no",
+"namsos.no",
+"namsskogan.no",
+"naamesjevuemie.no",
+"nååmesjevuemie.no",
+"laakesvuemie.no",
+"nannestad.no",
+"narvik.no",
+"narviika.no",
+"naustdal.no",
+"nedre-eiker.no",
+"nes.akershus.no",
+"nes.buskerud.no",
+"nesna.no",
+"nesodden.no",
+"nesseby.no",
+"unjarga.no",
+"unjárga.no",
+"nesset.no",
+"nissedal.no",
+"nittedal.no",
+"nord-aurdal.no",
+"nord-fron.no",
+"nord-odal.no",
+"norddal.no",
+"nordkapp.no",
+"davvenjarga.no",
+"davvenjárga.no",
+"nordre-land.no",
+"nordreisa.no",
+"raisa.no",
+"ráisa.no",
+"nore-og-uvdal.no",
+"notodden.no",
+"naroy.no",
+"nærøy.no",
+"notteroy.no",
+"nøtterøy.no",
+"odda.no",
+"oksnes.no",
+"øksnes.no",
+"oppdal.no",
+"oppegard.no",
+"oppegård.no",
+"orkdal.no",
+"orland.no",
+"ørland.no",
+"orskog.no",
+"ørskog.no",
+"orsta.no",
+"ørsta.no",
+"os.hedmark.no",
+"os.hordaland.no",
+"osen.no",
+"osteroy.no",
+"osterøy.no",
+"ostre-toten.no",
+"østre-toten.no",
+"overhalla.no",
+"ovre-eiker.no",
+"øvre-eiker.no",
+"oyer.no",
+"øyer.no",
+"oygarden.no",
+"øygarden.no",
+"oystre-slidre.no",
+"øystre-slidre.no",
+"porsanger.no",
+"porsangu.no",
+"porsáŋgu.no",
+"porsgrunn.no",
+"radoy.no",
+"radøy.no",
+"rakkestad.no",
+"rana.no",
+"ruovat.no",
+"randaberg.no",
+"rauma.no",
+"rendalen.no",
+"rennebu.no",
+"rennesoy.no",
+"rennesøy.no",
+"rindal.no",
+"ringebu.no",
+"ringerike.no",
+"ringsaker.no",
+"rissa.no",
+"risor.no",
+"risør.no",
+"roan.no",
+"rollag.no",
+"rygge.no",
+"ralingen.no",
+"rælingen.no",
+"rodoy.no",
+"rødøy.no",
+"romskog.no",
+"rømskog.no",
+"roros.no",
+"røros.no",
+"rost.no",
+"røst.no",
+"royken.no",
+"røyken.no",
+"royrvik.no",
+"røyrvik.no",
+"rade.no",
+"råde.no",
+"salangen.no",
+"siellak.no",
+"saltdal.no",
+"salat.no",
+"sálát.no",
+"sálat.no",
+"samnanger.no",
+"sande.more-og-romsdal.no",
+"sande.møre-og-romsdal.no",
+"sande.vestfold.no",
+"sandefjord.no",
+"sandnes.no",
+"sandoy.no",
+"sandøy.no",
+"sarpsborg.no",
+"sauda.no",
+"sauherad.no",
+"sel.no",
+"selbu.no",
+"selje.no",
+"seljord.no",
+"sigdal.no",
+"siljan.no",
+"sirdal.no",
+"skaun.no",
+"skedsmo.no",
+"ski.no",
+"skien.no",
+"skiptvet.no",
+"skjervoy.no",
+"skjervøy.no",
+"skierva.no",
+"skiervá.no",
+"skjak.no",
+"skjåk.no",
+"skodje.no",
+"skanland.no",
+"skånland.no",
+"skanit.no",
+"skánit.no",
+"smola.no",
+"smøla.no",
+"snillfjord.no",
+"snasa.no",
+"snåsa.no",
+"snoasa.no",
+"snaase.no",
+"snåase.no",
+"sogndal.no",
+"sokndal.no",
+"sola.no",
+"solund.no",
+"songdalen.no",
+"sortland.no",
+"spydeberg.no",
+"stange.no",
+"stavanger.no",
+"steigen.no",
+"steinkjer.no",
+"stjordal.no",
+"stjørdal.no",
+"stokke.no",
+"stor-elvdal.no",
+"stord.no",
+"stordal.no",
+"storfjord.no",
+"omasvuotna.no",
+"strand.no",
+"stranda.no",
+"stryn.no",
+"sula.no",
+"suldal.no",
+"sund.no",
+"sunndal.no",
+"surnadal.no",
+"sveio.no",
+"svelvik.no",
+"sykkylven.no",
+"sogne.no",
+"søgne.no",
+"somna.no",
+"sømna.no",
+"sondre-land.no",
+"søndre-land.no",
+"sor-aurdal.no",
+"sør-aurdal.no",
+"sor-fron.no",
+"sør-fron.no",
+"sor-odal.no",
+"sør-odal.no",
+"sor-varanger.no",
+"sør-varanger.no",
+"matta-varjjat.no",
+"mátta-várjjat.no",
+"sorfold.no",
+"sørfold.no",
+"sorreisa.no",
+"sørreisa.no",
+"sorum.no",
+"sørum.no",
+"tana.no",
+"deatnu.no",
+"time.no",
+"tingvoll.no",
+"tinn.no",
+"tjeldsund.no",
+"dielddanuorri.no",
+"tjome.no",
+"tjøme.no",
+"tokke.no",
+"tolga.no",
+"torsken.no",
+"tranoy.no",
+"tranøy.no",
+"tromso.no",
+"tromsø.no",
+"tromsa.no",
+"romsa.no",
+"trondheim.no",
+"troandin.no",
+"trysil.no",
+"trana.no",
+"træna.no",
+"trogstad.no",
+"trøgstad.no",
+"tvedestrand.no",
+"tydal.no",
+"tynset.no",
+"tysfjord.no",
+"divtasvuodna.no",
+"divttasvuotna.no",
+"tysnes.no",
+"tysvar.no",
+"tysvær.no",
+"tonsberg.no",
+"tønsberg.no",
+"ullensaker.no",
+"ullensvang.no",
+"ulvik.no",
+"utsira.no",
+"vadso.no",
+"vadsø.no",
+"cahcesuolo.no",
+"čáhcesuolo.no",
+"vaksdal.no",
+"valle.no",
+"vang.no",
+"vanylven.no",
+"vardo.no",
+"vardø.no",
+"varggat.no",
+"várggát.no",
+"vefsn.no",
+"vaapste.no",
+"vega.no",
+"vegarshei.no",
+"vegårshei.no",
+"vennesla.no",
+"verdal.no",
+"verran.no",
+"vestby.no",
+"vestnes.no",
+"vestre-slidre.no",
+"vestre-toten.no",
+"vestvagoy.no",
+"vestvågøy.no",
+"vevelstad.no",
+"vik.no",
+"vikna.no",
+"vindafjord.no",
+"volda.no",
+"voss.no",
+"varoy.no",
+"værøy.no",
+"vagan.no",
+"vågan.no",
+"voagat.no",
+"vagsoy.no",
+"vågsøy.no",
+"vaga.no",
+"vågå.no",
+"valer.ostfold.no",
+"våler.østfold.no",
+"valer.hedmark.no",
+"våler.hedmark.no",
+"*.np",
+"nr",
+"biz.nr",
+"info.nr",
+"gov.nr",
+"edu.nr",
+"org.nr",
+"net.nr",
+"com.nr",
+"nu",
+"nz",
+"ac.nz",
+"co.nz",
+"cri.nz",
+"geek.nz",
+"gen.nz",
+"govt.nz",
+"health.nz",
+"iwi.nz",
+"kiwi.nz",
+"maori.nz",
+"mil.nz",
+"māori.nz",
+"net.nz",
+"org.nz",
+"parliament.nz",
+"school.nz",
+"om",
+"co.om",
+"com.om",
+"edu.om",
+"gov.om",
+"med.om",
+"museum.om",
+"net.om",
+"org.om",
+"pro.om",
+"onion",
+"org",
+"pa",
+"ac.pa",
+"gob.pa",
+"com.pa",
+"org.pa",
+"sld.pa",
+"edu.pa",
+"net.pa",
+"ing.pa",
+"abo.pa",
+"med.pa",
+"nom.pa",
+"pe",
+"edu.pe",
+"gob.pe",
+"nom.pe",
+"mil.pe",
+"org.pe",
+"com.pe",
+"net.pe",
+"pf",
+"com.pf",
+"org.pf",
+"edu.pf",
+"*.pg",
+"ph",
+"com.ph",
+"net.ph",
+"org.ph",
+"gov.ph",
+"edu.ph",
+"ngo.ph",
+"mil.ph",
+"i.ph",
+"pk",
+"com.pk",
+"net.pk",
+"edu.pk",
+"org.pk",
+"fam.pk",
+"biz.pk",
+"web.pk",
+"gov.pk",
+"gob.pk",
+"gok.pk",
+"gon.pk",
+"gop.pk",
+"gos.pk",
+"info.pk",
+"pl",
+"com.pl",
+"net.pl",
+"org.pl",
+"aid.pl",
+"agro.pl",
+"atm.pl",
+"auto.pl",
+"biz.pl",
+"edu.pl",
+"gmina.pl",
+"gsm.pl",
+"info.pl",
+"mail.pl",
+"miasta.pl",
+"media.pl",
+"mil.pl",
+"nieruchomosci.pl",
+"nom.pl",
+"pc.pl",
+"powiat.pl",
+"priv.pl",
+"realestate.pl",
+"rel.pl",
+"sex.pl",
+"shop.pl",
+"sklep.pl",
+"sos.pl",
+"szkola.pl",
+"targi.pl",
+"tm.pl",
+"tourism.pl",
+"travel.pl",
+"turystyka.pl",
+"gov.pl",
+"ap.gov.pl",
+"ic.gov.pl",
+"is.gov.pl",
+"us.gov.pl",
+"kmpsp.gov.pl",
+"kppsp.gov.pl",
+"kwpsp.gov.pl",
+"psp.gov.pl",
+"wskr.gov.pl",
+"kwp.gov.pl",
+"mw.gov.pl",
+"ug.gov.pl",
+"um.gov.pl",
+"umig.gov.pl",
+"ugim.gov.pl",
+"upow.gov.pl",
+"uw.gov.pl",
+"starostwo.gov.pl",
+"pa.gov.pl",
+"po.gov.pl",
+"psse.gov.pl",
+"pup.gov.pl",
+"rzgw.gov.pl",
+"sa.gov.pl",
+"so.gov.pl",
+"sr.gov.pl",
+"wsa.gov.pl",
+"sko.gov.pl",
+"uzs.gov.pl",
+"wiih.gov.pl",
+"winb.gov.pl",
+"pinb.gov.pl",
+"wios.gov.pl",
+"witd.gov.pl",
+"wzmiuw.gov.pl",
+"piw.gov.pl",
+"wiw.gov.pl",
+"griw.gov.pl",
+"wif.gov.pl",
+"oum.gov.pl",
+"sdn.gov.pl",
+"zp.gov.pl",
+"uppo.gov.pl",
+"mup.gov.pl",
+"wuoz.gov.pl",
+"konsulat.gov.pl",
+"oirm.gov.pl",
+"augustow.pl",
+"babia-gora.pl",
+"bedzin.pl",
+"beskidy.pl",
+"bialowieza.pl",
+"bialystok.pl",
+"bielawa.pl",
+"bieszczady.pl",
+"boleslawiec.pl",
+"bydgoszcz.pl",
+"bytom.pl",
+"cieszyn.pl",
+"czeladz.pl",
+"czest.pl",
+"dlugoleka.pl",
+"elblag.pl",
+"elk.pl",
+"glogow.pl",
+"gniezno.pl",
+"gorlice.pl",
+"grajewo.pl",
+"ilawa.pl",
+"jaworzno.pl",
+"jelenia-gora.pl",
+"jgora.pl",
+"kalisz.pl",
+"kazimierz-dolny.pl",
+"karpacz.pl",
+"kartuzy.pl",
+"kaszuby.pl",
+"katowice.pl",
+"kepno.pl",
+"ketrzyn.pl",
+"klodzko.pl",
+"kobierzyce.pl",
+"kolobrzeg.pl",
+"konin.pl",
+"konskowola.pl",
+"kutno.pl",
+"lapy.pl",
+"lebork.pl",
+"legnica.pl",
+"lezajsk.pl",
+"limanowa.pl",
+"lomza.pl",
+"lowicz.pl",
+"lubin.pl",
+"lukow.pl",
+"malbork.pl",
+"malopolska.pl",
+"mazowsze.pl",
+"mazury.pl",
+"mielec.pl",
+"mielno.pl",
+"mragowo.pl",
+"naklo.pl",
+"nowaruda.pl",
+"nysa.pl",
+"olawa.pl",
+"olecko.pl",
+"olkusz.pl",
+"olsztyn.pl",
+"opoczno.pl",
+"opole.pl",
+"ostroda.pl",
+"ostroleka.pl",
+"ostrowiec.pl",
+"ostrowwlkp.pl",
+"pila.pl",
+"pisz.pl",
+"podhale.pl",
+"podlasie.pl",
+"polkowice.pl",
+"pomorze.pl",
+"pomorskie.pl",
+"prochowice.pl",
+"pruszkow.pl",
+"przeworsk.pl",
+"pulawy.pl",
+"radom.pl",
+"rawa-maz.pl",
+"rybnik.pl",
+"rzeszow.pl",
+"sanok.pl",
+"sejny.pl",
+"slask.pl",
+"slupsk.pl",
+"sosnowiec.pl",
+"stalowa-wola.pl",
+"skoczow.pl",
+"starachowice.pl",
+"stargard.pl",
+"suwalki.pl",
+"swidnica.pl",
+"swiebodzin.pl",
+"swinoujscie.pl",
+"szczecin.pl",
+"szczytno.pl",
+"tarnobrzeg.pl",
+"tgory.pl",
+"turek.pl",
+"tychy.pl",
+"ustka.pl",
+"walbrzych.pl",
+"warmia.pl",
+"warszawa.pl",
+"waw.pl",
+"wegrow.pl",
+"wielun.pl",
+"wlocl.pl",
+"wloclawek.pl",
+"wodzislaw.pl",
+"wolomin.pl",
+"wroclaw.pl",
+"zachpomor.pl",
+"zagan.pl",
+"zarow.pl",
+"zgora.pl",
+"zgorzelec.pl",
+"pm",
+"pn",
+"gov.pn",
+"co.pn",
+"org.pn",
+"edu.pn",
+"net.pn",
+"post",
+"pr",
+"com.pr",
+"net.pr",
+"org.pr",
+"gov.pr",
+"edu.pr",
+"isla.pr",
+"pro.pr",
+"biz.pr",
+"info.pr",
+"name.pr",
+"est.pr",
+"prof.pr",
+"ac.pr",
+"pro",
+"aaa.pro",
+"aca.pro",
+"acct.pro",
+"avocat.pro",
+"bar.pro",
+"cpa.pro",
+"eng.pro",
+"jur.pro",
+"law.pro",
+"med.pro",
+"recht.pro",
+"ps",
+"edu.ps",
+"gov.ps",
+"sec.ps",
+"plo.ps",
+"com.ps",
+"org.ps",
+"net.ps",
+"pt",
+"net.pt",
+"gov.pt",
+"org.pt",
+"edu.pt",
+"int.pt",
+"publ.pt",
+"com.pt",
+"nome.pt",
+"pw",
+"co.pw",
+"ne.pw",
+"or.pw",
+"ed.pw",
+"go.pw",
+"belau.pw",
+"py",
+"com.py",
+"coop.py",
+"edu.py",
+"gov.py",
+"mil.py",
+"net.py",
+"org.py",
+"qa",
+"com.qa",
+"edu.qa",
+"gov.qa",
+"mil.qa",
+"name.qa",
+"net.qa",
+"org.qa",
+"sch.qa",
+"re",
+"asso.re",
+"com.re",
+"nom.re",
+"ro",
+"arts.ro",
+"com.ro",
+"firm.ro",
+"info.ro",
+"nom.ro",
+"nt.ro",
+"org.ro",
+"rec.ro",
+"store.ro",
+"tm.ro",
+"www.ro",
+"rs",
+"ac.rs",
+"co.rs",
+"edu.rs",
+"gov.rs",
+"in.rs",
+"org.rs",
+"ru",
+"rw",
+"ac.rw",
+"co.rw",
+"coop.rw",
+"gov.rw",
+"mil.rw",
+"net.rw",
+"org.rw",
+"sa",
+"com.sa",
+"net.sa",
+"org.sa",
+"gov.sa",
+"med.sa",
+"pub.sa",
+"edu.sa",
+"sch.sa",
+"sb",
+"com.sb",
+"edu.sb",
+"gov.sb",
+"net.sb",
+"org.sb",
+"sc",
+"com.sc",
+"gov.sc",
+"net.sc",
+"org.sc",
+"edu.sc",
+"sd",
+"com.sd",
+"net.sd",
+"org.sd",
+"edu.sd",
+"med.sd",
+"tv.sd",
+"gov.sd",
+"info.sd",
+"se",
+"a.se",
+"ac.se",
+"b.se",
+"bd.se",
+"brand.se",
+"c.se",
+"d.se",
+"e.se",
+"f.se",
+"fh.se",
+"fhsk.se",
+"fhv.se",
+"g.se",
+"h.se",
+"i.se",
+"k.se",
+"komforb.se",
+"kommunalforbund.se",
+"komvux.se",
+"l.se",
+"lanbib.se",
+"m.se",
+"n.se",
+"naturbruksgymn.se",
+"o.se",
+"org.se",
+"p.se",
+"parti.se",
+"pp.se",
+"press.se",
+"r.se",
+"s.se",
+"t.se",
+"tm.se",
+"u.se",
+"w.se",
+"x.se",
+"y.se",
+"z.se",
+"sg",
+"com.sg",
+"net.sg",
+"org.sg",
+"gov.sg",
+"edu.sg",
+"per.sg",
+"sh",
+"com.sh",
+"net.sh",
+"gov.sh",
+"org.sh",
+"mil.sh",
+"si",
+"sj",
+"sk",
+"sl",
+"com.sl",
+"net.sl",
+"edu.sl",
+"gov.sl",
+"org.sl",
+"sm",
+"sn",
+"art.sn",
+"com.sn",
+"edu.sn",
+"gouv.sn",
+"org.sn",
+"perso.sn",
+"univ.sn",
+"so",
+"com.so",
+"edu.so",
+"gov.so",
+"me.so",
+"net.so",
+"org.so",
+"sr",
+"ss",
+"biz.ss",
+"com.ss",
+"edu.ss",
+"gov.ss",
+"net.ss",
+"org.ss",
+"st",
+"co.st",
+"com.st",
+"consulado.st",
+"edu.st",
+"embaixada.st",
+"gov.st",
+"mil.st",
+"net.st",
+"org.st",
+"principe.st",
+"saotome.st",
+"store.st",
+"su",
+"sv",
+"com.sv",
+"edu.sv",
+"gob.sv",
+"org.sv",
+"red.sv",
+"sx",
+"gov.sx",
+"sy",
+"edu.sy",
+"gov.sy",
+"net.sy",
+"mil.sy",
+"com.sy",
+"org.sy",
+"sz",
+"co.sz",
+"ac.sz",
+"org.sz",
+"tc",
+"td",
+"tel",
+"tf",
+"tg",
+"th",
+"ac.th",
+"co.th",
+"go.th",
+"in.th",
+"mi.th",
+"net.th",
+"or.th",
+"tj",
+"ac.tj",
+"biz.tj",
+"co.tj",
+"com.tj",
+"edu.tj",
+"go.tj",
+"gov.tj",
+"int.tj",
+"mil.tj",
+"name.tj",
+"net.tj",
+"nic.tj",
+"org.tj",
+"test.tj",
+"web.tj",
+"tk",
+"tl",
+"gov.tl",
+"tm",
+"com.tm",
+"co.tm",
+"org.tm",
+"net.tm",
+"nom.tm",
+"gov.tm",
+"mil.tm",
+"edu.tm",
+"tn",
+"com.tn",
+"ens.tn",
+"fin.tn",
+"gov.tn",
+"ind.tn",
+"intl.tn",
+"nat.tn",
+"net.tn",
+"org.tn",
+"info.tn",
+"perso.tn",
+"tourism.tn",
+"edunet.tn",
+"rnrt.tn",
+"rns.tn",
+"rnu.tn",
+"mincom.tn",
+"agrinet.tn",
+"defense.tn",
+"turen.tn",
+"to",
+"com.to",
+"gov.to",
+"net.to",
+"org.to",
+"edu.to",
+"mil.to",
+"tr",
+"av.tr",
+"bbs.tr",
+"bel.tr",
+"biz.tr",
+"com.tr",
+"dr.tr",
+"edu.tr",
+"gen.tr",
+"gov.tr",
+"info.tr",
+"mil.tr",
+"k12.tr",
+"kep.tr",
+"name.tr",
+"net.tr",
+"org.tr",
+"pol.tr",
+"tel.tr",
+"tsk.tr",
+"tv.tr",
+"web.tr",
+"nc.tr",
+"gov.nc.tr",
+"tt",
+"co.tt",
+"com.tt",
+"org.tt",
+"net.tt",
+"biz.tt",
+"info.tt",
+"pro.tt",
+"int.tt",
+"coop.tt",
+"jobs.tt",
+"mobi.tt",
+"travel.tt",
+"museum.tt",
+"aero.tt",
+"name.tt",
+"gov.tt",
+"edu.tt",
+"tv",
+"tw",
+"edu.tw",
+"gov.tw",
+"mil.tw",
+"com.tw",
+"net.tw",
+"org.tw",
+"idv.tw",
+"game.tw",
+"ebiz.tw",
+"club.tw",
+"網路.tw",
+"組織.tw",
+"商業.tw",
+"tz",
+"ac.tz",
+"co.tz",
+"go.tz",
+"hotel.tz",
+"info.tz",
+"me.tz",
+"mil.tz",
+"mobi.tz",
+"ne.tz",
+"or.tz",
+"sc.tz",
+"tv.tz",
+"ua",
+"com.ua",
+"edu.ua",
+"gov.ua",
+"in.ua",
+"net.ua",
+"org.ua",
+"cherkassy.ua",
+"cherkasy.ua",
+"chernigov.ua",
+"chernihiv.ua",
+"chernivtsi.ua",
+"chernovtsy.ua",
+"ck.ua",
+"cn.ua",
+"cr.ua",
+"crimea.ua",
+"cv.ua",
+"dn.ua",
+"dnepropetrovsk.ua",
+"dnipropetrovsk.ua",
+"dominic.ua",
+"donetsk.ua",
+"dp.ua",
+"if.ua",
+"ivano-frankivsk.ua",
+"kh.ua",
+"kharkiv.ua",
+"kharkov.ua",
+"kherson.ua",
+"khmelnitskiy.ua",
+"khmelnytskyi.ua",
+"kiev.ua",
+"kirovograd.ua",
+"km.ua",
+"kr.ua",
+"krym.ua",
+"ks.ua",
+"kv.ua",
+"kyiv.ua",
+"lg.ua",
+"lt.ua",
+"lugansk.ua",
+"lutsk.ua",
+"lv.ua",
+"lviv.ua",
+"mk.ua",
+"mykolaiv.ua",
+"nikolaev.ua",
+"od.ua",
+"odesa.ua",
+"odessa.ua",
+"pl.ua",
+"poltava.ua",
+"rivne.ua",
+"rovno.ua",
+"rv.ua",
+"sb.ua",
+"sebastopol.ua",
+"sevastopol.ua",
+"sm.ua",
+"sumy.ua",
+"te.ua",
+"ternopil.ua",
+"uz.ua",
+"uzhgorod.ua",
+"vinnica.ua",
+"vinnytsia.ua",
+"vn.ua",
+"volyn.ua",
+"yalta.ua",
+"zaporizhzhe.ua",
+"zaporizhzhia.ua",
+"zhitomir.ua",
+"zhytomyr.ua",
+"zp.ua",
+"zt.ua",
+"ug",
+"co.ug",
+"or.ug",
+"ac.ug",
+"sc.ug",
+"go.ug",
+"ne.ug",
+"com.ug",
+"org.ug",
+"uk",
+"ac.uk",
+"co.uk",
+"gov.uk",
+"ltd.uk",
+"me.uk",
+"net.uk",
+"nhs.uk",
+"org.uk",
+"plc.uk",
+"police.uk",
+"*.sch.uk",
+"us",
+"dni.us",
+"fed.us",
+"isa.us",
+"kids.us",
+"nsn.us",
+"ak.us",
+"al.us",
+"ar.us",
+"as.us",
+"az.us",
+"ca.us",
+"co.us",
+"ct.us",
+"dc.us",
+"de.us",
+"fl.us",
+"ga.us",
+"gu.us",
+"hi.us",
+"ia.us",
+"id.us",
+"il.us",
+"in.us",
+"ks.us",
+"ky.us",
+"la.us",
+"ma.us",
+"md.us",
+"me.us",
+"mi.us",
+"mn.us",
+"mo.us",
+"ms.us",
+"mt.us",
+"nc.us",
+"nd.us",
+"ne.us",
+"nh.us",
+"nj.us",
+"nm.us",
+"nv.us",
+"ny.us",
+"oh.us",
+"ok.us",
+"or.us",
+"pa.us",
+"pr.us",
+"ri.us",
+"sc.us",
+"sd.us",
+"tn.us",
+"tx.us",
+"ut.us",
+"vi.us",
+"vt.us",
+"va.us",
+"wa.us",
+"wi.us",
+"wv.us",
+"wy.us",
+"k12.ak.us",
+"k12.al.us",
+"k12.ar.us",
+"k12.as.us",
+"k12.az.us",
+"k12.ca.us",
+"k12.co.us",
+"k12.ct.us",
+"k12.dc.us",
+"k12.de.us",
+"k12.fl.us",
+"k12.ga.us",
+"k12.gu.us",
+"k12.ia.us",
+"k12.id.us",
+"k12.il.us",
+"k12.in.us",
+"k12.ks.us",
+"k12.ky.us",
+"k12.la.us",
+"k12.ma.us",
+"k12.md.us",
+"k12.me.us",
+"k12.mi.us",
+"k12.mn.us",
+"k12.mo.us",
+"k12.ms.us",
+"k12.mt.us",
+"k12.nc.us",
+"k12.ne.us",
+"k12.nh.us",
+"k12.nj.us",
+"k12.nm.us",
+"k12.nv.us",
+"k12.ny.us",
+"k12.oh.us",
+"k12.ok.us",
+"k12.or.us",
+"k12.pa.us",
+"k12.pr.us",
+"k12.ri.us",
+"k12.sc.us",
+"k12.tn.us",
+"k12.tx.us",
+"k12.ut.us",
+"k12.vi.us",
+"k12.vt.us",
+"k12.va.us",
+"k12.wa.us",
+"k12.wi.us",
+"k12.wy.us",
+"cc.ak.us",
+"cc.al.us",
+"cc.ar.us",
+"cc.as.us",
+"cc.az.us",
+"cc.ca.us",
+"cc.co.us",
+"cc.ct.us",
+"cc.dc.us",
+"cc.de.us",
+"cc.fl.us",
+"cc.ga.us",
+"cc.gu.us",
+"cc.hi.us",
+"cc.ia.us",
+"cc.id.us",
+"cc.il.us",
+"cc.in.us",
+"cc.ks.us",
+"cc.ky.us",
+"cc.la.us",
+"cc.ma.us",
+"cc.md.us",
+"cc.me.us",
+"cc.mi.us",
+"cc.mn.us",
+"cc.mo.us",
+"cc.ms.us",
+"cc.mt.us",
+"cc.nc.us",
+"cc.nd.us",
+"cc.ne.us",
+"cc.nh.us",
+"cc.nj.us",
+"cc.nm.us",
+"cc.nv.us",
+"cc.ny.us",
+"cc.oh.us",
+"cc.ok.us",
+"cc.or.us",
+"cc.pa.us",
+"cc.pr.us",
+"cc.ri.us",
+"cc.sc.us",
+"cc.sd.us",
+"cc.tn.us",
+"cc.tx.us",
+"cc.ut.us",
+"cc.vi.us",
+"cc.vt.us",
+"cc.va.us",
+"cc.wa.us",
+"cc.wi.us",
+"cc.wv.us",
+"cc.wy.us",
+"lib.ak.us",
+"lib.al.us",
+"lib.ar.us",
+"lib.as.us",
+"lib.az.us",
+"lib.ca.us",
+"lib.co.us",
+"lib.ct.us",
+"lib.dc.us",
+"lib.fl.us",
+"lib.ga.us",
+"lib.gu.us",
+"lib.hi.us",
+"lib.ia.us",
+"lib.id.us",
+"lib.il.us",
+"lib.in.us",
+"lib.ks.us",
+"lib.ky.us",
+"lib.la.us",
+"lib.ma.us",
+"lib.md.us",
+"lib.me.us",
+"lib.mi.us",
+"lib.mn.us",
+"lib.mo.us",
+"lib.ms.us",
+"lib.mt.us",
+"lib.nc.us",
+"lib.nd.us",
+"lib.ne.us",
+"lib.nh.us",
+"lib.nj.us",
+"lib.nm.us",
+"lib.nv.us",
+"lib.ny.us",
+"lib.oh.us",
+"lib.ok.us",
+"lib.or.us",
+"lib.pa.us",
+"lib.pr.us",
+"lib.ri.us",
+"lib.sc.us",
+"lib.sd.us",
+"lib.tn.us",
+"lib.tx.us",
+"lib.ut.us",
+"lib.vi.us",
+"lib.vt.us",
+"lib.va.us",
+"lib.wa.us",
+"lib.wi.us",
+"lib.wy.us",
+"pvt.k12.ma.us",
+"chtr.k12.ma.us",
+"paroch.k12.ma.us",
+"ann-arbor.mi.us",
+"cog.mi.us",
+"dst.mi.us",
+"eaton.mi.us",
+"gen.mi.us",
+"mus.mi.us",
+"tec.mi.us",
+"washtenaw.mi.us",
+"uy",
+"com.uy",
+"edu.uy",
+"gub.uy",
+"mil.uy",
+"net.uy",
+"org.uy",
+"uz",
+"co.uz",
+"com.uz",
+"net.uz",
+"org.uz",
+"va",
+"vc",
+"com.vc",
+"net.vc",
+"org.vc",
+"gov.vc",
+"mil.vc",
+"edu.vc",
+"ve",
+"arts.ve",
+"co.ve",
+"com.ve",
+"e12.ve",
+"edu.ve",
+"firm.ve",
+"gob.ve",
+"gov.ve",
+"info.ve",
+"int.ve",
+"mil.ve",
+"net.ve",
+"org.ve",
+"rec.ve",
+"store.ve",
+"tec.ve",
+"web.ve",
+"vg",
+"vi",
+"co.vi",
+"com.vi",
+"k12.vi",
+"net.vi",
+"org.vi",
+"vn",
+"com.vn",
+"net.vn",
+"org.vn",
+"edu.vn",
+"gov.vn",
+"int.vn",
+"ac.vn",
+"biz.vn",
+"info.vn",
+"name.vn",
+"pro.vn",
+"health.vn",
+"vu",
+"com.vu",
+"edu.vu",
+"net.vu",
+"org.vu",
+"wf",
+"ws",
+"com.ws",
+"net.ws",
+"org.ws",
+"gov.ws",
+"edu.ws",
+"yt",
+"امارات",
+"հայ",
+"বাংলা",
+"бг",
+"бел",
+"中国",
+"中國",
+"الجزائر",
+"مصر",
+"ею",
+"ευ",
+"موريتانيا",
+"გე",
+"ελ",
+"香港",
+"公司.香港",
+"教育.香港",
+"政府.香港",
+"個人.香港",
+"網絡.香港",
+"組織.香港",
+"ಭಾರತ",
+"ଭାରତ",
+"ভাৰত",
+"भारतम्",
+"भारोत",
+"ڀارت",
+"ഭാരതം",
+"भारत",
+"بارت",
+"بھارت",
+"భారత్",
+"ભારત",
+"ਭਾਰਤ",
+"ভারত",
+"இந்தியா",
+"ایران",
+"ايران",
+"عراق",
+"الاردن",
+"한국",
+"қаз",
+"ලංකා",
+"இலங்கை",
+"المغرب",
+"мкд",
+"мон",
+"澳門",
+"澳门",
+"مليسيا",
+"عمان",
+"پاکستان",
+"پاكستان",
+"فلسطين",
+"срб",
+"пр.срб",
+"орг.срб",
+"обр.срб",
+"од.срб",
+"упр.срб",
+"ак.срб",
+"рф",
+"قطر",
+"السعودية",
+"السعودیة",
+"السعودیۃ",
+"السعوديه",
+"سودان",
+"新加坡",
+"சிங்கப்பூர்",
+"سورية",
+"سوريا",
+"ไทย",
+"ศึกษา.ไทย",
+"ธุรกิจ.ไทย",
+"รัฐบาล.ไทย",
+"ทหาร.ไทย",
+"เน็ต.ไทย",
+"องค์กร.ไทย",
+"تونس",
+"台灣",
+"台湾",
+"臺灣",
+"укр",
+"اليمن",
+"xxx",
+"*.ye",
+"ac.za",
+"agric.za",
+"alt.za",
+"co.za",
+"edu.za",
+"gov.za",
+"grondar.za",
+"law.za",
+"mil.za",
+"net.za",
+"ngo.za",
+"nic.za",
+"nis.za",
+"nom.za",
+"org.za",
+"school.za",
+"tm.za",
+"web.za",
+"zm",
+"ac.zm",
+"biz.zm",
+"co.zm",
+"com.zm",
+"edu.zm",
+"gov.zm",
+"info.zm",
+"mil.zm",
+"net.zm",
+"org.zm",
+"sch.zm",
+"zw",
+"ac.zw",
+"co.zw",
+"gov.zw",
+"mil.zw",
+"org.zw",
+"aaa",
+"aarp",
+"abarth",
+"abb",
+"abbott",
+"abbvie",
+"abc",
+"able",
+"abogado",
+"abudhabi",
+"academy",
+"accenture",
+"accountant",
+"accountants",
+"aco",
+"actor",
+"adac",
+"ads",
+"adult",
+"aeg",
+"aetna",
+"afamilycompany",
+"afl",
+"africa",
+"agakhan",
+"agency",
+"aig",
+"aigo",
+"airbus",
+"airforce",
+"airtel",
+"akdn",
+"alfaromeo",
+"alibaba",
+"alipay",
+"allfinanz",
+"allstate",
+"ally",
+"alsace",
+"alstom",
+"amazon",
+"americanexpress",
+"americanfamily",
+"amex",
+"amfam",
+"amica",
+"amsterdam",
+"analytics",
+"android",
+"anquan",
+"anz",
+"aol",
+"apartments",
+"app",
+"apple",
+"aquarelle",
+"arab",
+"aramco",
+"archi",
+"army",
+"art",
+"arte",
+"asda",
+"associates",
+"athleta",
+"attorney",
+"auction",
+"audi",
+"audible",
+"audio",
+"auspost",
+"author",
+"auto",
+"autos",
+"avianca",
+"aws",
+"axa",
+"azure",
+"baby",
+"baidu",
+"banamex",
+"bananarepublic",
+"band",
+"bank",
+"bar",
+"barcelona",
+"barclaycard",
+"barclays",
+"barefoot",
+"bargains",
+"baseball",
+"basketball",
+"bauhaus",
+"bayern",
+"bbc",
+"bbt",
+"bbva",
+"bcg",
+"bcn",
+"beats",
+"beauty",
+"beer",
+"bentley",
+"berlin",
+"best",
+"bestbuy",
+"bet",
+"bharti",
+"bible",
+"bid",
+"bike",
+"bing",
+"bingo",
+"bio",
+"black",
+"blackfriday",
+"blockbuster",
+"blog",
+"bloomberg",
+"blue",
+"bms",
+"bmw",
+"bnpparibas",
+"boats",
+"boehringer",
+"bofa",
+"bom",
+"bond",
+"boo",
+"book",
+"booking",
+"bosch",
+"bostik",
+"boston",
+"bot",
+"boutique",
+"box",
+"bradesco",
+"bridgestone",
+"broadway",
+"broker",
+"brother",
+"brussels",
+"budapest",
+"bugatti",
+"build",
+"builders",
+"business",
+"buy",
+"buzz",
+"bzh",
+"cab",
+"cafe",
+"cal",
+"call",
+"calvinklein",
+"cam",
+"camera",
+"camp",
+"cancerresearch",
+"canon",
+"capetown",
+"capital",
+"capitalone",
+"car",
+"caravan",
+"cards",
+"care",
+"career",
+"careers",
+"cars",
+"casa",
+"case",
+"caseih",
+"cash",
+"casino",
+"catering",
+"catholic",
+"cba",
+"cbn",
+"cbre",
+"cbs",
+"ceb",
+"center",
+"ceo",
+"cern",
+"cfa",
+"cfd",
+"chanel",
+"channel",
+"charity",
+"chase",
+"chat",
+"cheap",
+"chintai",
+"christmas",
+"chrome",
+"church",
+"cipriani",
+"circle",
+"cisco",
+"citadel",
+"citi",
+"citic",
+"city",
+"cityeats",
+"claims",
+"cleaning",
+"click",
+"clinic",
+"clinique",
+"clothing",
+"cloud",
+"club",
+"clubmed",
+"coach",
+"codes",
+"coffee",
+"college",
+"cologne",
+"comcast",
+"commbank",
+"community",
+"company",
+"compare",
+"computer",
+"comsec",
+"condos",
+"construction",
+"consulting",
+"contact",
+"contractors",
+"cooking",
+"cookingchannel",
+"cool",
+"corsica",
+"country",
+"coupon",
+"coupons",
+"courses",
+"cpa",
+"credit",
+"creditcard",
+"creditunion",
+"cricket",
+"crown",
+"crs",
+"cruise",
+"cruises",
+"csc",
+"cuisinella",
+"cymru",
+"cyou",
+"dabur",
+"dad",
+"dance",
+"data",
+"date",
+"dating",
+"datsun",
+"day",
+"dclk",
+"dds",
+"deal",
+"dealer",
+"deals",
+"degree",
+"delivery",
+"dell",
+"deloitte",
+"delta",
+"democrat",
+"dental",
+"dentist",
+"desi",
+"design",
+"dev",
+"dhl",
+"diamonds",
+"diet",
+"digital",
+"direct",
+"directory",
+"discount",
+"discover",
+"dish",
+"diy",
+"dnp",
+"docs",
+"doctor",
+"dog",
+"domains",
+"dot",
+"download",
+"drive",
+"dtv",
+"dubai",
+"duck",
+"dunlop",
+"dupont",
+"durban",
+"dvag",
+"dvr",
+"earth",
+"eat",
+"eco",
+"edeka",
+"education",
+"email",
+"emerck",
+"energy",
+"engineer",
+"engineering",
+"enterprises",
+"epson",
+"equipment",
+"ericsson",
+"erni",
+"esq",
+"estate",
+"esurance",
+"etisalat",
+"eurovision",
+"eus",
+"events",
+"exchange",
+"expert",
+"exposed",
+"express",
+"extraspace",
+"fage",
+"fail",
+"fairwinds",
+"faith",
+"family",
+"fan",
+"fans",
+"farm",
+"farmers",
+"fashion",
+"fast",
+"fedex",
+"feedback",
+"ferrari",
+"ferrero",
+"fiat",
+"fidelity",
+"fido",
+"film",
+"final",
+"finance",
+"financial",
+"fire",
+"firestone",
+"firmdale",
+"fish",
+"fishing",
+"fit",
+"fitness",
+"flickr",
+"flights",
+"flir",
+"florist",
+"flowers",
+"fly",
+"foo",
+"food",
+"foodnetwork",
+"football",
+"ford",
+"forex",
+"forsale",
+"forum",
+"foundation",
+"fox",
+"free",
+"fresenius",
+"frl",
+"frogans",
+"frontdoor",
+"frontier",
+"ftr",
+"fujitsu",
+"fujixerox",
+"fun",
+"fund",
+"furniture",
+"futbol",
+"fyi",
+"gal",
+"gallery",
+"gallo",
+"gallup",
+"game",
+"games",
+"gap",
+"garden",
+"gay",
+"gbiz",
+"gdn",
+"gea",
+"gent",
+"genting",
+"george",
+"ggee",
+"gift",
+"gifts",
+"gives",
+"giving",
+"glade",
+"glass",
+"gle",
+"global",
+"globo",
+"gmail",
+"gmbh",
+"gmo",
+"gmx",
+"godaddy",
+"gold",
+"goldpoint",
+"golf",
+"goo",
+"goodyear",
+"goog",
+"google",
+"gop",
+"got",
+"grainger",
+"graphics",
+"gratis",
+"green",
+"gripe",
+"grocery",
+"group",
+"guardian",
+"gucci",
+"guge",
+"guide",
+"guitars",
+"guru",
+"hair",
+"hamburg",
+"hangout",
+"haus",
+"hbo",
+"hdfc",
+"hdfcbank",
+"health",
+"healthcare",
+"help",
+"helsinki",
+"here",
+"hermes",
+"hgtv",
+"hiphop",
+"hisamitsu",
+"hitachi",
+"hiv",
+"hkt",
+"hockey",
+"holdings",
+"holiday",
+"homedepot",
+"homegoods",
+"homes",
+"homesense",
+"honda",
+"horse",
+"hospital",
+"host",
+"hosting",
+"hot",
+"hoteles",
+"hotels",
+"hotmail",
+"house",
+"how",
+"hsbc",
+"hughes",
+"hyatt",
+"hyundai",
+"ibm",
+"icbc",
+"ice",
+"icu",
+"ieee",
+"ifm",
+"ikano",
+"imamat",
+"imdb",
+"immo",
+"immobilien",
+"inc",
+"industries",
+"infiniti",
+"ing",
+"ink",
+"institute",
+"insurance",
+"insure",
+"intel",
+"international",
+"intuit",
+"investments",
+"ipiranga",
+"irish",
+"ismaili",
+"ist",
+"istanbul",
+"itau",
+"itv",
+"iveco",
+"jaguar",
+"java",
+"jcb",
+"jcp",
+"jeep",
+"jetzt",
+"jewelry",
+"jio",
+"jll",
+"jmp",
+"jnj",
+"joburg",
+"jot",
+"joy",
+"jpmorgan",
+"jprs",
+"juegos",
+"juniper",
+"kaufen",
+"kddi",
+"kerryhotels",
+"kerrylogistics",
+"kerryproperties",
+"kfh",
+"kia",
+"kim",
+"kinder",
+"kindle",
+"kitchen",
+"kiwi",
+"koeln",
+"komatsu",
+"kosher",
+"kpmg",
+"kpn",
+"krd",
+"kred",
+"kuokgroup",
+"kyoto",
+"lacaixa",
+"lamborghini",
+"lamer",
+"lancaster",
+"lancia",
+"land",
+"landrover",
+"lanxess",
+"lasalle",
+"lat",
+"latino",
+"latrobe",
+"law",
+"lawyer",
+"lds",
+"lease",
+"leclerc",
+"lefrak",
+"legal",
+"lego",
+"lexus",
+"lgbt",
+"lidl",
+"life",
+"lifeinsurance",
+"lifestyle",
+"lighting",
+"like",
+"lilly",
+"limited",
+"limo",
+"lincoln",
+"linde",
+"link",
+"lipsy",
+"live",
+"living",
+"lixil",
+"llc",
+"llp",
+"loan",
+"loans",
+"locker",
+"locus",
+"loft",
+"lol",
+"london",
+"lotte",
+"lotto",
+"love",
+"lpl",
+"lplfinancial",
+"ltd",
+"ltda",
+"lundbeck",
+"lupin",
+"luxe",
+"luxury",
+"macys",
+"madrid",
+"maif",
+"maison",
+"makeup",
+"man",
+"management",
+"mango",
+"map",
+"market",
+"marketing",
+"markets",
+"marriott",
+"marshalls",
+"maserati",
+"mattel",
+"mba",
+"mckinsey",
+"med",
+"media",
+"meet",
+"melbourne",
+"meme",
+"memorial",
+"men",
+"menu",
+"merckmsd",
+"metlife",
+"miami",
+"microsoft",
+"mini",
+"mint",
+"mit",
+"mitsubishi",
+"mlb",
+"mls",
+"mma",
+"mobile",
+"moda",
+"moe",
+"moi",
+"mom",
+"monash",
+"money",
+"monster",
+"mormon",
+"mortgage",
+"moscow",
+"moto",
+"motorcycles",
+"mov",
+"movie",
+"msd",
+"mtn",
+"mtr",
+"mutual",
+"nab",
+"nadex",
+"nagoya",
+"nationwide",
+"natura",
+"navy",
+"nba",
+"nec",
+"netbank",
+"netflix",
+"network",
+"neustar",
+"new",
+"newholland",
+"news",
+"next",
+"nextdirect",
+"nexus",
+"nfl",
+"ngo",
+"nhk",
+"nico",
+"nike",
+"nikon",
+"ninja",
+"nissan",
+"nissay",
+"nokia",
+"northwesternmutual",
+"norton",
+"now",
+"nowruz",
+"nowtv",
+"nra",
+"nrw",
+"ntt",
+"nyc",
+"obi",
+"observer",
+"off",
+"office",
+"okinawa",
+"olayan",
+"olayangroup",
+"oldnavy",
+"ollo",
+"omega",
+"one",
+"ong",
+"onl",
+"online",
+"onyourside",
+"ooo",
+"open",
+"oracle",
+"orange",
+"organic",
+"origins",
+"osaka",
+"otsuka",
+"ott",
+"ovh",
+"page",
+"panasonic",
+"paris",
+"pars",
+"partners",
+"parts",
+"party",
+"passagens",
+"pay",
+"pccw",
+"pet",
+"pfizer",
+"pharmacy",
+"phd",
+"philips",
+"phone",
+"photo",
+"photography",
+"photos",
+"physio",
+"pics",
+"pictet",
+"pictures",
+"pid",
+"pin",
+"ping",
+"pink",
+"pioneer",
+"pizza",
+"place",
+"play",
+"playstation",
+"plumbing",
+"plus",
+"pnc",
+"pohl",
+"poker",
+"politie",
+"porn",
+"pramerica",
+"praxi",
+"press",
+"prime",
+"prod",
+"productions",
+"prof",
+"progressive",
+"promo",
+"properties",
+"property",
+"protection",
+"pru",
+"prudential",
+"pub",
+"pwc",
+"qpon",
+"quebec",
+"quest",
+"qvc",
+"racing",
+"radio",
+"raid",
+"read",
+"realestate",
+"realtor",
+"realty",
+"recipes",
+"red",
+"redstone",
+"redumbrella",
+"rehab",
+"reise",
+"reisen",
+"reit",
+"reliance",
+"ren",
+"rent",
+"rentals",
+"repair",
+"report",
+"republican",
+"rest",
+"restaurant",
+"review",
+"reviews",
+"rexroth",
+"rich",
+"richardli",
+"ricoh",
+"rightathome",
+"ril",
+"rio",
+"rip",
+"rmit",
+"rocher",
+"rocks",
+"rodeo",
+"rogers",
+"room",
+"rsvp",
+"rugby",
+"ruhr",
+"run",
+"rwe",
+"ryukyu",
+"saarland",
+"safe",
+"safety",
+"sakura",
+"sale",
+"salon",
+"samsclub",
+"samsung",
+"sandvik",
+"sandvikcoromant",
+"sanofi",
+"sap",
+"sarl",
+"sas",
+"save",
+"saxo",
+"sbi",
+"sbs",
+"sca",
+"scb",
+"schaeffler",
+"schmidt",
+"scholarships",
+"school",
+"schule",
+"schwarz",
+"science",
+"scjohnson",
+"scor",
+"scot",
+"search",
+"seat",
+"secure",
+"security",
+"seek",
+"select",
+"sener",
+"services",
+"ses",
+"seven",
+"sew",
+"sex",
+"sexy",
+"sfr",
+"shangrila",
+"sharp",
+"shaw",
+"shell",
+"shia",
+"shiksha",
+"shoes",
+"shop",
+"shopping",
+"shouji",
+"show",
+"showtime",
+"shriram",
+"silk",
+"sina",
+"singles",
+"site",
+"ski",
+"skin",
+"sky",
+"skype",
+"sling",
+"smart",
+"smile",
+"sncf",
+"soccer",
+"social",
+"softbank",
+"software",
+"sohu",
+"solar",
+"solutions",
+"song",
+"sony",
+"soy",
+"spa",
+"space",
+"sport",
+"spot",
+"spreadbetting",
+"srl",
+"stada",
+"staples",
+"star",
+"statebank",
+"statefarm",
+"stc",
+"stcgroup",
+"stockholm",
+"storage",
+"store",
+"stream",
+"studio",
+"study",
+"style",
+"sucks",
+"supplies",
+"supply",
+"support",
+"surf",
+"surgery",
+"suzuki",
+"swatch",
+"swiftcover",
+"swiss",
+"sydney",
+"symantec",
+"systems",
+"tab",
+"taipei",
+"talk",
+"taobao",
+"target",
+"tatamotors",
+"tatar",
+"tattoo",
+"tax",
+"taxi",
+"tci",
+"tdk",
+"team",
+"tech",
+"technology",
+"temasek",
+"tennis",
+"teva",
+"thd",
+"theater",
+"theatre",
+"tiaa",
+"tickets",
+"tienda",
+"tiffany",
+"tips",
+"tires",
+"tirol",
+"tjmaxx",
+"tjx",
+"tkmaxx",
+"tmall",
+"today",
+"tokyo",
+"tools",
+"top",
+"toray",
+"toshiba",
+"total",
+"tours",
+"town",
+"toyota",
+"toys",
+"trade",
+"trading",
+"training",
+"travel",
+"travelchannel",
+"travelers",
+"travelersinsurance",
+"trust",
+"trv",
+"tube",
+"tui",
+"tunes",
+"tushu",
+"tvs",
+"ubank",
+"ubs",
+"unicom",
+"university",
+"uno",
+"uol",
+"ups",
+"vacations",
+"vana",
+"vanguard",
+"vegas",
+"ventures",
+"verisign",
+"versicherung",
+"vet",
+"viajes",
+"video",
+"vig",
+"viking",
+"villas",
+"vin",
+"vip",
+"virgin",
+"visa",
+"vision",
+"viva",
+"vivo",
+"vlaanderen",
+"vodka",
+"volkswagen",
+"volvo",
+"vote",
+"voting",
+"voto",
+"voyage",
+"vuelos",
+"wales",
+"walmart",
+"walter",
+"wang",
+"wanggou",
+"watch",
+"watches",
+"weather",
+"weatherchannel",
+"webcam",
+"weber",
+"website",
+"wed",
+"wedding",
+"weibo",
+"weir",
+"whoswho",
+"wien",
+"wiki",
+"williamhill",
+"win",
+"windows",
+"wine",
+"winners",
+"wme",
+"wolterskluwer",
+"woodside",
+"work",
+"works",
+"world",
+"wow",
+"wtc",
+"wtf",
+"xbox",
+"xerox",
+"xfinity",
+"xihuan",
+"xin",
+"कॉम",
+"セール",
+"佛山",
+"慈善",
+"集团",
+"在线",
+"大众汽车",
+"点看",
+"คอม",
+"八卦",
+"موقع",
+"公益",
+"公司",
+"香格里拉",
+"网站",
+"移动",
+"我爱你",
+"москва",
+"католик",
+"онлайн",
+"сайт",
+"联通",
+"קום",
+"时尚",
+"微博",
+"淡马锡",
+"ファッション",
+"орг",
+"नेट",
+"ストア",
+"アマゾン",
+"삼성",
+"商标",
+"商店",
+"商城",
+"дети",
+"ポイント",
+"新闻",
+"工行",
+"家電",
+"كوم",
+"中文网",
+"中信",
+"娱乐",
+"谷歌",
+"電訊盈科",
+"购物",
+"クラウド",
+"通販",
+"网店",
+"संगठन",
+"餐厅",
+"网络",
+"ком",
+"亚马逊",
+"诺基亚",
+"食品",
+"飞利浦",
+"手表",
+"手机",
+"ارامكو",
+"العليان",
+"اتصالات",
+"بازار",
+"ابوظبي",
+"كاثوليك",
+"همراه",
+"닷컴",
+"政府",
+"شبكة",
+"بيتك",
+"عرب",
+"机构",
+"组织机构",
+"健康",
+"招聘",
+"рус",
+"珠宝",
+"大拿",
+"みんな",
+"グーグル",
+"世界",
+"書籍",
+"网址",
+"닷넷",
+"コム",
+"天主教",
+"游戏",
+"vermögensberater",
+"vermögensberatung",
+"企业",
+"信息",
+"嘉里大酒店",
+"嘉里",
+"广东",
+"政务",
+"xyz",
+"yachts",
+"yahoo",
+"yamaxun",
+"yandex",
+"yodobashi",
+"yoga",
+"yokohama",
+"you",
+"youtube",
+"yun",
+"zappos",
+"zara",
+"zero",
+"zip",
+"zone",
+"zuerich",
+"cc.ua",
+"inf.ua",
+"ltd.ua",
+"adobeaemcloud.com",
+"adobeaemcloud.net",
+"*.dev.adobeaemcloud.com",
+"beep.pl",
+"barsy.ca",
+"*.compute.estate",
+"*.alces.network",
+"altervista.org",
+"alwaysdata.net",
+"cloudfront.net",
+"*.compute.amazonaws.com",
+"*.compute-1.amazonaws.com",
+"*.compute.amazonaws.com.cn",
+"us-east-1.amazonaws.com",
+"cn-north-1.eb.amazonaws.com.cn",
+"cn-northwest-1.eb.amazonaws.com.cn",
+"elasticbeanstalk.com",
+"ap-northeast-1.elasticbeanstalk.com",
+"ap-northeast-2.elasticbeanstalk.com",
+"ap-northeast-3.elasticbeanstalk.com",
+"ap-south-1.elasticbeanstalk.com",
+"ap-southeast-1.elasticbeanstalk.com",
+"ap-southeast-2.elasticbeanstalk.com",
+"ca-central-1.elasticbeanstalk.com",
+"eu-central-1.elasticbeanstalk.com",
+"eu-west-1.elasticbeanstalk.com",
+"eu-west-2.elasticbeanstalk.com",
+"eu-west-3.elasticbeanstalk.com",
+"sa-east-1.elasticbeanstalk.com",
+"us-east-1.elasticbeanstalk.com",
+"us-east-2.elasticbeanstalk.com",
+"us-gov-west-1.elasticbeanstalk.com",
+"us-west-1.elasticbeanstalk.com",
+"us-west-2.elasticbeanstalk.com",
+"*.elb.amazonaws.com",
+"*.elb.amazonaws.com.cn",
+"s3.amazonaws.com",
+"s3-ap-northeast-1.amazonaws.com",
+"s3-ap-northeast-2.amazonaws.com",
+"s3-ap-south-1.amazonaws.com",
+"s3-ap-southeast-1.amazonaws.com",
+"s3-ap-southeast-2.amazonaws.com",
+"s3-ca-central-1.amazonaws.com",
+"s3-eu-central-1.amazonaws.com",
+"s3-eu-west-1.amazonaws.com",
+"s3-eu-west-2.amazonaws.com",
+"s3-eu-west-3.amazonaws.com",
+"s3-external-1.amazonaws.com",
+"s3-fips-us-gov-west-1.amazonaws.com",
+"s3-sa-east-1.amazonaws.com",
+"s3-us-gov-west-1.amazonaws.com",
+"s3-us-east-2.amazonaws.com",
+"s3-us-west-1.amazonaws.com",
+"s3-us-west-2.amazonaws.com",
+"s3.ap-northeast-2.amazonaws.com",
+"s3.ap-south-1.amazonaws.com",
+"s3.cn-north-1.amazonaws.com.cn",
+"s3.ca-central-1.amazonaws.com",
+"s3.eu-central-1.amazonaws.com",
+"s3.eu-west-2.amazonaws.com",
+"s3.eu-west-3.amazonaws.com",
+"s3.us-east-2.amazonaws.com",
+"s3.dualstack.ap-northeast-1.amazonaws.com",
+"s3.dualstack.ap-northeast-2.amazonaws.com",
+"s3.dualstack.ap-south-1.amazonaws.com",
+"s3.dualstack.ap-southeast-1.amazonaws.com",
+"s3.dualstack.ap-southeast-2.amazonaws.com",
+"s3.dualstack.ca-central-1.amazonaws.com",
+"s3.dualstack.eu-central-1.amazonaws.com",
+"s3.dualstack.eu-west-1.amazonaws.com",
+"s3.dualstack.eu-west-2.amazonaws.com",
+"s3.dualstack.eu-west-3.amazonaws.com",
+"s3.dualstack.sa-east-1.amazonaws.com",
+"s3.dualstack.us-east-1.amazonaws.com",
+"s3.dualstack.us-east-2.amazonaws.com",
+"s3-website-us-east-1.amazonaws.com",
+"s3-website-us-west-1.amazonaws.com",
+"s3-website-us-west-2.amazonaws.com",
+"s3-website-ap-northeast-1.amazonaws.com",
+"s3-website-ap-southeast-1.amazonaws.com",
+"s3-website-ap-southeast-2.amazonaws.com",
+"s3-website-eu-west-1.amazonaws.com",
+"s3-website-sa-east-1.amazonaws.com",
+"s3-website.ap-northeast-2.amazonaws.com",
+"s3-website.ap-south-1.amazonaws.com",
+"s3-website.ca-central-1.amazonaws.com",
+"s3-website.eu-central-1.amazonaws.com",
+"s3-website.eu-west-2.amazonaws.com",
+"s3-website.eu-west-3.amazonaws.com",
+"s3-website.us-east-2.amazonaws.com",
+"amsw.nl",
+"t3l3p0rt.net",
+"tele.amune.org",
+"apigee.io",
+"on-aptible.com",
+"user.aseinet.ne.jp",
+"gv.vc",
+"d.gv.vc",
+"user.party.eus",
+"pimienta.org",
+"poivron.org",
+"potager.org",
+"sweetpepper.org",
+"myasustor.com",
+"myfritz.net",
+"*.awdev.ca",
+"*.advisor.ws",
+"b-data.io",
+"backplaneapp.io",
+"balena-devices.com",
+"app.banzaicloud.io",
+"betainabox.com",
+"bnr.la",
+"blackbaudcdn.net",
+"boomla.net",
+"boxfuse.io",
+"square7.ch",
+"bplaced.com",
+"bplaced.de",
+"square7.de",
+"bplaced.net",
+"square7.net",
+"browsersafetymark.io",
+"uk0.bigv.io",
+"dh.bytemark.co.uk",
+"vm.bytemark.co.uk",
+"mycd.eu",
+"carrd.co",
+"crd.co",
+"uwu.ai",
+"ae.org",
+"ar.com",
+"br.com",
+"cn.com",
+"com.de",
+"com.se",
+"de.com",
+"eu.com",
+"gb.com",
+"gb.net",
+"hu.com",
+"hu.net",
+"jp.net",
+"jpn.com",
+"kr.com",
+"mex.com",
+"no.com",
+"qc.com",
+"ru.com",
+"sa.com",
+"se.net",
+"uk.com",
+"uk.net",
+"us.com",
+"uy.com",
+"za.bz",
+"za.com",
+"africa.com",
+"gr.com",
+"in.net",
+"us.org",
+"co.com",
+"c.la",
+"certmgr.org",
+"xenapponazure.com",
+"discourse.group",
+"discourse.team",
+"virtueeldomein.nl",
+"cleverapps.io",
+"*.lcl.dev",
+"*.stg.dev",
+"c66.me",
+"cloud66.ws",
+"cloud66.zone",
+"jdevcloud.com",
+"wpdevcloud.com",
+"cloudaccess.host",
+"freesite.host",
+"cloudaccess.net",
+"cloudcontrolled.com",
+"cloudcontrolapp.com",
+"cloudera.site",
+"trycloudflare.com",
+"workers.dev",
+"wnext.app",
+"co.ca",
+"*.otap.co",
+"co.cz",
+"c.cdn77.org",
+"cdn77-ssl.net",
+"r.cdn77.net",
+"rsc.cdn77.org",
+"ssl.origin.cdn77-secure.org",
+"cloudns.asia",
+"cloudns.biz",
+"cloudns.club",
+"cloudns.cc",
+"cloudns.eu",
+"cloudns.in",
+"cloudns.info",
+"cloudns.org",
+"cloudns.pro",
+"cloudns.pw",
+"cloudns.us",
+"cloudeity.net",
+"cnpy.gdn",
+"co.nl",
+"co.no",
+"webhosting.be",
+"hosting-cluster.nl",
+"ac.ru",
+"edu.ru",
+"gov.ru",
+"int.ru",
+"mil.ru",
+"test.ru",
+"dyn.cosidns.de",
+"dynamisches-dns.de",
+"dnsupdater.de",
+"internet-dns.de",
+"l-o-g-i-n.de",
+"dynamic-dns.info",
+"feste-ip.net",
+"knx-server.net",
+"static-access.net",
+"realm.cz",
+"*.cryptonomic.net",
+"cupcake.is",
+"*.customer-oci.com",
+"*.oci.customer-oci.com",
+"*.ocp.customer-oci.com",
+"*.ocs.customer-oci.com",
+"cyon.link",
+"cyon.site",
+"daplie.me",
+"localhost.daplie.me",
+"dattolocal.com",
+"dattorelay.com",
+"dattoweb.com",
+"mydatto.com",
+"dattolocal.net",
+"mydatto.net",
+"biz.dk",
+"co.dk",
+"firm.dk",
+"reg.dk",
+"store.dk",
+"*.dapps.earth",
+"*.bzz.dapps.earth",
+"builtwithdark.com",
+"edgestack.me",
+"debian.net",
+"dedyn.io",
+"dnshome.de",
+"online.th",
+"shop.th",
+"drayddns.com",
+"dreamhosters.com",
+"mydrobo.com",
+"drud.io",
+"drud.us",
+"duckdns.org",
+"dy.fi",
+"tunk.org",
+"dyndns-at-home.com",
+"dyndns-at-work.com",
+"dyndns-blog.com",
+"dyndns-free.com",
+"dyndns-home.com",
+"dyndns-ip.com",
+"dyndns-mail.com",
+"dyndns-office.com",
+"dyndns-pics.com",
+"dyndns-remote.com",
+"dyndns-server.com",
+"dyndns-web.com",
+"dyndns-wiki.com",
+"dyndns-work.com",
+"dyndns.biz",
+"dyndns.info",
+"dyndns.org",
+"dyndns.tv",
+"at-band-camp.net",
+"ath.cx",
+"barrel-of-knowledge.info",
+"barrell-of-knowledge.info",
+"better-than.tv",
+"blogdns.com",
+"blogdns.net",
+"blogdns.org",
+"blogsite.org",
+"boldlygoingnowhere.org",
+"broke-it.net",
+"buyshouses.net",
+"cechire.com",
+"dnsalias.com",
+"dnsalias.net",
+"dnsalias.org",
+"dnsdojo.com",
+"dnsdojo.net",
+"dnsdojo.org",
+"does-it.net",
+"doesntexist.com",
+"doesntexist.org",
+"dontexist.com",
+"dontexist.net",
+"dontexist.org",
+"doomdns.com",
+"doomdns.org",
+"dvrdns.org",
+"dyn-o-saur.com",
+"dynalias.com",
+"dynalias.net",
+"dynalias.org",
+"dynathome.net",
+"dyndns.ws",
+"endofinternet.net",
+"endofinternet.org",
+"endoftheinternet.org",
+"est-a-la-maison.com",
+"est-a-la-masion.com",
+"est-le-patron.com",
+"est-mon-blogueur.com",
+"for-better.biz",
+"for-more.biz",
+"for-our.info",
+"for-some.biz",
+"for-the.biz",
+"forgot.her.name",
+"forgot.his.name",
+"from-ak.com",
+"from-al.com",
+"from-ar.com",
+"from-az.net",
+"from-ca.com",
+"from-co.net",
+"from-ct.com",
+"from-dc.com",
+"from-de.com",
+"from-fl.com",
+"from-ga.com",
+"from-hi.com",
+"from-ia.com",
+"from-id.com",
+"from-il.com",
+"from-in.com",
+"from-ks.com",
+"from-ky.com",
+"from-la.net",
+"from-ma.com",
+"from-md.com",
+"from-me.org",
+"from-mi.com",
+"from-mn.com",
+"from-mo.com",
+"from-ms.com",
+"from-mt.com",
+"from-nc.com",
+"from-nd.com",
+"from-ne.com",
+"from-nh.com",
+"from-nj.com",
+"from-nm.com",
+"from-nv.com",
+"from-ny.net",
+"from-oh.com",
+"from-ok.com",
+"from-or.com",
+"from-pa.com",
+"from-pr.com",
+"from-ri.com",
+"from-sc.com",
+"from-sd.com",
+"from-tn.com",
+"from-tx.com",
+"from-ut.com",
+"from-va.com",
+"from-vt.com",
+"from-wa.com",
+"from-wi.com",
+"from-wv.com",
+"from-wy.com",
+"ftpaccess.cc",
+"fuettertdasnetz.de",
+"game-host.org",
+"game-server.cc",
+"getmyip.com",
+"gets-it.net",
+"go.dyndns.org",
+"gotdns.com",
+"gotdns.org",
+"groks-the.info",
+"groks-this.info",
+"ham-radio-op.net",
+"here-for-more.info",
+"hobby-site.com",
+"hobby-site.org",
+"home.dyndns.org",
+"homedns.org",
+"homeftp.net",
+"homeftp.org",
+"homeip.net",
+"homelinux.com",
+"homelinux.net",
+"homelinux.org",
+"homeunix.com",
+"homeunix.net",
+"homeunix.org",
+"iamallama.com",
+"in-the-band.net",
+"is-a-anarchist.com",
+"is-a-blogger.com",
+"is-a-bookkeeper.com",
+"is-a-bruinsfan.org",
+"is-a-bulls-fan.com",
+"is-a-candidate.org",
+"is-a-caterer.com",
+"is-a-celticsfan.org",
+"is-a-chef.com",
+"is-a-chef.net",
+"is-a-chef.org",
+"is-a-conservative.com",
+"is-a-cpa.com",
+"is-a-cubicle-slave.com",
+"is-a-democrat.com",
+"is-a-designer.com",
+"is-a-doctor.com",
+"is-a-financialadvisor.com",
+"is-a-geek.com",
+"is-a-geek.net",
+"is-a-geek.org",
+"is-a-green.com",
+"is-a-guru.com",
+"is-a-hard-worker.com",
+"is-a-hunter.com",
+"is-a-knight.org",
+"is-a-landscaper.com",
+"is-a-lawyer.com",
+"is-a-liberal.com",
+"is-a-libertarian.com",
+"is-a-linux-user.org",
+"is-a-llama.com",
+"is-a-musician.com",
+"is-a-nascarfan.com",
+"is-a-nurse.com",
+"is-a-painter.com",
+"is-a-patsfan.org",
+"is-a-personaltrainer.com",
+"is-a-photographer.com",
+"is-a-player.com",
+"is-a-republican.com",
+"is-a-rockstar.com",
+"is-a-socialist.com",
+"is-a-soxfan.org",
+"is-a-student.com",
+"is-a-teacher.com",
+"is-a-techie.com",
+"is-a-therapist.com",
+"is-an-accountant.com",
+"is-an-actor.com",
+"is-an-actress.com",
+"is-an-anarchist.com",
+"is-an-artist.com",
+"is-an-engineer.com",
+"is-an-entertainer.com",
+"is-by.us",
+"is-certified.com",
+"is-found.org",
+"is-gone.com",
+"is-into-anime.com",
+"is-into-cars.com",
+"is-into-cartoons.com",
+"is-into-games.com",
+"is-leet.com",
+"is-lost.org",
+"is-not-certified.com",
+"is-saved.org",
+"is-slick.com",
+"is-uberleet.com",
+"is-very-bad.org",
+"is-very-evil.org",
+"is-very-good.org",
+"is-very-nice.org",
+"is-very-sweet.org",
+"is-with-theband.com",
+"isa-geek.com",
+"isa-geek.net",
+"isa-geek.org",
+"isa-hockeynut.com",
+"issmarterthanyou.com",
+"isteingeek.de",
+"istmein.de",
+"kicks-ass.net",
+"kicks-ass.org",
+"knowsitall.info",
+"land-4-sale.us",
+"lebtimnetz.de",
+"leitungsen.de",
+"likes-pie.com",
+"likescandy.com",
+"merseine.nu",
+"mine.nu",
+"misconfused.org",
+"mypets.ws",
+"myphotos.cc",
+"neat-url.com",
+"office-on-the.net",
+"on-the-web.tv",
+"podzone.net",
+"podzone.org",
+"readmyblog.org",
+"saves-the-whales.com",
+"scrapper-site.net",
+"scrapping.cc",
+"selfip.biz",
+"selfip.com",
+"selfip.info",
+"selfip.net",
+"selfip.org",
+"sells-for-less.com",
+"sells-for-u.com",
+"sells-it.net",
+"sellsyourhome.org",
+"servebbs.com",
+"servebbs.net",
+"servebbs.org",
+"serveftp.net",
+"serveftp.org",
+"servegame.org",
+"shacknet.nu",
+"simple-url.com",
+"space-to-rent.com",
+"stuff-4-sale.org",
+"stuff-4-sale.us",
+"teaches-yoga.com",
+"thruhere.net",
+"traeumtgerade.de",
+"webhop.biz",
+"webhop.info",
+"webhop.net",
+"webhop.org",
+"worse-than.tv",
+"writesthisblog.com",
+"ddnss.de",
+"dyn.ddnss.de",
+"dyndns.ddnss.de",
+"dyndns1.de",
+"dyn-ip24.de",
+"home-webserver.de",
+"dyn.home-webserver.de",
+"myhome-server.de",
+"ddnss.org",
+"definima.net",
+"definima.io",
+"bci.dnstrace.pro",
+"ddnsfree.com",
+"ddnsgeek.com",
+"giize.com",
+"gleeze.com",
+"kozow.com",
+"loseyourip.com",
+"ooguy.com",
+"theworkpc.com",
+"casacam.net",
+"dynu.net",
+"accesscam.org",
+"camdvr.org",
+"freeddns.org",
+"mywire.org",
+"webredirect.org",
+"myddns.rocks",
+"blogsite.xyz",
+"dynv6.net",
+"e4.cz",
+"en-root.fr",
+"mytuleap.com",
+"onred.one",
+"staging.onred.one",
+"enonic.io",
+"customer.enonic.io",
+"eu.org",
+"al.eu.org",
+"asso.eu.org",
+"at.eu.org",
+"au.eu.org",
+"be.eu.org",
+"bg.eu.org",
+"ca.eu.org",
+"cd.eu.org",
+"ch.eu.org",
+"cn.eu.org",
+"cy.eu.org",
+"cz.eu.org",
+"de.eu.org",
+"dk.eu.org",
+"edu.eu.org",
+"ee.eu.org",
+"es.eu.org",
+"fi.eu.org",
+"fr.eu.org",
+"gr.eu.org",
+"hr.eu.org",
+"hu.eu.org",
+"ie.eu.org",
+"il.eu.org",
+"in.eu.org",
+"int.eu.org",
+"is.eu.org",
+"it.eu.org",
+"jp.eu.org",
+"kr.eu.org",
+"lt.eu.org",
+"lu.eu.org",
+"lv.eu.org",
+"mc.eu.org",
+"me.eu.org",
+"mk.eu.org",
+"mt.eu.org",
+"my.eu.org",
+"net.eu.org",
+"ng.eu.org",
+"nl.eu.org",
+"no.eu.org",
+"nz.eu.org",
+"paris.eu.org",
+"pl.eu.org",
+"pt.eu.org",
+"q-a.eu.org",
+"ro.eu.org",
+"ru.eu.org",
+"se.eu.org",
+"si.eu.org",
+"sk.eu.org",
+"tr.eu.org",
+"uk.eu.org",
+"us.eu.org",
+"eu-1.evennode.com",
+"eu-2.evennode.com",
+"eu-3.evennode.com",
+"eu-4.evennode.com",
+"us-1.evennode.com",
+"us-2.evennode.com",
+"us-3.evennode.com",
+"us-4.evennode.com",
+"twmail.cc",
+"twmail.net",
+"twmail.org",
+"mymailer.com.tw",
+"url.tw",
+"apps.fbsbx.com",
+"ru.net",
+"adygeya.ru",
+"bashkiria.ru",
+"bir.ru",
+"cbg.ru",
+"com.ru",
+"dagestan.ru",
+"grozny.ru",
+"kalmykia.ru",
+"kustanai.ru",
+"marine.ru",
+"mordovia.ru",
+"msk.ru",
+"mytis.ru",
+"nalchik.ru",
+"nov.ru",
+"pyatigorsk.ru",
+"spb.ru",
+"vladikavkaz.ru",
+"vladimir.ru",
+"abkhazia.su",
+"adygeya.su",
+"aktyubinsk.su",
+"arkhangelsk.su",
+"armenia.su",
+"ashgabad.su",
+"azerbaijan.su",
+"balashov.su",
+"bashkiria.su",
+"bryansk.su",
+"bukhara.su",
+"chimkent.su",
+"dagestan.su",
+"east-kazakhstan.su",
+"exnet.su",
+"georgia.su",
+"grozny.su",
+"ivanovo.su",
+"jambyl.su",
+"kalmykia.su",
+"kaluga.su",
+"karacol.su",
+"karaganda.su",
+"karelia.su",
+"khakassia.su",
+"krasnodar.su",
+"kurgan.su",
+"kustanai.su",
+"lenug.su",
+"mangyshlak.su",
+"mordovia.su",
+"msk.su",
+"murmansk.su",
+"nalchik.su",
+"navoi.su",
+"north-kazakhstan.su",
+"nov.su",
+"obninsk.su",
+"penza.su",
+"pokrovsk.su",
+"sochi.su",
+"spb.su",
+"tashkent.su",
+"termez.su",
+"togliatti.su",
+"troitsk.su",
+"tselinograd.su",
+"tula.su",
+"tuva.su",
+"vladikavkaz.su",
+"vladimir.su",
+"vologda.su",
+"channelsdvr.net",
+"u.channelsdvr.net",
+"fastly-terrarium.com",
+"fastlylb.net",
+"map.fastlylb.net",
+"freetls.fastly.net",
+"map.fastly.net",
+"a.prod.fastly.net",
+"global.prod.fastly.net",
+"a.ssl.fastly.net",
+"b.ssl.fastly.net",
+"global.ssl.fastly.net",
+"fastpanel.direct",
+"fastvps-server.com",
+"fhapp.xyz",
+"fedorainfracloud.org",
+"fedorapeople.org",
+"cloud.fedoraproject.org",
+"app.os.fedoraproject.org",
+"app.os.stg.fedoraproject.org",
+"mydobiss.com",
+"filegear.me",
+"filegear-au.me",
+"filegear-de.me",
+"filegear-gb.me",
+"filegear-ie.me",
+"filegear-jp.me",
+"filegear-sg.me",
+"firebaseapp.com",
+"flynnhub.com",
+"flynnhosting.net",
+"0e.vc",
+"freebox-os.com",
+"freeboxos.com",
+"fbx-os.fr",
+"fbxos.fr",
+"freebox-os.fr",
+"freeboxos.fr",
+"freedesktop.org",
+"*.futurecms.at",
+"*.ex.futurecms.at",
+"*.in.futurecms.at",
+"futurehosting.at",
+"futuremailing.at",
+"*.ex.ortsinfo.at",
+"*.kunden.ortsinfo.at",
+"*.statics.cloud",
+"service.gov.uk",
+"gehirn.ne.jp",
+"usercontent.jp",
+"gentapps.com",
+"lab.ms",
+"github.io",
+"githubusercontent.com",
+"gitlab.io",
+"glitch.me",
+"lolipop.io",
+"cloudapps.digital",
+"london.cloudapps.digital",
+"homeoffice.gov.uk",
+"ro.im",
+"shop.ro",
+"goip.de",
+"run.app",
+"a.run.app",
+"web.app",
+"*.0emm.com",
+"appspot.com",
+"*.r.appspot.com",
+"blogspot.ae",
+"blogspot.al",
+"blogspot.am",
+"blogspot.ba",
+"blogspot.be",
+"blogspot.bg",
+"blogspot.bj",
+"blogspot.ca",
+"blogspot.cf",
+"blogspot.ch",
+"blogspot.cl",
+"blogspot.co.at",
+"blogspot.co.id",
+"blogspot.co.il",
+"blogspot.co.ke",
+"blogspot.co.nz",
+"blogspot.co.uk",
+"blogspot.co.za",
+"blogspot.com",
+"blogspot.com.ar",
+"blogspot.com.au",
+"blogspot.com.br",
+"blogspot.com.by",
+"blogspot.com.co",
+"blogspot.com.cy",
+"blogspot.com.ee",
+"blogspot.com.eg",
+"blogspot.com.es",
+"blogspot.com.mt",
+"blogspot.com.ng",
+"blogspot.com.tr",
+"blogspot.com.uy",
+"blogspot.cv",
+"blogspot.cz",
+"blogspot.de",
+"blogspot.dk",
+"blogspot.fi",
+"blogspot.fr",
+"blogspot.gr",
+"blogspot.hk",
+"blogspot.hr",
+"blogspot.hu",
+"blogspot.ie",
+"blogspot.in",
+"blogspot.is",
+"blogspot.it",
+"blogspot.jp",
+"blogspot.kr",
+"blogspot.li",
+"blogspot.lt",
+"blogspot.lu",
+"blogspot.md",
+"blogspot.mk",
+"blogspot.mr",
+"blogspot.mx",
+"blogspot.my",
+"blogspot.nl",
+"blogspot.no",
+"blogspot.pe",
+"blogspot.pt",
+"blogspot.qa",
+"blogspot.re",
+"blogspot.ro",
+"blogspot.rs",
+"blogspot.ru",
+"blogspot.se",
+"blogspot.sg",
+"blogspot.si",
+"blogspot.sk",
+"blogspot.sn",
+"blogspot.td",
+"blogspot.tw",
+"blogspot.ug",
+"blogspot.vn",
+"cloudfunctions.net",
+"cloud.goog",
+"codespot.com",
+"googleapis.com",
+"googlecode.com",
+"pagespeedmobilizer.com",
+"publishproxy.com",
+"withgoogle.com",
+"withyoutube.com",
+"awsmppl.com",
+"fin.ci",
+"free.hr",
+"caa.li",
+"ua.rs",
+"conf.se",
+"hs.zone",
+"hs.run",
+"hashbang.sh",
+"hasura.app",
+"hasura-app.io",
+"hepforge.org",
+"herokuapp.com",
+"herokussl.com",
+"myravendb.com",
+"ravendb.community",
+"ravendb.me",
+"development.run",
+"ravendb.run",
+"bpl.biz",
+"orx.biz",
+"ng.city",
+"biz.gl",
+"ng.ink",
+"col.ng",
+"firm.ng",
+"gen.ng",
+"ltd.ng",
+"ngo.ng",
+"ng.school",
+"sch.so",
+"häkkinen.fi",
+"*.moonscale.io",
+"moonscale.net",
+"iki.fi",
+"dyn-berlin.de",
+"in-berlin.de",
+"in-brb.de",
+"in-butter.de",
+"in-dsl.de",
+"in-dsl.net",
+"in-dsl.org",
+"in-vpn.de",
+"in-vpn.net",
+"in-vpn.org",
+"biz.at",
+"info.at",
+"info.cx",
+"ac.leg.br",
+"al.leg.br",
+"am.leg.br",
+"ap.leg.br",
+"ba.leg.br",
+"ce.leg.br",
+"df.leg.br",
+"es.leg.br",
+"go.leg.br",
+"ma.leg.br",
+"mg.leg.br",
+"ms.leg.br",
+"mt.leg.br",
+"pa.leg.br",
+"pb.leg.br",
+"pe.leg.br",
+"pi.leg.br",
+"pr.leg.br",
+"rj.leg.br",
+"rn.leg.br",
+"ro.leg.br",
+"rr.leg.br",
+"rs.leg.br",
+"sc.leg.br",
+"se.leg.br",
+"sp.leg.br",
+"to.leg.br",
+"pixolino.com",
+"ipifony.net",
+"mein-iserv.de",
+"test-iserv.de",
+"iserv.dev",
+"iobb.net",
+"myjino.ru",
+"*.hosting.myjino.ru",
+"*.landing.myjino.ru",
+"*.spectrum.myjino.ru",
+"*.vps.myjino.ru",
+"*.triton.zone",
+"*.cns.joyent.com",
+"js.org",
+"kaas.gg",
+"khplay.nl",
+"keymachine.de",
+"kinghost.net",
+"uni5.net",
+"knightpoint.systems",
+"oya.to",
+"co.krd",
+"edu.krd",
+"git-repos.de",
+"lcube-server.de",
+"svn-repos.de",
+"leadpages.co",
+"lpages.co",
+"lpusercontent.com",
+"lelux.site",
+"co.business",
+"co.education",
+"co.events",
+"co.financial",
+"co.network",
+"co.place",
+"co.technology",
+"app.lmpm.com",
+"linkitools.space",
+"linkyard.cloud",
+"linkyard-cloud.ch",
+"members.linode.com",
+"nodebalancer.linode.com",
+"we.bs",
+"loginline.app",
+"loginline.dev",
+"loginline.io",
+"loginline.services",
+"loginline.site",
+"krasnik.pl",
+"leczna.pl",
+"lubartow.pl",
+"lublin.pl",
+"poniatowa.pl",
+"swidnik.pl",
+"uklugs.org",
+"glug.org.uk",
+"lug.org.uk",
+"lugs.org.uk",
+"barsy.bg",
+"barsy.co.uk",
+"barsyonline.co.uk",
+"barsycenter.com",
+"barsyonline.com",
+"barsy.club",
+"barsy.de",
+"barsy.eu",
+"barsy.in",
+"barsy.info",
+"barsy.io",
+"barsy.me",
+"barsy.menu",
+"barsy.mobi",
+"barsy.net",
+"barsy.online",
+"barsy.org",
+"barsy.pro",
+"barsy.pub",
+"barsy.shop",
+"barsy.site",
+"barsy.support",
+"barsy.uk",
+"*.magentosite.cloud",
+"mayfirst.info",
+"mayfirst.org",
+"hb.cldmail.ru",
+"miniserver.com",
+"memset.net",
+"cloud.metacentrum.cz",
+"custom.metacentrum.cz",
+"flt.cloud.muni.cz",
+"usr.cloud.muni.cz",
+"meteorapp.com",
+"eu.meteorapp.com",
+"co.pl",
+"azurecontainer.io",
+"azurewebsites.net",
+"azure-mobile.net",
+"cloudapp.net",
+"mozilla-iot.org",
+"bmoattachments.org",
+"net.ru",
+"org.ru",
+"pp.ru",
+"ui.nabu.casa",
+"pony.club",
+"of.fashion",
+"on.fashion",
+"of.football",
+"in.london",
+"of.london",
+"for.men",
+"and.mom",
+"for.mom",
+"for.one",
+"for.sale",
+"of.work",
+"to.work",
+"nctu.me",
+"bitballoon.com",
+"netlify.com",
+"4u.com",
+"ngrok.io",
+"nh-serv.co.uk",
+"nfshost.com",
+"dnsking.ch",
+"mypi.co",
+"n4t.co",
+"001www.com",
+"ddnslive.com",
+"myiphost.com",
+"forumz.info",
+"16-b.it",
+"32-b.it",
+"64-b.it",
+"soundcast.me",
+"tcp4.me",
+"dnsup.net",
+"hicam.net",
+"now-dns.net",
+"ownip.net",
+"vpndns.net",
+"dynserv.org",
+"now-dns.org",
+"x443.pw",
+"now-dns.top",
+"ntdll.top",
+"freeddns.us",
+"crafting.xyz",
+"zapto.xyz",
+"nsupdate.info",
+"nerdpol.ovh",
+"blogsyte.com",
+"brasilia.me",
+"cable-modem.org",
+"ciscofreak.com",
+"collegefan.org",
+"couchpotatofries.org",
+"damnserver.com",
+"ddns.me",
+"ditchyourip.com",
+"dnsfor.me",
+"dnsiskinky.com",
+"dvrcam.info",
+"dynns.com",
+"eating-organic.net",
+"fantasyleague.cc",
+"geekgalaxy.com",
+"golffan.us",
+"health-carereform.com",
+"homesecuritymac.com",
+"homesecuritypc.com",
+"hopto.me",
+"ilovecollege.info",
+"loginto.me",
+"mlbfan.org",
+"mmafan.biz",
+"myactivedirectory.com",
+"mydissent.net",
+"myeffect.net",
+"mymediapc.net",
+"mypsx.net",
+"mysecuritycamera.com",
+"mysecuritycamera.net",
+"mysecuritycamera.org",
+"net-freaks.com",
+"nflfan.org",
+"nhlfan.net",
+"no-ip.ca",
+"no-ip.co.uk",
+"no-ip.net",
+"noip.us",
+"onthewifi.com",
+"pgafan.net",
+"point2this.com",
+"pointto.us",
+"privatizehealthinsurance.net",
+"quicksytes.com",
+"read-books.org",
+"securitytactics.com",
+"serveexchange.com",
+"servehumour.com",
+"servep2p.com",
+"servesarcasm.com",
+"stufftoread.com",
+"ufcfan.org",
+"unusualperson.com",
+"workisboring.com",
+"3utilities.com",
+"bounceme.net",
+"ddns.net",
+"ddnsking.com",
+"gotdns.ch",
+"hopto.org",
+"myftp.biz",
+"myftp.org",
+"myvnc.com",
+"no-ip.biz",
+"no-ip.info",
+"no-ip.org",
+"noip.me",
+"redirectme.net",
+"servebeer.com",
+"serveblog.net",
+"servecounterstrike.com",
+"serveftp.com",
+"servegame.com",
+"servehalflife.com",
+"servehttp.com",
+"serveirc.com",
+"serveminecraft.net",
+"servemp3.com",
+"servepics.com",
+"servequake.com",
+"sytes.net",
+"webhop.me",
+"zapto.org",
+"stage.nodeart.io",
+"nodum.co",
+"nodum.io",
+"pcloud.host",
+"nyc.mn",
+"nom.ae",
+"nom.af",
+"nom.ai",
+"nom.al",
+"nym.by",
+"nom.bz",
+"nym.bz",
+"nom.cl",
+"nym.ec",
+"nom.gd",
+"nom.ge",
+"nom.gl",
+"nym.gr",
+"nom.gt",
+"nym.gy",
+"nym.hk",
+"nom.hn",
+"nym.ie",
+"nom.im",
+"nom.ke",
+"nym.kz",
+"nym.la",
+"nym.lc",
+"nom.li",
+"nym.li",
+"nym.lt",
+"nym.lu",
+"nom.lv",
+"nym.me",
+"nom.mk",
+"nym.mn",
+"nym.mx",
+"nom.nu",
+"nym.nz",
+"nym.pe",
+"nym.pt",
+"nom.pw",
+"nom.qa",
+"nym.ro",
+"nom.rs",
+"nom.si",
+"nym.sk",
+"nom.st",
+"nym.su",
+"nym.sx",
+"nom.tj",
+"nym.tw",
+"nom.ug",
+"nom.uy",
+"nom.vc",
+"nom.vg",
+"static.observableusercontent.com",
+"cya.gg",
+"cloudycluster.net",
+"nid.io",
+"opencraft.hosting",
+"operaunite.com",
+"skygearapp.com",
+"outsystemscloud.com",
+"ownprovider.com",
+"own.pm",
+"ox.rs",
+"oy.lc",
+"pgfog.com",
+"pagefrontapp.com",
+"art.pl",
+"gliwice.pl",
+"krakow.pl",
+"poznan.pl",
+"wroc.pl",
+"zakopane.pl",
+"pantheonsite.io",
+"gotpantheon.com",
+"mypep.link",
+"perspecta.cloud",
+"on-web.fr",
+"*.platform.sh",
+"*.platformsh.site",
+"dyn53.io",
+"co.bn",
+"xen.prgmr.com",
+"priv.at",
+"prvcy.page",
+"*.dweb.link",
+"protonet.io",
+"chirurgiens-dentistes-en-france.fr",
+"byen.site",
+"pubtls.org",
+"qualifioapp.com",
+"qbuser.com",
+"instantcloud.cn",
+"ras.ru",
+"qa2.com",
+"qcx.io",
+"*.sys.qcx.io",
+"dev-myqnapcloud.com",
+"alpha-myqnapcloud.com",
+"myqnapcloud.com",
+"*.quipelements.com",
+"vapor.cloud",
+"vaporcloud.io",
+"rackmaze.com",
+"rackmaze.net",
+"*.on-k3s.io",
+"*.on-rancher.cloud",
+"*.on-rio.io",
+"readthedocs.io",
+"rhcloud.com",
+"app.render.com",
+"onrender.com",
+"repl.co",
+"repl.run",
+"resindevice.io",
+"devices.resinstaging.io",
+"hzc.io",
+"wellbeingzone.eu",
+"ptplus.fit",
+"wellbeingzone.co.uk",
+"git-pages.rit.edu",
+"sandcats.io",
+"logoip.de",
+"logoip.com",
+"schokokeks.net",
+"gov.scot",
+"scrysec.com",
+"firewall-gateway.com",
+"firewall-gateway.de",
+"my-gateway.de",
+"my-router.de",
+"spdns.de",
+"spdns.eu",
+"firewall-gateway.net",
+"my-firewall.org",
+"myfirewall.org",
+"spdns.org",
+"senseering.net",
+"biz.ua",
+"co.ua",
+"pp.ua",
+"shiftedit.io",
+"myshopblocks.com",
+"shopitsite.com",
+"mo-siemens.io",
+"1kapp.com",
+"appchizi.com",
+"applinzi.com",
+"sinaapp.com",
+"vipsinaapp.com",
+"siteleaf.net",
+"bounty-full.com",
+"alpha.bounty-full.com",
+"beta.bounty-full.com",
+"stackhero-network.com",
+"static.land",
+"dev.static.land",
+"sites.static.land",
+"apps.lair.io",
+"*.stolos.io",
+"spacekit.io",
+"customer.speedpartner.de",
+"api.stdlib.com",
+"storj.farm",
+"utwente.io",
+"soc.srcf.net",
+"user.srcf.net",
+"temp-dns.com",
+"applicationcloud.io",
+"scapp.io",
+"*.s5y.io",
+"*.sensiosite.cloud",
+"syncloud.it",
+"diskstation.me",
+"dscloud.biz",
+"dscloud.me",
+"dscloud.mobi",
+"dsmynas.com",
+"dsmynas.net",
+"dsmynas.org",
+"familyds.com",
+"familyds.net",
+"familyds.org",
+"i234.me",
+"myds.me",
+"synology.me",
+"vpnplus.to",
+"direct.quickconnect.to",
+"taifun-dns.de",
+"gda.pl",
+"gdansk.pl",
+"gdynia.pl",
+"med.pl",
+"sopot.pl",
+"edugit.org",
+"telebit.app",
+"telebit.io",
+"*.telebit.xyz",
+"gwiddle.co.uk",
+"thingdustdata.com",
+"cust.dev.thingdust.io",
+"cust.disrec.thingdust.io",
+"cust.prod.thingdust.io",
+"cust.testing.thingdust.io",
+"arvo.network",
+"azimuth.network",
+"bloxcms.com",
+"townnews-staging.com",
+"12hp.at",
+"2ix.at",
+"4lima.at",
+"lima-city.at",
+"12hp.ch",
+"2ix.ch",
+"4lima.ch",
+"lima-city.ch",
+"trafficplex.cloud",
+"de.cool",
+"12hp.de",
+"2ix.de",
+"4lima.de",
+"lima-city.de",
+"1337.pictures",
+"clan.rip",
+"lima-city.rocks",
+"webspace.rocks",
+"lima.zone",
+"*.transurl.be",
+"*.transurl.eu",
+"*.transurl.nl",
+"tuxfamily.org",
+"dd-dns.de",
+"diskstation.eu",
+"diskstation.org",
+"dray-dns.de",
+"draydns.de",
+"dyn-vpn.de",
+"dynvpn.de",
+"mein-vigor.de",
+"my-vigor.de",
+"my-wan.de",
+"syno-ds.de",
+"synology-diskstation.de",
+"synology-ds.de",
+"uber.space",
+"*.uberspace.de",
+"hk.com",
+"hk.org",
+"ltd.hk",
+"inc.hk",
+"virtualuser.de",
+"virtual-user.de",
+"urown.cloud",
+"dnsupdate.info",
+"lib.de.us",
+"2038.io",
+"router.management",
+"v-info.info",
+"voorloper.cloud",
+"v.ua",
+"wafflecell.com",
+"*.webhare.dev",
+"wedeploy.io",
+"wedeploy.me",
+"wedeploy.sh",
+"remotewd.com",
+"wmflabs.org",
+"myforum.community",
+"community-pro.de",
+"diskussionsbereich.de",
+"community-pro.net",
+"meinforum.net",
+"half.host",
+"xnbay.com",
+"u2.xnbay.com",
+"u2-local.xnbay.com",
+"cistron.nl",
+"demon.nl",
+"xs4all.space",
+"yandexcloud.net",
+"storage.yandexcloud.net",
+"website.yandexcloud.net",
+"official.academy",
+"yolasite.com",
+"ybo.faith",
+"yombo.me",
+"homelink.one",
+"ybo.party",
+"ybo.review",
+"ybo.science",
+"ybo.trade",
+"nohost.me",
+"noho.st",
+"za.net",
+"za.org",
+"now.sh",
+"bss.design",
+"basicserver.io",
+"virtualserver.io",
+"enterprisecloud.nu"
+]
\ No newline at end of file
diff --git "a/\351\231\210\351\233\204\350\276\211/\350\277\231\346\230\257\344\270\200\344\270\252\345\260\217\347\210\254\350\231\253/node_modules/psl/dist/psl.js" "b/\351\231\210\351\233\204\350\276\211/\350\277\231\346\230\257\344\270\200\344\270\252\345\260\217\347\210\254\350\231\253/node_modules/psl/dist/psl.js"
new file mode 100644
index 0000000000000000000000000000000000000000..f4b9b8925bcf3a371ba18d10077c3e5a94923539
--- /dev/null
+++ "b/\351\231\210\351\233\204\350\276\211/\350\277\231\346\230\257\344\270\200\344\270\252\345\260\217\347\210\254\350\231\253/node_modules/psl/dist/psl.js"
@@ -0,0 +1,9645 @@
+(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.psl = 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= punySuffix.length) {
+ // return memo;
+ // }
+ //}
+ return rule;
+ }, null);
+};
+
+
+//
+// Error codes and messages.
+//
+exports.errorCodes = {
+ DOMAIN_TOO_SHORT: 'Domain name too short.',
+ DOMAIN_TOO_LONG: 'Domain name too long. It should be no more than 255 chars.',
+ LABEL_STARTS_WITH_DASH: 'Domain name label can not start with a dash.',
+ LABEL_ENDS_WITH_DASH: 'Domain name label can not end with a dash.',
+ LABEL_TOO_LONG: 'Domain name label should be at most 63 chars long.',
+ LABEL_TOO_SHORT: 'Domain name label should be at least 1 character long.',
+ LABEL_INVALID_CHARS: 'Domain name label can only contain alphanumeric characters or dashes.'
+};
+
+
+//
+// Validate domain name and throw if not valid.
+//
+// From wikipedia:
+//
+// Hostnames are composed of series of labels concatenated with dots, as are all
+// domain names. Each label must be between 1 and 63 characters long, and the
+// entire hostname (including the delimiting dots) has a maximum of 255 chars.
+//
+// Allowed chars:
+//
+// * `a-z`
+// * `0-9`
+// * `-` but not as a starting or ending character
+// * `.` as a separator for the textual portions of a domain name
+//
+// * http://en.wikipedia.org/wiki/Domain_name
+// * http://en.wikipedia.org/wiki/Hostname
+//
+internals.validate = function (input) {
+
+ // Before we can validate we need to take care of IDNs with unicode chars.
+ var ascii = Punycode.toASCII(input);
+
+ if (ascii.length < 1) {
+ return 'DOMAIN_TOO_SHORT';
+ }
+ if (ascii.length > 255) {
+ return 'DOMAIN_TOO_LONG';
+ }
+
+ // Check each part's length and allowed chars.
+ var labels = ascii.split('.');
+ var label;
+
+ for (var i = 0; i < labels.length; ++i) {
+ label = labels[i];
+ if (!label.length) {
+ return 'LABEL_TOO_SHORT';
+ }
+ if (label.length > 63) {
+ return 'LABEL_TOO_LONG';
+ }
+ if (label.charAt(0) === '-') {
+ return 'LABEL_STARTS_WITH_DASH';
+ }
+ if (label.charAt(label.length - 1) === '-') {
+ return 'LABEL_ENDS_WITH_DASH';
+ }
+ if (!/^[a-z0-9\-]+$/.test(label)) {
+ return 'LABEL_INVALID_CHARS';
+ }
+ }
+};
+
+
+//
+// Public API
+//
+
+
+//
+// Parse domain.
+//
+exports.parse = function (input) {
+
+ if (typeof input !== 'string') {
+ throw new TypeError('Domain name must be a string.');
+ }
+
+ // Force domain to lowercase.
+ var domain = input.slice(0).toLowerCase();
+
+ // Handle FQDN.
+ // TODO: Simply remove trailing dot?
+ if (domain.charAt(domain.length - 1) === '.') {
+ domain = domain.slice(0, domain.length - 1);
+ }
+
+ // Validate and sanitise input.
+ var error = internals.validate(domain);
+ if (error) {
+ return {
+ input: input,
+ error: {
+ message: exports.errorCodes[error],
+ code: error
+ }
+ };
+ }
+
+ var parsed = {
+ input: input,
+ tld: null,
+ sld: null,
+ domain: null,
+ subdomain: null,
+ listed: false
+ };
+
+ var domainParts = domain.split('.');
+
+ // Non-Internet TLD
+ if (domainParts[domainParts.length - 1] === 'local') {
+ return parsed;
+ }
+
+ var handlePunycode = function () {
+
+ if (!/xn--/.test(domain)) {
+ return parsed;
+ }
+ if (parsed.domain) {
+ parsed.domain = Punycode.toASCII(parsed.domain);
+ }
+ if (parsed.subdomain) {
+ parsed.subdomain = Punycode.toASCII(parsed.subdomain);
+ }
+ return parsed;
+ };
+
+ var rule = internals.findRule(domain);
+
+ // Unlisted tld.
+ if (!rule) {
+ if (domainParts.length < 2) {
+ return parsed;
+ }
+ parsed.tld = domainParts.pop();
+ parsed.sld = domainParts.pop();
+ parsed.domain = [parsed.sld, parsed.tld].join('.');
+ if (domainParts.length) {
+ parsed.subdomain = domainParts.pop();
+ }
+ return handlePunycode();
+ }
+
+ // At this point we know the public suffix is listed.
+ parsed.listed = true;
+
+ var tldParts = rule.suffix.split('.');
+ var privateParts = domainParts.slice(0, domainParts.length - tldParts.length);
+
+ if (rule.exception) {
+ privateParts.push(tldParts.shift());
+ }
+
+ parsed.tld = tldParts.join('.');
+
+ if (!privateParts.length) {
+ return handlePunycode();
+ }
+
+ if (rule.wildcard) {
+ tldParts.unshift(privateParts.pop());
+ parsed.tld = tldParts.join('.');
+ }
+
+ if (!privateParts.length) {
+ return handlePunycode();
+ }
+
+ parsed.sld = privateParts.pop();
+ parsed.domain = [parsed.sld, parsed.tld].join('.');
+
+ if (privateParts.length) {
+ parsed.subdomain = privateParts.join('.');
+ }
+
+ return handlePunycode();
+};
+
+
+//
+// Get domain.
+//
+exports.get = function (domain) {
+
+ if (!domain) {
+ return null;
+ }
+ return exports.parse(domain).domain || null;
+};
+
+
+//
+// Check whether domain belongs to a known public suffix.
+//
+exports.isValid = function (domain) {
+
+ var parsed = exports.parse(domain);
+ return Boolean(parsed.domain && parsed.listed);
+};
+
+},{"./data/rules.json":1,"punycode":3}],3:[function(require,module,exports){
+(function (global){
+/*! https://mths.be/punycode v1.4.1 by @mathias */
+;(function(root) {
+
+ /** Detect free variables */
+ var freeExports = typeof exports == 'object' && exports &&
+ !exports.nodeType && exports;
+ var freeModule = typeof module == 'object' && module &&
+ !module.nodeType && module;
+ var freeGlobal = typeof global == 'object' && global;
+ if (
+ freeGlobal.global === freeGlobal ||
+ freeGlobal.window === freeGlobal ||
+ freeGlobal.self === freeGlobal
+ ) {
+ root = freeGlobal;
+ }
+
+ /**
+ * The `punycode` object.
+ * @name punycode
+ * @type Object
+ */
+ var punycode,
+
+ /** Highest positive signed 32-bit float value */
+ maxInt = 2147483647, // aka. 0x7FFFFFFF or 2^31-1
+
+ /** Bootstring parameters */
+ base = 36,
+ tMin = 1,
+ tMax = 26,
+ skew = 38,
+ damp = 700,
+ initialBias = 72,
+ initialN = 128, // 0x80
+ delimiter = '-', // '\x2D'
+
+ /** Regular expressions */
+ regexPunycode = /^xn--/,
+ regexNonASCII = /[^\x20-\x7E]/, // unprintable ASCII chars + non-ASCII chars
+ regexSeparators = /[\x2E\u3002\uFF0E\uFF61]/g, // RFC 3490 separators
+
+ /** Error messages */
+ errors = {
+ 'overflow': 'Overflow: input needs wider integers to process',
+ 'not-basic': 'Illegal input >= 0x80 (not a basic code point)',
+ 'invalid-input': 'Invalid input'
+ },
+
+ /** Convenience shortcuts */
+ baseMinusTMin = base - tMin,
+ floor = Math.floor,
+ stringFromCharCode = String.fromCharCode,
+
+ /** Temporary variable */
+ key;
+
+ /*--------------------------------------------------------------------------*/
+
+ /**
+ * A generic error utility function.
+ * @private
+ * @param {String} type The error type.
+ * @returns {Error} Throws a `RangeError` with the applicable error message.
+ */
+ function error(type) {
+ throw new RangeError(errors[type]);
+ }
+
+ /**
+ * A generic `Array#map` utility function.
+ * @private
+ * @param {Array} array The array to iterate over.
+ * @param {Function} callback The function that gets called for every array
+ * item.
+ * @returns {Array} A new array of values returned by the callback function.
+ */
+ function map(array, fn) {
+ var length = array.length;
+ var result = [];
+ while (length--) {
+ result[length] = fn(array[length]);
+ }
+ return result;
+ }
+
+ /**
+ * A simple `Array#map`-like wrapper to work with domain name strings or email
+ * addresses.
+ * @private
+ * @param {String} domain The domain name or email address.
+ * @param {Function} callback The function that gets called for every
+ * character.
+ * @returns {Array} A new string of characters returned by the callback
+ * function.
+ */
+ function mapDomain(string, fn) {
+ var parts = string.split('@');
+ var result = '';
+ if (parts.length > 1) {
+ // In email addresses, only the domain name should be punycoded. Leave
+ // the local part (i.e. everything up to `@`) intact.
+ result = parts[0] + '@';
+ string = parts[1];
+ }
+ // Avoid `split(regex)` for IE8 compatibility. See #17.
+ string = string.replace(regexSeparators, '\x2E');
+ var labels = string.split('.');
+ var encoded = map(labels, fn).join('.');
+ return result + encoded;
+ }
+
+ /**
+ * 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.
+ * @see `punycode.ucs2.encode`
+ * @see
+ * @memberOf punycode.ucs2
+ * @name decode
+ * @param {String} string The Unicode input string (UCS-2).
+ * @returns {Array} The new array of code points.
+ */
+ function ucs2decode(string) {
+ var output = [],
+ counter = 0,
+ length = string.length,
+ value,
+ extra;
+ while (counter < length) {
+ value = string.charCodeAt(counter++);
+ if (value >= 0xD800 && value <= 0xDBFF && counter < length) {
+ // high surrogate, and there is a next character
+ extra = string.charCodeAt(counter++);
+ if ((extra & 0xFC00) == 0xDC00) { // low surrogate
+ output.push(((value & 0x3FF) << 10) + (extra & 0x3FF) + 0x10000);
+ } else {
+ // unmatched surrogate; only append this code unit, in case the next
+ // code unit is the high surrogate of a surrogate pair
+ output.push(value);
+ counter--;
+ }
+ } else {
+ output.push(value);
+ }
+ }
+ return output;
+ }
+
+ /**
+ * Creates a string based on an array of numeric code points.
+ * @see `punycode.ucs2.decode`
+ * @memberOf punycode.ucs2
+ * @name encode
+ * @param {Array} codePoints The array of numeric code points.
+ * @returns {String} The new Unicode string (UCS-2).
+ */
+ function ucs2encode(array) {
+ return map(array, function(value) {
+ var output = '';
+ if (value > 0xFFFF) {
+ value -= 0x10000;
+ output += stringFromCharCode(value >>> 10 & 0x3FF | 0xD800);
+ value = 0xDC00 | value & 0x3FF;
+ }
+ output += stringFromCharCode(value);
+ return output;
+ }).join('');
+ }
+
+ /**
+ * Converts a basic code point into a digit/integer.
+ * @see `digitToBasic()`
+ * @private
+ * @param {Number} codePoint The basic numeric code point value.
+ * @returns {Number} The numeric value of a basic code point (for use in
+ * representing integers) in the range `0` to `base - 1`, or `base` if
+ * the code point does not represent a value.
+ */
+ function basicToDigit(codePoint) {
+ if (codePoint - 48 < 10) {
+ return codePoint - 22;
+ }
+ if (codePoint - 65 < 26) {
+ return codePoint - 65;
+ }
+ if (codePoint - 97 < 26) {
+ return codePoint - 97;
+ }
+ return base;
+ }
+
+ /**
+ * Converts a digit/integer into a basic code point.
+ * @see `basicToDigit()`
+ * @private
+ * @param {Number} digit The numeric value of a basic code point.
+ * @returns {Number} The basic code point whose value (when used for
+ * representing integers) is `digit`, which needs to be in the range
+ * `0` to `base - 1`. If `flag` is non-zero, the uppercase form is
+ * used; else, the lowercase form is used. The behavior is undefined
+ * if `flag` is non-zero and `digit` has no uppercase form.
+ */
+ function digitToBasic(digit, flag) {
+ // 0..25 map to ASCII a..z or A..Z
+ // 26..35 map to ASCII 0..9
+ return digit + 22 + 75 * (digit < 26) - ((flag != 0) << 5);
+ }
+
+ /**
+ * Bias adaptation function as per section 3.4 of RFC 3492.
+ * https://tools.ietf.org/html/rfc3492#section-3.4
+ * @private
+ */
+ function adapt(delta, numPoints, firstTime) {
+ var k = 0;
+ delta = firstTime ? floor(delta / damp) : delta >> 1;
+ delta += floor(delta / numPoints);
+ for (/* no initialization */; delta > baseMinusTMin * tMax >> 1; k += base) {
+ delta = floor(delta / baseMinusTMin);
+ }
+ return floor(k + (baseMinusTMin + 1) * delta / (delta + skew));
+ }
+
+ /**
+ * Converts a Punycode string of ASCII-only symbols to a string of Unicode
+ * symbols.
+ * @memberOf punycode
+ * @param {String} input The Punycode string of ASCII-only symbols.
+ * @returns {String} The resulting string of Unicode symbols.
+ */
+ function decode(input) {
+ // Don't use UCS-2
+ var output = [],
+ inputLength = input.length,
+ out,
+ i = 0,
+ n = initialN,
+ bias = initialBias,
+ basic,
+ j,
+ index,
+ oldi,
+ w,
+ k,
+ digit,
+ t,
+ /** Cached calculation results */
+ baseMinusT;
+
+ // Handle the basic code points: let `basic` be the number of input code
+ // points before the last delimiter, or `0` if there is none, then copy
+ // the first basic code points to the output.
+
+ basic = input.lastIndexOf(delimiter);
+ if (basic < 0) {
+ basic = 0;
+ }
+
+ for (j = 0; j < basic; ++j) {
+ // if it's not a basic code point
+ if (input.charCodeAt(j) >= 0x80) {
+ error('not-basic');
+ }
+ output.push(input.charCodeAt(j));
+ }
+
+ // Main decoding loop: start just after the last delimiter if any basic code
+ // points were copied; start at the beginning otherwise.
+
+ for (index = basic > 0 ? basic + 1 : 0; index < inputLength; /* no final expression */) {
+
+ // `index` is the index of the next character to be consumed.
+ // Decode a generalized variable-length integer into `delta`,
+ // which gets added to `i`. The overflow checking is easier
+ // if we increase `i` as we go, then subtract off its starting
+ // value at the end to obtain `delta`.
+ for (oldi = i, w = 1, k = base; /* no condition */; k += base) {
+
+ if (index >= inputLength) {
+ error('invalid-input');
+ }
+
+ digit = basicToDigit(input.charCodeAt(index++));
+
+ if (digit >= base || digit > floor((maxInt - i) / w)) {
+ error('overflow');
+ }
+
+ i += digit * w;
+ t = k <= bias ? tMin : (k >= bias + tMax ? tMax : k - bias);
+
+ if (digit < t) {
+ break;
+ }
+
+ baseMinusT = base - t;
+ if (w > floor(maxInt / baseMinusT)) {
+ error('overflow');
+ }
+
+ w *= baseMinusT;
+
+ }
+
+ out = output.length + 1;
+ bias = adapt(i - oldi, out, oldi == 0);
+
+ // `i` was supposed to wrap around from `out` to `0`,
+ // incrementing `n` each time, so we'll fix that now:
+ if (floor(i / out) > maxInt - n) {
+ error('overflow');
+ }
+
+ n += floor(i / out);
+ i %= out;
+
+ // Insert `n` at position `i` of the output
+ output.splice(i++, 0, n);
+
+ }
+
+ return ucs2encode(output);
+ }
+
+ /**
+ * Converts a string of Unicode symbols (e.g. a domain name label) to a
+ * Punycode string of ASCII-only symbols.
+ * @memberOf punycode
+ * @param {String} input The string of Unicode symbols.
+ * @returns {String} The resulting Punycode string of ASCII-only symbols.
+ */
+ function encode(input) {
+ var n,
+ delta,
+ handledCPCount,
+ basicLength,
+ bias,
+ j,
+ m,
+ q,
+ k,
+ t,
+ currentValue,
+ output = [],
+ /** `inputLength` will hold the number of code points in `input`. */
+ inputLength,
+ /** Cached calculation results */
+ handledCPCountPlusOne,
+ baseMinusT,
+ qMinusT;
+
+ // Convert the input in UCS-2 to Unicode
+ input = ucs2decode(input);
+
+ // Cache the length
+ inputLength = input.length;
+
+ // Initialize the state
+ n = initialN;
+ delta = 0;
+ bias = initialBias;
+
+ // Handle the basic code points
+ for (j = 0; j < inputLength; ++j) {
+ currentValue = input[j];
+ if (currentValue < 0x80) {
+ output.push(stringFromCharCode(currentValue));
+ }
+ }
+
+ handledCPCount = basicLength = output.length;
+
+ // `handledCPCount` is the number of code points that have been handled;
+ // `basicLength` is the number of basic code points.
+
+ // Finish the basic string - if it is not empty - with a delimiter
+ if (basicLength) {
+ output.push(delimiter);
+ }
+
+ // Main encoding loop:
+ while (handledCPCount < inputLength) {
+
+ // All non-basic code points < n have been handled already. Find the next
+ // larger one:
+ for (m = maxInt, j = 0; j < inputLength; ++j) {
+ currentValue = input[j];
+ if (currentValue >= n && currentValue < m) {
+ m = currentValue;
+ }
+ }
+
+ // Increase `delta` enough to advance the decoder's state to ,
+ // but guard against overflow
+ handledCPCountPlusOne = handledCPCount + 1;
+ if (m - n > floor((maxInt - delta) / handledCPCountPlusOne)) {
+ error('overflow');
+ }
+
+ delta += (m - n) * handledCPCountPlusOne;
+ n = m;
+
+ for (j = 0; j < inputLength; ++j) {
+ currentValue = input[j];
+
+ if (currentValue < n && ++delta > maxInt) {
+ error('overflow');
+ }
+
+ if (currentValue == n) {
+ // Represent delta as a generalized variable-length integer
+ for (q = delta, k = base; /* no condition */; k += base) {
+ t = k <= bias ? tMin : (k >= bias + tMax ? tMax : k - bias);
+ if (q < t) {
+ break;
+ }
+ qMinusT = q - t;
+ baseMinusT = base - t;
+ output.push(
+ stringFromCharCode(digitToBasic(t + qMinusT % baseMinusT, 0))
+ );
+ q = floor(qMinusT / baseMinusT);
+ }
+
+ output.push(stringFromCharCode(digitToBasic(q, 0)));
+ bias = adapt(delta, handledCPCountPlusOne, handledCPCount == basicLength);
+ delta = 0;
+ ++handledCPCount;
+ }
+ }
+
+ ++delta;
+ ++n;
+
+ }
+ return output.join('');
+ }
+
+ /**
+ * Converts a Punycode string representing a domain name or an email address
+ * to Unicode. Only the Punycoded parts of the input will be converted, i.e.
+ * it doesn't matter if you call it on a string that has already been
+ * converted to Unicode.
+ * @memberOf punycode
+ * @param {String} input The Punycoded domain name or email address to
+ * convert to Unicode.
+ * @returns {String} The Unicode representation of the given Punycode
+ * string.
+ */
+ function toUnicode(input) {
+ return mapDomain(input, function(string) {
+ return regexPunycode.test(string)
+ ? decode(string.slice(4).toLowerCase())
+ : string;
+ });
+ }
+
+ /**
+ * Converts a Unicode string representing a domain name or an email address to
+ * Punycode. Only the non-ASCII parts of the domain name will be converted,
+ * i.e. it doesn't matter if you call it with a domain that's already in
+ * ASCII.
+ * @memberOf punycode
+ * @param {String} input The domain name or email address to convert, as a
+ * Unicode string.
+ * @returns {String} The Punycode representation of the given domain name or
+ * email address.
+ */
+ function toASCII(input) {
+ return mapDomain(input, function(string) {
+ return regexNonASCII.test(string)
+ ? 'xn--' + encode(string)
+ : string;
+ });
+ }
+
+ /*--------------------------------------------------------------------------*/
+
+ /** Define the public API */
+ punycode = {
+ /**
+ * A string representing the current Punycode.js version number.
+ * @memberOf punycode
+ * @type String
+ */
+ 'version': '1.4.1',
+ /**
+ * An object of methods to convert from JavaScript's internal character
+ * representation (UCS-2) to Unicode code points, and back.
+ * @see
+ * @memberOf punycode
+ * @type Object
+ */
+ 'ucs2': {
+ 'decode': ucs2decode,
+ 'encode': ucs2encode
+ },
+ 'decode': decode,
+ 'encode': encode,
+ 'toASCII': toASCII,
+ 'toUnicode': toUnicode
+ };
+
+ /** Expose `punycode` */
+ // Some AMD build optimizers, like r.js, check for specific condition patterns
+ // like the following:
+ if (
+ typeof define == 'function' &&
+ typeof define.amd == 'object' &&
+ define.amd
+ ) {
+ define('punycode', function() {
+ return punycode;
+ });
+ } else if (freeExports && freeModule) {
+ if (module.exports == freeExports) {
+ // in Node.js, io.js, or RingoJS v0.8.0+
+ freeModule.exports = punycode;
+ } else {
+ // in Narwhal or RingoJS v0.7.0-
+ for (key in punycode) {
+ punycode.hasOwnProperty(key) && (freeExports[key] = punycode[key]);
+ }
+ }
+ } else {
+ // in Rhino or a web browser
+ root.punycode = punycode;
+ }
+
+}(this));
+
+}).call(this,typeof global !== "undefined" ? global : typeof self !== "undefined" ? self : typeof window !== "undefined" ? window : {})
+},{}]},{},[2])(2)
+});
diff --git "a/\351\231\210\351\233\204\350\276\211/\350\277\231\346\230\257\344\270\200\344\270\252\345\260\217\347\210\254\350\231\253/node_modules/psl/dist/psl.min.js" "b/\351\231\210\351\233\204\350\276\211/\350\277\231\346\230\257\344\270\200\344\270\252\345\260\217\347\210\254\350\231\253/node_modules/psl/dist/psl.min.js"
new file mode 100644
index 0000000000000000000000000000000000000000..d5c787e4862e648d77a934d6228f7eadc4ceef9c
--- /dev/null
+++ "b/\351\231\210\351\233\204\350\276\211/\350\277\231\346\230\257\344\270\200\344\270\252\345\260\217\347\210\254\350\231\253/node_modules/psl/dist/psl.min.js"
@@ -0,0 +1 @@
+!function(a){if("object"==typeof exports&&"undefined"!=typeof module)module.exports=a();else if("function"==typeof define&&define.amd)define([],a);else{("undefined"!=typeof window?window:"undefined"!=typeof global?global:"undefined"!=typeof self?self:this).psl=a()}}(function(){return function s(m,t,u){function r(o,a){if(!t[o]){if(!m[o]){var i="function"==typeof require&&require;if(!a&&i)return i(o,!0);if(p)return p(o,!0);var e=new Error("Cannot find module '"+o+"'");throw e.code="MODULE_NOT_FOUND",e}var n=t[o]={exports:{}};m[o][0].call(n.exports,function(a){return r(m[o][1][a]||a)},n,n.exports,s,m,t,u)}return t[o].exports}for(var p="function"==typeof require&&require,a=0;a= 0x80 (not a basic code point)","invalid-input":"Invalid input"},c=b-y,x=Math.floor,q=String.fromCharCode;function A(a){throw new RangeError(k[a])}function l(a,o){for(var i=a.length,e=[];i--;)e[i]=o(a[i]);return e}function g(a,o){var i=a.split("@"),e="";return 1>>10&1023|55296),a=56320|1023&a),o+=q(a)}).join("")}function L(a,o){return a+22+75*(a<26)-((0!=o)<<5)}function I(a,o,i){var e=0;for(a=i?x(a/t):a>>1,a+=x(a/o);c*f>>1x((d-g)/m))&&A("overflow"),g+=u*m,!(u<(r=t<=j?y:j+f<=t?f:t-j));t+=b)m>x(d/(p=b-r))&&A("overflow"),m*=p;j=I(g-s,o=c.length+1,0==s),x(g/o)>d-h&&A("overflow"),h+=x(g/o),g%=o,c.splice(g++,0,h)}return _(c)}function j(a){var o,i,e,n,s,m,t,u,r,p,k,c,l,g,h,j=[];for(c=(a=O(a)).length,o=w,s=v,m=i=0;mx((d-i)/(l=e+1))&&A("overflow"),i+=(t-o)*l,o=t,m=0;md&&A("overflow"),k==o){for(u=i,r=b;!(u<(p=r<=s?y:s+f<=r?f:r-s));r+=b)h=u-p,g=b-p,j.push(q(L(p+h%g,0))),u=x(h/g);j.push(q(L(u,0))),s=I(i,l,e==n),i=0,++e}++i,++o}return j.join("")}if(n={version:"1.4.1",ucs2:{decode:O,encode:_},decode:h,encode:j,toASCII:function(a){return g(a,function(a){return r.test(a)?"xn--"+j(a):a})},toUnicode:function(a){return g(a,function(a){return u.test(a)?h(a.slice(4).toLowerCase()):a})}},0,o&&i)if(T.exports==o)i.exports=n;else for(s in n)n.hasOwnProperty(s)&&(o[s]=n[s]);else a.punycode=n}(this)}).call(this,"undefined"!=typeof global?global:"undefined"!=typeof self?self:"undefined"!=typeof window?window:{})},{}]},{},[2])(2)});
diff --git "a/\351\231\210\351\233\204\350\276\211/\350\277\231\346\230\257\344\270\200\344\270\252\345\260\217\347\210\254\350\231\253/node_modules/psl/index.js" "b/\351\231\210\351\233\204\350\276\211/\350\277\231\346\230\257\344\270\200\344\270\252\345\260\217\347\210\254\350\231\253/node_modules/psl/index.js"
new file mode 100644
index 0000000000000000000000000000000000000000..da7bc12136cbbe0c4b1794a31ab315b903a80a4d
--- /dev/null
+++ "b/\351\231\210\351\233\204\350\276\211/\350\277\231\346\230\257\344\270\200\344\270\252\345\260\217\347\210\254\350\231\253/node_modules/psl/index.js"
@@ -0,0 +1,269 @@
+/*eslint no-var:0, prefer-arrow-callback: 0, object-shorthand: 0 */
+'use strict';
+
+
+var Punycode = require('punycode');
+
+
+var internals = {};
+
+
+//
+// Read rules from file.
+//
+internals.rules = require('./data/rules.json').map(function (rule) {
+
+ return {
+ rule: rule,
+ suffix: rule.replace(/^(\*\.|\!)/, ''),
+ punySuffix: -1,
+ wildcard: rule.charAt(0) === '*',
+ exception: rule.charAt(0) === '!'
+ };
+});
+
+
+//
+// Check is given string ends with `suffix`.
+//
+internals.endsWith = function (str, suffix) {
+
+ return str.indexOf(suffix, str.length - suffix.length) !== -1;
+};
+
+
+//
+// Find rule for a given domain.
+//
+internals.findRule = function (domain) {
+
+ var punyDomain = Punycode.toASCII(domain);
+ return internals.rules.reduce(function (memo, rule) {
+
+ if (rule.punySuffix === -1){
+ rule.punySuffix = Punycode.toASCII(rule.suffix);
+ }
+ if (!internals.endsWith(punyDomain, '.' + rule.punySuffix) && punyDomain !== rule.punySuffix) {
+ return memo;
+ }
+ // This has been commented out as it never seems to run. This is because
+ // sub tlds always appear after their parents and we never find a shorter
+ // match.
+ //if (memo) {
+ // var memoSuffix = Punycode.toASCII(memo.suffix);
+ // if (memoSuffix.length >= punySuffix.length) {
+ // return memo;
+ // }
+ //}
+ return rule;
+ }, null);
+};
+
+
+//
+// Error codes and messages.
+//
+exports.errorCodes = {
+ DOMAIN_TOO_SHORT: 'Domain name too short.',
+ DOMAIN_TOO_LONG: 'Domain name too long. It should be no more than 255 chars.',
+ LABEL_STARTS_WITH_DASH: 'Domain name label can not start with a dash.',
+ LABEL_ENDS_WITH_DASH: 'Domain name label can not end with a dash.',
+ LABEL_TOO_LONG: 'Domain name label should be at most 63 chars long.',
+ LABEL_TOO_SHORT: 'Domain name label should be at least 1 character long.',
+ LABEL_INVALID_CHARS: 'Domain name label can only contain alphanumeric characters or dashes.'
+};
+
+
+//
+// Validate domain name and throw if not valid.
+//
+// From wikipedia:
+//
+// Hostnames are composed of series of labels concatenated with dots, as are all
+// domain names. Each label must be between 1 and 63 characters long, and the
+// entire hostname (including the delimiting dots) has a maximum of 255 chars.
+//
+// Allowed chars:
+//
+// * `a-z`
+// * `0-9`
+// * `-` but not as a starting or ending character
+// * `.` as a separator for the textual portions of a domain name
+//
+// * http://en.wikipedia.org/wiki/Domain_name
+// * http://en.wikipedia.org/wiki/Hostname
+//
+internals.validate = function (input) {
+
+ // Before we can validate we need to take care of IDNs with unicode chars.
+ var ascii = Punycode.toASCII(input);
+
+ if (ascii.length < 1) {
+ return 'DOMAIN_TOO_SHORT';
+ }
+ if (ascii.length > 255) {
+ return 'DOMAIN_TOO_LONG';
+ }
+
+ // Check each part's length and allowed chars.
+ var labels = ascii.split('.');
+ var label;
+
+ for (var i = 0; i < labels.length; ++i) {
+ label = labels[i];
+ if (!label.length) {
+ return 'LABEL_TOO_SHORT';
+ }
+ if (label.length > 63) {
+ return 'LABEL_TOO_LONG';
+ }
+ if (label.charAt(0) === '-') {
+ return 'LABEL_STARTS_WITH_DASH';
+ }
+ if (label.charAt(label.length - 1) === '-') {
+ return 'LABEL_ENDS_WITH_DASH';
+ }
+ if (!/^[a-z0-9\-]+$/.test(label)) {
+ return 'LABEL_INVALID_CHARS';
+ }
+ }
+};
+
+
+//
+// Public API
+//
+
+
+//
+// Parse domain.
+//
+exports.parse = function (input) {
+
+ if (typeof input !== 'string') {
+ throw new TypeError('Domain name must be a string.');
+ }
+
+ // Force domain to lowercase.
+ var domain = input.slice(0).toLowerCase();
+
+ // Handle FQDN.
+ // TODO: Simply remove trailing dot?
+ if (domain.charAt(domain.length - 1) === '.') {
+ domain = domain.slice(0, domain.length - 1);
+ }
+
+ // Validate and sanitise input.
+ var error = internals.validate(domain);
+ if (error) {
+ return {
+ input: input,
+ error: {
+ message: exports.errorCodes[error],
+ code: error
+ }
+ };
+ }
+
+ var parsed = {
+ input: input,
+ tld: null,
+ sld: null,
+ domain: null,
+ subdomain: null,
+ listed: false
+ };
+
+ var domainParts = domain.split('.');
+
+ // Non-Internet TLD
+ if (domainParts[domainParts.length - 1] === 'local') {
+ return parsed;
+ }
+
+ var handlePunycode = function () {
+
+ if (!/xn--/.test(domain)) {
+ return parsed;
+ }
+ if (parsed.domain) {
+ parsed.domain = Punycode.toASCII(parsed.domain);
+ }
+ if (parsed.subdomain) {
+ parsed.subdomain = Punycode.toASCII(parsed.subdomain);
+ }
+ return parsed;
+ };
+
+ var rule = internals.findRule(domain);
+
+ // Unlisted tld.
+ if (!rule) {
+ if (domainParts.length < 2) {
+ return parsed;
+ }
+ parsed.tld = domainParts.pop();
+ parsed.sld = domainParts.pop();
+ parsed.domain = [parsed.sld, parsed.tld].join('.');
+ if (domainParts.length) {
+ parsed.subdomain = domainParts.pop();
+ }
+ return handlePunycode();
+ }
+
+ // At this point we know the public suffix is listed.
+ parsed.listed = true;
+
+ var tldParts = rule.suffix.split('.');
+ var privateParts = domainParts.slice(0, domainParts.length - tldParts.length);
+
+ if (rule.exception) {
+ privateParts.push(tldParts.shift());
+ }
+
+ parsed.tld = tldParts.join('.');
+
+ if (!privateParts.length) {
+ return handlePunycode();
+ }
+
+ if (rule.wildcard) {
+ tldParts.unshift(privateParts.pop());
+ parsed.tld = tldParts.join('.');
+ }
+
+ if (!privateParts.length) {
+ return handlePunycode();
+ }
+
+ parsed.sld = privateParts.pop();
+ parsed.domain = [parsed.sld, parsed.tld].join('.');
+
+ if (privateParts.length) {
+ parsed.subdomain = privateParts.join('.');
+ }
+
+ return handlePunycode();
+};
+
+
+//
+// Get domain.
+//
+exports.get = function (domain) {
+
+ if (!domain) {
+ return null;
+ }
+ return exports.parse(domain).domain || null;
+};
+
+
+//
+// Check whether domain belongs to a known public suffix.
+//
+exports.isValid = function (domain) {
+
+ var parsed = exports.parse(domain);
+ return Boolean(parsed.domain && parsed.listed);
+};
diff --git "a/\351\231\210\351\233\204\350\276\211/\350\277\231\346\230\257\344\270\200\344\270\252\345\260\217\347\210\254\350\231\253/node_modules/psl/package.json" "b/\351\231\210\351\233\204\350\276\211/\350\277\231\346\230\257\344\270\200\344\270\252\345\260\217\347\210\254\350\231\253/node_modules/psl/package.json"
new file mode 100644
index 0000000000000000000000000000000000000000..f23632b3d31caf83407cdd0d0c86ed7634e86113
--- /dev/null
+++ "b/\351\231\210\351\233\204\350\276\211/\350\277\231\346\230\257\344\270\200\344\270\252\345\260\217\347\210\254\350\231\253/node_modules/psl/package.json"
@@ -0,0 +1,77 @@
+{
+ "_from": "psl@^1.1.28",
+ "_id": "psl@1.8.0",
+ "_inBundle": false,
+ "_integrity": "sha512-RIdOzyoavK+hA18OGGWDqUTsCLhtA7IcZ/6NCs4fFJaHBDab+pDDmDIByWFRQJq2Cd7r1OoQxBGKOaztq+hjIQ==",
+ "_location": "/psl",
+ "_phantomChildren": {},
+ "_requested": {
+ "type": "range",
+ "registry": true,
+ "raw": "psl@^1.1.28",
+ "name": "psl",
+ "escapedName": "psl",
+ "rawSpec": "^1.1.28",
+ "saveSpec": null,
+ "fetchSpec": "^1.1.28"
+ },
+ "_requiredBy": [
+ "/tough-cookie"
+ ],
+ "_resolved": "https://registry.npmjs.org/psl/-/psl-1.8.0.tgz",
+ "_shasum": "9326f8bcfb013adcc005fdff056acce020e51c24",
+ "_spec": "psl@^1.1.28",
+ "_where": "C:\\Users\\Administrator\\Desktop\\这是一个小爬虫\\node_modules\\tough-cookie",
+ "author": {
+ "name": "Lupo Montero",
+ "email": "lupomontero@gmail.com",
+ "url": "https://lupomontero.com/"
+ },
+ "bugs": {
+ "url": "https://github.com/lupomontero/psl/issues"
+ },
+ "bundleDependencies": false,
+ "deprecated": false,
+ "description": "Domain name parser based on the Public Suffix List",
+ "devDependencies": {
+ "JSONStream": "^1.3.5",
+ "browserify": "^16.5.0",
+ "commit-and-pr": "^1.0.4",
+ "eslint": "^6.8.0",
+ "eslint-config-hapi": "^12.0.0",
+ "eslint-plugin-hapi": "^4.1.0",
+ "karma": "^4.4.1",
+ "karma-browserify": "^7.0.0",
+ "karma-mocha": "^1.3.0",
+ "karma-mocha-reporter": "^2.2.5",
+ "karma-phantomjs-launcher": "^1.0.4",
+ "mocha": "^7.1.1",
+ "phantomjs-prebuilt": "^2.1.16",
+ "request": "^2.88.2",
+ "uglify-js": "^3.8.0",
+ "watchify": "^3.11.1"
+ },
+ "homepage": "https://github.com/lupomontero/psl#readme",
+ "keywords": [
+ "publicsuffix",
+ "publicsuffixlist"
+ ],
+ "license": "MIT",
+ "main": "index.js",
+ "name": "psl",
+ "repository": {
+ "type": "git",
+ "url": "git+ssh://git@github.com/lupomontero/psl.git"
+ },
+ "scripts": {
+ "build": "browserify ./index.js --standalone=psl > ./dist/psl.js",
+ "changelog": "git log $(git describe --tags --abbrev=0)..HEAD --oneline --format=\"%h %s (%an <%ae>)\"",
+ "commit-and-pr": "commit-and-pr",
+ "postbuild": "cat ./dist/psl.js | uglifyjs -c -m > ./dist/psl.min.js",
+ "prebuild": "./scripts/update-rules.js",
+ "pretest": "eslint .",
+ "test": "mocha test && karma start ./karma.conf.js --single-run",
+ "watch": "mocha test --watch"
+ },
+ "version": "1.8.0"
+}
diff --git "a/\351\231\210\351\233\204\350\276\211/\350\277\231\346\230\257\344\270\200\344\270\252\345\260\217\347\210\254\350\231\253/node_modules/punycode/LICENSE-MIT.txt" "b/\351\231\210\351\233\204\350\276\211/\350\277\231\346\230\257\344\270\200\344\270\252\345\260\217\347\210\254\350\231\253/node_modules/punycode/LICENSE-MIT.txt"
new file mode 100644
index 0000000000000000000000000000000000000000..a41e0a7ef970ecdd83d82cd99bda97b22077bc62
--- /dev/null
+++ "b/\351\231\210\351\233\204\350\276\211/\350\277\231\346\230\257\344\270\200\344\270\252\345\260\217\347\210\254\350\231\253/node_modules/punycode/LICENSE-MIT.txt"
@@ -0,0 +1,20 @@
+Copyright Mathias Bynens
+
+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/\351\231\210\351\233\204\350\276\211/\350\277\231\346\230\257\344\270\200\344\270\252\345\260\217\347\210\254\350\231\253/node_modules/punycode/README.md" "b/\351\231\210\351\233\204\350\276\211/\350\277\231\346\230\257\344\270\200\344\270\252\345\260\217\347\210\254\350\231\253/node_modules/punycode/README.md"
new file mode 100644
index 0000000000000000000000000000000000000000..ee2f9d63320c0de82d8e13ec95dc35338391b02a
--- /dev/null
+++ "b/\351\231\210\351\233\204\350\276\211/\350\277\231\346\230\257\344\270\200\344\270\252\345\260\217\347\210\254\350\231\253/node_modules/punycode/README.md"
@@ -0,0 +1,122 @@
+# Punycode.js [](https://travis-ci.org/bestiejs/punycode.js) [](https://codecov.io/gh/bestiejs/punycode.js) [](https://gemnasium.com/bestiejs/punycode.js)
+
+Punycode.js is a robust Punycode converter that fully complies to [RFC 3492](https://tools.ietf.org/html/rfc3492) and [RFC 5891](https://tools.ietf.org/html/rfc5891).
+
+This JavaScript library is the result of comparing, optimizing and documenting different open-source implementations of the Punycode algorithm:
+
+* [The C example code from RFC 3492](https://tools.ietf.org/html/rfc3492#appendix-C)
+* [`punycode.c` by _Markus W. Scherer_ (IBM)](http://opensource.apple.com/source/ICU/ICU-400.42/icuSources/common/punycode.c)
+* [`punycode.c` by _Ben Noordhuis_](https://github.com/bnoordhuis/punycode/blob/master/punycode.c)
+* [JavaScript implementation by _some_](http://stackoverflow.com/questions/183485/can-anyone-recommend-a-good-free-javascript-for-punycode-to-unicode-conversion/301287#301287)
+* [`punycode.js` by _Ben Noordhuis_](https://github.com/joyent/node/blob/426298c8c1c0d5b5224ac3658c41e7c2a3fe9377/lib/punycode.js) (note: [not fully compliant](https://github.com/joyent/node/issues/2072))
+
+This project was [bundled](https://github.com/joyent/node/blob/master/lib/punycode.js) with Node.js from [v0.6.2+](https://github.com/joyent/node/compare/975f1930b1...61e796decc) until [v7](https://github.com/nodejs/node/pull/7941) (soft-deprecated).
+
+The current version supports recent versions of Node.js only. It provides a CommonJS module and an ES6 module. For the old version that offers the same functionality with broader support, including Rhino, Ringo, Narwhal, and web browsers, see [v1.4.1](https://github.com/bestiejs/punycode.js/releases/tag/v1.4.1).
+
+## Installation
+
+Via [npm](https://www.npmjs.com/):
+
+```bash
+npm install punycode --save
+```
+
+In [Node.js](https://nodejs.org/):
+
+```js
+const punycode = require('punycode');
+```
+
+## API
+
+### `punycode.decode(string)`
+
+Converts a Punycode string of ASCII symbols to a string of Unicode symbols.
+
+```js
+// decode domain name parts
+punycode.decode('maana-pta'); // 'mañana'
+punycode.decode('--dqo34k'); // '☃-⌘'
+```
+
+### `punycode.encode(string)`
+
+Converts a string of Unicode symbols to a Punycode string of ASCII symbols.
+
+```js
+// encode domain name parts
+punycode.encode('mañana'); // 'maana-pta'
+punycode.encode('☃-⌘'); // '--dqo34k'
+```
+
+### `punycode.toUnicode(input)`
+
+Converts a Punycode string representing a domain name or an email address to Unicode. Only the Punycoded parts of the input will be converted, i.e. it doesn’t matter if you call it on a string that has already been converted to Unicode.
+
+```js
+// decode domain names
+punycode.toUnicode('xn--maana-pta.com');
+// → 'mañana.com'
+punycode.toUnicode('xn----dqo34k.com');
+// → '☃-⌘.com'
+
+// decode email addresses
+punycode.toUnicode('джумла@xn--p-8sbkgc5ag7bhce.xn--ba-lmcq');
+// → 'джумла@джpумлатест.bрфa'
+```
+
+### `punycode.toASCII(input)`
+
+Converts a lowercased Unicode string representing a domain name or an email address to Punycode. Only the non-ASCII parts of the input will be converted, i.e. it doesn’t matter if you call it with a domain that’s already in ASCII.
+
+```js
+// encode domain names
+punycode.toASCII('mañana.com');
+// → 'xn--maana-pta.com'
+punycode.toASCII('☃-⌘.com');
+// → 'xn----dqo34k.com'
+
+// encode email addresses
+punycode.toASCII('джумла@джpумлатест.bрфa');
+// → 'джумла@xn--p-8sbkgc5ag7bhce.xn--ba-lmcq'
+```
+
+### `punycode.ucs2`
+
+#### `punycode.ucs2.decode(string)`
+
+Creates an array containing the numeric code point values of each Unicode symbol in the string. While [JavaScript uses UCS-2 internally](https://mathiasbynens.be/notes/javascript-encoding), 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.
+
+```js
+punycode.ucs2.decode('abc');
+// → [0x61, 0x62, 0x63]
+// surrogate pair for U+1D306 TETRAGRAM FOR CENTRE:
+punycode.ucs2.decode('\uD834\uDF06');
+// → [0x1D306]
+```
+
+#### `punycode.ucs2.encode(codePoints)`
+
+Creates a string based on an array of numeric code point values.
+
+```js
+punycode.ucs2.encode([0x61, 0x62, 0x63]);
+// → 'abc'
+punycode.ucs2.encode([0x1D306]);
+// → '\uD834\uDF06'
+```
+
+### `punycode.version`
+
+A string representing the current Punycode.js version number.
+
+## Author
+
+| [](https://twitter.com/mathias "Follow @mathias on Twitter") |
+|---|
+| [Mathias Bynens](https://mathiasbynens.be/) |
+
+## License
+
+Punycode.js is available under the [MIT](https://mths.be/mit) license.
diff --git "a/\351\231\210\351\233\204\350\276\211/\350\277\231\346\230\257\344\270\200\344\270\252\345\260\217\347\210\254\350\231\253/node_modules/punycode/package.json" "b/\351\231\210\351\233\204\350\276\211/\350\277\231\346\230\257\344\270\200\344\270\252\345\260\217\347\210\254\350\231\253/node_modules/punycode/package.json"
new file mode 100644
index 0000000000000000000000000000000000000000..a10e8472f7dd10d3a3b15002257fc2564dc8c76f
--- /dev/null
+++ "b/\351\231\210\351\233\204\350\276\211/\350\277\231\346\230\257\344\270\200\344\270\252\345\260\217\347\210\254\350\231\253/node_modules/punycode/package.json"
@@ -0,0 +1,86 @@
+{
+ "_from": "punycode@^2.1.0",
+ "_id": "punycode@2.1.1",
+ "_inBundle": false,
+ "_integrity": "sha512-XRsRjdf+j5ml+y/6GKHPZbrF/8p2Yga0JPtdqTIY2Xe5ohJPD9saDJJLPvp9+NSBprVvevdXZybnj2cv8OEd0A==",
+ "_location": "/punycode",
+ "_phantomChildren": {},
+ "_requested": {
+ "type": "range",
+ "registry": true,
+ "raw": "punycode@^2.1.0",
+ "name": "punycode",
+ "escapedName": "punycode",
+ "rawSpec": "^2.1.0",
+ "saveSpec": null,
+ "fetchSpec": "^2.1.0"
+ },
+ "_requiredBy": [
+ "/tough-cookie",
+ "/uri-js"
+ ],
+ "_resolved": "https://registry.npmjs.org/punycode/-/punycode-2.1.1.tgz",
+ "_shasum": "b58b010ac40c22c5657616c8d2c2c02c7bf479ec",
+ "_spec": "punycode@^2.1.0",
+ "_where": "C:\\Users\\Administrator\\Desktop\\这是一个小爬虫\\node_modules\\uri-js",
+ "author": {
+ "name": "Mathias Bynens",
+ "url": "https://mathiasbynens.be/"
+ },
+ "bugs": {
+ "url": "https://github.com/bestiejs/punycode.js/issues"
+ },
+ "bundleDependencies": false,
+ "contributors": [
+ {
+ "name": "Mathias Bynens",
+ "url": "https://mathiasbynens.be/"
+ }
+ ],
+ "deprecated": false,
+ "description": "A robust Punycode converter that fully complies to RFC 3492 and RFC 5891, and works on nearly all JavaScript platforms.",
+ "devDependencies": {
+ "codecov": "^1.0.1",
+ "istanbul": "^0.4.1",
+ "mocha": "^2.5.3"
+ },
+ "engines": {
+ "node": ">=6"
+ },
+ "files": [
+ "LICENSE-MIT.txt",
+ "punycode.js",
+ "punycode.es6.js"
+ ],
+ "homepage": "https://mths.be/punycode",
+ "jsnext:main": "punycode.es6.js",
+ "jspm": {
+ "map": {
+ "./punycode.js": {
+ "node": "@node/punycode"
+ }
+ }
+ },
+ "keywords": [
+ "punycode",
+ "unicode",
+ "idn",
+ "idna",
+ "dns",
+ "url",
+ "domain"
+ ],
+ "license": "MIT",
+ "main": "punycode.js",
+ "module": "punycode.es6.js",
+ "name": "punycode",
+ "repository": {
+ "type": "git",
+ "url": "git+https://github.com/bestiejs/punycode.js.git"
+ },
+ "scripts": {
+ "prepublish": "node scripts/prepublish.js",
+ "test": "mocha tests"
+ },
+ "version": "2.1.1"
+}
diff --git "a/\351\231\210\351\233\204\350\276\211/\350\277\231\346\230\257\344\270\200\344\270\252\345\260\217\347\210\254\350\231\253/node_modules/punycode/punycode.es6.js" "b/\351\231\210\351\233\204\350\276\211/\350\277\231\346\230\257\344\270\200\344\270\252\345\260\217\347\210\254\350\231\253/node_modules/punycode/punycode.es6.js"
new file mode 100644
index 0000000000000000000000000000000000000000..4610bc9ebf2974804326afe9f0d9fd98d428574a
--- /dev/null
+++ "b/\351\231\210\351\233\204\350\276\211/\350\277\231\346\230\257\344\270\200\344\270\252\345\260\217\347\210\254\350\231\253/node_modules/punycode/punycode.es6.js"
@@ -0,0 +1,441 @@
+'use strict';
+
+/** Highest positive signed 32-bit float value */
+const maxInt = 2147483647; // aka. 0x7FFFFFFF or 2^31-1
+
+/** Bootstring parameters */
+const base = 36;
+const tMin = 1;
+const tMax = 26;
+const skew = 38;
+const damp = 700;
+const initialBias = 72;
+const initialN = 128; // 0x80
+const delimiter = '-'; // '\x2D'
+
+/** Regular expressions */
+const regexPunycode = /^xn--/;
+const regexNonASCII = /[^\0-\x7E]/; // non-ASCII chars
+const regexSeparators = /[\x2E\u3002\uFF0E\uFF61]/g; // RFC 3490 separators
+
+/** Error messages */
+const errors = {
+ 'overflow': 'Overflow: input needs wider integers to process',
+ 'not-basic': 'Illegal input >= 0x80 (not a basic code point)',
+ 'invalid-input': 'Invalid input'
+};
+
+/** Convenience shortcuts */
+const baseMinusTMin = base - tMin;
+const floor = Math.floor;
+const stringFromCharCode = String.fromCharCode;
+
+/*--------------------------------------------------------------------------*/
+
+/**
+ * A generic error utility function.
+ * @private
+ * @param {String} type The error type.
+ * @returns {Error} Throws a `RangeError` with the applicable error message.
+ */
+function error(type) {
+ throw new RangeError(errors[type]);
+}
+
+/**
+ * A generic `Array#map` utility function.
+ * @private
+ * @param {Array} array The array to iterate over.
+ * @param {Function} callback The function that gets called for every array
+ * item.
+ * @returns {Array} A new array of values returned by the callback function.
+ */
+function map(array, fn) {
+ const result = [];
+ let length = array.length;
+ while (length--) {
+ result[length] = fn(array[length]);
+ }
+ return result;
+}
+
+/**
+ * A simple `Array#map`-like wrapper to work with domain name strings or email
+ * addresses.
+ * @private
+ * @param {String} domain The domain name or email address.
+ * @param {Function} callback The function that gets called for every
+ * character.
+ * @returns {Array} A new string of characters returned by the callback
+ * function.
+ */
+function mapDomain(string, fn) {
+ const parts = string.split('@');
+ let result = '';
+ if (parts.length > 1) {
+ // In email addresses, only the domain name should be punycoded. Leave
+ // the local part (i.e. everything up to `@`) intact.
+ result = parts[0] + '@';
+ string = parts[1];
+ }
+ // Avoid `split(regex)` for IE8 compatibility. See #17.
+ string = string.replace(regexSeparators, '\x2E');
+ const labels = string.split('.');
+ const encoded = map(labels, fn).join('.');
+ return result + encoded;
+}
+
+/**
+ * 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.
+ * @see `punycode.ucs2.encode`
+ * @see
+ * @memberOf punycode.ucs2
+ * @name decode
+ * @param {String} string The Unicode input string (UCS-2).
+ * @returns {Array} The new array of code points.
+ */
+function ucs2decode(string) {
+ const output = [];
+ let counter = 0;
+ const length = string.length;
+ while (counter < length) {
+ const value = string.charCodeAt(counter++);
+ if (value >= 0xD800 && value <= 0xDBFF && counter < length) {
+ // It's a high surrogate, and there is a next character.
+ const extra = string.charCodeAt(counter++);
+ if ((extra & 0xFC00) == 0xDC00) { // Low surrogate.
+ output.push(((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.
+ output.push(value);
+ counter--;
+ }
+ } else {
+ output.push(value);
+ }
+ }
+ return output;
+}
+
+/**
+ * Creates a string based on an array of numeric code points.
+ * @see `punycode.ucs2.decode`
+ * @memberOf punycode.ucs2
+ * @name encode
+ * @param {Array} codePoints The array of numeric code points.
+ * @returns {String} The new Unicode string (UCS-2).
+ */
+const ucs2encode = array => String.fromCodePoint(...array);
+
+/**
+ * Converts a basic code point into a digit/integer.
+ * @see `digitToBasic()`
+ * @private
+ * @param {Number} codePoint The basic numeric code point value.
+ * @returns {Number} The numeric value of a basic code point (for use in
+ * representing integers) in the range `0` to `base - 1`, or `base` if
+ * the code point does not represent a value.
+ */
+const basicToDigit = function(codePoint) {
+ if (codePoint - 0x30 < 0x0A) {
+ return codePoint - 0x16;
+ }
+ if (codePoint - 0x41 < 0x1A) {
+ return codePoint - 0x41;
+ }
+ if (codePoint - 0x61 < 0x1A) {
+ return codePoint - 0x61;
+ }
+ return base;
+};
+
+/**
+ * Converts a digit/integer into a basic code point.
+ * @see `basicToDigit()`
+ * @private
+ * @param {Number} digit The numeric value of a basic code point.
+ * @returns {Number} The basic code point whose value (when used for
+ * representing integers) is `digit`, which needs to be in the range
+ * `0` to `base - 1`. If `flag` is non-zero, the uppercase form is
+ * used; else, the lowercase form is used. The behavior is undefined
+ * if `flag` is non-zero and `digit` has no uppercase form.
+ */
+const digitToBasic = function(digit, flag) {
+ // 0..25 map to ASCII a..z or A..Z
+ // 26..35 map to ASCII 0..9
+ return digit + 22 + 75 * (digit < 26) - ((flag != 0) << 5);
+};
+
+/**
+ * Bias adaptation function as per section 3.4 of RFC 3492.
+ * https://tools.ietf.org/html/rfc3492#section-3.4
+ * @private
+ */
+const adapt = function(delta, numPoints, firstTime) {
+ let k = 0;
+ delta = firstTime ? floor(delta / damp) : delta >> 1;
+ delta += floor(delta / numPoints);
+ for (/* no initialization */; delta > baseMinusTMin * tMax >> 1; k += base) {
+ delta = floor(delta / baseMinusTMin);
+ }
+ return floor(k + (baseMinusTMin + 1) * delta / (delta + skew));
+};
+
+/**
+ * Converts a Punycode string of ASCII-only symbols to a string of Unicode
+ * symbols.
+ * @memberOf punycode
+ * @param {String} input The Punycode string of ASCII-only symbols.
+ * @returns {String} The resulting string of Unicode symbols.
+ */
+const decode = function(input) {
+ // Don't use UCS-2.
+ const output = [];
+ const inputLength = input.length;
+ let i = 0;
+ let n = initialN;
+ let bias = initialBias;
+
+ // Handle the basic code points: let `basic` be the number of input code
+ // points before the last delimiter, or `0` if there is none, then copy
+ // the first basic code points to the output.
+
+ let basic = input.lastIndexOf(delimiter);
+ if (basic < 0) {
+ basic = 0;
+ }
+
+ for (let j = 0; j < basic; ++j) {
+ // if it's not a basic code point
+ if (input.charCodeAt(j) >= 0x80) {
+ error('not-basic');
+ }
+ output.push(input.charCodeAt(j));
+ }
+
+ // Main decoding loop: start just after the last delimiter if any basic code
+ // points were copied; start at the beginning otherwise.
+
+ for (let index = basic > 0 ? basic + 1 : 0; index < inputLength; /* no final expression */) {
+
+ // `index` is the index of the next character to be consumed.
+ // Decode a generalized variable-length integer into `delta`,
+ // which gets added to `i`. The overflow checking is easier
+ // if we increase `i` as we go, then subtract off its starting
+ // value at the end to obtain `delta`.
+ let oldi = i;
+ for (let w = 1, k = base; /* no condition */; k += base) {
+
+ if (index >= inputLength) {
+ error('invalid-input');
+ }
+
+ const digit = basicToDigit(input.charCodeAt(index++));
+
+ if (digit >= base || digit > floor((maxInt - i) / w)) {
+ error('overflow');
+ }
+
+ i += digit * w;
+ const t = k <= bias ? tMin : (k >= bias + tMax ? tMax : k - bias);
+
+ if (digit < t) {
+ break;
+ }
+
+ const baseMinusT = base - t;
+ if (w > floor(maxInt / baseMinusT)) {
+ error('overflow');
+ }
+
+ w *= baseMinusT;
+
+ }
+
+ const out = output.length + 1;
+ bias = adapt(i - oldi, out, oldi == 0);
+
+ // `i` was supposed to wrap around from `out` to `0`,
+ // incrementing `n` each time, so we'll fix that now:
+ if (floor(i / out) > maxInt - n) {
+ error('overflow');
+ }
+
+ n += floor(i / out);
+ i %= out;
+
+ // Insert `n` at position `i` of the output.
+ output.splice(i++, 0, n);
+
+ }
+
+ return String.fromCodePoint(...output);
+};
+
+/**
+ * Converts a string of Unicode symbols (e.g. a domain name label) to a
+ * Punycode string of ASCII-only symbols.
+ * @memberOf punycode
+ * @param {String} input The string of Unicode symbols.
+ * @returns {String} The resulting Punycode string of ASCII-only symbols.
+ */
+const encode = function(input) {
+ const output = [];
+
+ // Convert the input in UCS-2 to an array of Unicode code points.
+ input = ucs2decode(input);
+
+ // Cache the length.
+ let inputLength = input.length;
+
+ // Initialize the state.
+ let n = initialN;
+ let delta = 0;
+ let bias = initialBias;
+
+ // Handle the basic code points.
+ for (const currentValue of input) {
+ if (currentValue < 0x80) {
+ output.push(stringFromCharCode(currentValue));
+ }
+ }
+
+ let basicLength = output.length;
+ let handledCPCount = basicLength;
+
+ // `handledCPCount` is the number of code points that have been handled;
+ // `basicLength` is the number of basic code points.
+
+ // Finish the basic string with a delimiter unless it's empty.
+ if (basicLength) {
+ output.push(delimiter);
+ }
+
+ // Main encoding loop:
+ while (handledCPCount < inputLength) {
+
+ // All non-basic code points < n have been handled already. Find the next
+ // larger one:
+ let m = maxInt;
+ for (const currentValue of input) {
+ if (currentValue >= n && currentValue < m) {
+ m = currentValue;
+ }
+ }
+
+ // Increase `delta` enough to advance the decoder's state to ,
+ // but guard against overflow.
+ const handledCPCountPlusOne = handledCPCount + 1;
+ if (m - n > floor((maxInt - delta) / handledCPCountPlusOne)) {
+ error('overflow');
+ }
+
+ delta += (m - n) * handledCPCountPlusOne;
+ n = m;
+
+ for (const currentValue of input) {
+ if (currentValue < n && ++delta > maxInt) {
+ error('overflow');
+ }
+ if (currentValue == n) {
+ // Represent delta as a generalized variable-length integer.
+ let q = delta;
+ for (let k = base; /* no condition */; k += base) {
+ const t = k <= bias ? tMin : (k >= bias + tMax ? tMax : k - bias);
+ if (q < t) {
+ break;
+ }
+ const qMinusT = q - t;
+ const baseMinusT = base - t;
+ output.push(
+ stringFromCharCode(digitToBasic(t + qMinusT % baseMinusT, 0))
+ );
+ q = floor(qMinusT / baseMinusT);
+ }
+
+ output.push(stringFromCharCode(digitToBasic(q, 0)));
+ bias = adapt(delta, handledCPCountPlusOne, handledCPCount == basicLength);
+ delta = 0;
+ ++handledCPCount;
+ }
+ }
+
+ ++delta;
+ ++n;
+
+ }
+ return output.join('');
+};
+
+/**
+ * Converts a Punycode string representing a domain name or an email address
+ * to Unicode. Only the Punycoded parts of the input will be converted, i.e.
+ * it doesn't matter if you call it on a string that has already been
+ * converted to Unicode.
+ * @memberOf punycode
+ * @param {String} input The Punycoded domain name or email address to
+ * convert to Unicode.
+ * @returns {String} The Unicode representation of the given Punycode
+ * string.
+ */
+const toUnicode = function(input) {
+ return mapDomain(input, function(string) {
+ return regexPunycode.test(string)
+ ? decode(string.slice(4).toLowerCase())
+ : string;
+ });
+};
+
+/**
+ * Converts a Unicode string representing a domain name or an email address to
+ * Punycode. Only the non-ASCII parts of the domain name will be converted,
+ * i.e. it doesn't matter if you call it with a domain that's already in
+ * ASCII.
+ * @memberOf punycode
+ * @param {String} input The domain name or email address to convert, as a
+ * Unicode string.
+ * @returns {String} The Punycode representation of the given domain name or
+ * email address.
+ */
+const toASCII = function(input) {
+ return mapDomain(input, function(string) {
+ return regexNonASCII.test(string)
+ ? 'xn--' + encode(string)
+ : string;
+ });
+};
+
+/*--------------------------------------------------------------------------*/
+
+/** Define the public API */
+const punycode = {
+ /**
+ * A string representing the current Punycode.js version number.
+ * @memberOf punycode
+ * @type String
+ */
+ 'version': '2.1.0',
+ /**
+ * An object of methods to convert from JavaScript's internal character
+ * representation (UCS-2) to Unicode code points, and back.
+ * @see
+ * @memberOf punycode
+ * @type Object
+ */
+ 'ucs2': {
+ 'decode': ucs2decode,
+ 'encode': ucs2encode
+ },
+ 'decode': decode,
+ 'encode': encode,
+ 'toASCII': toASCII,
+ 'toUnicode': toUnicode
+};
+
+export { ucs2decode, ucs2encode, decode, encode, toASCII, toUnicode };
+export default punycode;
diff --git "a/\351\231\210\351\233\204\350\276\211/\350\277\231\346\230\257\344\270\200\344\270\252\345\260\217\347\210\254\350\231\253/node_modules/punycode/punycode.js" "b/\351\231\210\351\233\204\350\276\211/\350\277\231\346\230\257\344\270\200\344\270\252\345\260\217\347\210\254\350\231\253/node_modules/punycode/punycode.js"
new file mode 100644
index 0000000000000000000000000000000000000000..ea61fd0d39a39d75e76ec3387908904bbb9d42e0
--- /dev/null
+++ "b/\351\231\210\351\233\204\350\276\211/\350\277\231\346\230\257\344\270\200\344\270\252\345\260\217\347\210\254\350\231\253/node_modules/punycode/punycode.js"
@@ -0,0 +1,440 @@
+'use strict';
+
+/** Highest positive signed 32-bit float value */
+const maxInt = 2147483647; // aka. 0x7FFFFFFF or 2^31-1
+
+/** Bootstring parameters */
+const base = 36;
+const tMin = 1;
+const tMax = 26;
+const skew = 38;
+const damp = 700;
+const initialBias = 72;
+const initialN = 128; // 0x80
+const delimiter = '-'; // '\x2D'
+
+/** Regular expressions */
+const regexPunycode = /^xn--/;
+const regexNonASCII = /[^\0-\x7E]/; // non-ASCII chars
+const regexSeparators = /[\x2E\u3002\uFF0E\uFF61]/g; // RFC 3490 separators
+
+/** Error messages */
+const errors = {
+ 'overflow': 'Overflow: input needs wider integers to process',
+ 'not-basic': 'Illegal input >= 0x80 (not a basic code point)',
+ 'invalid-input': 'Invalid input'
+};
+
+/** Convenience shortcuts */
+const baseMinusTMin = base - tMin;
+const floor = Math.floor;
+const stringFromCharCode = String.fromCharCode;
+
+/*--------------------------------------------------------------------------*/
+
+/**
+ * A generic error utility function.
+ * @private
+ * @param {String} type The error type.
+ * @returns {Error} Throws a `RangeError` with the applicable error message.
+ */
+function error(type) {
+ throw new RangeError(errors[type]);
+}
+
+/**
+ * A generic `Array#map` utility function.
+ * @private
+ * @param {Array} array The array to iterate over.
+ * @param {Function} callback The function that gets called for every array
+ * item.
+ * @returns {Array} A new array of values returned by the callback function.
+ */
+function map(array, fn) {
+ const result = [];
+ let length = array.length;
+ while (length--) {
+ result[length] = fn(array[length]);
+ }
+ return result;
+}
+
+/**
+ * A simple `Array#map`-like wrapper to work with domain name strings or email
+ * addresses.
+ * @private
+ * @param {String} domain The domain name or email address.
+ * @param {Function} callback The function that gets called for every
+ * character.
+ * @returns {Array} A new string of characters returned by the callback
+ * function.
+ */
+function mapDomain(string, fn) {
+ const parts = string.split('@');
+ let result = '';
+ if (parts.length > 1) {
+ // In email addresses, only the domain name should be punycoded. Leave
+ // the local part (i.e. everything up to `@`) intact.
+ result = parts[0] + '@';
+ string = parts[1];
+ }
+ // Avoid `split(regex)` for IE8 compatibility. See #17.
+ string = string.replace(regexSeparators, '\x2E');
+ const labels = string.split('.');
+ const encoded = map(labels, fn).join('.');
+ return result + encoded;
+}
+
+/**
+ * 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.
+ * @see `punycode.ucs2.encode`
+ * @see
+ * @memberOf punycode.ucs2
+ * @name decode
+ * @param {String} string The Unicode input string (UCS-2).
+ * @returns {Array} The new array of code points.
+ */
+function ucs2decode(string) {
+ const output = [];
+ let counter = 0;
+ const length = string.length;
+ while (counter < length) {
+ const value = string.charCodeAt(counter++);
+ if (value >= 0xD800 && value <= 0xDBFF && counter < length) {
+ // It's a high surrogate, and there is a next character.
+ const extra = string.charCodeAt(counter++);
+ if ((extra & 0xFC00) == 0xDC00) { // Low surrogate.
+ output.push(((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.
+ output.push(value);
+ counter--;
+ }
+ } else {
+ output.push(value);
+ }
+ }
+ return output;
+}
+
+/**
+ * Creates a string based on an array of numeric code points.
+ * @see `punycode.ucs2.decode`
+ * @memberOf punycode.ucs2
+ * @name encode
+ * @param {Array} codePoints The array of numeric code points.
+ * @returns {String} The new Unicode string (UCS-2).
+ */
+const ucs2encode = array => String.fromCodePoint(...array);
+
+/**
+ * Converts a basic code point into a digit/integer.
+ * @see `digitToBasic()`
+ * @private
+ * @param {Number} codePoint The basic numeric code point value.
+ * @returns {Number} The numeric value of a basic code point (for use in
+ * representing integers) in the range `0` to `base - 1`, or `base` if
+ * the code point does not represent a value.
+ */
+const basicToDigit = function(codePoint) {
+ if (codePoint - 0x30 < 0x0A) {
+ return codePoint - 0x16;
+ }
+ if (codePoint - 0x41 < 0x1A) {
+ return codePoint - 0x41;
+ }
+ if (codePoint - 0x61 < 0x1A) {
+ return codePoint - 0x61;
+ }
+ return base;
+};
+
+/**
+ * Converts a digit/integer into a basic code point.
+ * @see `basicToDigit()`
+ * @private
+ * @param {Number} digit The numeric value of a basic code point.
+ * @returns {Number} The basic code point whose value (when used for
+ * representing integers) is `digit`, which needs to be in the range
+ * `0` to `base - 1`. If `flag` is non-zero, the uppercase form is
+ * used; else, the lowercase form is used. The behavior is undefined
+ * if `flag` is non-zero and `digit` has no uppercase form.
+ */
+const digitToBasic = function(digit, flag) {
+ // 0..25 map to ASCII a..z or A..Z
+ // 26..35 map to ASCII 0..9
+ return digit + 22 + 75 * (digit < 26) - ((flag != 0) << 5);
+};
+
+/**
+ * Bias adaptation function as per section 3.4 of RFC 3492.
+ * https://tools.ietf.org/html/rfc3492#section-3.4
+ * @private
+ */
+const adapt = function(delta, numPoints, firstTime) {
+ let k = 0;
+ delta = firstTime ? floor(delta / damp) : delta >> 1;
+ delta += floor(delta / numPoints);
+ for (/* no initialization */; delta > baseMinusTMin * tMax >> 1; k += base) {
+ delta = floor(delta / baseMinusTMin);
+ }
+ return floor(k + (baseMinusTMin + 1) * delta / (delta + skew));
+};
+
+/**
+ * Converts a Punycode string of ASCII-only symbols to a string of Unicode
+ * symbols.
+ * @memberOf punycode
+ * @param {String} input The Punycode string of ASCII-only symbols.
+ * @returns {String} The resulting string of Unicode symbols.
+ */
+const decode = function(input) {
+ // Don't use UCS-2.
+ const output = [];
+ const inputLength = input.length;
+ let i = 0;
+ let n = initialN;
+ let bias = initialBias;
+
+ // Handle the basic code points: let `basic` be the number of input code
+ // points before the last delimiter, or `0` if there is none, then copy
+ // the first basic code points to the output.
+
+ let basic = input.lastIndexOf(delimiter);
+ if (basic < 0) {
+ basic = 0;
+ }
+
+ for (let j = 0; j < basic; ++j) {
+ // if it's not a basic code point
+ if (input.charCodeAt(j) >= 0x80) {
+ error('not-basic');
+ }
+ output.push(input.charCodeAt(j));
+ }
+
+ // Main decoding loop: start just after the last delimiter if any basic code
+ // points were copied; start at the beginning otherwise.
+
+ for (let index = basic > 0 ? basic + 1 : 0; index < inputLength; /* no final expression */) {
+
+ // `index` is the index of the next character to be consumed.
+ // Decode a generalized variable-length integer into `delta`,
+ // which gets added to `i`. The overflow checking is easier
+ // if we increase `i` as we go, then subtract off its starting
+ // value at the end to obtain `delta`.
+ let oldi = i;
+ for (let w = 1, k = base; /* no condition */; k += base) {
+
+ if (index >= inputLength) {
+ error('invalid-input');
+ }
+
+ const digit = basicToDigit(input.charCodeAt(index++));
+
+ if (digit >= base || digit > floor((maxInt - i) / w)) {
+ error('overflow');
+ }
+
+ i += digit * w;
+ const t = k <= bias ? tMin : (k >= bias + tMax ? tMax : k - bias);
+
+ if (digit < t) {
+ break;
+ }
+
+ const baseMinusT = base - t;
+ if (w > floor(maxInt / baseMinusT)) {
+ error('overflow');
+ }
+
+ w *= baseMinusT;
+
+ }
+
+ const out = output.length + 1;
+ bias = adapt(i - oldi, out, oldi == 0);
+
+ // `i` was supposed to wrap around from `out` to `0`,
+ // incrementing `n` each time, so we'll fix that now:
+ if (floor(i / out) > maxInt - n) {
+ error('overflow');
+ }
+
+ n += floor(i / out);
+ i %= out;
+
+ // Insert `n` at position `i` of the output.
+ output.splice(i++, 0, n);
+
+ }
+
+ return String.fromCodePoint(...output);
+};
+
+/**
+ * Converts a string of Unicode symbols (e.g. a domain name label) to a
+ * Punycode string of ASCII-only symbols.
+ * @memberOf punycode
+ * @param {String} input The string of Unicode symbols.
+ * @returns {String} The resulting Punycode string of ASCII-only symbols.
+ */
+const encode = function(input) {
+ const output = [];
+
+ // Convert the input in UCS-2 to an array of Unicode code points.
+ input = ucs2decode(input);
+
+ // Cache the length.
+ let inputLength = input.length;
+
+ // Initialize the state.
+ let n = initialN;
+ let delta = 0;
+ let bias = initialBias;
+
+ // Handle the basic code points.
+ for (const currentValue of input) {
+ if (currentValue < 0x80) {
+ output.push(stringFromCharCode(currentValue));
+ }
+ }
+
+ let basicLength = output.length;
+ let handledCPCount = basicLength;
+
+ // `handledCPCount` is the number of code points that have been handled;
+ // `basicLength` is the number of basic code points.
+
+ // Finish the basic string with a delimiter unless it's empty.
+ if (basicLength) {
+ output.push(delimiter);
+ }
+
+ // Main encoding loop:
+ while (handledCPCount < inputLength) {
+
+ // All non-basic code points < n have been handled already. Find the next
+ // larger one:
+ let m = maxInt;
+ for (const currentValue of input) {
+ if (currentValue >= n && currentValue < m) {
+ m = currentValue;
+ }
+ }
+
+ // Increase `delta` enough to advance the decoder's state to ,
+ // but guard against overflow.
+ const handledCPCountPlusOne = handledCPCount + 1;
+ if (m - n > floor((maxInt - delta) / handledCPCountPlusOne)) {
+ error('overflow');
+ }
+
+ delta += (m - n) * handledCPCountPlusOne;
+ n = m;
+
+ for (const currentValue of input) {
+ if (currentValue < n && ++delta > maxInt) {
+ error('overflow');
+ }
+ if (currentValue == n) {
+ // Represent delta as a generalized variable-length integer.
+ let q = delta;
+ for (let k = base; /* no condition */; k += base) {
+ const t = k <= bias ? tMin : (k >= bias + tMax ? tMax : k - bias);
+ if (q < t) {
+ break;
+ }
+ const qMinusT = q - t;
+ const baseMinusT = base - t;
+ output.push(
+ stringFromCharCode(digitToBasic(t + qMinusT % baseMinusT, 0))
+ );
+ q = floor(qMinusT / baseMinusT);
+ }
+
+ output.push(stringFromCharCode(digitToBasic(q, 0)));
+ bias = adapt(delta, handledCPCountPlusOne, handledCPCount == basicLength);
+ delta = 0;
+ ++handledCPCount;
+ }
+ }
+
+ ++delta;
+ ++n;
+
+ }
+ return output.join('');
+};
+
+/**
+ * Converts a Punycode string representing a domain name or an email address
+ * to Unicode. Only the Punycoded parts of the input will be converted, i.e.
+ * it doesn't matter if you call it on a string that has already been
+ * converted to Unicode.
+ * @memberOf punycode
+ * @param {String} input The Punycoded domain name or email address to
+ * convert to Unicode.
+ * @returns {String} The Unicode representation of the given Punycode
+ * string.
+ */
+const toUnicode = function(input) {
+ return mapDomain(input, function(string) {
+ return regexPunycode.test(string)
+ ? decode(string.slice(4).toLowerCase())
+ : string;
+ });
+};
+
+/**
+ * Converts a Unicode string representing a domain name or an email address to
+ * Punycode. Only the non-ASCII parts of the domain name will be converted,
+ * i.e. it doesn't matter if you call it with a domain that's already in
+ * ASCII.
+ * @memberOf punycode
+ * @param {String} input The domain name or email address to convert, as a
+ * Unicode string.
+ * @returns {String} The Punycode representation of the given domain name or
+ * email address.
+ */
+const toASCII = function(input) {
+ return mapDomain(input, function(string) {
+ return regexNonASCII.test(string)
+ ? 'xn--' + encode(string)
+ : string;
+ });
+};
+
+/*--------------------------------------------------------------------------*/
+
+/** Define the public API */
+const punycode = {
+ /**
+ * A string representing the current Punycode.js version number.
+ * @memberOf punycode
+ * @type String
+ */
+ 'version': '2.1.0',
+ /**
+ * An object of methods to convert from JavaScript's internal character
+ * representation (UCS-2) to Unicode code points, and back.
+ * @see
+ * @memberOf punycode
+ * @type Object
+ */
+ 'ucs2': {
+ 'decode': ucs2decode,
+ 'encode': ucs2encode
+ },
+ 'decode': decode,
+ 'encode': encode,
+ 'toASCII': toASCII,
+ 'toUnicode': toUnicode
+};
+
+module.exports = punycode;
diff --git "a/\351\231\210\351\233\204\350\276\211/\350\277\231\346\230\257\344\270\200\344\270\252\345\260\217\347\210\254\350\231\253/node_modules/qs/.editorconfig" "b/\351\231\210\351\233\204\350\276\211/\350\277\231\346\230\257\344\270\200\344\270\252\345\260\217\347\210\254\350\231\253/node_modules/qs/.editorconfig"
new file mode 100644
index 0000000000000000000000000000000000000000..2f084445078afdcca59b27f9f677170f906aa0a9
--- /dev/null
+++ "b/\351\231\210\351\233\204\350\276\211/\350\277\231\346\230\257\344\270\200\344\270\252\345\260\217\347\210\254\350\231\253/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/\351\231\210\351\233\204\350\276\211/\350\277\231\346\230\257\344\270\200\344\270\252\345\260\217\347\210\254\350\231\253/node_modules/qs/.eslintrc" "b/\351\231\210\351\233\204\350\276\211/\350\277\231\346\230\257\344\270\200\344\270\252\345\260\217\347\210\254\350\231\253/node_modules/qs/.eslintrc"
new file mode 100644
index 0000000000000000000000000000000000000000..3f848996fc14e58bdab1293aa2d89917a9102218
--- /dev/null
+++ "b/\351\231\210\351\233\204\350\276\211/\350\277\231\346\230\257\344\270\200\344\270\252\345\260\217\347\210\254\350\231\253/node_modules/qs/.eslintrc"
@@ -0,0 +1,37 @@
+{
+ "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": 0,
+ "max-params": [2, 12],
+ "max-statements": [2, 45],
+ "multiline-comment-style": 0,
+ "no-continue": 1,
+ "no-magic-numbers": 0,
+ "no-param-reassign": 1,
+ "no-restricted-syntax": [2, "BreakStatement", "DebuggerStatement", "ForInStatement", "LabeledStatement", "WithStatement"],
+ },
+
+ "overrides": [
+ {
+ "files": "test/**",
+ "rules": {
+ "max-lines-per-function": 0,
+ "max-statements": 0,
+ "no-extend-native": 0,
+ "function-paren-newline": 0,
+ },
+ },
+ ],
+}
diff --git "a/\351\231\210\351\233\204\350\276\211/\350\277\231\346\230\257\344\270\200\344\270\252\345\260\217\347\210\254\350\231\253/node_modules/qs/.github/FUNDING.yml" "b/\351\231\210\351\233\204\350\276\211/\350\277\231\346\230\257\344\270\200\344\270\252\345\260\217\347\210\254\350\231\253/node_modules/qs/.github/FUNDING.yml"
new file mode 100644
index 0000000000000000000000000000000000000000..0355f4f5fbecd763def967aca1130cd2dfbb3479
--- /dev/null
+++ "b/\351\231\210\351\233\204\350\276\211/\350\277\231\346\230\257\344\270\200\344\270\252\345\260\217\347\210\254\350\231\253/node_modules/qs/.github/FUNDING.yml"
@@ -0,0 +1,12 @@
+# 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/qs
+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/\351\231\210\351\233\204\350\276\211/\350\277\231\346\230\257\344\270\200\344\270\252\345\260\217\347\210\254\350\231\253/node_modules/qs/.nycrc" "b/\351\231\210\351\233\204\350\276\211/\350\277\231\346\230\257\344\270\200\344\270\252\345\260\217\347\210\254\350\231\253/node_modules/qs/.nycrc"
new file mode 100644
index 0000000000000000000000000000000000000000..1d57cabe1b647c742d82f896933bf4af5dfcdc0d
--- /dev/null
+++ "b/\351\231\210\351\233\204\350\276\211/\350\277\231\346\230\257\344\270\200\344\270\252\345\260\217\347\210\254\350\231\253/node_modules/qs/.nycrc"
@@ -0,0 +1,13 @@
+{
+ "all": true,
+ "check-coverage": false,
+ "reporter": ["text-summary", "text", "html", "json"],
+ "lines": 86,
+ "statements": 85.93,
+ "functions": 82.43,
+ "branches": 76.06,
+ "exclude": [
+ "coverage",
+ "dist"
+ ]
+}
diff --git "a/\351\231\210\351\233\204\350\276\211/\350\277\231\346\230\257\344\270\200\344\270\252\345\260\217\347\210\254\350\231\253/node_modules/qs/CHANGELOG.md" "b/\351\231\210\351\233\204\350\276\211/\350\277\231\346\230\257\344\270\200\344\270\252\345\260\217\347\210\254\350\231\253/node_modules/qs/CHANGELOG.md"
new file mode 100644
index 0000000000000000000000000000000000000000..849c92ea03d258dede2e6c67a8f3ebdc84fe7a96
--- /dev/null
+++ "b/\351\231\210\351\233\204\350\276\211/\350\277\231\346\230\257\344\270\200\344\270\252\345\260\217\347\210\254\350\231\253/node_modules/qs/CHANGELOG.md"
@@ -0,0 +1,250 @@
+## **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.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.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.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 #