當前位置: 首頁>>代碼示例 >>用法及示例精選 >>正文


C++ list::remove()、list::remove_if()用法及代碼示例


列表是C++中用於以非連續方式存儲數據的容器。通常,數組和向量本質上是連續的,因此,與列表中的插入和刪除選項相比,插入和刪除操作的成本更高。

list::remove()

remove()函數用於從列表中刪除與作為函數參數給出的值相對應的所有值

用法:


listname.remove(value)
參數:
The value of the element to be removed is passed as the parameter.
Result:
Removes all the elements of the container
equal to the value passed as parameter

例子:

Input :list list{1, 2, 3, 4, 5};
         list.remove(4);
Output:1, 2, 3, 5

Input :list list{1, 2, 2, 2, 5, 6, 7};
         list.remove(2);
Output:1, 5, 6, 7

錯誤和異常

  1. 如果傳遞的值與列表類型不匹配,則顯示錯誤。
  2. 如果列表函數的值和元素之間的比較未引發任何異常,則不顯示異常引發保證。
// CPP program to illustrate 
// Implementation of remove() function 
#include <iostream> 
#include <list> 
using namespace std; 
  
int main() 
{ 
    list<int> mylist{ 1, 2, 2, 2, 5, 6, 7 }; 
    mylist.remove(2); 
    for (auto it = mylist.begin(); it != mylist.end(); ++it) 
        cout << ' ' << *it; 
}

輸出:

1 5 6 7
清單::remove_if()

remove_if()函數用於從列表中刪除與謂詞或條件相對應的所有值,這些謂詞或條件作為函數的參數給出。該函數遍曆列表容器的每個成員,並刪除所有對謂詞返回true的元素。

用法:

listname.remove_if(predicate)
參數:
The predicate in the form of aa function pointer
or function object is passed as the parameter.
Result:
Removes all the elements of the container
which return true for the predicate.

例子:

Input :list list{1, 2, 3, 4, 5};
         list.remove_if(odd);
Output:2, 4

Input :list list{1, 2, 2, 2, 5, 6, 7};
         list.remove_if(even);
Output:1, 5, 7

錯誤和異常

  1. 如果謂詞函數函數未引發任何異常,則不顯示任何引發異常的保證。
// CPP program to illustrate 
// Implementation of remove_if() function 
#include <iostream> 
#include <list> 
using namespace std; 
  
// Predicate implemented as a function 
bool even(const int& value) { return (value % 2) == 0; } 
  
// Main function 
int main() 
{ 
    list<int> mylist{ 1, 2, 2, 2, 5, 6, 7 }; 
    mylist.remove_if(even); 
    for (auto it = mylist.begin(); it != mylist.end(); ++it) 
        cout << ' ' << *it; 
}

輸出:

1 5 7

應用程序:給定一個整數列表,從列表中刪除所有素數並打印該列表。

Input :2, 4, 6, 7, 9, 11, 13
Output:4, 6, 9
// CPP program to illustrate 
// Application of remove_if() function 
#include <iostream> 
#include <list> 
using namespace std; 
  
// Predicate implemented as a function 
bool prime(const int& value) 
{ 
    int i; 
    for (i = 2; i < value; i++) { 
        if (value % i == 0) { 
            return false; 
            ; 
            break; 
        } 
    } 
    if (value == i) { 
        return true; 
        ; 
    } 
} 
  
// Main function 
int main() 
{ 
    list<int> mylist{ 2, 4, 6, 7, 9, 11, 13 }; 
    mylist.remove_if(prime); 
    for (auto it = mylist.begin(); it != mylist.end(); ++it) 
        cout << ' ' << *it; 
}

輸出:

4 6 9


相關用法


注:本文由純淨天空篩選整理自AyushSaxena大神的英文原創作品 list::remove() and list::remove_if() in C++ STL。非經特殊聲明,原始代碼版權歸原作者所有,本譯文未經允許或授權,請勿轉載或複製。