Multiset索引查找

时间:2015-01-18 11:31:53

标签: c++ multiset

我有一组多个int。 C ++

multiset<int>t;

我需要找到第一个元素的位置,该位置大于等于val。我在这个

中使用了lower_bound
multiset<int>::iterator it= lower_bound(t[n].begin(), t[n].end(), val);

但无法找到多组开头的相对位置。 正如Cplusplus.com建议使用..作为矢量。

// lower_bound/upper_bound example
#include <iostream>     // std::cout
#include <algorithm>    // std::lower_bound, std::upper_bound, std::sort
#include <vector>       // std::vector

int main () {
  int myints[] = {10,20,30,30,20,10,10,20};
  std::vector<int> v(myints,myints+8);           // 10 20 30 30 20 10 10 20

  std::sort (v.begin(), v.end());                // 10 10 10 20 20 20 30 30

  std::vector<int>::iterator low,up;
  low=std::lower_bound (v.begin(), v.end(), 20); //          ^
  up= std::upper_bound (v.begin(), v.end(), 20); //                   ^

  std::cout << "lower_bound at position " << (low- v.begin()) << '\n';
  std::cout << "upper_bound at position " << (up - v.begin()) << '\n';

  return 0;
}

我可以在多套装中做到吗? 另一个问题是:我可以合并为多组,如下图所示的向量,v1,v2,v是向量吗?

merge(v1.begin(),v1.end(),v2.begin(),v1.end(),back_inserter(v))

2 个答案:

答案 0 :(得分:1)

获取两个迭代器之间距离的一般方法是调用std::distance

auto it = std::lower_bound(t[n].begin(), t[n].end(), val);
const auto pos = std::distance(t[n].begin(), it);

答案 1 :(得分:1)

对于std::multiset,成员类型iteratorconst_iterator是双向迭代器类型。双向迭代器不支持算术运算符+和 - (有关详细信息,请检查cppreference)。

std::distance可用于计算两个迭代器之间的元素数。

如果参数是随机访问迭代器,

std::distance使用operator-来计算元素数。否则,它会反复使用增量运算符(operator ++)。

以下是来自cppreference的略微更改的代码段。

#include <iostream>
#include <set>

int main ()
{
  std::multiset<int> mymultiset;
  std::multiset<int>::iterator itlow, itup;

  for (int i = 1; i < 8; i++) mymultiset.insert(i * 10); // 10 20 30 40 50 60 70

  itlow = mymultiset.lower_bound(30);
  itup = mymultiset.upper_bound(40);

  std::cout << std::distance(mymultiset.begin(), itlow) << std::endl;
  std::cout << std::distance(mymultiset.begin(), itup) << std::endl;

  mymultiset.erase(itlow, itup); // 10 20 50 60 70

  std::cout << "mymultiset contains: ";
  for (std::multiset<int>::iterator it = mymultiset.begin(); it != mymultiset.end(); ++it)
    std::cout << ' ' << *it;
  std::cout << '\n';

  return 0;
}

输出

2
4
mymultiset contains:  10 20 50 60 70

您可以将std::multisetstd::multiset::insert成员函数合并为以下内容;

#include <iostream>
#include <set>

int main ()
{
  std::multiset<int> mset1;
  std::multiset<int> mset2;

  for (int i = 1; i < 8; i++) mset1.insert(i * 10); // 10 20 30 40 50 60 70
  for (int i = 1; i < 8; i++) mset2.insert(i * 10); // 10 20 30 40 50 60 70

  mset1.insert(mset2.begin(), mset2.end());

  std::cout << "mset1 contains: ";
  for (std::multiset<int>::iterator it = mset1.begin(); it != mset1.end(); ++it)
    std::cout << ' ' << *it;
  std::cout << '\n';

  return 0;
}

输出

mset1 contains:  10 10 20 20 30 30 40 40 50 50 60 60 70 70