共用方式為


以範圍為基礎的 for 陳述式 (C++)

執行循序 statement 重複和做為 expression中的每個項目。

for ( for-range-declaration : expression )
   statement 

備註

使用範圍架構的 for 陳述式建構必須透過範圍執行,定義為任何您可以為範例,逐一查看 std::vector的迴圈,或範圍是由 begin() 和 end()定義的其他 STL 序列。 在 for-range-declaration 區段宣告的名稱是在 for 陳述式,且無法再次宣告在 expression 或 statement。 請注意 自動 關鍵字在陳述式的 for-range-declaration 部分慣用。

這個程式碼會示範如何使用排列的 for 迴圈將陣列和向量逐一查看:

// range-based-for.cpp
// compile by using: cl /EHsc /nologo /W4
#include <iostream>
#include <vector>
using namespace std;

int main() 
{
    // Basic 10-element integer array.
    int x[10] = { 1, 2, 3, 4, 5, 6, 7, 8, 9, 10 };

    // Range-based for loop to iterate through the array.
    for( int y : x ) { // Access by value using a copy declared as a specific type. 
                       // Not preferred.
        cout << y << " ";
    }
    cout << endl;

    // The auto keyword causes type inference to be used. Preferred.

    for( auto y : x ) { // Copy of 'x', almost always undesirable
        cout << y << " ";
    }
    cout << endl;

    for( auto &y : x ) { // Type inference by reference.
        // Observes and/or modifies in-place. Preferred when modify is needed.
        cout << y << " ";
    }
    cout << endl;

    for( const auto &y : x ) { // Type inference by reference.
        // Observes in-place. Preferred when no modify is needed.
        cout << y << " ";
    }
    cout << endl;
    cout << "end of integer array test" << endl;
    cout << endl;

    // Create a vector object that contains 10 elements.
    vector<double> v;
    for (int i = 0; i < 10; ++i) {
        v.push_back(i + 0.14159);
    }

    // Range-based for loop to iterate through the vector, observing in-place.
    for( const auto &j : v ) {
        cout << j << " ";
    }
    cout << endl;
    cout << "end of vector test" << endl;
}

這個輸出:

1 2 3 4 5 6 7 8 9 10

1 2 3 4 5 6 7 8 9 10

1 2 3 4 5 6 7 8 9 10

1 2 3 4 5 6 7 8 9 10

end of integer array test


0.14159 1.14159 2.14159 3.14159 4.14159 5.14159 6.14159 7.14159 8.14159 9.14159

end of vector test

在其中一個在 statement 執行期間,以範圍的 for 迴圈結束: 中斷傳回執行 至標記陳述式 (在範圍架構的 for 迴圈之外。 在以範圍的 for 迴圈的 繼續 陳述式結束只有目前的反覆項目。

記住有關範圍架構的 for的這些事實:

  • 自動辨識陣列。

  • 辨識具有 .begin() 和 .end()的容器。

  • 使用其他的引數相關的查閱 begin() 和 end() 。

請參閱

參考

自動關鍵字 (型別推算)

反覆運算陳述式 (C++)

C + + 關鍵字

while 陳述式 (C++)

do-while 陳述式 (C++)

for 陳述式 (C++)