其他分享
首页 > 其他分享> > 如何在C中找到两个std :: set的交集?

如何在C中找到两个std :: set的交集?

作者:互联网

我一直试图在C中找到两个std :: set之间的交集,但我一直收到错误.

我为此创建了一个小样本测试

#include <iostream>
#include <vector>
#include <algorithm>
#include <set>
using namespace std;

int main() {
  set<int> s1;
  set<int> s2;

  s1.insert(1);
  s1.insert(2);
  s1.insert(3);
  s1.insert(4);

  s2.insert(1);
  s2.insert(6);
  s2.insert(3);
  s2.insert(0);

  set_intersection(s1.begin(),s1.end(),s2.begin(),s2.end());
  return 0;
}

后一个程序不生成任何输出,但我希望有一个新的集合(让我们称之为s3)具有以下值:

s3 = [ 1 , 3 ]

相反,我得到错误:

test.cpp: In function ‘int main()’:
test.cpp:19: error: no matching function for call to ‘set_intersection(std::_Rb_tree_const_iterator<int>, std::_Rb_tree_const_iterator<int>, std::_Rb_tree_const_iterator<int>, std::_Rb_tree_const_iterator<int>)’

我从这个错误中理解的是,set_intersection中没有接受Rb_tree_const_iterator< int>的定义.作为参数.

此外,我想std :: set.begin()方法返回这种类型的对象,

有没有更好的方法来找到C中的两个std :: set的交集?最好是内置功能?

非常感谢!

解决方法:

你还没有为set_intersection提供输出迭代器

template <class InputIterator1, class InputIterator2, class OutputIterator>
OutputIterator set_intersection ( InputIterator1 first1, InputIterator1 last1,
                                InputIterator2 first2, InputIterator2 last2,
                                OutputIterator result );

通过做类似的事情解决这个问题

...;
set<int> intersect;
set_intersection(s1.begin(),s1.end(),s2.begin(),s2.end(),
                  std::inserter(intersect,intersect.begin()));

你需要一个std :: insert迭代器,因为该集合现在是空的.我们不能使用back_或front_inserter,因为set不支持这些操作.

标签:stdset,stl-algorithm,c,std
来源: https://codeday.me/bug/20190928/1826686.html