C++14的一些新特性

xcywt發表於2024-09-18

記錄一些C++14的一些特性:

函式返回值型別推導:

C++14對函式返回型別推導規則做了最佳化:

#include <iostream>

using namespace std;

auto func(int i) {
   return i;
}

int main() {
   cout << func(4) << endl;
   return 0;
}

返回值型別推導也可以用在模板中:

#include <iostream>
using namespace std;

template<typename T> auto func(T t) { return t; }

int main() {
   cout << func(4) << endl;
   cout << func(3.4) << endl;
   return 0;
}

注意

函式內如果有多個return語句,它們必須返回相同的型別,否則編譯失敗

如果return語句返回初始化列表,返回值型別推導也會失敗

如果函式是虛擬函式,不能使用返回值型別推導

返回型別推導可以用在前向宣告中,但是在使用它們之前,翻譯單元中必須能夠得到函式定義

返回型別推導可以用在遞迴函式中,但是遞迴呼叫必須以至少一個返回語句作為先導,以便編譯器推匯出返回型別。

auto sum(int i) {
   if (i == 1)
       return i;              // return int
   else
       return sum(i - 1) + i; // ok
}

lambda引數auto:

在C++11中,lambda表示式引數需要使用具體的型別宣告:

auto f = [] (int a) { return a; }

在C++14中,對此進行最佳化,lambda表示式引數可以直接是auto:

auto f = [] (auto a) { return a; };
cout << f(1) << endl;
cout << f(2.3f) << endl;

變數模板

C++14支援變數模板:

template<class T>
constexpr T pi = T(3.1415926535897932385L);

int main() {
   cout << pi<int> << endl; // 3
   cout << pi<double> << endl; // 3.14159
   return 0;
}

別名模板:

C++14也支援別名模板:

template<typename T, typename U>
struct A {
   T t;
   U u;
};

template<typename T>
using B = A<T, int>;

int main() {
   B<double> b;
   b.t = 10;
   b.u = 20;
   cout << b.t << endl;
   cout << b.u << endl;
   return 0;
}

constexpr的限制:

C++14相較於C++11對constexpr減少了一些限制:

C++11中constexpr函式可以使用遞迴,在C++14中可以使用區域性變數和迴圈

constexpr int factorial(int n) { // C++14 和 C++11均可
   return n <= 1 ? 1 : (n * factorial(n - 1));
}

在C++14中可以這樣做:

constexpr int factorial(int n) { // C++11中不可,C++14中可以
   int ret = 0;
   for (int i = 0; i < n; ++i) {
       ret += i;
  }
   return ret;
}

C++11中constexpr函式必須必須把所有東西都放在一個單獨的return語句中,而constexpr則無此限制:

constexpr int func(bool flag) { // C++14 和 C++11均可
   return 0;
}

在C++14中可以這樣:

constexpr int func(bool flag) { // C++11中不可,C++14中可以
   if (flag) return 1;
   else return 0;
}

二進位制字面量與整形字面量分隔符:

C++14引入了二進位制字面量,也引入了分隔符,防止看起來眼花

int a = 0b0001'0011'1010;
double b = 3.14'1234'1234'1234;

std::make_unique

我們都知道C++11中有std::make_shared,卻沒有std::make_unique,在C++14已經改善。

struct A {};
std::unique_ptr<A> ptr = std::make_unique<A>();

std::quoted:

C++14引入std::quoted用於給字串新增雙引號,直接看程式碼:

int main() {
    string str = "hello world";
    cout << str << endl;
    cout << std::quoted(str) << endl;
    return 0;
}

輸出:

~/test$ g++ test.cc -std=c++14
~/test$ ./a.out
hello world
"hello world"

相關文章