请使用STL的std::remove_if算法删除std::vector容器中大于5的数字
在C++ 中, std::remove_if 算法并不会真正从容器中删除元素,
而是将满足条件的元素移动到容器末尾,并返回一个指向新的逻辑结束位置的迭代器。
你需要使用容器的 erase 成员函数来真正删除这些元素。
#include <iostream>
#include <vector>
#include <algorithm>int main() {std::vector<int> numbers = {1, 6, 3, 8, 4, 9, 5};// 使用 std::remove_if 算法将大于 5 的元素移动到容器末尾auto newEnd = std::remove_if(numbers.begin(), numbers.end(), [](int num) {return num > 5;});// 使用 erase 成员函数真正删除这些元素numbers.erase(newEnd, numbers.end());// 输出结果for (int num : numbers) {std::cout << num << " ";}return 0;
}