- iOS/Objective-C 元类和类别
- objective-c - -1001 错误,当 NSURLSession 通过 httpproxy 和/etc/hosts
- java - 使用网络类获取 url 地址
- ios - 推送通知中不播放声音
如果我有一个已经形成的NavigableMap
。 floorEntry()
操作执行所需的时间是多少?是 O(1)
还是 O(logn)
?
例如:
如果我有一个具有 n 个间隔的 NavigableMap
,并且我使用 map.floorEntry(k)
来获取一些随机的 k
,那么会是什么操作执行的时间复杂度?
最佳答案
NavigableMap
是一个接口(interface),因此我无法回答该接口(interface)的任何实现。但是,对于 TreeMap
实现,floorEntry()
需要 log(n)
时间。
TreeMap
的 Javadoc 只说明了
This implementation provides guaranteed log(n) time cost for the containsKey, get, put and remove operations
但是floorEntry()
的实现在复杂度上与get()
的实现类似。
两者都调用辅助方法(get()
调用 getEntry()
和 floorEntry()
调用 getFloorEntry()
) 执行大部分逻辑,两个辅助方法都有一个 while 循环,在每次迭代中前进到左或右 child ,直到它找到它正在寻找的东西或到达叶子。因此所需的时间是树的深度 - O(log(n))
。
下面是getEntry()
和floorEntry()
的实现:
/**
* Returns this map's entry for the given key, or {@code null} if the map
* does not contain an entry for the key.
*
* @return this map's entry for the given key, or {@code null} if the map
* does not contain an entry for the key
* @throws ClassCastException if the specified key cannot be compared
* with the keys currently in the map
* @throws NullPointerException if the specified key is null
* and this map uses natural ordering, or its comparator
* does not permit null keys
*/
final Entry<K,V> getEntry(Object key) {
// Offload comparator-based version for sake of performance
if (comparator != null)
return getEntryUsingComparator(key);
if (key == null)
throw new NullPointerException();
@SuppressWarnings("unchecked")
Comparable<? super K> k = (Comparable<? super K>) key;
Entry<K,V> p = root;
while (p != null) {
int cmp = k.compareTo(p.key);
if (cmp < 0)
p = p.left;
else if (cmp > 0)
p = p.right;
else
return p;
}
return null;
}
/**
* Gets the entry corresponding to the specified key; if no such entry
* exists, returns the entry for the greatest key less than the specified
* key; if no such entry exists, returns {@code null}.
*/
final Entry<K,V> getFloorEntry(K key) {
Entry<K,V> p = root;
while (p != null) {
int cmp = compare(key, p.key);
if (cmp > 0) {
if (p.right != null)
p = p.right;
else
return p;
} else if (cmp < 0) {
if (p.left != null) {
p = p.left;
} else {
Entry<K,V> parent = p.parent;
Entry<K,V> ch = p;
while (parent != null && ch == parent.left) {
ch = parent;
parent = parent.parent;
}
return parent;
}
} else
return p;
}
return null;
}
关于java - NavigableMap 的 floorEntry() 方法的时间复杂度是多少?,我们在Stack Overflow上找到一个类似的问题: https://stackoverflow.com/questions/45856405/
在实现 ip-lookup 结构时,我试图在类似 trie 的结构中维护一组键,该结构允许我搜索键的“floor”(即小于或等于的最大键)到给定的键)。我决定使用 Apache Collections
如果我有一个已经形成的NavigableMap。 floorEntry() 操作执行所需的时间是多少?是 O(1) 还是 O(logn)? 例如: 如果我有一个具有 n 个间隔的 NavigableM
我在 Java 中多次使用 NavigableMap 接口(interface),它很方便。 具体来说,我喜欢使用它的 floorEntry 和 ceilingEntry 方法,它们分别为您提供下一个
我是一名优秀的程序员,十分优秀!