@bigbinary/neeto-webhooks-frontend 1.6.0 → 1.6.2

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/dist/index.js CHANGED
@@ -1,2958 +1,24 @@
1
- import React, { createElement, isValidElement, cloneElement, createContext, useContext, useState, useRef, useEffect, useCallback } from 'react';
1
+ import React, { useState, useRef, useCallback } from 'react';
2
2
  import { useParams, useRouteMatch, Switch as Switch$1, Route } from 'react-router-dom';
3
- import { isPresent, removeBy, isNotEmpty, removeById, findBy } from '@bigbinary/neeto-commons-frontend/pure';
3
+ import { isPresent, removeBy, isNotEmpty, removeById, findBy } from '@bigbinary/neeto-cist';
4
+ import { DEFAULT_STALE_TIME, SINGULAR, DEFAULT_PAGE_SIZE, PLURAL } from '@bigbinary/neeto-commons-frontend/constants';
4
5
  import Container from '@bigbinary/neeto-molecules/Container';
5
6
  import Header$2 from '@bigbinary/neeto-molecules/Header';
6
7
  import PageLoader from '@bigbinary/neeto-molecules/PageLoader';
7
8
  import TableWrapper from '@bigbinary/neeto-molecules/TableWrapper';
8
9
  import { Spinner, Typography, Tag, Tab, Pane, Button, Table, NoData, Dropdown, Alert } from '@bigbinary/neetoui';
10
+ import { useTranslation, Trans } from 'react-i18next';
9
11
  import { QueryClient, QueryCache, QueryClientProvider, useQuery, useQueryClient, useMutation } from 'react-query';
10
12
  import { ReactQueryDevtools } from 'react-query/devtools';
11
- import { DEFAULT_STALE_TIME, SINGULAR, PLURAL } from '@bigbinary/neeto-commons-frontend/constants';
12
13
  import axios from 'axios';
13
14
  import DateFormat from '@bigbinary/neeto-molecules/DateFormat';
15
+ import { t as t$1 } from 'i18next';
14
16
  import { prop, pluck, assoc } from 'ramda';
15
17
  import { MenuHorizontal, Info } from '@bigbinary/neeto-icons';
16
18
  import { Form, Input, Select, Switch, ActionBlock } from '@bigbinary/neetoui/formik';
17
19
  import { buildUrl } from '@bigbinary/neeto-commons-frontend/utils';
18
20
  import * as yup from 'yup';
19
21
 
