@khanacademy/perseus-core 3.7.0 → 4.0.0

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
@@ -2,2081 +2,21 @@
2
2
 
3
3
  Object.defineProperty(exports, '__esModule', { value: true });
4
4
 
5
+ var _ = require('underscore');
5
6
  var perseusCore = require('@khanacademy/perseus-core');
6
7
 
7
- /**
8
- * Adds the given perseus library version information to the __perseus_debug__
9
- * object and ensures that the object is attached to `globalThis` (`window` in
10
- * browser environments).
11
- *
12
- * This allows each library to provide runtime version information to assist in
13
- * debugging in production environments.
14
- */
15
- const addLibraryVersionToPerseusDebug = (libraryName, libraryVersion) => {
16
- // If the library version is the default value, then we don't want to
17
- // prefix it with a "v" to indicate that it is a version number.
18
- let prefix = "v";
19
- if (libraryVersion === "__lib_version__") {
20
- prefix = "";
21
- }
22
- const formattedVersion = `${prefix}${libraryVersion}`;
23
- if (typeof globalThis !== "undefined") {
24
- globalThis.__perseus_debug__ = globalThis.__perseus_debug__ ?? {};
25
- const existingVersionEntry = globalThis.__perseus_debug__[libraryName];
26
- if (existingVersionEntry) {
27
- // If we already have an entry and it doesn't match the registered
28
- // version, we morph the entry into an array and log a warning.
29
- if (existingVersionEntry !== formattedVersion) {
30
- // Existing entry might be an array already (oops, at least 2
31
- // versions of the library already loaded!).
32
- const allVersions = Array.isArray(existingVersionEntry) ? existingVersionEntry : [existingVersionEntry];
33
- allVersions.push(formattedVersion);
34
- globalThis.__perseus_debug__[libraryName] = allVersions;
35
-
36
- // eslint-disable-next-line no-console
37
- console.warn(`Multiple versions of ${libraryName} loaded on this page: ${allVersions.sort().join(", ")}`);
38
- }
39
- } else {
40
- globalThis.__perseus_debug__[libraryName] = formattedVersion;
41
- }
42
- } else {
43
- // eslint-disable-next-line no-console
44
- console.warn(`globalThis not found found (${formattedVersion})`);
45
- }
46
- };
47
-
48
- // Current version.
49
- var VERSION = '1.13.3';
50
-
51
- // Establish the root object, `window` (`self`) in the browser, `global`
52
- // on the server, or `this` in some virtual machines. We use `self`
53
- // instead of `window` for `WebWorker` support.
54
- var root = (typeof self == 'object' && self.self === self && self) ||
55
- (typeof global == 'object' && global.global === global && global) ||
56
- Function('return this')() ||
57
- {};
58
-
59
- // Save bytes in the minified (but not gzipped) version:
60
- var ArrayProto = Array.prototype, ObjProto = Object.prototype;
61
- var SymbolProto = typeof Symbol !== 'undefined' ? Symbol.prototype : null;
62
-
63
- // Create quick reference variables for speed access to core prototypes.
64
- var push = ArrayProto.push,
65
- slice = ArrayProto.slice,
66
- toString = ObjProto.toString,
67
- hasOwnProperty = ObjProto.hasOwnProperty;
68
-
69
- // Modern feature detection.
70
- var supportsArrayBuffer = typeof ArrayBuffer !== 'undefined',
71
- supportsDataView = typeof DataView !== 'undefined';
72
-
73
- // All **ECMAScript 5+** native function implementations that we hope to use
74
- // are declared here.
75
- var nativeIsArray = Array.isArray,
76
- nativeKeys = Object.keys,
77
- nativeCreate = Object.create,
78
- nativeIsView = supportsArrayBuffer && ArrayBuffer.isView;
79
-
80
- // Create references to these builtin functions because we override them.
81
- var _isNaN = isNaN,
82
- _isFinite = isFinite;
83
-
84
- // Keys in IE < 9 that won't be iterated by `for key in ...` and thus missed.
85
- var hasEnumBug = !{toString: null}.propertyIsEnumerable('toString');
86
- var nonEnumerableProps = ['valueOf', 'isPrototypeOf', 'toString',
87
- 'propertyIsEnumerable', 'hasOwnProperty', 'toLocaleString'];
88
-
89
- // The largest integer that can be represented exactly.
90
- var MAX_ARRAY_INDEX = Math.pow(2, 53) - 1;
91
-
92
- // Some functions take a variable number of arguments, or a few expected
93
- // arguments at the beginning and then a variable number of values to operate
94
- // on. This helper accumulates all remaining arguments past the function’s
95
- // argument length (or an explicit `startIndex`), into an array that becomes
96
- // the last argument. Similar to ES6’s "rest parameter".
97
- function restArguments(func, startIndex) {
98
- startIndex = startIndex == null ? func.length - 1 : +startIndex;
99
- return function() {
100
- var length = Math.max(arguments.length - startIndex, 0),
101
- rest = Array(length),
102
- index = 0;
103
- for (; index < length; index++) {
104
- rest[index] = arguments[index + startIndex];
105
- }
106
- switch (startIndex) {
107
- case 0: return func.call(this, rest);
108
- case 1: return func.call(this, arguments[0], rest);
109
- case 2: return func.call(this, arguments[0], arguments[1], rest);
110
- }
111
- var args = Array(startIndex + 1);
112
- for (index = 0; index < startIndex; index++) {
113
- args[index] = arguments[index];
114
- }
115
- args[startIndex] = rest;
116
- return func.apply(this, args);
117
- };
118
- }
119
-
120
- // Is a given variable an object?
121
- function isObject$1(obj) {
122
- var type = typeof obj;
123
- return type === 'function' || (type === 'object' && !!obj);
124
- }
125
-
126
- // Is a given value equal to null?
127
- function isNull(obj) {
128
- return obj === null;
129
- }
130
-
131
- // Is a given variable undefined?
132
- function isUndefined(obj) {
133
- return obj === void 0;
134
- }
135
-
136
- // Is a given value a boolean?
137
- function isBoolean(obj) {
138
- return obj === true || obj === false || toString.call(obj) === '[object Boolean]';
139
- }
140
-
141
- // Is a given value a DOM element?
142
- function isElement(obj) {
143
- return !!(obj && obj.nodeType === 1);
144
- }
145
-
146
- // Internal function for creating a `toString`-based type tester.
147
- function tagTester(name) {
148
- var tag = '[object ' + name + ']';
149
- return function(obj) {
150
- return toString.call(obj) === tag;
151
- };
152
- }
153
-
154
- var isString = tagTester('String');
155
-
156
- var isNumber = tagTester('Number');
157
-
158
- var isDate = tagTester('Date');
159
-
160
- var isRegExp = tagTester('RegExp');
161
-
162
- var isError = tagTester('Error');
163
-
164
- var isSymbol = tagTester('Symbol');
165
-
166
- var isArrayBuffer = tagTester('ArrayBuffer');
167
-
168
- var isFunction = tagTester('Function');
169
-
170
- // Optimize `isFunction` if appropriate. Work around some `typeof` bugs in old
171
- // v8, IE 11 (#1621), Safari 8 (#1929), and PhantomJS (#2236).
172
- var nodelist = root.document && root.document.childNodes;
173
- if (typeof /./ != 'function' && typeof Int8Array != 'object' && typeof nodelist != 'function') {
174
- isFunction = function(obj) {
175
- return typeof obj == 'function' || false;
176
- };
177
- }
178
-
179
- var isFunction$1 = isFunction;
180
-
181
- var hasObjectTag = tagTester('Object');
182
-
183
- // In IE 10 - Edge 13, `DataView` has string tag `'[object Object]'`.
184
- // In IE 11, the most common among them, this problem also applies to
185
- // `Map`, `WeakMap` and `Set`.
186
- var hasStringTagBug = (
187
- supportsDataView && hasObjectTag(new DataView(new ArrayBuffer(8)))
188
- ),
189
- isIE11 = (typeof Map !== 'undefined' && hasObjectTag(new Map));
190
-
191
- var isDataView = tagTester('DataView');
192
-
193
- // In IE 10 - Edge 13, we need a different heuristic
194
- // to determine whether an object is a `DataView`.
195
- function ie10IsDataView(obj) {
196
- return obj != null && isFunction$1(obj.getInt8) && isArrayBuffer(obj.buffer);
197
- }
198
-
199
- var isDataView$1 = (hasStringTagBug ? ie10IsDataView : isDataView);
200
-
201
- // Is a given value an array?
202
- // Delegates to ECMA5's native `Array.isArray`.
203
- var isArray = nativeIsArray || tagTester('Array');
204
-
205
- // Internal function to check whether `key` is an own property name of `obj`.
206
- function has$1(obj, key) {
207
- return obj != null && hasOwnProperty.call(obj, key);
208
- }
209
-
210
- var isArguments = tagTester('Arguments');
211
-
212
- // Define a fallback version of the method in browsers (ahem, IE < 9), where
213
- // there isn't any inspectable "Arguments" type.
214
- (function() {
215
- if (!isArguments(arguments)) {
216
- isArguments = function(obj) {
217
- return has$1(obj, 'callee');
218
- };
219
- }
220
- }());
221
-
222
- var isArguments$1 = isArguments;
223
-
224
- // Is a given object a finite number?
225
- function isFinite$1(obj) {
226
- return !isSymbol(obj) && _isFinite(obj) && !isNaN(parseFloat(obj));
227
- }
228
-
229
- // Is the given value `NaN`?
230
- function isNaN$1(obj) {
231
- return isNumber(obj) && _isNaN(obj);
232
- }
233
-
234
- // Predicate-generating function. Often useful outside of Underscore.
235
- function constant$1(value) {
236
- return function() {
237
- return value;
238
- };
239
- }
240
-
241
- // Common internal logic for `isArrayLike` and `isBufferLike`.
242
- function createSizePropertyCheck(getSizeProperty) {
243
- return function(collection) {
244
- var sizeProperty = getSizeProperty(collection);
245
- return typeof sizeProperty == 'number' && sizeProperty >= 0 && sizeProperty <= MAX_ARRAY_INDEX;
246
- }
247
- }
248
-
249
- // Internal helper to generate a function to obtain property `key` from `obj`.
250
- function shallowProperty(key) {
251
- return function(obj) {
252
- return obj == null ? void 0 : obj[key];
253
- };
254
- }
255
-
256
- // Internal helper to obtain the `byteLength` property of an object.
257
- var getByteLength = shallowProperty('byteLength');
258
-
259
- // Internal helper to determine whether we should spend extensive checks against
260
- // `ArrayBuffer` et al.
261
- var isBufferLike = createSizePropertyCheck(getByteLength);
262
-
263
- // Is a given value a typed array?
264
- var typedArrayPattern = /\[object ((I|Ui)nt(8|16|32)|Float(32|64)|Uint8Clamped|Big(I|Ui)nt64)Array\]/;
265
- function isTypedArray(obj) {
266
- // `ArrayBuffer.isView` is the most future-proof, so use it when available.
267
- // Otherwise, fall back on the above regular expression.
268
- return nativeIsView ? (nativeIsView(obj) && !isDataView$1(obj)) :
269
- isBufferLike(obj) && typedArrayPattern.test(toString.call(obj));
270
- }
271
-
272
- var isTypedArray$1 = supportsArrayBuffer ? isTypedArray : constant$1(false);
273
-
274
- // Internal helper to obtain the `length` property of an object.
275
- var getLength = shallowProperty('length');
276
-
277
- // Internal helper to create a simple lookup structure.
278
- // `collectNonEnumProps` used to depend on `_.contains`, but this led to
279
- // circular imports. `emulatedSet` is a one-off solution that only works for
280
- // arrays of strings.
281
- function emulatedSet(keys) {
282
- var hash = {};
283
- for (var l = keys.length, i = 0; i < l; ++i) hash[keys[i]] = true;
284
- return {
285
- contains: function(key) { return hash[key] === true; },
286
- push: function(key) {
287
- hash[key] = true;
288
- return keys.push(key);
289
- }
290
- };
291
- }
292
-
293
- // Internal helper. Checks `keys` for the presence of keys in IE < 9 that won't
294
- // be iterated by `for key in ...` and thus missed. Extends `keys` in place if
295
- // needed.
296
- function collectNonEnumProps(obj, keys) {
297
- keys = emulatedSet(keys);
298
- var nonEnumIdx = nonEnumerableProps.length;
299
- var constructor = obj.constructor;
300
- var proto = (isFunction$1(constructor) && constructor.prototype) || ObjProto;
301
-
302
- // Constructor is a special case.
303
- var prop = 'constructor';
304
- if (has$1(obj, prop) && !keys.contains(prop)) keys.push(prop);
305
-
306
- while (nonEnumIdx--) {
307
- prop = nonEnumerableProps[nonEnumIdx];
308
- if (prop in obj && obj[prop] !== proto[prop] && !keys.contains(prop)) {
309
- keys.push(prop);
310
- }
311
- }
312
- }
313
-
314
- // Retrieve the names of an object's own properties.
315
- // Delegates to **ECMAScript 5**'s native `Object.keys`.
316
- function keys(obj) {
317
- if (!isObject$1(obj)) return [];
318
- if (nativeKeys) return nativeKeys(obj);
319
- var keys = [];
320
- for (var key in obj) if (has$1(obj, key)) keys.push(key);
321
- // Ahem, IE < 9.
322
- if (hasEnumBug) collectNonEnumProps(obj, keys);
323
- return keys;
324
- }
325
-
326
- // Is a given array, string, or object empty?
327
- // An "empty" object has no enumerable own-properties.
328
- function isEmpty(obj) {
329
- if (obj == null) return true;
330
- // Skip the more expensive `toString`-based type checks if `obj` has no
331
- // `.length`.
332
- var length = getLength(obj);
333
- if (typeof length == 'number' && (
334
- isArray(obj) || isString(obj) || isArguments$1(obj)
335
- )) return length === 0;
336
- return getLength(keys(obj)) === 0;
337
- }
338
-
339
- // Returns whether an object has a given set of `key:value` pairs.
340
- function isMatch(object, attrs) {
341
- var _keys = keys(attrs), length = _keys.length;
342
- if (object == null) return !length;
343
- var obj = Object(object);
344
- for (var i = 0; i < length; i++) {
345
- var key = _keys[i];
346
- if (attrs[key] !== obj[key] || !(key in obj)) return false;
347
- }
348
- return true;
349
- }
350
-
351
- // If Underscore is called as a function, it returns a wrapped object that can
352
- // be used OO-style. This wrapper holds altered versions of all functions added
353
- // through `_.mixin`. Wrapped objects may be chained.
354
- function _$1(obj) {
355
- if (obj instanceof _$1) return obj;
356
- if (!(this instanceof _$1)) return new _$1(obj);
357
- this._wrapped = obj;
358
- }
359
-
360
- _$1.VERSION = VERSION;
361
-
362
- // Extracts the result from a wrapped and chained object.
363
- _$1.prototype.value = function() {
364
- return this._wrapped;
365
- };
366
-
367
- // Provide unwrapping proxies for some methods used in engine operations
368
- // such as arithmetic and JSON stringification.
369
- _$1.prototype.valueOf = _$1.prototype.toJSON = _$1.prototype.value;
370
-
371
- _$1.prototype.toString = function() {
372
- return String(this._wrapped);
373
- };
374
-
375
- // Internal function to wrap or shallow-copy an ArrayBuffer,
376
- // typed array or DataView to a new view, reusing the buffer.
377
- function toBufferView(bufferSource) {
378
- return new Uint8Array(
379
- bufferSource.buffer || bufferSource,
380
- bufferSource.byteOffset || 0,
381
- getByteLength(bufferSource)
382
- );
383
- }
384
-
385
- // We use this string twice, so give it a name for minification.
386
- var tagDataView = '[object DataView]';
387
-
388
- // Internal recursive comparison function for `_.isEqual`.
389
- function eq(a, b, aStack, bStack) {
390
- // Identical objects are equal. `0 === -0`, but they aren't identical.
391
- // See the [Harmony `egal` proposal](https://wiki.ecmascript.org/doku.php?id=harmony:egal).
392
- if (a === b) return a !== 0 || 1 / a === 1 / b;
393
- // `null` or `undefined` only equal to itself (strict comparison).
394
- if (a == null || b == null) return false;
395
- // `NaN`s are equivalent, but non-reflexive.
396
- if (a !== a) return b !== b;
397
- // Exhaust primitive checks
398
- var type = typeof a;
399
- if (type !== 'function' && type !== 'object' && typeof b != 'object') return false;
400
- return deepEq(a, b, aStack, bStack);
401
- }
402
-
403
- // Internal recursive comparison function for `_.isEqual`.
404
- function deepEq(a, b, aStack, bStack) {
405
- // Unwrap any wrapped objects.
406
- if (a instanceof _$1) a = a._wrapped;
407
- if (b instanceof _$1) b = b._wrapped;
408
- // Compare `[[Class]]` names.
409
- var className = toString.call(a);
410
- if (className !== toString.call(b)) return false;
411
- // Work around a bug in IE 10 - Edge 13.
412
- if (hasStringTagBug && className == '[object Object]' && isDataView$1(a)) {
413
- if (!isDataView$1(b)) return false;
414
- className = tagDataView;
415
- }
416
- switch (className) {
417
- // These types are compared by value.
418
- case '[object RegExp]':
419
- // RegExps are coerced to strings for comparison (Note: '' + /a/i === '/a/i')
420
- case '[object String]':
421
- // Primitives and their corresponding object wrappers are equivalent; thus, `"5"` is
422
- // equivalent to `new String("5")`.
423
- return '' + a === '' + b;
424
- case '[object Number]':
425
- // `NaN`s are equivalent, but non-reflexive.
426
- // Object(NaN) is equivalent to NaN.
427
- if (+a !== +a) return +b !== +b;
428
- // An `egal` comparison is performed for other numeric values.
429
- return +a === 0 ? 1 / +a === 1 / b : +a === +b;
430
- case '[object Date]':
431
- case '[object Boolean]':
432
- // Coerce dates and booleans to numeric primitive values. Dates are compared by their
433
- // millisecond representations. Note that invalid dates with millisecond representations
434
- // of `NaN` are not equivalent.
435
- return +a === +b;
436
- case '[object Symbol]':
437
- return SymbolProto.valueOf.call(a) === SymbolProto.valueOf.call(b);
438
- case '[object ArrayBuffer]':
439
- case tagDataView:
440
- // Coerce to typed array so we can fall through.
441
- return deepEq(toBufferView(a), toBufferView(b), aStack, bStack);
442
- }
443
-
444
- var areArrays = className === '[object Array]';
445
- if (!areArrays && isTypedArray$1(a)) {
446
- var byteLength = getByteLength(a);
447
- if (byteLength !== getByteLength(b)) return false;
448
- if (a.buffer === b.buffer && a.byteOffset === b.byteOffset) return true;
449
- areArrays = true;
450
- }
451
- if (!areArrays) {
452
- if (typeof a != 'object' || typeof b != 'object') return false;
453
-
454
- // Objects with different constructors are not equivalent, but `Object`s or `Array`s
455
- // from different frames are.
456
- var aCtor = a.constructor, bCtor = b.constructor;
457
- if (aCtor !== bCtor && !(isFunction$1(aCtor) && aCtor instanceof aCtor &&
458
- isFunction$1(bCtor) && bCtor instanceof bCtor)
459
- && ('constructor' in a && 'constructor' in b)) {
460
- return false;
461
- }
462
- }
463
- // Assume equality for cyclic structures. The algorithm for detecting cyclic
464
- // structures is adapted from ES 5.1 section 15.12.3, abstract operation `JO`.
465
-
466
- // Initializing stack of traversed objects.
467
- // It's done here since we only need them for objects and arrays comparison.
468
- aStack = aStack || [];
469
- bStack = bStack || [];
470
- var length = aStack.length;
471
- while (length--) {
472
- // Linear search. Performance is inversely proportional to the number of
473
- // unique nested structures.
474
- if (aStack[length] === a) return bStack[length] === b;
475
- }
476
-
477
- // Add the first object to the stack of traversed objects.
478
- aStack.push(a);
479
- bStack.push(b);
480
-
481
- // Recursively compare objects and arrays.
482
- if (areArrays) {
483
- // Compare array lengths to determine if a deep comparison is necessary.
484
- length = a.length;
485
- if (length !== b.length) return false;
486
- // Deep compare the contents, ignoring non-numeric properties.
487
- while (length--) {
488
- if (!eq(a[length], b[length], aStack, bStack)) return false;
489
- }
490
- } else {
491
- // Deep compare objects.
492
- var _keys = keys(a), key;
493
- length = _keys.length;
494
- // Ensure that both objects contain the same number of properties before comparing deep equality.
495
- if (keys(b).length !== length) return false;
496
- while (length--) {
497
- // Deep compare each member
498
- key = _keys[length];
499
- if (!(has$1(b, key) && eq(a[key], b[key], aStack, bStack))) return false;
500
- }
501
- }
502
- // Remove the first object from the stack of traversed objects.
503
- aStack.pop();
504
- bStack.pop();
505
- return true;
506
- }
507
-
508
- // Perform a deep comparison to check if two objects are equal.
509
- function isEqual(a, b) {
510
- return eq(a, b);
511
- }
512
-
513
- // Retrieve all the enumerable property names of an object.
514
- function allKeys(obj) {
515
- if (!isObject$1(obj)) return [];
516
- var keys = [];
517
- for (var key in obj) keys.push(key);
518
- // Ahem, IE < 9.
519
- if (hasEnumBug) collectNonEnumProps(obj, keys);
520
- return keys;
521
- }
522
-
523
- // Since the regular `Object.prototype.toString` type tests don't work for
524
- // some types in IE 11, we use a fingerprinting heuristic instead, based
525
- // on the methods. It's not great, but it's the best we got.
526
- // The fingerprint method lists are defined below.
527
- function ie11fingerprint(methods) {
528
- var length = getLength(methods);
529
- return function(obj) {
530
- if (obj == null) return false;
531
- // `Map`, `WeakMap` and `Set` have no enumerable keys.
532
- var keys = allKeys(obj);
533
- if (getLength(keys)) return false;
534
- for (var i = 0; i < length; i++) {
535
- if (!isFunction$1(obj[methods[i]])) return false;
536
- }
537
- // If we are testing against `WeakMap`, we need to ensure that
538
- // `obj` doesn't have a `forEach` method in order to distinguish
539
- // it from a regular `Map`.
540
- return methods !== weakMapMethods || !isFunction$1(obj[forEachName]);
541
- };
542
- }
543
-
544
- // In the interest of compact minification, we write
545
- // each string in the fingerprints only once.
546
- var forEachName = 'forEach',
547
- hasName = 'has',
548
- commonInit = ['clear', 'delete'],
549
- mapTail = ['get', hasName, 'set'];
550
-
551
- // `Map`, `WeakMap` and `Set` each have slightly different
552
- // combinations of the above sublists.
553
- var mapMethods = commonInit.concat(forEachName, mapTail),
554
- weakMapMethods = commonInit.concat(mapTail),
555
- setMethods = ['add'].concat(commonInit, forEachName, hasName);
556
-
557
- var isMap = isIE11 ? ie11fingerprint(mapMethods) : tagTester('Map');
558
-
559
- var isWeakMap = isIE11 ? ie11fingerprint(weakMapMethods) : tagTester('WeakMap');
560
-
561
- var isSet = isIE11 ? ie11fingerprint(setMethods) : tagTester('Set');
562
-
563
- var isWeakSet = tagTester('WeakSet');
564
-
565
- // Retrieve the values of an object's properties.
566
- function values(obj) {
567
- var _keys = keys(obj);
568
- var length = _keys.length;
569
- var values = Array(length);
570
- for (var i = 0; i < length; i++) {
571
- values[i] = obj[_keys[i]];
572
- }
573
- return values;
574
- }
575
-
576
- // Convert an object into a list of `[key, value]` pairs.
577
- // The opposite of `_.object` with one argument.
578
- function pairs(obj) {
579
- var _keys = keys(obj);
580
- var length = _keys.length;
581
- var pairs = Array(length);
582
- for (var i = 0; i < length; i++) {
583
- pairs[i] = [_keys[i], obj[_keys[i]]];
584
- }
585
- return pairs;
586
- }
587
-
588
- // Invert the keys and values of an object. The values must be serializable.
589
- function invert(obj) {
590
- var result = {};
591
- var _keys = keys(obj);
592
- for (var i = 0, length = _keys.length; i < length; i++) {
593
- result[obj[_keys[i]]] = _keys[i];
594
- }
595
- return result;
596
- }
597
-
598
- // Return a sorted list of the function names available on the object.
599
- function functions(obj) {
600
- var names = [];
601
- for (var key in obj) {
602
- if (isFunction$1(obj[key])) names.push(key);
603
- }
604
- return names.sort();
605
- }
606
-
607
- // An internal function for creating assigner functions.
608
- function createAssigner(keysFunc, defaults) {
609
- return function(obj) {
610
- var length = arguments.length;
611
- if (defaults) obj = Object(obj);
612
- if (length < 2 || obj == null) return obj;
613
- for (var index = 1; index < length; index++) {
614
- var source = arguments[index],
615
- keys = keysFunc(source),
616
- l = keys.length;
617
- for (var i = 0; i < l; i++) {
618
- var key = keys[i];
619
- if (!defaults || obj[key] === void 0) obj[key] = source[key];
620
- }
621
- }
622
- return obj;
623
- };
624
- }
625
-
626
- // Extend a given object with all the properties in passed-in object(s).
627
- var extend = createAssigner(allKeys);
628
-
629
- // Assigns a given object with all the own properties in the passed-in
630
- // object(s).
631
- // (https://developer.mozilla.org/docs/Web/JavaScript/Reference/Global_Objects/Object/assign)
632
- var extendOwn = createAssigner(keys);
633
-
634
- // Fill in a given object with default properties.
635
- var defaults = createAssigner(allKeys, true);
636
-
637
- // Create a naked function reference for surrogate-prototype-swapping.
638
- function ctor() {
639
- return function(){};
640
- }
641
-
642
- // An internal function for creating a new object that inherits from another.
643
- function baseCreate(prototype) {
644
- if (!isObject$1(prototype)) return {};
645
- if (nativeCreate) return nativeCreate(prototype);
646
- var Ctor = ctor();
647
- Ctor.prototype = prototype;
648
- var result = new Ctor;
649
- Ctor.prototype = null;
650
- return result;
651
- }
652
-
653
- // Creates an object that inherits from the given prototype object.
654
- // If additional properties are provided then they will be added to the
655
- // created object.
656
- function create(prototype, props) {
657
- var result = baseCreate(prototype);
658
- if (props) extendOwn(result, props);
659
- return result;
660
- }
661
-
662
- // Create a (shallow-cloned) duplicate of an object.
663
- function clone(obj) {
664
- if (!isObject$1(obj)) return obj;
665
- return isArray(obj) ? obj.slice() : extend({}, obj);
666
- }
667
-
668
- // Invokes `interceptor` with the `obj` and then returns `obj`.
669
- // The primary purpose of this method is to "tap into" a method chain, in
670
- // order to perform operations on intermediate results within the chain.
671
- function tap(obj, interceptor) {
672
- interceptor(obj);
673
- return obj;
674
- }
675
-
676
- // Normalize a (deep) property `path` to array.
677
- // Like `_.iteratee`, this function can be customized.
678
- function toPath$1(path) {
679
- return isArray(path) ? path : [path];
680
- }
681
- _$1.toPath = toPath$1;
682
-
683
- // Internal wrapper for `_.toPath` to enable minification.
684
- // Similar to `cb` for `_.iteratee`.
685
- function toPath(path) {
686
- return _$1.toPath(path);
687
- }
688
-
689
- // Internal function to obtain a nested property in `obj` along `path`.
690
- function deepGet(obj, path) {
691
- var length = path.length;
692
- for (var i = 0; i < length; i++) {
693
- if (obj == null) return void 0;
694
- obj = obj[path[i]];
695
- }
696
- return length ? obj : void 0;
697
- }
698
-
699
- // Get the value of the (deep) property on `path` from `object`.
700
- // If any property in `path` does not exist or if the value is
701
- // `undefined`, return `defaultValue` instead.
702
- // The `path` is normalized through `_.toPath`.
703
- function get(object, path, defaultValue) {
704
- var value = deepGet(object, toPath(path));
705
- return isUndefined(value) ? defaultValue : value;
706
- }
707
-
708
- // Shortcut function for checking if an object has a given property directly on
709
- // itself (in other words, not on a prototype). Unlike the internal `has`
710
- // function, this public version can also traverse nested properties.
711
- function has(obj, path) {
712
- path = toPath(path);
713
- var length = path.length;
714
- for (var i = 0; i < length; i++) {
715
- var key = path[i];
716
- if (!has$1(obj, key)) return false;
717
- obj = obj[key];
718
- }
719
- return !!length;
720
- }
721
-
722
- // Keep the identity function around for default iteratees.
723
- function identity(value) {
724
- return value;
725
- }
726
-
727
- // Returns a predicate for checking whether an object has a given set of
728
- // `key:value` pairs.
729
- function matcher(attrs) {
730
- attrs = extendOwn({}, attrs);
731
- return function(obj) {
732
- return isMatch(obj, attrs);
733
- };
734
- }
735
-
736
- // Creates a function that, when passed an object, will traverse that object’s
737
- // properties down the given `path`, specified as an array of keys or indices.
738
- function property(path) {
739
- path = toPath(path);
740
- return function(obj) {
741
- return deepGet(obj, path);
742
- };
743
- }
744
-
745
- // Internal function that returns an efficient (for current engines) version
746
- // of the passed-in callback, to be repeatedly applied in other Underscore
747
- // functions.
748
- function optimizeCb(func, context, argCount) {
749
- if (context === void 0) return func;
750
- switch (argCount == null ? 3 : argCount) {
751
- case 1: return function(value) {
752
- return func.call(context, value);
753
- };
754
- // The 2-argument case is omitted because we’re not using it.
755
- case 3: return function(value, index, collection) {
756
- return func.call(context, value, index, collection);
757
- };
758
- case 4: return function(accumulator, value, index, collection) {
759
- return func.call(context, accumulator, value, index, collection);
760
- };
761
- }
762
- return function() {
763
- return func.apply(context, arguments);
764
- };
765
- }
766
-
767
- // An internal function to generate callbacks that can be applied to each
768
- // element in a collection, returning the desired result — either `_.identity`,
769
- // an arbitrary callback, a property matcher, or a property accessor.
770
- function baseIteratee(value, context, argCount) {
771
- if (value == null) return identity;
772
- if (isFunction$1(value)) return optimizeCb(value, context, argCount);
773
- if (isObject$1(value) && !isArray(value)) return matcher(value);
774
- return property(value);
775
- }
776
-
777
- // External wrapper for our callback generator. Users may customize
778
- // `_.iteratee` if they want additional predicate/iteratee shorthand styles.
779
- // This abstraction hides the internal-only `argCount` argument.
780
- function iteratee(value, context) {
781
- return baseIteratee(value, context, Infinity);
782
- }
783
- _$1.iteratee = iteratee;
784
-
785
- // The function we call internally to generate a callback. It invokes
786
- // `_.iteratee` if overridden, otherwise `baseIteratee`.
787
- function cb(value, context, argCount) {
788
- if (_$1.iteratee !== iteratee) return _$1.iteratee(value, context);
789
- return baseIteratee(value, context, argCount);
790
- }
791
-
792
- // Returns the results of applying the `iteratee` to each element of `obj`.
793
- // In contrast to `_.map` it returns an object.
794
- function mapObject$1(obj, iteratee, context) {
795
- iteratee = cb(iteratee, context);
796
- var _keys = keys(obj),
797
- length = _keys.length,
798
- results = {};
799
- for (var index = 0; index < length; index++) {
800
- var currentKey = _keys[index];
801
- results[currentKey] = iteratee(obj[currentKey], currentKey, obj);
802
- }
803
- return results;
804
- }
805
-
806
- // Predicate-generating function. Often useful outside of Underscore.
807
- function noop(){}
808
-
809
- // Generates a function for a given object that returns a given property.
810
- function propertyOf(obj) {
811
- if (obj == null) return noop;
812
- return function(path) {
813
- return get(obj, path);
814
- };
815
- }
816
-
817
- // Run a function **n** times.
818
- function times(n, iteratee, context) {
819
- var accum = Array(Math.max(0, n));
820
- iteratee = optimizeCb(iteratee, context, 1);
821
- for (var i = 0; i < n; i++) accum[i] = iteratee(i);
822
- return accum;
823
- }
824
-
825
- // Return a random integer between `min` and `max` (inclusive).
826
- function random$1(min, max) {
827
- if (max == null) {
828
- max = min;
829
- min = 0;
830
- }
831
- return min + Math.floor(Math.random() * (max - min + 1));
832
- }
833
-
834
- // A (possibly faster) way to get the current timestamp as an integer.
835
- var now = Date.now || function() {
836
- return new Date().getTime();
837
- };
838
-
839
- // Internal helper to generate functions for escaping and unescaping strings
840
- // to/from HTML interpolation.
841
- function createEscaper(map) {
842
- var escaper = function(match) {
843
- return map[match];
844
- };
845
- // Regexes for identifying a key that needs to be escaped.
846
- var source = '(?:' + keys(map).join('|') + ')';
847
- var testRegexp = RegExp(source);
848
- var replaceRegexp = RegExp(source, 'g');
849
- return function(string) {
850
- string = string == null ? '' : '' + string;
851
- return testRegexp.test(string) ? string.replace(replaceRegexp, escaper) : string;
852
- };
853
- }
854
-
855
- // Internal list of HTML entities for escaping.
856
- var escapeMap = {
857
- '&': '&amp;',
858
- '<': '&lt;',
859
- '>': '&gt;',
860
- '"': '&quot;',
861
- "'": '&#x27;',
862
- '`': '&#x60;'
863
- };
864
-
865
- // Function for escaping strings to HTML interpolation.
866
- var escape = createEscaper(escapeMap);
867
-
868
- // Internal list of HTML entities for unescaping.
869
- var unescapeMap = invert(escapeMap);
870
-
871
- // Function for unescaping strings from HTML interpolation.
872
- var unescape = createEscaper(unescapeMap);
873
-
874
- // By default, Underscore uses ERB-style template delimiters. Change the
875
- // following template settings to use alternative delimiters.
876
- var templateSettings = _$1.templateSettings = {
877
- evaluate: /<%([\s\S]+?)%>/g,
878
- interpolate: /<%=([\s\S]+?)%>/g,
879
- escape: /<%-([\s\S]+?)%>/g
880
- };
881
-
882
- // When customizing `_.templateSettings`, if you don't want to define an
883
- // interpolation, evaluation or escaping regex, we need one that is
884
- // guaranteed not to match.
885
- var noMatch = /(.)^/;
886
-
887
- // Certain characters need to be escaped so that they can be put into a
888
- // string literal.
889
- var escapes = {
890
- "'": "'",
891
- '\\': '\\',
892
- '\r': 'r',
893
- '\n': 'n',
894
- '\u2028': 'u2028',
895
- '\u2029': 'u2029'
896
- };
897
-
898
- var escapeRegExp = /\\|'|\r|\n|\u2028|\u2029/g;
899
-
900
- function escapeChar(match) {
901
- return '\\' + escapes[match];
902
- }
903
-
904
- // In order to prevent third-party code injection through
905
- // `_.templateSettings.variable`, we test it against the following regular
906
- // expression. It is intentionally a bit more liberal than just matching valid
907
- // identifiers, but still prevents possible loopholes through defaults or
908
- // destructuring assignment.
909
- var bareIdentifier = /^\s*(\w|\$)+\s*$/;
910
-
911
- // JavaScript micro-templating, similar to John Resig's implementation.
912
- // Underscore templating handles arbitrary delimiters, preserves whitespace,
913
- // and correctly escapes quotes within interpolated code.
914
- // NB: `oldSettings` only exists for backwards compatibility.
915
- function template(text, settings, oldSettings) {
916
- if (!settings && oldSettings) settings = oldSettings;
917
- settings = defaults({}, settings, _$1.templateSettings);
918
-
919
- // Combine delimiters into one regular expression via alternation.
920
- var matcher = RegExp([
921
- (settings.escape || noMatch).source,
922
- (settings.interpolate || noMatch).source,
923
- (settings.evaluate || noMatch).source
924
- ].join('|') + '|$', 'g');
925
-
926
- // Compile the template source, escaping string literals appropriately.
927
- var index = 0;
928
- var source = "__p+='";
929
- text.replace(matcher, function(match, escape, interpolate, evaluate, offset) {
930
- source += text.slice(index, offset).replace(escapeRegExp, escapeChar);
931
- index = offset + match.length;
932
-
933
- if (escape) {
934
- source += "'+\n((__t=(" + escape + "))==null?'':_.escape(__t))+\n'";
935
- } else if (interpolate) {
936
- source += "'+\n((__t=(" + interpolate + "))==null?'':__t)+\n'";
937
- } else if (evaluate) {
938
- source += "';\n" + evaluate + "\n__p+='";
939
- }
940
-
941
- // Adobe VMs need the match returned to produce the correct offset.
942
- return match;
943
- });
944
- source += "';\n";
945
-
946
- var argument = settings.variable;
947
- if (argument) {
948
- // Insure against third-party code injection. (CVE-2021-23358)
949
- if (!bareIdentifier.test(argument)) throw new Error(
950
- 'variable is not a bare identifier: ' + argument
951
- );
952
- } else {
953
- // If a variable is not specified, place data values in local scope.
954
- source = 'with(obj||{}){\n' + source + '}\n';
955
- argument = 'obj';
956
- }
957
-
958
- source = "var __t,__p='',__j=Array.prototype.join," +
959
- "print=function(){__p+=__j.call(arguments,'');};\n" +
960
- source + 'return __p;\n';
961
-
962
- var render;
963
- try {
964
- render = new Function(argument, '_', source);
965
- } catch (e) {
966
- e.source = source;
967
- throw e;
968
- }
969
-
970
- var template = function(data) {
971
- return render.call(this, data, _$1);
972
- };
973
-
974
- // Provide the compiled source as a convenience for precompilation.
975
- template.source = 'function(' + argument + '){\n' + source + '}';
976
-
977
- return template;
978
- }
979
-
980
- // Traverses the children of `obj` along `path`. If a child is a function, it
981
- // is invoked with its parent as context. Returns the value of the final
982
- // child, or `fallback` if any child is undefined.
983
- function result(obj, path, fallback) {
984
- path = toPath(path);
985
- var length = path.length;
986
- if (!length) {
987
- return isFunction$1(fallback) ? fallback.call(obj) : fallback;
988
- }
989
- for (var i = 0; i < length; i++) {
990
- var prop = obj == null ? void 0 : obj[path[i]];
991
- if (prop === void 0) {
992
- prop = fallback;
993
- i = length; // Ensure we don't continue iterating.
994
- }
995
- obj = isFunction$1(prop) ? prop.call(obj) : prop;
996
- }
997
- return obj;
998
- }
999
-
1000
- // Generate a unique integer id (unique within the entire client session).
1001
- // Useful for temporary DOM ids.
1002
- var idCounter = 0;
1003
- function uniqueId(prefix) {
1004
- var id = ++idCounter + '';
1005
- return prefix ? prefix + id : id;
1006
- }
1007
-
1008
- // Start chaining a wrapped Underscore object.
1009
- function chain(obj) {
1010
- var instance = _$1(obj);
1011
- instance._chain = true;
1012
- return instance;
1013
- }
1014
-
1015
- // Internal function to execute `sourceFunc` bound to `context` with optional
1016
- // `args`. Determines whether to execute a function as a constructor or as a
1017
- // normal function.
1018
- function executeBound(sourceFunc, boundFunc, context, callingContext, args) {
1019
- if (!(callingContext instanceof boundFunc)) return sourceFunc.apply(context, args);
1020
- var self = baseCreate(sourceFunc.prototype);
1021
- var result = sourceFunc.apply(self, args);
1022
- if (isObject$1(result)) return result;
1023
- return self;
1024
- }
1025
-
1026
- // Partially apply a function by creating a version that has had some of its
1027
- // arguments pre-filled, without changing its dynamic `this` context. `_` acts
1028
- // as a placeholder by default, allowing any combination of arguments to be
1029
- // pre-filled. Set `_.partial.placeholder` for a custom placeholder argument.
1030
- var partial = restArguments(function(func, boundArgs) {
1031
- var placeholder = partial.placeholder;
1032
- var bound = function() {
1033
- var position = 0, length = boundArgs.length;
1034
- var args = Array(length);
1035
- for (var i = 0; i < length; i++) {
1036
- args[i] = boundArgs[i] === placeholder ? arguments[position++] : boundArgs[i];
1037
- }
1038
- while (position < arguments.length) args.push(arguments[position++]);
1039
- return executeBound(func, bound, this, this, args);
1040
- };
1041
- return bound;
1042
- });
1043
-
1044
- partial.placeholder = _$1;
1045
-
1046
- // Create a function bound to a given object (assigning `this`, and arguments,
1047
- // optionally).
1048
- var bind = restArguments(function(func, context, args) {
1049
- if (!isFunction$1(func)) throw new TypeError('Bind must be called on a function');
1050
- var bound = restArguments(function(callArgs) {
1051
- return executeBound(func, bound, context, this, args.concat(callArgs));
1052
- });
1053
- return bound;
1054
- });
1055
-
1056
- // Internal helper for collection methods to determine whether a collection
1057
- // should be iterated as an array or as an object.
1058
- // Related: https://people.mozilla.org/~jorendorff/es6-draft.html#sec-tolength
1059
- // Avoids a very nasty iOS 8 JIT bug on ARM-64. #2094
1060
- var isArrayLike = createSizePropertyCheck(getLength);
1061
-
1062
- // Internal implementation of a recursive `flatten` function.
1063
- function flatten$1(input, depth, strict, output) {
1064
- output = output || [];
1065
- if (!depth && depth !== 0) {
1066
- depth = Infinity;
1067
- } else if (depth <= 0) {
1068
- return output.concat(input);
1069
- }
1070
- var idx = output.length;
1071
- for (var i = 0, length = getLength(input); i < length; i++) {
1072
- var value = input[i];
1073
- if (isArrayLike(value) && (isArray(value) || isArguments$1(value))) {
1074
- // Flatten current level of array or arguments object.
1075
- if (depth > 1) {
1076
- flatten$1(value, depth - 1, strict, output);
1077
- idx = output.length;
1078
- } else {
1079
- var j = 0, len = value.length;
1080
- while (j < len) output[idx++] = value[j++];
1081
- }
1082
- } else if (!strict) {
1083
- output[idx++] = value;
1084
- }
1085
- }
1086
- return output;
1087
- }
1088
-
1089
- // Bind a number of an object's methods to that object. Remaining arguments
1090
- // are the method names to be bound. Useful for ensuring that all callbacks
1091
- // defined on an object belong to it.
1092
- var bindAll = restArguments(function(obj, keys) {
1093
- keys = flatten$1(keys, false, false);
1094
- var index = keys.length;
1095
- if (index < 1) throw new Error('bindAll must be passed function names');
1096
- while (index--) {
1097
- var key = keys[index];
1098
- obj[key] = bind(obj[key], obj);
1099
- }
1100
- return obj;
1101
- });
1102
-
1103
- // Memoize an expensive function by storing its results.
1104
- function memoize(func, hasher) {
1105
- var memoize = function(key) {
1106
- var cache = memoize.cache;
1107
- var address = '' + (hasher ? hasher.apply(this, arguments) : key);
1108
- if (!has$1(cache, address)) cache[address] = func.apply(this, arguments);
1109
- return cache[address];
1110
- };
1111
- memoize.cache = {};
1112
- return memoize;
1113
- }
1114
-
1115
- // Delays a function for the given number of milliseconds, and then calls
1116
- // it with the arguments supplied.
1117
- var delay = restArguments(function(func, wait, args) {
1118
- return setTimeout(function() {
1119
- return func.apply(null, args);
1120
- }, wait);
1121
- });
1122
-
1123
- // Defers a function, scheduling it to run after the current call stack has
1124
- // cleared.
1125
- var defer = partial(delay, _$1, 1);
1126
-
1127
- // Returns a function, that, when invoked, will only be triggered at most once
1128
- // during a given window of time. Normally, the throttled function will run
1129
- // as much as it can, without ever going more than once per `wait` duration;
1130
- // but if you'd like to disable the execution on the leading edge, pass
1131
- // `{leading: false}`. To disable execution on the trailing edge, ditto.
1132
- function throttle(func, wait, options) {
1133
- var timeout, context, args, result;
1134
- var previous = 0;
1135
- if (!options) options = {};
1136
-
1137
- var later = function() {
1138
- previous = options.leading === false ? 0 : now();
1139
- timeout = null;
1140
- result = func.apply(context, args);
1141
- if (!timeout) context = args = null;
1142
- };
1143
-
1144
- var throttled = function() {
1145
- var _now = now();
1146
- if (!previous && options.leading === false) previous = _now;
1147
- var remaining = wait - (_now - previous);
1148
- context = this;
1149
- args = arguments;
1150
- if (remaining <= 0 || remaining > wait) {
1151
- if (timeout) {
1152
- clearTimeout(timeout);
1153
- timeout = null;
1154
- }
1155
- previous = _now;
1156
- result = func.apply(context, args);
1157
- if (!timeout) context = args = null;
1158
- } else if (!timeout && options.trailing !== false) {
1159
- timeout = setTimeout(later, remaining);
1160
- }
1161
- return result;
1162
- };
1163
-
1164
- throttled.cancel = function() {
1165
- clearTimeout(timeout);
1166
- previous = 0;
1167
- timeout = context = args = null;
1168
- };
1169
-
1170
- return throttled;
1171
- }
1172
-
1173
- // When a sequence of calls of the returned function ends, the argument
1174
- // function is triggered. The end of a sequence is defined by the `wait`
1175
- // parameter. If `immediate` is passed, the argument function will be
1176
- // triggered at the beginning of the sequence instead of at the end.
1177
- function debounce(func, wait, immediate) {
1178
- var timeout, previous, args, result, context;
1179
-
1180
- var later = function() {
1181
- var passed = now() - previous;
1182
- if (wait > passed) {
1183
- timeout = setTimeout(later, wait - passed);
1184
- } else {
1185
- timeout = null;
1186
- if (!immediate) result = func.apply(context, args);
1187
- // This check is needed because `func` can recursively invoke `debounced`.
1188
- if (!timeout) args = context = null;
1189
- }
1190
- };
1191
-
1192
- var debounced = restArguments(function(_args) {
1193
- context = this;
1194
- args = _args;
1195
- previous = now();
1196
- if (!timeout) {
1197
- timeout = setTimeout(later, wait);
1198
- if (immediate) result = func.apply(context, args);
1199
- }
1200
- return result;
1201
- });
1202
-
1203
- debounced.cancel = function() {
1204
- clearTimeout(timeout);
1205
- timeout = args = context = null;
1206
- };
1207
-
1208
- return debounced;
1209
- }
1210
-
1211
- // Returns the first function passed as an argument to the second,
1212
- // allowing you to adjust arguments, run code before and after, and
1213
- // conditionally execute the original function.
1214
- function wrap(func, wrapper) {
1215
- return partial(wrapper, func);
1216
- }
1217
-
1218
- // Returns a negated version of the passed-in predicate.
1219
- function negate(predicate) {
1220
- return function() {
1221
- return !predicate.apply(this, arguments);
1222
- };
1223
- }
1224
-
1225
- // Returns a function that is the composition of a list of functions, each
1226
- // consuming the return value of the function that follows.
1227
- function compose() {
1228
- var args = arguments;
1229
- var start = args.length - 1;
1230
- return function() {
1231
- var i = start;
1232
- var result = args[start].apply(this, arguments);
1233
- while (i--) result = args[i].call(this, result);
1234
- return result;
1235
- };
1236
- }
1237
-
1238
- // Returns a function that will only be executed on and after the Nth call.
1239
- function after(times, func) {
1240
- return function() {
1241
- if (--times < 1) {
1242
- return func.apply(this, arguments);
1243
- }
1244
- };
1245
- }
1246
-
1247
- // Returns a function that will only be executed up to (but not including) the
1248
- // Nth call.
1249
- function before(times, func) {
1250
- var memo;
1251
- return function() {
1252
- if (--times > 0) {
1253
- memo = func.apply(this, arguments);
1254
- }
1255
- if (times <= 1) func = null;
1256
- return memo;
1257
- };
1258
- }
1259
-
1260
- // Returns a function that will be executed at most one time, no matter how
1261
- // often you call it. Useful for lazy initialization.
1262
- var once = partial(before, 2);
1263
-
1264
- // Returns the first key on an object that passes a truth test.
1265
- function findKey(obj, predicate, context) {
1266
- predicate = cb(predicate, context);
1267
- var _keys = keys(obj), key;
1268
- for (var i = 0, length = _keys.length; i < length; i++) {
1269
- key = _keys[i];
1270
- if (predicate(obj[key], key, obj)) return key;
1271
- }
1272
- }
1273
-
1274
- // Internal function to generate `_.findIndex` and `_.findLastIndex`.
1275
- function createPredicateIndexFinder(dir) {
1276
- return function(array, predicate, context) {
1277
- predicate = cb(predicate, context);
1278
- var length = getLength(array);
1279
- var index = dir > 0 ? 0 : length - 1;
1280
- for (; index >= 0 && index < length; index += dir) {
1281
- if (predicate(array[index], index, array)) return index;
1282
- }
1283
- return -1;
1284
- };
1285
- }
1286
-
1287
- // Returns the first index on an array-like that passes a truth test.
1288
- var findIndex = createPredicateIndexFinder(1);
1289
-
1290
- // Returns the last index on an array-like that passes a truth test.
1291
- var findLastIndex = createPredicateIndexFinder(-1);
1292
-
1293
- // Use a comparator function to figure out the smallest index at which
1294
- // an object should be inserted so as to maintain order. Uses binary search.
1295
- function sortedIndex(array, obj, iteratee, context) {
1296
- iteratee = cb(iteratee, context, 1);
1297
- var value = iteratee(obj);
1298
- var low = 0, high = getLength(array);
1299
- while (low < high) {
1300
- var mid = Math.floor((low + high) / 2);
1301
- if (iteratee(array[mid]) < value) low = mid + 1; else high = mid;
1302
- }
1303
- return low;
1304
- }
1305
-
1306
- // Internal function to generate the `_.indexOf` and `_.lastIndexOf` functions.
1307
- function createIndexFinder(dir, predicateFind, sortedIndex) {
1308
- return function(array, item, idx) {
1309
- var i = 0, length = getLength(array);
1310
- if (typeof idx == 'number') {
1311
- if (dir > 0) {
1312
- i = idx >= 0 ? idx : Math.max(idx + length, i);
1313
- } else {
1314
- length = idx >= 0 ? Math.min(idx + 1, length) : idx + length + 1;
1315
- }
1316
- } else if (sortedIndex && idx && length) {
1317
- idx = sortedIndex(array, item);
1318
- return array[idx] === item ? idx : -1;
1319
- }
1320
- if (item !== item) {
1321
- idx = predicateFind(slice.call(array, i, length), isNaN$1);
1322
- return idx >= 0 ? idx + i : -1;
1323
- }
1324
- for (idx = dir > 0 ? i : length - 1; idx >= 0 && idx < length; idx += dir) {
1325
- if (array[idx] === item) return idx;
1326
- }
1327
- return -1;
1328
- };
1329
- }
1330
-
1331
- // Return the position of the first occurrence of an item in an array,
1332
- // or -1 if the item is not included in the array.
1333
- // If the array is large and already in sort order, pass `true`
1334
- // for **isSorted** to use binary search.
1335
- var indexOf = createIndexFinder(1, findIndex, sortedIndex);
1336
-
1337
- // Return the position of the last occurrence of an item in an array,
1338
- // or -1 if the item is not included in the array.
1339
- var lastIndexOf = createIndexFinder(-1, findLastIndex);
1340
-
1341
- // Return the first value which passes a truth test.
1342
- function find(obj, predicate, context) {
1343
- var keyFinder = isArrayLike(obj) ? findIndex : findKey;
1344
- var key = keyFinder(obj, predicate, context);
1345
- if (key !== void 0 && key !== -1) return obj[key];
1346
- }
1347
-
1348
- // Convenience version of a common use case of `_.find`: getting the first
1349
- // object containing specific `key:value` pairs.
1350
- function findWhere(obj, attrs) {
1351
- return find(obj, matcher(attrs));
1352
- }
1353
-
1354
- // The cornerstone for collection functions, an `each`
1355
- // implementation, aka `forEach`.
1356
- // Handles raw objects in addition to array-likes. Treats all
1357
- // sparse array-likes as if they were dense.
1358
- function each(obj, iteratee, context) {
1359
- iteratee = optimizeCb(iteratee, context);
1360
- var i, length;
1361
- if (isArrayLike(obj)) {
1362
- for (i = 0, length = obj.length; i < length; i++) {
1363
- iteratee(obj[i], i, obj);
1364
- }
1365
- } else {
1366
- var _keys = keys(obj);
1367
- for (i = 0, length = _keys.length; i < length; i++) {
1368
- iteratee(obj[_keys[i]], _keys[i], obj);
1369
- }
1370
- }
1371
- return obj;
1372
- }
1373
-
1374
- // Return the results of applying the iteratee to each element.
1375
- function map(obj, iteratee, context) {
1376
- iteratee = cb(iteratee, context);
1377
- var _keys = !isArrayLike(obj) && keys(obj),
1378
- length = (_keys || obj).length,
1379
- results = Array(length);
1380
- for (var index = 0; index < length; index++) {
1381
- var currentKey = _keys ? _keys[index] : index;
1382
- results[index] = iteratee(obj[currentKey], currentKey, obj);
1383
- }
1384
- return results;
1385
- }
1386
-
1387
- // Internal helper to create a reducing function, iterating left or right.
1388
- function createReduce(dir) {
1389
- // Wrap code that reassigns argument variables in a separate function than
1390
- // the one that accesses `arguments.length` to avoid a perf hit. (#1991)
1391
- var reducer = function(obj, iteratee, memo, initial) {
1392
- var _keys = !isArrayLike(obj) && keys(obj),
1393
- length = (_keys || obj).length,
1394
- index = dir > 0 ? 0 : length - 1;
1395
- if (!initial) {
1396
- memo = obj[_keys ? _keys[index] : index];
1397
- index += dir;
1398
- }
1399
- for (; index >= 0 && index < length; index += dir) {
1400
- var currentKey = _keys ? _keys[index] : index;
1401
- memo = iteratee(memo, obj[currentKey], currentKey, obj);
1402
- }
1403
- return memo;
1404
- };
1405
-
1406
- return function(obj, iteratee, memo, context) {
1407
- var initial = arguments.length >= 3;
1408
- return reducer(obj, optimizeCb(iteratee, context, 4), memo, initial);
1409
- };
1410
- }
1411
-
1412
- // **Reduce** builds up a single result from a list of values, aka `inject`,
1413
- // or `foldl`.
1414
- var reduce = createReduce(1);
1415
-
1416
- // The right-associative version of reduce, also known as `foldr`.
1417
- var reduceRight = createReduce(-1);
1418
-
1419
- // Return all the elements that pass a truth test.
1420
- function filter(obj, predicate, context) {
1421
- var results = [];
1422
- predicate = cb(predicate, context);
1423
- each(obj, function(value, index, list) {
1424
- if (predicate(value, index, list)) results.push(value);
1425
- });
1426
- return results;
1427
- }
1428
-
1429
- // Return all the elements for which a truth test fails.
1430
- function reject(obj, predicate, context) {
1431
- return filter(obj, negate(cb(predicate)), context);
1432
- }
1433
-
1434
- // Determine whether all of the elements pass a truth test.
1435
- function every(obj, predicate, context) {
1436
- predicate = cb(predicate, context);
1437
- var _keys = !isArrayLike(obj) && keys(obj),
1438
- length = (_keys || obj).length;
1439
- for (var index = 0; index < length; index++) {
1440
- var currentKey = _keys ? _keys[index] : index;
1441
- if (!predicate(obj[currentKey], currentKey, obj)) return false;
1442
- }
1443
- return true;
1444
- }
1445
-
1446
- // Determine if at least one element in the object passes a truth test.
1447
- function some(obj, predicate, context) {
1448
- predicate = cb(predicate, context);
1449
- var _keys = !isArrayLike(obj) && keys(obj),
1450
- length = (_keys || obj).length;
1451
- for (var index = 0; index < length; index++) {
1452
- var currentKey = _keys ? _keys[index] : index;
1453
- if (predicate(obj[currentKey], currentKey, obj)) return true;
1454
- }
1455
- return false;
1456
- }
1457
-
1458
- // Determine if the array or object contains a given item (using `===`).
1459
- function contains(obj, item, fromIndex, guard) {
1460
- if (!isArrayLike(obj)) obj = values(obj);
1461
- if (typeof fromIndex != 'number' || guard) fromIndex = 0;
1462
- return indexOf(obj, item, fromIndex) >= 0;
1463
- }
1464
-
1465
- // Invoke a method (with arguments) on every item in a collection.
1466
- var invoke = restArguments(function(obj, path, args) {
1467
- var contextPath, func;
1468
- if (isFunction$1(path)) {
1469
- func = path;
1470
- } else {
1471
- path = toPath(path);
1472
- contextPath = path.slice(0, -1);
1473
- path = path[path.length - 1];
1474
- }
1475
- return map(obj, function(context) {
1476
- var method = func;
1477
- if (!method) {
1478
- if (contextPath && contextPath.length) {
1479
- context = deepGet(context, contextPath);
1480
- }
1481
- if (context == null) return void 0;
1482
- method = context[path];
1483
- }
1484
- return method == null ? method : method.apply(context, args);
1485
- });
1486
- });
1487
-
1488
- // Convenience version of a common use case of `_.map`: fetching a property.
1489
- function pluck$1(obj, key) {
1490
- return map(obj, property(key));
1491
- }
1492
-
1493
- // Convenience version of a common use case of `_.filter`: selecting only
1494
- // objects containing specific `key:value` pairs.
1495
- function where(obj, attrs) {
1496
- return filter(obj, matcher(attrs));
1497
- }
1498
-
1499
- // Return the maximum element (or element-based computation).
1500
- function max(obj, iteratee, context) {
1501
- var result = -Infinity, lastComputed = -Infinity,
1502
- value, computed;
1503
- if (iteratee == null || (typeof iteratee == 'number' && typeof obj[0] != 'object' && obj != null)) {
1504
- obj = isArrayLike(obj) ? obj : values(obj);
1505
- for (var i = 0, length = obj.length; i < length; i++) {
1506
- value = obj[i];
1507
- if (value != null && value > result) {
1508
- result = value;
1509
- }
1510
- }
1511
- } else {
1512
- iteratee = cb(iteratee, context);
1513
- each(obj, function(v, index, list) {
1514
- computed = iteratee(v, index, list);
1515
- if (computed > lastComputed || (computed === -Infinity && result === -Infinity)) {
1516
- result = v;
1517
- lastComputed = computed;
1518
- }
1519
- });
1520
- }
1521
- return result;
1522
- }
1523
-
1524
- // Return the minimum element (or element-based computation).
1525
- function min(obj, iteratee, context) {
1526
- var result = Infinity, lastComputed = Infinity,
1527
- value, computed;
1528
- if (iteratee == null || (typeof iteratee == 'number' && typeof obj[0] != 'object' && obj != null)) {
1529
- obj = isArrayLike(obj) ? obj : values(obj);
1530
- for (var i = 0, length = obj.length; i < length; i++) {
1531
- value = obj[i];
1532
- if (value != null && value < result) {
1533
- result = value;
1534
- }
1535
- }
1536
- } else {
1537
- iteratee = cb(iteratee, context);
1538
- each(obj, function(v, index, list) {
1539
- computed = iteratee(v, index, list);
1540
- if (computed < lastComputed || (computed === Infinity && result === Infinity)) {
1541
- result = v;
1542
- lastComputed = computed;
1543
- }
1544
- });
1545
- }
1546
- return result;
1547
- }
1548
-
1549
- // Safely create a real, live array from anything iterable.
1550
- var reStrSymbol = /[^\ud800-\udfff]|[\ud800-\udbff][\udc00-\udfff]|[\ud800-\udfff]/g;
1551
- function toArray(obj) {
1552
- if (!obj) return [];
1553
- if (isArray(obj)) return slice.call(obj);
1554
- if (isString(obj)) {
1555
- // Keep surrogate pair characters together.
1556
- return obj.match(reStrSymbol);
1557
- }
1558
- if (isArrayLike(obj)) return map(obj, identity);
1559
- return values(obj);
1560
- }
1561
-
1562
- // Sample **n** random values from a collection using the modern version of the
1563
- // [Fisher-Yates shuffle](https://en.wikipedia.org/wiki/Fisher–Yates_shuffle).
1564
- // If **n** is not specified, returns a single random element.
1565
- // The internal `guard` argument allows it to work with `_.map`.
1566
- function sample(obj, n, guard) {
1567
- if (n == null || guard) {
1568
- if (!isArrayLike(obj)) obj = values(obj);
1569
- return obj[random$1(obj.length - 1)];
1570
- }
1571
- var sample = toArray(obj);
1572
- var length = getLength(sample);
1573
- n = Math.max(Math.min(n, length), 0);
1574
- var last = length - 1;
1575
- for (var index = 0; index < n; index++) {
1576
- var rand = random$1(index, last);
1577
- var temp = sample[index];
1578
- sample[index] = sample[rand];
1579
- sample[rand] = temp;
1580
- }
1581
- return sample.slice(0, n);
1582
- }
1583
-
1584
- // Shuffle a collection.
1585
- function shuffle$1(obj) {
1586
- return sample(obj, Infinity);
1587
- }
1588
-
1589
- // Sort the object's values by a criterion produced by an iteratee.
1590
- function sortBy(obj, iteratee, context) {
1591
- var index = 0;
1592
- iteratee = cb(iteratee, context);
1593
- return pluck$1(map(obj, function(value, key, list) {
1594
- return {
1595
- value: value,
1596
- index: index++,
1597
- criteria: iteratee(value, key, list)
1598
- };
1599
- }).sort(function(left, right) {
1600
- var a = left.criteria;
1601
- var b = right.criteria;
1602
- if (a !== b) {
1603
- if (a > b || a === void 0) return 1;
1604
- if (a < b || b === void 0) return -1;
1605
- }
1606
- return left.index - right.index;
1607
- }), 'value');
1608
- }
1609
-
1610
- // An internal function used for aggregate "group by" operations.
1611
- function group(behavior, partition) {
1612
- return function(obj, iteratee, context) {
1613
- var result = partition ? [[], []] : {};
1614
- iteratee = cb(iteratee, context);
1615
- each(obj, function(value, index) {
1616
- var key = iteratee(value, index, obj);
1617
- behavior(result, value, key);
1618
- });
1619
- return result;
1620
- };
1621
- }
1622
-
1623
- // Groups the object's values by a criterion. Pass either a string attribute
1624
- // to group by, or a function that returns the criterion.
1625
- var groupBy = group(function(result, value, key) {
1626
- if (has$1(result, key)) result[key].push(value); else result[key] = [value];
1627
- });
1628
-
1629
- // Indexes the object's values by a criterion, similar to `_.groupBy`, but for
1630
- // when you know that your index values will be unique.
1631
- var indexBy = group(function(result, value, key) {
1632
- result[key] = value;
1633
- });
1634
-
1635
- // Counts instances of an object that group by a certain criterion. Pass
1636
- // either a string attribute to count by, or a function that returns the
1637
- // criterion.
1638
- var countBy = group(function(result, value, key) {
1639
- if (has$1(result, key)) result[key]++; else result[key] = 1;
1640
- });
1641
-
1642
- // Split a collection into two arrays: one whose elements all pass the given
1643
- // truth test, and one whose elements all do not pass the truth test.
1644
- var partition = group(function(result, value, pass) {
1645
- result[pass ? 0 : 1].push(value);
1646
- }, true);
1647
-
1648
- // Return the number of elements in a collection.
1649
- function size(obj) {
1650
- if (obj == null) return 0;
1651
- return isArrayLike(obj) ? obj.length : keys(obj).length;
1652
- }
1653
-
1654
- // Internal `_.pick` helper function to determine whether `key` is an enumerable
1655
- // property name of `obj`.
1656
- function keyInObj(value, key, obj) {
1657
- return key in obj;
1658
- }
1659
-
1660
- // Return a copy of the object only containing the allowed properties.
1661
- var pick = restArguments(function(obj, keys) {
1662
- var result = {}, iteratee = keys[0];
1663
- if (obj == null) return result;
1664
- if (isFunction$1(iteratee)) {
1665
- if (keys.length > 1) iteratee = optimizeCb(iteratee, keys[1]);
1666
- keys = allKeys(obj);
1667
- } else {
1668
- iteratee = keyInObj;
1669
- keys = flatten$1(keys, false, false);
1670
- obj = Object(obj);
1671
- }
1672
- for (var i = 0, length = keys.length; i < length; i++) {
1673
- var key = keys[i];
1674
- var value = obj[key];
1675
- if (iteratee(value, key, obj)) result[key] = value;
1676
- }
1677
- return result;
1678
- });
1679
-
1680
- // Return a copy of the object without the disallowed properties.
1681
- var omit = restArguments(function(obj, keys) {
1682
- var iteratee = keys[0], context;
1683
- if (isFunction$1(iteratee)) {
1684
- iteratee = negate(iteratee);
1685
- if (keys.length > 1) context = keys[1];
1686
- } else {
1687
- keys = map(flatten$1(keys, false, false), String);
1688
- iteratee = function(value, key) {
1689
- return !contains(keys, key);
1690
- };
1691
- }
1692
- return pick(obj, iteratee, context);
1693
- });
1694
-
1695
- // Returns everything but the last entry of the array. Especially useful on
1696
- // the arguments object. Passing **n** will return all the values in
1697
- // the array, excluding the last N.
1698
- function initial(array, n, guard) {
1699
- return slice.call(array, 0, Math.max(0, array.length - (n == null || guard ? 1 : n)));
1700
- }
1701
-
1702
- // Get the first element of an array. Passing **n** will return the first N
1703
- // values in the array. The **guard** check allows it to work with `_.map`.
1704
- function first(array, n, guard) {
1705
- if (array == null || array.length < 1) return n == null || guard ? void 0 : [];
1706
- if (n == null || guard) return array[0];
1707
- return initial(array, array.length - n);
1708
- }
1709
-
1710
- // Returns everything but the first entry of the `array`. Especially useful on
1711
- // the `arguments` object. Passing an **n** will return the rest N values in the
1712
- // `array`.
1713
- function rest(array, n, guard) {
1714
- return slice.call(array, n == null || guard ? 1 : n);
1715
- }
1716
-
1717
- // Get the last element of an array. Passing **n** will return the last N
1718
- // values in the array.
1719
- function last(array, n, guard) {
1720
- if (array == null || array.length < 1) return n == null || guard ? void 0 : [];
1721
- if (n == null || guard) return array[array.length - 1];
1722
- return rest(array, Math.max(0, array.length - n));
1723
- }
1724
-
1725
- // Trim out all falsy values from an array.
1726
- function compact(array) {
1727
- return filter(array, Boolean);
1728
- }
1729
-
1730
- // Flatten out an array, either recursively (by default), or up to `depth`.
1731
- // Passing `true` or `false` as `depth` means `1` or `Infinity`, respectively.
1732
- function flatten(array, depth) {
1733
- return flatten$1(array, depth, false);
1734
- }
1735
-
1736
- // Take the difference between one array and a number of other arrays.
1737
- // Only the elements present in just the first array will remain.
1738
- var difference = restArguments(function(array, rest) {
1739
- rest = flatten$1(rest, true, true);
1740
- return filter(array, function(value){
1741
- return !contains(rest, value);
1742
- });
1743
- });
1744
-
1745
- // Return a version of the array that does not contain the specified value(s).
1746
- var without = restArguments(function(array, otherArrays) {
1747
- return difference(array, otherArrays);
1748
- });
1749
-
1750
- // Produce a duplicate-free version of the array. If the array has already
1751
- // been sorted, you have the option of using a faster algorithm.
1752
- // The faster algorithm will not work with an iteratee if the iteratee
1753
- // is not a one-to-one function, so providing an iteratee will disable
1754
- // the faster algorithm.
1755
- function uniq(array, isSorted, iteratee, context) {
1756
- if (!isBoolean(isSorted)) {
1757
- context = iteratee;
1758
- iteratee = isSorted;
1759
- isSorted = false;
1760
- }
1761
- if (iteratee != null) iteratee = cb(iteratee, context);
1762
- var result = [];
1763
- var seen = [];
1764
- for (var i = 0, length = getLength(array); i < length; i++) {
1765
- var value = array[i],
1766
- computed = iteratee ? iteratee(value, i, array) : value;
1767
- if (isSorted && !iteratee) {
1768
- if (!i || seen !== computed) result.push(value);
1769
- seen = computed;
1770
- } else if (iteratee) {
1771
- if (!contains(seen, computed)) {
1772
- seen.push(computed);
1773
- result.push(value);
1774
- }
1775
- } else if (!contains(result, value)) {
1776
- result.push(value);
1777
- }
1778
- }
1779
- return result;
1780
- }
1781
-
1782
- // Produce an array that contains the union: each distinct element from all of
1783
- // the passed-in arrays.
1784
- var union$1 = restArguments(function(arrays) {
1785
- return uniq(flatten$1(arrays, true, true));
1786
- });
1787
-
1788
- // Produce an array that contains every item shared between all the
1789
- // passed-in arrays.
1790
- function intersection(array) {
1791
- var result = [];
1792
- var argsLength = arguments.length;
1793
- for (var i = 0, length = getLength(array); i < length; i++) {
1794
- var item = array[i];
1795
- if (contains(result, item)) continue;
1796
- var j;
1797
- for (j = 1; j < argsLength; j++) {
1798
- if (!contains(arguments[j], item)) break;
1799
- }
1800
- if (j === argsLength) result.push(item);
1801
- }
1802
- return result;
1803
- }
1804
-
1805
- // Complement of zip. Unzip accepts an array of arrays and groups
1806
- // each array's elements on shared indices.
1807
- function unzip(array) {
1808
- var length = (array && max(array, getLength).length) || 0;
1809
- var result = Array(length);
1810
-
1811
- for (var index = 0; index < length; index++) {
1812
- result[index] = pluck$1(array, index);
1813
- }
1814
- return result;
1815
- }
1816
-
1817
- // Zip together multiple lists into a single array -- elements that share
1818
- // an index go together.
1819
- var zip = restArguments(unzip);
1820
-
1821
- // Converts lists into objects. Pass either a single array of `[key, value]`
1822
- // pairs, or two parallel arrays of the same length -- one of keys, and one of
1823
- // the corresponding values. Passing by pairs is the reverse of `_.pairs`.
1824
- function object$1(list, values) {
1825
- var result = {};
1826
- for (var i = 0, length = getLength(list); i < length; i++) {
1827
- if (values) {
1828
- result[list[i]] = values[i];
1829
- } else {
1830
- result[list[i][0]] = list[i][1];
1831
- }
1832
- }
1833
- return result;
1834
- }
1835
-
1836
- // Generate an integer Array containing an arithmetic progression. A port of
1837
- // the native Python `range()` function. See
1838
- // [the Python documentation](https://docs.python.org/library/functions.html#range).
1839
- function range(start, stop, step) {
1840
- if (stop == null) {
1841
- stop = start || 0;
1842
- start = 0;
1843
- }
1844
- if (!step) {
1845
- step = stop < start ? -1 : 1;
1846
- }
1847
-
1848
- var length = Math.max(Math.ceil((stop - start) / step), 0);
1849
- var range = Array(length);
1850
-
1851
- for (var idx = 0; idx < length; idx++, start += step) {
1852
- range[idx] = start;
1853
- }
1854
-
1855
- return range;
1856
- }
1857
-
1858
- // Chunk a single array into multiple arrays, each containing `count` or fewer
1859
- // items.
1860
- function chunk(array, count) {
1861
- if (count == null || count < 1) return [];
1862
- var result = [];
1863
- var i = 0, length = array.length;
1864
- while (i < length) {
1865
- result.push(slice.call(array, i, i += count));
1866
- }
1867
- return result;
1868
- }
1869
-
1870
- // Helper function to continue chaining intermediate results.
1871
- function chainResult(instance, obj) {
1872
- return instance._chain ? _$1(obj).chain() : obj;
1873
- }
1874
-
1875
- // Add your own custom functions to the Underscore object.
1876
- function mixin(obj) {
1877
- each(functions(obj), function(name) {
1878
- var func = _$1[name] = obj[name];
1879
- _$1.prototype[name] = function() {
1880
- var args = [this._wrapped];
1881
- push.apply(args, arguments);
1882
- return chainResult(this, func.apply(_$1, args));
1883
- };
1884
- });
1885
- return _$1;
1886
- }
1887
-
1888
- // Add all mutator `Array` functions to the wrapper.
1889
- each(['pop', 'push', 'reverse', 'shift', 'sort', 'splice', 'unshift'], function(name) {
1890
- var method = ArrayProto[name];
1891
- _$1.prototype[name] = function() {
1892
- var obj = this._wrapped;
1893
- if (obj != null) {
1894
- method.apply(obj, arguments);
1895
- if ((name === 'shift' || name === 'splice') && obj.length === 0) {
1896
- delete obj[0];
1897
- }
1898
- }
1899
- return chainResult(this, obj);
1900
- };
1901
- });
1902
-
1903
- // Add all accessor `Array` functions to the wrapper.
1904
- each(['concat', 'join', 'slice'], function(name) {
1905
- var method = ArrayProto[name];
1906
- _$1.prototype[name] = function() {
1907
- var obj = this._wrapped;
1908
- if (obj != null) obj = method.apply(obj, arguments);
1909
- return chainResult(this, obj);
1910
- };
1911
- });
1912
-
1913
- // Named Exports
1914
-
1915
- var allExports = /*#__PURE__*/Object.freeze({
1916
- __proto__: null,
1917
- VERSION: VERSION,
1918
- restArguments: restArguments,
1919
- isObject: isObject$1,
1920
- isNull: isNull,
1921
- isUndefined: isUndefined,
1922
- isBoolean: isBoolean,
1923
- isElement: isElement,
1924
- isString: isString,
1925
- isNumber: isNumber,
1926
- isDate: isDate,
1927
- isRegExp: isRegExp,
1928
- isError: isError,
1929
- isSymbol: isSymbol,
1930
- isArrayBuffer: isArrayBuffer,
1931
- isDataView: isDataView$1,
1932
- isArray: isArray,
1933
- isFunction: isFunction$1,
1934
- isArguments: isArguments$1,
1935
- isFinite: isFinite$1,
1936
- isNaN: isNaN$1,
1937
- isTypedArray: isTypedArray$1,
1938
- isEmpty: isEmpty,
1939
- isMatch: isMatch,
1940
- isEqual: isEqual,
1941
- isMap: isMap,
1942
- isWeakMap: isWeakMap,
1943
- isSet: isSet,
1944
- isWeakSet: isWeakSet,
1945
- keys: keys,
1946
- allKeys: allKeys,
1947
- values: values,
1948
- pairs: pairs,
1949
- invert: invert,
1950
- functions: functions,
1951
- methods: functions,
1952
- extend: extend,
1953
- extendOwn: extendOwn,
1954
- assign: extendOwn,
1955
- defaults: defaults,
1956
- create: create,
1957
- clone: clone,
1958
- tap: tap,
1959
- get: get,
1960
- has: has,
1961
- mapObject: mapObject$1,
1962
- identity: identity,
1963
- constant: constant$1,
1964
- noop: noop,
1965
- toPath: toPath$1,
1966
- property: property,
1967
- propertyOf: propertyOf,
1968
- matcher: matcher,
1969
- matches: matcher,
1970
- times: times,
1971
- random: random$1,
1972
- now: now,
1973
- escape: escape,
1974
- unescape: unescape,
1975
- templateSettings: templateSettings,
1976
- template: template,
1977
- result: result,
1978
- uniqueId: uniqueId,
1979
- chain: chain,
1980
- iteratee: iteratee,
1981
- partial: partial,
1982
- bind: bind,
1983
- bindAll: bindAll,
1984
- memoize: memoize,
1985
- delay: delay,
1986
- defer: defer,
1987
- throttle: throttle,
1988
- debounce: debounce,
1989
- wrap: wrap,
1990
- negate: negate,
1991
- compose: compose,
1992
- after: after,
1993
- before: before,
1994
- once: once,
1995
- findKey: findKey,
1996
- findIndex: findIndex,
1997
- findLastIndex: findLastIndex,
1998
- sortedIndex: sortedIndex,
1999
- indexOf: indexOf,
2000
- lastIndexOf: lastIndexOf,
2001
- find: find,
2002
- detect: find,
2003
- findWhere: findWhere,
2004
- each: each,
2005
- forEach: each,
2006
- map: map,
2007
- collect: map,
2008
- reduce: reduce,
2009
- foldl: reduce,
2010
- inject: reduce,
2011
- reduceRight: reduceRight,
2012
- foldr: reduceRight,
2013
- filter: filter,
2014
- select: filter,
2015
- reject: reject,
2016
- every: every,
2017
- all: every,
2018
- some: some,
2019
- any: some,
2020
- contains: contains,
2021
- includes: contains,
2022
- include: contains,
2023
- invoke: invoke,
2024
- pluck: pluck$1,
2025
- where: where,
2026
- max: max,
2027
- min: min,
2028
- shuffle: shuffle$1,
2029
- sample: sample,
2030
- sortBy: sortBy,
2031
- groupBy: groupBy,
2032
- indexBy: indexBy,
2033
- countBy: countBy,
2034
- partition: partition,
2035
- toArray: toArray,
2036
- size: size,
2037
- pick: pick,
2038
- omit: omit,
2039
- first: first,
2040
- head: first,
2041
- take: first,
2042
- initial: initial,
2043
- last: last,
2044
- rest: rest,
2045
- tail: rest,
2046
- drop: rest,
2047
- compact: compact,
2048
- flatten: flatten,
2049
- without: without,
2050
- uniq: uniq,
2051
- unique: uniq,
2052
- union: union$1,
2053
- intersection: intersection,
2054
- difference: difference,
2055
- unzip: unzip,
2056
- transpose: unzip,
2057
- zip: zip,
2058
- object: object$1,
2059
- range: range,
2060
- chunk: chunk,
2061
- mixin: mixin,
2062
- 'default': _$1
2063
- });
8
+ function _interopDefaultLegacy (e) { return e && typeof e === 'object' && 'default' in e ? e : { 'default': e }; }
2064
9
 
