@tryghost/content-api 1.6.2 → 1.7.1
This diff represents the content of publicly available package versions that have been released to one of the supported registries. The information contained in this diff is provided for informational purposes only and reflects changes between package versions as they appear in their respective public registries.
- package/cjs/content-api.js +80 -50
- package/es/content-api.js +393 -453
- package/es/content-api.js.map +1 -1
- package/lib/index.js +80 -50
- package/package.json +4 -4
- package/umd/content-api.min.js +1 -1
- package/umd/content-api.min.js.map +1 -1
package/lib/index.js
CHANGED
|
@@ -1,10 +1,37 @@
|
|
|
1
1
|
import axios from 'axios';
|
|
2
2
|
|
|
3
|
-
const supportedVersions = ['v2', 'v3', 'v4', 'canary'];
|
|
3
|
+
const supportedVersions = ['v2', 'v3', 'v4', 'v5', 'canary'];
|
|
4
4
|
const name = '@tryghost/content-api';
|
|
5
5
|
|
|
6
|
-
|
|
7
|
-
|
|
6
|
+
const defaultMakeRequest = ({url, method, params, headers}) => {
|
|
7
|
+
return axios[method](url, {
|
|
8
|
+
params,
|
|
9
|
+
paramsSerializer: (parameters) => {
|
|
10
|
+
return Object.keys(parameters).reduce((parts, k) => {
|
|
11
|
+
const val = encodeURIComponent([].concat(parameters[k]).join(','));
|
|
12
|
+
return parts.concat(`${k}=${val}`);
|
|
13
|
+
}, []).join('&');
|
|
14
|
+
},
|
|
15
|
+
headers
|
|
16
|
+
});
|
|
17
|
+
};
|
|
18
|
+
|
|
19
|
+
/**
|
|
20
|
+
*
|
|
21
|
+
* @param {Object} options
|
|
22
|
+
* @param {String} options.url
|
|
23
|
+
* @param {String} options.key
|
|
24
|
+
* @param {String} [options.ghostPath]
|
|
25
|
+
* @param {String} [options.version]
|
|
26
|
+
* @param {Function} [options.makeRequest]
|
|
27
|
+
* @param {String} [options.host] Deprecated
|
|
28
|
+
* @returns
|
|
29
|
+
*/
|
|
30
|
+
export default function GhostContentAPI({url, key, host, version, ghostPath = 'ghost', makeRequest = defaultMakeRequest}) {
|
|
31
|
+
/**
|
|
32
|
+
* host parameter is deprecated
|
|
33
|
+
* @deprecated use "url" instead
|
|
34
|
+
*/
|
|
8
35
|
if (host) {
|
|
9
36
|
// eslint-disable-next-line
|
|
10
37
|
console.warn(`${name}: The 'host' parameter is deprecated, please use 'url' instead`);
|
|
@@ -14,13 +41,10 @@ export default function GhostContentAPI({url, host, ghostPath = 'ghost', version
|
|
|
14
41
|
}
|
|
15
42
|
|
|
16
43
|
if (this instanceof GhostContentAPI) {
|
|
17
|
-
return GhostContentAPI({url, version,
|
|
44
|
+
return GhostContentAPI({url, key, version, ghostPath, makeRequest});
|
|
18
45
|
}
|
|
19
46
|
|
|
20
|
-
if (!version) {
|
|
21
|
-
throw new Error(`${name} Config Missing: 'version' is required. E.g. ${supportedVersions.join(',')}`);
|
|
22
|
-
}
|
|
23
|
-
if (!supportedVersions.includes(version)) {
|
|
47
|
+
if (version && !supportedVersions.includes(version)) {
|
|
24
48
|
throw new Error(`${name} Config Invalid: 'version' ${version} is not supported`);
|
|
25
49
|
}
|
|
26
50
|
if (!url) {
|
|
@@ -40,7 +64,7 @@ export default function GhostContentAPI({url, host, ghostPath = 'ghost', version
|
|
|
40
64
|
}
|
|
41
65
|
const api = ['posts', 'authors', 'tags', 'pages', 'settings'].reduce((apiObject, resourceType) => {
|
|
42
66
|
function browse(options = {}, memberToken) {
|
|
43
|
-
return
|
|
67
|
+
return makeApiRequest(resourceType, options, null, memberToken);
|
|
44
68
|
}
|
|
45
69
|
function read(data, options = {}, memberToken) {
|
|
46
70
|
if (!data || !data.id && !data.slug) {
|
|
@@ -49,7 +73,7 @@ export default function GhostContentAPI({url, host, ghostPath = 'ghost', version
|
|
|
49
73
|
|
|
50
74
|
const params = Object.assign({}, data, options);
|
|
51
75
|
|
|
52
|
-
return
|
|
76
|
+
return makeApiRequest(resourceType, params, data.id || `slug/${data.slug}`, memberToken);
|
|
53
77
|
}
|
|
54
78
|
|
|
55
79
|
return Object.assign(apiObject, {
|
|
@@ -64,7 +88,7 @@ export default function GhostContentAPI({url, host, ghostPath = 'ghost', version
|
|
|
64
88
|
|
|
65
89
|
return api;
|
|
66
90
|
|
|
67
|
-
function
|
|
91
|
+
function makeApiRequest(resourceType, params, id, membersToken = null) {
|
|
68
92
|
if (!membersToken && !key) {
|
|
69
93
|
return Promise.reject(
|
|
70
94
|
new Error(`${name} Config Missing: 'key' is required.`)
|
|
@@ -74,47 +98,53 @@ export default function GhostContentAPI({url, host, ghostPath = 'ghost', version
|
|
|
74
98
|
|
|
75
99
|
const headers = membersToken ? {
|
|
76
100
|
Authorization: `GhostMembers ${membersToken}`
|
|
77
|
-
} :
|
|
78
|
-
|
|
79
|
-
return axios.get(`${url}/${ghostPath}/api/${version}/content/${resourceType}/${id ? id + '/' : ''}`, {
|
|
80
|
-
params: Object.assign({key}, params),
|
|
81
|
-
paramsSerializer: (parameters) => {
|
|
82
|
-
return Object.keys(parameters).reduce((parts, k) => {
|
|
83
|
-
const val = encodeURIComponent([].concat(parameters[k]).join(','));
|
|
84
|
-
return parts.concat(`${k}=${val}`);
|
|
85
|
-
}, []).join('&');
|
|
86
|
-
},
|
|
87
|
-
headers
|
|
88
|
-
}).then((res) => {
|
|
89
|
-
if (!Array.isArray(res.data[resourceType])) {
|
|
90
|
-
return res.data[resourceType];
|
|
91
|
-
}
|
|
92
|
-
if (res.data[resourceType].length === 1 && !res.data.meta) {
|
|
93
|
-
return res.data[resourceType][0];
|
|
94
|
-
}
|
|
95
|
-
return Object.assign(res.data[resourceType], {meta: res.data.meta});
|
|
96
|
-
}).catch((err) => {
|
|
97
|
-
if (err.response && err.response.data && err.response.data.errors) {
|
|
98
|
-
const props = err.response.data.errors[0];
|
|
99
|
-
const toThrow = new Error(props.message);
|
|
100
|
-
const keys = Object.keys(props);
|
|
101
|
-
|
|
102
|
-
toThrow.name = props.type;
|
|
101
|
+
} : {};
|
|
103
102
|
|
|
104
|
-
|
|
105
|
-
|
|
106
|
-
|
|
107
|
-
|
|
108
|
-
toThrow.response = err.response;
|
|
103
|
+
if (!version || ['v4', 'v5', 'canary'].includes(version)) {
|
|
104
|
+
headers['Accept-Version'] = version || 'v5';
|
|
105
|
+
}
|
|
109
106
|
|
|
110
|
-
|
|
111
|
-
|
|
112
|
-
|
|
107
|
+
params = Object.assign({key}, params);
|
|
108
|
+
const apiUrl = version
|
|
109
|
+
? `${url}/${ghostPath}/api/${version}/content/${resourceType}/${id ? id + '/' : ''}`
|
|
110
|
+
: `${url}/${ghostPath}/api/content/${resourceType}/${id ? id + '/' : ''}`;
|
|
113
111
|
|
|
114
|
-
|
|
115
|
-
|
|
116
|
-
|
|
117
|
-
|
|
118
|
-
|
|
112
|
+
return makeRequest({
|
|
113
|
+
url: apiUrl,
|
|
114
|
+
method: 'get',
|
|
115
|
+
params,
|
|
116
|
+
headers
|
|
117
|
+
})
|
|
118
|
+
.then((res) => {
|
|
119
|
+
if (!Array.isArray(res.data[resourceType])) {
|
|
120
|
+
return res.data[resourceType];
|
|
121
|
+
}
|
|
122
|
+
if (res.data[resourceType].length === 1 && !res.data.meta) {
|
|
123
|
+
return res.data[resourceType][0];
|
|
124
|
+
}
|
|
125
|
+
return Object.assign(res.data[resourceType], {meta: res.data.meta});
|
|
126
|
+
}).catch((err) => {
|
|
127
|
+
if (err.response && err.response.data && err.response.data.errors) {
|
|
128
|
+
const props = err.response.data.errors[0];
|
|
129
|
+
const toThrow = new Error(props.message);
|
|
130
|
+
const keys = Object.keys(props);
|
|
131
|
+
|
|
132
|
+
toThrow.name = props.type;
|
|
133
|
+
|
|
134
|
+
keys.forEach((k) => {
|
|
135
|
+
toThrow[k] = props[k];
|
|
136
|
+
});
|
|
137
|
+
|
|
138
|
+
toThrow.response = err.response;
|
|
139
|
+
|
|
140
|
+
// @TODO: remove in 2.0. We have enhanced the error handling, but we don't want to break existing implementations.
|
|
141
|
+
toThrow.request = err.request;
|
|
142
|
+
toThrow.config = err.config;
|
|
143
|
+
|
|
144
|
+
throw toThrow;
|
|
145
|
+
} else {
|
|
146
|
+
throw err;
|
|
147
|
+
}
|
|
148
|
+
});
|
|
119
149
|
}
|
|
120
150
|
}
|
package/package.json
CHANGED
|
@@ -1,6 +1,6 @@
|
|
|
1
1
|
{
|
|
2
2
|
"name": "@tryghost/content-api",
|
|
3
|
-
"version": "1.
|
|
3
|
+
"version": "1.7.1",
|
|
4
4
|
"repository": "https://github.com/TryGhost/SDK/tree/master/packages/content-api",
|
|
5
5
|
"author": "Ghost Foundation",
|
|
6
6
|
"license": "MIT",
|
|
@@ -30,14 +30,14 @@
|
|
|
30
30
|
"access": "public"
|
|
31
31
|
},
|
|
32
32
|
"devDependencies": {
|
|
33
|
-
"@babel/core": "7.17.
|
|
33
|
+
"@babel/core": "7.17.7",
|
|
34
34
|
"@babel/polyfill": "7.12.1",
|
|
35
35
|
"@babel/preset-env": "7.16.11",
|
|
36
36
|
"c8": "7.11.0",
|
|
37
37
|
"core-js": "3.21.1",
|
|
38
38
|
"eslint-plugin-ghost": "1.5.0",
|
|
39
39
|
"mocha": "7.2.0",
|
|
40
|
-
"rollup": "2.
|
|
40
|
+
"rollup": "2.70.1",
|
|
41
41
|
"rollup-plugin-babel": "4.4.0",
|
|
42
42
|
"rollup-plugin-commonjs": "10.1.0",
|
|
43
43
|
"rollup-plugin-node-resolve": "5.2.0",
|
|
@@ -49,5 +49,5 @@
|
|
|
49
49
|
"dependencies": {
|
|
50
50
|
"axios": "^0.21.1"
|
|
51
51
|
},
|
|
52
|
-
"gitHead": "
|
|
52
|
+
"gitHead": "914bfb54d7e355b5788b84c13bfc894ed4defba4"
|
|
53
53
|
}
|
package/umd/content-api.min.js
CHANGED
|
@@ -1,2 +1,2 @@
|
|
|
1
|
-
!function(t,e){"object"==typeof exports&&"undefined"!=typeof module?module.exports=e():"function"==typeof define&&define.amd?define(e):(t="undefined"!=typeof globalThis?globalThis:t||self).GhostContentAPI=e()}(this,(function(){"use strict";var t="undefined"!=typeof globalThis?globalThis:"undefined"!=typeof window?window:"undefined"!=typeof global?global:"undefined"!=typeof self?self:{};function e(t,e){return t(e={exports:{}},e.exports),e.exports}var n,r,o=function(t){return t&&t.Math==Math&&t},i=o("object"==typeof globalThis&&globalThis)||o("object"==typeof window&&window)||o("object"==typeof self&&self)||o("object"==typeof t&&t)||function(){return this}()||Function("return this")(),a=function(t){try{return!!t()}catch(t){return!0}},c=!a((function(){return 7!=Object.defineProperty({},1,{get:function(){return 7}})[1]})),u=!a((function(){var t=function(){}.bind();return"function"!=typeof t||t.hasOwnProperty("prototype")})),s=Function.prototype.call,f=u?s.bind(s):function(){return s.apply(s,arguments)},l={}.propertyIsEnumerable,p=Object.getOwnPropertyDescriptor,d={f:p&&!l.call({1:2},1)?function(t){var e=p(this,t);return!!e&&e.enumerable}:l},h=function(t,e){return{enumerable:!(1&t),configurable:!(2&t),writable:!(4&t),value:e}},v=Function.prototype,g=v.bind,m=v.call,y=u&&g.bind(m,m),b=u?function(t){return t&&y(t)}:function(t){return t&&function(){return m.apply(t,arguments)}},w=b({}.toString),E=b("".slice),j=function(t){return E(w(t),8,-1)},S=i.Object,O=b("".split),x=a((function(){return!S("z").propertyIsEnumerable(0)}))?function(t){return"String"==j(t)?O(t,""):S(t)}:S,T=i.TypeError,C=function(t){if(null==t)throw T("Can't call method on "+t);return t},P=function(t){return x(C(t))},R=function(t){return"function"==typeof t},A=function(t){return"object"==typeof t?null!==t:R(t)},L=function(t){return R(t)?t:void 0},I=function(t,e){return arguments.length<2?L(i[t]):i[t]&&i[t][e]},k=b({}.isPrototypeOf),N=I("navigator","userAgent")||"",M=i.process,U=i.Deno,B=M&&M.versions||U&&U.version,F=B&&B.v8;F&&(r=(n=F.split("."))[0]>0&&n[0]<4?1:+(n[0]+n[1])),!r&&N&&(!(n=N.match(/Edge\/(\d+)/))||n[1]>=74)&&(n=N.match(/Chrome\/(\d+)/))&&(r=+n[1]);var D=r,_=!!Object.getOwnPropertySymbols&&!a((function(){var t=Symbol();return!String(t)||!(Object(t)instanceof Symbol)||!Symbol.sham&&D&&D<41})),q=_&&!Symbol.sham&&"symbol"==typeof Symbol.iterator,z=i.Object,W=q?function(t){return"symbol"==typeof t}:function(t){var e=I("Symbol");return R(e)&&k(e.prototype,z(t))},G=i.String,H=function(t){try{return G(t)}catch(t){return"Object"}},V=i.TypeError,X=function(t){if(R(t))return t;throw V(H(t)+" is not a function")},K=function(t,e){var n=t[e];return null==n?void 0:X(n)},$=i.TypeError,J=Object.defineProperty,Y=function(t,e){try{J(i,t,{value:e,configurable:!0,writable:!0})}catch(n){i[t]=e}return e},Q="__core-js_shared__",Z=i[Q]||Y(Q,{}),tt=e((function(t){(t.exports=function(t,e){return Z[t]||(Z[t]=void 0!==e?e:{})})("versions",[]).push({version:"3.21.1",mode:"global",copyright:"© 2014-2022 Denis Pushkarev (zloirock.ru)",license:"https://github.com/zloirock/core-js/blob/v3.21.1/LICENSE",source:"https://github.com/zloirock/core-js"})})),et=i.Object,nt=function(t){return et(C(t))},rt=b({}.hasOwnProperty),ot=Object.hasOwn||function(t,e){return rt(nt(t),e)},it=0,at=Math.random(),ct=b(1..toString),ut=function(t){return"Symbol("+(void 0===t?"":t)+")_"+ct(++it+at,36)},st=tt("wks"),ft=i.Symbol,lt=ft&&ft.for,pt=q?ft:ft&&ft.withoutSetter||ut,dt=function(t){if(!ot(st,t)||!_&&"string"!=typeof st[t]){var e="Symbol."+t;_&&ot(ft,t)?st[t]=ft[t]:st[t]=q&<?lt(e):pt(e)}return st[t]},ht=i.TypeError,vt=dt("toPrimitive"),gt=function(t,e){if(!A(t)||W(t))return t;var n,r=K(t,vt);if(r){if(void 0===e&&(e="default"),n=f(r,t,e),!A(n)||W(n))return n;throw ht("Can't convert object to primitive value")}return void 0===e&&(e="number"),function(t,e){var n,r;if("string"===e&&R(n=t.toString)&&!A(r=f(n,t)))return r;if(R(n=t.valueOf)&&!A(r=f(n,t)))return r;if("string"!==e&&R(n=t.toString)&&!A(r=f(n,t)))return r;throw $("Can't convert object to primitive value")}(t,e)},mt=function(t){var e=gt(t,"string");return W(e)?e:e+""},yt=i.document,bt=A(yt)&&A(yt.createElement),wt=function(t){return bt?yt.createElement(t):{}},Et=!c&&!a((function(){return 7!=Object.defineProperty(wt("div"),"a",{get:function(){return 7}}).a})),jt=Object.getOwnPropertyDescriptor,St={f:c?jt:function(t,e){if(t=P(t),e=mt(e),Et)try{return jt(t,e)}catch(t){}if(ot(t,e))return h(!f(d.f,t,e),t[e])}},Ot=c&&a((function(){return 42!=Object.defineProperty((function(){}),"prototype",{value:42,writable:!1}).prototype})),xt=i.String,Tt=i.TypeError,Ct=function(t){if(A(t))return t;throw Tt(xt(t)+" is not an object")},Pt=i.TypeError,Rt=Object.defineProperty,At=Object.getOwnPropertyDescriptor,Lt="enumerable",It="configurable",kt="writable",Nt={f:c?Ot?function(t,e,n){if(Ct(t),e=mt(e),Ct(n),"function"==typeof t&&"prototype"===e&&"value"in n&&kt in n&&!n.writable){var r=At(t,e);r&&r.writable&&(t[e]=n.value,n={configurable:It in n?n.configurable:r.configurable,enumerable:Lt in n?n.enumerable:r.enumerable,writable:!1})}return Rt(t,e,n)}:Rt:function(t,e,n){if(Ct(t),e=mt(e),Ct(n),Et)try{return Rt(t,e,n)}catch(t){}if("get"in n||"set"in n)throw Pt("Accessors not supported");return"value"in n&&(t[e]=n.value),t}},Mt=c?function(t,e,n){return Nt.f(t,e,h(1,n))}:function(t,e,n){return t[e]=n,t},Ut=b(Function.toString);R(Z.inspectSource)||(Z.inspectSource=function(t){return Ut(t)});var Bt,Ft,Dt,_t=Z.inspectSource,qt=i.WeakMap,zt=R(qt)&&/native code/.test(_t(qt)),Wt=tt("keys"),Gt=function(t){return Wt[t]||(Wt[t]=ut(t))},Ht={},Vt="Object already initialized",Xt=i.TypeError,Kt=i.WeakMap;if(zt||Z.state){var $t=Z.state||(Z.state=new Kt),Jt=b($t.get),Yt=b($t.has),Qt=b($t.set);Bt=function(t,e){if(Yt($t,t))throw new Xt(Vt);return e.facade=t,Qt($t,t,e),e},Ft=function(t){return Jt($t,t)||{}},Dt=function(t){return Yt($t,t)}}else{var Zt=Gt("state");Ht[Zt]=!0,Bt=function(t,e){if(ot(t,Zt))throw new Xt(Vt);return e.facade=t,Mt(t,Zt,e),e},Ft=function(t){return ot(t,Zt)?t[Zt]:{}},Dt=function(t){return ot(t,Zt)}}var te={set:Bt,get:Ft,has:Dt,enforce:function(t){return Dt(t)?Ft(t):Bt(t,{})},getterFor:function(t){return function(e){var n;if(!A(e)||(n=Ft(e)).type!==t)throw Xt("Incompatible receiver, "+t+" required");return n}}},ee=Function.prototype,ne=c&&Object.getOwnPropertyDescriptor,re=ot(ee,"name"),oe={EXISTS:re,PROPER:re&&"something"===function(){}.name,CONFIGURABLE:re&&(!c||c&&ne(ee,"name").configurable)},ie=e((function(t){var e=oe.CONFIGURABLE,n=te.get,r=te.enforce,o=String(String).split("String");(t.exports=function(t,n,a,c){var u,s=!!c&&!!c.unsafe,f=!!c&&!!c.enumerable,l=!!c&&!!c.noTargetGet,p=c&&void 0!==c.name?c.name:n;R(a)&&("Symbol("===String(p).slice(0,7)&&(p="["+String(p).replace(/^Symbol\(([^)]*)\)/,"$1")+"]"),(!ot(a,"name")||e&&a.name!==p)&&Mt(a,"name",p),(u=r(a)).source||(u.source=o.join("string"==typeof p?p:""))),t!==i?(s?!l&&t[n]&&(f=!0):delete t[n],f?t[n]=a:Mt(t,n,a)):f?t[n]=a:Y(n,a)})(Function.prototype,"toString",(function(){return R(this)&&n(this).source||_t(this)}))})),ae=Math.ceil,ce=Math.floor,ue=function(t){var e=+t;return e!=e||0===e?0:(e>0?ce:ae)(e)},se=Math.max,fe=Math.min,le=Math.min,pe=function(t){return t>0?le(ue(t),9007199254740991):0},de=function(t){return pe(t.length)},he=function(t){return function(e,n,r){var o,i=P(e),a=de(i),c=function(t,e){var n=ue(t);return n<0?se(n+e,0):fe(n,e)}(r,a);if(t&&n!=n){for(;a>c;)if((o=i[c++])!=o)return!0}else for(;a>c;c++)if((t||c in i)&&i[c]===n)return t||c||0;return!t&&-1}},ve={includes:he(!0),indexOf:he(!1)},ge=ve.indexOf,me=b([].push),ye=function(t,e){var n,r=P(t),o=0,i=[];for(n in r)!ot(Ht,n)&&ot(r,n)&&me(i,n);for(;e.length>o;)ot(r,n=e[o++])&&(~ge(i,n)||me(i,n));return i},be=["constructor","hasOwnProperty","isPrototypeOf","propertyIsEnumerable","toLocaleString","toString","valueOf"],we=be.concat("length","prototype"),Ee={f:Object.getOwnPropertyNames||function(t){return ye(t,we)}},je={f:Object.getOwnPropertySymbols},Se=b([].concat),Oe=I("Reflect","ownKeys")||function(t){var e=Ee.f(Ct(t)),n=je.f;return n?Se(e,n(t)):e},xe=function(t,e,n){for(var r=Oe(e),o=Nt.f,i=St.f,a=0;a<r.length;a++){var c=r[a];ot(t,c)||n&&ot(n,c)||o(t,c,i(e,c))}},Te=/#|\.prototype\./,Ce=function(t,e){var n=Re[Pe(t)];return n==Le||n!=Ae&&(R(e)?a(e):!!e)},Pe=Ce.normalize=function(t){return String(t).replace(Te,".").toLowerCase()},Re=Ce.data={},Ae=Ce.NATIVE="N",Le=Ce.POLYFILL="P",Ie=Ce,ke=St.f,Ne=function(t,e){var n,r,o,a,c,u=t.target,s=t.global,f=t.stat;if(n=s?i:f?i[u]||Y(u,{}):(i[u]||{}).prototype)for(r in e){if(a=e[r],o=t.noTargetGet?(c=ke(n,r))&&c.value:n[r],!Ie(s?r:u+(f?".":"#")+r,t.forced)&&void 0!==o){if(typeof a==typeof o)continue;xe(a,o)}(t.sham||o&&o.sham)&&Mt(a,"sham",!0),ie(n,r,a,t)}},Me=function(t,e){var n=[][t];return!!n&&a((function(){n.call(null,e||function(){return 1},1)}))},Ue=b([].join),Be=x!=Object,Fe=Me("join",",");Ne({target:"Array",proto:!0,forced:Be||!Fe},{join:function(t){return Ue(P(this),void 0===t?",":t)}});var De,_e=Object.keys||function(t){return ye(t,be)},qe={f:c&&!Ot?Object.defineProperties:function(t,e){Ct(t);for(var n,r=P(e),o=_e(e),i=o.length,a=0;i>a;)Nt.f(t,n=o[a++],r[n]);return t}},ze=I("document","documentElement"),We=Gt("IE_PROTO"),Ge=function(){},He=function(t){return"<script>"+t+"</"+"script>"},Ve=function(t){t.write(He("")),t.close();var e=t.parentWindow.Object;return t=null,e},Xe=function(){try{De=new ActiveXObject("htmlfile")}catch(t){}var t,e;Xe="undefined"!=typeof document?document.domain&&De?Ve(De):((e=wt("iframe")).style.display="none",ze.appendChild(e),e.src=String("javascript:"),(t=e.contentWindow.document).open(),t.write(He("document.F=Object")),t.close(),t.F):Ve(De);for(var n=be.length;n--;)delete Xe.prototype[be[n]];return Xe()};Ht[We]=!0;var Ke=Object.create||function(t,e){var n;return null!==t?(Ge.prototype=Ct(t),n=new Ge,Ge.prototype=null,n[We]=t):n=Xe(),void 0===e?n:qe.f(n,e)},$e=dt("unscopables"),Je=Array.prototype;null==Je[$e]&&Nt.f(Je,$e,{configurable:!0,value:Ke(null)});var Ye,Qe=ve.includes;Ne({target:"Array",proto:!0},{includes:function(t){return Qe(this,t,arguments.length>1?arguments[1]:void 0)}}),Ye="includes",Je[$e][Ye]=!0;var Ze={};Ze[dt("toStringTag")]="z";var tn,en,nn="[object z]"===String(Ze),rn=dt("toStringTag"),on=i.Object,an="Arguments"==j(function(){return arguments}()),cn=nn?j:function(t){var e,n,r;return void 0===t?"Undefined":null===t?"Null":"string"==typeof(n=function(t,e){try{return t[e]}catch(t){}}(e=on(t),rn))?n:an?j(e):"Object"==(r=j(e))&&R(e.callee)?"Arguments":r},un=i.String,sn=function(t){if("Symbol"===cn(t))throw TypeError("Cannot convert a Symbol value to a string");return un(t)},fn=function(){var t=Ct(this),e="";return t.global&&(e+="g"),t.ignoreCase&&(e+="i"),t.multiline&&(e+="m"),t.dotAll&&(e+="s"),t.unicode&&(e+="u"),t.sticky&&(e+="y"),e},ln=i.RegExp,pn=a((function(){var t=ln("a","y");return t.lastIndex=2,null!=t.exec("abcd")})),dn=pn||a((function(){return!ln("a","y").sticky})),hn={BROKEN_CARET:pn||a((function(){var t=ln("^r","gy");return t.lastIndex=2,null!=t.exec("str")})),MISSED_STICKY:dn,UNSUPPORTED_Y:pn},vn=i.RegExp,gn=a((function(){var t=vn(".","s");return!(t.dotAll&&t.exec("\n")&&"s"===t.flags)})),mn=i.RegExp,yn=a((function(){var t=mn("(?<a>b)","g");return"b"!==t.exec("b").groups.a||"bc"!=="b".replace(t,"$<a>c")})),bn=te.get,wn=tt("native-string-replace",String.prototype.replace),En=RegExp.prototype.exec,jn=En,Sn=b("".charAt),On=b("".indexOf),xn=b("".replace),Tn=b("".slice),Cn=(en=/b*/g,f(En,tn=/a/,"a"),f(En,en,"a"),0!==tn.lastIndex||0!==en.lastIndex),Pn=hn.BROKEN_CARET,Rn=void 0!==/()??/.exec("")[1];(Cn||Rn||Pn||gn||yn)&&(jn=function(t){var e,n,r,o,i,a,c,u=this,s=bn(u),l=sn(t),p=s.raw;if(p)return p.lastIndex=u.lastIndex,e=f(jn,p,l),u.lastIndex=p.lastIndex,e;var d=s.groups,h=Pn&&u.sticky,v=f(fn,u),g=u.source,m=0,y=l;if(h&&(v=xn(v,"y",""),-1===On(v,"g")&&(v+="g"),y=Tn(l,u.lastIndex),u.lastIndex>0&&(!u.multiline||u.multiline&&"\n"!==Sn(l,u.lastIndex-1))&&(g="(?: "+g+")",y=" "+y,m++),n=new RegExp("^(?:"+g+")",v)),Rn&&(n=new RegExp("^"+g+"$(?!\\s)",v)),Cn&&(r=u.lastIndex),o=f(En,h?n:u,y),h?o?(o.input=Tn(o.input,m),o[0]=Tn(o[0],m),o.index=u.lastIndex,u.lastIndex+=o[0].length):u.lastIndex=0:Cn&&o&&(u.lastIndex=u.global?o.index+o[0].length:r),Rn&&o&&o.length>1&&f(wn,o[0],n,(function(){for(i=1;i<arguments.length-2;i++)void 0===arguments[i]&&(o[i]=void 0)})),o&&d)for(o.groups=a=Ke(null),i=0;i<d.length;i++)a[(c=d[i])[0]]=o[c[1]];return o});Ne({target:"RegExp",proto:!0,forced:/./.exec!==jn},{exec:jn});var An,Ln=dt("match"),In=i.TypeError,kn=function(t){if(function(t){var e;return A(t)&&(void 0!==(e=t[Ln])?!!e:"RegExp"==j(t))}(t))throw In("The method doesn't accept regular expressions");return t},Nn=dt("match"),Mn=function(t){var e=/./;try{"/./"[t](e)}catch(n){try{return e[Nn]=!1,"/./"[t](e)}catch(t){}}return!1},Un=St.f,Bn=b("".endsWith),Fn=b("".slice),Dn=Math.min,_n=Mn("endsWith");Ne({target:"String",proto:!0,forced:!!(_n||(An=Un(String.prototype,"endsWith"),!An||An.writable))&&!_n},{endsWith:function(t){var e=sn(C(this));kn(t);var n=arguments.length>1?arguments[1]:void 0,r=e.length,o=void 0===n?r:Dn(pe(n),r),i=sn(t);return Bn?Bn(e,i,o):Fn(e,o-i.length,o)===i}});var qn=St.f,zn=b("".startsWith),Wn=b("".slice),Gn=Math.min,Hn=Mn("startsWith");Ne({target:"String",proto:!0,forced:!(!Hn&&!!function(){var t=qn(String.prototype,"startsWith");return t&&!t.writable}())&&!Hn},{startsWith:function(t){var e=sn(C(this));kn(t);var n=pe(Gn(arguments.length>1?arguments[1]:void 0,e.length)),r=sn(t);return zn?zn(e,r,n):Wn(e,n,n+r.length)===r}});var Vn=nn?{}.toString:function(){return"[object "+cn(this)+"]"};nn||ie(Object.prototype,"toString",Vn,{unsafe:!0});var Xn=i.Promise,Kn=i.String,$n=i.TypeError,Jn=Object.setPrototypeOf||("__proto__"in{}?function(){var t,e=!1,n={};try{(t=b(Object.getOwnPropertyDescriptor(Object.prototype,"__proto__").set))(n,[]),e=n instanceof Array}catch(t){}return function(n,r){return Ct(n),function(t){if("object"==typeof t||R(t))return t;throw $n("Can't set "+Kn(t)+" as a prototype")}(r),e?t(n,r):n.__proto__=r,n}}():void 0),Yn=Nt.f,Qn=dt("toStringTag"),Zn=dt("species"),tr=i.TypeError,er=b(b.bind),nr=function(t,e){return X(t),void 0===e?t:u?er(t,e):function(){return t.apply(e,arguments)}},rr={},or=dt("iterator"),ir=Array.prototype,ar=dt("iterator"),cr=function(t){if(null!=t)return K(t,ar)||K(t,"@@iterator")||rr[cn(t)]},ur=i.TypeError,sr=function(t,e,n){var r,o;Ct(t);try{if(!(r=K(t,"return"))){if("throw"===e)throw n;return n}r=f(r,t)}catch(t){o=!0,r=t}if("throw"===e)throw n;if(o)throw r;return Ct(r),n},fr=i.TypeError,lr=function(t,e){this.stopped=t,this.result=e},pr=lr.prototype,dr=function(t,e,n){var r,o,i,a,c,u,s,l,p=n&&n.that,d=!(!n||!n.AS_ENTRIES),h=!(!n||!n.IS_ITERATOR),v=!(!n||!n.INTERRUPTED),g=nr(e,p),m=function(t){return r&&sr(r,"normal",t),new lr(!0,t)},y=function(t){return d?(Ct(t),v?g(t[0],t[1],m):g(t[0],t[1])):v?g(t,m):g(t)};if(h)r=t;else{if(!(o=cr(t)))throw fr(H(t)+" is not iterable");if(void 0!==(l=o)&&(rr.Array===l||ir[or]===l)){for(i=0,a=de(t);a>i;i++)if((c=y(t[i]))&&k(pr,c))return c;return new lr(!1)}r=function(t,e){var n=arguments.length<2?cr(t):e;if(X(n))return Ct(f(n,t));throw ur(H(t)+" is not iterable")}(t,o)}for(u=r.next;!(s=f(u,r)).done;){try{c=y(s.value)}catch(t){sr(r,"throw",t)}if("object"==typeof c&&c&&k(pr,c))return c}return new lr(!1)},hr=dt("iterator"),vr=!1;try{var gr=0,mr={next:function(){return{done:!!gr++}},return:function(){vr=!0}};mr[hr]=function(){return this},Array.from(mr,(function(){throw 2}))}catch(t){}var yr=function(){},br=[],wr=I("Reflect","construct"),Er=/^\s*(?:class|function)\b/,jr=b(Er.exec),Sr=!Er.exec(yr),Or=function(t){if(!R(t))return!1;try{return wr(yr,br,t),!0}catch(t){return!1}},xr=function(t){if(!R(t))return!1;switch(cn(t)){case"AsyncFunction":case"GeneratorFunction":case"AsyncGeneratorFunction":return!1}try{return Sr||!!jr(Er,_t(t))}catch(t){return!0}};xr.sham=!0;var Tr,Cr,Pr,Rr,Ar=!wr||a((function(){var t;return Or(Or.call)||!Or(Object)||!Or((function(){t=!0}))||t}))?xr:Or,Lr=i.TypeError,Ir=dt("species"),kr=function(t,e){var n,r=Ct(t).constructor;return void 0===r||null==(n=Ct(r)[Ir])?e:function(t){if(Ar(t))return t;throw Lr(H(t)+" is not a constructor")}(n)},Nr=Function.prototype,Mr=Nr.apply,Ur=Nr.call,Br="object"==typeof Reflect&&Reflect.apply||(u?Ur.bind(Mr):function(){return Ur.apply(Mr,arguments)}),Fr=b([].slice),Dr=i.TypeError,_r=function(t,e){if(t<e)throw Dr("Not enough arguments");return t},qr=/(?:ipad|iphone|ipod).*applewebkit/i.test(N),zr="process"==j(i.process),Wr=i.setImmediate,Gr=i.clearImmediate,Hr=i.process,Vr=i.Dispatch,Xr=i.Function,Kr=i.MessageChannel,$r=i.String,Jr=0,Yr={},Qr="onreadystatechange";try{Tr=i.location}catch(t){}var Zr=function(t){if(ot(Yr,t)){var e=Yr[t];delete Yr[t],e()}},to=function(t){return function(){Zr(t)}},eo=function(t){Zr(t.data)},no=function(t){i.postMessage($r(t),Tr.protocol+"//"+Tr.host)};Wr&&Gr||(Wr=function(t){_r(arguments.length,1);var e=R(t)?t:Xr(t),n=Fr(arguments,1);return Yr[++Jr]=function(){Br(e,void 0,n)},Cr(Jr),Jr},Gr=function(t){delete Yr[t]},zr?Cr=function(t){Hr.nextTick(to(t))}:Vr&&Vr.now?Cr=function(t){Vr.now(to(t))}:Kr&&!qr?(Rr=(Pr=new Kr).port2,Pr.port1.onmessage=eo,Cr=nr(Rr.postMessage,Rr)):i.addEventListener&&R(i.postMessage)&&!i.importScripts&&Tr&&"file:"!==Tr.protocol&&!a(no)?(Cr=no,i.addEventListener("message",eo,!1)):Cr=Qr in wt("script")?function(t){ze.appendChild(wt("script")).onreadystatechange=function(){ze.removeChild(this),Zr(t)}}:function(t){setTimeout(to(t),0)});var ro,oo,io,ao,co,uo,so,fo,lo={set:Wr,clear:Gr},po=/ipad|iphone|ipod/i.test(N)&&void 0!==i.Pebble,ho=/web0s(?!.*chrome)/i.test(N),vo=St.f,go=lo.set,mo=i.MutationObserver||i.WebKitMutationObserver,yo=i.document,bo=i.process,wo=i.Promise,Eo=vo(i,"queueMicrotask"),jo=Eo&&Eo.value;jo||(ro=function(){var t,e;for(zr&&(t=bo.domain)&&t.exit();oo;){e=oo.fn,oo=oo.next;try{e()}catch(t){throw oo?ao():io=void 0,t}}io=void 0,t&&t.enter()},qr||zr||ho||!mo||!yo?!po&&wo&&wo.resolve?((so=wo.resolve(void 0)).constructor=wo,fo=nr(so.then,so),ao=function(){fo(ro)}):zr?ao=function(){bo.nextTick(ro)}:(go=nr(go,i),ao=function(){go(ro)}):(co=!0,uo=yo.createTextNode(""),new mo(ro).observe(uo,{characterData:!0}),ao=function(){uo.data=co=!co}));var So=jo||function(t){var e={fn:t,next:void 0};io&&(io.next=e),oo||(oo=e,ao()),io=e},Oo=function(t){var e,n;this.promise=new t((function(t,r){if(void 0!==e||void 0!==n)throw TypeError("Bad Promise constructor");e=t,n=r})),this.resolve=X(e),this.reject=X(n)},xo={f:function(t){return new Oo(t)}},To=function(t){try{return{error:!1,value:t()}}catch(t){return{error:!0,value:t}}},Co=function(){this.head=null,this.tail=null};Co.prototype={add:function(t){var e={item:t,next:null};this.head?this.tail.next=e:this.head=e,this.tail=e},get:function(){var t=this.head;if(t)return this.head=t.next,this.tail===t&&(this.tail=null),t.item}};var Po,Ro,Ao,Lo,Io,ko,No,Mo=Co,Uo="object"==typeof window,Bo=lo.set,Fo=dt("species"),Do="Promise",_o=te.getterFor(Do),qo=te.set,zo=te.getterFor(Do),Wo=Xn&&Xn.prototype,Go=Xn,Ho=Wo,Vo=i.TypeError,Xo=i.document,Ko=i.process,$o=xo.f,Jo=$o,Yo=!!(Xo&&Xo.createEvent&&i.dispatchEvent),Qo=R(i.PromiseRejectionEvent),Zo="unhandledrejection",ti=!1,ei=Ie(Do,(function(){var t=_t(Go),e=t!==String(Go);if(!e&&66===D)return!0;if(D>=51&&/native code/.test(t))return!1;var n=new Go((function(t){t(1)})),r=function(t){t((function(){}),(function(){}))};return(n.constructor={})[Fo]=r,!(ti=n.then((function(){}))instanceof r)||!e&&Uo&&!Qo})),ni=ei||!function(t,e){if(!e&&!vr)return!1;var n=!1;try{var r={};r[hr]=function(){return{next:function(){return{done:n=!0}}}},t(r)}catch(t){}return n}((function(t){Go.all(t).catch((function(){}))})),ri=function(t){var e;return!(!A(t)||!R(e=t.then))&&e},oi=function(t,e){var n,r,o,i=e.value,a=1==e.state,c=a?t.ok:t.fail,u=t.resolve,s=t.reject,l=t.domain;try{c?(a||(2===e.rejection&&si(e),e.rejection=1),!0===c?n=i:(l&&l.enter(),n=c(i),l&&(l.exit(),o=!0)),n===t.promise?s(Vo("Promise-chain cycle")):(r=ri(n))?f(r,n,u,s):u(n)):s(i)}catch(t){l&&!o&&l.exit(),s(t)}},ii=function(t,e){t.notified||(t.notified=!0,So((function(){for(var n,r=t.reactions;n=r.get();)oi(n,t);t.notified=!1,e&&!t.rejection&&ci(t)})))},ai=function(t,e,n){var r,o;Yo?((r=Xo.createEvent("Event")).promise=e,r.reason=n,r.initEvent(t,!1,!0),i.dispatchEvent(r)):r={promise:e,reason:n},!Qo&&(o=i["on"+t])?o(r):t===Zo&&function(t,e){var n=i.console;n&&n.error&&(1==arguments.length?n.error(t):n.error(t,e))}("Unhandled promise rejection",n)},ci=function(t){f(Bo,i,(function(){var e,n=t.facade,r=t.value;if(ui(t)&&(e=To((function(){zr?Ko.emit("unhandledRejection",r,n):ai(Zo,n,r)})),t.rejection=zr||ui(t)?2:1,e.error))throw e.value}))},ui=function(t){return 1!==t.rejection&&!t.parent},si=function(t){f(Bo,i,(function(){var e=t.facade;zr?Ko.emit("rejectionHandled",e):ai("rejectionhandled",e,t.value)}))},fi=function(t,e,n){return function(r){t(e,r,n)}},li=function(t,e,n){t.done||(t.done=!0,n&&(t=n),t.value=e,t.state=2,ii(t,!0))},pi=function(t,e,n){if(!t.done){t.done=!0,n&&(t=n);try{if(t.facade===e)throw Vo("Promise can't be resolved itself");var r=ri(e);r?So((function(){var n={done:!1};try{f(r,e,fi(pi,n,t),fi(li,n,t))}catch(e){li(n,e,t)}})):(t.value=e,t.state=1,ii(t,!1))}catch(e){li({done:!1},e,t)}}};if(ei&&(Ho=(Go=function(t){!function(t,e){if(k(e,t))return t;throw tr("Incorrect invocation")}(this,Ho),X(t),f(Po,this);var e=_o(this);try{t(fi(pi,e),fi(li,e))}catch(t){li(e,t)}}).prototype,(Po=function(t){qo(this,{type:Do,done:!1,notified:!1,parent:!1,reactions:new Mo,rejection:!1,state:0,value:void 0})}).prototype=function(t,e,n){for(var r in e)ie(t,r,e[r],n);return t}(Ho,{then:function(t,e){var n=zo(this),r=$o(kr(this,Go));return n.parent=!0,r.ok=!R(t)||t,r.fail=R(e)&&e,r.domain=zr?Ko.domain:void 0,0==n.state?n.reactions.add(r):So((function(){oi(r,n)})),r.promise},catch:function(t){return this.then(void 0,t)}}),Ro=function(){var t=new Po,e=_o(t);this.promise=t,this.resolve=fi(pi,e),this.reject=fi(li,e)},xo.f=$o=function(t){return t===Go||t===Ao?new Ro(t):Jo(t)},R(Xn)&&Wo!==Object.prototype)){Lo=Wo.then,ti||(ie(Wo,"then",(function(t,e){var n=this;return new Go((function(t,e){f(Lo,n,t,e)})).then(t,e)}),{unsafe:!0}),ie(Wo,"catch",Ho.catch,{unsafe:!0}));try{delete Wo.constructor}catch(t){}Jn&&Jn(Wo,Ho)}Ne({global:!0,wrap:!0,forced:ei},{Promise:Go}),ko=Do,No=!1,(Io=Go)&&!No&&(Io=Io.prototype),Io&&!ot(Io,Qn)&&Yn(Io,Qn,{configurable:!0,value:ko}),function(t){var e=I(t),n=Nt.f;c&&e&&!e[Zn]&&n(e,Zn,{configurable:!0,get:function(){return this}})}(Do),Ao=I(Do),Ne({target:Do,stat:!0,forced:ei},{reject:function(t){var e=$o(this);return f(e.reject,void 0,t),e.promise}}),Ne({target:Do,stat:!0,forced:ei},{resolve:function(t){return function(t,e){if(Ct(t),A(e)&&e.constructor===t)return e;var n=xo.f(t);return(0,n.resolve)(e),n.promise}(this,t)}}),Ne({target:Do,stat:!0,forced:ni},{all:function(t){var e=this,n=$o(e),r=n.resolve,o=n.reject,i=To((function(){var n=X(e.resolve),i=[],a=0,c=1;dr(t,(function(t){var u=a++,s=!1;c++,f(n,e,t).then((function(t){s||(s=!0,i[u]=t,--c||r(i))}),o)})),--c||r(i)}));return i.error&&o(i.value),n.promise},race:function(t){var e=this,n=$o(e),r=n.reject,o=To((function(){var o=X(e.resolve);dr(t,(function(t){f(o,e,t).then(n.resolve,r)}))}));return o.error&&r(o.value),n.promise}});var di=Object.assign,hi=Object.defineProperty,vi=b([].concat),gi=!di||a((function(){if(c&&1!==di({b:1},di(hi({},"a",{enumerable:!0,get:function(){hi(this,"b",{value:3,enumerable:!1})}}),{b:2})).b)return!0;var t={},e={},n=Symbol(),r="abcdefghijklmnopqrst";return t[n]=7,r.split("").forEach((function(t){e[t]=t})),7!=di({},t)[n]||_e(di({},e)).join("")!=r}))?function(t,e){for(var n=nt(t),r=arguments.length,o=1,i=je.f,a=d.f;r>o;)for(var u,s=x(arguments[o++]),l=i?vi(_e(s),i(s)):_e(s),p=l.length,h=0;p>h;)u=l[h++],c&&!f(a,s,u)||(n[u]=s[u]);return n}:di;Ne({target:"Object",stat:!0,forced:Object.assign!==gi},{assign:gi});var mi,yi=Array.isArray||function(t){return"Array"==j(t)},bi=function(t,e,n){var r=mt(e);r in t?Nt.f(t,r,h(0,n)):t[r]=n},wi=dt("species"),Ei=i.Array,ji=function(t,e){return new(function(t){var e;return yi(t)&&(e=t.constructor,(Ar(e)&&(e===Ei||yi(e.prototype))||A(e)&&null===(e=e[wi]))&&(e=void 0)),void 0===e?Ei:e}(t))(0===e?0:e)},Si=dt("species"),Oi=dt("isConcatSpreadable"),xi=9007199254740991,Ti="Maximum allowed index exceeded",Ci=i.TypeError,Pi=D>=51||!a((function(){var t=[];return t[Oi]=!1,t.concat()[0]!==t})),Ri=(mi="concat",D>=51||!a((function(){var t=[];return(t.constructor={})[Si]=function(){return{foo:1}},1!==t[mi](Boolean).foo}))),Ai=function(t){if(!A(t))return!1;var e=t[Oi];return void 0!==e?!!e:yi(t)};Ne({target:"Array",proto:!0,forced:!Pi||!Ri},{concat:function(t){var e,n,r,o,i,a=nt(this),c=ji(a,0),u=0;for(e=-1,r=arguments.length;e<r;e++)if(Ai(i=-1===e?a:arguments[e])){if(u+(o=de(i))>xi)throw Ci(Ti);for(n=0;n<o;n++,u++)n in i&&bi(c,u,i[n])}else{if(u>=xi)throw Ci(Ti);bi(c,u++,i)}return c.length=u,c}}),Ne({target:"Object",stat:!0,forced:a((function(){_e(1)}))},{keys:function(t){return _e(nt(t))}});var Li=oe.EXISTS,Ii=Nt.f,ki=Function.prototype,Ni=b(ki.toString),Mi=/function\b(?:\s|\/\*[\S\s]*?\*\/|\/\/[^\n\r]*[\n\r]+)*([^\s(/]*)/,Ui=b(Mi.exec);c&&!Li&&Ii(ki,"name",{configurable:!0,get:function(){try{return Ui(Mi,Ni(this))[1]}catch(t){return""}}});var Bi={CSSRuleList:0,CSSStyleDeclaration:0,CSSValueList:0,ClientRectList:0,DOMRectList:0,DOMStringList:0,DOMTokenList:1,DataTransferItemList:0,FileList:0,HTMLAllCollection:0,HTMLCollection:0,HTMLFormElement:0,HTMLSelectElement:0,MediaList:0,MimeTypeArray:0,NamedNodeMap:0,NodeList:1,PaintRequestList:0,Plugin:0,PluginArray:0,SVGLengthList:0,SVGNumberList:0,SVGPathSegList:0,SVGPointList:0,SVGStringList:0,SVGTransformList:0,SourceBufferList:0,StyleSheetList:0,TextTrackCueList:0,TextTrackList:0,TouchList:0},Fi=wt("span").classList,Di=Fi&&Fi.constructor&&Fi.constructor.prototype,_i=Di===Object.prototype?void 0:Di,qi=b([].push),zi=function(t){var e=1==t,n=2==t,r=3==t,o=4==t,i=6==t,a=7==t,c=5==t||i;return function(u,s,f,l){for(var p,d,h=nt(u),v=x(h),g=nr(s,f),m=de(v),y=0,b=l||ji,w=e?b(u,m):n||a?b(u,0):void 0;m>y;y++)if((c||y in v)&&(d=g(p=v[y],y,h),t))if(e)w[y]=d;else if(d)switch(t){case 3:return!0;case 5:return p;case 6:return y;case 2:qi(w,p)}else switch(t){case 4:return!1;case 7:qi(w,p)}return i?-1:r||o?o:w}},Wi={forEach:zi(0),map:zi(1),filter:zi(2),some:zi(3),every:zi(4),find:zi(5),findIndex:zi(6),filterReject:zi(7)}.forEach,Gi=Me("forEach")?[].forEach:function(t){return Wi(this,t,arguments.length>1?arguments[1]:void 0)},Hi=function(t){if(t&&t.forEach!==Gi)try{Mt(t,"forEach",Gi)}catch(e){t.forEach=Gi}};for(var Vi in Bi)Bi[Vi]&&Hi(i[Vi]&&i[Vi].prototype);Hi(_i);var Xi=function(t,e){return function(){for(var n=new Array(arguments.length),r=0;r<n.length;r++)n[r]=arguments[r];return t.apply(e,n)}},Ki=Object.prototype.toString;function $i(t){return"[object Array]"===Ki.call(t)}function Ji(t){return void 0===t}function Yi(t){return null!==t&&"object"==typeof t}function Qi(t){if("[object Object]"!==Ki.call(t))return!1;var e=Object.getPrototypeOf(t);return null===e||e===Object.prototype}function Zi(t){return"[object Function]"===Ki.call(t)}function ta(t,e){if(null!=t)if("object"!=typeof t&&(t=[t]),$i(t))for(var n=0,r=t.length;n<r;n++)e.call(null,t[n],n,t);else for(var o in t)Object.prototype.hasOwnProperty.call(t,o)&&e.call(null,t[o],o,t)}var ea={isArray:$i,isArrayBuffer:function(t){return"[object ArrayBuffer]"===Ki.call(t)},isBuffer:function(t){return null!==t&&!Ji(t)&&null!==t.constructor&&!Ji(t.constructor)&&"function"==typeof t.constructor.isBuffer&&t.constructor.isBuffer(t)},isFormData:function(t){return"undefined"!=typeof FormData&&t instanceof FormData},isArrayBufferView:function(t){return"undefined"!=typeof ArrayBuffer&&ArrayBuffer.isView?ArrayBuffer.isView(t):t&&t.buffer&&t.buffer instanceof ArrayBuffer},isString:function(t){return"string"==typeof t},isNumber:function(t){return"number"==typeof t},isObject:Yi,isPlainObject:Qi,isUndefined:Ji,isDate:function(t){return"[object Date]"===Ki.call(t)},isFile:function(t){return"[object File]"===Ki.call(t)},isBlob:function(t){return"[object Blob]"===Ki.call(t)},isFunction:Zi,isStream:function(t){return Yi(t)&&Zi(t.pipe)},isURLSearchParams:function(t){return"undefined"!=typeof URLSearchParams&&t instanceof URLSearchParams},isStandardBrowserEnv:function(){return("undefined"==typeof navigator||"ReactNative"!==navigator.product&&"NativeScript"!==navigator.product&&"NS"!==navigator.product)&&("undefined"!=typeof window&&"undefined"!=typeof document)},forEach:ta,merge:function t(){var e={};function n(n,r){Qi(e[r])&&Qi(n)?e[r]=t(e[r],n):Qi(n)?e[r]=t({},n):$i(n)?e[r]=n.slice():e[r]=n}for(var r=0,o=arguments.length;r<o;r++)ta(arguments[r],n);return e},extend:function(t,e,n){return ta(e,(function(e,r){t[r]=n&&"function"==typeof e?Xi(e,n):e})),t},trim:function(t){return t.replace(/^\s*/,"").replace(/\s*$/,"")},stripBOM:function(t){return 65279===t.charCodeAt(0)&&(t=t.slice(1)),t}};function na(t){return encodeURIComponent(t).replace(/%3A/gi,":").replace(/%24/g,"$").replace(/%2C/gi,",").replace(/%20/g,"+").replace(/%5B/gi,"[").replace(/%5D/gi,"]")}var ra=function(t,e,n){if(!e)return t;var r;if(n)r=n(e);else if(ea.isURLSearchParams(e))r=e.toString();else{var o=[];ea.forEach(e,(function(t,e){null!=t&&(ea.isArray(t)?e+="[]":t=[t],ea.forEach(t,(function(t){ea.isDate(t)?t=t.toISOString():ea.isObject(t)&&(t=JSON.stringify(t)),o.push(na(e)+"="+na(t))})))})),r=o.join("&")}if(r){var i=t.indexOf("#");-1!==i&&(t=t.slice(0,i)),t+=(-1===t.indexOf("?")?"?":"&")+r}return t};function oa(){this.handlers=[]}oa.prototype.use=function(t,e){return this.handlers.push({fulfilled:t,rejected:e}),this.handlers.length-1},oa.prototype.eject=function(t){this.handlers[t]&&(this.handlers[t]=null)},oa.prototype.forEach=function(t){ea.forEach(this.handlers,(function(e){null!==e&&t(e)}))};var ia=oa,aa=function(t,e,n){return ea.forEach(n,(function(n){t=n(t,e)})),t},ca=function(t){return!(!t||!t.__CANCEL__)},ua=function(t,e){ea.forEach(t,(function(n,r){r!==e&&r.toUpperCase()===e.toUpperCase()&&(t[e]=n,delete t[r])}))},sa=function(t,e,n,r,o){return function(t,e,n,r,o){return t.config=e,n&&(t.code=n),t.request=r,t.response=o,t.isAxiosError=!0,t.toJSON=function(){return{message:this.message,name:this.name,description:this.description,number:this.number,fileName:this.fileName,lineNumber:this.lineNumber,columnNumber:this.columnNumber,stack:this.stack,config:this.config,code:this.code}},t}(new Error(t),e,n,r,o)},fa=ea.isStandardBrowserEnv()?{write:function(t,e,n,r,o,i){var a=[];a.push(t+"="+encodeURIComponent(e)),ea.isNumber(n)&&a.push("expires="+new Date(n).toGMTString()),ea.isString(r)&&a.push("path="+r),ea.isString(o)&&a.push("domain="+o),!0===i&&a.push("secure"),document.cookie=a.join("; ")},read:function(t){var e=document.cookie.match(new RegExp("(^|;\\s*)("+t+")=([^;]*)"));return e?decodeURIComponent(e[3]):null},remove:function(t){this.write(t,"",Date.now()-864e5)}}:{write:function(){},read:function(){return null},remove:function(){}},la=["age","authorization","content-length","content-type","etag","expires","from","host","if-modified-since","if-unmodified-since","last-modified","location","max-forwards","proxy-authorization","referer","retry-after","user-agent"],pa=ea.isStandardBrowserEnv()?function(){var t,e=/(msie|trident)/i.test(navigator.userAgent),n=document.createElement("a");function r(t){var r=t;return e&&(n.setAttribute("href",r),r=n.href),n.setAttribute("href",r),{href:n.href,protocol:n.protocol?n.protocol.replace(/:$/,""):"",host:n.host,search:n.search?n.search.replace(/^\?/,""):"",hash:n.hash?n.hash.replace(/^#/,""):"",hostname:n.hostname,port:n.port,pathname:"/"===n.pathname.charAt(0)?n.pathname:"/"+n.pathname}}return t=r(window.location.href),function(e){var n=ea.isString(e)?r(e):e;return n.protocol===t.protocol&&n.host===t.host}}():function(){return!0},da=function(t){return new Promise((function(e,n){var r=t.data,o=t.headers;ea.isFormData(r)&&delete o["Content-Type"];var i=new XMLHttpRequest;if(t.auth){var a=t.auth.username||"",c=t.auth.password?unescape(encodeURIComponent(t.auth.password)):"";o.Authorization="Basic "+btoa(a+":"+c)}var u,s,f=(u=t.baseURL,s=t.url,u&&!/^([a-z][a-z\d\+\-\.]*:)?\/\//i.test(s)?function(t,e){return e?t.replace(/\/+$/,"")+"/"+e.replace(/^\/+/,""):t}(u,s):s);if(i.open(t.method.toUpperCase(),ra(f,t.params,t.paramsSerializer),!0),i.timeout=t.timeout,i.onreadystatechange=function(){if(i&&4===i.readyState&&(0!==i.status||i.responseURL&&0===i.responseURL.indexOf("file:"))){var r="getAllResponseHeaders"in i?function(t){var e,n,r,o={};return t?(ea.forEach(t.split("\n"),(function(t){if(r=t.indexOf(":"),e=ea.trim(t.substr(0,r)).toLowerCase(),n=ea.trim(t.substr(r+1)),e){if(o[e]&&la.indexOf(e)>=0)return;o[e]="set-cookie"===e?(o[e]?o[e]:[]).concat([n]):o[e]?o[e]+", "+n:n}})),o):o}(i.getAllResponseHeaders()):null,o={data:t.responseType&&"text"!==t.responseType?i.response:i.responseText,status:i.status,statusText:i.statusText,headers:r,config:t,request:i};!function(t,e,n){var r=n.config.validateStatus;n.status&&r&&!r(n.status)?e(sa("Request failed with status code "+n.status,n.config,null,n.request,n)):t(n)}(e,n,o),i=null}},i.onabort=function(){i&&(n(sa("Request aborted",t,"ECONNABORTED",i)),i=null)},i.onerror=function(){n(sa("Network Error",t,null,i)),i=null},i.ontimeout=function(){var e="timeout of "+t.timeout+"ms exceeded";t.timeoutErrorMessage&&(e=t.timeoutErrorMessage),n(sa(e,t,"ECONNABORTED",i)),i=null},ea.isStandardBrowserEnv()){var l=(t.withCredentials||pa(f))&&t.xsrfCookieName?fa.read(t.xsrfCookieName):void 0;l&&(o[t.xsrfHeaderName]=l)}if("setRequestHeader"in i&&ea.forEach(o,(function(t,e){void 0===r&&"content-type"===e.toLowerCase()?delete o[e]:i.setRequestHeader(e,t)})),ea.isUndefined(t.withCredentials)||(i.withCredentials=!!t.withCredentials),t.responseType)try{i.responseType=t.responseType}catch(e){if("json"!==t.responseType)throw e}"function"==typeof t.onDownloadProgress&&i.addEventListener("progress",t.onDownloadProgress),"function"==typeof t.onUploadProgress&&i.upload&&i.upload.addEventListener("progress",t.onUploadProgress),t.cancelToken&&t.cancelToken.promise.then((function(t){i&&(i.abort(),n(t),i=null)})),r||(r=null),i.send(r)}))},ha={"Content-Type":"application/x-www-form-urlencoded"};function va(t,e){!ea.isUndefined(t)&&ea.isUndefined(t["Content-Type"])&&(t["Content-Type"]=e)}var ga,ma={adapter:(("undefined"!=typeof XMLHttpRequest||"undefined"!=typeof process&&"[object process]"===Object.prototype.toString.call(process))&&(ga=da),ga),transformRequest:[function(t,e){return ua(e,"Accept"),ua(e,"Content-Type"),ea.isFormData(t)||ea.isArrayBuffer(t)||ea.isBuffer(t)||ea.isStream(t)||ea.isFile(t)||ea.isBlob(t)?t:ea.isArrayBufferView(t)?t.buffer:ea.isURLSearchParams(t)?(va(e,"application/x-www-form-urlencoded;charset=utf-8"),t.toString()):ea.isObject(t)?(va(e,"application/json;charset=utf-8"),JSON.stringify(t)):t}],transformResponse:[function(t){if("string"==typeof t)try{t=JSON.parse(t)}catch(t){}return t}],timeout:0,xsrfCookieName:"XSRF-TOKEN",xsrfHeaderName:"X-XSRF-TOKEN",maxContentLength:-1,maxBodyLength:-1,validateStatus:function(t){return t>=200&&t<300}};ma.headers={common:{Accept:"application/json, text/plain, */*"}},ea.forEach(["delete","get","head"],(function(t){ma.headers[t]={}})),ea.forEach(["post","put","patch"],(function(t){ma.headers[t]=ea.merge(ha)}));var ya=ma;function ba(t){t.cancelToken&&t.cancelToken.throwIfRequested()}var wa=function(t){return ba(t),t.headers=t.headers||{},t.data=aa(t.data,t.headers,t.transformRequest),t.headers=ea.merge(t.headers.common||{},t.headers[t.method]||{},t.headers),ea.forEach(["delete","get","head","post","put","patch","common"],(function(e){delete t.headers[e]})),(t.adapter||ya.adapter)(t).then((function(e){return ba(t),e.data=aa(e.data,e.headers,t.transformResponse),e}),(function(e){return ca(e)||(ba(t),e&&e.response&&(e.response.data=aa(e.response.data,e.response.headers,t.transformResponse))),Promise.reject(e)}))},Ea=function(t,e){e=e||{};var n={},r=["url","method","data"],o=["headers","auth","proxy","params"],i=["baseURL","transformRequest","transformResponse","paramsSerializer","timeout","timeoutMessage","withCredentials","adapter","responseType","xsrfCookieName","xsrfHeaderName","onUploadProgress","onDownloadProgress","decompress","maxContentLength","maxBodyLength","maxRedirects","transport","httpAgent","httpsAgent","cancelToken","socketPath","responseEncoding"],a=["validateStatus"];function c(t,e){return ea.isPlainObject(t)&&ea.isPlainObject(e)?ea.merge(t,e):ea.isPlainObject(e)?ea.merge({},e):ea.isArray(e)?e.slice():e}function u(r){ea.isUndefined(e[r])?ea.isUndefined(t[r])||(n[r]=c(void 0,t[r])):n[r]=c(t[r],e[r])}ea.forEach(r,(function(t){ea.isUndefined(e[t])||(n[t]=c(void 0,e[t]))})),ea.forEach(o,u),ea.forEach(i,(function(r){ea.isUndefined(e[r])?ea.isUndefined(t[r])||(n[r]=c(void 0,t[r])):n[r]=c(void 0,e[r])})),ea.forEach(a,(function(r){r in e?n[r]=c(t[r],e[r]):r in t&&(n[r]=c(void 0,t[r]))}));var s=r.concat(o).concat(i).concat(a),f=Object.keys(t).concat(Object.keys(e)).filter((function(t){return-1===s.indexOf(t)}));return ea.forEach(f,u),n};function ja(t){this.defaults=t,this.interceptors={request:new ia,response:new ia}}ja.prototype.request=function(t){"string"==typeof t?(t=arguments[1]||{}).url=arguments[0]:t=t||{},(t=Ea(this.defaults,t)).method?t.method=t.method.toLowerCase():this.defaults.method?t.method=this.defaults.method.toLowerCase():t.method="get";var e=[wa,void 0],n=Promise.resolve(t);for(this.interceptors.request.forEach((function(t){e.unshift(t.fulfilled,t.rejected)})),this.interceptors.response.forEach((function(t){e.push(t.fulfilled,t.rejected)}));e.length;)n=n.then(e.shift(),e.shift());return n},ja.prototype.getUri=function(t){return t=Ea(this.defaults,t),ra(t.url,t.params,t.paramsSerializer).replace(/^\?/,"")},ea.forEach(["delete","get","head","options"],(function(t){ja.prototype[t]=function(e,n){return this.request(Ea(n||{},{method:t,url:e,data:(n||{}).data}))}})),ea.forEach(["post","put","patch"],(function(t){ja.prototype[t]=function(e,n,r){return this.request(Ea(r||{},{method:t,url:e,data:n}))}}));var Sa=ja;function Oa(t){this.message=t}Oa.prototype.toString=function(){return"Cancel"+(this.message?": "+this.message:"")},Oa.prototype.__CANCEL__=!0;var xa=Oa;function Ta(t){if("function"!=typeof t)throw new TypeError("executor must be a function.");var e;this.promise=new Promise((function(t){e=t}));var n=this;t((function(t){n.reason||(n.reason=new xa(t),e(n.reason))}))}Ta.prototype.throwIfRequested=function(){if(this.reason)throw this.reason},Ta.source=function(){var t;return{token:new Ta((function(e){t=e})),cancel:t}};var Ca=Ta;function Pa(t){var e=new Sa(t),n=Xi(Sa.prototype.request,e);return ea.extend(n,Sa.prototype,e),ea.extend(n,e),n}var Ra=Pa(ya);Ra.Axios=Sa,Ra.create=function(t){return Pa(Ea(Ra.defaults,t))},Ra.Cancel=xa,Ra.CancelToken=Ca,Ra.isCancel=ca,Ra.all=function(t){return Promise.all(t)},Ra.spread=function(t){return function(e){return t.apply(null,e)}},Ra.isAxiosError=function(t){return"object"==typeof t&&!0===t.isAxiosError};var Aa=Ra,La=Ra;Aa.default=La;var Ia=Aa,ka=["v2","v3","v4","canary"],Na="@tryghost/content-api";return function t(e){var n=e.url,r=e.host,o=e.ghostPath,i=void 0===o?"ghost":o,a=e.version,c=e.key;if(r&&(console.warn("".concat(Na,": The 'host' parameter is deprecated, please use 'url' instead")),n||(n=r)),this instanceof t)return t({url:n,version:a,key:c});if(!a)throw new Error("".concat(Na," Config Missing: 'version' is required. E.g. ").concat(ka.join(",")));if(!ka.includes(a))throw new Error("".concat(Na," Config Invalid: 'version' ").concat(a," is not supported"));if(!n)throw new Error("".concat(Na," Config Missing: 'url' is required. E.g. 'https://site.com'"));if(!/https?:\/\//.test(n))throw new Error("".concat(Na," Config Invalid: 'url' ").concat(n," requires a protocol. E.g. 'https://site.com'"));if(n.endsWith("/"))throw new Error("".concat(Na," Config Invalid: 'url' ").concat(n," must not have a trailing slash. E.g. 'https://site.com'"));if(i.endsWith("/")||i.startsWith("/"))throw new Error("".concat(Na," Config Invalid: 'ghostPath' ").concat(i," must not have a leading or trailing slash. E.g. 'ghost'"));if(c&&!/[0-9a-f]{26}/.test(c))throw new Error("".concat(Na," Config Invalid: 'key' ").concat(c," must have 26 hex characters"));var u=["posts","authors","tags","pages","settings"].reduce((function(t,e){return Object.assign(t,function(t,e,n){return e in t?Object.defineProperty(t,e,{value:n,enumerable:!0,configurable:!0,writable:!0}):t[e]=n,t}({},e,{read:function(t){var n=arguments.length>1&&void 0!==arguments[1]?arguments[1]:{},r=arguments.length>2?arguments[2]:void 0;if(!t||!t.id&&!t.slug)return Promise.reject(new Error("".concat(Na," read requires an id or slug.")));var o=Object.assign({},t,n);return s(e,o,t.id||"slug/".concat(t.slug),r)},browse:function(){var t=arguments.length>0&&void 0!==arguments[0]?arguments[0]:{},n=arguments.length>1?arguments[1]:void 0;return s(e,t,null,n)}}))}),{});return delete u.settings.read,u;function s(t,e,r){var o=arguments.length>3&&void 0!==arguments[3]?arguments[3]:null;if(!o&&!c)return Promise.reject(new Error("".concat(Na," Config Missing: 'key' is required.")));delete e.id;var u=o?{Authorization:"GhostMembers ".concat(o)}:void 0;return Ia.get("".concat(n,"/").concat(i,"/api/").concat(a,"/content/").concat(t,"/").concat(r?r+"/":""),{params:Object.assign({key:c},e),paramsSerializer:function(t){return Object.keys(t).reduce((function(e,n){var r=encodeURIComponent([].concat(t[n]).join(","));return e.concat("".concat(n,"=").concat(r))}),[]).join("&")},headers:u}).then((function(e){return Array.isArray(e.data[t])?1!==e.data[t].length||e.data.meta?Object.assign(e.data[t],{meta:e.data.meta}):e.data[t][0]:e.data[t]})).catch((function(t){if(t.response&&t.response.data&&t.response.data.errors){var e=t.response.data.errors[0],n=new Error(e.message),r=Object.keys(e);throw n.name=e.type,r.forEach((function(t){n[t]=e[t]})),n.response=t.response,n.request=t.request,n.config=t.config,n}throw t}))}}}));
|
|
1
|
+
!function(t,e){"object"==typeof exports&&"undefined"!=typeof module?module.exports=e():"function"==typeof define&&define.amd?define(e):(t="undefined"!=typeof globalThis?globalThis:t||self).GhostContentAPI=e()}(this,(function(){"use strict";var t="undefined"!=typeof globalThis?globalThis:"undefined"!=typeof window?window:"undefined"!=typeof global?global:"undefined"!=typeof self?self:{};function e(t,e){return t(e={exports:{}},e.exports),e.exports}var n,r,o=function(t){return t&&t.Math==Math&&t},i=o("object"==typeof globalThis&&globalThis)||o("object"==typeof window&&window)||o("object"==typeof self&&self)||o("object"==typeof t&&t)||function(){return this}()||Function("return this")(),a=function(t){try{return!!t()}catch(t){return!0}},c=!a((function(){return 7!=Object.defineProperty({},1,{get:function(){return 7}})[1]})),u=Function.prototype.call,s=u.bind?u.bind(u):function(){return u.apply(u,arguments)},f={}.propertyIsEnumerable,l=Object.getOwnPropertyDescriptor,p={f:l&&!f.call({1:2},1)?function(t){var e=l(this,t);return!!e&&e.enumerable}:f},d=function(t,e){return{enumerable:!(1&t),configurable:!(2&t),writable:!(4&t),value:e}},h=Function.prototype,v=h.bind,g=h.call,m=v&&v.bind(g),y=v?function(t){return t&&m(g,t)}:function(t){return t&&function(){return g.apply(t,arguments)}},b=y({}.toString),w=y("".slice),E=function(t){return w(b(t),8,-1)},j=i.Object,S=y("".split),O=a((function(){return!j("z").propertyIsEnumerable(0)}))?function(t){return"String"==E(t)?S(t,""):j(t)}:j,x=i.TypeError,T=function(t){if(null==t)throw x("Can't call method on "+t);return t},R=function(t){return O(T(t))},P=function(t){return"function"==typeof t},A=function(t){return"object"==typeof t?null!==t:P(t)},C=function(t){return P(t)?t:void 0},L=function(t,e){return arguments.length<2?C(i[t]):i[t]&&i[t][e]},I=y({}.isPrototypeOf),k=L("navigator","userAgent")||"",N=i.process,M=i.Deno,U=N&&N.versions||M&&M.version,B=U&&U.v8;B&&(r=(n=B.split("."))[0]>0&&n[0]<4?1:+(n[0]+n[1])),!r&&k&&(!(n=k.match(/Edge\/(\d+)/))||n[1]>=74)&&(n=k.match(/Chrome\/(\d+)/))&&(r=+n[1]);var F=r,_=!!Object.getOwnPropertySymbols&&!a((function(){var t=Symbol();return!String(t)||!(Object(t)instanceof Symbol)||!Symbol.sham&&F&&F<41})),q=_&&!Symbol.sham&&"symbol"==typeof Symbol.iterator,D=i.Object,z=q?function(t){return"symbol"==typeof t}:function(t){var e=L("Symbol");return P(e)&&I(e.prototype,D(t))},W=i.String,G=function(t){try{return W(t)}catch(t){return"Object"}},H=i.TypeError,V=function(t){if(P(t))return t;throw H(G(t)+" is not a function")},X=function(t,e){var n=t[e];return null==n?void 0:V(n)},$=i.TypeError,K=Object.defineProperty,J=function(t,e){try{K(i,t,{value:e,configurable:!0,writable:!0})}catch(n){i[t]=e}return e},Y="__core-js_shared__",Q=i[Y]||J(Y,{}),Z=e((function(t){(t.exports=function(t,e){return Q[t]||(Q[t]=void 0!==e?e:{})})("versions",[]).push({version:"3.19.1",mode:"global",copyright:"© 2021 Denis Pushkarev (zloirock.ru)"})})),tt=i.Object,et=function(t){return tt(T(t))},nt=y({}.hasOwnProperty),rt=Object.hasOwn||function(t,e){return nt(et(t),e)},ot=0,it=Math.random(),at=y(1..toString),ct=function(t){return"Symbol("+(void 0===t?"":t)+")_"+at(++ot+it,36)},ut=Z("wks"),st=i.Symbol,ft=st&&st.for,lt=q?st:st&&st.withoutSetter||ct,pt=function(t){if(!rt(ut,t)||!_&&"string"!=typeof ut[t]){var e="Symbol."+t;_&&rt(st,t)?ut[t]=st[t]:ut[t]=q&&ft?ft(e):lt(e)}return ut[t]},dt=i.TypeError,ht=pt("toPrimitive"),vt=function(t,e){if(!A(t)||z(t))return t;var n,r=X(t,ht);if(r){if(void 0===e&&(e="default"),n=s(r,t,e),!A(n)||z(n))return n;throw dt("Can't convert object to primitive value")}return void 0===e&&(e="number"),function(t,e){var n,r;if("string"===e&&P(n=t.toString)&&!A(r=s(n,t)))return r;if(P(n=t.valueOf)&&!A(r=s(n,t)))return r;if("string"!==e&&P(n=t.toString)&&!A(r=s(n,t)))return r;throw $("Can't convert object to primitive value")}(t,e)},gt=function(t){var e=vt(t,"string");return z(e)?e:e+""},mt=i.document,yt=A(mt)&&A(mt.createElement),bt=function(t){return yt?mt.createElement(t):{}},wt=!c&&!a((function(){return 7!=Object.defineProperty(bt("div"),"a",{get:function(){return 7}}).a})),Et=Object.getOwnPropertyDescriptor,jt={f:c?Et:function(t,e){if(t=R(t),e=gt(e),wt)try{return Et(t,e)}catch(t){}if(rt(t,e))return d(!s(p.f,t,e),t[e])}},St=i.String,Ot=i.TypeError,xt=function(t){if(A(t))return t;throw Ot(St(t)+" is not an object")},Tt=i.TypeError,Rt=Object.defineProperty,Pt={f:c?Rt:function(t,e,n){if(xt(t),e=gt(e),xt(n),wt)try{return Rt(t,e,n)}catch(t){}if("get"in n||"set"in n)throw Tt("Accessors not supported");return"value"in n&&(t[e]=n.value),t}},At=c?function(t,e,n){return Pt.f(t,e,d(1,n))}:function(t,e,n){return t[e]=n,t},Ct=y(Function.toString);P(Q.inspectSource)||(Q.inspectSource=function(t){return Ct(t)});var Lt,It,kt,Nt=Q.inspectSource,Mt=i.WeakMap,Ut=P(Mt)&&/native code/.test(Nt(Mt)),Bt=Z("keys"),Ft=function(t){return Bt[t]||(Bt[t]=ct(t))},_t={},qt="Object already initialized",Dt=i.TypeError,zt=i.WeakMap;if(Ut||Q.state){var Wt=Q.state||(Q.state=new zt),Gt=y(Wt.get),Ht=y(Wt.has),Vt=y(Wt.set);Lt=function(t,e){if(Ht(Wt,t))throw new Dt(qt);return e.facade=t,Vt(Wt,t,e),e},It=function(t){return Gt(Wt,t)||{}},kt=function(t){return Ht(Wt,t)}}else{var Xt=Ft("state");_t[Xt]=!0,Lt=function(t,e){if(rt(t,Xt))throw new Dt(qt);return e.facade=t,At(t,Xt,e),e},It=function(t){return rt(t,Xt)?t[Xt]:{}},kt=function(t){return rt(t,Xt)}}var $t={set:Lt,get:It,has:kt,enforce:function(t){return kt(t)?It(t):Lt(t,{})},getterFor:function(t){return function(e){var n;if(!A(e)||(n=It(e)).type!==t)throw Dt("Incompatible receiver, "+t+" required");return n}}},Kt=Function.prototype,Jt=c&&Object.getOwnPropertyDescriptor,Yt=rt(Kt,"name"),Qt={EXISTS:Yt,PROPER:Yt&&"something"===function(){}.name,CONFIGURABLE:Yt&&(!c||c&&Jt(Kt,"name").configurable)},Zt=e((function(t){var e=Qt.CONFIGURABLE,n=$t.get,r=$t.enforce,o=String(String).split("String");(t.exports=function(t,n,a,c){var u,s=!!c&&!!c.unsafe,f=!!c&&!!c.enumerable,l=!!c&&!!c.noTargetGet,p=c&&void 0!==c.name?c.name:n;P(a)&&("Symbol("===String(p).slice(0,7)&&(p="["+String(p).replace(/^Symbol\(([^)]*)\)/,"$1")+"]"),(!rt(a,"name")||e&&a.name!==p)&&At(a,"name",p),(u=r(a)).source||(u.source=o.join("string"==typeof p?p:""))),t!==i?(s?!l&&t[n]&&(f=!0):delete t[n],f?t[n]=a:At(t,n,a)):f?t[n]=a:J(n,a)})(Function.prototype,"toString",(function(){return P(this)&&n(this).source||Nt(this)}))})),te=Math.ceil,ee=Math.floor,ne=function(t){var e=+t;return e!=e||0===e?0:(e>0?ee:te)(e)},re=Math.max,oe=Math.min,ie=Math.min,ae=function(t){return t>0?ie(ne(t),9007199254740991):0},ce=function(t){return ae(t.length)},ue=function(t){return function(e,n,r){var o,i=R(e),a=ce(i),c=function(t,e){var n=ne(t);return n<0?re(n+e,0):oe(n,e)}(r,a);if(t&&n!=n){for(;a>c;)if((o=i[c++])!=o)return!0}else for(;a>c;c++)if((t||c in i)&&i[c]===n)return t||c||0;return!t&&-1}},se={includes:ue(!0),indexOf:ue(!1)},fe=se.indexOf,le=y([].push),pe=function(t,e){var n,r=R(t),o=0,i=[];for(n in r)!rt(_t,n)&&rt(r,n)&&le(i,n);for(;e.length>o;)rt(r,n=e[o++])&&(~fe(i,n)||le(i,n));return i},de=["constructor","hasOwnProperty","isPrototypeOf","propertyIsEnumerable","toLocaleString","toString","valueOf"],he=de.concat("length","prototype"),ve={f:Object.getOwnPropertyNames||function(t){return pe(t,he)}},ge={f:Object.getOwnPropertySymbols},me=y([].concat),ye=L("Reflect","ownKeys")||function(t){var e=ve.f(xt(t)),n=ge.f;return n?me(e,n(t)):e},be=function(t,e){for(var n=ye(e),r=Pt.f,o=jt.f,i=0;i<n.length;i++){var a=n[i];rt(t,a)||r(t,a,o(e,a))}},we=/#|\.prototype\./,Ee=function(t,e){var n=Se[je(t)];return n==xe||n!=Oe&&(P(e)?a(e):!!e)},je=Ee.normalize=function(t){return String(t).replace(we,".").toLowerCase()},Se=Ee.data={},Oe=Ee.NATIVE="N",xe=Ee.POLYFILL="P",Te=Ee,Re=jt.f,Pe=function(t,e){var n,r,o,a,c,u=t.target,s=t.global,f=t.stat;if(n=s?i:f?i[u]||J(u,{}):(i[u]||{}).prototype)for(r in e){if(a=e[r],o=t.noTargetGet?(c=Re(n,r))&&c.value:n[r],!Te(s?r:u+(f?".":"#")+r,t.forced)&&void 0!==o){if(typeof a==typeof o)continue;be(a,o)}(t.sham||o&&o.sham)&&At(a,"sham",!0),Zt(n,r,a,t)}},Ae=function(t,e){var n=[][t];return!!n&&a((function(){n.call(null,e||function(){throw 1},1)}))},Ce=y([].join),Le=O!=Object,Ie=Ae("join",",");Pe({target:"Array",proto:!0,forced:Le||!Ie},{join:function(t){return Ce(R(this),void 0===t?",":t)}});var ke={};ke[pt("toStringTag")]="z";var Ne="[object z]"===String(ke),Me=pt("toStringTag"),Ue=i.Object,Be="Arguments"==E(function(){return arguments}()),Fe=Ne?E:function(t){var e,n,r;return void 0===t?"Undefined":null===t?"Null":"string"==typeof(n=function(t,e){try{return t[e]}catch(t){}}(e=Ue(t),Me))?n:Be?E(e):"Object"==(r=E(e))&&P(e.callee)?"Arguments":r},_e=Ne?{}.toString:function(){return"[object "+Fe(this)+"]"};Ne||Zt(Object.prototype,"toString",_e,{unsafe:!0});var qe=Object.keys||function(t){return pe(t,de)};Pe({target:"Object",stat:!0,forced:a((function(){qe(1)}))},{keys:function(t){return qe(et(t))}});var De,ze=Array.isArray||function(t){return"Array"==E(t)},We=function(t,e,n){var r=gt(e);r in t?Pt.f(t,r,d(0,n)):t[r]=n},Ge=function(){},He=[],Ve=L("Reflect","construct"),Xe=/^\s*(?:class|function)\b/,$e=y(Xe.exec),Ke=!Xe.exec(Ge),Je=function(t){if(!P(t))return!1;try{return Ve(Ge,He,t),!0}catch(t){return!1}},Ye=!Ve||a((function(){var t;return Je(Je.call)||!Je(Object)||!Je((function(){t=!0}))||t}))?function(t){if(!P(t))return!1;switch(Fe(t)){case"AsyncFunction":case"GeneratorFunction":case"AsyncGeneratorFunction":return!1}return Ke||!!$e(Xe,Nt(t))}:Je,Qe=pt("species"),Ze=i.Array,tn=function(t,e){return new(function(t){var e;return ze(t)&&(e=t.constructor,(Ye(e)&&(e===Ze||ze(e.prototype))||A(e)&&null===(e=e[Qe]))&&(e=void 0)),void 0===e?Ze:e}(t))(0===e?0:e)},en=pt("species"),nn=pt("isConcatSpreadable"),rn=9007199254740991,on="Maximum allowed index exceeded",an=i.TypeError,cn=F>=51||!a((function(){var t=[];return t[nn]=!1,t.concat()[0]!==t})),un=(De="concat",F>=51||!a((function(){var t=[];return(t.constructor={})[en]=function(){return{foo:1}},1!==t[De](Boolean).foo}))),sn=function(t){if(!A(t))return!1;var e=t[nn];return void 0!==e?!!e:ze(t)};Pe({target:"Array",proto:!0,forced:!cn||!un},{concat:function(t){var e,n,r,o,i,a=et(this),c=tn(a,0),u=0;for(e=-1,r=arguments.length;e<r;e++)if(sn(i=-1===e?a:arguments[e])){if(u+(o=ce(i))>rn)throw an(on);for(n=0;n<o;n++,u++)n in i&&We(c,u,i[n])}else{if(u>=rn)throw an(on);We(c,u++,i)}return c.length=u,c}});var fn,ln=c?Object.defineProperties:function(t,e){xt(t);for(var n,r=R(e),o=qe(e),i=o.length,a=0;i>a;)Pt.f(t,n=o[a++],r[n]);return t},pn=L("document","documentElement"),dn=Ft("IE_PROTO"),hn=function(){},vn=function(t){return"<script>"+t+"</"+"script>"},gn=function(t){t.write(vn("")),t.close();var e=t.parentWindow.Object;return t=null,e},mn=function(){try{fn=new ActiveXObject("htmlfile")}catch(t){}var t,e;mn="undefined"!=typeof document?document.domain&&fn?gn(fn):((e=bt("iframe")).style.display="none",pn.appendChild(e),e.src=String("javascript:"),(t=e.contentWindow.document).open(),t.write(vn("document.F=Object")),t.close(),t.F):gn(fn);for(var n=de.length;n--;)delete mn.prototype[de[n]];return mn()};_t[dn]=!0;var yn=Object.create||function(t,e){var n;return null!==t?(hn.prototype=xt(t),n=new hn,hn.prototype=null,n[dn]=t):n=mn(),void 0===e?n:ln(n,e)},bn=pt("unscopables"),wn=Array.prototype;null==wn[bn]&&Pt.f(wn,bn,{configurable:!0,value:yn(null)});var En,jn=se.includes;Pe({target:"Array",proto:!0},{includes:function(t){return jn(this,t,arguments.length>1?arguments[1]:void 0)}}),En="includes",wn[bn][En]=!0;var Sn,On,xn=i.String,Tn=function(t){if("Symbol"===Fe(t))throw TypeError("Cannot convert a Symbol value to a string");return xn(t)},Rn=function(){var t=xt(this),e="";return t.global&&(e+="g"),t.ignoreCase&&(e+="i"),t.multiline&&(e+="m"),t.dotAll&&(e+="s"),t.unicode&&(e+="u"),t.sticky&&(e+="y"),e},Pn=i.RegExp,An={UNSUPPORTED_Y:a((function(){var t=Pn("a","y");return t.lastIndex=2,null!=t.exec("abcd")})),BROKEN_CARET:a((function(){var t=Pn("^r","gy");return t.lastIndex=2,null!=t.exec("str")}))},Cn=i.RegExp,Ln=a((function(){var t=Cn(".","s");return!(t.dotAll&&t.exec("\n")&&"s"===t.flags)})),In=i.RegExp,kn=a((function(){var t=In("(?<a>b)","g");return"b"!==t.exec("b").groups.a||"bc"!=="b".replace(t,"$<a>c")})),Nn=$t.get,Mn=Z("native-string-replace",String.prototype.replace),Un=RegExp.prototype.exec,Bn=Un,Fn=y("".charAt),_n=y("".indexOf),qn=y("".replace),Dn=y("".slice),zn=(On=/b*/g,s(Un,Sn=/a/,"a"),s(Un,On,"a"),0!==Sn.lastIndex||0!==On.lastIndex),Wn=An.UNSUPPORTED_Y||An.BROKEN_CARET,Gn=void 0!==/()??/.exec("")[1];(zn||Gn||Wn||Ln||kn)&&(Bn=function(t){var e,n,r,o,i,a,c,u=this,f=Nn(u),l=Tn(t),p=f.raw;if(p)return p.lastIndex=u.lastIndex,e=s(Bn,p,l),u.lastIndex=p.lastIndex,e;var d=f.groups,h=Wn&&u.sticky,v=s(Rn,u),g=u.source,m=0,y=l;if(h&&(v=qn(v,"y",""),-1===_n(v,"g")&&(v+="g"),y=Dn(l,u.lastIndex),u.lastIndex>0&&(!u.multiline||u.multiline&&"\n"!==Fn(l,u.lastIndex-1))&&(g="(?: "+g+")",y=" "+y,m++),n=new RegExp("^(?:"+g+")",v)),Gn&&(n=new RegExp("^"+g+"$(?!\\s)",v)),zn&&(r=u.lastIndex),o=s(Un,h?n:u,y),h?o?(o.input=Dn(o.input,m),o[0]=Dn(o[0],m),o.index=u.lastIndex,u.lastIndex+=o[0].length):u.lastIndex=0:zn&&o&&(u.lastIndex=u.global?o.index+o[0].length:r),Gn&&o&&o.length>1&&s(Mn,o[0],n,(function(){for(i=1;i<arguments.length-2;i++)void 0===arguments[i]&&(o[i]=void 0)})),o&&d)for(o.groups=a=yn(null),i=0;i<d.length;i++)a[(c=d[i])[0]]=o[c[1]];return o});Pe({target:"RegExp",proto:!0,forced:/./.exec!==Bn},{exec:Bn});var Hn,Vn=pt("match"),Xn=i.TypeError,$n=function(t){if(function(t){var e;return A(t)&&(void 0!==(e=t[Vn])?!!e:"RegExp"==E(t))}(t))throw Xn("The method doesn't accept regular expressions");return t},Kn=pt("match"),Jn=function(t){var e=/./;try{"/./"[t](e)}catch(n){try{return e[Kn]=!1,"/./"[t](e)}catch(t){}}return!1},Yn=jt.f,Qn=y("".endsWith),Zn=y("".slice),tr=Math.min,er=Jn("endsWith");Pe({target:"String",proto:!0,forced:!!(er||(Hn=Yn(String.prototype,"endsWith"),!Hn||Hn.writable))&&!er},{endsWith:function(t){var e=Tn(T(this));$n(t);var n=arguments.length>1?arguments[1]:void 0,r=e.length,o=void 0===n?r:tr(ae(n),r),i=Tn(t);return Qn?Qn(e,i,o):Zn(e,o-i.length,o)===i}});var nr=jt.f,rr=y("".startsWith),or=y("".slice),ir=Math.min,ar=Jn("startsWith");Pe({target:"String",proto:!0,forced:!(!ar&&!!function(){var t=nr(String.prototype,"startsWith");return t&&!t.writable}())&&!ar},{startsWith:function(t){var e=Tn(T(this));$n(t);var n=ae(ir(arguments.length>1?arguments[1]:void 0,e.length)),r=Tn(t);return rr?rr(e,r,n):or(e,n,n+r.length)===r}});var cr=i.Promise,ur=i.String,sr=i.TypeError,fr=Object.setPrototypeOf||("__proto__"in{}?function(){var t,e=!1,n={};try{(t=y(Object.getOwnPropertyDescriptor(Object.prototype,"__proto__").set))(n,[]),e=n instanceof Array}catch(t){}return function(n,r){return xt(n),function(t){if("object"==typeof t||P(t))return t;throw sr("Can't set "+ur(t)+" as a prototype")}(r),e?t(n,r):n.__proto__=r,n}}():void 0),lr=Pt.f,pr=pt("toStringTag"),dr=pt("species"),hr=i.TypeError,vr=y(y.bind),gr=function(t,e){return V(t),void 0===e?t:vr?vr(t,e):function(){return t.apply(e,arguments)}},mr={},yr=pt("iterator"),br=Array.prototype,wr=pt("iterator"),Er=function(t){if(null!=t)return X(t,wr)||X(t,"@@iterator")||mr[Fe(t)]},jr=i.TypeError,Sr=function(t,e,n){var r,o;xt(t);try{if(!(r=X(t,"return"))){if("throw"===e)throw n;return n}r=s(r,t)}catch(t){o=!0,r=t}if("throw"===e)throw n;if(o)throw r;return xt(r),n},Or=i.TypeError,xr=function(t,e){this.stopped=t,this.result=e},Tr=xr.prototype,Rr=function(t,e,n){var r,o,i,a,c,u,f,l,p=n&&n.that,d=!(!n||!n.AS_ENTRIES),h=!(!n||!n.IS_ITERATOR),v=!(!n||!n.INTERRUPTED),g=gr(e,p),m=function(t){return r&&Sr(r,"normal",t),new xr(!0,t)},y=function(t){return d?(xt(t),v?g(t[0],t[1],m):g(t[0],t[1])):v?g(t,m):g(t)};if(h)r=t;else{if(!(o=Er(t)))throw Or(G(t)+" is not iterable");if(void 0!==(l=o)&&(mr.Array===l||br[yr]===l)){for(i=0,a=ce(t);a>i;i++)if((c=y(t[i]))&&I(Tr,c))return c;return new xr(!1)}r=function(t,e){var n=arguments.length<2?Er(t):e;if(V(n))return xt(s(n,t));throw jr(G(t)+" is not iterable")}(t,o)}for(u=r.next;!(f=s(u,r)).done;){try{c=y(f.value)}catch(t){Sr(r,"throw",t)}if("object"==typeof c&&c&&I(Tr,c))return c}return new xr(!1)},Pr=pt("iterator"),Ar=!1;try{var Cr=0,Lr={next:function(){return{done:!!Cr++}},return:function(){Ar=!0}};Lr[Pr]=function(){return this},Array.from(Lr,(function(){throw 2}))}catch(t){}var Ir,kr,Nr,Mr,Ur=i.TypeError,Br=pt("species"),Fr=function(t,e){var n,r=xt(t).constructor;return void 0===r||null==(n=xt(r)[Br])?e:function(t){if(Ye(t))return t;throw Ur(G(t)+" is not a constructor")}(n)},_r=Function.prototype,qr=_r.apply,Dr=_r.bind,zr=_r.call,Wr="object"==typeof Reflect&&Reflect.apply||(Dr?zr.bind(qr):function(){return zr.apply(qr,arguments)}),Gr=y([].slice),Hr=/(?:ipad|iphone|ipod).*applewebkit/i.test(k),Vr="process"==E(i.process),Xr=i.setImmediate,$r=i.clearImmediate,Kr=i.process,Jr=i.Dispatch,Yr=i.Function,Qr=i.MessageChannel,Zr=i.String,to=0,eo={},no="onreadystatechange";try{Ir=i.location}catch(t){}var ro=function(t){if(rt(eo,t)){var e=eo[t];delete eo[t],e()}},oo=function(t){return function(){ro(t)}},io=function(t){ro(t.data)},ao=function(t){i.postMessage(Zr(t),Ir.protocol+"//"+Ir.host)};Xr&&$r||(Xr=function(t){var e=Gr(arguments,1);return eo[++to]=function(){Wr(P(t)?t:Yr(t),void 0,e)},kr(to),to},$r=function(t){delete eo[t]},Vr?kr=function(t){Kr.nextTick(oo(t))}:Jr&&Jr.now?kr=function(t){Jr.now(oo(t))}:Qr&&!Hr?(Mr=(Nr=new Qr).port2,Nr.port1.onmessage=io,kr=gr(Mr.postMessage,Mr)):i.addEventListener&&P(i.postMessage)&&!i.importScripts&&Ir&&"file:"!==Ir.protocol&&!a(ao)?(kr=ao,i.addEventListener("message",io,!1)):kr=no in bt("script")?function(t){pn.appendChild(bt("script")).onreadystatechange=function(){pn.removeChild(this),ro(t)}}:function(t){setTimeout(oo(t),0)});var co,uo,so,fo,lo,po,ho,vo,go={set:Xr,clear:$r},mo=/ipad|iphone|ipod/i.test(k)&&void 0!==i.Pebble,yo=/web0s(?!.*chrome)/i.test(k),bo=jt.f,wo=go.set,Eo=i.MutationObserver||i.WebKitMutationObserver,jo=i.document,So=i.process,Oo=i.Promise,xo=bo(i,"queueMicrotask"),To=xo&&xo.value;To||(co=function(){var t,e;for(Vr&&(t=So.domain)&&t.exit();uo;){e=uo.fn,uo=uo.next;try{e()}catch(t){throw uo?fo():so=void 0,t}}so=void 0,t&&t.enter()},Hr||Vr||yo||!Eo||!jo?!mo&&Oo&&Oo.resolve?((ho=Oo.resolve(void 0)).constructor=Oo,vo=gr(ho.then,ho),fo=function(){vo(co)}):Vr?fo=function(){So.nextTick(co)}:(wo=gr(wo,i),fo=function(){wo(co)}):(lo=!0,po=jo.createTextNode(""),new Eo(co).observe(po,{characterData:!0}),fo=function(){po.data=lo=!lo}));var Ro,Po,Ao,Co,Lo,Io,ko,No=To||function(t){var e={fn:t,next:void 0};so&&(so.next=e),uo||(uo=e,fo()),so=e},Mo=function(t){var e,n;this.promise=new t((function(t,r){if(void 0!==e||void 0!==n)throw TypeError("Bad Promise constructor");e=t,n=r})),this.resolve=V(e),this.reject=V(n)},Uo={f:function(t){return new Mo(t)}},Bo=function(t){try{return{error:!1,value:t()}}catch(t){return{error:!0,value:t}}},Fo="object"==typeof window,_o=go.set,qo=pt("species"),Do="Promise",zo=$t.get,Wo=$t.set,Go=$t.getterFor(Do),Ho=cr&&cr.prototype,Vo=cr,Xo=Ho,$o=i.TypeError,Ko=i.document,Jo=i.process,Yo=Uo.f,Qo=Yo,Zo=!!(Ko&&Ko.createEvent&&i.dispatchEvent),ti=P(i.PromiseRejectionEvent),ei="unhandledrejection",ni=!1,ri=Te(Do,(function(){var t=Nt(Vo),e=t!==String(Vo);if(!e&&66===F)return!0;if(F>=51&&/native code/.test(t))return!1;var n=new Vo((function(t){t(1)})),r=function(t){t((function(){}),(function(){}))};return(n.constructor={})[qo]=r,!(ni=n.then((function(){}))instanceof r)||!e&&Fo&&!ti})),oi=ri||!function(t,e){if(!e&&!Ar)return!1;var n=!1;try{var r={};r[Pr]=function(){return{next:function(){return{done:n=!0}}}},t(r)}catch(t){}return n}((function(t){Vo.all(t).catch((function(){}))})),ii=function(t){var e;return!(!A(t)||!P(e=t.then))&&e},ai=function(t,e){if(!t.notified){t.notified=!0;var n=t.reactions;No((function(){for(var r=t.value,o=1==t.state,i=0;n.length>i;){var a,c,u,f=n[i++],l=o?f.ok:f.fail,p=f.resolve,d=f.reject,h=f.domain;try{l?(o||(2===t.rejection&&fi(t),t.rejection=1),!0===l?a=r:(h&&h.enter(),a=l(r),h&&(h.exit(),u=!0)),a===f.promise?d($o("Promise-chain cycle")):(c=ii(a))?s(c,a,p,d):p(a)):d(r)}catch(t){h&&!u&&h.exit(),d(t)}}t.reactions=[],t.notified=!1,e&&!t.rejection&&ui(t)}))}},ci=function(t,e,n){var r,o;Zo?((r=Ko.createEvent("Event")).promise=e,r.reason=n,r.initEvent(t,!1,!0),i.dispatchEvent(r)):r={promise:e,reason:n},!ti&&(o=i["on"+t])?o(r):t===ei&&function(t,e){var n=i.console;n&&n.error&&(1==arguments.length?n.error(t):n.error(t,e))}("Unhandled promise rejection",n)},ui=function(t){s(_o,i,(function(){var e,n=t.facade,r=t.value;if(si(t)&&(e=Bo((function(){Vr?Jo.emit("unhandledRejection",r,n):ci(ei,n,r)})),t.rejection=Vr||si(t)?2:1,e.error))throw e.value}))},si=function(t){return 1!==t.rejection&&!t.parent},fi=function(t){s(_o,i,(function(){var e=t.facade;Vr?Jo.emit("rejectionHandled",e):ci("rejectionhandled",e,t.value)}))},li=function(t,e,n){return function(r){t(e,r,n)}},pi=function(t,e,n){t.done||(t.done=!0,n&&(t=n),t.value=e,t.state=2,ai(t,!0))},di=function(t,e,n){if(!t.done){t.done=!0,n&&(t=n);try{if(t.facade===e)throw $o("Promise can't be resolved itself");var r=ii(e);r?No((function(){var n={done:!1};try{s(r,e,li(di,n,t),li(pi,n,t))}catch(e){pi(n,e,t)}})):(t.value=e,t.state=1,ai(t,!1))}catch(e){pi({done:!1},e,t)}}};if(ri&&(Xo=(Vo=function(t){!function(t,e){if(I(e,t))return t;throw hr("Incorrect invocation")}(this,Xo),V(t),s(Ro,this);var e=zo(this);try{t(li(di,e),li(pi,e))}catch(t){pi(e,t)}}).prototype,(Ro=function(t){Wo(this,{type:Do,done:!1,notified:!1,parent:!1,reactions:[],rejection:!1,state:0,value:void 0})}).prototype=function(t,e,n){for(var r in e)Zt(t,r,e[r],n);return t}(Xo,{then:function(t,e){var n=Go(this),r=n.reactions,o=Yo(Fr(this,Vo));return o.ok=!P(t)||t,o.fail=P(e)&&e,o.domain=Vr?Jo.domain:void 0,n.parent=!0,r[r.length]=o,0!=n.state&&ai(n,!1),o.promise},catch:function(t){return this.then(void 0,t)}}),Po=function(){var t=new Ro,e=zo(t);this.promise=t,this.resolve=li(di,e),this.reject=li(pi,e)},Uo.f=Yo=function(t){return t===Vo||t===Ao?new Po(t):Qo(t)},P(cr)&&Ho!==Object.prototype)){Co=Ho.then,ni||(Zt(Ho,"then",(function(t,e){var n=this;return new Vo((function(t,e){s(Co,n,t,e)})).then(t,e)}),{unsafe:!0}),Zt(Ho,"catch",Xo.catch,{unsafe:!0}));try{delete Ho.constructor}catch(t){}fr&&fr(Ho,Xo)}Pe({global:!0,wrap:!0,forced:ri},{Promise:Vo}),Io=Do,ko=!1,(Lo=Vo)&&!rt(Lo=ko?Lo:Lo.prototype,pr)&&lr(Lo,pr,{configurable:!0,value:Io}),function(t){var e=L(t),n=Pt.f;c&&e&&!e[dr]&&n(e,dr,{configurable:!0,get:function(){return this}})}(Do),Ao=L(Do),Pe({target:Do,stat:!0,forced:ri},{reject:function(t){var e=Yo(this);return s(e.reject,void 0,t),e.promise}}),Pe({target:Do,stat:!0,forced:ri},{resolve:function(t){return function(t,e){if(xt(t),A(e)&&e.constructor===t)return e;var n=Uo.f(t);return(0,n.resolve)(e),n.promise}(this,t)}}),Pe({target:Do,stat:!0,forced:oi},{all:function(t){var e=this,n=Yo(e),r=n.resolve,o=n.reject,i=Bo((function(){var n=V(e.resolve),i=[],a=0,c=1;Rr(t,(function(t){var u=a++,f=!1;c++,s(n,e,t).then((function(t){f||(f=!0,i[u]=t,--c||r(i))}),o)})),--c||r(i)}));return i.error&&o(i.value),n.promise},race:function(t){var e=this,n=Yo(e),r=n.reject,o=Bo((function(){var o=V(e.resolve);Rr(t,(function(t){s(o,e,t).then(n.resolve,r)}))}));return o.error&&r(o.value),n.promise}});var hi=Object.assign,vi=Object.defineProperty,gi=y([].concat),mi=!hi||a((function(){if(c&&1!==hi({b:1},hi(vi({},"a",{enumerable:!0,get:function(){vi(this,"b",{value:3,enumerable:!1})}}),{b:2})).b)return!0;var t={},e={},n=Symbol(),r="abcdefghijklmnopqrst";return t[n]=7,r.split("").forEach((function(t){e[t]=t})),7!=hi({},t)[n]||qe(hi({},e)).join("")!=r}))?function(t,e){for(var n=et(t),r=arguments.length,o=1,i=ge.f,a=p.f;r>o;)for(var u,f=O(arguments[o++]),l=i?gi(qe(f),i(f)):qe(f),d=l.length,h=0;d>h;)u=l[h++],c&&!s(a,f,u)||(n[u]=f[u]);return n}:hi;Pe({target:"Object",stat:!0,forced:Object.assign!==mi},{assign:mi});var yi=Qt.EXISTS,bi=Pt.f,wi=Function.prototype,Ei=y(wi.toString),ji=/^\s*function ([^ (]*)/,Si=y(ji.exec);c&&!yi&&bi(wi,"name",{configurable:!0,get:function(){try{return Si(ji,Ei(this))[1]}catch(t){return""}}});var Oi={CSSRuleList:0,CSSStyleDeclaration:0,CSSValueList:0,ClientRectList:0,DOMRectList:0,DOMStringList:0,DOMTokenList:1,DataTransferItemList:0,FileList:0,HTMLAllCollection:0,HTMLCollection:0,HTMLFormElement:0,HTMLSelectElement:0,MediaList:0,MimeTypeArray:0,NamedNodeMap:0,NodeList:1,PaintRequestList:0,Plugin:0,PluginArray:0,SVGLengthList:0,SVGNumberList:0,SVGPathSegList:0,SVGPointList:0,SVGStringList:0,SVGTransformList:0,SourceBufferList:0,StyleSheetList:0,TextTrackCueList:0,TextTrackList:0,TouchList:0},xi=bt("span").classList,Ti=xi&&xi.constructor&&xi.constructor.prototype,Ri=Ti===Object.prototype?void 0:Ti,Pi=y([].push),Ai=function(t){var e=1==t,n=2==t,r=3==t,o=4==t,i=6==t,a=7==t,c=5==t||i;return function(u,s,f,l){for(var p,d,h=et(u),v=O(h),g=gr(s,f),m=ce(v),y=0,b=l||tn,w=e?b(u,m):n||a?b(u,0):void 0;m>y;y++)if((c||y in v)&&(d=g(p=v[y],y,h),t))if(e)w[y]=d;else if(d)switch(t){case 3:return!0;case 5:return p;case 6:return y;case 2:Pi(w,p)}else switch(t){case 4:return!1;case 7:Pi(w,p)}return i?-1:r||o?o:w}},Ci={forEach:Ai(0),map:Ai(1),filter:Ai(2),some:Ai(3),every:Ai(4),find:Ai(5),findIndex:Ai(6),filterReject:Ai(7)}.forEach,Li=Ae("forEach")?[].forEach:function(t){return Ci(this,t,arguments.length>1?arguments[1]:void 0)},Ii=function(t){if(t&&t.forEach!==Li)try{At(t,"forEach",Li)}catch(e){t.forEach=Li}};for(var ki in Oi)Oi[ki]&&Ii(i[ki]&&i[ki].prototype);Ii(Ri);var Ni=function(t,e){return function(){for(var n=new Array(arguments.length),r=0;r<n.length;r++)n[r]=arguments[r];return t.apply(e,n)}},Mi=Object.prototype.toString;function Ui(t){return"[object Array]"===Mi.call(t)}function Bi(t){return void 0===t}function Fi(t){return null!==t&&"object"==typeof t}function _i(t){if("[object Object]"!==Mi.call(t))return!1;var e=Object.getPrototypeOf(t);return null===e||e===Object.prototype}function qi(t){return"[object Function]"===Mi.call(t)}function Di(t,e){if(null!=t)if("object"!=typeof t&&(t=[t]),Ui(t))for(var n=0,r=t.length;n<r;n++)e.call(null,t[n],n,t);else for(var o in t)Object.prototype.hasOwnProperty.call(t,o)&&e.call(null,t[o],o,t)}var zi={isArray:Ui,isArrayBuffer:function(t){return"[object ArrayBuffer]"===Mi.call(t)},isBuffer:function(t){return null!==t&&!Bi(t)&&null!==t.constructor&&!Bi(t.constructor)&&"function"==typeof t.constructor.isBuffer&&t.constructor.isBuffer(t)},isFormData:function(t){return"undefined"!=typeof FormData&&t instanceof FormData},isArrayBufferView:function(t){return"undefined"!=typeof ArrayBuffer&&ArrayBuffer.isView?ArrayBuffer.isView(t):t&&t.buffer&&t.buffer instanceof ArrayBuffer},isString:function(t){return"string"==typeof t},isNumber:function(t){return"number"==typeof t},isObject:Fi,isPlainObject:_i,isUndefined:Bi,isDate:function(t){return"[object Date]"===Mi.call(t)},isFile:function(t){return"[object File]"===Mi.call(t)},isBlob:function(t){return"[object Blob]"===Mi.call(t)},isFunction:qi,isStream:function(t){return Fi(t)&&qi(t.pipe)},isURLSearchParams:function(t){return"undefined"!=typeof URLSearchParams&&t instanceof URLSearchParams},isStandardBrowserEnv:function(){return("undefined"==typeof navigator||"ReactNative"!==navigator.product&&"NativeScript"!==navigator.product&&"NS"!==navigator.product)&&("undefined"!=typeof window&&"undefined"!=typeof document)},forEach:Di,merge:function t(){var e={};function n(n,r){_i(e[r])&&_i(n)?e[r]=t(e[r],n):_i(n)?e[r]=t({},n):Ui(n)?e[r]=n.slice():e[r]=n}for(var r=0,o=arguments.length;r<o;r++)Di(arguments[r],n);return e},extend:function(t,e,n){return Di(e,(function(e,r){t[r]=n&&"function"==typeof e?Ni(e,n):e})),t},trim:function(t){return t.replace(/^\s*/,"").replace(/\s*$/,"")},stripBOM:function(t){return 65279===t.charCodeAt(0)&&(t=t.slice(1)),t}};function Wi(t){return encodeURIComponent(t).replace(/%3A/gi,":").replace(/%24/g,"$").replace(/%2C/gi,",").replace(/%20/g,"+").replace(/%5B/gi,"[").replace(/%5D/gi,"]")}var Gi=function(t,e,n){if(!e)return t;var r;if(n)r=n(e);else if(zi.isURLSearchParams(e))r=e.toString();else{var o=[];zi.forEach(e,(function(t,e){null!=t&&(zi.isArray(t)?e+="[]":t=[t],zi.forEach(t,(function(t){zi.isDate(t)?t=t.toISOString():zi.isObject(t)&&(t=JSON.stringify(t)),o.push(Wi(e)+"="+Wi(t))})))})),r=o.join("&")}if(r){var i=t.indexOf("#");-1!==i&&(t=t.slice(0,i)),t+=(-1===t.indexOf("?")?"?":"&")+r}return t};function Hi(){this.handlers=[]}Hi.prototype.use=function(t,e){return this.handlers.push({fulfilled:t,rejected:e}),this.handlers.length-1},Hi.prototype.eject=function(t){this.handlers[t]&&(this.handlers[t]=null)},Hi.prototype.forEach=function(t){zi.forEach(this.handlers,(function(e){null!==e&&t(e)}))};var Vi=Hi,Xi=function(t,e,n){return zi.forEach(n,(function(n){t=n(t,e)})),t},$i=function(t){return!(!t||!t.__CANCEL__)},Ki=function(t,e){zi.forEach(t,(function(n,r){r!==e&&r.toUpperCase()===e.toUpperCase()&&(t[e]=n,delete t[r])}))},Ji=function(t,e,n,r,o){return function(t,e,n,r,o){return t.config=e,n&&(t.code=n),t.request=r,t.response=o,t.isAxiosError=!0,t.toJSON=function(){return{message:this.message,name:this.name,description:this.description,number:this.number,fileName:this.fileName,lineNumber:this.lineNumber,columnNumber:this.columnNumber,stack:this.stack,config:this.config,code:this.code}},t}(new Error(t),e,n,r,o)},Yi=zi.isStandardBrowserEnv()?{write:function(t,e,n,r,o,i){var a=[];a.push(t+"="+encodeURIComponent(e)),zi.isNumber(n)&&a.push("expires="+new Date(n).toGMTString()),zi.isString(r)&&a.push("path="+r),zi.isString(o)&&a.push("domain="+o),!0===i&&a.push("secure"),document.cookie=a.join("; ")},read:function(t){var e=document.cookie.match(new RegExp("(^|;\\s*)("+t+")=([^;]*)"));return e?decodeURIComponent(e[3]):null},remove:function(t){this.write(t,"",Date.now()-864e5)}}:{write:function(){},read:function(){return null},remove:function(){}},Qi=["age","authorization","content-length","content-type","etag","expires","from","host","if-modified-since","if-unmodified-since","last-modified","location","max-forwards","proxy-authorization","referer","retry-after","user-agent"],Zi=zi.isStandardBrowserEnv()?function(){var t,e=/(msie|trident)/i.test(navigator.userAgent),n=document.createElement("a");function r(t){var r=t;return e&&(n.setAttribute("href",r),r=n.href),n.setAttribute("href",r),{href:n.href,protocol:n.protocol?n.protocol.replace(/:$/,""):"",host:n.host,search:n.search?n.search.replace(/^\?/,""):"",hash:n.hash?n.hash.replace(/^#/,""):"",hostname:n.hostname,port:n.port,pathname:"/"===n.pathname.charAt(0)?n.pathname:"/"+n.pathname}}return t=r(window.location.href),function(e){var n=zi.isString(e)?r(e):e;return n.protocol===t.protocol&&n.host===t.host}}():function(){return!0},ta=function(t){return new Promise((function(e,n){var r=t.data,o=t.headers;zi.isFormData(r)&&delete o["Content-Type"];var i=new XMLHttpRequest;if(t.auth){var a=t.auth.username||"",c=t.auth.password?unescape(encodeURIComponent(t.auth.password)):"";o.Authorization="Basic "+btoa(a+":"+c)}var u,s,f=(u=t.baseURL,s=t.url,u&&!/^([a-z][a-z\d\+\-\.]*:)?\/\//i.test(s)?function(t,e){return e?t.replace(/\/+$/,"")+"/"+e.replace(/^\/+/,""):t}(u,s):s);if(i.open(t.method.toUpperCase(),Gi(f,t.params,t.paramsSerializer),!0),i.timeout=t.timeout,i.onreadystatechange=function(){if(i&&4===i.readyState&&(0!==i.status||i.responseURL&&0===i.responseURL.indexOf("file:"))){var r="getAllResponseHeaders"in i?function(t){var e,n,r,o={};return t?(zi.forEach(t.split("\n"),(function(t){if(r=t.indexOf(":"),e=zi.trim(t.substr(0,r)).toLowerCase(),n=zi.trim(t.substr(r+1)),e){if(o[e]&&Qi.indexOf(e)>=0)return;o[e]="set-cookie"===e?(o[e]?o[e]:[]).concat([n]):o[e]?o[e]+", "+n:n}})),o):o}(i.getAllResponseHeaders()):null,o={data:t.responseType&&"text"!==t.responseType?i.response:i.responseText,status:i.status,statusText:i.statusText,headers:r,config:t,request:i};!function(t,e,n){var r=n.config.validateStatus;n.status&&r&&!r(n.status)?e(Ji("Request failed with status code "+n.status,n.config,null,n.request,n)):t(n)}(e,n,o),i=null}},i.onabort=function(){i&&(n(Ji("Request aborted",t,"ECONNABORTED",i)),i=null)},i.onerror=function(){n(Ji("Network Error",t,null,i)),i=null},i.ontimeout=function(){var e="timeout of "+t.timeout+"ms exceeded";t.timeoutErrorMessage&&(e=t.timeoutErrorMessage),n(Ji(e,t,"ECONNABORTED",i)),i=null},zi.isStandardBrowserEnv()){var l=(t.withCredentials||Zi(f))&&t.xsrfCookieName?Yi.read(t.xsrfCookieName):void 0;l&&(o[t.xsrfHeaderName]=l)}if("setRequestHeader"in i&&zi.forEach(o,(function(t,e){void 0===r&&"content-type"===e.toLowerCase()?delete o[e]:i.setRequestHeader(e,t)})),zi.isUndefined(t.withCredentials)||(i.withCredentials=!!t.withCredentials),t.responseType)try{i.responseType=t.responseType}catch(e){if("json"!==t.responseType)throw e}"function"==typeof t.onDownloadProgress&&i.addEventListener("progress",t.onDownloadProgress),"function"==typeof t.onUploadProgress&&i.upload&&i.upload.addEventListener("progress",t.onUploadProgress),t.cancelToken&&t.cancelToken.promise.then((function(t){i&&(i.abort(),n(t),i=null)})),r||(r=null),i.send(r)}))},ea={"Content-Type":"application/x-www-form-urlencoded"};function na(t,e){!zi.isUndefined(t)&&zi.isUndefined(t["Content-Type"])&&(t["Content-Type"]=e)}var ra,oa={adapter:(("undefined"!=typeof XMLHttpRequest||"undefined"!=typeof process&&"[object process]"===Object.prototype.toString.call(process))&&(ra=ta),ra),transformRequest:[function(t,e){return Ki(e,"Accept"),Ki(e,"Content-Type"),zi.isFormData(t)||zi.isArrayBuffer(t)||zi.isBuffer(t)||zi.isStream(t)||zi.isFile(t)||zi.isBlob(t)?t:zi.isArrayBufferView(t)?t.buffer:zi.isURLSearchParams(t)?(na(e,"application/x-www-form-urlencoded;charset=utf-8"),t.toString()):zi.isObject(t)?(na(e,"application/json;charset=utf-8"),JSON.stringify(t)):t}],transformResponse:[function(t){if("string"==typeof t)try{t=JSON.parse(t)}catch(t){}return t}],timeout:0,xsrfCookieName:"XSRF-TOKEN",xsrfHeaderName:"X-XSRF-TOKEN",maxContentLength:-1,maxBodyLength:-1,validateStatus:function(t){return t>=200&&t<300}};oa.headers={common:{Accept:"application/json, text/plain, */*"}},zi.forEach(["delete","get","head"],(function(t){oa.headers[t]={}})),zi.forEach(["post","put","patch"],(function(t){oa.headers[t]=zi.merge(ea)}));var ia=oa;function aa(t){t.cancelToken&&t.cancelToken.throwIfRequested()}var ca=function(t){return aa(t),t.headers=t.headers||{},t.data=Xi(t.data,t.headers,t.transformRequest),t.headers=zi.merge(t.headers.common||{},t.headers[t.method]||{},t.headers),zi.forEach(["delete","get","head","post","put","patch","common"],(function(e){delete t.headers[e]})),(t.adapter||ia.adapter)(t).then((function(e){return aa(t),e.data=Xi(e.data,e.headers,t.transformResponse),e}),(function(e){return $i(e)||(aa(t),e&&e.response&&(e.response.data=Xi(e.response.data,e.response.headers,t.transformResponse))),Promise.reject(e)}))},ua=function(t,e){e=e||{};var n={},r=["url","method","data"],o=["headers","auth","proxy","params"],i=["baseURL","transformRequest","transformResponse","paramsSerializer","timeout","timeoutMessage","withCredentials","adapter","responseType","xsrfCookieName","xsrfHeaderName","onUploadProgress","onDownloadProgress","decompress","maxContentLength","maxBodyLength","maxRedirects","transport","httpAgent","httpsAgent","cancelToken","socketPath","responseEncoding"],a=["validateStatus"];function c(t,e){return zi.isPlainObject(t)&&zi.isPlainObject(e)?zi.merge(t,e):zi.isPlainObject(e)?zi.merge({},e):zi.isArray(e)?e.slice():e}function u(r){zi.isUndefined(e[r])?zi.isUndefined(t[r])||(n[r]=c(void 0,t[r])):n[r]=c(t[r],e[r])}zi.forEach(r,(function(t){zi.isUndefined(e[t])||(n[t]=c(void 0,e[t]))})),zi.forEach(o,u),zi.forEach(i,(function(r){zi.isUndefined(e[r])?zi.isUndefined(t[r])||(n[r]=c(void 0,t[r])):n[r]=c(void 0,e[r])})),zi.forEach(a,(function(r){r in e?n[r]=c(t[r],e[r]):r in t&&(n[r]=c(void 0,t[r]))}));var s=r.concat(o).concat(i).concat(a),f=Object.keys(t).concat(Object.keys(e)).filter((function(t){return-1===s.indexOf(t)}));return zi.forEach(f,u),n};function sa(t){this.defaults=t,this.interceptors={request:new Vi,response:new Vi}}sa.prototype.request=function(t){"string"==typeof t?(t=arguments[1]||{}).url=arguments[0]:t=t||{},(t=ua(this.defaults,t)).method?t.method=t.method.toLowerCase():this.defaults.method?t.method=this.defaults.method.toLowerCase():t.method="get";var e=[ca,void 0],n=Promise.resolve(t);for(this.interceptors.request.forEach((function(t){e.unshift(t.fulfilled,t.rejected)})),this.interceptors.response.forEach((function(t){e.push(t.fulfilled,t.rejected)}));e.length;)n=n.then(e.shift(),e.shift());return n},sa.prototype.getUri=function(t){return t=ua(this.defaults,t),Gi(t.url,t.params,t.paramsSerializer).replace(/^\?/,"")},zi.forEach(["delete","get","head","options"],(function(t){sa.prototype[t]=function(e,n){return this.request(ua(n||{},{method:t,url:e,data:(n||{}).data}))}})),zi.forEach(["post","put","patch"],(function(t){sa.prototype[t]=function(e,n,r){return this.request(ua(r||{},{method:t,url:e,data:n}))}}));var fa=sa;function la(t){this.message=t}la.prototype.toString=function(){return"Cancel"+(this.message?": "+this.message:"")},la.prototype.__CANCEL__=!0;var pa=la;function da(t){if("function"!=typeof t)throw new TypeError("executor must be a function.");var e;this.promise=new Promise((function(t){e=t}));var n=this;t((function(t){n.reason||(n.reason=new pa(t),e(n.reason))}))}da.prototype.throwIfRequested=function(){if(this.reason)throw this.reason},da.source=function(){var t;return{token:new da((function(e){t=e})),cancel:t}};var ha=da;function va(t){var e=new fa(t),n=Ni(fa.prototype.request,e);return zi.extend(n,fa.prototype,e),zi.extend(n,e),n}var ga=va(ia);ga.Axios=fa,ga.create=function(t){return va(ua(ga.defaults,t))},ga.Cancel=pa,ga.CancelToken=ha,ga.isCancel=$i,ga.all=function(t){return Promise.all(t)},ga.spread=function(t){return function(e){return t.apply(null,e)}},ga.isAxiosError=function(t){return"object"==typeof t&&!0===t.isAxiosError};var ma=ga,ya=ga;ma.default=ya;var ba=ma,wa=["v2","v3","v4","v5","canary"],Ea="@tryghost/content-api",ja=function(t){var e=t.url,n=t.method,r=t.params,o=t.headers;return ba[n](e,{params:r,paramsSerializer:function(t){return Object.keys(t).reduce((function(e,n){var r=encodeURIComponent([].concat(t[n]).join(","));return e.concat("".concat(n,"=").concat(r))}),[]).join("&")},headers:o})};return function t(e){var n=e.url,r=e.key,o=e.host,i=e.version,a=e.ghostPath,c=void 0===a?"ghost":a,u=e.makeRequest,s=void 0===u?ja:u;if(o&&(console.warn("".concat(Ea,": The 'host' parameter is deprecated, please use 'url' instead")),n||(n=o)),this instanceof t)return t({url:n,key:r,version:i,ghostPath:c,makeRequest:s});if(i&&!wa.includes(i))throw new Error("".concat(Ea," Config Invalid: 'version' ").concat(i," is not supported"));if(!n)throw new Error("".concat(Ea," Config Missing: 'url' is required. E.g. 'https://site.com'"));if(!/https?:\/\//.test(n))throw new Error("".concat(Ea," Config Invalid: 'url' ").concat(n," requires a protocol. E.g. 'https://site.com'"));if(n.endsWith("/"))throw new Error("".concat(Ea," Config Invalid: 'url' ").concat(n," must not have a trailing slash. E.g. 'https://site.com'"));if(c.endsWith("/")||c.startsWith("/"))throw new Error("".concat(Ea," Config Invalid: 'ghostPath' ").concat(c," must not have a leading or trailing slash. E.g. 'ghost'"));if(r&&!/[0-9a-f]{26}/.test(r))throw new Error("".concat(Ea," Config Invalid: 'key' ").concat(r," must have 26 hex characters"));var f=["posts","authors","tags","pages","settings"].reduce((function(t,e){return Object.assign(t,function(t,e,n){return e in t?Object.defineProperty(t,e,{value:n,enumerable:!0,configurable:!0,writable:!0}):t[e]=n,t}({},e,{read:function(t){var n=arguments.length>1&&void 0!==arguments[1]?arguments[1]:{},r=arguments.length>2?arguments[2]:void 0;if(!t||!t.id&&!t.slug)return Promise.reject(new Error("".concat(Ea," read requires an id or slug.")));var o=Object.assign({},t,n);return l(e,o,t.id||"slug/".concat(t.slug),r)},browse:function(){var t=arguments.length>0&&void 0!==arguments[0]?arguments[0]:{},n=arguments.length>1?arguments[1]:void 0;return l(e,t,null,n)}}))}),{});return delete f.settings.read,f;function l(t,e,o){var a=arguments.length>3&&void 0!==arguments[3]?arguments[3]:null;if(!a&&!r)return Promise.reject(new Error("".concat(Ea," Config Missing: 'key' is required.")));delete e.id;var u=a?{Authorization:"GhostMembers ".concat(a)}:{};i&&!["v4","v5","canary"].includes(i)||(u["Accept-Version"]=i||"v5"),e=Object.assign({key:r},e);var f=i?"".concat(n,"/").concat(c,"/api/").concat(i,"/content/").concat(t,"/").concat(o?o+"/":""):"".concat(n,"/").concat(c,"/api/content/").concat(t,"/").concat(o?o+"/":"");return s({url:f,method:"get",params:e,headers:u}).then((function(e){return Array.isArray(e.data[t])?1!==e.data[t].length||e.data.meta?Object.assign(e.data[t],{meta:e.data.meta}):e.data[t][0]:e.data[t]})).catch((function(t){if(t.response&&t.response.data&&t.response.data.errors){var e=t.response.data.errors[0],n=new Error(e.message),r=Object.keys(e);throw n.name=e.type,r.forEach((function(t){n[t]=e[t]})),n.response=t.response,n.request=t.request,n.config=t.config,n}throw t}))}}}));
|
|
2
2
|
//# sourceMappingURL=content-api.min.js.map
|