列表是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
错误和异常
- 如果传递的值与列表类型不匹配,则显示错误。
- 如果列表函数的值和元素之间的比较未引发任何异常,则不显示异常引发保证。
// 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
错误和异常
- 如果谓词函数函数未引发任何异常,则不显示任何引发异常的保证。
// 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。非经特殊声明,原始代码版权归原作者所有,本译文未经允许或授权,请勿转载或复制。