最佳答案
进去。NET 4.0 + 中,类 SortedSet<T>
有一个名为 GetViewBetween(l, r)
的方法,该方法返回树部分的接口视图,该视图包含两个指定值之间的所有值。鉴于 SortedSet<T>
是以红黑树的形式实现的,我自然希望它在 O(log N)
时间内运行。C + + 中类似的方法是 std::set::lower_bound/upper_bound
,Java 中是 TreeSet.headSet/tailSet
,它们是对数的。
然而,事实并非如此。下面的代码运行时间为32秒,而相当于 GetViewBetween
的 O(log N)
版本的代码运行时间为1-2秒。
var s = new SortedSet<int>();
int n = 100000;
var rand = new Random(1000000007);
int sum = 0;
for (int i = 0; i < n; ++i) {
s.Add(rand.Next());
if (rand.Next() % 2 == 0) {
int l = rand.Next(int.MaxValue / 2 - 10);
int r = l + rand.Next(int.MaxValue / 2 - 10);
var t = s.GetViewBetween(l, r);
sum += t.Min;
}
}
Console.WriteLine(sum);
我使用 DotPeek反编译 System.dll,得到的结果如下:
public TreeSubSet(SortedSet<T> Underlying, T Min, T Max, bool lowerBoundActive, bool upperBoundActive)
: base(Underlying.Comparer)
{
this.underlying = Underlying;
this.min = Min;
this.max = Max;
this.lBoundActive = lowerBoundActive;
this.uBoundActive = upperBoundActive;
this.root = this.underlying.FindRange(this.min, this.max, this.lBoundActive, this.uBoundActive);
this.count = 0;
this.version = -1;
this.VersionCheckImpl();
}
internal SortedSet<T>.Node FindRange(T from, T to, bool lowerBoundActive, bool upperBoundActive)
{
SortedSet<T>.Node node = this.root;
while (node != null)
{
if (lowerBoundActive && this.comparer.Compare(from, node.Item) > 0)
{
node = node.Right;
}
else
{
if (!upperBoundActive || this.comparer.Compare(to, node.Item) >= 0)
return node;
node = node.Left;
}
}
return (SortedSet<T>.Node) null;
}
private void VersionCheckImpl()
{
if (this.version == this.underlying.version)
return;
this.root = this.underlying.FindRange(this.min, this.max, this.lBoundActive, this.uBoundActive);
this.version = this.underlying.version;
this.count = 0;
base.InOrderTreeWalk((TreeWalkPredicate<T>) (n =>
{
SortedSet<T>.TreeSubSet temp_31 = this;
int temp_34 = temp_31.count + 1;
temp_31.count = temp_34;
return true;
}));
}
因此,FindRange
显然是 O(log N)
,但在此之后,我们调用 VersionCheckImpl
... ... 它对找到的子树进行线性时间遍历,只是为了重新计算它的节点!
O(log N)
方法,用于基于键分割树,如 C + + 或 Java?真的在很多情况下都很有用。