我正在寻找一个可以维护一维范围列表的C ++类。
每个范围都定义为(start,len)
对。
我希望能够在列表中添加其他扩展区并自动合并它们。也就是说,如果列表中有(0,5)
和(10,5)
,并且添加了(5,5)
,则新列表应仅包含(0,15)
。
永远不会从列表中删除范围。
这样的事情是否存在?
感谢。
答案 0 :(得分:5)
您正在寻找Boost.Icl。它完全符合你的描述。
http://www.boost.org/doc/libs/1_52_0/libs/icl/doc/html/index.html
答案 1 :(得分:2)
以下是简单间隔容器的示例实现:
#include <iostream>
#include <vector>
#include <memory>
#include <algorithm>
using std::vector;
using std::pair;
using std::make_pair;
typedef pair<int, int> interval;
struct interval_container
{
void add(int start, int len)
{
_data.emplace_back( make_pair(start, len) );
}
void consolidate()
{
// sort intervals first by start then by length
std::sort(_data.begin(), _data.end());
// create temp data
vector<interval> consolidated;
// iterate over all sorted intervals
for(const interval& i : _data)
{
int start = i.first;
int len = i.second;
// special case: first interval
if (consolidated.empty())
{
consolidated.emplace_back(i);
}
// all other cases
else
{
// get last interval in the consolidated array
interval& last = consolidated.back();
int& last_start = last.first;
int& last_len = last.second;
// if the current interval can be merged with the last one
if ((start >= last_start) and (start < (last_start + last_len)))
{
// merge the interval with the last one
last_len = std::max(last_len, (start + len - last_start));
}
// if the current interval can't be merged with the last one
else
{
consolidated.emplace_back(i);
}
}
}
// copy consolidated data
_data = consolidated;
}
vector<interval>& data() { return _data; }
private:
vector<interval> _data;
};
int main()
{
interval_container intervals;
intervals.add(0, 2);
intervals.add(1, 3);
intervals.add(5, 3);
intervals.consolidate();
int c(0);
for(interval i : intervals.data())
{
std::cout << (c++) << ": from " << i.first << " to " << (i.first + i.second) << std::endl;
}
}