source: trip-planner-front/node_modules/nanomatch/index.js

Last change on this file was 6a3a178, checked in by Ema <ema_spirova@…>, 3 years ago

initial commit

  • Property mode set to 100644
File size: 22.1 KB
Line 
1'use strict';
2
3/**
4 * Module dependencies
5 */
6
7var util = require('util');
8var toRegex = require('to-regex');
9var extend = require('extend-shallow');
10
11/**
12 * Local dependencies
13 */
14
15var compilers = require('./lib/compilers');
16var parsers = require('./lib/parsers');
17var cache = require('./lib/cache');
18var utils = require('./lib/utils');
19var MAX_LENGTH = 1024 * 64;
20
21/**
22 * The main function takes a list of strings and one or more
23 * glob patterns to use for matching.
24 *
25 * ```js
26 * var nm = require('nanomatch');
27 * nm(list, patterns[, options]);
28 *
29 * console.log(nm(['a.js', 'a.txt'], ['*.js']));
30 * //=> [ 'a.js' ]
31 * ```
32 * @param {Array} `list` A list of strings to match
33 * @param {String|Array} `patterns` One or more glob patterns to use for matching.
34 * @param {Object} `options` See available [options](#options) for changing how matches are performed
35 * @return {Array} Returns an array of matches
36 * @summary false
37 * @api public
38 */
39
40function nanomatch(list, patterns, options) {
41 patterns = utils.arrayify(patterns);
42 list = utils.arrayify(list);
43
44 var len = patterns.length;
45 if (list.length === 0 || len === 0) {
46 return [];
47 }
48
49 if (len === 1) {
50 return nanomatch.match(list, patterns[0], options);
51 }
52
53 var negated = false;
54 var omit = [];
55 var keep = [];
56 var idx = -1;
57
58 while (++idx < len) {
59 var pattern = patterns[idx];
60
61 if (typeof pattern === 'string' && pattern.charCodeAt(0) === 33 /* ! */) {
62 omit.push.apply(omit, nanomatch.match(list, pattern.slice(1), options));
63 negated = true;
64 } else {
65 keep.push.apply(keep, nanomatch.match(list, pattern, options));
66 }
67 }
68
69 // minimatch.match parity
70 if (negated && keep.length === 0) {
71 if (options && options.unixify === false) {
72 keep = list.slice();
73 } else {
74 var unixify = utils.unixify(options);
75 for (var i = 0; i < list.length; i++) {
76 keep.push(unixify(list[i]));
77 }
78 }
79 }
80
81 var matches = utils.diff(keep, omit);
82 if (!options || options.nodupes !== false) {
83 return utils.unique(matches);
84 }
85
86 return matches;
87}
88
89/**
90 * Similar to the main function, but `pattern` must be a string.
91 *
92 * ```js
93 * var nm = require('nanomatch');
94 * nm.match(list, pattern[, options]);
95 *
96 * console.log(nm.match(['a.a', 'a.aa', 'a.b', 'a.c'], '*.a'));
97 * //=> ['a.a', 'a.aa']
98 * ```
99 * @param {Array} `list` Array of strings to match
100 * @param {String} `pattern` Glob pattern to use for matching.
101 * @param {Object} `options` See available [options](#options) for changing how matches are performed
102 * @return {Array} Returns an array of matches
103 * @api public
104 */
105
106nanomatch.match = function(list, pattern, options) {
107 if (Array.isArray(pattern)) {
108 throw new TypeError('expected pattern to be a string');
109 }
110
111 var unixify = utils.unixify(options);
112 var isMatch = memoize('match', pattern, options, nanomatch.matcher);
113 var matches = [];
114
115 list = utils.arrayify(list);
116 var len = list.length;
117 var idx = -1;
118
119 while (++idx < len) {
120 var ele = list[idx];
121 if (ele === pattern || isMatch(ele)) {
122 matches.push(utils.value(ele, unixify, options));
123 }
124 }
125
126 // if no options were passed, uniquify results and return
127 if (typeof options === 'undefined') {
128 return utils.unique(matches);
129 }
130
131 if (matches.length === 0) {
132 if (options.failglob === true) {
133 throw new Error('no matches found for "' + pattern + '"');
134 }
135 if (options.nonull === true || options.nullglob === true) {
136 return [options.unescape ? utils.unescape(pattern) : pattern];
137 }
138 }
139
140 // if `opts.ignore` was defined, diff ignored list
141 if (options.ignore) {
142 matches = nanomatch.not(matches, options.ignore, options);
143 }
144
145 return options.nodupes !== false ? utils.unique(matches) : matches;
146};
147
148/**
149 * Returns true if the specified `string` matches the given glob `pattern`.
150 *
151 * ```js
152 * var nm = require('nanomatch');
153 * nm.isMatch(string, pattern[, options]);
154 *
155 * console.log(nm.isMatch('a.a', '*.a'));
156 * //=> true
157 * console.log(nm.isMatch('a.b', '*.a'));
158 * //=> false
159 * ```
160 * @param {String} `string` String to match
161 * @param {String} `pattern` Glob pattern to use for matching.
162 * @param {Object} `options` See available [options](#options) for changing how matches are performed
163 * @return {Boolean} Returns true if the string matches the glob pattern.
164 * @api public
165 */
166
167nanomatch.isMatch = function(str, pattern, options) {
168 if (typeof str !== 'string') {
169 throw new TypeError('expected a string: "' + util.inspect(str) + '"');
170 }
171
172 if (utils.isEmptyString(str) || utils.isEmptyString(pattern)) {
173 return false;
174 }
175
176 var equals = utils.equalsPattern(options);
177 if (equals(str)) {
178 return true;
179 }
180
181 var isMatch = memoize('isMatch', pattern, options, nanomatch.matcher);
182 return isMatch(str);
183};
184
185/**
186 * Returns true if some of the elements in the given `list` match any of the
187 * given glob `patterns`.
188 *
189 * ```js
190 * var nm = require('nanomatch');
191 * nm.some(list, patterns[, options]);
192 *
193 * console.log(nm.some(['foo.js', 'bar.js'], ['*.js', '!foo.js']));
194 * // true
195 * console.log(nm.some(['foo.js'], ['*.js', '!foo.js']));
196 * // false
197 * ```
198 * @param {String|Array} `list` The string or array of strings to test. Returns as soon as the first match is found.
199 * @param {String|Array} `patterns` One or more glob patterns to use for matching.
200 * @param {Object} `options` See available [options](#options) for changing how matches are performed
201 * @return {Boolean} Returns true if any patterns match `str`
202 * @api public
203 */
204
205nanomatch.some = function(list, patterns, options) {
206 if (typeof list === 'string') {
207 list = [list];
208 }
209
210 for (var i = 0; i < list.length; i++) {
211 if (nanomatch(list[i], patterns, options).length === 1) {
212 return true;
213 }
214 }
215
216 return false;
217};
218
219/**
220 * Returns true if every element in the given `list` matches
221 * at least one of the given glob `patterns`.
222 *
223 * ```js
224 * var nm = require('nanomatch');
225 * nm.every(list, patterns[, options]);
226 *
227 * console.log(nm.every('foo.js', ['foo.js']));
228 * // true
229 * console.log(nm.every(['foo.js', 'bar.js'], ['*.js']));
230 * // true
231 * console.log(nm.every(['foo.js', 'bar.js'], ['*.js', '!foo.js']));
232 * // false
233 * console.log(nm.every(['foo.js'], ['*.js', '!foo.js']));
234 * // false
235 * ```
236 * @param {String|Array} `list` The string or array of strings to test.
237 * @param {String|Array} `patterns` One or more glob patterns to use for matching.
238 * @param {Object} `options` See available [options](#options) for changing how matches are performed
239 * @return {Boolean} Returns true if any patterns match `str`
240 * @api public
241 */
242
243nanomatch.every = function(list, patterns, options) {
244 if (typeof list === 'string') {
245 list = [list];
246 }
247
248 for (var i = 0; i < list.length; i++) {
249 if (nanomatch(list[i], patterns, options).length !== 1) {
250 return false;
251 }
252 }
253
254 return true;
255};
256
257/**
258 * Returns true if **any** of the given glob `patterns`
259 * match the specified `string`.
260 *
261 * ```js
262 * var nm = require('nanomatch');
263 * nm.any(string, patterns[, options]);
264 *
265 * console.log(nm.any('a.a', ['b.*', '*.a']));
266 * //=> true
267 * console.log(nm.any('a.a', 'b.*'));
268 * //=> false
269 * ```
270 * @param {String|Array} `str` The string to test.
271 * @param {String|Array} `patterns` One or more glob patterns to use for matching.
272 * @param {Object} `options` See available [options](#options) for changing how matches are performed
273 * @return {Boolean} Returns true if any patterns match `str`
274 * @api public
275 */
276
277nanomatch.any = function(str, patterns, options) {
278 if (typeof str !== 'string') {
279 throw new TypeError('expected a string: "' + util.inspect(str) + '"');
280 }
281
282 if (utils.isEmptyString(str) || utils.isEmptyString(patterns)) {
283 return false;
284 }
285
286 if (typeof patterns === 'string') {
287 patterns = [patterns];
288 }
289
290 for (var i = 0; i < patterns.length; i++) {
291 if (nanomatch.isMatch(str, patterns[i], options)) {
292 return true;
293 }
294 }
295 return false;
296};
297
298/**
299 * Returns true if **all** of the given `patterns`
300 * match the specified string.
301 *
302 * ```js
303 * var nm = require('nanomatch');
304 * nm.all(string, patterns[, options]);
305 *
306 * console.log(nm.all('foo.js', ['foo.js']));
307 * // true
308 *
309 * console.log(nm.all('foo.js', ['*.js', '!foo.js']));
310 * // false
311 *
312 * console.log(nm.all('foo.js', ['*.js', 'foo.js']));
313 * // true
314 *
315 * console.log(nm.all('foo.js', ['*.js', 'f*', '*o*', '*o.js']));
316 * // true
317 * ```
318 * @param {String|Array} `str` The string to test.
319 * @param {String|Array} `patterns` One or more glob patterns to use for matching.
320 * @param {Object} `options` See available [options](#options) for changing how matches are performed
321 * @return {Boolean} Returns true if any patterns match `str`
322 * @api public
323 */
324
325nanomatch.all = function(str, patterns, options) {
326 if (typeof str !== 'string') {
327 throw new TypeError('expected a string: "' + util.inspect(str) + '"');
328 }
329
330 if (typeof patterns === 'string') {
331 patterns = [patterns];
332 }
333
334 for (var i = 0; i < patterns.length; i++) {
335 if (!nanomatch.isMatch(str, patterns[i], options)) {
336 return false;
337 }
338 }
339 return true;
340};
341
342/**
343 * Returns a list of strings that _**do not match any**_ of the given `patterns`.
344 *
345 * ```js
346 * var nm = require('nanomatch');
347 * nm.not(list, patterns[, options]);
348 *
349 * console.log(nm.not(['a.a', 'b.b', 'c.c'], '*.a'));
350 * //=> ['b.b', 'c.c']
351 * ```
352 * @param {Array} `list` Array of strings to match.
353 * @param {String|Array} `patterns` One or more glob pattern to use for matching.
354 * @param {Object} `options` See available [options](#options) for changing how matches are performed
355 * @return {Array} Returns an array of strings that **do not match** the given patterns.
356 * @api public
357 */
358
359nanomatch.not = function(list, patterns, options) {
360 var opts = extend({}, options);
361 var ignore = opts.ignore;
362 delete opts.ignore;
363
364 list = utils.arrayify(list);
365
366 var matches = utils.diff(list, nanomatch(list, patterns, opts));
367 if (ignore) {
368 matches = utils.diff(matches, nanomatch(list, ignore));
369 }
370
371 return opts.nodupes !== false ? utils.unique(matches) : matches;
372};
373
374/**
375 * Returns true if the given `string` contains the given pattern. Similar
376 * to [.isMatch](#isMatch) but the pattern can match any part of the string.
377 *
378 * ```js
379 * var nm = require('nanomatch');
380 * nm.contains(string, pattern[, options]);
381 *
382 * console.log(nm.contains('aa/bb/cc', '*b'));
383 * //=> true
384 * console.log(nm.contains('aa/bb/cc', '*d'));
385 * //=> false
386 * ```
387 * @param {String} `str` The string to match.
388 * @param {String|Array} `patterns` Glob pattern to use for matching.
389 * @param {Object} `options` See available [options](#options) for changing how matches are performed
390 * @return {Boolean} Returns true if the patter matches any part of `str`.
391 * @api public
392 */
393
394nanomatch.contains = function(str, patterns, options) {
395 if (typeof str !== 'string') {
396 throw new TypeError('expected a string: "' + util.inspect(str) + '"');
397 }
398
399 if (typeof patterns === 'string') {
400 if (utils.isEmptyString(str) || utils.isEmptyString(patterns)) {
401 return false;
402 }
403
404 var equals = utils.equalsPattern(patterns, options);
405 if (equals(str)) {
406 return true;
407 }
408 var contains = utils.containsPattern(patterns, options);
409 if (contains(str)) {
410 return true;
411 }
412 }
413
414 var opts = extend({}, options, {contains: true});
415 return nanomatch.any(str, patterns, opts);
416};
417
418/**
419 * Returns true if the given pattern and options should enable
420 * the `matchBase` option.
421 * @return {Boolean}
422 * @api private
423 */
424
425nanomatch.matchBase = function(pattern, options) {
426 if (pattern && pattern.indexOf('/') !== -1 || !options) return false;
427 return options.basename === true || options.matchBase === true;
428};
429
430/**
431 * Filter the keys of the given object with the given `glob` pattern
432 * and `options`. Does not attempt to match nested keys. If you need this feature,
433 * use [glob-object][] instead.
434 *
435 * ```js
436 * var nm = require('nanomatch');
437 * nm.matchKeys(object, patterns[, options]);
438 *
439 * var obj = { aa: 'a', ab: 'b', ac: 'c' };
440 * console.log(nm.matchKeys(obj, '*b'));
441 * //=> { ab: 'b' }
442 * ```
443 * @param {Object} `object` The object with keys to filter.
444 * @param {String|Array} `patterns` One or more glob patterns to use for matching.
445 * @param {Object} `options` See available [options](#options) for changing how matches are performed
446 * @return {Object} Returns an object with only keys that match the given patterns.
447 * @api public
448 */
449
450nanomatch.matchKeys = function(obj, patterns, options) {
451 if (!utils.isObject(obj)) {
452 throw new TypeError('expected the first argument to be an object');
453 }
454 var keys = nanomatch(Object.keys(obj), patterns, options);
455 return utils.pick(obj, keys);
456};
457
458/**
459 * Returns a memoized matcher function from the given glob `pattern` and `options`.
460 * The returned function takes a string to match as its only argument and returns
461 * true if the string is a match.
462 *
463 * ```js
464 * var nm = require('nanomatch');
465 * nm.matcher(pattern[, options]);
466 *
467 * var isMatch = nm.matcher('*.!(*a)');
468 * console.log(isMatch('a.a'));
469 * //=> false
470 * console.log(isMatch('a.b'));
471 * //=> true
472 * ```
473 * @param {String} `pattern` Glob pattern
474 * @param {Object} `options` See available [options](#options) for changing how matches are performed.
475 * @return {Function} Returns a matcher function.
476 * @api public
477 */
478
479nanomatch.matcher = function matcher(pattern, options) {
480 if (utils.isEmptyString(pattern)) {
481 return function() {
482 return false;
483 };
484 }
485
486 if (Array.isArray(pattern)) {
487 return compose(pattern, options, matcher);
488 }
489
490 // if pattern is a regex
491 if (pattern instanceof RegExp) {
492 return test(pattern);
493 }
494
495 // if pattern is invalid
496 if (!utils.isString(pattern)) {
497 throw new TypeError('expected pattern to be an array, string or regex');
498 }
499
500 // if pattern is a non-glob string
501 if (!utils.hasSpecialChars(pattern)) {
502 if (options && options.nocase === true) {
503 pattern = pattern.toLowerCase();
504 }
505 return utils.matchPath(pattern, options);
506 }
507
508 // if pattern is a glob string
509 var re = nanomatch.makeRe(pattern, options);
510
511 // if `options.matchBase` or `options.basename` is defined
512 if (nanomatch.matchBase(pattern, options)) {
513 return utils.matchBasename(re, options);
514 }
515
516 function test(regex) {
517 var equals = utils.equalsPattern(options);
518 var unixify = utils.unixify(options);
519
520 return function(str) {
521 if (equals(str)) {
522 return true;
523 }
524
525 if (regex.test(unixify(str))) {
526 return true;
527 }
528 return false;
529 };
530 }
531
532 // create matcher function
533 var matcherFn = test(re);
534 // set result object from compiler on matcher function,
535 // as a non-enumerable property. useful for debugging
536 utils.define(matcherFn, 'result', re.result);
537 return matcherFn;
538};
539
540/**
541 * Returns an array of matches captured by `pattern` in `string, or
542 * `null` if the pattern did not match.
543 *
544 * ```js
545 * var nm = require('nanomatch');
546 * nm.capture(pattern, string[, options]);
547 *
548 * console.log(nm.capture('test/*.js', 'test/foo.js'));
549 * //=> ['foo']
550 * console.log(nm.capture('test/*.js', 'foo/bar.css'));
551 * //=> null
552 * ```
553 * @param {String} `pattern` Glob pattern to use for matching.
554 * @param {String} `string` String to match
555 * @param {Object} `options` See available [options](#options) for changing how matches are performed
556 * @return {Boolean} Returns an array of captures if the string matches the glob pattern, otherwise `null`.
557 * @api public
558 */
559
560nanomatch.capture = function(pattern, str, options) {
561 var re = nanomatch.makeRe(pattern, extend({capture: true}, options));
562 var unixify = utils.unixify(options);
563
564 function match() {
565 return function(string) {
566 var match = re.exec(unixify(string));
567 if (!match) {
568 return null;
569 }
570
571 return match.slice(1);
572 };
573 }
574
575 var capture = memoize('capture', pattern, options, match);
576 return capture(str);
577};
578
579/**
580 * Create a regular expression from the given glob `pattern`.
581 *
582 * ```js
583 * var nm = require('nanomatch');
584 * nm.makeRe(pattern[, options]);
585 *
586 * console.log(nm.makeRe('*.js'));
587 * //=> /^(?:(\.[\\\/])?(?!\.)(?=.)[^\/]*?\.js)$/
588 * ```
589 * @param {String} `pattern` A glob pattern to convert to regex.
590 * @param {Object} `options` See available [options](#options) for changing how matches are performed.
591 * @return {RegExp} Returns a regex created from the given pattern.
592 * @api public
593 */
594
595nanomatch.makeRe = function(pattern, options) {
596 if (pattern instanceof RegExp) {
597 return pattern;
598 }
599
600 if (typeof pattern !== 'string') {
601 throw new TypeError('expected pattern to be a string');
602 }
603
604 if (pattern.length > MAX_LENGTH) {
605 throw new Error('expected pattern to be less than ' + MAX_LENGTH + ' characters');
606 }
607
608 function makeRe() {
609 var opts = utils.extend({wrap: false}, options);
610 var result = nanomatch.create(pattern, opts);
611 var regex = toRegex(result.output, opts);
612 utils.define(regex, 'result', result);
613 return regex;
614 }
615
616 return memoize('makeRe', pattern, options, makeRe);
617};
618
619/**
620 * Parses the given glob `pattern` and returns an object with the compiled `output`
621 * and optional source `map`.
622 *
623 * ```js
624 * var nm = require('nanomatch');
625 * nm.create(pattern[, options]);
626 *
627 * console.log(nm.create('abc/*.js'));
628 * // { options: { source: 'string', sourcemap: true },
629 * // state: {},
630 * // compilers:
631 * // { ... },
632 * // output: '(\\.[\\\\\\/])?abc\\/(?!\\.)(?=.)[^\\/]*?\\.js',
633 * // ast:
634 * // { type: 'root',
635 * // errors: [],
636 * // nodes:
637 * // [ ... ],
638 * // dot: false,
639 * // input: 'abc/*.js' },
640 * // parsingErrors: [],
641 * // map:
642 * // { version: 3,
643 * // sources: [ 'string' ],
644 * // names: [],
645 * // mappings: 'AAAA,GAAG,EAAC,kBAAC,EAAC,EAAE',
646 * // sourcesContent: [ 'abc/*.js' ] },
647 * // position: { line: 1, column: 28 },
648 * // content: {},
649 * // files: {},
650 * // idx: 6 }
651 * ```
652 * @param {String} `pattern` Glob pattern to parse and compile.
653 * @param {Object} `options` Any [options](#options) to change how parsing and compiling is performed.
654 * @return {Object} Returns an object with the parsed AST, compiled string and optional source map.
655 * @api public
656 */
657
658nanomatch.create = function(pattern, options) {
659 if (typeof pattern !== 'string') {
660 throw new TypeError('expected a string');
661 }
662 function create() {
663 return nanomatch.compile(nanomatch.parse(pattern, options), options);
664 }
665 return memoize('create', pattern, options, create);
666};
667
668/**
669 * Parse the given `str` with the given `options`.
670 *
671 * ```js
672 * var nm = require('nanomatch');
673 * nm.parse(pattern[, options]);
674 *
675 * var ast = nm.parse('a/{b,c}/d');
676 * console.log(ast);
677 * // { type: 'root',
678 * // errors: [],
679 * // input: 'a/{b,c}/d',
680 * // nodes:
681 * // [ { type: 'bos', val: '' },
682 * // { type: 'text', val: 'a/' },
683 * // { type: 'brace',
684 * // nodes:
685 * // [ { type: 'brace.open', val: '{' },
686 * // { type: 'text', val: 'b,c' },
687 * // { type: 'brace.close', val: '}' } ] },
688 * // { type: 'text', val: '/d' },
689 * // { type: 'eos', val: '' } ] }
690 * ```
691 * @param {String} `str`
692 * @param {Object} `options`
693 * @return {Object} Returns an AST
694 * @api public
695 */
696
697nanomatch.parse = function(pattern, options) {
698 if (typeof pattern !== 'string') {
699 throw new TypeError('expected a string');
700 }
701
702 function parse() {
703 var snapdragon = utils.instantiate(null, options);
704 parsers(snapdragon, options);
705
706 var ast = snapdragon.parse(pattern, options);
707 utils.define(ast, 'snapdragon', snapdragon);
708 ast.input = pattern;
709 return ast;
710 }
711
712 return memoize('parse', pattern, options, parse);
713};
714
715/**
716 * Compile the given `ast` or string with the given `options`.
717 *
718 * ```js
719 * var nm = require('nanomatch');
720 * nm.compile(ast[, options]);
721 *
722 * var ast = nm.parse('a/{b,c}/d');
723 * console.log(nm.compile(ast));
724 * // { options: { source: 'string' },
725 * // state: {},
726 * // compilers:
727 * // { eos: [Function],
728 * // noop: [Function],
729 * // bos: [Function],
730 * // brace: [Function],
731 * // 'brace.open': [Function],
732 * // text: [Function],
733 * // 'brace.close': [Function] },
734 * // output: [ 'a/(b|c)/d' ],
735 * // ast:
736 * // { ... },
737 * // parsingErrors: [] }
738 * ```
739 * @param {Object|String} `ast`
740 * @param {Object} `options`
741 * @return {Object} Returns an object that has an `output` property with the compiled string.
742 * @api public
743 */
744
745nanomatch.compile = function(ast, options) {
746 if (typeof ast === 'string') {
747 ast = nanomatch.parse(ast, options);
748 }
749
750 function compile() {
751 var snapdragon = utils.instantiate(ast, options);
752 compilers(snapdragon, options);
753 return snapdragon.compile(ast, options);
754 }
755
756 return memoize('compile', ast.input, options, compile);
757};
758
759/**
760 * Clear the regex cache.
761 *
762 * ```js
763 * nm.clearCache();
764 * ```
765 * @api public
766 */
767
768nanomatch.clearCache = function() {
769 nanomatch.cache.__data__ = {};
770};
771
772/**
773 * Compose a matcher function with the given patterns.
774 * This allows matcher functions to be compiled once and
775 * called multiple times.
776 */
777
778function compose(patterns, options, matcher) {
779 var matchers;
780
781 return memoize('compose', String(patterns), options, function() {
782 return function(file) {
783 // delay composition until it's invoked the first time,
784 // after that it won't be called again
785 if (!matchers) {
786 matchers = [];
787 for (var i = 0; i < patterns.length; i++) {
788 matchers.push(matcher(patterns[i], options));
789 }
790 }
791
792 var len = matchers.length;
793 while (len--) {
794 if (matchers[len](file) === true) {
795 return true;
796 }
797 }
798 return false;
799 };
800 });
801}
802
803/**
804 * Memoize a generated regex or function. A unique key is generated
805 * from the `type` (usually method name), the `pattern`, and
806 * user-defined options.
807 */
808
809function memoize(type, pattern, options, fn) {
810 var key = utils.createKey(type + '=' + pattern, options);
811
812 if (options && options.cache === false) {
813 return fn(pattern, options);
814 }
815
816 if (cache.has(type, key)) {
817 return cache.get(type, key);
818 }
819
820 var val = fn(pattern, options);
821 cache.set(type, key, val);
822 return val;
823}
824
825/**
826 * Expose compiler, parser and cache on `nanomatch`
827 */
828
829nanomatch.compilers = compilers;
830nanomatch.parsers = parsers;
831nanomatch.cache = cache;
832
833/**
834 * Expose `nanomatch`
835 * @type {Function}
836 */
837
838module.exports = nanomatch;
Note: See TracBrowser for help on using the repository browser.