C++ 14 auto

C++14標準最近剛被經過,像之前同樣,沒有給這個語言帶來太大變化,C++14標準是想經過改進C++11 來讓程序員更加輕鬆的編程,C++11引入auto關鍵字(嚴格來講auto從C++ 03 開始就有了,只是C++11改變了auto的含義),auto讓你的代碼更加乾淨,更容易讓你避免錯誤,舉個例子ios

原來你必須這樣寫c++

1
2
int i = 1 ;
    std::complex<double> c = return_a_complex_number();

你如今能夠這樣寫程序員

1
2
auto i = 1 ;
    auto c = return_a_complex_number();

聲明爲auto的變量在編譯時期就分配了內存,而不是到了運行時期,因此使用auto再也不引起任何速度延遲,這也意味着使用auto的時候,這個變量不初始化會報錯。由於編譯器沒法知道這個變量的類型。編程

1
auto i;     // this will rise a compilation error

C++11中一個作的很差的地方是,你不能使用auto來定義一個函數類型,在新的標準中你就能夠了:函數

1
2
3
4
5
// Error in C++11, works in C++14
   auto my_function() {
       ...
       return value;
   }

只要你的函數返回一個值,編譯器就知道怎麼解釋這個auto關鍵詞。如今,你能夠使用最新版本的Clang和GCC,性能

1
g++- 4.9 . 1 -Wall -std=c++ 14 -pedantic my_prog_name.cpp -o my_prog_name

爲了更好地使用auto來簡化你的代碼,讓咱們分別使用C++98 、C++11 和C++14 來實現同一段代碼,爲了說明,咱們使用兩個函數來改變一個vector變量this

1
multiply_by_two(add_one(my_vector));

很明顯,這個循環給一個vector變量的每個值加一再乘以二 你能夠寫一個函數,而不是兩個。這裏咱們不是爲了追求性能,而是說明auto的用法。spa

在C++98中你要這樣寫code

std::vector<int>& add_one(std::vector<int> &v) {
        for(std::vector<int>::iterator it = v.begin(); it != v.end(); it++) {
            *it += 1;
        }
        return v;
    }

    void multiply_by_two(std::vector<int> &v) {
        for(std::vector<int>::iterator it = v.begin(); it != v.end(); it++) {
            *it *= 2;
        }
    }

上面的代碼顯得很囉嗦ip

在C++11中你能夠這樣寫

1
2
3
4
5
6
7
8
9
10
11
12
std::vector< int >& add_one(std::vector< int > &v) {
         for (auto& it : v) {
             it += 1 ;
         }
         return v;
     }
 
     void multiply_by_two(std::vector< int > &v) {
         for (auto& it : v) {
             it *= 2 ;
         }   
     }

C++11 中顯然有了進步,咱們這是能夠使用auto來簡化循環時候的一點代碼。但仍顯囉嗦。

在C++14中你能夠使用auto來定義一個函數類型,代碼能夠簡化爲這樣:

1
2
3
4
5
6
7
8
9
10
11
12
auto& add_one(std::vector< int >& v) {
       for (auto& it : v) {
           it += 1 ;
       }
       return v;
   }
 
   void multiply_by_two(std::vector< int >& v) {
       for (auto& it : v) {
           it *= 2 ;
       }   
   }

這裏是完整代碼

1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
30
31
32
// C++14 "auto" demo code   
  # include <iostream>
  # include <vector>
 
  auto& add_one(std::vector< int >& v) {
      for (auto& it : v) {
          it += 1 ;
      }
      return v;
  }
 
  void multiply_by_two(std::vector< int >& v) {
      for (auto& it : v) {
          it *= 2 ;
      }   
  }
 
  void print_vec( const std::vector< int >& v) {
      for ( const auto& e: v) {
          std::cout << e << std::endl;
      }  
      std::cout << std::endl;    
  }
 
  int main() {
      // Add one and multiply by two a vector of integers
      std::vector< int > my_vector{- 1 , 2 , 3 , 5 };
      multiply_by_two(add_one(my_vector));   
      print_vec(my_vector);
 
      return 0 ;
  }

你能夠清晰的對比出,C++14比C++11 有了一點進步。

相關文章
相關標籤/搜索