답변:
일반적인 방법으로는 다음과 같은 많은 STL 컨테이너에 존재를 확인하기 위해 std::map
, std::set
...입니다 :
const bool is_in = container.find(element) != container.end();
std::find(container.begin(), container.end(), element) != container.end()
; 물론 O (N) 문제가 남아 있습니다.
if(container.find(foo) == container.end())
요소를 먼저 찾으려면 트리 조회를 수행해야합니다. 찾을 수없는 경우 올바른 삽입 위치를 찾으려면 두 번째 트리 조회를 수행해야합니다. 원래 변형 if(container.insert(foo).second) {...}
에는 하나의 단일 트리 조회 만 필요하다는 매력이 있습니다 ...
set.contains(x)
그 반환 C ++ 20 표준 부울. 2020 년까지 왜 우리를 데려
요소가 존재하는지 간단히 알려주는 또 다른 방법은 count()
if (myset.count(x)) {
// x is in the set, count is 1
} else {
// count zero, i.e. x not in the set
}
그러나 대부분의 경우 요소의 존재를 확인하는 곳마다 요소에 액세스해야합니다.
어쨌든 반복자를 찾아야합니다. 그런 다음 물론 간단히 비교하는 것이 좋습니다 end
.
set< X >::iterator it = myset.find(x);
if (it != myset.end()) {
// do something with *it
}
C ++ 20
C ++ 20에서 set은 contains
함수를 얻으므로 https://stackoverflow.com/a/54197839/895245
if (myset.contains(x)) {
// x is in the set
} else {
// no x
}
count()
대신에 사용 하는 find()
것이 더 좋지는 않지만 잠재적으로 더 나쁩니다. find()
첫 번째 일치 후에 반환 되기 때문에 count()
항상 모든 요소를 반복 하기 때문 입니다 .
multiset
와 multimap
내가 생각? 그래도 지적하는 것이 좋습니다 :)
set
일치하는 멤버를 하나만 포함 할 수 있기 때문에 Pieter가 지적한 것처럼 첫 번째 요소를 찾은 후 중지하는 방식으로 함수를 구현하지 않습니까? 어떤 경우에도 유용한 답변!
count()
보다 빠르지 않음 find()
)이 여전히 유지되지만 두 번째 부분은 실제로 적용되지 않습니다 std::set
. 그러나 나는 또 다른 주장이 유리 할 수 있다고 생각합니다 find()
. 더 표현력이 뛰어납니다. 즉, 발생 횟수를 세는 대신 요소를 찾으려고 강조합니다.
분명히 말하면, contains()
이러한 컨테이너 유형 과 같은 멤버가없는 이유는 비효율적 인 코드를 작성할 수 있기 때문입니다. 이러한 방법은 아마도 this->find(key) != this->end()
내부적으로 수행 할 것이지만 실제로 키가있을 때 수행하는 작업을 고려하십시오. 대부분의 경우 요소를 가져 와서 무언가를 원할 것입니다. 이것은 당신이 두 번째를해야한다는 것을 의미하며 find()
, 이는 비효율적입니다. find를 직접 사용하는 것이 좋으므로 다음과 같이 결과를 캐시 할 수 있습니다.
auto it = myContainer.find(key);
if (it != myContainer.end())
{
// Do something with it, no more lookup needed.
}
else
{
// Key was not present.
}
물론 효율성에 신경 쓰지 않는다면 항상 자신 만 롤링 할 수는 있지만 아마도 C ++을 사용해서는 안됩니다 ...;)
list::remove
, remove(makes_sense_only_for_vector, iterators)
...)
C ++ 20 에서는 마침내 std::set::contains
메소드를 얻게 됩니다.
#include <iostream>
#include <string>
#include <set>
int main()
{
std::set<std::string> example = {"Do", "not", "panic", "!!!"};
if(example.contains("panic")) {
std::cout << "Found\n";
} else {
std::cout << "Not found\n";
}
}
contains
함수 를 추가하려는 경우 다음과 같이 보일 수 있습니다.
#include <algorithm>
#include <iterator>
template<class TInputIterator, class T> inline
bool contains(TInputIterator first, TInputIterator last, const T& value)
{
return std::find(first, last, value) != last;
}
template<class TContainer, class T> inline
bool contains(const TContainer& container, const T& value)
{
// This works with more containers but requires std::begin and std::end
// from C++0x, which you can get either:
// 1. By using a C++0x compiler or
// 2. Including the utility functions below.
return contains(std::begin(container), std::end(container), value);
// This works pre-C++0x (and without the utility functions below, but doesn't
// work for fixed-length arrays.
//return contains(container.begin(), container.end(), value);
}
template<class T> inline
bool contains(const std::set<T>& container, const T& value)
{
return container.find(value) != container.end();
}
이것은 std::set
다른 STL 컨테이너 및 고정 길이 배열에서도 작동 합니다.
void test()
{
std::set<int> set;
set.insert(1);
set.insert(4);
assert(!contains(set, 3));
int set2[] = { 1, 2, 3 };
assert(contains(set2, 3));
}
주석에서 지적했듯이 C ++ 0x ( std::begin
및 std::end
)에 새로운 기능을 실수로 사용했습니다 . VS2010의 사소한 구현은 다음과 같습니다.
namespace std {
template<class _Container> inline
typename _Container::iterator begin(_Container& _Cont)
{ // get beginning of sequence
return (_Cont.begin());
}
template<class _Container> inline
typename _Container::const_iterator begin(const _Container& _Cont)
{ // get beginning of sequence
return (_Cont.begin());
}
template<class _Container> inline
typename _Container::iterator end(_Container& _Cont)
{ // get end of sequence
return (_Cont.end());
}
template<class _Container> inline
typename _Container::const_iterator end(const _Container& _Cont)
{ // get end of sequence
return (_Cont.end());
}
template<class _Ty,
size_t _Size> inline
_Ty *begin(_Ty (&_Array)[_Size])
{ // get beginning of array
return (&_Array[0]);
}
template<class _Ty,
size_t _Size> inline
_Ty *end(_Ty (&_Array)[_Size])
{ // get end of array
return (&_Array[0] + _Size);
}
}
std::set
하고 경우에만 적절한 것 기억 에만 당신이 알아야 할 것은 존재입니다.
요소를 삽입하는 동안 요소가 설정되어 있는지 여부를 확인할 수도 있습니다. 단일 요소 버전은 멤버 pair :: first가 새로 삽입 된 요소 또는 세트에 이미있는 동등한 요소를 가리키는 반복자로 설정된 쌍을 리턴합니다. 새 요소가 삽입 된 경우 쌍의 pair :: second 요소는 true로 설정되고 동등한 요소가 이미 존재하면 false로 설정됩니다.
예를 들어, 세트에 이미 요소로 20이 있다고 가정하십시오.
std::set<int> myset;
std::set<int>::iterator it;
std::pair<std::set<int>::iterator,bool> ret;
ret=myset.insert(20);
if(ret.second==false)
{
//do nothing
}
else
{
//do something
}
it=ret.first //points to element 20 already in set.
요소가 pair :: first보다 새로 삽입 된 경우 set에서 새 요소의 위치를 가리 킵니다.
직접 작성하십시오 :
template<class T>
bool checkElementIsInSet(const T& elem, const std::set<T>& container)
{
return container.find(elem) != container.end();
}
나는 사용한다
if(!my_set.count(that_element)) //Element is present...
;
그러나 그것은 효율적이지 않습니다
if(my_set.find(that_element)!=my_set.end()) ....;
내 버전은 코드 작성 시간 만 절약합니다. 나는 경쟁력있는 코딩을 위해이 방법을 선호합니다.
count()
. 부울 식에 사용되는 정수 반환 함수가 0이 아닌 것을 테스트한다는 것을 알 수없는 사람은 C / C ++ 관용구의 바다에서 많은 다른 수고를 겪을 것입니다. 그리고 위에서 언급했듯이 실제로 세트에 대해 효율적이어야합니다. 이것이 문제였습니다.
나는 일반적으로 쓸 수 있었다 contains
위한 기능을 std::list
하고 std::vector
,
template<typename T>
bool contains( const list<T>& container, const T& elt )
{
return find( container.begin(), container.end(), elt ) != container.end() ;
}
template<typename T>
bool contains( const vector<T>& container, const T& elt )
{
return find( container.begin(), container.end(), elt ) != container.end() ;
}
// use:
if( contains( yourList, itemInList ) ) // then do something
이것은 구문을 약간 정리합니다.
그러나 템플릿 템플릿 매개 변수 마술 을 사용 하여이 작업을 임의의 stl 컨테이너로 만들 수 없었습니다 .
// NOT WORKING:
template<template<class> class STLContainer, class T>
bool contains( STLContainer<T> container, T elt )
{
return find( container.begin(), container.end(), elt ) != container.end() ;
}
마지막 답변 개선에 대한 의견은 좋을 것입니다.
template<typename CONTAINER, typename CONTAINEE> bool contains(const CONTAINER& container, const CONTAINEE& needle) { return find(container.begin(), container.end(), needle) != container.end();
// 일반 구문
set<int>::iterator ii = find(set1.begin(),set1.end(),"element to be searched");
아래 코드에서 / * 나는 요소 4가 있고 int 설정되어 있는지 확인하려고합니다. * /
set<int>::iterator ii = find(set1.begin(),set1.end(),4);
if(ii!=set1.end())
{
cout<<"element found";
set1.erase(ii);// in case you want to erase that element from set.
}