在 C++ 標準庫 <algorithm>
中,remove_if()
和 remove()
都是用于處理容器中元素的方法,但它們的實現和行為有所不同。
remove()
方法:
remove()
方法用于移除容器中所有等于指定值的元素。它并不真正刪除這些元素,而只是將不需要刪除的元素移到容器的前面,并返回一個指向“新”末尾的迭代器。要真正刪除這些元素,需要使用容器的 erase()
方法。示例代碼:
#include <iostream>
#include <vector>
#include <algorithm>
int main() {
std::vector<int> v = {1, 2, 3, 2, 4, 2, 5};
auto new_end = std::remove(v.begin(), v.end(), 2);
v.erase(new_end, v.end());
for (int x : v) {
std::cout<< x << ' ';
}
return 0;
}
輸出:
1 3 4 5
remove_if()
方法:
remove_if()
方法用于移除滿足指定條件的所有元素。與 remove()
不同,remove_if()
接受一個謂詞函數(即一個返回布爾值的函數或函數對象),并使用該謂詞函數來判斷哪些元素應該被移除。示例代碼:
#include <iostream>
#include <vector>
#include <algorithm>
bool is_even(int x) {
return x % 2 == 0;
}
int main() {
std::vector<int> v = {1, 2, 3, 4, 5, 6, 7, 8, 9};
auto new_end = std::remove_if(v.begin(), v.end(), is_even);
v.erase(new_end, v.end());
for (int x : v) {
std::cout<< x << ' ';
}
return 0;
}
輸出:
1 3 5 7 9
總結:
remove()
用于移除等于指定值的元素,而 remove_if()
用于移除滿足指定條件的元素。remove()
和 remove_if()
都不會真正刪除元素,而是將不需要刪除的元素移到容器的前面。要真正刪除這些元素,需要使用容器的 erase()
方法。remove_if()
更加靈活,因為它可以接受任何滿足要求的謂詞函數。