20
- const consoleLogger = {
21
- type: 'logger',
22
- log(args) {
23
- this.output('log', args);
24
- },
25
- warn(args) {
26
- this.output('warn', args);
27
- },
28
- error(args) {
29
- this.output('error', args);
30
- },
31
- output(type, args) {
32
- if (console && console[type]) console[type].apply(console, args);
33
- }
34
- };
35
- class Logger {
36
- constructor(concreteLogger) {
37
- let options = arguments.length > 1 && arguments[1] !== undefined ? arguments[1] : {};
38
- this.init(concreteLogger, options);
39
- }
40
- init(concreteLogger) {
41
- let options = arguments.length > 1 && arguments[1] !== undefined ? arguments[1] : {};
42
- this.prefix = options.prefix || 'i18next:';
43
- this.logger = concreteLogger || consoleLogger;
44
- this.options = options;
45
- this.debug = options.debug;
46
- }
47
- log() {
48
- for (var _len = arguments.length, args = new Array(_len), _key = 0; _key < _len; _key++) {
49
- args[_key] = arguments[_key];
50
- }
51
- return this.forward(args, 'log', '', true);
52
- }
53
- warn() {
54
- for (var _len2 = arguments.length, args = new Array(_len2), _key2 = 0; _key2 < _len2; _key2++) {
55
- args[_key2] = arguments[_key2];
56
- }
57
- return this.forward(args, 'warn', '', true);
58
- }
59
- error() {
60
- for (var _len3 = arguments.length, args = new Array(_len3), _key3 = 0; _key3 < _len3; _key3++) {
61
- args[_key3] = arguments[_key3];
62
- }
63
- return this.forward(args, 'error', '');
64
- }
65
- deprecate() {
66
- for (var _len4 = arguments.length, args = new Array(_len4), _key4 = 0; _key4 < _len4; _key4++) {
67
- args[_key4] = arguments[_key4];
68
- }
69
- return this.forward(args, 'warn', 'WARNING DEPRECATED: ', true);
70
- }
71
- forward(args, lvl, prefix, debugOnly) {
72
- if (debugOnly && !this.debug) return null;
73
- if (typeof args[0] === 'string') args[0] = `${prefix}${this.prefix} ${args[0]}`;
74
- return this.logger[lvl](args);
75
- }
76
- create(moduleName) {
77
- return new Logger(this.logger, {
78
- ...{
79
- prefix: `${this.prefix}:${moduleName}:`
80
- },
81
- ...this.options
82
- });
83
- }
84
- clone(options) {
85
- options = options || this.options;
86
- options.prefix = options.prefix || this.prefix;
87
- return new Logger(this.logger, options);
88
- }
89
- }
90
- var baseLogger = new Logger();
91
-
92
- class EventEmitter {
93
- constructor() {
94
- this.observers = {};
95
- }
96
- on(events, listener) {
97
- events.split(' ').forEach(event => {
98
- this.observers[event] = this.observers[event] || [];
99
- this.observers[event].push(listener);
100
- });
101
- return this;
102
- }
103
- off(event, listener) {
104
- if (!this.observers[event]) return;
105
- if (!listener) {
106
- delete this.observers[event];
107
- return;
108
- }
109
- this.observers[event] = this.observers[event].filter(l => l !== listener);
110
- }
111
- emit(event) {
112
- for (var _len = arguments.length, args = new Array(_len > 1 ? _len - 1 : 0), _key = 1; _key < _len; _key++) {
113
- args[_key - 1] = arguments[_key];
114
- }
115
- if (this.observers[event]) {
116
- const cloned = [].concat(this.observers[event]);
117
- cloned.forEach(observer => {
118
- observer(...args);
119
- });
120
- }
121
- if (this.observers['*']) {
122
- const cloned = [].concat(this.observers['*']);
123
- cloned.forEach(observer => {
124
- observer.apply(observer, [event, ...args]);
125
- });
126
- }
127
- }
128
- }
129
-
130
- function defer() {
131
- let res;
132
- let rej;
133
- const promise = new Promise((resolve, reject) => {
134
- res = resolve;
135
- rej = reject;
136
- });
137
- promise.resolve = res;
138
- promise.reject = rej;
139
- return promise;
140
- }
141
- function makeString(object) {
142
- if (object == null) return '';
143
- return '' + object;
144
- }
145
- function copy(a, s, t) {
146
- a.forEach(m => {
147
- if (s[m]) t[m] = s[m];
148
- });
149
- }
150
- function getLastOfPath(object, path, Empty) {
151
- function cleanKey(key) {
152
- return key && key.indexOf('###') > -1 ? key.replace(/###/g, '.') : key;
153
- }
154
- function canNotTraverseDeeper() {
155
- return !object || typeof object === 'string';
156
- }
157
- const stack = typeof path !== 'string' ? [].concat(path) : path.split('.');
158
- while (stack.length > 1) {
159
- if (canNotTraverseDeeper()) return {};
160
- const key = cleanKey(stack.shift());
161
- if (!object[key] && Empty) object[key] = new Empty();
162
- if (Object.prototype.hasOwnProperty.call(object, key)) {
163
- object = object[key];
164
- } else {
165
- object = {};
166
- }
167
- }
168
- if (canNotTraverseDeeper()) return {};
169
- return {
170
- obj: object,
171
- k: cleanKey(stack.shift())
172
- };
173
- }
174
- function setPath(object, path, newValue) {
175
- const {
176
- obj,
177
- k
178
- } = getLastOfPath(object, path, Object);
179
- obj[k] = newValue;
180
- }
181
- function pushPath(object, path, newValue, concat) {
182
- const {
183
- obj,
184
- k
185
- } = getLastOfPath(object, path, Object);
186
- obj[k] = obj[k] || [];
187
- if (concat) obj[k] = obj[k].concat(newValue);
188
- if (!concat) obj[k].push(newValue);
189
- }
190
- function getPath(object, path) {
191
- const {
192
- obj,
193
- k
194
- } = getLastOfPath(object, path);
195
- if (!obj) return undefined;
196
- return obj[k];
197
- }
198
- function getPathWithDefaults(data, defaultData, key) {
199
- const value = getPath(data, key);
200
- if (value !== undefined) {
201
- return value;
202
- }
203
- return getPath(defaultData, key);
204
- }
205
- function deepExtend(target, source, overwrite) {
206
- for (const prop in source) {
207
- if (prop !== '__proto__' && prop !== 'constructor') {
208
- if (prop in target) {
209
- if (typeof target[prop] === 'string' || target[prop] instanceof String || typeof source[prop] === 'string' || source[prop] instanceof String) {
210
- if (overwrite) target[prop] = source[prop];
211
- } else {
212
- deepExtend(target[prop], source[prop], overwrite);
213
- }
214
- } else {
215
- target[prop] = source[prop];
216
- }
217
- }
218
- }
219
- return target;
220
- }
221
- function regexEscape(str) {
222
- return str.replace(/[\-\[\]\/\{\}\(\)\*\+\?\.\\\^\$\|]/g, '\\$&');
223
- }
224
- var _entityMap = {
225
- '&': '&amp;',
226
- '<': '&lt;',
227
- '>': '&gt;',
228
- '"': '&quot;',
229
- "'": '&#39;',
230
- '/': '&#x2F;'
231
- };
232
- function escape(data) {
233
- if (typeof data === 'string') {
234
- return data.replace(/[&<>"'\/]/g, s => _entityMap[s]);
235
- }
236
- return data;
237
- }
238
- const chars = [' ', ',', '?', '!', ';'];
239
- function looksLikeObjectPath(key, nsSeparator, keySeparator) {
240
- nsSeparator = nsSeparator || '';
241
- keySeparator = keySeparator || '';
242
- const possibleChars = chars.filter(c => nsSeparator.indexOf(c) < 0 && keySeparator.indexOf(c) < 0);
243
- if (possibleChars.length === 0) return true;
244
- const r = new RegExp(`(${possibleChars.map(c => c === '?' ? '\\?' : c).join('|')})`);
245
- let matched = !r.test(key);
246
- if (!matched) {
247
- const ki = key.indexOf(keySeparator);
248
- if (ki > 0 && !r.test(key.substring(0, ki))) {
249
- matched = true;
250
- }
251
- }
252
- return matched;
253
- }
254
- function deepFind(obj, path) {
255
- let keySeparator = arguments.length > 2 && arguments[2] !== undefined ? arguments[2] : '.';
256
- if (!obj) return undefined;
257
- if (obj[path]) return obj[path];
258
- const paths = path.split(keySeparator);
259
- let current = obj;
260
- for (let i = 0; i < paths.length; ++i) {
261
- if (!current) return undefined;
262
- if (typeof current[paths[i]] === 'string' && i + 1 < paths.length) {
263
- return undefined;
264
- }
265
- if (current[paths[i]] === undefined) {
266
- let j = 2;
267
- let p = paths.slice(i, i + j).join(keySeparator);
268
- let mix = current[p];
269
- while (mix === undefined && paths.length > i + j) {
270
- j++;
271
- p = paths.slice(i, i + j).join(keySeparator);
272
- mix = current[p];
273
- }
274
- if (mix === undefined) return undefined;
275
- if (mix === null) return null;
276
- if (path.endsWith(p)) {
277
- if (typeof mix === 'string') return mix;
278
- if (p && typeof mix[p] === 'string') return mix[p];
279
- }
280
- const joinedPath = paths.slice(i + j).join(keySeparator);
281
- if (joinedPath) return deepFind(mix, joinedPath, keySeparator);
282
- return undefined;
283
- }
284
- current = current[paths[i]];
285
- }
286
- return current;
287
- }
288
- function getCleanedCode(code) {
289
- if (code && code.indexOf('_') > 0) return code.replace('_', '-');
290
- return code;
291
- }
292
-
293
- class ResourceStore extends EventEmitter {
294
- constructor(data) {
295
- let options = arguments.length > 1 && arguments[1] !== undefined ? arguments[1] : {
296
- ns: ['translation'],
297
- defaultNS: 'translation'
298
- };
299
- super();
300
- this.data = data || {};
301
- this.options = options;
302
- if (this.options.keySeparator === undefined) {
303
- this.options.keySeparator = '.';
304
- }
305
- if (this.options.ignoreJSONStructure === undefined) {
306
- this.options.ignoreJSONStructure = true;
307
- }
308
- }
309
- addNamespaces(ns) {
310
- if (this.options.ns.indexOf(ns) < 0) {
311
- this.options.ns.push(ns);
312
- }
313
- }
314
- removeNamespaces(ns) {
315
- const index = this.options.ns.indexOf(ns);
316
- if (index > -1) {
317
- this.options.ns.splice(index, 1);
318
- }
319
- }
320
- getResource(lng, ns, key) {
321
- let options = arguments.length > 3 && arguments[3] !== undefined ? arguments[3] : {};
322
- const keySeparator = options.keySeparator !== undefined ? options.keySeparator : this.options.keySeparator;
323
- const ignoreJSONStructure = options.ignoreJSONStructure !== undefined ? options.ignoreJSONStructure : this.options.ignoreJSONStructure;
324
- let path = [lng, ns];
325
- if (key && typeof key !== 'string') path = path.concat(key);
326
- if (key && typeof key === 'string') path = path.concat(keySeparator ? key.split(keySeparator) : key);
327
- if (lng.indexOf('.') > -1) {
328
- path = lng.split('.');
329
- }
330
- const result = getPath(this.data, path);
331
- if (result || !ignoreJSONStructure || typeof key !== 'string') return result;
332
- return deepFind(this.data && this.data[lng] && this.data[lng][ns], key, keySeparator);
333
- }
334
- addResource(lng, ns, key, value) {
335
- let options = arguments.length > 4 && arguments[4] !== undefined ? arguments[4] : {
336
- silent: false
337
- };
338
- const keySeparator = options.keySeparator !== undefined ? options.keySeparator : this.options.keySeparator;
339
- let path = [lng, ns];
340
- if (key) path = path.concat(keySeparator ? key.split(keySeparator) : key);
341
- if (lng.indexOf('.') > -1) {
342
- path = lng.split('.');
343
- value = ns;
344
- ns = path[1];
345
- }
346
- this.addNamespaces(ns);
347
- setPath(this.data, path, value);
348
- if (!options.silent) this.emit('added', lng, ns, key, value);
349
- }
350
- addResources(lng, ns, resources) {
351
- let options = arguments.length > 3 && arguments[3] !== undefined ? arguments[3] : {
352
- silent: false
353
- };
354
- for (const m in resources) {
355
- if (typeof resources[m] === 'string' || Object.prototype.toString.apply(resources[m]) === '[object Array]') this.addResource(lng, ns, m, resources[m], {
356
- silent: true
357
- });
358
- }
359
- if (!options.silent) this.emit('added', lng, ns, resources);
360
- }
361
- addResourceBundle(lng, ns, resources, deep, overwrite) {
362
- let options = arguments.length > 5 && arguments[5] !== undefined ? arguments[5] : {
363
- silent: false
364
- };
365
- let path = [lng, ns];
366
- if (lng.indexOf('.') > -1) {
367
- path = lng.split('.');
368
- deep = resources;
369
- resources = ns;
370
- ns = path[1];
371
- }
372
- this.addNamespaces(ns);
373
- let pack = getPath(this.data, path) || {};
374
- if (deep) {
375
- deepExtend(pack, resources, overwrite);
376
- } else {
377
- pack = {
378
- ...pack,
379
- ...resources
380
- };
381
- }
382
- setPath(this.data, path, pack);
383
- if (!options.silent) this.emit('added', lng, ns, resources);
384
- }
385
- removeResourceBundle(lng, ns) {
386
- if (this.hasResourceBundle(lng, ns)) {
387
- delete this.data[lng][ns];
388
- }
389
- this.removeNamespaces(ns);
390
- this.emit('removed', lng, ns);
391
- }
392
- hasResourceBundle(lng, ns) {
393
- return this.getResource(lng, ns) !== undefined;
394
- }
395
- getResourceBundle(lng, ns) {
396
- if (!ns) ns = this.options.defaultNS;
397
- if (this.options.compatibilityAPI === 'v1') return {
398
- ...{},
399
- ...this.getResource(lng, ns)
400
- };
401
- return this.getResource(lng, ns);
402
- }
403
- getDataByLanguage(lng) {
404
- return this.data[lng];
405
- }
406
- hasLanguageSomeTranslations(lng) {
407
- const data = this.getDataByLanguage(lng);
408
- const n = data && Object.keys(data) || [];
409
- return !!n.find(v => data[v] && Object.keys(data[v]).length > 0);
410
- }
411
- toJSON() {
412
- return this.data;
413
- }
414
- }
415
-
416
- var postProcessor = {
417
- processors: {},
418
- addPostProcessor(module) {
419
- this.processors[module.name] = module;
420
- },
421
- handle(processors, value, key, options, translator) {
422
- processors.forEach(processor => {
423
- if (this.processors[processor]) value = this.processors[processor].process(value, key, options, translator);
424
- });
425
- return value;
426
- }
427
- };
428
-
429
- const checkedLoadedFor = {};
430
- class Translator extends EventEmitter {
431
- constructor(services) {
432
- let options = arguments.length > 1 && arguments[1] !== undefined ? arguments[1] : {};
433
- super();
434
- copy(['resourceStore', 'languageUtils', 'pluralResolver', 'interpolator', 'backendConnector', 'i18nFormat', 'utils'], services, this);
435
- this.options = options;
436
- if (this.options.keySeparator === undefined) {
437
- this.options.keySeparator = '.';
438
- }
439
- this.logger = baseLogger.create('translator');
440
- }
441
- changeLanguage(lng) {
442
- if (lng) this.language = lng;
443
- }
444
- exists(key) {
445
- let options = arguments.length > 1 && arguments[1] !== undefined ? arguments[1] : {
446
- interpolation: {}
447
- };
448
- if (key === undefined || key === null) {
449
- return false;
450
- }
451
- const resolved = this.resolve(key, options);
452
- return resolved && resolved.res !== undefined;
453
- }
454
- extractFromKey(key, options) {
455
- let nsSeparator = options.nsSeparator !== undefined ? options.nsSeparator : this.options.nsSeparator;
456
- if (nsSeparator === undefined) nsSeparator = ':';
457
- const keySeparator = options.keySeparator !== undefined ? options.keySeparator : this.options.keySeparator;
458
- let namespaces = options.ns || this.options.defaultNS || [];
459
- const wouldCheckForNsInKey = nsSeparator && key.indexOf(nsSeparator) > -1;
460
- const seemsNaturalLanguage = !this.options.userDefinedKeySeparator && !options.keySeparator && !this.options.userDefinedNsSeparator && !options.nsSeparator && !looksLikeObjectPath(key, nsSeparator, keySeparator);
461
- if (wouldCheckForNsInKey && !seemsNaturalLanguage) {
462
- const m = key.match(this.interpolator.nestingRegexp);
463
- if (m && m.length > 0) {
464
- return {
465
- key,
466
- namespaces
467
- };
468
- }
469
- const parts = key.split(nsSeparator);
470
- if (nsSeparator !== keySeparator || nsSeparator === keySeparator && this.options.ns.indexOf(parts[0]) > -1) namespaces = parts.shift();
471
- key = parts.join(keySeparator);
472
- }
473
- if (typeof namespaces === 'string') namespaces = [namespaces];
474
- return {
475
- key,
476
- namespaces
477
- };
478
- }
479
- translate(keys, options, lastKey) {
480
- if (typeof options !== 'object' && this.options.overloadTranslationOptionHandler) {
481
- options = this.options.overloadTranslationOptionHandler(arguments);
482
- }
483
- if (typeof options === 'object') options = {
484
- ...options
485
- };
486
- if (!options) options = {};
487
- if (keys === undefined || keys === null) return '';
488
- if (!Array.isArray(keys)) keys = [String(keys)];
489
- const returnDetails = options.returnDetails !== undefined ? options.returnDetails : this.options.returnDetails;
490
- const keySeparator = options.keySeparator !== undefined ? options.keySeparator : this.options.keySeparator;
491
- const {
492
- key,
493
- namespaces
494
- } = this.extractFromKey(keys[keys.length - 1], options);
495
- const namespace = namespaces[namespaces.length - 1];
496
- const lng = options.lng || this.language;
497
- const appendNamespaceToCIMode = options.appendNamespaceToCIMode || this.options.appendNamespaceToCIMode;
498
- if (lng && lng.toLowerCase() === 'cimode') {
499
- if (appendNamespaceToCIMode) {
500
- const nsSeparator = options.nsSeparator || this.options.nsSeparator;
501
- if (returnDetails) {
502
- return {
503
- res: `${namespace}${nsSeparator}${key}`,
504
- usedKey: key,
505
- exactUsedKey: key,
506
- usedLng: lng,
507
- usedNS: namespace
508
- };
509
- }
510
- return `${namespace}${nsSeparator}${key}`;
511
- }
512
- if (returnDetails) {
513
- return {
514
- res: key,
515
- usedKey: key,
516
- exactUsedKey: key,
517
- usedLng: lng,
518
- usedNS: namespace
519
- };
520
- }
521
- return key;
522
- }
523
- const resolved = this.resolve(keys, options);
524
- let res = resolved && resolved.res;
525
- const resUsedKey = resolved && resolved.usedKey || key;
526
- const resExactUsedKey = resolved && resolved.exactUsedKey || key;
527
- const resType = Object.prototype.toString.apply(res);
528
- const noObject = ['[object Number]', '[object Function]', '[object RegExp]'];
529
- const joinArrays = options.joinArrays !== undefined ? options.joinArrays : this.options.joinArrays;
530
- const handleAsObjectInI18nFormat = !this.i18nFormat || this.i18nFormat.handleAsObject;
531
- const handleAsObject = typeof res !== 'string' && typeof res !== 'boolean' && typeof res !== 'number';
532
- if (handleAsObjectInI18nFormat && res && handleAsObject && noObject.indexOf(resType) < 0 && !(typeof joinArrays === 'string' && resType === '[object Array]')) {
533
- if (!options.returnObjects && !this.options.returnObjects) {
534
- if (!this.options.returnedObjectHandler) {
535
- this.logger.warn('accessing an object - but returnObjects options is not enabled!');
536
- }
537
- const r = this.options.returnedObjectHandler ? this.options.returnedObjectHandler(resUsedKey, res, {
538
- ...options,
539
- ns: namespaces
540
- }) : `key '${key} (${this.language})' returned an object instead of string.`;
541
- if (returnDetails) {
542
- resolved.res = r;
543
- return resolved;
544
- }
545
- return r;
546
- }
547
- if (keySeparator) {
548
- const resTypeIsArray = resType === '[object Array]';
549
- const copy = resTypeIsArray ? [] : {};
550
- const newKeyToUse = resTypeIsArray ? resExactUsedKey : resUsedKey;
551
- for (const m in res) {
552
- if (Object.prototype.hasOwnProperty.call(res, m)) {
553
- const deepKey = `${newKeyToUse}${keySeparator}${m}`;
554
- copy[m] = this.translate(deepKey, {
555
- ...options,
556
- ...{
557
- joinArrays: false,
558
- ns: namespaces
559
- }
560
- });
561
- if (copy[m] === deepKey) copy[m] = res[m];
562
- }
563
- }
564
- res = copy;
565
- }
566
- } else if (handleAsObjectInI18nFormat && typeof joinArrays === 'string' && resType === '[object Array]') {
567
- res = res.join(joinArrays);
568
- if (res) res = this.extendTranslation(res, keys, options, lastKey);
569
- } else {
570
- let usedDefault = false;
571
- let usedKey = false;
572
- const needsPluralHandling = options.count !== undefined && typeof options.count !== 'string';
573
- const hasDefaultValue = Translator.hasDefaultValue(options);
574
- const defaultValueSuffix = needsPluralHandling ? this.pluralResolver.getSuffix(lng, options.count, options) : '';
575
- const defaultValueSuffixOrdinalFallback = options.ordinal && needsPluralHandling ? this.pluralResolver.getSuffix(lng, options.count, {
576
- ordinal: false
577
- }) : '';
578
- const defaultValue = options[`defaultValue${defaultValueSuffix}`] || options[`defaultValue${defaultValueSuffixOrdinalFallback}`] || options.defaultValue;
579
- if (!this.isValidLookup(res) && hasDefaultValue) {
580
- usedDefault = true;
581
- res = defaultValue;
582
- }
583
- if (!this.isValidLookup(res)) {
584
- usedKey = true;
585
- res = key;
586
- }
587
- const missingKeyNoValueFallbackToKey = options.missingKeyNoValueFallbackToKey || this.options.missingKeyNoValueFallbackToKey;
588
- const resForMissing = missingKeyNoValueFallbackToKey && usedKey ? undefined : res;
589
- const updateMissing = hasDefaultValue && defaultValue !== res && this.options.updateMissing;
590
- if (usedKey || usedDefault || updateMissing) {
591
- this.logger.log(updateMissing ? 'updateKey' : 'missingKey', lng, namespace, key, updateMissing ? defaultValue : res);
592
- if (keySeparator) {
593
- const fk = this.resolve(key, {
594
- ...options,
595
- keySeparator: false
596
- });
597
- if (fk && fk.res) this.logger.warn('Seems the loaded translations were in flat JSON format instead of nested. Either set keySeparator: false on init or make sure your translations are published in nested format.');
598
- }
599
- let lngs = [];
600
- const fallbackLngs = this.languageUtils.getFallbackCodes(this.options.fallbackLng, options.lng || this.language);
601
- if (this.options.saveMissingTo === 'fallback' && fallbackLngs && fallbackLngs[0]) {
602
- for (let i = 0; i < fallbackLngs.length; i++) {
603
- lngs.push(fallbackLngs[i]);
604
- }
605
- } else if (this.options.saveMissingTo === 'all') {
606
- lngs = this.languageUtils.toResolveHierarchy(options.lng || this.language);
607
- } else {
608
- lngs.push(options.lng || this.language);
609
- }
610
- const send = (l, k, specificDefaultValue) => {
611
- const defaultForMissing = hasDefaultValue && specificDefaultValue !== res ? specificDefaultValue : resForMissing;
612
- if (this.options.missingKeyHandler) {
613
- this.options.missingKeyHandler(l, namespace, k, defaultForMissing, updateMissing, options);
614
- } else if (this.backendConnector && this.backendConnector.saveMissing) {
615
- this.backendConnector.saveMissing(l, namespace, k, defaultForMissing, updateMissing, options);
616
- }
617
- this.emit('missingKey', l, namespace, k, res);
618
- };
619
- if (this.options.saveMissing) {
620
- if (this.options.saveMissingPlurals && needsPluralHandling) {
621
- lngs.forEach(language => {
622
- this.pluralResolver.getSuffixes(language, options).forEach(suffix => {
623
- send([language], key + suffix, options[`defaultValue${suffix}`] || defaultValue);
624
- });
625
- });
626
- } else {
627
- send(lngs, key, defaultValue);
628
- }
629
- }
630
- }
631
- res = this.extendTranslation(res, keys, options, resolved, lastKey);
632
- if (usedKey && res === key && this.options.appendNamespaceToMissingKey) res = `${namespace}:${key}`;
633
- if ((usedKey || usedDefault) && this.options.parseMissingKeyHandler) {
634
- if (this.options.compatibilityAPI !== 'v1') {
635
- res = this.options.parseMissingKeyHandler(this.options.appendNamespaceToMissingKey ? `${namespace}:${key}` : key, usedDefault ? res : undefined);
636
- } else {
637
- res = this.options.parseMissingKeyHandler(res);
638
- }
639
- }
640
- }
641
- if (returnDetails) {
642
- resolved.res = res;
643
- return resolved;
644
- }
645
- return res;
646
- }
647
- extendTranslation(res, key, options, resolved, lastKey) {
648
- var _this = this;
649
- if (this.i18nFormat && this.i18nFormat.parse) {
650
- res = this.i18nFormat.parse(res, {
651
- ...this.options.interpolation.defaultVariables,
652
- ...options
653
- }, resolved.usedLng, resolved.usedNS, resolved.usedKey, {
654
- resolved
655
- });
656
- } else if (!options.skipInterpolation) {
657
- if (options.interpolation) this.interpolator.init({
658
- ...options,
659
- ...{
660
- interpolation: {
661
- ...this.options.interpolation,
662
- ...options.interpolation
663
- }
664
- }
665
- });
666
- const skipOnVariables = typeof res === 'string' && (options && options.interpolation && options.interpolation.skipOnVariables !== undefined ? options.interpolation.skipOnVariables : this.options.interpolation.skipOnVariables);
667
- let nestBef;
668
- if (skipOnVariables) {
669
- const nb = res.match(this.interpolator.nestingRegexp);
670
- nestBef = nb && nb.length;
671
- }
672
- let data = options.replace && typeof options.replace !== 'string' ? options.replace : options;
673
- if (this.options.interpolation.defaultVariables) data = {
674
- ...this.options.interpolation.defaultVariables,
675
- ...data
676
- };
677
- res = this.interpolator.interpolate(res, data, options.lng || this.language, options);
678
- if (skipOnVariables) {
679
- const na = res.match(this.interpolator.nestingRegexp);
680
- const nestAft = na && na.length;
681
- if (nestBef < nestAft) options.nest = false;
682
- }
683
- if (!options.lng && this.options.compatibilityAPI !== 'v1' && resolved && resolved.res) options.lng = resolved.usedLng;
684
- if (options.nest !== false) res = this.interpolator.nest(res, function () {
685
- for (var _len = arguments.length, args = new Array(_len), _key = 0; _key < _len; _key++) {
686
- args[_key] = arguments[_key];
687
- }
688
- if (lastKey && lastKey[0] === args[0] && !options.context) {
689
- _this.logger.warn(`It seems you are nesting recursively key: ${args[0]} in key: ${key[0]}`);
690
- return null;
691
- }
692
- return _this.translate(...args, key);
693
- }, options);
694
- if (options.interpolation) this.interpolator.reset();
695
- }
696
- const postProcess = options.postProcess || this.options.postProcess;
697
- const postProcessorNames = typeof postProcess === 'string' ? [postProcess] : postProcess;
698
- if (res !== undefined && res !== null && postProcessorNames && postProcessorNames.length && options.applyPostProcessor !== false) {
699
- res = postProcessor.handle(postProcessorNames, res, key, this.options && this.options.postProcessPassResolved ? {
700
- i18nResolved: resolved,
701
- ...options
702
- } : options, this);
703
- }
704
- return res;
705
- }
706
- resolve(keys) {
707
- let options = arguments.length > 1 && arguments[1] !== undefined ? arguments[1] : {};
708
- let found;
709
- let usedKey;
710
- let exactUsedKey;
711
- let usedLng;
712
- let usedNS;
713
- if (typeof keys === 'string') keys = [keys];
714
- keys.forEach(k => {
715
- if (this.isValidLookup(found)) return;
716
- const extracted = this.extractFromKey(k, options);
717
- const key = extracted.key;
718
- usedKey = key;
719
- let namespaces = extracted.namespaces;
720
- if (this.options.fallbackNS) namespaces = namespaces.concat(this.options.fallbackNS);
721
- const needsPluralHandling = options.count !== undefined && typeof options.count !== 'string';
722
- const needsZeroSuffixLookup = needsPluralHandling && !options.ordinal && options.count === 0 && this.pluralResolver.shouldUseIntlApi();
723
- const needsContextHandling = options.context !== undefined && (typeof options.context === 'string' || typeof options.context === 'number') && options.context !== '';
724
- const codes = options.lngs ? options.lngs : this.languageUtils.toResolveHierarchy(options.lng || this.language, options.fallbackLng);
725
- namespaces.forEach(ns => {
726
- if (this.isValidLookup(found)) return;
727
- usedNS = ns;
728
- if (!checkedLoadedFor[`${codes[0]}-${ns}`] && this.utils && this.utils.hasLoadedNamespace && !this.utils.hasLoadedNamespace(usedNS)) {
729
- checkedLoadedFor[`${codes[0]}-${ns}`] = true;
730
- this.logger.warn(`key "${usedKey}" for languages "${codes.join(', ')}" won't get resolved as namespace "${usedNS}" was not yet loaded`, 'This means something IS WRONG in your setup. You access the t function before i18next.init / i18next.loadNamespace / i18next.changeLanguage was done. Wait for the callback or Promise to resolve before accessing it!!!');
731
- }
732
- codes.forEach(code => {
733
- if (this.isValidLookup(found)) return;
734
- usedLng = code;
735
- const finalKeys = [key];
736
- if (this.i18nFormat && this.i18nFormat.addLookupKeys) {
737
- this.i18nFormat.addLookupKeys(finalKeys, key, code, ns, options);
738
- } else {
739
- let pluralSuffix;
740
- if (needsPluralHandling) pluralSuffix = this.pluralResolver.getSuffix(code, options.count, options);
741
- const zeroSuffix = `${this.options.pluralSeparator}zero`;
742
- const ordinalPrefix = `${this.options.pluralSeparator}ordinal${this.options.pluralSeparator}`;
743
- if (needsPluralHandling) {
744
- finalKeys.push(key + pluralSuffix);
745
- if (options.ordinal && pluralSuffix.indexOf(ordinalPrefix) === 0) {
746
- finalKeys.push(key + pluralSuffix.replace(ordinalPrefix, this.options.pluralSeparator));
747
- }
748
- if (needsZeroSuffixLookup) {
749
- finalKeys.push(key + zeroSuffix);
750
- }
751
- }
752
- if (needsContextHandling) {
753
- const contextKey = `${key}${this.options.contextSeparator}${options.context}`;
754
- finalKeys.push(contextKey);
755
- if (needsPluralHandling) {
756
- finalKeys.push(contextKey + pluralSuffix);
757
- if (options.ordinal && pluralSuffix.indexOf(ordinalPrefix) === 0) {
758
- finalKeys.push(contextKey + pluralSuffix.replace(ordinalPrefix, this.options.pluralSeparator));
759
- }
760
- if (needsZeroSuffixLookup) {
761
- finalKeys.push(contextKey + zeroSuffix);
762
- }
763
- }
764
- }
765
- }
766
- let possibleKey;
767
- while (possibleKey = finalKeys.pop()) {
768
- if (!this.isValidLookup(found)) {
769
- exactUsedKey = possibleKey;
770
- found = this.getResource(code, ns, possibleKey, options);
771
- }
772
- }
773
- });
774
- });
775
- });
776
- return {
777
- res: found,
778
- usedKey,
779
- exactUsedKey,
780
- usedLng,
781
- usedNS
782
- };
783
- }
784
- isValidLookup(res) {
785
- return res !== undefined && !(!this.options.returnNull && res === null) && !(!this.options.returnEmptyString && res === '');
786
- }
787
- getResource(code, ns, key) {
788
- let options = arguments.length > 3 && arguments[3] !== undefined ? arguments[3] : {};
789
- if (this.i18nFormat && this.i18nFormat.getResource) return this.i18nFormat.getResource(code, ns, key, options);
790
- return this.resourceStore.getResource(code, ns, key, options);
791
- }
792
- static hasDefaultValue(options) {
793
- const prefix = 'defaultValue';
794
- for (const option in options) {
795
- if (Object.prototype.hasOwnProperty.call(options, option) && prefix === option.substring(0, prefix.length) && undefined !== options[option]) {
796
- return true;
797
- }
798
- }
799
- return false;
800
- }
801
- }
802
-
803
- function capitalize(string) {
804
- return string.charAt(0).toUpperCase() + string.slice(1);
805
- }
806
- class LanguageUtil {
807
- constructor(options) {
808
- this.options = options;
809
- this.supportedLngs = this.options.supportedLngs || false;
810
- this.logger = baseLogger.create('languageUtils');
811
- }
812
- getScriptPartFromCode(code) {
813
- code = getCleanedCode(code);
814
- if (!code || code.indexOf('-') < 0) return null;
815
- const p = code.split('-');
816
- if (p.length === 2) return null;
817
- p.pop();
818
- if (p[p.length - 1].toLowerCase() === 'x') return null;
819
- return this.formatLanguageCode(p.join('-'));
820
- }
821
- getLanguagePartFromCode(code) {
822
- code = getCleanedCode(code);
823
- if (!code || code.indexOf('-') < 0) return code;
824
- const p = code.split('-');
825
- return this.formatLanguageCode(p[0]);
826
- }
827
- formatLanguageCode(code) {
828
- if (typeof code === 'string' && code.indexOf('-') > -1) {
829
- const specialCases = ['hans', 'hant', 'latn', 'cyrl', 'cans', 'mong', 'arab'];
830
- let p = code.split('-');
831
- if (this.options.lowerCaseLng) {
832
- p = p.map(part => part.toLowerCase());
833
- } else if (p.length === 2) {
834
- p[0] = p[0].toLowerCase();
835
- p[1] = p[1].toUpperCase();
836
- if (specialCases.indexOf(p[1].toLowerCase()) > -1) p[1] = capitalize(p[1].toLowerCase());
837
- } else if (p.length === 3) {
838
- p[0] = p[0].toLowerCase();
839
- if (p[1].length === 2) p[1] = p[1].toUpperCase();
840
- if (p[0] !== 'sgn' && p[2].length === 2) p[2] = p[2].toUpperCase();
841
- if (specialCases.indexOf(p[1].toLowerCase()) > -1) p[1] = capitalize(p[1].toLowerCase());
842
- if (specialCases.indexOf(p[2].toLowerCase()) > -1) p[2] = capitalize(p[2].toLowerCase());
843
- }
844
- return p.join('-');
845
- }
846
- return this.options.cleanCode || this.options.lowerCaseLng ? code.toLowerCase() : code;
847
- }
848
- isSupportedCode(code) {
849
- if (this.options.load === 'languageOnly' || this.options.nonExplicitSupportedLngs) {
850
- code = this.getLanguagePartFromCode(code);
851
- }
852
- return !this.supportedLngs || !this.supportedLngs.length || this.supportedLngs.indexOf(code) > -1;
853
- }
854
- getBestMatchFromCodes(codes) {
855
- if (!codes) return null;
856
- let found;
857
- codes.forEach(code => {
858
- if (found) return;
859
- const cleanedLng = this.formatLanguageCode(code);
860
- if (!this.options.supportedLngs || this.isSupportedCode(cleanedLng)) found = cleanedLng;
861
- });
862
- if (!found && this.options.supportedLngs) {
863
- codes.forEach(code => {
864
- if (found) return;
865
- const lngOnly = this.getLanguagePartFromCode(code);
866
- if (this.isSupportedCode(lngOnly)) return found = lngOnly;
867
- found = this.options.supportedLngs.find(supportedLng => {
868
- if (supportedLng === lngOnly) return supportedLng;
869
- if (supportedLng.indexOf('-') < 0 && lngOnly.indexOf('-') < 0) return;
870
- if (supportedLng.indexOf(lngOnly) === 0) return supportedLng;
871
- });
872
- });
873
- }
874
- if (!found) found = this.getFallbackCodes(this.options.fallbackLng)[0];
875
- return found;
876
- }
877
- getFallbackCodes(fallbacks, code) {
878
- if (!fallbacks) return [];
879
- if (typeof fallbacks === 'function') fallbacks = fallbacks(code);
880
- if (typeof fallbacks === 'string') fallbacks = [fallbacks];
881
- if (Object.prototype.toString.apply(fallbacks) === '[object Array]') return fallbacks;
882
- if (!code) return fallbacks.default || [];
883
- let found = fallbacks[code];
884
- if (!found) found = fallbacks[this.getScriptPartFromCode(code)];
885
- if (!found) found = fallbacks[this.formatLanguageCode(code)];
886
- if (!found) found = fallbacks[this.getLanguagePartFromCode(code)];
887
- if (!found) found = fallbacks.default;
888
- return found || [];
889
- }
890
- toResolveHierarchy(code, fallbackCode) {
891
- const fallbackCodes = this.getFallbackCodes(fallbackCode || this.options.fallbackLng || [], code);
892
- const codes = [];
893
- const addCode = c => {
894
- if (!c) return;
895
- if (this.isSupportedCode(c)) {
896
- codes.push(c);
897
- } else {
898
- this.logger.warn(`rejecting language code not found in supportedLngs: ${c}`);
899
- }
900
- };
901
- if (typeof code === 'string' && (code.indexOf('-') > -1 || code.indexOf('_') > -1)) {
902
- if (this.options.load !== 'languageOnly') addCode(this.formatLanguageCode(code));
903
- if (this.options.load !== 'languageOnly' && this.options.load !== 'currentOnly') addCode(this.getScriptPartFromCode(code));
904
- if (this.options.load !== 'currentOnly') addCode(this.getLanguagePartFromCode(code));
905
- } else if (typeof code === 'string') {
906
- addCode(this.formatLanguageCode(code));
907
- }
908
- fallbackCodes.forEach(fc => {
909
- if (codes.indexOf(fc) < 0) addCode(this.formatLanguageCode(fc));
910
- });
911
- return codes;
912
- }
913
- }
914
-
915
- let sets = [{
916
- lngs: ['ach', 'ak', 'am', 'arn', 'br', 'fil', 'gun', 'ln', 'mfe', 'mg', 'mi', 'oc', 'pt', 'pt-BR', 'tg', 'tl', 'ti', 'tr', 'uz', 'wa'],
917
- nr: [1, 2],
918
- fc: 1
919
- }, {
920
- lngs: ['af', 'an', 'ast', 'az', 'bg', 'bn', 'ca', 'da', 'de', 'dev', 'el', 'en', 'eo', 'es', 'et', 'eu', 'fi', 'fo', 'fur', 'fy', 'gl', 'gu', 'ha', 'hi', 'hu', 'hy', 'ia', 'it', 'kk', 'kn', 'ku', 'lb', 'mai', 'ml', 'mn', 'mr', 'nah', 'nap', 'nb', 'ne', 'nl', 'nn', 'no', 'nso', 'pa', 'pap', 'pms', 'ps', 'pt-PT', 'rm', 'sco', 'se', 'si', 'so', 'son', 'sq', 'sv', 'sw', 'ta', 'te', 'tk', 'ur', 'yo'],
921
- nr: [1, 2],
922
- fc: 2
923
- }, {
924
- lngs: ['ay', 'bo', 'cgg', 'fa', 'ht', 'id', 'ja', 'jbo', 'ka', 'km', 'ko', 'ky', 'lo', 'ms', 'sah', 'su', 'th', 'tt', 'ug', 'vi', 'wo', 'zh'],
925
- nr: [1],
926
- fc: 3
927
- }, {
928
- lngs: ['be', 'bs', 'cnr', 'dz', 'hr', 'ru', 'sr', 'uk'],
929
- nr: [1, 2, 5],
930
- fc: 4
931
- }, {
932
- lngs: ['ar'],
933
- nr: [0, 1, 2, 3, 11, 100],
934
- fc: 5
935
- }, {
936
- lngs: ['cs', 'sk'],
937
- nr: [1, 2, 5],
938
- fc: 6
939
- }, {
940
- lngs: ['csb', 'pl'],
941
- nr: [1, 2, 5],
942
- fc: 7
943
- }, {
944
- lngs: ['cy'],
945
- nr: [1, 2, 3, 8],
946
- fc: 8
947
- }, {
948
- lngs: ['fr'],
949
- nr: [1, 2],
950
- fc: 9
951
- }, {
952
- lngs: ['ga'],
953
- nr: [1, 2, 3, 7, 11],
954
- fc: 10
955
- }, {
956
- lngs: ['gd'],
957
- nr: [1, 2, 3, 20],
958
- fc: 11
959
- }, {
960
- lngs: ['is'],
961
- nr: [1, 2],
962
- fc: 12
963
- }, {
964
- lngs: ['jv'],
965
- nr: [0, 1],
966
- fc: 13
967
- }, {
968
- lngs: ['kw'],
969
- nr: [1, 2, 3, 4],
970
- fc: 14
971
- }, {
972
- lngs: ['lt'],
973
- nr: [1, 2, 10],
974
- fc: 15
975
- }, {
976
- lngs: ['lv'],
977
- nr: [1, 2, 0],
978
- fc: 16
979
- }, {
980
- lngs: ['mk'],
981
- nr: [1, 2],
982
- fc: 17
983
- }, {
984
- lngs: ['mnk'],
985
- nr: [0, 1, 2],
986
- fc: 18
987
- }, {
988
- lngs: ['mt'],
989
- nr: [1, 2, 11, 20],
990
- fc: 19
991
- }, {
992
- lngs: ['or'],
993
- nr: [2, 1],
994
- fc: 2
995
- }, {
996
- lngs: ['ro'],
997
- nr: [1, 2, 20],
998
- fc: 20
999
- }, {
1000
- lngs: ['sl'],
1001
- nr: [5, 1, 2, 3],
1002
- fc: 21
1003
- }, {
1004
- lngs: ['he', 'iw'],
1005
- nr: [1, 2, 20, 21],
1006
- fc: 22
1007
- }];
1008
- let _rulesPluralsTypes = {
1009
- 1: function (n) {
1010
- return Number(n > 1);
1011
- },
1012
- 2: function (n) {
1013
- return Number(n != 1);
1014
- },
1015
- 3: function (n) {
1016
- return 0;
1017
- },
1018
- 4: function (n) {
1019
- return Number(n % 10 == 1 && n % 100 != 11 ? 0 : n % 10 >= 2 && n % 10 <= 4 && (n % 100 < 10 || n % 100 >= 20) ? 1 : 2);
1020
- },
1021
- 5: function (n) {
1022
- return Number(n == 0 ? 0 : n == 1 ? 1 : n == 2 ? 2 : n % 100 >= 3 && n % 100 <= 10 ? 3 : n % 100 >= 11 ? 4 : 5);
1023
- },
1024
- 6: function (n) {
1025
- return Number(n == 1 ? 0 : n >= 2 && n <= 4 ? 1 : 2);
1026
- },
1027
- 7: function (n) {
1028
- return Number(n == 1 ? 0 : n % 10 >= 2 && n % 10 <= 4 && (n % 100 < 10 || n % 100 >= 20) ? 1 : 2);
1029
- },
1030
- 8: function (n) {
1031
- return Number(n == 1 ? 0 : n == 2 ? 1 : n != 8 && n != 11 ? 2 : 3);
1032
- },
1033
- 9: function (n) {
1034
- return Number(n >= 2);
1035
- },
1036
- 10: function (n) {
1037
- return Number(n == 1 ? 0 : n == 2 ? 1 : n < 7 ? 2 : n < 11 ? 3 : 4);
1038
- },
1039
- 11: function (n) {
1040
- return Number(n == 1 || n == 11 ? 0 : n == 2 || n == 12 ? 1 : n > 2 && n < 20 ? 2 : 3);
1041
- },
1042
- 12: function (n) {
1043
- return Number(n % 10 != 1 || n % 100 == 11);
1044
- },
1045
- 13: function (n) {
1046
- return Number(n !== 0);
1047
- },
1048
- 14: function (n) {
1049
- return Number(n == 1 ? 0 : n == 2 ? 1 : n == 3 ? 2 : 3);
1050
- },
1051
- 15: function (n) {
1052
- return Number(n % 10 == 1 && n % 100 != 11 ? 0 : n % 10 >= 2 && (n % 100 < 10 || n % 100 >= 20) ? 1 : 2);
1053
- },
1054
- 16: function (n) {
1055
- return Number(n % 10 == 1 && n % 100 != 11 ? 0 : n !== 0 ? 1 : 2);
1056
- },
1057
- 17: function (n) {
1058
- return Number(n == 1 || n % 10 == 1 && n % 100 != 11 ? 0 : 1);
1059
- },
1060
- 18: function (n) {
1061
- return Number(n == 0 ? 0 : n == 1 ? 1 : 2);
1062
- },
1063
- 19: function (n) {
1064
- return Number(n == 1 ? 0 : n == 0 || n % 100 > 1 && n % 100 < 11 ? 1 : n % 100 > 10 && n % 100 < 20 ? 2 : 3);
1065
- },
1066
- 20: function (n) {
1067
- return Number(n == 1 ? 0 : n == 0 || n % 100 > 0 && n % 100 < 20 ? 1 : 2);
1068
- },
1069
- 21: function (n) {
1070
- return Number(n % 100 == 1 ? 1 : n % 100 == 2 ? 2 : n % 100 == 3 || n % 100 == 4 ? 3 : 0);
1071
- },
1072
- 22: function (n) {
1073
- return Number(n == 1 ? 0 : n == 2 ? 1 : (n < 0 || n > 10) && n % 10 == 0 ? 2 : 3);
1074
- }
1075
- };
1076
- const nonIntlVersions = ['v1', 'v2', 'v3'];
1077
- const intlVersions = ['v4'];
1078
- const suffixesOrder = {
1079
- zero: 0,
1080
- one: 1,
1081
- two: 2,
1082
- few: 3,
1083
- many: 4,
1084
- other: 5
1085
- };
1086
- function createRules() {
1087
- const rules = {};
1088
- sets.forEach(set => {
1089
- set.lngs.forEach(l => {
1090
- rules[l] = {
1091
- numbers: set.nr,
1092
- plurals: _rulesPluralsTypes[set.fc]
1093
- };
1094
- });
1095
- });
1096
- return rules;
1097
- }
1098
- class PluralResolver {
1099
- constructor(languageUtils) {
1100
- let options = arguments.length > 1 && arguments[1] !== undefined ? arguments[1] : {};
1101
- this.languageUtils = languageUtils;
1102
- this.options = options;
1103
- this.logger = baseLogger.create('pluralResolver');
1104
- if ((!this.options.compatibilityJSON || intlVersions.includes(this.options.compatibilityJSON)) && (typeof Intl === 'undefined' || !Intl.PluralRules)) {
1105
- this.options.compatibilityJSON = 'v3';
1106
- this.logger.error('Your environment seems not to be Intl API compatible, use an Intl.PluralRules polyfill. Will fallback to the compatibilityJSON v3 format handling.');
1107
- }
1108
- this.rules = createRules();
1109
- }
1110
- addRule(lng, obj) {
1111
- this.rules[lng] = obj;
1112
- }
1113
- getRule(code) {
1114
- let options = arguments.length > 1 && arguments[1] !== undefined ? arguments[1] : {};
1115
- if (this.shouldUseIntlApi()) {
1116
- try {
1117
- return new Intl.PluralRules(getCleanedCode(code), {
1118
- type: options.ordinal ? 'ordinal' : 'cardinal'
1119
- });
1120
- } catch {
1121
- return;
1122
- }
1123
- }
1124
- return this.rules[code] || this.rules[this.languageUtils.getLanguagePartFromCode(code)];
1125
- }
1126
- needsPlural(code) {
1127
- let options = arguments.length > 1 && arguments[1] !== undefined ? arguments[1] : {};
1128
- const rule = this.getRule(code, options);
1129
- if (this.shouldUseIntlApi()) {
1130
- return rule && rule.resolvedOptions().pluralCategories.length > 1;
1131
- }
1132
- return rule && rule.numbers.length > 1;
1133
- }
1134
- getPluralFormsOfKey(code, key) {
1135
- let options = arguments.length > 2 && arguments[2] !== undefined ? arguments[2] : {};
1136
- return this.getSuffixes(code, options).map(suffix => `${key}${suffix}`);
1137
- }
1138
- getSuffixes(code) {
1139
- let options = arguments.length > 1 && arguments[1] !== undefined ? arguments[1] : {};
1140
- const rule = this.getRule(code, options);
1141
- if (!rule) {
1142
- return [];
1143
- }
1144
- if (this.shouldUseIntlApi()) {
1145
- return rule.resolvedOptions().pluralCategories.sort((pluralCategory1, pluralCategory2) => suffixesOrder[pluralCategory1] - suffixesOrder[pluralCategory2]).map(pluralCategory => `${this.options.prepend}${options.ordinal ? `ordinal${this.options.prepend}` : ''}${pluralCategory}`);
1146
- }
1147
- return rule.numbers.map(number => this.getSuffix(code, number, options));
1148
- }
1149
- getSuffix(code, count) {
1150
- let options = arguments.length > 2 && arguments[2] !== undefined ? arguments[2] : {};
1151
- const rule = this.getRule(code, options);
1152
- if (rule) {
1153
- if (this.shouldUseIntlApi()) {
1154
- return `${this.options.prepend}${options.ordinal ? `ordinal${this.options.prepend}` : ''}${rule.select(count)}`;
1155
- }
1156
- return this.getSuffixRetroCompatible(rule, count);
1157
- }
1158
- this.logger.warn(`no plural rule found for: ${code}`);
1159
- return '';
1160
- }
1161
- getSuffixRetroCompatible(rule, count) {
1162
- const idx = rule.noAbs ? rule.plurals(count) : rule.plurals(Math.abs(count));
1163
- let suffix = rule.numbers[idx];
1164
- if (this.options.simplifyPluralSuffix && rule.numbers.length === 2 && rule.numbers[0] === 1) {
1165
- if (suffix === 2) {
1166
- suffix = 'plural';
1167
- } else if (suffix === 1) {
1168
- suffix = '';
1169
- }
1170
- }
1171
- const returnSuffix = () => this.options.prepend && suffix.toString() ? this.options.prepend + suffix.toString() : suffix.toString();
1172
- if (this.options.compatibilityJSON === 'v1') {
1173
- if (suffix === 1) return '';
1174
- if (typeof suffix === 'number') return `_plural_${suffix.toString()}`;
1175
- return returnSuffix();
1176
- } else if (this.options.compatibilityJSON === 'v2') {
1177
- return returnSuffix();
1178
- } else if (this.options.simplifyPluralSuffix && rule.numbers.length === 2 && rule.numbers[0] === 1) {
1179
- return returnSuffix();
1180
- }
1181
- return this.options.prepend && idx.toString() ? this.options.prepend + idx.toString() : idx.toString();
1182
- }
1183
- shouldUseIntlApi() {
1184
- return !nonIntlVersions.includes(this.options.compatibilityJSON);
1185
- }
1186
- }
1187
-
1188
- function deepFindWithDefaults(data, defaultData, key) {
1189
- let keySeparator = arguments.length > 3 && arguments[3] !== undefined ? arguments[3] : '.';
1190
- let ignoreJSONStructure = arguments.length > 4 && arguments[4] !== undefined ? arguments[4] : true;
1191
- let path = getPathWithDefaults(data, defaultData, key);
1192
- if (!path && ignoreJSONStructure && typeof key === 'string') {
1193
- path = deepFind(data, key, keySeparator);
1194
- if (path === undefined) path = deepFind(defaultData, key, keySeparator);
1195
- }
1196
- return path;
1197
- }
1198
- class Interpolator {
1199
- constructor() {
1200
- let options = arguments.length > 0 && arguments[0] !== undefined ? arguments[0] : {};
1201
- this.logger = baseLogger.create('interpolator');
1202
- this.options = options;
1203
- this.format = options.interpolation && options.interpolation.format || (value => value);
1204
- this.init(options);
1205
- }
1206
- init() {
1207
- let options = arguments.length > 0 && arguments[0] !== undefined ? arguments[0] : {};
1208
- if (!options.interpolation) options.interpolation = {
1209
- escapeValue: true
1210
- };
1211
- const iOpts = options.interpolation;
1212
- this.escape = iOpts.escape !== undefined ? iOpts.escape : escape;
1213
- this.escapeValue = iOpts.escapeValue !== undefined ? iOpts.escapeValue : true;
1214
- this.useRawValueToEscape = iOpts.useRawValueToEscape !== undefined ? iOpts.useRawValueToEscape : false;
1215
- this.prefix = iOpts.prefix ? regexEscape(iOpts.prefix) : iOpts.prefixEscaped || '{{';
1216
- this.suffix = iOpts.suffix ? regexEscape(iOpts.suffix) : iOpts.suffixEscaped || '}}';
1217
- this.formatSeparator = iOpts.formatSeparator ? iOpts.formatSeparator : iOpts.formatSeparator || ',';
1218
- this.unescapePrefix = iOpts.unescapeSuffix ? '' : iOpts.unescapePrefix || '-';
1219
- this.unescapeSuffix = this.unescapePrefix ? '' : iOpts.unescapeSuffix || '';
1220
- this.nestingPrefix = iOpts.nestingPrefix ? regexEscape(iOpts.nestingPrefix) : iOpts.nestingPrefixEscaped || regexEscape('$t(');
1221
- this.nestingSuffix = iOpts.nestingSuffix ? regexEscape(iOpts.nestingSuffix) : iOpts.nestingSuffixEscaped || regexEscape(')');
1222
- this.nestingOptionsSeparator = iOpts.nestingOptionsSeparator ? iOpts.nestingOptionsSeparator : iOpts.nestingOptionsSeparator || ',';
1223
- this.maxReplaces = iOpts.maxReplaces ? iOpts.maxReplaces : 1000;
1224
- this.alwaysFormat = iOpts.alwaysFormat !== undefined ? iOpts.alwaysFormat : false;
1225
- this.resetRegExp();
1226
- }
1227
- reset() {
1228
- if (this.options) this.init(this.options);
1229
- }
1230
- resetRegExp() {
1231
- const regexpStr = `${this.prefix}(.+?)${this.suffix}`;
1232
- this.regexp = new RegExp(regexpStr, 'g');
1233
- const regexpUnescapeStr = `${this.prefix}${this.unescapePrefix}(.+?)${this.unescapeSuffix}${this.suffix}`;
1234
- this.regexpUnescape = new RegExp(regexpUnescapeStr, 'g');
1235
- const nestingRegexpStr = `${this.nestingPrefix}(.+?)${this.nestingSuffix}`;
1236
- this.nestingRegexp = new RegExp(nestingRegexpStr, 'g');
1237
- }
1238
- interpolate(str, data, lng, options) {
1239
- let match;
1240
- let value;
1241
- let replaces;
1242
- const defaultData = this.options && this.options.interpolation && this.options.interpolation.defaultVariables || {};
1243
- function regexSafe(val) {
1244
- return val.replace(/\$/g, '$$$$');
1245
- }
1246
- const handleFormat = key => {
1247
- if (key.indexOf(this.formatSeparator) < 0) {
1248
- const path = deepFindWithDefaults(data, defaultData, key, this.options.keySeparator, this.options.ignoreJSONStructure);
1249
- return this.alwaysFormat ? this.format(path, undefined, lng, {
1250
- ...options,
1251
- ...data,
1252
- interpolationkey: key
1253
- }) : path;
1254
- }
1255
- const p = key.split(this.formatSeparator);
1256
- const k = p.shift().trim();
1257
- const f = p.join(this.formatSeparator).trim();
1258
- return this.format(deepFindWithDefaults(data, defaultData, k, this.options.keySeparator, this.options.ignoreJSONStructure), f, lng, {
1259
- ...options,
1260
- ...data,
1261
- interpolationkey: k
1262
- });
1263
- };
1264
- this.resetRegExp();
1265
- const missingInterpolationHandler = options && options.missingInterpolationHandler || this.options.missingInterpolationHandler;
1266
- const skipOnVariables = options && options.interpolation && options.interpolation.skipOnVariables !== undefined ? options.interpolation.skipOnVariables : this.options.interpolation.skipOnVariables;
1267
- const todos = [{
1268
- regex: this.regexpUnescape,
1269
- safeValue: val => regexSafe(val)
1270
- }, {
1271
- regex: this.regexp,
1272
- safeValue: val => this.escapeValue ? regexSafe(this.escape(val)) : regexSafe(val)
1273
- }];
1274
- todos.forEach(todo => {
1275
- replaces = 0;
1276
- while (match = todo.regex.exec(str)) {
1277
- const matchedVar = match[1].trim();
1278
- value = handleFormat(matchedVar);
1279
- if (value === undefined) {
1280
- if (typeof missingInterpolationHandler === 'function') {
1281
- const temp = missingInterpolationHandler(str, match, options);
1282
- value = typeof temp === 'string' ? temp : '';
1283
- } else if (options && Object.prototype.hasOwnProperty.call(options, matchedVar)) {
1284
- value = '';
1285
- } else if (skipOnVariables) {
1286
- value = match[0];
1287
- continue;
1288
- } else {
1289
- this.logger.warn(`missed to pass in variable ${matchedVar} for interpolating ${str}`);
1290
- value = '';
1291
- }
1292
- } else if (typeof value !== 'string' && !this.useRawValueToEscape) {
1293
- value = makeString(value);
1294
- }
1295
- const safeValue = todo.safeValue(value);
1296
- str = str.replace(match[0], safeValue);
1297
- if (skipOnVariables) {
1298
- todo.regex.lastIndex += value.length;
1299
- todo.regex.lastIndex -= match[0].length;
1300
- } else {
1301
- todo.regex.lastIndex = 0;
1302
- }
1303
- replaces++;
1304
- if (replaces >= this.maxReplaces) {
1305
- break;
1306
- }
1307
- }
1308
- });
1309
- return str;
1310
- }
1311
- nest(str, fc) {
1312
- let options = arguments.length > 2 && arguments[2] !== undefined ? arguments[2] : {};
1313
- let match;
1314
- let value;
1315
- let clonedOptions;
1316
- function handleHasOptions(key, inheritedOptions) {
1317
- const sep = this.nestingOptionsSeparator;
1318
- if (key.indexOf(sep) < 0) return key;
1319
- const c = key.split(new RegExp(`${sep}[ ]*{`));
1320
- let optionsString = `{${c[1]}`;
1321
- key = c[0];
1322
- optionsString = this.interpolate(optionsString, clonedOptions);
1323
- const matchedSingleQuotes = optionsString.match(/'/g);
1324
- const matchedDoubleQuotes = optionsString.match(/"/g);
1325
- if (matchedSingleQuotes && matchedSingleQuotes.length % 2 === 0 && !matchedDoubleQuotes || matchedDoubleQuotes.length % 2 !== 0) {
1326
- optionsString = optionsString.replace(/'/g, '"');
1327
- }
1328
- try {
1329
- clonedOptions = JSON.parse(optionsString);
1330
- if (inheritedOptions) clonedOptions = {
1331
- ...inheritedOptions,
1332
- ...clonedOptions
1333
- };
1334
- } catch (e) {
1335
- this.logger.warn(`failed parsing options string in nesting for key ${key}`, e);
1336
- return `${key}${sep}${optionsString}`;
1337
- }
1338
- delete clonedOptions.defaultValue;
1339
- return key;
1340
- }
1341
- while (match = this.nestingRegexp.exec(str)) {
1342
- let formatters = [];
1343
- clonedOptions = {
1344
- ...options
1345
- };
1346
- clonedOptions = clonedOptions.replace && typeof clonedOptions.replace !== 'string' ? clonedOptions.replace : clonedOptions;
1347
- clonedOptions.applyPostProcessor = false;
1348
- delete clonedOptions.defaultValue;
1349
- let doReduce = false;
1350
- if (match[0].indexOf(this.formatSeparator) !== -1 && !/{.*}/.test(match[1])) {
1351
- const r = match[1].split(this.formatSeparator).map(elem => elem.trim());
1352
- match[1] = r.shift();
1353
- formatters = r;
1354
- doReduce = true;
1355
- }
1356
- value = fc(handleHasOptions.call(this, match[1].trim(), clonedOptions), clonedOptions);
1357
- if (value && match[0] === str && typeof value !== 'string') return value;
1358
- if (typeof value !== 'string') value = makeString(value);
1359
- if (!value) {
1360
- this.logger.warn(`missed to resolve ${match[1]} for nesting ${str}`);
1361
- value = '';
1362
- }
1363
- if (doReduce) {
1364
- value = formatters.reduce((v, f) => this.format(v, f, options.lng, {
1365
- ...options,
1366
- interpolationkey: match[1].trim()
1367
- }), value.trim());
1368
- }
1369
- str = str.replace(match[0], value);
1370
- this.regexp.lastIndex = 0;
1371
- }
1372
- return str;
1373
- }
1374
- }
1375
-
1376
- function parseFormatStr(formatStr) {
1377
- let formatName = formatStr.toLowerCase().trim();
1378
- const formatOptions = {};
1379
- if (formatStr.indexOf('(') > -1) {
1380
- const p = formatStr.split('(');
1381
- formatName = p[0].toLowerCase().trim();
1382
- const optStr = p[1].substring(0, p[1].length - 1);
1383
- if (formatName === 'currency' && optStr.indexOf(':') < 0) {
1384
- if (!formatOptions.currency) formatOptions.currency = optStr.trim();
1385
- } else if (formatName === 'relativetime' && optStr.indexOf(':') < 0) {
1386
- if (!formatOptions.range) formatOptions.range = optStr.trim();
1387
- } else {
1388
- const opts = optStr.split(';');
1389
- opts.forEach(opt => {
1390
- if (!opt) return;
1391
- const [key, ...rest] = opt.split(':');
1392
- const val = rest.join(':').trim().replace(/^'+|'+$/g, '');
1393
- if (!formatOptions[key.trim()]) formatOptions[key.trim()] = val;
1394
- if (val === 'false') formatOptions[key.trim()] = false;
1395
- if (val === 'true') formatOptions[key.trim()] = true;
1396
- if (!isNaN(val)) formatOptions[key.trim()] = parseInt(val, 10);
1397
- });
1398
- }
1399
- }
1400
- return {
1401
- formatName,
1402
- formatOptions
1403
- };
1404
- }
1405
- function createCachedFormatter(fn) {
1406
- const cache = {};
1407
- return function invokeFormatter(val, lng, options) {
1408
- const key = lng + JSON.stringify(options);
1409
- let formatter = cache[key];
1410
- if (!formatter) {
1411
- formatter = fn(getCleanedCode(lng), options);
1412
- cache[key] = formatter;
1413
- }
1414
- return formatter(val);
1415
- };
1416
- }
1417
- class Formatter {
1418
- constructor() {
1419
- let options = arguments.length > 0 && arguments[0] !== undefined ? arguments[0] : {};
1420
- this.logger = baseLogger.create('formatter');
1421
- this.options = options;
1422
- this.formats = {
1423
- number: createCachedFormatter((lng, opt) => {
1424
- const formatter = new Intl.NumberFormat(lng, {
1425
- ...opt
1426
- });
1427
- return val => formatter.format(val);
1428
- }),
1429
- currency: createCachedFormatter((lng, opt) => {
1430
- const formatter = new Intl.NumberFormat(lng, {
1431
- ...opt,
1432
- style: 'currency'
1433
- });
1434
- return val => formatter.format(val);
1435
- }),
1436
- datetime: createCachedFormatter((lng, opt) => {
1437
- const formatter = new Intl.DateTimeFormat(lng, {
1438
- ...opt
1439
- });
1440
- return val => formatter.format(val);
1441
- }),
1442
- relativetime: createCachedFormatter((lng, opt) => {
1443
- const formatter = new Intl.RelativeTimeFormat(lng, {
1444
- ...opt
1445
- });
1446
- return val => formatter.format(val, opt.range || 'day');
1447
- }),
1448
- list: createCachedFormatter((lng, opt) => {
1449
- const formatter = new Intl.ListFormat(lng, {
1450
- ...opt
1451
- });
1452
- return val => formatter.format(val);
1453
- })
1454
- };
1455
- this.init(options);
1456
- }
1457
- init(services) {
1458
- let options = arguments.length > 1 && arguments[1] !== undefined ? arguments[1] : {
1459
- interpolation: {}
1460
- };
1461
- const iOpts = options.interpolation;
1462
- this.formatSeparator = iOpts.formatSeparator ? iOpts.formatSeparator : iOpts.formatSeparator || ',';
1463
- }
1464
- add(name, fc) {
1465
- this.formats[name.toLowerCase().trim()] = fc;
1466
- }
1467
- addCached(name, fc) {
1468
- this.formats[name.toLowerCase().trim()] = createCachedFormatter(fc);
1469
- }
1470
- format(value, format, lng) {
1471
- let options = arguments.length > 3 && arguments[3] !== undefined ? arguments[3] : {};
1472
- const formats = format.split(this.formatSeparator);
1473
- const result = formats.reduce((mem, f) => {
1474
- const {
1475
- formatName,
1476
- formatOptions
1477
- } = parseFormatStr(f);
1478
- if (this.formats[formatName]) {
1479
- let formatted = mem;
1480
- try {
1481
- const valOptions = options && options.formatParams && options.formatParams[options.interpolationkey] || {};
1482
- const l = valOptions.locale || valOptions.lng || options.locale || options.lng || lng;
1483
- formatted = this.formats[formatName](mem, l, {
1484
- ...formatOptions,
1485
- ...options,
1486
- ...valOptions
1487
- });
1488
- } catch (error) {
1489
- this.logger.warn(error);
1490
- }
1491
- return formatted;
1492
- } else {
1493
- this.logger.warn(`there was no format function for ${formatName}`);
1494
- }
1495
- return mem;
1496
- }, value);
1497
- return result;
1498
- }
1499
- }
1500
-
1501
- function removePending(q, name) {
1502
- if (q.pending[name] !== undefined) {
1503
- delete q.pending[name];
1504
- q.pendingCount--;
1505
- }
1506
- }
1507
- class Connector extends EventEmitter {
1508
- constructor(backend, store, services) {
1509
- let options = arguments.length > 3 && arguments[3] !== undefined ? arguments[3] : {};
1510
- super();
1511
- this.backend = backend;
1512
- this.store = store;
1513
- this.services = services;
1514
- this.languageUtils = services.languageUtils;
1515
- this.options = options;
1516
- this.logger = baseLogger.create('backendConnector');
1517
- this.waitingReads = [];
1518
- this.maxParallelReads = options.maxParallelReads || 10;
1519
- this.readingCalls = 0;
1520
- this.maxRetries = options.maxRetries >= 0 ? options.maxRetries : 5;
1521
- this.retryTimeout = options.retryTimeout >= 1 ? options.retryTimeout : 350;
1522
- this.state = {};
1523
- this.queue = [];
1524
- if (this.backend && this.backend.init) {
1525
- this.backend.init(services, options.backend, options);
1526
- }
1527
- }
1528
- queueLoad(languages, namespaces, options, callback) {
1529
- const toLoad = {};
1530
- const pending = {};
1531
- const toLoadLanguages = {};
1532
- const toLoadNamespaces = {};
1533
- languages.forEach(lng => {
1534
- let hasAllNamespaces = true;
1535
- namespaces.forEach(ns => {
1536
- const name = `${lng}|${ns}`;
1537
- if (!options.reload && this.store.hasResourceBundle(lng, ns)) {
1538
- this.state[name] = 2;
1539
- } else if (this.state[name] < 0) ; else if (this.state[name] === 1) {
1540
- if (pending[name] === undefined) pending[name] = true;
1541
- } else {
1542
- this.state[name] = 1;
1543
- hasAllNamespaces = false;
1544
- if (pending[name] === undefined) pending[name] = true;
1545
- if (toLoad[name] === undefined) toLoad[name] = true;
1546
- if (toLoadNamespaces[ns] === undefined) toLoadNamespaces[ns] = true;
1547
- }
1548
- });
1549
- if (!hasAllNamespaces) toLoadLanguages[lng] = true;
1550
- });
1551
- if (Object.keys(toLoad).length || Object.keys(pending).length) {
1552
- this.queue.push({
1553
- pending,
1554
- pendingCount: Object.keys(pending).length,
1555
- loaded: {},
1556
- errors: [],
1557
- callback
1558
- });
1559
- }
1560
- return {
1561
- toLoad: Object.keys(toLoad),
1562
- pending: Object.keys(pending),
1563
- toLoadLanguages: Object.keys(toLoadLanguages),
1564
- toLoadNamespaces: Object.keys(toLoadNamespaces)
1565
- };
1566
- }
1567
- loaded(name, err, data) {
1568
- const s = name.split('|');
1569
- const lng = s[0];
1570
- const ns = s[1];
1571
- if (err) this.emit('failedLoading', lng, ns, err);
1572
- if (data) {
1573
- this.store.addResourceBundle(lng, ns, data);
1574
- }
1575
- this.state[name] = err ? -1 : 2;
1576
- const loaded = {};
1577
- this.queue.forEach(q => {
1578
- pushPath(q.loaded, [lng], ns);
1579
- removePending(q, name);
1580
- if (err) q.errors.push(err);
1581
- if (q.pendingCount === 0 && !q.done) {
1582
- Object.keys(q.loaded).forEach(l => {
1583
- if (!loaded[l]) loaded[l] = {};
1584
- const loadedKeys = q.loaded[l];
1585
- if (loadedKeys.length) {
1586
- loadedKeys.forEach(n => {
1587
- if (loaded[l][n] === undefined) loaded[l][n] = true;
1588
- });
1589
- }
1590
- });
1591
- q.done = true;
1592
- if (q.errors.length) {
1593
- q.callback(q.errors);
1594
- } else {
1595
- q.callback();
1596
- }
1597
- }
1598
- });
1599
- this.emit('loaded', loaded);
1600
- this.queue = this.queue.filter(q => !q.done);
1601
- }
1602
- read(lng, ns, fcName) {
1603
- let tried = arguments.length > 3 && arguments[3] !== undefined ? arguments[3] : 0;
1604
- let wait = arguments.length > 4 && arguments[4] !== undefined ? arguments[4] : this.retryTimeout;
1605
- let callback = arguments.length > 5 ? arguments[5] : undefined;
1606
- if (!lng.length) return callback(null, {});
1607
- if (this.readingCalls >= this.maxParallelReads) {
1608
- this.waitingReads.push({
1609
- lng,
1610
- ns,
1611
- fcName,
1612
- tried,
1613
- wait,
1614
- callback
1615
- });
1616
- return;
1617
- }
1618
- this.readingCalls++;
1619
- const resolver = (err, data) => {
1620
- this.readingCalls--;
1621
- if (this.waitingReads.length > 0) {
1622
- const next = this.waitingReads.shift();
1623
- this.read(next.lng, next.ns, next.fcName, next.tried, next.wait, next.callback);
1624
- }
1625
- if (err && data && tried < this.maxRetries) {
1626
- setTimeout(() => {
1627
- this.read.call(this, lng, ns, fcName, tried + 1, wait * 2, callback);
1628
- }, wait);
1629
- return;
1630
- }
1631
- callback(err, data);
1632
- };
1633
- const fc = this.backend[fcName].bind(this.backend);
1634
- if (fc.length === 2) {
1635
- try {
1636
- const r = fc(lng, ns);
1637
- if (r && typeof r.then === 'function') {
1638
- r.then(data => resolver(null, data)).catch(resolver);
1639
- } else {
1640
- resolver(null, r);
1641
- }
1642
- } catch (err) {
1643
- resolver(err);
1644
- }
1645
- return;
1646
- }
1647
- return fc(lng, ns, resolver);
1648
- }
1649
- prepareLoading(languages, namespaces) {
1650
- let options = arguments.length > 2 && arguments[2] !== undefined ? arguments[2] : {};
1651
- let callback = arguments.length > 3 ? arguments[3] : undefined;
1652
- if (!this.backend) {
1653
- this.logger.warn('No backend was added via i18next.use. Will not load resources.');
1654
- return callback && callback();
1655
- }
1656
- if (typeof languages === 'string') languages = this.languageUtils.toResolveHierarchy(languages);
1657
- if (typeof namespaces === 'string') namespaces = [namespaces];
1658
- const toLoad = this.queueLoad(languages, namespaces, options, callback);
1659
- if (!toLoad.toLoad.length) {
1660
- if (!toLoad.pending.length) callback();
1661
- return null;
1662
- }
1663
- toLoad.toLoad.forEach(name => {
1664
- this.loadOne(name);
1665
- });
1666
- }
1667
- load(languages, namespaces, callback) {
1668
- this.prepareLoading(languages, namespaces, {}, callback);
1669
- }
1670
- reload(languages, namespaces, callback) {
1671
- this.prepareLoading(languages, namespaces, {
1672
- reload: true
1673
- }, callback);
1674
- }
1675
- loadOne(name) {
1676
- let prefix = arguments.length > 1 && arguments[1] !== undefined ? arguments[1] : '';
1677
- const s = name.split('|');
1678
- const lng = s[0];
1679
- const ns = s[1];
1680
- this.read(lng, ns, 'read', undefined, undefined, (err, data) => {
1681
- if (err) this.logger.warn(`${prefix}loading namespace ${ns} for language ${lng} failed`, err);
1682
- if (!err && data) this.logger.log(`${prefix}loaded namespace ${ns} for language ${lng}`, data);
1683
- this.loaded(name, err, data);
1684
- });
1685
- }
1686
- saveMissing(languages, namespace, key, fallbackValue, isUpdate) {
1687
- let options = arguments.length > 5 && arguments[5] !== undefined ? arguments[5] : {};
1688
- let clb = arguments.length > 6 && arguments[6] !== undefined ? arguments[6] : () => {};
1689
- if (this.services.utils && this.services.utils.hasLoadedNamespace && !this.services.utils.hasLoadedNamespace(namespace)) {
1690
- this.logger.warn(`did not save key "${key}" as the namespace "${namespace}" was not yet loaded`, 'This means something IS WRONG in your setup. You access the t function before i18next.init / i18next.loadNamespace / i18next.changeLanguage was done. Wait for the callback or Promise to resolve before accessing it!!!');
1691
- return;
1692
- }
1693
- if (key === undefined || key === null || key === '') return;
1694
- if (this.backend && this.backend.create) {
1695
- const opts = {
1696
- ...options,
1697
- isUpdate
1698
- };
1699
- const fc = this.backend.create.bind(this.backend);
1700
- if (fc.length < 6) {
1701
- try {
1702
- let r;
1703
- if (fc.length === 5) {
1704
- r = fc(languages, namespace, key, fallbackValue, opts);
1705
- } else {
1706
- r = fc(languages, namespace, key, fallbackValue);
1707
- }
1708
- if (r && typeof r.then === 'function') {
1709
- r.then(data => clb(null, data)).catch(clb);
1710
- } else {
1711
- clb(null, r);
1712
- }
1713
- } catch (err) {
1714
- clb(err);
1715
- }
1716
- } else {
1717
- fc(languages, namespace, key, fallbackValue, clb, opts);
1718
- }
1719
- }
1720
- if (!languages || !languages[0]) return;
1721
- this.store.addResource(languages[0], namespace, key, fallbackValue);
1722
- }
1723
- }
1724
-
1725
- function get() {
1726
- return {
1727
- debug: false,
1728
- initImmediate: true,
1729
- ns: ['translation'],
1730
- defaultNS: ['translation'],
1731
- fallbackLng: ['dev'],
1732
- fallbackNS: false,
1733
- supportedLngs: false,
1734
- nonExplicitSupportedLngs: false,
1735
- load: 'all',
1736
- preload: false,
1737
- simplifyPluralSuffix: true,
1738
- keySeparator: '.',
1739
- nsSeparator: ':',
1740
- pluralSeparator: '_',
1741
- contextSeparator: '_',
1742
- partialBundledLanguages: false,
1743
- saveMissing: false,
1744
- updateMissing: false,
1745
- saveMissingTo: 'fallback',
1746
- saveMissingPlurals: true,
1747
- missingKeyHandler: false,
1748
- missingInterpolationHandler: false,
1749
- postProcess: false,
1750
- postProcessPassResolved: false,
1751
- returnNull: false,
1752
- returnEmptyString: true,
1753
- returnObjects: false,
1754
- joinArrays: false,
1755
- returnedObjectHandler: false,
1756
- parseMissingKeyHandler: false,
1757
- appendNamespaceToMissingKey: false,
1758
- appendNamespaceToCIMode: false,
1759
- overloadTranslationOptionHandler: function handle(args) {
1760
- let ret = {};
1761
- if (typeof args[1] === 'object') ret = args[1];
1762
- if (typeof args[1] === 'string') ret.defaultValue = args[1];
1763
- if (typeof args[2] === 'string') ret.tDescription = args[2];
1764
- if (typeof args[2] === 'object' || typeof args[3] === 'object') {
1765
- const options = args[3] || args[2];
1766
- Object.keys(options).forEach(key => {
1767
- ret[key] = options[key];
1768
- });
1769
- }
1770
- return ret;
1771
- },
1772
- interpolation: {
1773
- escapeValue: true,
1774
- format: (value, format, lng, options) => value,
1775
- prefix: '{{',
1776
- suffix: '}}',
1777
- formatSeparator: ',',
1778
- unescapePrefix: '-',
1779
- nestingPrefix: '$t(',
1780
- nestingSuffix: ')',
1781
- nestingOptionsSeparator: ',',
1782
- maxReplaces: 1000,
1783
- skipOnVariables: true
1784
- }
1785
- };
1786
- }
1787
- function transformOptions(options) {
1788
- if (typeof options.ns === 'string') options.ns = [options.ns];
1789
- if (typeof options.fallbackLng === 'string') options.fallbackLng = [options.fallbackLng];
1790
- if (typeof options.fallbackNS === 'string') options.fallbackNS = [options.fallbackNS];
1791
- if (options.supportedLngs && options.supportedLngs.indexOf('cimode') < 0) {
1792
- options.supportedLngs = options.supportedLngs.concat(['cimode']);
1793
- }
1794
- return options;
1795
- }
1796
-
1797
- function noop() {}
1798
- function bindMemberFunctions(inst) {
1799
- const mems = Object.getOwnPropertyNames(Object.getPrototypeOf(inst));
1800
- mems.forEach(mem => {
1801
- if (typeof inst[mem] === 'function') {
1802
- inst[mem] = inst[mem].bind(inst);
1803
- }
1804
- });
1805
- }
1806
- class I18n extends EventEmitter {
1807
- constructor() {
1808
- let options = arguments.length > 0 && arguments[0] !== undefined ? arguments[0] : {};
1809
- let callback = arguments.length > 1 ? arguments[1] : undefined;
1810
- super();
1811
- this.options = transformOptions(options);
1812
- this.services = {};
1813
- this.logger = baseLogger;
1814
- this.modules = {
1815
- external: []
1816
- };
1817
- bindMemberFunctions(this);
1818
- if (callback && !this.isInitialized && !options.isClone) {
1819
- if (!this.options.initImmediate) {
1820
- this.init(options, callback);
1821
- return this;
1822
- }
1823
- setTimeout(() => {
1824
- this.init(options, callback);
1825
- }, 0);
1826
- }
1827
- }
1828
- init() {
1829
- var _this = this;
1830
- let options = arguments.length > 0 && arguments[0] !== undefined ? arguments[0] : {};
1831
- let callback = arguments.length > 1 ? arguments[1] : undefined;
1832
- if (typeof options === 'function') {
1833
- callback = options;
1834
- options = {};
1835
- }
1836
- if (!options.defaultNS && options.defaultNS !== false && options.ns) {
1837
- if (typeof options.ns === 'string') {
1838
- options.defaultNS = options.ns;
1839
- } else if (options.ns.indexOf('translation') < 0) {
1840
- options.defaultNS = options.ns[0];
1841
- }
1842
- }
1843
- const defOpts = get();
1844
- this.options = {
1845
- ...defOpts,
1846
- ...this.options,
1847
- ...transformOptions(options)
1848
- };
1849
- if (this.options.compatibilityAPI !== 'v1') {
1850
- this.options.interpolation = {
1851
- ...defOpts.interpolation,
1852
- ...this.options.interpolation
1853
- };
1854
- }
1855
- if (options.keySeparator !== undefined) {
1856
- this.options.userDefinedKeySeparator = options.keySeparator;
1857
- }
1858
- if (options.nsSeparator !== undefined) {
1859
- this.options.userDefinedNsSeparator = options.nsSeparator;
1860
- }
1861
- function createClassOnDemand(ClassOrObject) {
1862
- if (!ClassOrObject) return null;
1863
- if (typeof ClassOrObject === 'function') return new ClassOrObject();
1864
- return ClassOrObject;
1865
- }
1866
- if (!this.options.isClone) {
1867
- if (this.modules.logger) {
1868
- baseLogger.init(createClassOnDemand(this.modules.logger), this.options);
1869
- } else {
1870
- baseLogger.init(null, this.options);
1871
- }
1872
- let formatter;
1873
- if (this.modules.formatter) {
1874
- formatter = this.modules.formatter;
1875
- } else if (typeof Intl !== 'undefined') {
1876
- formatter = Formatter;
1877
- }
1878
- const lu = new LanguageUtil(this.options);
1879
- this.store = new ResourceStore(this.options.resources, this.options);
1880
- const s = this.services;
1881
- s.logger = baseLogger;
1882
- s.resourceStore = this.store;
1883
- s.languageUtils = lu;
1884
- s.pluralResolver = new PluralResolver(lu, {
1885
- prepend: this.options.pluralSeparator,
1886
- compatibilityJSON: this.options.compatibilityJSON,
1887
- simplifyPluralSuffix: this.options.simplifyPluralSuffix
1888
- });
1889
- if (formatter && (!this.options.interpolation.format || this.options.interpolation.format === defOpts.interpolation.format)) {
1890
- s.formatter = createClassOnDemand(formatter);
1891
- s.formatter.init(s, this.options);
1892
- this.options.interpolation.format = s.formatter.format.bind(s.formatter);
1893
- }
1894
- s.interpolator = new Interpolator(this.options);
1895
- s.utils = {
1896
- hasLoadedNamespace: this.hasLoadedNamespace.bind(this)
1897
- };
1898
- s.backendConnector = new Connector(createClassOnDemand(this.modules.backend), s.resourceStore, s, this.options);
1899
- s.backendConnector.on('*', function (event) {
1900
- for (var _len = arguments.length, args = new Array(_len > 1 ? _len - 1 : 0), _key = 1; _key < _len; _key++) {
1901
- args[_key - 1] = arguments[_key];
1902
- }
1903
- _this.emit(event, ...args);
1904
- });
1905
- if (this.modules.languageDetector) {
1906
- s.languageDetector = createClassOnDemand(this.modules.languageDetector);
1907
- if (s.languageDetector.init) s.languageDetector.init(s, this.options.detection, this.options);
1908
- }
1909
- if (this.modules.i18nFormat) {
1910
- s.i18nFormat = createClassOnDemand(this.modules.i18nFormat);
1911
- if (s.i18nFormat.init) s.i18nFormat.init(this);
1912
- }
1913
- this.translator = new Translator(this.services, this.options);
1914
- this.translator.on('*', function (event) {
1915
- for (var _len2 = arguments.length, args = new Array(_len2 > 1 ? _len2 - 1 : 0), _key2 = 1; _key2 < _len2; _key2++) {
1916
- args[_key2 - 1] = arguments[_key2];
1917
- }
1918
- _this.emit(event, ...args);
1919
- });
1920
- this.modules.external.forEach(m => {
1921
- if (m.init) m.init(this);
1922
- });
1923
- }
1924
- this.format = this.options.interpolation.format;
1925
- if (!callback) callback = noop;
1926
- if (this.options.fallbackLng && !this.services.languageDetector && !this.options.lng) {
1927
- const codes = this.services.languageUtils.getFallbackCodes(this.options.fallbackLng);
1928
- if (codes.length > 0 && codes[0] !== 'dev') this.options.lng = codes[0];
1929
- }
1930
- if (!this.services.languageDetector && !this.options.lng) {
1931
- this.logger.warn('init: no languageDetector is used and no lng is defined');
1932
- }
1933
- const storeApi = ['getResource', 'hasResourceBundle', 'getResourceBundle', 'getDataByLanguage'];
1934
- storeApi.forEach(fcName => {
1935
- this[fcName] = function () {
1936
- return _this.store[fcName](...arguments);
1937
- };
1938
- });
1939
- const storeApiChained = ['addResource', 'addResources', 'addResourceBundle', 'removeResourceBundle'];
1940
- storeApiChained.forEach(fcName => {
1941
- this[fcName] = function () {
1942
- _this.store[fcName](...arguments);
1943
- return _this;
1944
- };
1945
- });
1946
- const deferred = defer();
1947
- const load = () => {
1948
- const finish = (err, t) => {
1949
- if (this.isInitialized && !this.initializedStoreOnce) this.logger.warn('init: i18next is already initialized. You should call init just once!');
1950
- this.isInitialized = true;
1951
- if (!this.options.isClone) this.logger.log('initialized', this.options);
1952
- this.emit('initialized', this.options);
1953
- deferred.resolve(t);
1954
- callback(err, t);
1955
- };
1956
- if (this.languages && this.options.compatibilityAPI !== 'v1' && !this.isInitialized) return finish(null, this.t.bind(this));
1957
- this.changeLanguage(this.options.lng, finish);
1958
- };
1959
- if (this.options.resources || !this.options.initImmediate) {
1960
- load();
1961
- } else {
1962
- setTimeout(load, 0);
1963
- }
1964
- return deferred;
1965
- }
1966
- loadResources(language) {
1967
- let callback = arguments.length > 1 && arguments[1] !== undefined ? arguments[1] : noop;
1968
- let usedCallback = callback;
1969
- const usedLng = typeof language === 'string' ? language : this.language;
1970
- if (typeof language === 'function') usedCallback = language;
1971
- if (!this.options.resources || this.options.partialBundledLanguages) {
1972
- if (usedLng && usedLng.toLowerCase() === 'cimode') return usedCallback();
1973
- const toLoad = [];
1974
- const append = lng => {
1975
- if (!lng) return;
1976
- const lngs = this.services.languageUtils.toResolveHierarchy(lng);
1977
- lngs.forEach(l => {
1978
- if (toLoad.indexOf(l) < 0) toLoad.push(l);
1979
- });
1980
- };
1981
- if (!usedLng) {
1982
- const fallbacks = this.services.languageUtils.getFallbackCodes(this.options.fallbackLng);
1983
- fallbacks.forEach(l => append(l));
1984
- } else {
1985
- append(usedLng);
1986
- }
1987
- if (this.options.preload) {
1988
- this.options.preload.forEach(l => append(l));
1989
- }
1990
- this.services.backendConnector.load(toLoad, this.options.ns, e => {
1991
- if (!e && !this.resolvedLanguage && this.language) this.setResolvedLanguage(this.language);
1992
- usedCallback(e);
1993
- });
1994
- } else {
1995
- usedCallback(null);
1996
- }
1997
- }
1998
- reloadResources(lngs, ns, callback) {
1999
- const deferred = defer();
2000
- if (!lngs) lngs = this.languages;
2001
- if (!ns) ns = this.options.ns;
2002
- if (!callback) callback = noop;
2003
- this.services.backendConnector.reload(lngs, ns, err => {
2004
- deferred.resolve();
2005
- callback(err);
2006
- });
2007
- return deferred;
2008
- }
2009
- use(module) {
2010
- if (!module) throw new Error('You are passing an undefined module! Please check the object you are passing to i18next.use()');
2011
- if (!module.type) throw new Error('You are passing a wrong module! Please check the object you are passing to i18next.use()');
2012
- if (module.type === 'backend') {
2013
- this.modules.backend = module;
2014
- }
2015
- if (module.type === 'logger' || module.log && module.warn && module.error) {
2016
- this.modules.logger = module;
2017
- }
2018
- if (module.type === 'languageDetector') {
2019
- this.modules.languageDetector = module;
2020
- }
2021
- if (module.type === 'i18nFormat') {
2022
- this.modules.i18nFormat = module;
2023
- }
2024
- if (module.type === 'postProcessor') {
2025
- postProcessor.addPostProcessor(module);
2026
- }
2027
- if (module.type === 'formatter') {
2028
- this.modules.formatter = module;
2029
- }
2030
- if (module.type === '3rdParty') {
2031
- this.modules.external.push(module);
2032
- }
2033
- return this;
2034
- }
2035
- setResolvedLanguage(l) {
2036
- if (!l || !this.languages) return;
2037
- if (['cimode', 'dev'].indexOf(l) > -1) return;
2038
- for (let li = 0; li < this.languages.length; li++) {
2039
- const lngInLngs = this.languages[li];
2040
- if (['cimode', 'dev'].indexOf(lngInLngs) > -1) continue;
2041
- if (this.store.hasLanguageSomeTranslations(lngInLngs)) {
2042
- this.resolvedLanguage = lngInLngs;
2043
- break;
2044
- }
2045
- }
2046
- }
2047
- changeLanguage(lng, callback) {
2048
- var _this2 = this;
2049
- this.isLanguageChangingTo = lng;
2050
- const deferred = defer();
2051
- this.emit('languageChanging', lng);
2052
- const setLngProps = l => {
2053
- this.language = l;
2054
- this.languages = this.services.languageUtils.toResolveHierarchy(l);
2055
- this.resolvedLanguage = undefined;
2056
- this.setResolvedLanguage(l);
2057
- };
2058
- const done = (err, l) => {
2059
- if (l) {
2060
- setLngProps(l);
2061
- this.translator.changeLanguage(l);
2062
- this.isLanguageChangingTo = undefined;
2063
- this.emit('languageChanged', l);
2064
- this.logger.log('languageChanged', l);
2065
- } else {
2066
- this.isLanguageChangingTo = undefined;
2067
- }
2068
- deferred.resolve(function () {
2069
- return _this2.t(...arguments);
2070
- });
2071
- if (callback) callback(err, function () {
2072
- return _this2.t(...arguments);
2073
- });
2074
- };
2075
- const setLng = lngs => {
2076
- if (!lng && !lngs && this.services.languageDetector) lngs = [];
2077
- const l = typeof lngs === 'string' ? lngs : this.services.languageUtils.getBestMatchFromCodes(lngs);
2078
- if (l) {
2079
- if (!this.language) {
2080
- setLngProps(l);
2081
- }
2082
- if (!this.translator.language) this.translator.changeLanguage(l);
2083
- if (this.services.languageDetector && this.services.languageDetector.cacheUserLanguage) this.services.languageDetector.cacheUserLanguage(l);
2084
- }
2085
- this.loadResources(l, err => {
2086
- done(err, l);
2087
- });
2088
- };
2089
- if (!lng && this.services.languageDetector && !this.services.languageDetector.async) {
2090
- setLng(this.services.languageDetector.detect());
2091
- } else if (!lng && this.services.languageDetector && this.services.languageDetector.async) {
2092
- if (this.services.languageDetector.detect.length === 0) {
2093
- this.services.languageDetector.detect().then(setLng);
2094
- } else {
2095
- this.services.languageDetector.detect(setLng);
2096
- }
2097
- } else {
2098
- setLng(lng);
2099
- }
2100
- return deferred;
2101
- }
2102
- getFixedT(lng, ns, keyPrefix) {
2103
- var _this3 = this;
2104
- const fixedT = function (key, opts) {
2105
- let options;
2106
- if (typeof opts !== 'object') {
2107
- for (var _len3 = arguments.length, rest = new Array(_len3 > 2 ? _len3 - 2 : 0), _key3 = 2; _key3 < _len3; _key3++) {
2108
- rest[_key3 - 2] = arguments[_key3];
2109
- }
2110
- options = _this3.options.overloadTranslationOptionHandler([key, opts].concat(rest));
2111
- } else {
2112
- options = {
2113
- ...opts
2114
- };
2115
- }
2116
- options.lng = options.lng || fixedT.lng;
2117
- options.lngs = options.lngs || fixedT.lngs;
2118
- options.ns = options.ns || fixedT.ns;
2119
- options.keyPrefix = options.keyPrefix || keyPrefix || fixedT.keyPrefix;
2120
- const keySeparator = _this3.options.keySeparator || '.';
2121
- let resultKey;
2122
- if (options.keyPrefix && Array.isArray(key)) {
2123
- resultKey = key.map(k => `${options.keyPrefix}${keySeparator}${k}`);
2124
- } else {
2125
- resultKey = options.keyPrefix ? `${options.keyPrefix}${keySeparator}${key}` : key;
2126
- }
2127
- return _this3.t(resultKey, options);
2128
- };
2129
- if (typeof lng === 'string') {
2130
- fixedT.lng = lng;
2131
- } else {
2132
- fixedT.lngs = lng;
2133
- }
2134
- fixedT.ns = ns;
2135
- fixedT.keyPrefix = keyPrefix;
2136
- return fixedT;
2137
- }
2138
- t() {
2139
- return this.translator && this.translator.translate(...arguments);
2140
- }
2141
- exists() {
2142
- return this.translator && this.translator.exists(...arguments);
2143
- }
2144
- setDefaultNamespace(ns) {
2145
- this.options.defaultNS = ns;
2146
- }
2147
- hasLoadedNamespace(ns) {
2148
- let options = arguments.length > 1 && arguments[1] !== undefined ? arguments[1] : {};
2149
- if (!this.isInitialized) {
2150
- this.logger.warn('hasLoadedNamespace: i18next was not initialized', this.languages);
2151
- return false;
2152
- }
2153
- if (!this.languages || !this.languages.length) {
2154
- this.logger.warn('hasLoadedNamespace: i18n.languages were undefined or empty', this.languages);
2155
- return false;
2156
- }
2157
- const lng = options.lng || this.resolvedLanguage || this.languages[0];
2158
- const fallbackLng = this.options ? this.options.fallbackLng : false;
2159
- const lastLng = this.languages[this.languages.length - 1];
2160
- if (lng.toLowerCase() === 'cimode') return true;
2161
- const loadNotPending = (l, n) => {
2162
- const loadState = this.services.backendConnector.state[`${l}|${n}`];
2163
- return loadState === -1 || loadState === 2;
2164
- };
2165
- if (options.precheck) {
2166
- const preResult = options.precheck(this, loadNotPending);
2167
- if (preResult !== undefined) return preResult;
2168
- }
2169
- if (this.hasResourceBundle(lng, ns)) return true;
2170
- if (!this.services.backendConnector.backend || this.options.resources && !this.options.partialBundledLanguages) return true;
2171
- if (loadNotPending(lng, ns) && (!fallbackLng || loadNotPending(lastLng, ns))) return true;
2172
- return false;
2173
- }
2174
- loadNamespaces(ns, callback) {
2175
- const deferred = defer();
2176
- if (!this.options.ns) {
2177
- if (callback) callback();
2178
- return Promise.resolve();
2179
- }
2180
- if (typeof ns === 'string') ns = [ns];
2181
- ns.forEach(n => {
2182
- if (this.options.ns.indexOf(n) < 0) this.options.ns.push(n);
2183
- });
2184
- this.loadResources(err => {
2185
- deferred.resolve();
2186
- if (callback) callback(err);
2187
- });
2188
- return deferred;
2189
- }
2190
- loadLanguages(lngs, callback) {
2191
- const deferred = defer();
2192
- if (typeof lngs === 'string') lngs = [lngs];
2193
- const preloaded = this.options.preload || [];
2194
- const newLngs = lngs.filter(lng => preloaded.indexOf(lng) < 0);
2195
- if (!newLngs.length) {
2196
- if (callback) callback();
2197
- return Promise.resolve();
2198
- }
2199
- this.options.preload = preloaded.concat(newLngs);
2200
- this.loadResources(err => {
2201
- deferred.resolve();
2202
- if (callback) callback(err);
2203
- });
2204
- return deferred;
2205
- }
2206
- dir(lng) {
2207
- if (!lng) lng = this.resolvedLanguage || (this.languages && this.languages.length > 0 ? this.languages[0] : this.language);
2208
- if (!lng) return 'rtl';
2209
- const rtlLngs = ['ar', 'shu', 'sqr', 'ssh', 'xaa', 'yhd', 'yud', 'aao', 'abh', 'abv', 'acm', 'acq', 'acw', 'acx', 'acy', 'adf', 'ads', 'aeb', 'aec', 'afb', 'ajp', 'apc', 'apd', 'arb', 'arq', 'ars', 'ary', 'arz', 'auz', 'avl', 'ayh', 'ayl', 'ayn', 'ayp', 'bbz', 'pga', 'he', 'iw', 'ps', 'pbt', 'pbu', 'pst', 'prp', 'prd', 'ug', 'ur', 'ydd', 'yds', 'yih', 'ji', 'yi', 'hbo', 'men', 'xmn', 'fa', 'jpr', 'peo', 'pes', 'prs', 'dv', 'sam', 'ckb'];
2210
- const languageUtils = this.services && this.services.languageUtils || new LanguageUtil(get());
2211
- return rtlLngs.indexOf(languageUtils.getLanguagePartFromCode(lng)) > -1 || lng.toLowerCase().indexOf('-arab') > 1 ? 'rtl' : 'ltr';
2212
- }
2213
- static createInstance() {
2214
- let options = arguments.length > 0 && arguments[0] !== undefined ? arguments[0] : {};
2215
- let callback = arguments.length > 1 ? arguments[1] : undefined;
2216
- return new I18n(options, callback);
2217
- }
2218
- cloneInstance() {
2219
- let options = arguments.length > 0 && arguments[0] !== undefined ? arguments[0] : {};
2220
- let callback = arguments.length > 1 && arguments[1] !== undefined ? arguments[1] : noop;
2221
- const forkResourceStore = options.forkResourceStore;
2222
- if (forkResourceStore) delete options.forkResourceStore;
2223
- const mergedOptions = {
2224
- ...this.options,
2225
- ...options,
2226
- ...{
2227
- isClone: true
2228
- }
2229
- };
2230
- const clone = new I18n(mergedOptions);
2231
- if (options.debug !== undefined || options.prefix !== undefined) {
2232
- clone.logger = clone.logger.clone(options);
2233
- }
2234
- const membersToCopy = ['store', 'services', 'language'];
2235
- membersToCopy.forEach(m => {
2236
- clone[m] = this[m];
2237
- });
2238
- clone.services = {
2239
- ...this.services
2240
- };
2241
- clone.services.utils = {
2242
- hasLoadedNamespace: clone.hasLoadedNamespace.bind(clone)
2243
- };
2244
- if (forkResourceStore) {
2245
- clone.store = new ResourceStore(this.store.data, mergedOptions);
2246
- clone.services.resourceStore = clone.store;
2247
- }
2248
- clone.translator = new Translator(clone.services, mergedOptions);
2249
- clone.translator.on('*', function (event) {
2250
- for (var _len4 = arguments.length, args = new Array(_len4 > 1 ? _len4 - 1 : 0), _key4 = 1; _key4 < _len4; _key4++) {
2251
- args[_key4 - 1] = arguments[_key4];
2252
- }
2253
- clone.emit(event, ...args);
2254
- });
2255
- clone.init(mergedOptions, callback);
2256
- clone.translator.options = mergedOptions;
2257
- clone.translator.backendConnector.services.utils = {
2258
- hasLoadedNamespace: clone.hasLoadedNamespace.bind(clone)
2259
- };
2260
- return clone;
2261
- }
2262
- toJSON() {
2263
- return {
2264
- options: this.options,
2265
- store: this.store,
2266
- language: this.language,
2267
- languages: this.languages,
2268
- resolvedLanguage: this.resolvedLanguage
2269
- };
2270
- }
2271
- }
2272
- const instance = I18n.createInstance();
2273
- instance.createInstance = I18n.createInstance;
2274
-
2275
- instance.createInstance;
2276
- instance.dir;
2277
- instance.init;
2278
- instance.loadResources;
2279
- instance.reloadResources;
2280
- instance.use;
2281
- instance.changeLanguage;
2282
- instance.getFixedT;
2283
- const t$2 = instance.t;
2284
- instance.exists;
2285
- instance.setDefaultNamespace;
2286
- instance.hasLoadedNamespace;
2287
- instance.loadNamespaces;
2288
- instance.loadLanguages;
2289
-
2290
- function getDefaultExportFromCjs (x) {
2291
- return x && x.__esModule && Object.prototype.hasOwnProperty.call(x, 'default') ? x['default'] : x;
2292
- }
2293
-
2294
- /**
2295
- * This file automatically generated from `pre-publish.js`.
2296
- * Do not manually edit.
2297
- */
2298
-
2299
- var voidElements = {
2300
- "area": true,
2301
- "base": true,
2302
- "br": true,
2303
- "col": true,
2304
- "embed": true,
2305
- "hr": true,
2306
- "img": true,
2307
- "input": true,
2308
- "link": true,
2309
- "meta": true,
2310
- "param": true,
2311
- "source": true,
2312
- "track": true,
2313
- "wbr": true
2314
- };
2315
-
2316
- var e$1 = /*@__PURE__*/getDefaultExportFromCjs(voidElements);
2317
-
2318
- var t$1=/\s([^'"/\s><]+?)[\s/>]|([^\s=]+)=\s?(".*?"|'.*?')/g;function n$1(n){var r={type:"tag",name:"",voidElement:!1,attrs:{},children:[]},i=n.match(/<\/?([^\s]+?)[/\s>]/);if(i&&(r.name=i[1],(e$1[i[1]]||"/"===n.charAt(n.length-2))&&(r.voidElement=!0),r.name.startsWith("!--"))){var s=n.indexOf("--\x3e");return {type:"comment",comment:-1!==s?n.slice(4,s):""}}for(var a=new RegExp(t$1),c=null;null!==(c=a.exec(n));)if(c[0].trim())if(c[1]){var o=c[1].trim(),l=[o,""];o.indexOf("=")>-1&&(l=o.split("=")),r.attrs[l[0]]=l[1],a.lastIndex--;}else c[2]&&(r.attrs[c[2]]=c[3].trim().substring(1,c[3].length-1));return r}var r=/<[a-zA-Z0-9\-\!\/](?:"[^"]*"|'[^']*'|[^'">])*>/g,i=/^\s*$/,s=Object.create(null);function a(e,t){switch(t.type){case"text":return e+t.content;case"tag":return e+="<"+t.name+(t.attrs?function(e){var t=[];for(var n in e)t.push(n+'="'+e[n]+'"');return t.length?" "+t.join(" "):""}(t.attrs):"")+(t.voidElement?"/>":">"),t.voidElement?e:e+t.children.reduce(a,"")+"</"+t.name+">";case"comment":return e+"\x3c!--"+t.comment+"--\x3e"}}var c={parse:function(e,t){t||(t={}),t.components||(t.components=s);var a,c=[],o=[],l=-1,m=!1;if(0!==e.indexOf("<")){var u=e.indexOf("<");c.push({type:"text",content:-1===u?e:e.substring(0,u)});}return e.replace(r,function(r,s){if(m){if(r!=="</"+a.name+">")return;m=!1;}var u,f="/"!==r.charAt(1),h=r.startsWith("\x3c!--"),p=s+r.length,d=e.charAt(p);if(h){var v=n$1(r);return l<0?(c.push(v),c):((u=o[l]).children.push(v),c)}if(f&&(l++,"tag"===(a=n$1(r)).type&&t.components[a.name]&&(a.type="component",m=!0),a.voidElement||m||!d||"<"===d||a.children.push({type:"text",content:e.slice(p,e.indexOf("<",p))}),0===l&&c.push(a),(u=o[l-1])&&u.children.push(a),o[l]=a),(!f||a.voidElement)&&(l>-1&&(a.voidElement||a.name===r.slice(2,-1))&&(l--,a=-1===l?c:o[l]),!m&&"<"!==d&&d)){u=-1===l?c:o[l].children;var x=e.indexOf("<",p),g=e.slice(p,-1===x?void 0:x);i.test(g)&&(g=" "),(x>-1&&l+u.length>=0||" "!==g)&&u.push({type:"text",content:g});}}),c},stringify:function(e){return e.reduce(function(e,t){return e+a("",t)},"")}};
2319
-
2320
- function warn() {
2321
- if (console && console.warn) {
2322
- for (var _len = arguments.length, args = new Array(_len), _key = 0; _key < _len; _key++) {
2323
- args[_key] = arguments[_key];
2324
- }
2325
- if (typeof args[0] === 'string') args[0] = `react-i18next:: ${args[0]}`;
2326
- console.warn(...args);
2327
- }
2328
- }
2329
- const alreadyWarned = {};
2330
- function warnOnce() {
2331
- for (var _len2 = arguments.length, args = new Array(_len2), _key2 = 0; _key2 < _len2; _key2++) {
2332
- args[_key2] = arguments[_key2];
2333
- }
2334
- if (typeof args[0] === 'string' && alreadyWarned[args[0]]) return;
2335
- if (typeof args[0] === 'string') alreadyWarned[args[0]] = new Date();
2336
- warn(...args);
2337
- }
2338
- const loadedClb = (i18n, cb) => () => {
2339
- if (i18n.isInitialized) {
2340
- cb();
2341
- } else {
2342
- const initialized = () => {
2343
- setTimeout(() => {
2344
- i18n.off('initialized', initialized);
2345
- }, 0);
2346
- cb();
2347
- };
2348
- i18n.on('initialized', initialized);
2349
- }
2350
- };
2351
- function loadNamespaces(i18n, ns, cb) {
2352
- i18n.loadNamespaces(ns, loadedClb(i18n, cb));
2353
- }
2354
- function loadLanguages(i18n, lng, ns, cb) {
2355
- if (typeof ns === 'string') ns = [ns];
2356
- ns.forEach(n => {
2357
- if (i18n.options.ns.indexOf(n) < 0) i18n.options.ns.push(n);
2358
- });
2359
- i18n.loadLanguages(lng, loadedClb(i18n, cb));
2360
- }
2361
- function oldI18nextHasLoadedNamespace(ns, i18n) {
2362
- let options = arguments.length > 2 && arguments[2] !== undefined ? arguments[2] : {};
2363
- const lng = i18n.languages[0];
2364
- const fallbackLng = i18n.options ? i18n.options.fallbackLng : false;
2365
- const lastLng = i18n.languages[i18n.languages.length - 1];
2366
- if (lng.toLowerCase() === 'cimode') return true;
2367
- const loadNotPending = (l, n) => {
2368
- const loadState = i18n.services.backendConnector.state[`${l}|${n}`];
2369
- return loadState === -1 || loadState === 2;
2370
- };
2371
- if (options.bindI18n && options.bindI18n.indexOf('languageChanging') > -1 && i18n.services.backendConnector.backend && i18n.isLanguageChangingTo && !loadNotPending(i18n.isLanguageChangingTo, ns)) return false;
2372
- if (i18n.hasResourceBundle(lng, ns)) return true;
2373
- if (!i18n.services.backendConnector.backend || i18n.options.resources && !i18n.options.partialBundledLanguages) return true;
2374
- if (loadNotPending(lng, ns) && (!fallbackLng || loadNotPending(lastLng, ns))) return true;
2375
- return false;
2376
- }
2377
- function hasLoadedNamespace(ns, i18n) {
2378
- let options = arguments.length > 2 && arguments[2] !== undefined ? arguments[2] : {};
2379
- if (!i18n.languages || !i18n.languages.length) {
2380
- warnOnce('i18n.languages were undefined or empty', i18n.languages);
2381
- return true;
2382
- }
2383
- const isNewerI18next = i18n.options.ignoreJSONStructure !== undefined;
2384
- if (!isNewerI18next) {
2385
- return oldI18nextHasLoadedNamespace(ns, i18n, options);
2386
- }
2387
- return i18n.hasLoadedNamespace(ns, {
2388
- lng: options.lng,
2389
- precheck: (i18nInstance, loadNotPending) => {
2390
- if (options.bindI18n && options.bindI18n.indexOf('languageChanging') > -1 && i18nInstance.services.backendConnector.backend && i18nInstance.isLanguageChangingTo && !loadNotPending(i18nInstance.isLanguageChangingTo, ns)) return false;
2391
- }
2392
- });
2393
- }
2394
-
2395
- const matchHtmlEntity = /&(?:amp|#38|lt|#60|gt|#62|apos|#39|quot|#34|nbsp|#160|copy|#169|reg|#174|hellip|#8230|#x2F|#47);/g;
2396
- const htmlEntities = {
2397
- '&amp;': '&',
2398
- '&#38;': '&',
2399
- '&lt;': '<',
2400
- '&#60;': '<',
2401
- '&gt;': '>',
2402
- '&#62;': '>',
2403
- '&apos;': "'",
2404
- '&#39;': "'",
2405
- '&quot;': '"',
2406
- '&#34;': '"',
2407
- '&nbsp;': ' ',
2408
- '&#160;': ' ',
2409
- '&copy;': '©',
2410
- '&#169;': '©',
2411
- '&reg;': '®',
2412
- '&#174;': '®',
2413
- '&hellip;': '…',
2414
- '&#8230;': '…',
2415
- '&#x2F;': '/',
2416
- '&#47;': '/'
2417
- };
2418
- const unescapeHtmlEntity = m => htmlEntities[m];
2419
- const unescape = text => text.replace(matchHtmlEntity, unescapeHtmlEntity);
2420
-
2421
- let defaultOptions = {
2422
- bindI18n: 'languageChanged',
2423
- bindI18nStore: '',
2424
- transEmptyNodeValue: '',
2425
- transSupportBasicHtmlNodes: true,
2426
- transWrapTextNodes: '',
2427
- transKeepBasicHtmlNodesFor: ['br', 'strong', 'i', 'p'],
2428
- useSuspense: true,
2429
- unescape
2430
- };
2431
- function setDefaults() {
2432
- let options = arguments.length > 0 && arguments[0] !== undefined ? arguments[0] : {};
2433
- defaultOptions = {
2434
- ...defaultOptions,
2435
- ...options
2436
- };
2437
- }
2438
- function getDefaults() {
2439
- return defaultOptions;
2440
- }
2441
-
2442
- let i18nInstance;
2443
- function setI18n(instance) {
2444
- i18nInstance = instance;
2445
- }
2446
- function getI18n() {
2447
- return i18nInstance;
2448
- }
2449
-
2450
- function hasChildren(node, checkLength) {
2451
- if (!node) return false;
2452
- const base = node.props ? node.props.children : node.children;
2453
- if (checkLength) return base.length > 0;
2454
- return !!base;
2455
- }
2456
- function getChildren(node) {
2457
- if (!node) return [];
2458
- return node.props ? node.props.children : node.children;
2459
- }
2460
- function hasValidReactChildren(children) {
2461
- if (Object.prototype.toString.call(children) !== '[object Array]') return false;
2462
- return children.every(child => isValidElement(child));
2463
- }
2464
- function getAsArray(data) {
2465
- return Array.isArray(data) ? data : [data];
2466
- }
2467
- function mergeProps(source, target) {
2468
- const newTarget = {
2469
- ...target
2470
- };
2471
- newTarget.props = Object.assign(source.props, target.props);
2472
- return newTarget;
2473
- }
2474
- function nodesToString(children, i18nOptions) {
2475
- if (!children) return '';
2476
- let stringNode = '';
2477
- const childrenArray = getAsArray(children);
2478
- const keepArray = i18nOptions.transSupportBasicHtmlNodes && i18nOptions.transKeepBasicHtmlNodesFor ? i18nOptions.transKeepBasicHtmlNodesFor : [];
2479
- childrenArray.forEach((child, childIndex) => {
2480
- if (typeof child === 'string') {
2481
- stringNode += `${child}`;
2482
- } else if (isValidElement(child)) {
2483
- const childPropsCount = Object.keys(child.props).length;
2484
- const shouldKeepChild = keepArray.indexOf(child.type) > -1;
2485
- const childChildren = child.props.children;
2486
- if (!childChildren && shouldKeepChild && childPropsCount === 0) {
2487
- stringNode += `<${child.type}/>`;
2488
- } else if (!childChildren && (!shouldKeepChild || childPropsCount !== 0)) {
2489
- stringNode += `<${childIndex}></${childIndex}>`;
2490
- } else if (child.props.i18nIsDynamicList) {
2491
- stringNode += `<${childIndex}></${childIndex}>`;
2492
- } else if (shouldKeepChild && childPropsCount === 1 && typeof childChildren === 'string') {
2493
- stringNode += `<${child.type}>${childChildren}</${child.type}>`;
2494
- } else {
2495
- const content = nodesToString(childChildren, i18nOptions);
2496
- stringNode += `<${childIndex}>${content}</${childIndex}>`;
2497
- }
2498
- } else if (child === null) {
2499
- warn(`Trans: the passed in value is invalid - seems you passed in a null child.`);
2500
- } else if (typeof child === 'object') {
2501
- const {
2502
- format,
2503
- ...clone
2504
- } = child;
2505
- const keys = Object.keys(clone);
2506
- if (keys.length === 1) {
2507
- const value = format ? `${keys[0]}, ${format}` : keys[0];
2508
- stringNode += `{{${value}}}`;
2509
- } else {
2510
- warn(`react-i18next: the passed in object contained more than one variable - the object should look like {{ value, format }} where format is optional.`, child);
2511
- }
2512
- } else {
2513
- warn(`Trans: the passed in value is invalid - seems you passed in a variable like {number} - please pass in variables for interpolation as full objects like {{number}}.`, child);
2514
- }
2515
- });
2516
- return stringNode;
2517
- }
2518
- function renderNodes(children, targetString, i18n, i18nOptions, combinedTOpts, shouldUnescape) {
2519
- if (targetString === '') return [];
2520
- const keepArray = i18nOptions.transKeepBasicHtmlNodesFor || [];
2521
- const emptyChildrenButNeedsHandling = targetString && new RegExp(keepArray.join('|')).test(targetString);
2522
- if (!children && !emptyChildrenButNeedsHandling) return [targetString];
2523
- const data = {};
2524
- function getData(childs) {
2525
- const childrenArray = getAsArray(childs);
2526
- childrenArray.forEach(child => {
2527
- if (typeof child === 'string') return;
2528
- if (hasChildren(child)) getData(getChildren(child));else if (typeof child === 'object' && !isValidElement(child)) Object.assign(data, child);
2529
- });
2530
- }
2531
- getData(children);
2532
- const ast = c.parse(`<0>${targetString}</0>`);
2533
- const opts = {
2534
- ...data,
2535
- ...combinedTOpts
2536
- };
2537
- function renderInner(child, node, rootReactNode) {
2538
- const childs = getChildren(child);
2539
- const mappedChildren = mapAST(childs, node.children, rootReactNode);
2540
- return hasValidReactChildren(childs) && mappedChildren.length === 0 ? childs : mappedChildren;
2541
- }
2542
- function pushTranslatedJSX(child, inner, mem, i, isVoid) {
2543
- if (child.dummy) child.children = inner;
2544
- mem.push(cloneElement(child, {
2545
- ...child.props,
2546
- key: i
2547
- }, isVoid ? undefined : inner));
2548
- }
2549
- function mapAST(reactNode, astNode, rootReactNode) {
2550
- const reactNodes = getAsArray(reactNode);
2551
- const astNodes = getAsArray(astNode);
2552
- return astNodes.reduce((mem, node, i) => {
2553
- const translationContent = node.children && node.children[0] && node.children[0].content && i18n.services.interpolator.interpolate(node.children[0].content, opts, i18n.language);
2554
- if (node.type === 'tag') {
2555
- let tmp = reactNodes[parseInt(node.name, 10)];
2556
- if (!tmp && rootReactNode.length === 1 && rootReactNode[0][node.name]) tmp = rootReactNode[0][node.name];
2557
- if (!tmp) tmp = {};
2558
- const child = Object.keys(node.attrs).length !== 0 ? mergeProps({
2559
- props: node.attrs
2560
- }, tmp) : tmp;
2561
- const isElement = isValidElement(child);
2562
- const isValidTranslationWithChildren = isElement && hasChildren(node, true) && !node.voidElement;
2563
- const isEmptyTransWithHTML = emptyChildrenButNeedsHandling && typeof child === 'object' && child.dummy && !isElement;
2564
- const isKnownComponent = typeof children === 'object' && children !== null && Object.hasOwnProperty.call(children, node.name);
2565
- if (typeof child === 'string') {
2566
- const value = i18n.services.interpolator.interpolate(child, opts, i18n.language);
2567
- mem.push(value);
2568
- } else if (hasChildren(child) || isValidTranslationWithChildren) {
2569
- const inner = renderInner(child, node, rootReactNode);
2570
- pushTranslatedJSX(child, inner, mem, i);
2571
- } else if (isEmptyTransWithHTML) {
2572
- const inner = mapAST(reactNodes, node.children, rootReactNode);
2573
- mem.push(cloneElement(child, {
2574
- ...child.props,
2575
- key: i
2576
- }, inner));
2577
- } else if (Number.isNaN(parseFloat(node.name))) {
2578
- if (isKnownComponent) {
2579
- const inner = renderInner(child, node, rootReactNode);
2580
- pushTranslatedJSX(child, inner, mem, i, node.voidElement);
2581
- } else if (i18nOptions.transSupportBasicHtmlNodes && keepArray.indexOf(node.name) > -1) {
2582
- if (node.voidElement) {
2583
- mem.push(createElement(node.name, {
2584
- key: `${node.name}-${i}`
2585
- }));
2586
- } else {
2587
- const inner = mapAST(reactNodes, node.children, rootReactNode);
2588
- mem.push(createElement(node.name, {
2589
- key: `${node.name}-${i}`
2590
- }, inner));
2591
- }
2592
- } else if (node.voidElement) {
2593
- mem.push(`<${node.name} />`);
2594
- } else {
2595
- const inner = mapAST(reactNodes, node.children, rootReactNode);
2596
- mem.push(`<${node.name}>${inner}</${node.name}>`);
2597
- }
2598
- } else if (typeof child === 'object' && !isElement) {
2599
- const content = node.children[0] ? translationContent : null;
2600
- if (content) mem.push(content);
2601
- } else if (node.children.length === 1 && translationContent) {
2602
- mem.push(cloneElement(child, {
2603
- ...child.props,
2604
- key: i
2605
- }, translationContent));
2606
- } else {
2607
- mem.push(cloneElement(child, {
2608
- ...child.props,
2609
- key: i
2610
- }));
2611
- }
2612
- } else if (node.type === 'text') {
2613
- const wrapTextNodes = i18nOptions.transWrapTextNodes;
2614
- const content = shouldUnescape ? i18nOptions.unescape(i18n.services.interpolator.interpolate(node.content, opts, i18n.language)) : i18n.services.interpolator.interpolate(node.content, opts, i18n.language);
2615
- if (wrapTextNodes) {
2616
- mem.push(createElement(wrapTextNodes, {
2617
- key: `${node.name}-${i}`
2618
- }, content));
2619
- } else {
2620
- mem.push(content);
2621
- }
2622
- }
2623
- return mem;
2624
- }, []);
2625
- }
2626
- const result = mapAST([{
2627
- dummy: true,
2628
- children: children || []
2629
- }], ast, getAsArray(children || []));
2630
- return getChildren(result[0]);
2631
- }
2632
- function Trans$1(_ref) {
2633
- let {
2634
- children,
2635
- count,
2636
- parent,
2637
- i18nKey,
2638
- context,
2639
- tOptions = {},
2640
- values,
2641
- defaults,
2642
- components,
2643
- ns,
2644
- i18n: i18nFromProps,
2645
- t: tFromProps,
2646
- shouldUnescape,
2647
- ...additionalProps
2648
- } = _ref;
2649
- const i18n = i18nFromProps || getI18n();
2650
- if (!i18n) {
2651
- warnOnce('You will need to pass in an i18next instance by using i18nextReactModule');
2652
- return children;
2653
- }
2654
- const t = tFromProps || i18n.t.bind(i18n) || (k => k);
2655
- if (context) tOptions.context = context;
2656
- const reactI18nextOptions = {
2657
- ...getDefaults(),
2658
- ...(i18n.options && i18n.options.react)
2659
- };
2660
- let namespaces = ns || t.ns || i18n.options && i18n.options.defaultNS;
2661
- namespaces = typeof namespaces === 'string' ? [namespaces] : namespaces || ['translation'];
2662
- const defaultValue = defaults || nodesToString(children, reactI18nextOptions) || reactI18nextOptions.transEmptyNodeValue || i18nKey;
2663
- const {
2664
- hashTransKey
2665
- } = reactI18nextOptions;
2666
- const key = i18nKey || (hashTransKey ? hashTransKey(defaultValue) : defaultValue);
2667
- const interpolationOverride = values ? tOptions.interpolation : {
2668
- interpolation: {
2669
- ...tOptions.interpolation,
2670
- prefix: '#$?',
2671
- suffix: '?$#'
2672
- }
2673
- };
2674
- const combinedTOpts = {
2675
- ...tOptions,
2676
- count,
2677
- ...values,
2678
- ...interpolationOverride,
2679
- defaultValue,
2680
- ns: namespaces
2681
- };
2682
- const translation = key ? t(key, combinedTOpts) : defaultValue;
2683
- const content = renderNodes(components || children, translation, i18n, reactI18nextOptions, combinedTOpts, shouldUnescape);
2684
- const useAsParent = parent !== undefined ? parent : reactI18nextOptions.defaultTransParent;
2685
- return useAsParent ? createElement(useAsParent, additionalProps, content) : content;
2686
- }
2687
-
2688
- const initReactI18next = {
2689
- type: '3rdParty',
2690
- init(instance) {
2691
- setDefaults(instance.options.react);
2692
- setI18n(instance);
2693
- }
2694
- };
2695
-
2696
- const I18nContext = createContext();
2697
- class ReportNamespaces {
2698
- constructor() {
2699
- this.usedNamespaces = {};
2700
- }
2701
- addUsedNamespaces(namespaces) {
2702
- namespaces.forEach(ns => {
2703
- if (!this.usedNamespaces[ns]) this.usedNamespaces[ns] = true;
2704
- });
2705
- }
2706
- getUsedNamespaces() {
2707
- return Object.keys(this.usedNamespaces);
2708
- }
2709
- }
2710
-
2711
- function Trans(_ref) {
2712
- let {
2713
- children,
2714
- count,
2715
- parent,
2716
- i18nKey,
2717
- context,
2718
- tOptions = {},
2719
- values,
2720
- defaults,
2721
- components,
2722
- ns,
2723
- i18n: i18nFromProps,
2724
- t: tFromProps,
2725
- shouldUnescape,
2726
- ...additionalProps
2727
- } = _ref;
2728
- const {
2729
- i18n: i18nFromContext,
2730
- defaultNS: defaultNSFromContext
2731
- } = useContext(I18nContext) || {};
2732
- const i18n = i18nFromProps || i18nFromContext || getI18n();
2733
- const t = tFromProps || i18n && i18n.t.bind(i18n);
2734
- return Trans$1({
2735
- children,
2736
- count,
2737
- parent,
2738
- i18nKey,
2739
- context,
2740
- tOptions,
2741
- values,
2742
- defaults,
2743
- components,
2744
- ns: ns || t && t.ns || defaultNSFromContext || i18n && i18n.options && i18n.options.defaultNS,
2745
- i18n,
2746
- t: tFromProps,
2747
- shouldUnescape,
2748
- ...additionalProps
2749
- });
2750
- }
2751
-
2752
- const usePrevious = (value, ignore) => {
2753
- const ref = useRef();
2754
- useEffect(() => {
2755
- ref.current = ignore ? ref.current : value;
2756
- }, [value, ignore]);
2757
- return ref.current;
2758
- };
2759
- function useTranslation(ns) {
2760
- let props = arguments.length > 1 && arguments[1] !== undefined ? arguments[1] : {};
2761
- const {
2762
- i18n: i18nFromProps
2763
- } = props;
2764
- const {
2765
- i18n: i18nFromContext,
2766
- defaultNS: defaultNSFromContext
2767
- } = useContext(I18nContext) || {};
2768
- const i18n = i18nFromProps || i18nFromContext || getI18n();
2769
- if (i18n && !i18n.reportNamespaces) i18n.reportNamespaces = new ReportNamespaces();
2770
- if (!i18n) {
2771
- warnOnce('You will need to pass in an i18next instance by using initReactI18next');
2772
- const notReadyT = (k, optsOrDefaultValue) => {
2773
- if (typeof optsOrDefaultValue === 'string') return optsOrDefaultValue;
2774
- if (optsOrDefaultValue && typeof optsOrDefaultValue === 'object' && typeof optsOrDefaultValue.defaultValue === 'string') return optsOrDefaultValue.defaultValue;
2775
- return Array.isArray(k) ? k[k.length - 1] : k;
2776
- };
2777
- const retNotReady = [notReadyT, {}, false];
2778
- retNotReady.t = notReadyT;
2779
- retNotReady.i18n = {};
2780
- retNotReady.ready = false;
2781
- return retNotReady;
2782
- }
2783
- if (i18n.options.react && i18n.options.react.wait !== undefined) warnOnce('It seems you are still using the old wait option, you may migrate to the new useSuspense behaviour.');
2784
- const i18nOptions = {
2785
- ...getDefaults(),
2786
- ...i18n.options.react,
2787
- ...props
2788
- };
2789
- const {
2790
- useSuspense,
2791
- keyPrefix
2792
- } = i18nOptions;
2793
- let namespaces = ns || defaultNSFromContext || i18n.options && i18n.options.defaultNS;
2794
- namespaces = typeof namespaces === 'string' ? [namespaces] : namespaces || ['translation'];
2795
- if (i18n.reportNamespaces.addUsedNamespaces) i18n.reportNamespaces.addUsedNamespaces(namespaces);
2796
- const ready = (i18n.isInitialized || i18n.initializedStoreOnce) && namespaces.every(n => hasLoadedNamespace(n, i18n, i18nOptions));
2797
- function getT() {
2798
- return i18n.getFixedT(props.lng || null, i18nOptions.nsMode === 'fallback' ? namespaces : namespaces[0], keyPrefix);
2799
- }
2800
- const [t, setT] = useState(getT);
2801
- let joinedNS = namespaces.join();
2802
- if (props.lng) joinedNS = `${props.lng}${joinedNS}`;
2803
- const previousJoinedNS = usePrevious(joinedNS);
2804
- const isMounted = useRef(true);
2805
- useEffect(() => {
2806
- const {
2807
- bindI18n,
2808
- bindI18nStore
2809
- } = i18nOptions;
2810
- isMounted.current = true;
2811
- if (!ready && !useSuspense) {
2812
- if (props.lng) {
2813
- loadLanguages(i18n, props.lng, namespaces, () => {
2814
- if (isMounted.current) setT(getT);
2815
- });
2816
- } else {
2817
- loadNamespaces(i18n, namespaces, () => {
2818
- if (isMounted.current) setT(getT);
2819
- });
2820
- }
2821
- }
2822
- if (ready && previousJoinedNS && previousJoinedNS !== joinedNS && isMounted.current) {
2823
- setT(getT);
2824
- }
2825
- function boundReset() {
2826
- if (isMounted.current) setT(getT);
2827
- }
2828
- if (bindI18n && i18n) i18n.on(bindI18n, boundReset);
2829
- if (bindI18nStore && i18n) i18n.store.on(bindI18nStore, boundReset);
2830
- return () => {
2831
- isMounted.current = false;
2832
- if (bindI18n && i18n) bindI18n.split(' ').forEach(e => i18n.off(e, boundReset));
2833
- if (bindI18nStore && i18n) bindI18nStore.split(' ').forEach(e => i18n.store.off(e, boundReset));
2834
- };
2835
- }, [i18n, joinedNS]);
2836
- const isInitial = useRef(true);
2837
- useEffect(() => {
2838
- if (isMounted.current && !isInitial.current) {
2839
- setT(getT);
2840
- }
2841
- isInitial.current = false;
2842
- }, [i18n, keyPrefix]);
2843
- const ret = [t, i18n, ready];
2844
- ret.t = t;
2845
- ret.i18n = i18n;
2846
- ret.ready = ready;
2847
- if (ready) return ret;
2848
- if (!ready && !useSuspense) return ret;
2849
- throw new Promise(resolve => {
2850
- if (props.lng) {
2851
- loadLanguages(i18n, props.lng, namespaces, () => resolve());
2852
- } else {
2853
- loadNamespaces(i18n, namespaces, () => resolve());
2854
- }
2855
- });
2856
- }
2857
-
2858
- var common = {
2859
- event_one: "Event",
2860
- event_other: "Events",
2861
- endpoint: "Endpoint",
2862
- responseStatus: "Response status"
2863
- };
2864
- var entity = {
2865
- webhook: "webhook",
2866
- configure: "Configure"
2867
- };
2868
- var buttons = {
2869
- saveChanges: "Save changes",
2870
- cancel: "Cancel",
2871
- "delete": "Delete",
2872
- edit: "Edit",
2873
- viewDetails: "View details"
2874
- };
2875
- var errors = {
2876
- webhook: {
2877
- required: "Please enter your endpoint URL",
2878
- invalidUrl: "Please enter a valid URL",
2879
- invalidUrlProtocol: "Please enter a valid URL. URL must begin with http or https",
2880
- urlNotUnique: "Endpoint URL must be unique",
2881
- events: {
2882
- required: "Please select atleast one webhook event"
2883
- }
2884
- }
2885
- };
2886
- var delivery = {
2887
- title: "Deliveries",
2888
- redeliver: "Redeliver",
2889
- redelivery: "redelivery",
2890
- request: "Request",
2891
- response: "Response",
2892
- header: "Header",
2893
- body: "Body",
2894
- payload: "Payload",
2895
- identifier: "Identifier",
2896
- empty: {
2897
- title: "There are no deliveries to show.",
2898
- description: "No events have been sent to this webhook"
2899
- }
2900
- };
2901
- var webhook = {
2902
- title: "Webhooks",
2903
- description: "All new action event details will be posted to the configured webhook URLs",
2904
- empty: "There are no webhooks defined currently",
2905
- add: "Add new webhook",
2906
- endpoint: "Endpoint",
2907
- event_one: "Event",
2908
- event_other: "Events",
2909
- endpointPlaceholder: "Enter endpoint URL",
2910
- eventPlaceholder: "Select webhook events",
2911
- secret: "Secret key (optional) <helpLink><info></helpLink>",
2912
- secretPlaceholder: "Enter secret key",
2913
- edit: "Edit Webhook",
2914
- active: "Active",
2915
- activeStatuses: {
2916
- yes: "Yes",
2917
- no: "No"
2918
- }
2919
- };
2920
- var operation = {
2921
- edit: "Edit",
2922
- "delete": "Delete"
2923
- };
2924
- var alert = {
2925
- "delete": {
2926
- title: "Delete {{entity}}?",
2927
- message: "You are deleting the {{entity}}."
2928
- }
2929
- };
2930
- var tableHeaders = {
2931
- active: "Active",
2932
- details: "Details",
2933
- createdAt: "Created at"
2934
- };
2935
- var en = {
2936
- common: common,
2937
- entity: entity,
2938
- buttons: buttons,
2939
- errors: errors,
2940
- delivery: delivery,
2941
- webhook: webhook,
2942
- operation: operation,
2943
- alert: alert,
2944
- tableHeaders: tableHeaders
2945
- };
2946
-
2947
- instance.use(initReactI18next).init({
2948
- resources: {
2949
- en: {
2950
- translation: en
2951
- }
2952
- },
2953
- fallbackLng: "en"
2954
- });
2955
-
2956
22
  var getDeliveriesPath = function getDeliveriesPath(webhooksPath) {
2957
23
  return "".concat(webhooksPath, "/:webhookId/deliveries");
2958
24
  };
@@ -3104,8 +170,6 @@ var useRedeliverWebhook = function useRedeliverWebhook() {
3104
170
  });
3105
171
  };
3106
172
 
3107
- var DEFAULT_PAGE_SIZE = 10;
3108
-
3109
173
  function asyncGeneratorStep(gen, resolve, reject, _next, _throw, key, arg) {
3110
174
  try {
3111
175
  var info = gen[key](arg);
@@ -3137,6 +201,10 @@ function _asyncToGenerator(fn) {
3137
201
  };
3138
202
  }
3139
203
 
204
+ function getDefaultExportFromCjs (x) {
205
+ return x && x.__esModule && Object.prototype.hasOwnProperty.call(x, 'default') ? x['default'] : x;
206
+ }
207
+
3140
208
  var regeneratorRuntime$1 = {exports: {}};
3141
209
 
3142
210
  var _typeof$1 = {exports: {}};
@@ -3527,12 +595,12 @@ var TransactionDetails = function TransactionDetails(_ref) {
3527
595
  className: "flex w-full flex-col space-y-2 pb-4"
3528
596
  }, /*#__PURE__*/React.createElement("span", {
3529
597
  className: "flex items-center space-x-1"
3530
- }, t("delivery.identifier"), ":", /*#__PURE__*/React.createElement(Typography, {
598
+ }, t("neetoWebhooks.delivery.identifier"), ":", /*#__PURE__*/React.createElement(Typography, {
3531
599
  className: "px-2 font-bold",
3532
600
  style: "body2"
3533
601
  }, identifier)), /*#__PURE__*/React.createElement("span", {
3534
602
  className: "flex items-center"
3535
- }, t("common.responseStatus"), ":", /*#__PURE__*/React.createElement(Typography, {
603
+ }, t("neetoWebhooks.common.responseStatus"), ":", /*#__PURE__*/React.createElement(Typography, {
3536
604
  className: "px-2 font-bold",
3537
605
  style: "body2"
3538
606
  }, responseStatusCode), /*#__PURE__*/React.createElement(Tag, {
@@ -3542,33 +610,34 @@ var TransactionDetails = function TransactionDetails(_ref) {
3542
610
  onClick: function onClick() {
3543
611
  return setActiveHeader(DELIVERY_TAB.request);
3544
612
  }
3545
- }, t("delivery.request")), /*#__PURE__*/React.createElement(Tab.Item, {
613
+ }, t("neetoWebhooks.delivery.request")), /*#__PURE__*/React.createElement(Tab.Item, {
3546
614
  active: activeHeader === DELIVERY_TAB.response,
3547
615
  onClick: function onClick() {
3548
616
  return setActiveHeader(DELIVERY_TAB.response);
3549
617
  }
3550
- }, t("delivery.response")))), /*#__PURE__*/React.createElement("div", {
618
+ }, t("neetoWebhooks.delivery.response")))), /*#__PURE__*/React.createElement("div", {
3551
619
  className: "mt-2"
3552
620
  }, activeHeader === DELIVERY_TAB.request ? /*#__PURE__*/React.createElement("div", {
3553
621
  className: "space-y-4"
3554
622
  }, /*#__PURE__*/React.createElement("div", null, /*#__PURE__*/React.createElement(Typography, {
3555
623
  style: "h5"
3556
- }, t("delivery.header")), /*#__PURE__*/React.createElement(Snippet, null, deliveryDetails.requestHeader)), /*#__PURE__*/React.createElement("div", null, /*#__PURE__*/React.createElement(Typography, {
624
+ }, t("neetoWebhooks.delivery.header")), /*#__PURE__*/React.createElement(Snippet, null, deliveryDetails.requestHeader)), /*#__PURE__*/React.createElement("div", null, /*#__PURE__*/React.createElement(Typography, {
3557
625
  style: "h5"
3558
- }, t("delivery.payload")), /*#__PURE__*/React.createElement(Snippet, null, JSON.stringify(JSON.parse(deliveryDetails.requestBody), null, 2)))) : /*#__PURE__*/React.createElement("div", {
626
+ }, t("neetoWebhooks.delivery.payload")), /*#__PURE__*/React.createElement(Snippet, null, JSON.stringify(JSON.parse(deliveryDetails.requestBody), null, 2)))) : /*#__PURE__*/React.createElement("div", {
3559
627
  className: "space-y-4"
3560
628
  }, /*#__PURE__*/React.createElement("div", null, /*#__PURE__*/React.createElement(Typography, {
3561
629
  style: "h5"
3562
- }, t("delivery.header")), /*#__PURE__*/React.createElement(Snippet, null, deliveryDetails.responseHeader)), /*#__PURE__*/React.createElement("div", null, /*#__PURE__*/React.createElement(Typography, {
630
+ }, t("neetoWebhooks.delivery.header")), /*#__PURE__*/React.createElement(Snippet, null, deliveryDetails.responseHeader)), /*#__PURE__*/React.createElement("div", null, /*#__PURE__*/React.createElement(Typography, {
3563
631
  style: "h5"
3564
- }, t("delivery.body")), /*#__PURE__*/React.createElement(Snippet, null, deliveryDetails.responseBody)))));
632
+ }, t("neetoWebhooks.delivery.body")), /*#__PURE__*/React.createElement(Snippet, null, deliveryDetails.responseBody)))));
3565
633
  };
