다음을 통해 공유


범위 기반 for 문(C++)

실행 statement 반복 하 고 순차적으로 각 요소에 대해 expression.

for ( for-range-declaration : expression )
   statement 

설명

범위 기반 사용 for "를 통해 반복할 수 있는 어떤 것으로 정의 된 범위"를 통해 실행 해야 하는 루프를 생성 하는 문-예를 들어, std::vector, 또는 해당 범위를 정의 하 여 STL 시퀀스는 begin() 및 end().에 선언 된 이름에 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

범위 기반 for 루프를 종료 하는 경우 이러한 개체 중 하나 statement 실행:는 중단, 반환, 또는 goto 레이블된 문이 범위 기반 외부에 에 대 한 루프.A 계속 범위 기반 문에서 for 루프의 현재 반복에만 종료 합니다.

이러한 사실에 대 한 범위에 따른 유의 for.

  • 배열은 자동으로 인식합니다.

  • 한 컨테이너 인식 .begin() 및 .end().

  • 인수 종속성 조회를 사용 하 여 begin() 및 end() 에 대 한 답입니다.

참고 항목

참조

자동 (형식 추론) 키워드

반복문 (C++)

C + + 키워드

while 문을 (C++)

do-while 문(C++)

문 (C++)