双端队列或双端队列是序列容器,两端都有扩展和收缩功能。它们与向量类似,但是在元素的结尾和开始处插入和删除时效率更高。与向量不同,可能无法保证连续的存储分配。
deque :: clear()
clear()函数用于删除双端队列容器的所有元素,从而使其大小为0。
句法 :
dequename.clear()
Parameters :
No parameters are passed.
Result :
All the elements of the deque are
removed ( or destroyed )
例子:
Input : mydeque = {1, 2, 3, 4, 5}
mydeque.clear();
Output : mydeque = {}
Input : mydeque = {}
mydeque.clear();
Output : mydeque = {}
错误和异常
1.它没有异常抛出保证。
2.传递参数时显示错误。
// CPP program to illustrate
// Implementation of clear() function
#include
#include
using namespace std;
int main()
{
deque mydeque{ 1, 2, 3, 4, 5 };
mydeque.clear();
// Deque becomes empty
// Printing the deque
for (auto it = mydeque.begin(); it != mydeque.end(); ++it)
cout << ' ' << *it;
return 0;
}
输出:
No Output
deque :: erase()
delete()函数用于从指定位置或范围中删除容器中的元素。
句法 :
1. dequename.erase(position)
2. dequename.erase(startingposition, endingposition)
Parameters :
Position of the element to be removed in the form of iterator.
or the range specified using start and end iterator.
Result :
Elements are removed from the specified
position of the container.
例子:
Input : mydeque{1, 2, 3, 4, 5}, iterator= 2
mydeque.erase(iterator);
Output : 1, 2, 4, 5
Input : mydeque{1, 2, 3, 4, 5, 6, 7, 8}, iterator1= 3, iterator2= 6
mydeque.erase(iterator1, iterator2);
Output : 1, 2, 3, 8
错误和异常
1.如果该位置有效,则没有异常抛出保证。
2.否则显示未定义的行为。
从特定位置移除元件
// CPP program to illustrate
// Implementation of erase() function
#include
#include
using namespace std;
int main()
{
deque mydeque{ 1, 2, 3, 4, 5 };
deque::iterator it;
it = mydeque.begin();
mydeque.erase(it);
// Printing the deque
for (auto it = mydeque.begin(); it != mydeque.end(); ++it)
cout << ' ' << *it;
return 0;
}
输出:
2 3 4 5
删除范围内的元素
// CPP program to illustrate
// Implementation of erase() function
#include
#include
using namespace std;
int main()
{
deque mydeque{ 1, 2, 3, 4, 5 };
deque::iterator it1, it2;
it1 = mydeque.begin();
it2 = mydeque.end();
it2--;
it2--;
mydeque.erase(it1, it2);
// Printing the deque
for (auto it = mydeque.begin(); it != mydeque.end(); ++it)
cout << ' ' << *it;
return 0;
}
输出:
4 5
应用
给定一个整数列表,从双端队列中删除所有偶数元素,然后打印双端队列。
Input :1, 2, 3, 4, 5, 6, 7, 8, 9
Output :1 3 5 7 9
Explanation - 2, 4, 6 and 8 which are even are erased from the deque
算法
1.循环运行,直到双端队列的大小为止。
2.检查每个位置的元素是否可被2整除,如果是,则删除该元素并增加迭代器,否则只需增加迭代器以检查下一个元素。
3.打印最终双端队列。
// CPP program to illustrate
// Application of erase() function
#include
#include
using namespace std;
int main()
{
deque mydeque{ 1, 2, 3, 4, 5, 6, 7, 8, 9 };
deque::iterator i;
i = mydeque.begin();
while (i != mydeque.end()) {
if (*i % 2 == 0)
mydeque.erase(i);
i++;
}
// Printing the deque
for (auto it = mydeque.begin(); it != mydeque.end(); ++it)
cout << ' ' << *it;
return 0;
}
输出:
1 3 5 7 9
清除()VS清除()。什么时候使用什么?
clear()从双端队列容器中删除所有元素,从而使其大小为0。使用clear()函数删除双端队列中的所有元素。
另一方面,函数delete()用于从容器中删除特定元素或从容器中删除一系列元素,从而通过删除元素的数量来减小其大小。
要从最佳影片策划和实践问题去学习,检查了C++基础课程为基础,以先进的C++和C++ STL课程基础加上STL。要完成从学习语言到DS Algo等的更多准备工作,请参阅“完整面试准备课程” 。