3566
634
 
3567
635
  var Details = function Details(_ref) {
3568
636
  var delivery = _ref.delivery,
3569
637
  onClose = _ref.onClose;
3570
638
  var createdAt = delivery.createdAt,
3571
- id = delivery.id;
639
+ id = delivery.id,
640
+ event = delivery.event;
3572
641
  var _useTranslation = useTranslation(),
3573
642
  t = _useTranslation.t;
3574
643
  var _useRedeliverWebhook = useRedeliverWebhook(),
@@ -3611,14 +680,14 @@ var Details = function Details(_ref) {
3611
680
  delivery: delivery
3612
681
  })), /*#__PURE__*/React.createElement(Pane.Footer, {
3613
682
  className: "gap-x-2"
3614
- }, /*#__PURE__*/React.createElement(Button, {
683
+ }, event && /*#__PURE__*/React.createElement(Button, {
3615
684
  disabled: isRedelivering,
3616
- label: t("delivery.redeliver"),
685
+ label: t("neetoWebhooks.delivery.redeliver"),
3617
686
  loading: isRedelivering,
3618
687
  style: "primary",
3619
688
  onClick: handleRedeliverClick
3620
689
  }), /*#__PURE__*/React.createElement(Button, {
3621
- label: t("buttons.cancel"),
690
+ label: t("neetoWebhooks.buttons.cancel"),
3622
691
  style: "text",
3623
692
  onClick: onClose
3624
693
  })));
