在C++98基础上学习C++11新特性(3)

void print(char arr[], int len)
{
    for (int i = 0; i < len; i++)
    {
        printf("%d ", arr[i]);
    }
    printf("\n");
}

bool cmp(char a, char b)
{
    if (a > b)
        return true;
    else
        return false;
}

int main()
{
    //c++98
    char arr1[] = { 2,5,2,1,5,89,36,22,89 };
    int len = sizeof(arr1) / sizeof(char);
    sort(arr1, arr1 + len, cmp);
    print(arr1, len);

//c++11
    char arr2[] = { 2,5,2,1,5,89,36,22,89 };
    int len2 = sizeof(arr2) / sizeof(char);
    sort(arr2, arr2 + len2, [](char a, char b)->bool {return a > b; });
    print(arr2, len2);
    return 0;
}

9.std::move

std::move是为性能而生,通过std::move,可以避免不必要的拷贝操作。std::move是将对象的状态或者所有权从一个对象转移到另一个对象,只是转移,没有内存的搬迁或者内存拷贝。
#include <iostream>
#include <utility>
#include <vector>
#include <string>
int main()
{
    std::string str = "Hello";
    std::vector<std::string> v;
    //调用常规的拷贝构造函数,新建字符数组,拷贝数据
    v.push_back(str);
    std::cout << "After copy, str is \"" << str << "\"\n"; //After move, str is "Hello"
    //调用移动构造函数,掏空str,掏空后,最好不要使用str
    v.push_back(std::move(str));
    std::cout << "After move, str is \"" << str << "\"\n";  //After move, str is ""
    std::cout << "The contents of the vector are \"" << v[0]
        << "\", \"" << v[1] << "\"\n";  //The contents of the vector are "Hello", "Hello"
}

二、STL新内容

1.std::array

1.使用 std::array保存在栈内存中,相比堆内存中的 std::vector,我们就能够灵活的访问这里面的元素,从而获得更高的性能;同时正式由于其堆内存存储的特性,有些时候我们还需要自己负责释放这些资源。


2.使用std::array能够让代码变得更加现代,且封装了一些操作函数,同时还能够友好的使用标准库中的容器算法等等,比如 std::sort。


std::array 会在编译时创建一个固定大小的数组,std::array 不能够被隐式的转换成指针,使用 std::array 很简单,只需指定其类型和大小即可:
#include <stdio.h>
#include <algorithm>
#include <array>

void foo(int* p)
{

}

int main()
{
    std::array<int, 4> arr = {4,3,1,2};

foo(&arr[0]);  //OK
    foo(arr.data());  //OK
    //foo(arr);  //wrong
    std::sort(arr.begin(), arr.end());  //排序

return 0;
}

2.std::forward_list

std::forward_list 使用单向链表进行实现,提供了 O(1) 复杂度的元素插入,不支持快速随机访问(这也是链表的特点),也是标准库容器中唯一一个不提供 size() 方法的容器。当不需要双向迭代时,具有比 std::list 更高的空间利用率。
#include <stdio.h>
#include <algorithm>
#include <iostream>
#include <string>
#include <forward_list>

int main()
{
    std::forward_list<int> list1 = { 1, 2, 3, 4 };

//从前面向foo1容器中添加数据,注意不支持push_back
    list1.pop_front();  //删除链表第一个元素
    list1.remove(3);  //删除链表值为3的节点
    list1.push_front(2);
    list1.push_front(1);
    list1.push_front(14);
    list1.push_front(17);

list1.sort();

for (auto &n : list1)
    {
        if (n == 17)
            n = 19;
    }

for (const auto &n : list1)
    {
        std::cout << n << std::endl;  //1 2 2 4 14 19
    }

return 0;
}

3.std::unordered_map和std::unordered_set

内容版权声明:除非注明,否则皆为本站原创文章。

转载注明出处:https://www.heiqu.com/ff1215098fd252b919fc24871369be6d.html