STL之vector

2020-04-06 16:00:33来源:博客园 阅读 ()

新老客户大回馈,云服务器低至5折

STL之vector

vector即动态数组,也叫向量。

直接上代码!

#include<iostream>
#include<vector>
#include<algorithm>
using namespace std;

int main()
{
    //构造
    vector<int> v1(3); //构造一个大小为3的向量,不赋值默认为0
    for (vector<int>::iterator it = v1.begin(); it < v1.end(); it++) //输出:000
        cout << *it;
    cout << endl;
    vector<int> v2{ 2,6,8 }; //赋值构造
    for (vector<int>::iterator it = v2.begin(); it < v2.end(); it++) //输出:268
        cout << *it;
    cout << endl << v2.size() << endl; //size=3

    //重置大小
    v2.resize(4);
    for (vector<int>::iterator it = v2.begin(); it < v2.end(); it++) //输出:2680
        cout << *it;
    cout << endl << v2.size() << endl; //size=4

    //元素获取
    cout << v2[1] << endl; //不检查下标是否越界,但速度较快
    cout << v2.at(1) << endl; //检查下标是否越界
    cout << v2.front() << endl; //输出:2
    cout << v2.back() << endl; //输出:0

    //追加
    v2.push_back(9);
    for (vector<int>::iterator it = v2.begin(); it < v2.end(); it++) //输出:26809
        cout << *it;
    cout << endl << v2.size() << endl; //size:5

    //删除
    v2.erase(v2.end() - 2);
    for (vector<int>::iterator it = v2.begin(); it < v2.end(); it++) //输出:2689
        cout << *it;
    cout << endl << v2.size() << endl; //size:4
    v2.clear();
    for (vector<int>::iterator it = v2.begin(); it < v2.end(); it++) //无输出
        cout << *it;
    cout << endl << v2.size() << endl; //size:0

    //排序
    v2 = { 2,6,8,3,6,9 };
    sort(v2.begin(), v2.end()); //从小到大排序
    for (vector<int>::iterator it = v2.begin(); it < v2.end(); it++) //输出:236689
        cout << *it;
    cout << endl;
    sort(v2.begin(), v2.end(),greater<int>()); //从大到小排序
    for (vector<int>::iterator it = v2.begin(); it < v2.end(); it++) //输出:986632
        cout << *it;
    cout << endl;
    return 0;
}

原文链接:https://www.cnblogs.com/love-ziji/p/12633211.html
如有疑问请与原作者联系

标签:

版权申明:本站文章部分自网络,如有侵权,请联系:west999com@outlook.com
特别注意:本站所有转载文章言论不代表本站观点,本站所提供的摄影照片,插画,设计作品,如需使用,请与原作者联系,版权归原作者所有

上一篇:类的使用(类和对象,构造函数和析构函数)

下一篇:[题记-动态规划] 编辑距离 - leetcode