这个问题是类似到this的问题,但我需要在unordered_map(hashMap)而不是map中找到它。由于unordered_map中的元素显然是无序的,我不能使用类似问题中提到的逻辑。
那么,是否有某种方法(顺序迭代除外)找出unordered_map中的最大键?也就是说,最好是O(1)
或O(logN)
而不是O(n)
?
谢谢!
答案 0 :(得分:0)
不,就其本质而言,无序地图无法轻易实现其最大价值,因此,如果您只有无序地图,则必须按顺序搜索。
但是,没有什么可以阻止您提供源自(或包含)无序地图并向其添加功能的自己的类。在伪代码中,包含类可能类似于:
class my_int_map:
unordered_int_map m_map; # Actual underlying map.
int m_maxVal = 0; # Max value (if m_count > 0).
bool m_count = 0; # Count of items with max value.
int getMaxVal():
# No max value if map is empty (throws, but you
# could return some sentinel value like MININT).
if m_map.size() == 0:
throw no_max_value
# If max value unknown, work it out.
if m_count == 0:
m_maxVal = m_map[0]
m_count = 0
for each item in m_map:
if item > m_maxVal:
m_maxVal = item
m_count = 1
else if item == m_maxVal:
m_count++
return m_maxVal
addVal(int n):
# Add it to real map first.
m_map.add(n)
# If it's only one in map, it's obviously the max.
if m_map.size() == 1:
m_maxVal = n
m_count = 1
return
# If it's equal to current max, increment count.
if m_count > 0 and n == m_maxVal:
m_count++
return
# If it's greater than current max, fix that.
if m_count > 0 and n > m_maxVal:
m_maxVal = n
m_count = 1
delIndex(int index):
# If we're deleting a largest value, we just decrement
# the count, but only down to zero.
if m_count > 0 and m_map[index] == m_maxVal:
m_count--
m_map.del(index)
这是对某些集合的标准优化,因为它提供了对某些属性的延迟评估,同时仍然将其缓存以提高速度。
只有当您删除当前具有最高价值的最后一个项目时才会进行O(n)
搜索。
所有其他操作(get-max,add,delete,当不是最终的最大项目时)保持最大值的更新为O(1)
。