面试常见问题,c++11新特性

新特性

  1. auto关键字,编译器根据上下文情况确定auto的真正类型
  2. decltype ,有点类似于auto的反函数,能够获取变量类型 int a=1; decltype(a) b=a;
  3. nullptr ,空指针,为了解决原来C++中NULL的二义性问题而引进的一种新的类型,因为NULL实际上代表的是0
void F(int a){
   
	cout<<a<<endl;
}
void F(int *p){
   
	assert(p!=NULL);
	cout<<*p<<endl;
}
int main(){
   
	int *p=nullptr;
	int *q=NULL;
	bool equal=(p==q);// equal的值为true,说明p和q都是空指针  
	int a=nullptr;// 编译失败,nullptr不能转型为int  
	F(0);// 在C++98中编译失败,有二义性;在C++11中调用F(int)  
	F(nullptr);
}
  1. 序列for循环,可以用来遍历数组和容器、string。
map<string,int> m{
   {
   "a",1},{
   "b",2},{
   "c",3}};
for (auto p :m){
   
	cout<<p.first<<":"<<p.second<<endl;
}
  1. lambda
    c11中引入的新技术,所有lambda的表达式都可以用更复杂的代码来表示,因此可以说是一种语法糖。
// 定义简单的lambda表达式 ,就像一种定义函数的快速方式
auto basicLambda = [] {
    cout << "Hello, world!" << endl; };
// 调用
basicLambda();   // 输出:Hello, world!

// 指明返回类型
auto add = [](int a, int b) -> int {
    

你可能感兴趣的:(面经,c++)