1. 程式人生 > >C++ 常見編譯錯誤

C++ 常見編譯錯誤

1. 錯誤:expected unqualified-id before ‘using’  

其實就是類聲明後面沒有加分號導致的。
類宣告的時候沒有加分號,還可能導致一個錯誤
錯誤:一個宣告指定了多個型別
解決辦法:分別檢查包含進來的檔案,類宣告,結構體聲明後面有沒有加分號。

2. 過載運算子<<用到的 std中的變數名。

using std::ostream;

3. C++容器迭代器即其引用

#include <vector>
using std::vector;
int main()
{
    vector<int> ivec(10, 10); 
   vector<int>::iterator it1 = ivec.begin();                     //都知道,正確 
  //vector<int>::iterator &it2 = ivec.begin();                 //編譯出錯 
  const vector<int>::iterator &it3 = ++ ivec.begin();     //正確
  system("pause");
  return 0;
}
為什麼會這樣呢?
很明顯ivec.begin()返回的是一個右值,是一個vector<int>::iterator型別的臨時物件。
而引用只是它所繫結的物件的別名,物件不存在了,引用當然就沒必要存在啦!
也就是說引用不能用臨時變數初始化!

4. 編譯執行以下程式碼出錯:ISO C++ forbids cast to non-reference type used as lvalue
(禁止轉換為非引用型別的左值使用)

5. G++ 編譯錯誤:multiple types in one declaration 如何解決?

解決方法:檢視你寫的每個類,是否在“}”後加上了“;”。

6. error: variable ‘std::istringstream stream’ has initializer but incomplete type

解決方法:在標頭檔案中新增#include<sstream>

7. invalid initialization of non-const reference of type ‘std::string&’ from an rvalue of type ‘std::string’

#include<iostream>
#include<string>
using std::cout;
using std::string;
using std::endl;
void PrintStr(std::string& str);
int main()
{
    PrintStr(string("HelloWorld!"));   //string("HelloWorld!")  為一個臨時變數
    return 0;
}
void PrintStr(std::string& str)
{
    cout<< str << endl;
}
說明:臨時變數是轉瞬即逝的,在上面的程式碼中,用str引用臨時變數的時候臨時變數已經不存在了。

解決方案:void PrintStr(std::string& str);改為void PrintStr(const std::string& str);
const 引用可以初始化為不同型別的物件或者初始化為右值。例如:
double dval = 1.131;
const int &ri = dval;
const int &r = 30;