@@ -3627,7 +696,7 @@ var Details = function Details(_ref) {
3627
696
  var buildColumns$1 = function buildColumns(_ref) {
3628
697
  var handleDetailsClick = _ref.handleDetailsClick;
3629
698
  return [{
3630
- title: t$2("delivery.identifier", SINGULAR),
699
+ title: t$1("neetoWebhooks.delivery.identifier", SINGULAR),
3631
700
  key: "identifier",
3632
701
  width: 300,
3633
702
  render: function render(_ref2) {
@@ -3641,10 +710,10 @@ var buildColumns$1 = function buildColumns(_ref) {
3641
710
  weight: "semibold"
3642
711
  }, identifier), redelivery && /*#__PURE__*/React.createElement(Tag, {
3643
712
  style: "info"
3644
- }, t$2("delivery.redelivery")));
713
+ }, t$1("neetoWebhooks.delivery.redelivery")));
3645
714
  }
3646
715
  }, {
3647
- title: t$2("tableHeaders.createdAt"),
716
+ title: t$1("neetoWebhooks.tableHeaders.createdAt"),
3648
717
  key: "createdAt",
3649
718
  dataIndex: "createdAt",
3650
719
  width: 300,
@@ -3665,7 +734,7 @@ var buildColumns$1 = function buildColumns(_ref) {
3665
734
  })));
