C++11新特性之auto的使用
前言
C++是一种强类型语言,声明变量时必须明确指出其类型。但是,在实践中,优势我们很难推断出某个表达式的值的类型,尤其是随着模板类型的出现,要想弄明白某些复杂表达式的返回类型就变得更加困难。为了解决这个问题,C++11中引入的auto主要有两种用途:自动类型推断和返回值占位。auto在C++98中的标识临时变量的语义,由于使用极少且多余,在C++11中已被删除。前后两个标准的auto,完全是两个概念。
一、自动类型推断
auto自动类型推断,用于从初始化表达式中推断出变量的数据类型。通过auto的自动类型推断,可以大大简化我们的编程工作。下面是一些使用auto的例子。
#include<vector> #include<map> usingnamespacestd; intmain(intargc,char*argv[],char*env[]) { //autoa;//错误,没有初始化表达式,无法推断出a的类型 //autointa=10;//错误,auto临时变量的语义在C++11中已不存在,这是旧标准的用法。 //1.自动帮助推导类型 autoa=10; autoc='A'; autos("hello"); //2.类型冗长 map<int,map<int,int>>map_; map<int,map<int,int>>::const_iteratoritr1=map_.begin(); constautoitr2=map_.begin(); autoptr=[]() { std::cout<<"helloworld"<<std::endl; }; return0; }; //3.使用模板技术时,如果某个变量的类型依赖于模板参数, //不使用auto将很难确定变量的类型(使用auto后,将由编译器自动进行确定)。 template<classT,classU> voidMultiply(Tt,Uu) { autov=t*u; }
二、返回值占位
template<typenameT1,typenameT2> autocompose(T1t1,T2t2)->decltype(t1+t2) { returnt1+t2; } autov=compose(2,3.14);//v'stypeisdouble
三、使用注意事项
1、我们可以使用valatile,pointer(*),reference(&),rvaluereference(&&)来修饰auto
autok=5; auto*pK=newauto(k); auto**ppK=newauto(&k); constauton=6;
2、用auto声明的变量必须初始化
autom;//mshouldbeintialized
3、auto不能与其他类型组合连用
autointp;//这是旧auto的做法。
4、函数和模板参数不能被声明为auto
voidMyFunction(autoparameter){}//noautoasmethodargument template<autoT>//utternonsense-notallowed voidFun(Tt){}
5、定义在堆上的变量,使用了auto的表达式必须被初始化
int*p=newauto(0);//fine int*pp=newauto();//shouldbeinitialized autox=newauto();//Hmmm...nointializer auto*y=newauto(9);//Fine.Hereyisaint* autoz=newauto(9);//Fine.Herezisaint*(Itisnotjustanint)
6、以为auto是一个占位符,并不是一个他自己的类型,因此不能用于类型转换或其他一些操作,如sizeof和typeid
intvalue=123; autox2=(auto)value;//nocastingusingauto autox3=static_cast<auto>(value);//sameasabove
7、定义在一个auto序列的变量必须始终推导成同一类型
autox1=5,x2=5.0,x3='r';//Thisistoomuch....wecannotcombinelikethis
8、auto不能自动推导成CV-qualifiers(constant&volatilequalifiers),除非被声明为引用类型
constinti=99; autoj=i;//jisint,ratherthanconstint j=100//Fine.Asjisnotconstant //Nowletustrytohavereference auto&k=i;//Nowkisconstint& k=100;//Error.kisconstant //Similarlywithvolatilequalifer
9、auto会退化成指向数组的指针,除非被声明为引用
inta[9]; autoj=a; cout<<typeid(j).name()<<endl;//Thiswillprintint* auto&k=a; cout<<typeid(k).name()<<endl;//Thiswillprintint[9]
总结
以上就是这篇文章的全部内容了,希望本文的内容对大家学习或者使用C++能有一定的帮助,如果有疑问大家可以留言交流。