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
78
79
80
81
82
83
84
85
86
87
88
89
90
91
92
93
94
95
96
97
98
99
100
101
102
103
104
105
106
107
108
109
110
111
112
113
114
115
116
117
118
119
120
121
122
123
124
125
126
| // 返回集合中已保存元素数量
public int size() {
return m.size();
}
// 返回集合是否为空
public boolean isEmpty() {
return m.isEmpty();
}
// 返回集合是否包含该元素
public boolean contains(Object o) {
return m.containsKey(o);
}
// 添加元素
public boolean add(E e) {
return m.put(e, PRESENT)==null;
}
// 移除元素
public boolean remove(Object o) {
return m.remove(o)==PRESENT;
}
// 清空所有元素
public void clear() {
m.clear();
}
// 批量添加元素
public boolean addAll(Collection<? extends E> c) {
// Use linear-time version if applicable
if (m.size()==0 && c.size() > 0 &&
c instanceof SortedSet &&
m instanceof TreeMap) {
SortedSet<? extends E> set = (SortedSet<? extends E>) c;
TreeMap<E,Object> map = (TreeMap<E, Object>) m;
Comparator<?> cc = set.comparator();
Comparator<? super E> mc = map.comparator();
if (cc==mc || (cc != null && cc.equals(mc))) {
map.addAllForTreeSet(set, PRESENT);
return true;
}
}
return super.addAll(c);
}
// 返回子集
public NavigableSet<E> subSet(E fromElement, boolean fromInclusive,
E toElement, boolean toInclusive) {
return new TreeSet<>(m.subMap(fromElement, fromInclusive,
toElement, toInclusive));
}
// 返回指定范围元素:[headElement, toElement] 或 [headElement, toElement)
public NavigableSet<E> headSet(E toElement, boolean inclusive) {
return new TreeSet<>(m.headMap(toElement, inclusive));
}
// 返回指定范围元素:[headElement, toElement)
public SortedSet<E> headSet(E toElement) {
return headSet(toElement, false);
}
// 返回指定范围元素:[fromElement, tailElement] 或 [fromElement, tailElement)
public NavigableSet<E> tailSet(E fromElement, boolean inclusive) {
return new TreeSet<>(m.tailMap(fromElement, inclusive));
}
// 返回指定范围元素:[fromElement, tailElement]
public SortedSet<E> tailSet(E fromElement) {
return tailSet(fromElement, true);
}
// 返回指定范围元素:[fromElement, toElement)
public SortedSet<E> subSet(E fromElement, E toElement) {
return subSet(fromElement, true, toElement, false);
}
// 获取comparator
public Comparator<? super E> comparator() {
return m.comparator();
}
// 获取第一个元素
public E first() {
return m.firstKey();
}
// 获取最后一个元素
public E last() {
return m.lastKey();
}
// 返回小于e的最大元素
public E lower(E e) {
return m.lowerKey(e);
}
// 返回小于/等于e的最大元素
public E floor(E e) {
return m.floorKey(e);
}
// 返回大于/等于e的最小元素
public E ceiling(E e) {
return m.ceilingKey(e);
}
// 返回大于e的最小元素
public E higher(E e) {
return m.higherKey(e);
}
// 获取第一个元素,并把该元素从TreeMap中移除
public E pollFirst() {
Map.Entry<E,?> e = m.pollFirstEntry();
return (e == null) ? null : e.getKey();
}
// 获取最后一个元素,并把该元素从TreeMap中移除
public E pollLast() {
Map.Entry<E,?> e = m.pollLastEntry();
return (e == null) ? null : e.getKey();
}
|