c++ list erase
时间: 2023-05-02 15:06:28 浏览: 292
C++中的list是一个双向链表容器,即容器中存储的数据类型指向其前驱和后继。erase()是list中的一个成员函数,用于删除容器中一个或多个元素。erase()函数有两种调用方式:
1. erase(iterator position):删除迭代器指向的元素,具体实现为将该元素从链表中摘出来,并调整前驱、后继指针。
2. erase(iterator first, iterator last):删除[first, last)范围内的元素,具体实现为将[first, last)元素从链表中摘出来,并调整前驱、后继指针。
需要注意的是,erase()函数的删除操作并不会释放内存空间,因为list容器在创建空间时会自动分配节点内存,erase()只是将节点从链表中移出,但内存空间仍然保留。如果需要彻底释放内存空间,可以在erase()函数调用后,再调用destroy()函数。
除此之外,erase()函数只要调用正确,便可以高效地从链表中删除元素。由于list的特性,任何位置的删除操作的时间复杂度都为O(1),即使是删除多个元素也是平均O(1)的时间复杂度。因此,使用erase()函数进行list容器元素的删除操作是非常高效的。
相关问题
C++ list erase
在 C++ 的 std::list 中,erase 函数用于删除容器中的一个或多个元素。它有两种重载形式:
```c++
iterator erase (const_iterator position);
iterator erase (const_iterator first, const_iterator last);
```
第一种形式删除迭代器 `position` 所指向的元素,并将其从列表中移除。返回指向删除元素后面的元素的迭代器,如果没有这样的元素,则返回 `end()`。
第二种形式删除从迭代器 `first` 所指向的元素到迭代器 `last` 所指向的元素之间的所有元素(不包括 `last` 所指向的元素),并将它们从列表中移除。返回指向 `last` 所指向的元素后面的元素的迭代器,如果没有这样的元素,则返回 `end()`。
以下是一个简单的示例代码,用于演示如何使用 `erase` 函数:
```c++
#include <iostream>
#include <list>
int main() {
std::list<int> mylist = {1, 2, 3, 4, 5};
// 删除元素 3
auto it = mylist.begin();
std::advance(it, 2); // advance 函数用于移动迭代器
mylist.erase(it);
// 删除元素 4 和 5
it = mylist.begin();
std::advance(it, 2);
mylist.erase(it, mylist.end());
// 输出剩余元素
for (auto& x : mylist) {
std::cout << x << " ";
}
return 0;
}
```
输出结果为:
```
1 2
```
c++list erase
The `erase` function in C++ is used to remove elements from a list container. It takes one or two arguments:
1. Iterator: This is the position of the element to be removed.
2. Iterator range: This is a range of elements to be removed, specified by two iterators.
The syntax for using the `erase` function is as follows:
```
list_name.erase(iterator_position);
list_name.erase(starting_iterator, ending_iterator);
```
Here, `list_name` is the name of the list container, `iterator_position` is the position of the element to be removed, and `starting_iterator` and `ending_iterator` are the iterators specifying the range of elements to be removed.
Example:
```
#include <iostream>
#include <list>
using namespace std;
int main()
{
list<int> mylist = {1, 2, 3, 4, 5, 6};
// Remove element at position 2
mylist.erase(mylist.begin() + 2);
// Remove elements from position 2 to 4
mylist.erase(mylist.begin() + 2, mylist.begin() + 5);
// Print the updated list
for (auto i : mylist)
cout << i << " ";
return 0;
}
```
Output:
```
1 2
```
阅读全文