미리 정의 된 기준에 맞는 요소를 설정하고 제거해야합니다.
이것은 내가 작성한 테스트 코드입니다.
#include <set>
#include <algorithm>
void printElement(int value) {
std::cout << value << " ";
}
int main() {
int initNum[] = { 0, 1, 2, 3, 4, 5, 6, 7, 8, 9 };
std::set<int> numbers(initNum, initNum + 10);
// print '0 1 2 3 4 5 6 7 8 9'
std::for_each(numbers.begin(), numbers.end(), printElement);
std::set<int>::iterator it = numbers.begin();
// iterate through the set and erase all even numbers
for (; it != numbers.end(); ++it) {
int n = *it;
if (n % 2 == 0) {
// wouldn't invalidate the iterator?
numbers.erase(it);
}
}
// print '1 3 5 7 9'
std::for_each(numbers.begin(), numbers.end(), printElement);
return 0;
}
처음에는 반복하는 동안 집합에서 요소를 지우면 반복자가 무효화되고 for 루프의 증가분에는 정의되지 않은 동작이 있다고 생각했습니다. 그럼에도 불구 하고이 테스트 코드를 실행했는데 모두 잘 진행되었으며 이유를 설명 할 수 없습니다.
내 질문 : 이것은 std 세트에 대해 정의 된 동작입니까, 아니면 구현에 특정한 것입니까? 그런데 우분투 10.04 (32 비트 버전)에서 gcc 4.3.3을 사용하고 있습니다.
감사!
제안 된 해결책:
이것이 세트에서 요소를 반복하고 지우는 올바른 방법입니까?
while(it != numbers.end()) {
int n = *it;
if (n % 2 == 0) {
// post-increment operator returns a copy, then increment
numbers.erase(it++);
} else {
// pre-increment operator increments, then return
++it;
}
}
편집 : 선호하는 솔루션
나는 정확히 똑같이 보이지만 나에게 더 우아해 보이는 해결책을 찾았습니다.
while(it != numbers.end()) {
// copy the current iterator then increment it
std::set<int>::iterator current = it++;
int n = *current;
if (n % 2 == 0) {
// don't invalidate iterator it, because it is already
// pointing to the next element
numbers.erase(current);
}
}
while 안에 여러 테스트 조건이있는 경우 각 테스트 조건이 반복자를 증가시켜야합니다. 반복자가 한 곳에서만 증가하기 때문에이 코드가 더 좋습니다. 오류가 적고 읽기 쉽습니다.
++it
은 it++
iterator의 보이지 않는 임시 복사본을 사용할 필요 가 없기 때문에 다소 효율적 입니다. Kornel 버전은 더 오래 필터링되지 않은 요소가 가장 효율적으로 반복되도록합니다.