remove_if的使用

remove_if(iterator1, iterator2, func()); 
用于对容器内的元素进行操作,源码如下:

  
  
  
  
  1. template <class ForwardIterator, class UnaryPredicate>
  2. ForwardIterator remove_if (ForwardIterator first, ForwardIterator last,
  3. UnaryPredicate pred)
  4. {
  5. ForwardIterator result = first;
  6. while (first!=last) {
  7. if (!pred(*first)) {
  8. *result = std::move(*first);
  9. ++result;
  10. }
  11. ++first;
  12. }
  13. return result;
  14. }

特性:只是在符合删除条件的元素本来的位置上用后来的元素进行了替换,并不会删除多余的空间,执行完毕后,返回剩余元素下一位的迭代器。 
要想在remove以后,删除多余的元素,需要在remove_if的外层使用erase函数,例子如下:

  
  
  
  
  1. #include <string>
  2. #include <vector>
  3. #include <iostream>
  4. #include <algorithm>
  5. #include <functional>
  6. using namespace std;
  7. int main()
  8. {
  9. std::vector<string> c { "123", "4564", "426567", "543d5", "4" };
  10. int x = 4;
  11. c.erase(std::remove_if(c.begin(), c.end(), [x](string n) { return n.size() >= 4; } ), c.end());
  12. std::cout << "c: ";
  13. for (auto i: c) {
  14. std::cout << i << ' ';
  15. }
  16. std::cout << '\n';
  17. }

你可能感兴趣的:(C++,remove_if)