auto && decltype

auto:C++11标准引入的类型说明符,编译器通过初始值来推算变量的类型。因此,auto定义的变量必须有初始值
auto类型和初始值的类型并不完全一样,编译器会适当的改变结果类型使其更符合初始化规则

  • 引用为初始值时,引用对象的类型为auto类型
    int i=0, &r=i;
    auto a = r ; //a是一个整数(int类型)
  • 忽略顶层const,保留底层const
    const int ci = i, &cr = ci;
    auto b = ci; //b是一个整数,const特性被忽略
    auto c = cr; //c是一个整数
    auto d = &i; //d是一个int*
    auto e = &ci; //e是一个const int *,变为底层const
    如果希望auto类型是一个顶层const
    const auto f = ci; //f是const int
    auto &m = ci, *p = &ci; //m是const int&, p是const int *

decltype:C++11从表达式的类型推断出要定义的变量的类型,并不实际计算表达式的值

  • decltype返回变量的类型,包括顶层const和引用在内
    const int ci=0, &cj = ci;
    decltype(ci) x = 0; //x的类型是const int
    decltype(cj) y = x; //y的类型是const int&, 必须被初始化
  • decltype使用的表达式不是变量,就返回结果对应的类型
    int i=42, p=&i, &r=i;
    decltype(r+0) b; //b是未初始化的int
    decltype(
    p) c; //c是int&,必须被初始化,解引用操作将得到引用类型,因为解引用指针可以得到指针所指的对象,而且还能赋值
  • 如果在变量名上加括号,会当做表达式,变量可以作为赋值语句左值,因此decltype会得到引用类型
    decltype((i)) d; //d是int&, 必须被初始化
  • decltype作用于某个函数时,返回函数类型而非指针
    string::size_type sumLength(const string&, const string&);
    decltype(sumLength) *getFunc(const string&) //如果不加指针,编译报错,返回值必须为函数指针,不能为函数类型,且不会自动转换成指针。而作为参数是可以的,因为会隐式转换为指针

你可能感兴趣的:(auto && decltype)