Underscore Fork

enter something useful

此腳本不應該直接安裝,它是一個供其他腳本使用的函式庫。欲使用本函式庫,請在腳本 metadata 寫上: // @require https://update.gf.qytechs.cn/scripts/5365/19455/Underscore%20Fork.js

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

QingJ © 2025

镜像随时可能失效,请加Q群300939539或关注我们的公众号极客氢云获取最新地址