Bootstrap

C++,STL 027(24.10.11)

内容:对deque容器中的数据进行存取操作。

代码:

#include <iostream>
#include <deque>

using namespace std;

void printDeque(const deque<int> &d)
{
    for (deque<int>::const_iterator it = d.begin(); it != d.end(); it++)
    {
        cout << *it << " ";
    }
    cout << endl;
}

void test01()
{
    deque<int> d1;
    d1.push_back(10);
    d1.push_back(20);
    d1.push_back(30);
    d1.push_front(100);
    d1.push_front(200);
    d1.push_front(300);
    printDeque(d1);

    for (int i = 0; i < d1.size(); i++)
    {
        cout << d1[i] << " "; // here,利用[]方式来访问元素
    }
    cout << endl;

    for (int i = 0; i < d1.size(); i++)
    {
        cout << d1.at(i) << " "; // here,通过at方式来访问元素
    }
    cout << endl;

    cout << "第一个元素是" << d1.front() << endl;  // here,容器的头
    cout << "最后一个元素是" << d1.back() << endl; // here,容器的尾
}

int main()
{
    test01();

    return 0;
}

输出结果:

;