列出C ++ STL中的remove()函数

在本文中,我们将讨论remove()C ++中函数的工作,语法和示例。

什么是STL中的列表

列表是一种数据结构,允许按时间顺序在任意位置进行插入和删除。列表被实现为双向链接列表。列表允许非连续的内存分配。与数组,向量和双端队列相比,列表在容器中的任何位置执行元素的插入提取和移动效果更好。在列表中,对元素的直接访问很慢,并且列表类似于forward_list,但是转发列表对象是单个链接列表,并且只能迭代转发。

什么是 remove()

remove()是C ++ STL中的内置函数,在头文件中声明。remove()用于从列表容器中删除任何特定的值/元素。它使用作为参数传递的值,并从列表容器中删除所有具有该值的元素。如果删除的元素的大小大于列表容器的大小,则此函数将调用析构函数。

语法

list_name.remove(const value_type& value);

该函数接受一个要从列表容器中搜索并要删除的值。

返回值

此函数不返回任何内容,只是从容器中删除元素。

示例

/*
In the code below we are inserting elements to the list and then we will try to remove the elements from the list using their values. */
#include <bits/stdc++.h>
using namespace std;
int main(){
   //创建一个列表
   list<int> myList;
   //将元素插入列表
   myList.push_back(1);
   myList.push_back(1);
   myList.push_back(3);
   myList.push_back(2);
   myList.push_back(5);
   //删除元素之前我的列表
   cout<<"List before removing elements: ";
   for (auto i = myList.begin(); i!=myList.end(); i++){
      cout << *i << " ";
   }
   //从列表中删除1 2和3-
   myList.remove(1);
   myList.remove(2);
   myList.remove(3);
   //删除元素后列出
   cout << "\nList after removing elements: ";
   for (auto i = myList.begin(); i!= myList.end(); i++){
      cout << *i << " ";
   }
   return 0;
}

输出结果

如果我们运行上面的代码,那么它将生成以下输出

List before removing elements: 1 1 3 2 5
List after removing elements: 5