You can not select more than 25 topics Topics must start with a letter or number, can include dashes ('-') and can be up to 35 characters long.

1685 lines
63 KiB

2 years ago
  1. // Underscore.js 1.9.0
  2. // http://underscorejs.org
  3. // (c) 2009-2018 Jeremy Ashkenas, DocumentCloud and Investigative Reporters & Editors
  4. // Underscore may be freely distributed under the MIT license.
  5. (function () {
  6. // Baseline setup
  7. // --------------
  8. // Establish the root object, `window` (`self`) in the browser, `global`
  9. // on the server, or `this` in some virtual machines. We use `self`
  10. // instead of `window` for `WebWorker` support.
  11. var root = typeof self == 'object' && self.self === self && self ||
  12. typeof global == 'object' && global.global === global && global ||
  13. this ||
  14. {};
  15. // Save the previous value of the `_` variable.
  16. var previousUnderscore = root._;
  17. // Save bytes in the minified (but not gzipped) version:
  18. var ArrayProto = Array.prototype, ObjProto = Object.prototype;
  19. var SymbolProto = typeof Symbol !== 'undefined' ? Symbol.prototype : null;
  20. // Create quick reference variables for speed access to core prototypes.
  21. var push = ArrayProto.push,
  22. slice = ArrayProto.slice,
  23. toString = ObjProto.toString,
  24. hasOwnProperty = ObjProto.hasOwnProperty;
  25. // All **ECMAScript 5** native function implementations that we hope to use
  26. // are declared here.
  27. var nativeIsArray = Array.isArray,
  28. nativeKeys = Object.keys,
  29. nativeCreate = Object.create;
  30. // Naked function reference for surrogate-prototype-swapping.
  31. var Ctor = function () { };
  32. // Create a safe reference to the Underscore object for use below.
  33. var _ = function (obj) {
  34. if (obj instanceof _) return obj;
  35. if (!(this instanceof _)) return new _(obj);
  36. this._wrapped = obj;
  37. };
  38. // Export the Underscore object for **Node.js**, with
  39. // backwards-compatibility for their old module API. If we're in
  40. // the browser, add `_` as a global object.
  41. // (`nodeType` is checked to ensure that `module`
  42. // and `exports` are not HTML elements.)
  43. if (typeof exports != 'undefined' && !exports.nodeType) {
  44. if (typeof module != 'undefined' && !module.nodeType && module.exports) {
  45. exports = module.exports = _;
  46. }
  47. exports._ = _;
  48. } else {
  49. root._ = _;
  50. }
  51. // Current version.
  52. _.VERSION = '1.9.0';
  53. // Internal function that returns an efficient (for current engines) version
  54. // of the passed-in callback, to be repeatedly applied in other Underscore
  55. // functions.
  56. var optimizeCb = function (func, context, argCount) {
  57. if (context === void 0) return func;
  58. switch (argCount == null ? 3 : argCount) {
  59. case 1: return function (value) {
  60. return func.call(context, value);
  61. };
  62. // The 2-argument case is omitted because we’re not using it.
  63. case 3: return function (value, index, collection) {
  64. return func.call(context, value, index, collection);
  65. };
  66. case 4: return function (accumulator, value, index, collection) {
  67. return func.call(context, accumulator, value, index, collection);
  68. };
  69. }
  70. return function () {
  71. return func.apply(context, arguments);
  72. };
  73. };
  74. var builtinIteratee;
  75. // An internal function to generate callbacks that can be applied to each
  76. // element in a collection, returning the desired result — either `identity`,
  77. // an arbitrary callback, a property matcher, or a property accessor.
  78. var cb = function (value, context, argCount) {
  79. if (_.iteratee !== builtinIteratee) return _.iteratee(value, context);
  80. if (value == null) return _.identity;
  81. if (_.isFunction(value)) return optimizeCb(value, context, argCount);
  82. if (_.isObject(value) && !_.isArray(value)) return _.matcher(value);
  83. return _.property(value);
  84. };
  85. // External wrapper for our callback generator. Users may customize
  86. // `_.iteratee` if they want additional predicate/iteratee shorthand styles.
  87. // This abstraction hides the internal-only argCount argument.
  88. _.iteratee = builtinIteratee = function (value, context) {
  89. return cb(value, context, Infinity);
  90. };
  91. // Some functions take a variable number of arguments, or a few expected
  92. // arguments at the beginning and then a variable number of values to operate
  93. // on. This helper accumulates all remaining arguments past the function’s
  94. // argument length (or an explicit `startIndex`), into an array that becomes
  95. // the last argument. Similar to ES6’s "rest parameter".
  96. var restArguments = function (func, startIndex) {
  97. startIndex = startIndex == null ? func.length - 1 : +startIndex;
  98. return function () {
  99. var length = Math.max(arguments.length - startIndex, 0),
  100. rest = Array(length),
  101. index = 0;
  102. for (; index < length; index++) {
  103. rest[index] = arguments[index + startIndex];
  104. }
  105. switch (startIndex) {
  106. case 0: return func.call(this, rest);
  107. case 1: return func.call(this, arguments[0], rest);
  108. case 2: return func.call(this, arguments[0], arguments[1], rest);
  109. }
  110. var args = Array(startIndex + 1);
  111. for (index = 0; index < startIndex; index++) {
  112. args[index] = arguments[index];
  113. }
  114. args[startIndex] = rest;
  115. return func.apply(this, args);
  116. };
  117. };
  118. // An internal function for creating a new object that inherits from another.
  119. var baseCreate = function (prototype) {
  120. if (!_.isObject(prototype)) return {};
  121. if (nativeCreate) return nativeCreate(prototype);
  122. Ctor.prototype = prototype;
  123. var result = new Ctor;
  124. Ctor.prototype = null;
  125. return result;
  126. };
  127. var shallowProperty = function (key) {
  128. return function (obj) {
  129. return obj == null ? void 0 : obj[key];
  130. };
  131. };
  132. var deepGet = function (obj, path) {
  133. var length = path.length;
  134. for (var i = 0; i < length; i++) {
  135. if (obj == null) return void 0;
  136. obj = obj[path[i]];
  137. }
  138. return length ? obj : void 0;
  139. };
  140. // Helper for collection methods to determine whether a collection
  141. // should be iterated as an array or as an object.
  142. // Related: http://people.mozilla.org/~jorendorff/es6-draft.html#sec-tolength
  143. // Avoids a very nasty iOS 8 JIT bug on ARM-64. #2094
  144. var MAX_ARRAY_INDEX = Math.pow(2, 53) - 1;
  145. var getLength = shallowProperty('length');
  146. var isArrayLike = function (collection) {
  147. var length = getLength(collection);
  148. return typeof length == 'number' && length >= 0 && length <= MAX_ARRAY_INDEX;
  149. };
  150. // Collection Functions
  151. // --------------------
  152. // The cornerstone, an `each` implementation, aka `forEach`.
  153. // Handles raw objects in addition to array-likes. Treats all
  154. // sparse array-likes as if they were dense.
  155. _.each = _.forEach = function (obj, iteratee, context) {
  156. iteratee = optimizeCb(iteratee, context);
  157. var i, length;
  158. if (isArrayLike(obj)) {
  159. for (i = 0, length = obj.length; i < length; i++) {
  160. iteratee(obj[i], i, obj);
  161. }
  162. } else {
  163. var keys = _.keys(obj);
  164. for (i = 0, length = keys.length; i < length; i++) {
  165. iteratee(obj[keys[i]], keys[i], obj);
  166. }
  167. }
  168. return obj;
  169. };
  170. // Return the results of applying the iteratee to each element.
  171. _.map = _.collect = function (obj, iteratee, context) {
  172. iteratee = cb(iteratee, context);
  173. var keys = !isArrayLike(obj) && _.keys(obj),
  174. length = (keys || obj).length,
  175. results = Array(length);
  176. for (var index = 0; index < length; index++) {
  177. var currentKey = keys ? keys[index] : index;
  178. results[index] = iteratee(obj[currentKey], currentKey, obj);
  179. }
  180. return results;
  181. };
  182. // Create a reducing function iterating left or right.
  183. var createReduce = function (dir) {
  184. // Wrap code that reassigns argument variables in a separate function than
  185. // the one that accesses `arguments.length` to avoid a perf hit. (#1991)
  186. var reducer = function (obj, iteratee, memo, initial) {
  187. var keys = !isArrayLike(obj) && _.keys(obj),
  188. length = (keys || obj).length,
  189. index = dir > 0 ? 0 : length - 1;
  190. if (!initial) {
  191. memo = obj[keys ? keys[index] : index];
  192. index += dir;
  193. }
  194. for (; index >= 0 && index < length; index += dir) {
  195. var currentKey = keys ? keys[index] : index;
  196. memo = iteratee(memo, obj[currentKey], currentKey, obj);
  197. }
  198. return memo;
  199. };
  200. return function (obj, iteratee, memo, context) {
  201. var initial = arguments.length >= 3;
  202. return reducer(obj, optimizeCb(iteratee, context, 4), memo, initial);
  203. };
  204. };
  205. // **Reduce** builds up a single result from a list of values, aka `inject`,
  206. // or `foldl`.
  207. _.reduce = _.foldl = _.inject = createReduce(1);
  208. // The right-associative version of reduce, also known as `foldr`.
  209. _.reduceRight = _.foldr = createReduce(-1);
  210. // Return the first value which passes a truth test. Aliased as `detect`.
  211. _.find = _.detect = function (obj, predicate, context) {
  212. var keyFinder = isArrayLike(obj) ? _.findIndex : _.findKey;
  213. var key = keyFinder(obj, predicate, context);
  214. if (key !== void 0 && key !== -1) return obj[key];
  215. };
  216. // Return all the elements that pass a truth test.
  217. // Aliased as `select`.
  218. _.filter = _.select = function (obj, predicate, context) {
  219. var results = [];
  220. predicate = cb(predicate, context);
  221. _.each(obj, function (value, index, list) {
  222. if (predicate(value, index, list)) results.push(value);
  223. });
  224. return results;
  225. };
  226. // Return all the elements for which a truth test fails.
  227. _.reject = function (obj, predicate, context) {
  228. return _.filter(obj, _.negate(cb(predicate)), context);
  229. };
  230. // Determine whether all of the elements match a truth test.
  231. // Aliased as `all`.
  232. _.every = _.all = function (obj, predicate, context) {
  233. predicate = cb(predicate, context);
  234. var keys = !isArrayLike(obj) && _.keys(obj),
  235. length = (keys || obj).length;
  236. for (var index = 0; index < length; index++) {
  237. var currentKey = keys ? keys[index] : index;
  238. if (!predicate(obj[currentKey], currentKey, obj)) return false;
  239. }
  240. return true;
  241. };
  242. // Determine if at least one element in the object matches a truth test.
  243. // Aliased as `any`.
  244. _.some = _.any = function (obj, predicate, context) {
  245. predicate = cb(predicate, context);
  246. var keys = !isArrayLike(obj) && _.keys(obj),
  247. length = (keys || obj).length;
  248. for (var index = 0; index < length; index++) {
  249. var currentKey = keys ? keys[index] : index;
  250. if (predicate(obj[currentKey], currentKey, obj)) return true;
  251. }
  252. return false;
  253. };
  254. // Determine if the array or object contains a given item (using `===`).
  255. // Aliased as `includes` and `include`.
  256. _.contains = _.includes = _.include = function (obj, item, fromIndex, guard) {
  257. if (!isArrayLike(obj)) obj = _.values(obj);
  258. if (typeof fromIndex != 'number' || guard) fromIndex = 0;
  259. return _.indexOf(obj, item, fromIndex) >= 0;
  260. };
  261. // Invoke a method (with arguments) on every item in a collection.
  262. _.invoke = restArguments(function (obj, path, args) {
  263. var contextPath, func;
  264. if (_.isFunction(path)) {
  265. func = path;
  266. } else if (_.isArray(path)) {
  267. contextPath = path.slice(0, -1);
  268. path = path[path.length - 1];
  269. }
  270. return _.map(obj, function (context) {
  271. var method = func;
  272. if (!method) {
  273. if (contextPath && contextPath.length) {
  274. context = deepGet(context, contextPath);
  275. }
  276. if (context == null) return void 0;
  277. method = context[path];
  278. }
  279. return method == null ? method : method.apply(context, args);
  280. });
  281. });
  282. // Convenience version of a common use case of `map`: fetching a property.
  283. _.pluck = function (obj, key) {
  284. return _.map(obj, _.property(key));
  285. };
  286. // Convenience version of a common use case of `filter`: selecting only objects
  287. // containing specific `key:value` pairs.
  288. _.where = function (obj, attrs) {
  289. return _.filter(obj, _.matcher(attrs));
  290. };
  291. // Convenience version of a common use case of `find`: getting the first object
  292. // containing specific `key:value` pairs.
  293. _.findWhere = function (obj, attrs) {
  294. return _.find(obj, _.matcher(attrs));
  295. };
  296. // Return the maximum element (or element-based computation).
  297. _.max = function (obj, iteratee, context) {
  298. var result = -Infinity, lastComputed = -Infinity,
  299. value, computed;
  300. if (iteratee == null || typeof iteratee == 'number' && typeof obj[0] != 'object' && obj != null) {
  301. obj = isArrayLike(obj) ? obj : _.values(obj);
  302. for (var i = 0, length = obj.length; i < length; i++) {
  303. value = obj[i];
  304. if (value != null && value > result) {
  305. result = value;
  306. }
  307. }
  308. } else {
  309. iteratee = cb(iteratee, context);
  310. _.each(obj, function (v, index, list) {
  311. computed = iteratee(v, index, list);
  312. if (computed > lastComputed || computed === -Infinity && result === -Infinity) {
  313. result = v;
  314. lastComputed = computed;
  315. }
  316. });
  317. }
  318. return result;
  319. };
  320. // Return the minimum element (or element-based computation).
  321. _.min = function (obj, iteratee, context) {
  322. var result = Infinity, lastComputed = Infinity,
  323. value, computed;
  324. if (iteratee == null || typeof iteratee == 'number' && typeof obj[0] != 'object' && obj != null) {
  325. obj = isArrayLike(obj) ? obj : _.values(obj);
  326. for (var i = 0, length = obj.length; i < length; i++) {
  327. value = obj[i];
  328. if (value != null && value < result) {
  329. result = value;
  330. }
  331. }
  332. } else {
  333. iteratee = cb(iteratee, context);
  334. _.each(obj, function (v, index, list) {
  335. computed = iteratee(v, index, list);
  336. if (computed < lastComputed || computed === Infinity && result === Infinity) {
  337. result = v;
  338. lastComputed = computed;
  339. }
  340. });
  341. }
  342. return result;
  343. };
  344. // Shuffle a collection.
  345. _.shuffle = function (obj) {
  346. return _.sample(obj, Infinity);
  347. };
  348. // Sample **n** random values from a collection using the modern version of the
  349. // [Fisher-Yates shuffle](http://en.wikipedia.org/wiki/Fisher–Yates_shuffle).
  350. // If **n** is not specified, returns a single random element.
  351. // The internal `guard` argument allows it to work with `map`.
  352. _.sample = function (obj, n, guard) {
  353. if (n == null || guard) {
  354. if (!isArrayLike(obj)) obj = _.values(obj);
  355. return obj[_.random(obj.length - 1)];
  356. }
  357. var sample = isArrayLike(obj) ? _.clone(obj) : _.values(obj);
  358. var length = getLength(sample);
  359. n = Math.max(Math.min(n, length), 0);
  360. var last = length - 1;
  361. for (var index = 0; index < n; index++) {
  362. var rand = _.random(index, last);
  363. var temp = sample[index];
  364. sample[index] = sample[rand];
  365. sample[rand] = temp;
  366. }
  367. return sample.slice(0, n);
  368. };
  369. // Sort the object's values by a criterion produced by an iteratee.
  370. _.sortBy = function (obj, iteratee, context) {
  371. var index = 0;
  372. iteratee = cb(iteratee, context);
  373. return _.pluck(_.map(obj, function (value, key, list) {
  374. return {
  375. value: value,
  376. index: index++,
  377. criteria: iteratee(value, key, list)
  378. };
  379. }).sort(function (left, right) {
  380. var a = left.criteria;
  381. var b = right.criteria;
  382. if (a !== b) {
  383. if (a > b || a === void 0) return 1;
  384. if (a < b || b === void 0) return -1;
  385. }
  386. return left.index - right.index;
  387. }), 'value');
  388. };
  389. // An internal function used for aggregate "group by" operations.
  390. var group = function (behavior, partition) {
  391. return function (obj, iteratee, context) {
  392. var result = partition ? [[], []] : {};
  393. iteratee = cb(iteratee, context);
  394. _.each(obj, function (value, index) {
  395. var key = iteratee(value, index, obj);
  396. behavior(result, value, key);
  397. });
  398. return result;
  399. };
  400. };
  401. // Groups the object's values by a criterion. Pass either a string attribute
  402. // to group by, or a function that returns the criterion.
  403. _.groupBy = group(function (result, value, key) {
  404. if (_.has(result, key)) result[key].push(value); else result[key] = [value];
  405. });
  406. // Indexes the object's values by a criterion, similar to `groupBy`, but for
  407. // when you know that your index values will be unique.
  408. _.indexBy = group(function (result, value, key) {
  409. result[key] = value;
  410. });
  411. // Counts instances of an object that group by a certain criterion. Pass
  412. // either a string attribute to count by, or a function that returns the
  413. // criterion.
  414. _.countBy = group(function (result, value, key) {
  415. if (_.has(result, key)) result[key]++; else result[key] = 1;
  416. });
  417. var reStrSymbol = /[^\ud800-\udfff]|[\ud800-\udbff][\udc00-\udfff]|[\ud800-\udfff]/g;
  418. // Safely create a real, live array from anything iterable.
  419. _.toArray = function (obj) {
  420. if (!obj) return [];
  421. if (_.isArray(obj)) return slice.call(obj);
  422. if (_.isString(obj)) {
  423. // Keep surrogate pair characters together
  424. return obj.match(reStrSymbol);
  425. }
  426. if (isArrayLike(obj)) return _.map(obj, _.identity);
  427. return _.values(obj);
  428. };
  429. // Return the number of elements in an object.
  430. _.size = function (obj) {
  431. if (obj == null) return 0;
  432. return isArrayLike(obj) ? obj.length : _.keys(obj).length;
  433. };
  434. // Split a collection into two arrays: one whose elements all satisfy the given
  435. // predicate, and one whose elements all do not satisfy the predicate.
  436. _.partition = group(function (result, value, pass) {
  437. result[pass ? 0 : 1].push(value);
  438. }, true);
  439. // Array Functions
  440. // ---------------
  441. // Get the first element of an array. Passing **n** will return the first N
  442. // values in the array. Aliased as `head` and `take`. The **guard** check
  443. // allows it to work with `_.map`.
  444. _.first = _.head = _.take = function (array, n, guard) {
  445. if (array == null || array.length < 1) return void 0;
  446. if (n == null || guard) return array[0];
  447. return _.initial(array, array.length - n);
  448. };
  449. // Returns everything but the last entry of the array. Especially useful on
  450. // the arguments object. Passing **n** will return all the values in
  451. // the array, excluding the last N.
  452. _.initial = function (array, n, guard) {
  453. return slice.call(array, 0, Math.max(0, array.length - (n == null || guard ? 1 : n)));
  454. };
  455. // Get the last element of an array. Passing **n** will return the last N
  456. // values in the array.
  457. _.last = function (array, n, guard) {
  458. if (array == null || array.length < 1) return void 0;
  459. if (n == null || guard) return array[array.length - 1];
  460. return _.rest(array, Math.max(0, array.length - n));
  461. };
  462. // Returns everything but the first entry of the array. Aliased as `tail` and `drop`.
  463. // Especially useful on the arguments object. Passing an **n** will return
  464. // the rest N values in the array.
  465. _.rest = _.tail = _.drop = function (array, n, guard) {
  466. return slice.call(array, n == null || guard ? 1 : n);
  467. };
  468. // Trim out all falsy values from an array.
  469. _.compact = function (array) {
  470. return _.filter(array, Boolean);
  471. };
  472. // Internal implementation of a recursive `flatten` function.
  473. var flatten = function (input, shallow, strict, output) {
  474. output = output || [];
  475. var idx = output.length;
  476. for (var i = 0, length = getLength(input); i < length; i++) {
  477. var value = input[i];
  478. if (isArrayLike(value) && (_.isArray(value) || _.isArguments(value))) {
  479. // Flatten current level of array or arguments object.
  480. if (shallow) {
  481. var j = 0, len = value.length;
  482. while (j < len) output[idx++] = value[j++];
  483. } else {
  484. flatten(value, shallow, strict, output);
  485. idx = output.length;
  486. }
  487. } else if (!strict) {
  488. output[idx++] = value;
  489. }
  490. }
  491. return output;
  492. };
  493. // Flatten out an array, either recursively (by default), or just one level.
  494. _.flatten = function (array, shallow) {
  495. return flatten(array, shallow, false);
  496. };
  497. // Return a version of the array that does not contain the specified value(s).
  498. _.without = restArguments(function (array, otherArrays) {
  499. return _.difference(array, otherArrays);
  500. });
  501. // Produce a duplicate-free version of the array. If the array has already
  502. // been sorted, you have the option of using a faster algorithm.
  503. // The faster algorithm will not work with an iteratee if the iteratee
  504. // is not a one-to-one function, so providing an iteratee will disable
  505. // the faster algorithm.
  506. // Aliased as `unique`.
  507. _.uniq = _.unique = function (array, isSorted, iteratee, context) {
  508. if (!_.isBoolean(isSorted)) {
  509. context = iteratee;
  510. iteratee = isSorted;
  511. isSorted = false;
  512. }
  513. if (iteratee != null) iteratee = cb(iteratee, context);
  514. var result = [];
  515. var seen = [];
  516. for (var i = 0, length = getLength(array); i < length; i++) {
  517. var value = array[i],
  518. computed = iteratee ? iteratee(value, i, array) : value;
  519. if (isSorted && !iteratee) {
  520. if (!i || seen !== computed) result.push(value);
  521. seen = computed;
  522. } else if (iteratee) {
  523. if (!_.contains(seen, computed)) {
  524. seen.push(computed);
  525. result.push(value);
  526. }
  527. } else if (!_.contains(result, value)) {
  528. result.push(value);
  529. }
  530. }
  531. return result;
  532. };
  533. // Produce an array that contains the union: each distinct element from all of
  534. // the passed-in arrays.
  535. _.union = restArguments(function (arrays) {
  536. return _.uniq(flatten(arrays, true, true));
  537. });
  538. // Produce an array that contains every item shared between all the
  539. // passed-in arrays.
  540. _.intersection = function (array) {
  541. var result = [];
  542. var argsLength = arguments.length;
  543. for (var i = 0, length = getLength(array); i < length; i++) {
  544. var item = array[i];
  545. if (_.contains(result, item)) continue;
  546. var j;
  547. for (j = 1; j < argsLength; j++) {
  548. if (!_.contains(arguments[j], item)) break;
  549. }
  550. if (j === argsLength) result.push(item);
  551. }
  552. return result;
  553. };
  554. // Take the difference between one array and a number of other arrays.
  555. // Only the elements present in just the first array will remain.
  556. _.difference = restArguments(function (array, rest) {
  557. rest = flatten(rest, true, true);
  558. return _.filter(array, function (value) {
  559. return !_.contains(rest, value);
  560. });
  561. });
  562. // Complement of _.zip. Unzip accepts an array of arrays and groups
  563. // each array's elements on shared indices.
  564. _.unzip = function (array) {
  565. var length = array && _.max(array, getLength).length || 0;
  566. var result = Array(length);
  567. for (var index = 0; index < length; index++) {
  568. result[index] = _.pluck(array, index);
  569. }
  570. return result;
  571. };
  572. // Zip together multiple lists into a single array -- elements that share
  573. // an index go together.
  574. _.zip = restArguments(_.unzip);
  575. // Converts lists into objects. Pass either a single array of `[key, value]`
  576. // pairs, or two parallel arrays of the same length -- one of keys, and one of
  577. // the corresponding values. Passing by pairs is the reverse of _.pairs.
  578. _.object = function (list, values) {
  579. var result = {};
  580. for (var i = 0, length = getLength(list); i < length; i++) {
  581. if (values) {
  582. result[list[i]] = values[i];
  583. } else {
  584. result[list[i][0]] = list[i][1];
  585. }
  586. }
  587. return result;
  588. };
  589. // Generator function to create the findIndex and findLastIndex functions.
  590. var createPredicateIndexFinder = function (dir) {
  591. return function (array, predicate, context) {
  592. predicate = cb(predicate, context);
  593. var length = getLength(array);
  594. var index = dir > 0 ? 0 : length - 1;
  595. for (; index >= 0 && index < length; index += dir) {
  596. if (predicate(array[index], index, array)) return index;
  597. }
  598. return -1;
  599. };
  600. };
  601. // Returns the first index on an array-like that passes a predicate test.
  602. _.findIndex = createPredicateIndexFinder(1);
  603. _.findLastIndex = createPredicateIndexFinder(-1);
  604. // Use a comparator function to figure out the smallest index at which
  605. // an object should be inserted so as to maintain order. Uses binary search.
  606. _.sortedIndex = function (array, obj, iteratee, context) {
  607. iteratee = cb(iteratee, context, 1);
  608. var value = iteratee(obj);
  609. var low = 0, high = getLength(array);
  610. while (low < high) {
  611. var mid = Math.floor((low + high) / 2);
  612. if (iteratee(array[mid]) < value) low = mid + 1; else high = mid;
  613. }
  614. return low;
  615. };
  616. // Generator function to create the indexOf and lastIndexOf functions.
  617. var createIndexFinder = function (dir, predicateFind, sortedIndex) {
  618. return function (array, item, idx) {
  619. var i = 0, length = getLength(array);
  620. if (typeof idx == 'number') {
  621. if (dir > 0) {
  622. i = idx >= 0 ? idx : Math.max(idx + length, i);
  623. } else {
  624. length = idx >= 0 ? Math.min(idx + 1, length) : idx + length + 1;
  625. }
  626. } else if (sortedIndex && idx && length) {
  627. idx = sortedIndex(array, item);
  628. return array[idx] === item ? idx : -1;
  629. }
  630. if (item !== item) {
  631. idx = predicateFind(slice.call(array, i, length), _.isNaN);
  632. return idx >= 0 ? idx + i : -1;
  633. }
  634. for (idx = dir > 0 ? i : length - 1; idx >= 0 && idx < length; idx += dir) {
  635. if (array[idx] === item) return idx;
  636. }
  637. return -1;
  638. };
  639. };
  640. // Return the position of the first occurrence of an item in an array,
  641. // or -1 if the item is not included in the array.
  642. // If the array is large and already in sort order, pass `true`
  643. // for **isSorted** to use binary search.
  644. _.indexOf = createIndexFinder(1, _.findIndex, _.sortedIndex);
  645. _.lastIndexOf = createIndexFinder(-1, _.findLastIndex);
  646. // Generate an integer Array containing an arithmetic progression. A port of
  647. // the native Python `range()` function. See
  648. // [the Python documentation](http://docs.python.org/library/functions.html#range).
  649. _.range = function (start, stop, step) {
  650. if (stop == null) {
  651. stop = start || 0;
  652. start = 0;
  653. }
  654. if (!step) {
  655. step = stop < start ? -1 : 1;
  656. }
  657. var length = Math.max(Math.ceil((stop - start) / step), 0);
  658. var range = Array(length);
  659. for (var idx = 0; idx < length; idx++ , start += step) {
  660. range[idx] = start;
  661. }
  662. return range;
  663. };
  664. // Chunk a single array into multiple arrays, each containing `count` or fewer
  665. // items.
  666. _.chunk = function (array, count) {
  667. if (count == null || count < 1) return [];
  668. var result = [];
  669. var i = 0, length = array.length;
  670. while (i < length) {
  671. result.push(slice.call(array, i, i += count));
  672. }
  673. return result;
  674. };
  675. // Function (ahem) Functions
  676. // ------------------
  677. // Determines whether to execute a function as a constructor
  678. // or a normal function with the provided arguments.
  679. var executeBound = function (sourceFunc, boundFunc, context, callingContext, args) {
  680. if (!(callingContext instanceof boundFunc)) return sourceFunc.apply(context, args);
  681. var self = baseCreate(sourceFunc.prototype);
  682. var result = sourceFunc.apply(self, args);
  683. if (_.isObject(result)) return result;
  684. return self;
  685. };
  686. // Create a function bound to a given object (assigning `this`, and arguments,
  687. // optionally). Delegates to **ECMAScript 5**'s native `Function.bind` if
  688. // available.
  689. _.bind = restArguments(function (func, context, args) {
  690. if (!_.isFunction(func)) throw new TypeError('Bind must be called on a function');
  691. var bound = restArguments(function (callArgs) {
  692. return executeBound(func, bound, context, this, args.concat(callArgs));
  693. });
  694. return bound;
  695. });
  696. // Partially apply a function by creating a version that has had some of its
  697. // arguments pre-filled, without changing its dynamic `this` context. _ acts
  698. // as a placeholder by default, allowing any combination of arguments to be
  699. // pre-filled. Set `_.partial.placeholder` for a custom placeholder argument.
  700. _.partial = restArguments(function (func, boundArgs) {
  701. var placeholder = _.partial.placeholder;
  702. var bound = function () {
  703. var position = 0, length = boundArgs.length;
  704. var args = Array(length);
  705. for (var i = 0; i < length; i++) {
  706. args[i] = boundArgs[i] === placeholder ? arguments[position++] : boundArgs[i];
  707. }
  708. while (position < arguments.length) args.push(arguments[position++]);
  709. return executeBound(func, bound, this, this, args);
  710. };
  711. return bound;
  712. });
  713. _.partial.placeholder = _;
  714. // Bind a number of an object's methods to that object. Remaining arguments
  715. // are the method names to be bound. Useful for ensuring that all callbacks
  716. // defined on an object belong to it.
  717. _.bindAll = restArguments(function (obj, keys) {
  718. keys = flatten(keys, false, false);
  719. var index = keys.length;
  720. if (index < 1) throw new Error('bindAll must be passed function names');
  721. while (index--) {
  722. var key = keys[index];
  723. obj[key] = _.bind(obj[key], obj);
  724. }
  725. });
  726. // Memoize an expensive function by storing its results.
  727. _.memoize = function (func, hasher) {
  728. var memoize = function (key) {
  729. var cache = memoize.cache;
  730. var address = '' + (hasher ? hasher.apply(this, arguments) : key);
  731. if (!_.has(cache, address)) cache[address] = func.apply(this, arguments);
  732. return cache[address];
  733. };
  734. memoize.cache = {};
  735. return memoize;
  736. };
  737. // Delays a function for the given number of milliseconds, and then calls
  738. // it with the arguments supplied.
  739. _.delay = restArguments(function (func, wait, args) {
  740. return setTimeout(function () {
  741. return func.apply(null, args);
  742. }, wait);
  743. });
  744. // Defers a function, scheduling it to run after the current call stack has
  745. // cleared.
  746. _.defer = _.partial(_.delay, _, 1);
  747. // Returns a function, that, when invoked, will only be triggered at most once
  748. // during a given window of time. Normally, the throttled function will run
  749. // as much as it can, without ever going more than once per `wait` duration;
  750. // but if you'd like to disable the execution on the leading edge, pass
  751. // `{leading: false}`. To disable execution on the trailing edge, ditto.
  752. _.throttle = function (func, wait, options) {
  753. var timeout, context, args, result;
  754. var previous = 0;
  755. if (!options) options = {};
  756. var later = function () {
  757. previous = options.leading === false ? 0 : _.now();
  758. timeout = null;
  759. result = func.apply(context, args);
  760. if (!timeout) context = args = null;
  761. };
  762. var throttled = function () {
  763. var now = _.now();
  764. if (!previous && options.leading === false) previous = now;
  765. var remaining = wait - (now - previous);
  766. context = this;
  767. args = arguments;
  768. if (remaining <= 0 || remaining > wait) {
  769. if (timeout) {
  770. clearTimeout(timeout);
  771. timeout = null;
  772. }
  773. previous = now;
  774. result = func.apply(context, args);
  775. if (!timeout) context = args = null;
  776. } else if (!timeout && options.trailing !== false) {
  777. timeout = setTimeout(later, remaining);
  778. }
  779. return result;
  780. };
  781. throttled.cancel = function () {
  782. clearTimeout(timeout);
  783. previous = 0;
  784. timeout = context = args = null;
  785. };
  786. return throttled;
  787. };
  788. // Returns a function, that, as long as it continues to be invoked, will not
  789. // be triggered. The function will be called after it stops being called for
  790. // N milliseconds. If `immediate` is passed, trigger the function on the
  791. // leading edge, instead of the trailing.
  792. _.debounce = function (func, wait, immediate) {
  793. var timeout, result;
  794. var later = function (context, args) {
  795. timeout = null;
  796. if (args) result = func.apply(context, args);
  797. };
  798. var debounced = restArguments(function (args) {
  799. if (timeout) clearTimeout(timeout);
  800. if (immediate) {
  801. var callNow = !timeout;
  802. timeout = setTimeout(later, wait);
  803. if (callNow) result = func.apply(this, args);
  804. } else {
  805. timeout = _.delay(later, wait, this, args);
  806. }
  807. return result;
  808. });
  809. debounced.cancel = function () {
  810. clearTimeout(timeout);
  811. timeout = null;
  812. };
  813. return debounced;
  814. };
  815. // Returns the first function passed as an argument to the second,
  816. // allowing you to adjust arguments, run code before and after, and
  817. // conditionally execute the original function.
  818. _.wrap = function (func, wrapper) {
  819. return _.partial(wrapper, func);
  820. };
  821. // Returns a negated version of the passed-in predicate.
  822. _.negate = function (predicate) {
  823. return function () {
  824. return !predicate.apply(this, arguments);
  825. };
  826. };
  827. // Returns a function that is the composition of a list of functions, each
  828. // consuming the return value of the function that follows.
  829. _.compose = function () {
  830. var args = arguments;
  831. var start = args.length - 1;
  832. return function () {
  833. var i = start;
  834. var result = args[start].apply(this, arguments);
  835. while (i--) result = args[i].call(this, result);
  836. return result;
  837. };
  838. };
  839. // Returns a function that will only be executed on and after the Nth call.
  840. _.after = function (times, func) {
  841. return function () {
  842. if (--times < 1) {
  843. return func.apply(this, arguments);
  844. }
  845. };
  846. };
  847. // Returns a function that will only be executed up to (but not including) the Nth call.
  848. _.before = function (times, func) {
  849. var memo;
  850. return function () {
  851. if (--times > 0) {
  852. memo = func.apply(this, arguments);
  853. }
  854. if (times <= 1) func = null;
  855. return memo;
  856. };
  857. };
  858. // Returns a function that will be executed at most one time, no matter how
  859. // often you call it. Useful for lazy initialization.
  860. _.once = _.partial(_.before, 2);
  861. _.restArguments = restArguments;
  862. // Object Functions
  863. // ----------------
  864. // Keys in IE < 9 that won't be iterated by `for key in ...` and thus missed.
  865. var hasEnumBug = !{ toString: null }.propertyIsEnumerable('toString');
  866. var nonEnumerableProps = ['valueOf', 'isPrototypeOf', 'toString',
  867. 'propertyIsEnumerable', 'hasOwnProperty', 'toLocaleString'];
  868. var collectNonEnumProps = function (obj, keys) {
  869. var nonEnumIdx = nonEnumerableProps.length;
  870. var constructor = obj.constructor;
  871. var proto = _.isFunction(constructor) && constructor.prototype || ObjProto;
  872. // Constructor is a special case.
  873. var prop = 'constructor';
  874. if (_.has(obj, prop) && !_.contains(keys, prop)) keys.push(prop);
  875. while (nonEnumIdx--) {
  876. prop = nonEnumerableProps[nonEnumIdx];
  877. if (prop in obj && obj[prop] !== proto[prop] && !_.contains(keys, prop)) {
  878. keys.push(prop);
  879. }
  880. }
  881. };
  882. // Retrieve the names of an object's own properties.
  883. // Delegates to **ECMAScript 5**'s native `Object.keys`.
  884. _.keys = function (obj) {
  885. if (!_.isObject(obj)) return [];
  886. if (nativeKeys) return nativeKeys(obj);
  887. var keys = [];
  888. for (var key in obj) if (_.has(obj, key)) keys.push(key);
  889. // Ahem, IE < 9.
  890. if (hasEnumBug) collectNonEnumProps(obj, keys);
  891. return keys;
  892. };
  893. // Retrieve all the property names of an object.
  894. _.allKeys = function (obj) {
  895. if (!_.isObject(obj)) return [];
  896. var keys = [];
  897. for (var key in obj) keys.push(key);
  898. // Ahem, IE < 9.
  899. if (hasEnumBug) collectNonEnumProps(obj, keys);
  900. return keys;
  901. };
  902. // Retrieve the values of an object's properties.
  903. _.values = function (obj) {
  904. var keys = _.keys(obj);
  905. var length = keys.length;
  906. var values = Array(length);
  907. for (var i = 0; i < length; i++) {
  908. values[i] = obj[keys[i]];
  909. }
  910. return values;
  911. };
  912. // Returns the results of applying the iteratee to each element of the object.
  913. // In contrast to _.map it returns an object.
  914. _.mapObject = function (obj, iteratee, context) {
  915. iteratee = cb(iteratee, context);
  916. var keys = _.keys(obj),
  917. length = keys.length,
  918. results = {};
  919. for (var index = 0; index < length; index++) {
  920. var currentKey = keys[index];
  921. results[currentKey] = iteratee(obj[currentKey], currentKey, obj);
  922. }
  923. return results;
  924. };
  925. // Convert an object into a list of `[key, value]` pairs.
  926. // The opposite of _.object.
  927. _.pairs = function (obj) {
  928. var keys = _.keys(obj);
  929. var length = keys.length;
  930. var pairs = Array(length);
  931. for (var i = 0; i < length; i++) {
  932. pairs[i] = [keys[i], obj[keys[i]]];
  933. }
  934. return pairs;
  935. };
  936. // Invert the keys and values of an object. The values must be serializable.
  937. _.invert = function (obj) {
  938. var result = {};
  939. var keys = _.keys(obj);
  940. for (var i = 0, length = keys.length; i < length; i++) {
  941. result[obj[keys[i]]] = keys[i];
  942. }
  943. return result;
  944. };
  945. // Return a sorted list of the function names available on the object.
  946. // Aliased as `methods`.
  947. _.functions = _.methods = function (obj) {
  948. var names = [];
  949. for (var key in obj) {
  950. if (_.isFunction(obj[key])) names.push(key);
  951. }
  952. return names.sort();
  953. };
  954. // An internal function for creating assigner functions.
  955. var createAssigner = function (keysFunc, defaults) {
  956. return function (obj) {
  957. var length = arguments.length;
  958. if (defaults) obj = Object(obj);
  959. if (length < 2 || obj == null) return obj;
  960. for (var index = 1; index < length; index++) {
  961. var source = arguments[index],
  962. keys = keysFunc(source),
  963. l = keys.length;
  964. for (var i = 0; i < l; i++) {
  965. var key = keys[i];
  966. if (!defaults || obj[key] === void 0) obj[key] = source[key];
  967. }
  968. }
  969. return obj;
  970. };
  971. };
  972. // Extend a given object with all the properties in passed-in object(s).
  973. _.extend = createAssigner(_.allKeys);
  974. // Assigns a given object with all the own properties in the passed-in object(s).
  975. // (https://developer.mozilla.org/docs/Web/JavaScript/Reference/Global_Objects/Object/assign)
  976. _.extendOwn = _.assign = createAssigner(_.keys);
  977. // Returns the first key on an object that passes a predicate test.
  978. _.findKey = function (obj, predicate, context) {
  979. predicate = cb(predicate, context);
  980. var keys = _.keys(obj), key;
  981. for (var i = 0, length = keys.length; i < length; i++) {
  982. key = keys[i];
  983. if (predicate(obj[key], key, obj)) return key;
  984. }
  985. };
  986. // Internal pick helper function to determine if `obj` has key `key`.
  987. var keyInObj = function (value, key, obj) {
  988. return key in obj;
  989. };
  990. // Return a copy of the object only containing the whitelisted properties.
  991. _.pick = restArguments(function (obj, keys) {
  992. var result = {}, iteratee = keys[0];
  993. if (obj == null) return result;
  994. if (_.isFunction(iteratee)) {
  995. if (keys.length > 1) iteratee = optimizeCb(iteratee, keys[1]);
  996. keys = _.allKeys(obj);
  997. } else {
  998. iteratee = keyInObj;
  999. keys = flatten(keys, false, false);
  1000. obj = Object(obj);
  1001. }
  1002. for (var i = 0, length = keys.length; i < length; i++) {
  1003. var key = keys[i];
  1004. var value = obj[key];
  1005. if (iteratee(value, key, obj)) result[key] = value;
  1006. }
  1007. return result;
  1008. });
  1009. // Return a copy of the object without the blacklisted properties.
  1010. _.omit = restArguments(function (obj, keys) {
  1011. var iteratee = keys[0], context;
  1012. if (_.isFunction(iteratee)) {
  1013. iteratee = _.negate(iteratee);
  1014. if (keys.length > 1) context = keys[1];
  1015. } else {
  1016. keys = _.map(flatten(keys, false, false), String);
  1017. iteratee = function (value, key) {
  1018. return !_.contains(keys, key);
  1019. };
  1020. }
  1021. return _.pick(obj, iteratee, context);
  1022. });
  1023. // Fill in a given object with default properties.
  1024. _.defaults = createAssigner(_.allKeys, true);
  1025. // Creates an object that inherits from the given prototype object.
  1026. // If additional properties are provided then they will be added to the
  1027. // created object.
  1028. _.create = function (prototype, props) {
  1029. var result = baseCreate(prototype);
  1030. if (props) _.extendOwn(result, props);
  1031. return result;
  1032. };
  1033. // Create a (shallow-cloned) duplicate of an object.
  1034. _.clone = function (obj) {
  1035. if (!_.isObject(obj)) return obj;
  1036. return _.isArray(obj) ? obj.slice() : _.extend({}, obj);
  1037. };
  1038. // Invokes interceptor with the obj, and then returns obj.
  1039. // The primary purpose of this method is to "tap into" a method chain, in
  1040. // order to perform operations on intermediate results within the chain.
  1041. _.tap = function (obj, interceptor) {
  1042. interceptor(obj);
  1043. return obj;
  1044. };
  1045. // Returns whether an object has a given set of `key:value` pairs.
  1046. _.isMatch = function (object, attrs) {
  1047. var keys = _.keys(attrs), length = keys.length;
  1048. if (object == null) return !length;
  1049. var obj = Object(object);
  1050. for (var i = 0; i < length; i++) {
  1051. var key = keys[i];
  1052. if (attrs[key] !== obj[key] || !(key in obj)) return false;
  1053. }
  1054. return true;
  1055. };
  1056. // Internal recursive comparison function for `isEqual`.
  1057. var eq, deepEq;
  1058. eq = function (a, b, aStack, bStack) {
  1059. // Identical objects are equal. `0 === -0`, but they aren't identical.
  1060. // See the [Harmony `egal` proposal](http://wiki.ecmascript.org/doku.php?id=harmony:egal).
  1061. if (a === b) return a !== 0 || 1 / a === 1 / b;
  1062. // `null` or `undefined` only equal to itself (strict comparison).
  1063. if (a == null || b == null) return false;
  1064. // `NaN`s are equivalent, but non-reflexive.
  1065. if (a !== a) return b !== b;
  1066. // Exhaust primitive checks
  1067. var type = typeof a;
  1068. if (type !== 'function' && type !== 'object' && typeof b != 'object') return false;
  1069. return deepEq(a, b, aStack, bStack);
  1070. };
  1071. // Internal recursive comparison function for `isEqual`.
  1072. deepEq = function (a, b, aStack, bStack) {
  1073. // Unwrap any wrapped objects.
  1074. if (a instanceof _) a = a._wrapped;
  1075. if (b instanceof _) b = b._wrapped;
  1076. // Compare `[[Class]]` names.
  1077. var className = toString.call(a);
  1078. if (className !== toString.call(b)) return false;
  1079. switch (className) {
  1080. // Strings, numbers, regular expressions, dates, and booleans are compared by value.
  1081. case '[object RegExp]':
  1082. // RegExps are coerced to strings for comparison (Note: '' + /a/i === '/a/i')
  1083. case '[object String]':
  1084. // Primitives and their corresponding object wrappers are equivalent; thus, `"5"` is
  1085. // equivalent to `new String("5")`.
  1086. return '' + a === '' + b;
  1087. case '[object Number]':
  1088. // `NaN`s are equivalent, but non-reflexive.
  1089. // Object(NaN) is equivalent to NaN.
  1090. if (+a !== +a) return +b !== +b;
  1091. // An `egal` comparison is performed for other numeric values.
  1092. return +a === 0 ? 1 / +a === 1 / b : +a === +b;
  1093. case '[object Date]':
  1094. case '[object Boolean]':
  1095. // Coerce dates and booleans to numeric primitive values. Dates are compared by their
  1096. // millisecond representations. Note that invalid dates with millisecond representations
  1097. // of `NaN` are not equivalent.
  1098. return +a === +b;
  1099. case '[object Symbol]':
  1100. return SymbolProto.valueOf.call(a) === SymbolProto.valueOf.call(b);
  1101. }
  1102. var areArrays = className === '[object Array]';
  1103. if (!areArrays) {
  1104. if (typeof a != 'object' || typeof b != 'object') return false;
  1105. // Objects with different constructors are not equivalent, but `Object`s or `Array`s
  1106. // from different frames are.
  1107. var aCtor = a.constructor, bCtor = b.constructor;
  1108. if (aCtor !== bCtor && !(_.isFunction(aCtor) && aCtor instanceof aCtor &&
  1109. _.isFunction(bCtor) && bCtor instanceof bCtor)
  1110. && ('constructor' in a && 'constructor' in b)) {
  1111. return false;
  1112. }
  1113. }
  1114. // Assume equality for cyclic structures. The algorithm for detecting cyclic
  1115. // structures is adapted from ES 5.1 section 15.12.3, abstract operation `JO`.
  1116. // Initializing stack of traversed objects.
  1117. // It's done here since we only need them for objects and arrays comparison.
  1118. aStack = aStack || [];
  1119. bStack = bStack || [];
  1120. var length = aStack.length;
  1121. while (length--) {
  1122. // Linear search. Performance is inversely proportional to the number of
  1123. // unique nested structures.
  1124. if (aStack[length] === a) return bStack[length] === b;
  1125. }
  1126. // Add the first object to the stack of traversed objects.
  1127. aStack.push(a);
  1128. bStack.push(b);
  1129. // Recursively compare objects and arrays.
  1130. if (areArrays) {
  1131. // Compare array lengths to determine if a deep comparison is necessary.
  1132. length = a.length;
  1133. if (length !== b.length) return false;
  1134. // Deep compare the contents, ignoring non-numeric properties.
  1135. while (length--) {
  1136. if (!eq(a[length], b[length], aStack, bStack)) return false;
  1137. }
  1138. } else {
  1139. // Deep compare objects.
  1140. var keys = _.keys(a), key;
  1141. length = keys.length;
  1142. // Ensure that both objects contain the same number of properties before comparing deep equality.
  1143. if (_.keys(b).length !== length) return false;
  1144. while (length--) {
  1145. // Deep compare each member
  1146. key = keys[length];
  1147. if (!(_.has(b, key) && eq(a[key], b[key], aStack, bStack))) return false;
  1148. }
  1149. }
  1150. // Remove the first object from the stack of traversed objects.
  1151. aStack.pop();
  1152. bStack.pop();
  1153. return true;
  1154. };
  1155. // Perform a deep comparison to check if two objects are equal.
  1156. _.isEqual = function (a, b) {
  1157. return eq(a, b);
  1158. };
  1159. // Is a given array, string, or object empty?
  1160. // An "empty" object has no enumerable own-properties.
  1161. _.isEmpty = function (obj) {
  1162. if (obj == null) return true;
  1163. if (isArrayLike(obj) && (_.isArray(obj) || _.isString(obj) || _.isArguments(obj))) return obj.length === 0;
  1164. return _.keys(obj).length === 0;
  1165. };
  1166. // Is a given value a DOM element?
  1167. _.isElement = function (obj) {
  1168. return !!(obj && obj.nodeType === 1);
  1169. };
  1170. // Is a given value an array?
  1171. // Delegates to ECMA5's native Array.isArray
  1172. _.isArray = nativeIsArray || function (obj) {
  1173. return toString.call(obj) === '[object Array]';
  1174. };
  1175. // Is a given variable an object?
  1176. _.isObject = function (obj) {
  1177. var type = typeof obj;
  1178. return type === 'function' || type === 'object' && !!obj;
  1179. };
  1180. // Add some isType methods: isArguments, isFunction, isString, isNumber, isDate, isRegExp, isError, isMap, isWeakMap, isSet, isWeakSet.
  1181. _.each(['Arguments', 'Function', 'String', 'Number', 'Date', 'RegExp', 'Error', 'Symbol', 'Map', 'WeakMap', 'Set', 'WeakSet'], function (name) {
  1182. _['is' + name] = function (obj) {
  1183. return toString.call(obj) === '[object ' + name + ']';
  1184. };
  1185. });
  1186. // Define a fallback version of the method in browsers (ahem, IE < 9), where
  1187. // there isn't any inspectable "Arguments" type.
  1188. if (!_.isArguments(arguments)) {
  1189. _.isArguments = function (obj) {
  1190. return _.has(obj, 'callee');
  1191. };
  1192. }
  1193. // Optimize `isFunction` if appropriate. Work around some typeof bugs in old v8,
  1194. // IE 11 (#1621), Safari 8 (#1929), and PhantomJS (#2236).
  1195. var nodelist = root.document && root.document.childNodes;
  1196. if (typeof /./ != 'function' && typeof Int8Array != 'object' && typeof nodelist != 'function') {
  1197. _.isFunction = function (obj) {
  1198. return typeof obj == 'function' || false;
  1199. };
  1200. }
  1201. // Is a given object a finite number?
  1202. _.isFinite = function (obj) {
  1203. return !_.isSymbol(obj) && isFinite(obj) && !isNaN(parseFloat(obj));
  1204. };
  1205. // Is the given value `NaN`?
  1206. _.isNaN = function (obj) {
  1207. return _.isNumber(obj) && isNaN(obj);
  1208. };
  1209. // Is a given value a boolean?
  1210. _.isBoolean = function (obj) {
  1211. return obj === true || obj === false || toString.call(obj) === '[object Boolean]';
  1212. };
  1213. // Is a given value equal to null?
  1214. _.isNull = function (obj) {
  1215. return obj === null;
  1216. };
  1217. // Is a given variable undefined?
  1218. _.isUndefined = function (obj) {
  1219. return obj === void 0;
  1220. };
  1221. // Shortcut function for checking if an object has a given property directly
  1222. // on itself (in other words, not on a prototype).
  1223. _.has = function (obj, path) {
  1224. if (!_.isArray(path)) {
  1225. return obj != null && hasOwnProperty.call(obj, path);
  1226. }
  1227. var length = path.length;
  1228. for (var i = 0; i < length; i++) {
  1229. var key = path[i];
  1230. if (obj == null || !hasOwnProperty.call(obj, key)) {
  1231. return false;
  1232. }
  1233. obj = obj[key];
  1234. }
  1235. return !!length;
  1236. };
  1237. // Utility Functions
  1238. // -----------------
  1239. // Run Underscore.js in *noConflict* mode, returning the `_` variable to its
  1240. // previous owner. Returns a reference to the Underscore object.
  1241. _.noConflict = function () {
  1242. root._ = previousUnderscore;
  1243. return this;
  1244. };
  1245. // Keep the identity function around for default iteratees.
  1246. _.identity = function (value) {
  1247. return value;
  1248. };
  1249. // Predicate-generating functions. Often useful outside of Underscore.
  1250. _.constant = function (value) {
  1251. return function () {
  1252. return value;
  1253. };
  1254. };
  1255. _.noop = function () { };
  1256. // Creates a function that, when passed an object, will traverse that object’s
  1257. // properties down the given `path`, specified as an array of keys or indexes.
  1258. _.property = function (path) {
  1259. if (!_.isArray(path)) {
  1260. return shallowProperty(path);
  1261. }
  1262. return function (obj) {
  1263. return deepGet(obj, path);
  1264. };
  1265. };
  1266. // Generates a function for a given object that returns a given property.
  1267. _.propertyOf = function (obj) {
  1268. if (obj == null) {
  1269. return function () { };
  1270. }
  1271. return function (path) {
  1272. return !_.isArray(path) ? obj[path] : deepGet(obj, path);
  1273. };
  1274. };
  1275. // Returns a predicate for checking whether an object has a given set of
  1276. // `key:value` pairs.
  1277. _.matcher = _.matches = function (attrs) {
  1278. attrs = _.extendOwn({}, attrs);
  1279. return function (obj) {
  1280. return _.isMatch(obj, attrs);
  1281. };
  1282. };
  1283. // Run a function **n** times.
  1284. _.times = function (n, iteratee, context) {
  1285. var accum = Array(Math.max(0, n));
  1286. iteratee = optimizeCb(iteratee, context, 1);
  1287. for (var i = 0; i < n; i++) accum[i] = iteratee(i);
  1288. return accum;
  1289. };
  1290. // Return a random integer between min and max (inclusive).
  1291. _.random = function (min, max) {
  1292. if (max == null) {
  1293. max = min;
  1294. min = 0;
  1295. }
  1296. return min + Math.floor(Math.random() * (max - min + 1));
  1297. };
  1298. // A (possibly faster) way to get the current timestamp as an integer.
  1299. _.now = Date.now || function () {
  1300. return new Date().getTime();
  1301. };
  1302. // List of HTML entities for escaping.
  1303. var escapeMap = {
  1304. '&': '&amp;',
  1305. '<': '&lt;',
  1306. '>': '&gt;',
  1307. '"': '&quot;',
  1308. "'": '&#x27;',
  1309. '`': '&#x60;'
  1310. };
  1311. var unescapeMap = _.invert(escapeMap);
  1312. // Functions for escaping and unescaping strings to/from HTML interpolation.
  1313. var createEscaper = function (map) {
  1314. var escaper = function (match) {
  1315. return map[match];
  1316. };
  1317. // Regexes for identifying a key that needs to be escaped.
  1318. var source = '(?:' + _.keys(map).join('|') + ')';
  1319. var testRegexp = RegExp(source);
  1320. var replaceRegexp = RegExp(source, 'g');
  1321. return function (string) {
  1322. string = string == null ? '' : '' + string;
  1323. return testRegexp.test(string) ? string.replace(replaceRegexp, escaper) : string;
  1324. };
  1325. };
  1326. _.escape = createEscaper(escapeMap);
  1327. _.unescape = createEscaper(unescapeMap);
  1328. // Traverses the children of `obj` along `path`. If a child is a function, it
  1329. // is invoked with its parent as context. Returns the value of the final
  1330. // child, or `fallback` if any child is undefined.
  1331. _.result = function (obj, path, fallback) {
  1332. if (!_.isArray(path)) path = [path];
  1333. var length = path.length;
  1334. if (!length) {
  1335. return _.isFunction(fallback) ? fallback.call(obj) : fallback;
  1336. }
  1337. for (var i = 0; i < length; i++) {
  1338. var prop = obj == null ? void 0 : obj[path[i]];
  1339. if (prop === void 0) {
  1340. prop = fallback;
  1341. i = length; // Ensure we don't continue iterating.
  1342. }
  1343. obj = _.isFunction(prop) ? prop.call(obj) : prop;
  1344. }
  1345. return obj;
  1346. };
  1347. // Generate a unique integer id (unique within the entire client session).
  1348. // Useful for temporary DOM ids.
  1349. var idCounter = 0;
  1350. _.uniqueId = function (prefix) {
  1351. var id = ++idCounter + '';
  1352. return prefix ? prefix + id : id;
  1353. };
  1354. // By default, Underscore uses ERB-style template delimiters, change the
  1355. // following template settings to use alternative delimiters.
  1356. _.templateSettings = {
  1357. evaluate: /<%([\s\S]+?)%>/g,
  1358. interpolate: /<%=([\s\S]+?)%>/g,
  1359. escape: /<%-([\s\S]+?)%>/g
  1360. };
  1361. // When customizing `templateSettings`, if you don't want to define an
  1362. // interpolation, evaluation or escaping regex, we need one that is
  1363. // guaranteed not to match.
  1364. var noMatch = /(.)^/;
  1365. // Certain characters need to be escaped so that they can be put into a
  1366. // string literal.
  1367. var escapes = {
  1368. "'": "'",
  1369. '\\': '\\',
  1370. '\r': 'r',
  1371. '\n': 'n',
  1372. '\u2028': 'u2028',
  1373. '\u2029': 'u2029'
  1374. };
  1375. var escapeRegExp = /\\|'|\r|\n|\u2028|\u2029/g;
  1376. var escapeChar = function (match) {
  1377. return '\\' + escapes[match];
  1378. };
  1379. // JavaScript micro-templating, similar to John Resig's implementation.
  1380. // Underscore templating handles arbitrary delimiters, preserves whitespace,
  1381. // and correctly escapes quotes within interpolated code.
  1382. // NB: `oldSettings` only exists for backwards compatibility.
  1383. _.template = function (text, settings, oldSettings) {
  1384. if (!settings && oldSettings) settings = oldSettings;
  1385. settings = _.defaults({}, settings, _.templateSettings);
  1386. // Combine delimiters into one regular expression via alternation.
  1387. var matcher = RegExp([
  1388. (settings.escape || noMatch).source,
  1389. (settings.interpolate || noMatch).source,
  1390. (settings.evaluate || noMatch).source
  1391. ].join('|') + '|$', 'g');
  1392. // Compile the template source, escaping string literals appropriately.
  1393. var index = 0;
  1394. var source = "__p+='";
  1395. text.replace(matcher, function (match, escape, interpolate, evaluate, offset) {
  1396. source += text.slice(index, offset).replace(escapeRegExp, escapeChar);
  1397. index = offset + match.length;
  1398. if (escape) {
  1399. source += "'+\n((__t=(" + escape + "))==null?'':_.escape(__t))+\n'";
  1400. } else if (interpolate) {
  1401. source += "'+\n((__t=(" + interpolate + "))==null?'':__t)+\n'";
  1402. } else if (evaluate) {
  1403. source += "';\n" + evaluate + "\n__p+='";
  1404. }
  1405. // Adobe VMs need the match returned to produce the correct offset.
  1406. return match;
  1407. });
  1408. source += "';\n";
  1409. // If a variable is not specified, place data values in local scope.
  1410. if (!settings.variable) source = 'with(obj||{}){\n' + source + '}\n';
  1411. source = "var __t,__p='',__j=Array.prototype.join," +
  1412. "print=function(){__p+=__j.call(arguments,'');};\n" +
  1413. source + 'return __p;\n';
  1414. var render;
  1415. try {
  1416. render = new Function(settings.variable || 'obj', '_', source);
  1417. } catch (e) {
  1418. e.source = source;
  1419. throw e;
  1420. }
  1421. var template = function (data) {
  1422. return render.call(this, data, _);
  1423. };
  1424. // Provide the compiled source as a convenience for precompilation.
  1425. var argument = settings.variable || 'obj';
  1426. template.source = 'function(' + argument + '){\n' + source + '}';
  1427. return template;
  1428. };
  1429. // Add a "chain" function. Start chaining a wrapped Underscore object.
  1430. _.chain = function (obj) {
  1431. var instance = _(obj);
  1432. instance._chain = true;
  1433. return instance;
  1434. };
  1435. // OOP
  1436. // ---------------
  1437. // If Underscore is called as a function, it returns a wrapped object that
  1438. // can be used OO-style. This wrapper holds altered versions of all the
  1439. // underscore functions. Wrapped objects may be chained.
  1440. // Helper function to continue chaining intermediate results.
  1441. var chainResult = function (instance, obj) {
  1442. return instance._chain ? _(obj).chain() : obj;
  1443. };
  1444. // Add your own custom functions to the Underscore object.
  1445. _.mixin = function (obj) {
  1446. _.each(_.functions(obj), function (name) {
  1447. var func = _[name] = obj[name];
  1448. _.prototype[name] = function () {
  1449. var args = [this._wrapped];
  1450. push.apply(args, arguments);
  1451. return chainResult(this, func.apply(_, args));
  1452. };
  1453. });
  1454. return _;
  1455. };
  1456. // Add all of the Underscore functions to the wrapper object.
  1457. _.mixin(_);
  1458. // Add all mutator Array functions to the wrapper.
  1459. _.each(['pop', 'push', 'reverse', 'shift', 'sort', 'splice', 'unshift'], function (name) {
  1460. var method = ArrayProto[name];
  1461. _.prototype[name] = function () {
  1462. var obj = this._wrapped;
  1463. method.apply(obj, arguments);
  1464. if ((name === 'shift' || name === 'splice') && obj.length === 0) delete obj[0];
  1465. return chainResult(this, obj);
  1466. };
  1467. });
  1468. // Add all accessor Array functions to the wrapper.
  1469. _.each(['concat', 'join', 'slice'], function (name) {
  1470. var method = ArrayProto[name];
  1471. _.prototype[name] = function () {
  1472. return chainResult(this, method.apply(this._wrapped, arguments));
  1473. };
  1474. });
  1475. // Extracts the result from a wrapped and chained object.
  1476. _.prototype.value = function () {
  1477. return this._wrapped;
  1478. };
  1479. // Provide unwrapping proxy for some methods used in engine operations
  1480. // such as arithmetic and JSON stringification.
  1481. _.prototype.valueOf = _.prototype.toJSON = _.prototype.value;
  1482. _.prototype.toString = function () {
  1483. return String(this._wrapped);
  1484. };
  1485. // AMD registration happens at the end for compatibility with AMD loaders
  1486. // that may not enforce next-turn semantics on modules. Even though general
  1487. // practice for AMD registration is to be anonymous, underscore registers
  1488. // as a named module because, like jQuery, it is a base library that is
  1489. // popular enough to be bundled in a third party lib, but not be part of
  1490. // an AMD load request. Those cases could generate an error when an
  1491. // anonymous define() is called outside of a loader request.
  1492. if (typeof define == 'function' && define.amd) {
  1493. define('underscore', [], function () {
  1494. return _;
  1495. });
  1496. }
  1497. }());