3666
735
  }
3667
736
  }, {
3668
- title: t$2("common.responseStatus"),
737
+ title: t$1("neetoWebhooks.common.responseStatus"),
3669
738
  key: "responseStatusCode",
3670
739
  width: 150,
3671
740
  render: function render(_ref3) {
@@ -3681,19 +750,19 @@ var buildColumns$1 = function buildColumns(_ref) {
3681
750
  }, status));
3682
751
  }
3683
752
  }, {
3684
- title: t$2("common.event", SINGULAR),
753
+ title: t$1("neetoWebhooks.common.event", SINGULAR),
3685
754
  key: "event",
3686
755
  dataIndex: "event",
3687
756
  width: 100,
3688
757
  render: prop("label")
3689
758
  }, {
3690
- title: t$2("tableHeaders.details"),
759
+ title: t$1("neetoWebhooks.tableHeaders.details"),
3691
760
  key: "details",
3692
761
  dataIndex: "details",
3693
762
  width: 150,
3694
763
  render: function render(_, delivery) {
3695
764
  return /*#__PURE__*/React.createElement(Button, {
3696
- label: t$2("buttons.viewDetails"),
765
+ label: t$1("neetoWebhooks.buttons.viewDetails"),
3697
766
  size: "small",
3698
767
  onClick: function onClick() {
3699
768
  return handleDetailsClick(delivery);
@@ -3721,7 +790,7 @@ var Deliveries = function Deliveries(_ref) {
3721
790
  var _useFetchDeliveries = useFetchDeliveries({
3722
791
  webhookId: webhookId,
3723
792
  page: pageNumber,
3724
- limit: DEFAULT_PAGE_SIZE
793
+ pageSize: DEFAULT_PAGE_SIZE
3725
794
  }),
3726
795
  isLoading = _useFetchDeliveries.isLoading,
3727
796
  isFetching = _useFetchDeliveries.isFetching,
@@ -3732,11 +801,11 @@ var Deliveries = function Deliveries(_ref) {
3732
801
  _useFetchDeliveries$d3 = _useFetchDeliveries$d2.deliveries,
3733
802
  deliveries = _useFetchDeliveries$d3 === void 0 ? [] : _useFetchDeliveries$d3;
3734
803
  var breadcrumbsWithoutWebhooksTitle = removeBy({
3735
- text: t("webhook.title")
804
+ text: t("neetoWebhooks.webhook.title")
3736
805
  }, hostBreadcrumbs);
3737
806
  var breadcrumbs = [].concat(_toConsumableArray(breadcrumbsWithoutWebhooksTitle), [{
3738
807
  link: webhooksUrl,
3739
- text: t("webhook.title")
808
+ text: t("neetoWebhooks.webhook.title")
3740
809
  }, {
3741
810
  link: window.location.pathname,
3742
811
  text: endpoint
@@ -3746,7 +815,7 @@ var Deliveries = function Deliveries(_ref) {
3746
815
  className: "w-full"
3747
816
  }, /*#__PURE__*/React.createElement(Header$2, {
3748
817
  breadcrumbs: breadcrumbs,
3749
- title: t("delivery.title")
818
+ title: t("neetoWebhooks.delivery.title")
3750
819
  }), isNotEmpty(deliveries) ? /*#__PURE__*/React.createElement(TableWrapper, {
3751
820
  hasPagination: totalCount > DEFAULT_PAGE_SIZE
3752
821
  }, /*#__PURE__*/React.createElement(Table, {
@@ -3765,8 +834,8 @@ var Deliveries = function Deliveries(_ref) {
3765
834
  })) : /*#__PURE__*/React.createElement("div", {
3766
835
  className: "flex h-full w-full items-center justify-center"
3767
836
  }, /*#__PURE__*/React.createElement(NoData, {
3768
- description: t("delivery.empty.description"),
3769
- title: t("delivery.empty.title")
837
+ description: t("neetoWebhooks.delivery.empty.description"),
838
+ title: t("neetoWebhooks.delivery.empty.title")
3770
839
  })), /*#__PURE__*/React.createElement(Details, {
3771
840
  delivery: selectedDelivery,
3772
841
  onClose: function onClose() {
@@ -3928,20 +997,20 @@ var ActionDropdown = function ActionDropdown(_ref) {
3928
997
  strategy: "fixed"
3929
998
  }, /*#__PURE__*/React.createElement(Menu, null, /*#__PURE__*/React.createElement(MenuItem.Button, {
3930
999
  onClick: onEdit
3931
- }, t("buttons.edit")), /*#__PURE__*/React.createElement(MenuItem.Button, {
1000
+ }, t("neetoWebhooks.buttons.edit")), /*#__PURE__*/React.createElement(MenuItem.Button, {
3932
1001
  style: "danger",
3933
1002
  onClick: onDelete
3934
- }, t("buttons.delete"))));
1003
+ }, t("neetoWebhooks.buttons.delete"))));
3935
1004
  };
3936
1005
 
3937
1006
  function ownKeys$1(object, enumerableOnly) { var keys = Object.keys(object); if (Object.getOwnPropertySymbols) { var symbols = Object.getOwnPropertySymbols(object); enumerableOnly && (symbols = symbols.filter(function (sym) { return Object.getOwnPropertyDescriptor(object, sym).enumerable; })), keys.push.apply(keys, symbols); } return keys; }
3938
1007
  function _objectSpread$1(target) { for (var i = 1; i < arguments.length; i++) { var source = null != arguments[i] ? arguments[i] : {}; i % 2 ? ownKeys$1(Object(source), !0).forEach(function (key) { _defineProperty(target, key, source[key]); }) : Object.getOwnPropertyDescriptors ? Object.defineProperties(target, Object.getOwnPropertyDescriptors(source)) : ownKeys$1(Object(source)).forEach(function (key) { Object.defineProperty(target, key, Object.getOwnPropertyDescriptor(source, key)); }); } return target; }
3939
1008
  var getValidationSchema = function getValidationSchema(webhooks) {
3940
1009
  return yup.object().shape({
3941
- endpoint: yup.string().trim().matches(/^(https?):\/\//i, t$2("errors.webhook.invalidUrlProtocol")).url(t$2("errors.webhook.invalidUrl")).required(t$2("errors.webhook.required")).test("Is endpoint unique", t$2("errors.webhook.urlNotUnique"), function (endpoint, ctx) {
1010
+ endpoint: yup.string().trim().matches(/^(https?):\/\//i, t$1("neetoWebhooks.errors.webhook.invalidUrlProtocol")).url(t$1("neetoWebhooks.errors.webhook.invalidUrl")).required(t$1("neetoWebhooks.errors.webhook.required")).test("Is endpoint unique", t$1("neetoWebhooks.errors.webhook.urlNotUnique"), function (endpoint, ctx) {
3942
1011
  return !pluck("endpoint", removeById(ctx.parent.id, webhooks)).includes(endpoint === null || endpoint === void 0 ? void 0 : endpoint.trim());
3943
1012
  }),
3944
- events: yup.array().min(1, t$2("errors.webhook.events.required")),
1013
+ events: yup.array().min(1, t$1("neetoWebhooks.errors.webhook.events.required")),
3945
1014
  secret: yup.string().trim().nullable()
3946
1015
  });
3947
1016
  };
@@ -3980,7 +1049,7 @@ var buildColumns = function buildColumns(_ref5) {
3980
1049
  handleEdit = _ref5.handleEdit,
3981
1050
  deliveriesPath = _ref5.deliveriesPath;
3982
1051
  return [{
3983
- title: t$2("common.endpoint"),
1052
+ title: t$1("neetoWebhooks.common.endpoint"),
3984
1053
  key: "endpoint",
3985
1054
  dataIndex: "endpoint",
3986
1055
  render: function render(endpoint, webhook) {
@@ -4001,15 +1070,15 @@ var buildColumns = function buildColumns(_ref5) {
4001
1070
  }));
4002
1071
  }
4003
1072
  }, {
4004
- title: t$2("webhook.active"),
1073
+ title: t$1("neetoWebhooks.webhook.active"),
4005
1074
  key: "isActive",
4006
1075
  dataIndex: "isActive",
4007
1076
  render: function render(isActive) {
4008
- return isActive ? t$2("webhook.activeStatuses.yes") : t$2("webhook.activeStatuses.no");
1077
+ return isActive ? t$1("neetoWebhooks.webhook.activeStatuses.yes") : t$1("neetoWebhooks.webhook.activeStatuses.no");
4009
1078
  },
4010
1079
  width: 100
4011
1080
  }, {
4012
- title: t$2("common.event", PLURAL),
1081
+ title: t$1("neetoWebhooks.common.event", PLURAL),
4013
1082
  dataIndex: "events",
4014
1083
  key: "events",
4015
1084
  render: function render(events) {
@@ -4081,7 +1150,7 @@ var AddWebhookPane = function AddWebhookPane(_ref) {
4081
1150
  "data-cy": "add-new-webhook-pane-header",
4082
1151
  style: "h2",
4083
1152
  weight: "semibold"
4084
- }, editingWebhookId ? t("webhook.edit") : t("webhook.add")), /*#__PURE__*/React.createElement("a", {
1153
+ }, editingWebhookId ? t("neetoWebhooks.webhook.edit") : t("neetoWebhooks.webhook.add")), /*#__PURE__*/React.createElement("a", {
4085
1154
  href: WEBHOOK_HELP_URL,
4086
1155
  rel: "noreferrer",
4087
1156
  target: "_blank"
@@ -4108,23 +1177,23 @@ var AddWebhookPane = function AddWebhookPane(_ref) {
4108
1177
  }, /*#__PURE__*/React.createElement(Input, {
4109
1178
  required: true,
4110
1179
  "data-cy": "endpoint-input-field",
4111
- label: t("webhook.endpoint"),
1180
+ label: t("neetoWebhooks.webhook.endpoint"),
4112
1181
  name: "endpoint",
4113
- placeholder: t("webhook.endpointPlaceholder"),
1182
+ placeholder: t("neetoWebhooks.webhook.endpointPlaceholder"),
4114
1183
  ref: endpointRef
4115
1184
  }), !isLoading && /*#__PURE__*/React.createElement(Select, {
4116
1185
  isMulti: true,
4117
1186
  required: true,
4118
1187
  getOptionLabel: prop("label"),
4119
1188
  getOptionValue: prop("identifier"),
4120
- label: t("common.event", PLURAL),
1189
+ label: t("neetoWebhooks.common.event", PLURAL),
4121
1190
  name: "events",
4122
1191
  options: events,
4123
- placeholder: t("webhook.eventPlaceholder")
1192
+ placeholder: t("neetoWebhooks.webhook.eventPlaceholder")
4124
1193
  }), /*#__PURE__*/React.createElement(Input, {
4125
1194
  "data-cy": "secret-key-input-field",
4126
1195
  name: "secret",
4127
- placeholder: t("webhook.secretPlaceholder"),
1196
+ placeholder: t("neetoWebhooks.webhook.secretPlaceholder"),
4128
1197
  label: /*#__PURE__*/React.createElement(Trans, {
4129
1198
  i18nKey: "webhook.secret",
4130
1199
  components: {
@@ -4140,7 +1209,7 @@ var AddWebhookPane = function AddWebhookPane(_ref) {
4140
1209
  }
4141
1210
  })
4142
1211
  }), /*#__PURE__*/React.createElement(Switch, {
4143
- label: t("webhook.active"),
1212
+ label: t("neetoWebhooks.webhook.active"),
4144
1213
  name: "isActive"
4145
1214
  }))), /*#__PURE__*/React.createElement(Pane.Footer, {
4146
1215
  className: "flex gap-2"
@@ -4149,10 +1218,10 @@ var AddWebhookPane = function AddWebhookPane(_ref) {
4149
1218
  cancelButtonProps: {
4150
1219
  onClick: onClose,
4151
1220
  disabled: false,
4152
- label: t("buttons.cancel")
1221
+ label: t("neetoWebhooks.buttons.cancel")
4153
1222
  },
4154
1223
  submitButtonProps: {
4155
- label: t("buttons.saveChanges"),
1224
+ label: t("neetoWebhooks.buttons.saveChanges"),
4156
1225
  disabled: !dirty || !isValid,
4157
1226
  loading: isSubmitting
4158
1227
  }
@@ -4167,10 +1236,10 @@ var Header = function Header(_ref) {
4167
1236
  t = _useTranslation.t;
4168
1237
  return /*#__PURE__*/React.createElement(React.Fragment, null, /*#__PURE__*/React.createElement(Header$2, {
4169
1238
  breadcrumbs: breadcrumbs,
4170
- title: t("webhook.title"),
1239
+ title: t("neetoWebhooks.webhook.title"),
4171
1240
  actionBlock: /*#__PURE__*/React.createElement(Button, {
4172
1241
  "data-cy": "add-new-webhook-button",
4173
- label: t("webhook.add"),
1242
+ label: t("neetoWebhooks.webhook.add"),
4174
1243
  onClick: function onClick() {
4175
1244
  return setIsAddWebhookPaneOpen(true);
4176
1245
  }
@@ -4180,7 +1249,7 @@ var Header = function Header(_ref) {
4180
1249
  "data-cy": "webhook-description-header",
4181
1250
  style: "h5",
4182
1251
  weight: "normal"
4183
- }, t("webhook.description")));
1252
+ }, t("neetoWebhooks.webhook.description")));
4184
1253
  };
4185
1254
  var Header$1 = /*#__PURE__*/React.memo(Header);
4186
1255
 
@@ -4214,7 +1283,7 @@ var Webhooks = function Webhooks(_ref) {
4214
1283
  var _useFetchWebhooks = useFetchWebhooks({
4215
1284
  entityId: entityId,
4216
1285
  page: pageNumber,
4217
- limit: DEFAULT_PAGE_SIZE
1286
+ pageSize: DEFAULT_PAGE_SIZE
4218
1287
  }),
4219
1288
  isLoading = _useFetchWebhooks.isLoading,
4220
1289
  isFetching = _useFetchWebhooks.isFetching,
@@ -4271,23 +1340,23 @@ var Webhooks = function Webhooks(_ref) {
4271
1340
  })) : /*#__PURE__*/React.createElement("div", {
4272
1341
  className: "flex h-full w-full items-center justify-center"
4273
1342
  }, /*#__PURE__*/React.createElement(NoData, {
4274
- title: t("webhook.empty")
1343
+ title: t("neetoWebhooks.webhook.empty")
4275
1344
  })), /*#__PURE__*/React.createElement(AddWebhookPane, {
4276
1345
  editingWebhookId: editingWebhookId,
4277
1346
  entityId: entityId,
4278
1347
  entityType: entityType,
4279
- isOpen: isAddWebhookPaneOpen,
4280
1348
  webhooks: webhooks,
1349
+ isOpen: isAddWebhookPaneOpen,
4281
1350
  onClose: handlePaneClose
4282
1351
  }), /*#__PURE__*/React.createElement(Alert, {
4283
1352
  isOpen: isDeleteAlertOpen,
4284
1353
  isSubmitting: isDeleting,
4285
- submitButtonLabel: t("buttons.delete"),
4286
- message: t("alert.delete.message", {
4287
- entity: t("entity.webhook")
1354
+ submitButtonLabel: t("neetoWebhooks.buttons.delete"),
1355
+ message: t("neetoWebhooks.alert.delete.message", {
1356
+ entity: t("neetoWebhooks.entity.webhook")
4288
1357
  }),
4289
- title: t("alert.delete.title", {
4290
- entity: t("entity.webhook")
1358
+ title: t("neetoWebhooks.alert.delete.title", {
1359
+ entity: t("neetoWebhooks.entity.webhook")
4291
1360
  }),
4292
1361
  onClose: function onClose() {
4293
1362
  return setIsDeleteAlertOpen(false);