2065
- // Default Export
2066
-
2067
- // Add all of the Underscore functions to the wrapper object.
2068
- var _ = mixin(allExports);
2069
- // Legacy Node.js API.
2070
- _._ = _;
10
+ var ___default = /*#__PURE__*/_interopDefaultLegacy(_);
2071
11
 
2072
12
  function getMatrixSize(matrix) {
2073
13
  const matrixSize = [1, 1];
2074
14
 
2075
15
  // We need to find the widest row and tallest column to get the correct
2076
16
  // matrix size.
2077
- _(matrix).each((matrixRow, row) => {
17
+ ___default["default"](matrix).each((matrixRow, row) => {
2078
18
  let rowWidth = 0;
2079
- _(matrixRow).each((matrixCol, col) => {
19
+ ___default["default"](matrixRow).each((matrixCol, col) => {
2080
20
  if (matrixCol != null && matrixCol.toString().length) {
2081
21
  rowWidth = col + 1;
2082
22
  }
@@ -2113,7 +53,9 @@ const getDecimalSeparator = locale => {
2113
53
  const match = new Intl.NumberFormat(locale).format(numberWithDecimalSeparator)
2114
54
  // 0x661 is ARABIC-INDIC DIGIT ONE
2115
55
  // 0x6F1 is EXTENDED ARABIC-INDIC DIGIT ONE
2116
- .match(/[^\d\u0661\u06F1]/);
56
+ // 0x967 is DEVANAGARI DIGIT ONE
57
+ // 0x9e7 is BENGALI/BANGLA DIGIT ONE
58
+ .match(/[^\d\u0661\u06F1\u0967\u09e7]/);
2117
59
  return match?.[0] ?? ".";
2118
60
  }
2119
61
  };
@@ -2154,10 +96,10 @@ function approximateDeepEqual(x, y) {
2154
96
  return false;
2155
97
  }
2156
98
  if (typeof x === "object" && typeof y === "object" && !!x && !!y) {
2157
- return x === y || _.all(x, function (v, k) {
99
+ return x === y || ___default["default"].all(x, function (v, k) {
2158
100
  // @ts-expect-error - TS2536 - Type 'CollectionKey<T>' cannot be used to index type 'T'.
2159
101
  return approximateDeepEqual(y[k], v);
2160
- }) && _.all(y, function (v, k) {
102
+ }) && ___default["default"].all(y, function (v, k) {
2161
103
  // @ts-expect-error - TS2536 - Type 'CollectionKey<T>' cannot be used to index type 'T'.
2162
104
  return approximateDeepEqual(x[k], v);
2163
105
  });
@@ -2322,11 +264,11 @@ const PlotDefaults = {
2322
264
  getPropsForCoeffs: function (coeffs) {
2323
265
  return {
2324
266
  // @ts-expect-error - TS2339 - Property 'getFunctionForCoeffs' does not exist on type '{ readonly areEqual: (coeffs1: any, coeffs2: any) => boolean; readonly Movable: any; readonly getPropsForCoeffs: (coeffs: any) => any; }'.
2325
- fn: _.partial(this.getFunctionForCoeffs, coeffs)
267
+ fn: ___default["default"].partial(this.getFunctionForCoeffs, coeffs)
2326
268
  };
2327
269
  }
2328
270
  };
2329
- const Linear = _.extend({}, PlotDefaults, {
271
+ const Linear = ___default["default"].extend({}, PlotDefaults, {
2330
272
  url: "https://ka-perseus-graphie.s3.amazonaws.com/67aaf581e6d9ef9038c10558a1f70ac21c11c9f8.png",
2331
273
  defaultCoords: [[0.25, 0.75], [0.75, 0.75]],
2332
274
  getCoefficients: function (coords) {
@@ -2353,7 +295,7 @@ const Linear = _.extend({}, PlotDefaults, {
2353
295
  return "y = " + m.toFixed(3) + "x + " + b.toFixed(3);
2354
296
  }
2355
297
  });
2356
- const Quadratic = _.extend({}, PlotDefaults, {
298
+ const Quadratic = ___default["default"].extend({}, PlotDefaults, {
2357
299
  url: "https://ka-perseus-graphie.s3.amazonaws.com/e23d36e6fc29ee37174e92c9daba2a66677128ab.png",
2358
300
  defaultCoords: [[0.5, 0.5], [0.75, 0.75]],
2359
301
  movable: MOVABLES.PARABOLA,
@@ -2392,7 +334,7 @@ const Quadratic = _.extend({}, PlotDefaults, {
2392
334
  return "y = " + a.toFixed(3) + "x^2 + " + b.toFixed(3) + "x + " + c.toFixed(3);
2393
335
  }
2394
336
  });
2395
- const Sinusoid = _.extend({}, PlotDefaults, {
337
+ const Sinusoid = ___default["default"].extend({}, PlotDefaults, {
2396
338
  url: "https://ka-perseus-graphie.s3.amazonaws.com/3d68e7718498475f53b206c2ab285626baf8857e.png",
2397
339
  defaultCoords: [[0.5, 0.5], [0.6, 0.6]],
2398
340
  movable: MOVABLES.SINUSOID,
@@ -2432,7 +374,7 @@ const Sinusoid = _.extend({}, PlotDefaults, {
2432
374
  return approximateDeepEqual(canonicalSineCoefficients(coeffs1), canonicalSineCoefficients(coeffs2));
2433
375
  }
2434
376
  });
2435
- const Tangent = _.extend({}, PlotDefaults, {
377
+ const Tangent = ___default["default"].extend({}, PlotDefaults, {
2436
378
  url: "https://ka-perseus-graphie.s3.amazonaws.com/7db80d23c35214f98659fe1cf0765811c1bbfbba.png",
2437
379
  defaultCoords: [[0.5, 0.5], [0.75, 0.75]],
2438
380
  getCoefficients: function (coords) {
@@ -2463,7 +405,7 @@ const Tangent = _.extend({}, PlotDefaults, {
2463
405
  return approximateDeepEqual(canonicalTangentCoefficients(coeffs1), canonicalTangentCoefficients(coeffs2));
2464
406
  }
2465
407
  });
2466
- const Exponential = _.extend({}, PlotDefaults, {
408
+ const Exponential = ___default["default"].extend({}, PlotDefaults, {
2467
409
  url: "https://ka-perseus-graphie.s3.amazonaws.com/9cbfad55525e3ce755a31a631b074670a5dad611.png",
2468
410
  defaultCoords: [[0.5, 0.55], [0.75, 0.75]],
2469
411
  defaultAsymptote: [[0, 0.5], [1.0, 0.5]],
@@ -2486,23 +428,23 @@ const Exponential = _.extend({}, PlotDefaults, {
2486
428
  */
2487
429
  extraCoordConstraint: function (newCoord, oldCoord, coords, asymptote, graph) {
2488
430
  const y = asymptote[0][1];
2489
- return _.all(coords, coord => coord[1] !== y);
431
+ return ___default["default"].all(coords, coord => coord[1] !== y);
2490
432
  },
2491
433
  extraAsymptoteConstraint: function (newCoord, oldCoord, coords, asymptote, graph) {
2492
434
  const y = newCoord[1];
2493
- const isValid = _.all(coords, coord => coord[1] > y) || _.all(coords, coord => coord[1] < y);
435
+ const isValid = ___default["default"].all(coords, coord => coord[1] > y) || ___default["default"].all(coords, coord => coord[1] < y);
2494
436
  if (isValid) {
2495
437
  return [oldCoord[0], y];
2496
438
  }
2497
439
  // Snap the asymptote as close as possible, i.e., if the user moves
2498
440
  // the mouse really quickly into an invalid region
2499
441
  const oldY = oldCoord[1];
2500
- const wasBelow = _.all(coords, coord => coord[1] > oldY);
442
+ const wasBelow = ___default["default"].all(coords, coord => coord[1] > oldY);
2501
443
  if (wasBelow) {
2502
- const bottomMost = _.min(_.map(coords, coord => coord[1]));
444
+ const bottomMost = ___default["default"].min(___default["default"].map(coords, coord => coord[1]));
2503
445
  return [oldCoord[0], bottomMost - graph.snapStep[1]];
2504
446
  }
2505
- const topMost = _.max(_.map(coords, coord => coord[1]));
447
+ const topMost = ___default["default"].max(___default["default"].map(coords, coord => coord[1]));
2506
448
  return [oldCoord[0], topMost + graph.snapStep[1]];
2507
449
  },
2508
450
  allowReflectOverAsymptote: true,
@@ -2531,29 +473,29 @@ const Exponential = _.extend({}, PlotDefaults, {
2531
473
  return "y = " + a.toFixed(3) + "e^(" + b.toFixed(3) + "x) + " + c.toFixed(3);
2532
474
  }
2533
475
  });
2534
- const Logarithm = _.extend({}, PlotDefaults, {
476
+ const Logarithm = ___default["default"].extend({}, PlotDefaults, {
2535
477
  url: "https://ka-perseus-graphie.s3.amazonaws.com/f6491e99d34af34d924bfe0231728ad912068dc3.png",
2536
478
  defaultCoords: [[0.55, 0.5], [0.75, 0.75]],
2537
479
  defaultAsymptote: [[0.5, 0], [0.5, 1.0]],
2538
480
  extraCoordConstraint: function (newCoord, oldCoord, coords, asymptote, graph) {
2539
481
  const x = asymptote[0][0];
2540
- return _.all(coords, coord => coord[0] !== x) && coords[0][1] !== coords[1][1];
482
+ return ___default["default"].all(coords, coord => coord[0] !== x) && coords[0][1] !== coords[1][1];
2541
483
  },
2542
484
  extraAsymptoteConstraint: function (newCoord, oldCoord, coords, asymptote, graph) {
2543
485
  const x = newCoord[0];
2544
- const isValid = _.all(coords, coord => coord[0] > x) || _.all(coords, coord => coord[0] < x);
486
+ const isValid = ___default["default"].all(coords, coord => coord[0] > x) || ___default["default"].all(coords, coord => coord[0] < x);
2545
487
  if (isValid) {
2546
488
  return [x, oldCoord[1]];
2547
489
  }
2548
490
  // Snap the asymptote as close as possible, i.e., if the user moves
2549
491
  // the mouse really quickly into an invalid region
2550
492
  const oldX = oldCoord[0];
2551
- const wasLeft = _.all(coords, coord => coord[0] > oldX);
493
+ const wasLeft = ___default["default"].all(coords, coord => coord[0] > oldX);
2552
494
  if (wasLeft) {
2553
- const leftMost = _.min(_.map(coords, coord => coord[0]));
495
+ const leftMost = ___default["default"].min(___default["default"].map(coords, coord => coord[0]));
2554
496
  return [leftMost - graph.snapStep[0], oldCoord[1]];
2555
497
  }
2556
- const rightMost = _.max(_.map(coords, coord => coord[0]));
498
+ const rightMost = ___default["default"].max(___default["default"].map(coords, coord => coord[0]));
2557
499
  return [rightMost + graph.snapStep[0], oldCoord[1]];
2558
500
  },
2559
501
  allowReflectOverAsymptote: true,
@@ -2563,7 +505,7 @@ const Logarithm = _.extend({}, PlotDefaults, {
2563
505
  // perform some algebra on the coefficients. This also unifies the
2564
506
  // logic between the two 'models'.
2565
507
  const flip = coord => [coord[1], coord[0]];
2566
- const inverseCoeffs = Exponential.getCoefficients(_.map(coords, flip), _.map(asymptote, flip));
508
+ const inverseCoeffs = Exponential.getCoefficients(___default["default"].map(coords, flip), ___default["default"].map(asymptote, flip));
2567
509
  if (inverseCoeffs) {
2568
510
  const c = -inverseCoeffs[2] / inverseCoeffs[0];
2569
511
  const b = 1 / inverseCoeffs[0];
@@ -2588,7 +530,7 @@ const Logarithm = _.extend({}, PlotDefaults, {
2588
530
  return "y = ln(" + a.toFixed(3) + "x + " + b.toFixed(3) + ") + " + c.toFixed(3);
2589
531
  }
2590
532
  });
2591
- const AbsoluteValue = _.extend({}, PlotDefaults, {
533
+ const AbsoluteValue = ___default["default"].extend({}, PlotDefaults, {
2592
534
  url: "https://ka-perseus-graphie.s3.amazonaws.com/8256a630175a0cb1d11de223d6de0266daf98721.png",
2593
535
  defaultCoords: [[0.5, 0.5], [0.75, 0.75]],
2594
536
  getCoefficients: function (coords) {
@@ -2632,7 +574,7 @@ const functionTypeMapping = {
2632
574
  logarithm: Logarithm,
2633
575
  absolute_value: AbsoluteValue
2634
576
  };
2635
- const allTypes = _.keys(functionTypeMapping);
577
+ const allTypes = ___default["default"].keys(functionTypeMapping);
2636
578
  function functionForType(type) {
2637
579
  // @ts-expect-error: TypeScript doesn't know how to use deal with generics
2638
580
  // and conditional types in this way.
@@ -4080,13 +2022,16 @@ const parseLockedPolygonType = object({
4080
2022
  labels: optional(array(parseLockedLabelType)),
4081
2023
  ariaLabel: optional(string)
4082
2024
  });
2025
+
2026
+ // Exported for testing.
2027
+ const parseLockedFunctionDomain = defaulted(pair(defaulted(number, () => -Infinity), defaulted(number, () => Infinity)), () => [-Infinity, Infinity]);
4083
2028
  const parseLockedFunctionType = object({
4084
2029
  type: constant("function"),
4085
2030
  color: parseLockedFigureColor,
4086
2031
  strokeStyle: parseLockedLineStyle,
4087
2032
  equation: string,
4088
2033
  directionalAxis: enumeration("x", "y"),
4089
- domain: optional(pairOfNumbers),
2034
+ domain: parseLockedFunctionDomain,
4090
2035
  // TODO(benchristel): default labels to empty array?
4091
2036
  labels: optional(array(parseLockedLabelType)),
4092
2037
  ariaLabel: optional(string)
@@ -4206,6 +2151,7 @@ const parseNumberLineWidget = parseWidget(constant("number-line"), object({
4206
2151
  }));
4207
2152
 
4208
2153
  const parseMathFormat = enumeration("integer", "mixed", "improper", "proper", "decimal", "percent", "pi");
2154
+ const parseSimplify = enumeration("required", "correct", "enforced", "optional");
4209
2155
  const parseNumericInputWidget = parseWidget(constant("numeric-input"), object({
4210
2156
  answers: array(object({
4211
2157
  message: string,
@@ -4220,7 +2166,12 @@ const parseNumericInputWidget = parseWidget(constant("numeric-input"), object({
4220
2166
  // TODO(benchristel): simplify should never be a boolean, but we
4221
2167
  // have some content where it is anyway. If we ever backfill
4222
2168
  // the data, we should simplify `simplify`.
4223
- simplify: optional(nullable(union(string).or(pipeParsers(boolean).then(convert(String)).parser).parser))
2169
+ simplify: optional(nullable(union(parseSimplify).or(pipeParsers(boolean).then(convert(value => {
2170
+ if (typeof value === "boolean") {
2171
+ return value ? "required" : "optional";
2172
+ }
2173
+ return value;
2174
+ })).parser).parser))
4224
2175
  })),
4225
2176
  labelText: optional(string),
4226
2177
  size: string,
@@ -4501,7 +2452,7 @@ const parsePerseusRenderer = defaulted(object({
4501
2452
  const parsePerseusArticle = union(parsePerseusRenderer).or(array(parsePerseusRenderer)).parser;
4502
2453
 
4503
2454
  const parseHint = object({
4504
- replace: optional(boolean),
2455
+ replace: defaulted(boolean, () => undefined),
4505
2456
  content: string,
4506
2457
  widgets: defaulted(parseWidgetsMap, () => ({})),
4507
2458
  images: parseImages,
@@ -4622,9 +2573,50 @@ function throwErrorIfCheatingDetected() {
4622
2573
  }
4623
2574
  }
4624
2575
 
2576
+ /**
2577
+ * Adds the given perseus library version information to the __perseus_debug__
2578
+ * object and ensures that the object is attached to `globalThis` (`window` in
2579
+ * browser environments).
2580
+ *
2581
+ * This allows each library to provide runtime version information to assist in
2582
+ * debugging in production environments.
2583
+ */
2584
+ const addLibraryVersionToPerseusDebug = (libraryName, libraryVersion) => {
2585
+ // If the library version is the default value, then we don't want to
2586
+ // prefix it with a "v" to indicate that it is a version number.
2587
+ let prefix = "v";
2588
+ if (libraryVersion === "__lib_version__") {
2589
+ prefix = "";
2590
+ }
2591
+ const formattedVersion = `${prefix}${libraryVersion}`;
2592
+ if (typeof globalThis !== "undefined") {
2593
+ globalThis.__perseus_debug__ = globalThis.__perseus_debug__ ?? {};
2594
+ const existingVersionEntry = globalThis.__perseus_debug__[libraryName];
2595
+ if (existingVersionEntry) {
2596
+ // If we already have an entry and it doesn't match the registered
2597
+ // version, we morph the entry into an array and log a warning.
2598
+ if (existingVersionEntry !== formattedVersion) {
2599
+ // Existing entry might be an array already (oops, at least 2
2600
+ // versions of the library already loaded!).
2601
+ const allVersions = Array.isArray(existingVersionEntry) ? existingVersionEntry : [existingVersionEntry];
2602
+ allVersions.push(formattedVersion);
2603
+ globalThis.__perseus_debug__[libraryName] = allVersions;
2604
+
2605
+ // eslint-disable-next-line no-console
2606
+ console.warn(`Multiple versions of ${libraryName} loaded on this page: ${allVersions.sort().join(", ")}`);
2607
+ }
2608
+ } else {
2609
+ globalThis.__perseus_debug__[libraryName] = formattedVersion;
2610
+ }
2611
+ } else {
2612
+ // eslint-disable-next-line no-console
2613
+ console.warn(`globalThis not found found (${formattedVersion})`);
2614
+ }
2615
+ };
2616
+
4625
2617
  // This file is processed by a Rollup plugin (replace) to inject the production
4626
2618
  const libName = "@khanacademy/perseus-core";
4627
- const libVersion = "3.7.0";
2619
+ const libVersion = "4.0.0";
4628
2620
  addLibraryVersionToPerseusDebug(libName, libVersion);
4629
2621
 
4630
2622
  /**
@@ -4701,7 +2693,7 @@ class PerseusError extends Error {
4701
2693
  * }
4702
2694
  */
4703
2695
  const pluck = function (table, subKey) {
4704
- return _.object(_.map(table, function (value, key) {
2696
+ return ___default["default"].object(___default["default"].map(table, function (value, key) {
4705
2697
  return [key, value[subKey]];
4706
2698
  }));
4707
2699
  };
@@ -5258,16 +3250,36 @@ const numberLineWidgetLogic = {
5258
3250
  * PerseusNumericInputWidgetOptions type
5259
3251
  */
5260
3252
 
3253
+ /**
3254
+ * This data from `answers` is used pre-scoring to give hints
3255
+ * to the learner regarding the format of accepted answers
3256
+ */
3257
+ function getNumericInputAnswerPublicData(answer) {
3258
+ const {
3259
+ answerForms,
3260
+ simplify,
3261
+ status
3262
+ } = answer;
3263
+ return {
3264
+ answerForms,
3265
+ simplify,
3266
+ status
3267
+ };
3268
+ }
3269
+
5261
3270
  /**
5262
3271
  * Given a PerseusNumericInputWidgetOptions object, return a new object with only
5263
3272
  * the public options that should be exposed to the client.
5264
3273
  */
5265
3274
  function getNumericInputPublicWidgetOptions(options) {
5266
3275
  const {
5267
- answers: _,
3276
+ answers,
5268
3277
  ...publicWidgetOptions
5269
3278
  } = options;
5270
- return publicWidgetOptions;
3279
+ return {
3280
+ ...publicWidgetOptions,
3281
+ answers: answers.map(getNumericInputAnswerPublicData)
3282
+ };
5271
3283
  }
5272
3284
 
5273
3285
  const defaultWidgetOptions$b = {
@@ -5682,7 +3694,7 @@ const upgradeWidgetInfoToLatestVersion = oldWidgetInfo => {
5682
3694
  // that `type` is non-optional. But we're seeing this in Sentry today so I
5683
3695
  // suspect we have legacy data (potentially unpublished) and we should
5684
3696
  // figure that out before depending solely on types.
5685
- if (!_.isString(type)) {
3697
+ if (!___default["default"].isString(type)) {
5686
3698
  throw new PerseusError("widget type must be a string, but was: " + type, Errors.Internal);
5687
3699
  }
5688
3700
  if (!isWidgetRegistered(type)) {
@@ -5708,14 +3720,14 @@ const upgradeWidgetInfoToLatestVersion = oldWidgetInfo => {
5708
3720
  // We do a clone here so that it's safe to mutate the input parameter
5709
3721
  // in propUpgrades functions (which I will probably accidentally do at
5710
3722
  // some point, and we would like to not break when that happens).
5711
- let newEditorOptions = _.clone(oldWidgetInfo.options) || {};
3723
+ let newEditorOptions = ___default["default"].clone(oldWidgetInfo.options) || {};
5712
3724
  const upgradePropsMap = getWidgetOptionsUpgrades(type);
5713
3725
 
5714
3726
  // Empty props usually mean a newly created widget by the editor,
5715
3727
  // and are always considerered up-to-date.
5716
3728
  // Mostly, we'd rather not run upgrade functions on props that are
5717
3729
  // not complete.
5718
- if (_.keys(newEditorOptions).length !== 0) {
3730
+ if (___default["default"].keys(newEditorOptions).length !== 0) {
5719
3731
  // We loop through all the versions after the current version of
5720
3732
  // the loaded widget, up to and including the latest version of the
5721
3733
  // loaded widget, and run the upgrade function to bring our loaded
@@ -5802,7 +3814,7 @@ function getUpgradedWidgetOptions(oldWidgetOptions) {
5802
3814
  }
5803
3815
 
5804
3816
  function splitPerseusItem(originalItem) {
5805
- const item = _.clone(originalItem);
3817
+ const item = ___default["default"].clone(originalItem);
5806
3818
  const originalWidgets = item.widgets ?? {};
5807
3819
  const upgradedWidgets = getUpgradedWidgetOptions(originalWidgets);
5808
3820
  const splitWidgets = {};
@@ -5843,11 +3855,11 @@ const seededRNG = function (seed) {
5843
3855
  function shuffle(array, randomSeed) {
5844
3856
  let ensurePermuted = arguments.length > 2 && arguments[2] !== undefined ? arguments[2] : false;
5845
3857
  // Always return a copy of the input array
5846
- const shuffled = _.clone(array);
3858
+ const shuffled = ___default["default"].clone(array);
5847
3859
 
5848
3860
  // Handle edge cases (input array is empty or uniform)
5849
- if (!shuffled.length || _.all(shuffled, function (value) {
5850
- return _.isEqual(value, shuffled[0]);
3861
+ if (!shuffled.length || ___default["default"].all(shuffled, function (value) {
3862
+ return ___default["default"].isEqual(value, shuffled[0]);
5851
3863
  })) {
5852
3864
  return shuffled;
5853
3865
  }
@@ -5868,7 +3880,7 @@ function shuffle(array, randomSeed) {
5868
3880
  // @ts-expect-error - TS2542 - Index signature in type 'readonly T[]' only permits reading.
5869
3881
  shuffled[top - 1] = temp;
5870
3882
  }
5871
- } while (ensurePermuted && _.isEqual(array, shuffled));
3883
+ } while (ensurePermuted && ___default["default"].isEqual(array, shuffled));
5872
3884
  return shuffled;
5873
3885
  }
5874
3886
  const random = seededRNG(new Date().getTime() & 0xffffffff);
@@ -5879,7 +3891,6 @@ exports.GrapherUtil = grapherUtil;
5879
3891
  exports.ItemExtras = ItemExtras;
5880
3892
  exports.PerseusError = PerseusError;
5881
3893
  exports.PerseusExpressionAnswerFormConsidered = PerseusExpressionAnswerFormConsidered;
5882
- exports.addLibraryVersionToPerseusDebug = addLibraryVersionToPerseusDebug;
5883
3894
  exports.addWidget = addWidget;
5884
3895
  exports.approximateDeepEqual = approximateDeepEqual;
5885
3896
  exports.approximateEqual = approximateEqual;