-
Notifications
You must be signed in to change notification settings - Fork 0
/
Copy pathRange.js
77 lines (67 loc) · 2.69 KB
/
Range.js
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
70
71
72
73
74
75
76
77
/*global define, brackets, $ */
define(function (require, exports, module) {
"use strict";
const { Position } = require("Position");
exports.Range = class Range {
constructor(startLine, startCh, endLine, endCh) {
const start = new Position(startLine, startCh);
const end = new Position(endLine, endCh);
this.reversed = start.isBefore(end) === false;
this.start = this.reversed ? end: start;
this.end = this.reversed ? start: end;
}
isEmpty() {
return this.start.line === this.end.line && this.start.ch === this.end.ch;
}
equals(range) {
return !(
this.start.line !== range.start.line ||
this.start.ch !== range.start.ch ||
this.end.line !== range.end.line ||
this.end.ch !== range.end.ch
);
}
contains(positionOrRange) {
if (positionOrRange instanceof Range) {
return this.contains(positionOrRange.start) && this.contains(positionOrRange.end);
}
if (positionOrRange instanceof Position) {
if (positionOrRange.line < this.start.line || positionOrRange.line > this.end.line) {
return false;
}
if (positionOrRange.line === this.start.line && positionOrRange.ch < this.start.ch) {
return false;
}
if (positionOrRange.line === this.end.line && positionOrRange.ch > this.end.ch) {
return false;
}
return true;
}
return false;
}
union(range) {
let startLine, startCh, endLine, endCh;
if (range.start.line < this.start.line) {
startLine = range.start.line;
startCh = range.start.ch;
} else if (range.start.line === this.start.line) {
startLine = range.start.line;
startCh = Math.min(range.start.ch, this.start.ch);
} else {
startLine = this.start.line;
startCh = this.start.ch;
}
if (range.end.line > this.end.line) {
endLine = range.end.line;
endCh = range.end.ch;
} else if (range.end.line === this.end.line) {
endLine = range.end.line;
endCh = Math.max(range.end.ch, this.end.ch);
} else {
endLine = this.end.line;
endCh = this.end.ch;
}
return new Range(startLine, startCh, endLine, endCh);
}
};
});