Comparator
类是一个用于比较两个值的工具类.
1 2 3 4 5 6 7 8 9 10 11 12 13 14 15 16 17 18 19 20 21 22 23 24 25 26 27 28 29 30 31 32 33 34 35 36 37 38 39 40 41 42 43 44 45 46 47 48 49 50 51 52 53 54 55 56 57 58 59 60 61 62 63 64 65 66 67 68 69
| export default class Comparator {
constructor(compareFunction) { this.compare = compareFunction || Comparator.defaultCompareFunction; }
static defaultCompareFunction(a, b) { if (a === b) { return 0; }
return a < b ? -1 : 1; }
equal(a, b) { return this.compare(a, b) === 0; }
lessThan(a, b) { return this.compare(a, b) < 0; }
greaterThan(a, b) { return this.compare(a, b) > 0; }
lessThanOrEqual(a, b) { return this.lessThan(a, b) || this.equal(a, b); }
greaterThanOrEqual(a, b) { return this.greaterThan(a, b) || this.equal(a, b); }
reverse() { const compareOriginal = this.compare; this.compare = (a, b) => compareOriginal(b, a); } }
|
在Comparator
类种, compareFunction
是一个可选参数, 可以传入自定义的比较函数. 如果没有传入比较函数, 则会使用默认的比较函数. compareFunction
应该是一个函数, 接受两个参数a
和b
, 返回一个数字, 表示它们的比较结果.
这个类的目的是为了提供一种方便的方式来进行比较操作, 以及在需要时动态地改变比较顺序.