在本文中,我们将讨论C ++中list::clear()函数的工作原理,语法和示例。
列表是一种数据结构,允许按时间顺序在任意位置进行插入和删除。列表被实现为双向链接列表。列表允许非连续的内存分配。与数组,向量和双端队列相比,列表在容器中的任何位置执行元素的插入提取和移动效果更好。在列表中,对元素的直接访问很慢,并且列表类似于forward_list,但是转发列表对象是单个链接列表,并且只能迭代转发。
clea()
啊list::clear()是C ++ STL中的内置函数,在头文件中声明。list::clear(),清除整个列表。换句话说,clear()
remove删除列表容器中存在的所有元素,并使容器的大小为0。
list_name.clear();
此函数不接受任何参数。
此函数不返回任何内容,只是从容器中删除所有元素。
在下面的代码中,我们将元素插入列表,然后,我们将应用clear函数清除整个列表,使其为空。
#include <iostream> #include <list> using namespace std; int main(){ list<int> myList = { 10, 20, 30, 40, 50 }; cout<<"List before applying clear() function"; for (auto i = myList.begin(); i != myList.end(); ++i) cout << ' ' << *i; //applying clear() function to clear the list myList.clear(); for (auto i = myList.begin(); i!= myList.end(); ++i) cout << ' ' << *i; cout<<"\nlist is cleared "; return 0; }
输出结果
如果我们运行上面的代码,那么它将生成以下输出
List before applying clear() function 10 20 30 40 50 list is cleared
在下面的代码中,我们将使用clear()
函数清除整个列表,然后将新元素重新插入到列表中并显示出来。
#include <iostream> #include <list> using namespace std; int main (){ list<int> myList; std::list<int>::iterator i; myList.push_back (10); myList.push_back (20); myList.push_back (30); cout<<"List before applying clear() function"; for (auto i = myList.begin(); i != myList.end(); ++i) cout << ' ' << *i; myList.clear(); for (auto i = myList.begin(); i!= myList.end(); ++i) cout << ' ' << *i; cout<<"\nlist is cleared "; myList.push_back (60); myList.push_back (70); cout<<"\nelements in my list are: "; for (auto i=myList.begin(); i!=myList.end(); ++i) cout<< ' ' << *i; return 0; }
如果我们运行上面的代码,那么它将生成以下输出
List before applying clear() function 10 20 30 40 50 list is cleared Elements in my list are : 60 70