다음을 통해 공유


람다 식의 예제

이 항목에서는 프로그램에 람다 식을 사용하는 방법의 예제가 포함되어 있습니다.람다 식의 개요에 대해서는 C + +에서 람다 식을 참조하십시오.람다 식 구조에 대한 자세한 내용은 람다 식 구문을 참조하십시오.

단원 내용

예제: 람다 식 선언

예제: 람다 식 호출

예제: 람다 식 중첩

예제: 고차 람다 함수

예제: 메서드에 람다 식 사용

예제: 템플릿이 있는 람다 식 사용

예제: 예외 처리

예제: 관리되는 형식이 있는 람다 식 사용

예제: 람다 식 선언

Dd293599.collapse_all(ko-kr,VS.110).gif설명

람다 식을 입력했기 때문에 다음 예제에 나와 있는 것처럼 auto 변수 또는 function 개체에 할당할 수 있습니다.

Dd293599.collapse_all(ko-kr,VS.110).gif코드

// declaring_lambda_expressions1.cpp
#include <functional>

int main()
{
   // Assign the lambda expression that adds two numbers to an auto variable.
   auto f1 = [] (int x, int y) { return x + y; }; 

   // Assign the same lambda expression to a function object.
   function<int (int, int)> f2 = [] (int x, int y) { return x + y; };
}

Dd293599.collapse_all(ko-kr,VS.110).gif설명

auto 키워드에 대한 자세한 내용은 자동 (형식 추론) 키워드를 참조하십시오.function class에 대한 자세한 내용은 function Class를 참조하십시오.

람다 식은 메서드 또는 함수의 본문에서 대부분 선언되지만 변수를 초기화할 수 있는 어느 곳에서나 선언할 수 있습니다.

Dd293599.collapse_all(ko-kr,VS.110).gif설명

식을 호출할 때 대신 식을 선언할 때 Visual C++ 컴파일러는 캡처된 변수에 람다 식을 바인딩합니다.다음 예제에서는 변수 로컬 변수 i 값과 참조로서 변수 j 를 캡처하는 람다 식을 보여줍니다.람다 식은 i를 값으로 캡처하기 때문에 프로그램에서 i 이상을 다시 할당하면 식의 결과에 영향을 주지 않습니다.그러나 람다 식을 j를 참조로 캡처하기 때문에 j를 다시 할당하면 식의 결과에 영향을 주지 않습니다.

Dd293599.collapse_all(ko-kr,VS.110).gif코드

// declaring_lambda_expressions2.cpp
// compile with: /EHsc
#include <iostream>
#include <functional>

int main()
{
   using namespace std;

   int i = 3;
   int j = 5;

   // The following lambda expression captures i by value and
   // j by reference.
   function<int (void)> f = [i, &j] { return i + j; };

   // Change the values of i and j.
   i = 22;
   j = 44;

   // Call f and print its result.
   cout << f() << endl;
}

Dd293599.collapse_all(ko-kr,VS.110).gifOutput

47

Dd293599.collapse_all(ko-kr,VS.110).gif설명

[단원 내용]

예제: 람다 식 호출

람다 식을 직접 호출 하거나 find_if같은 STL (표준 템플릿 라이브러리) 알고리즘에 인수로 전달할 수 있습니다.

Dd293599.collapse_all(ko-kr,VS.110).gif설명

다음 예제에서는 두 정수의 합을 반환하고 식 인수를 사용하여 인수 5 와 4 로 식을 즉시 호출하는 람다 식을 선언합니다.

Dd293599.collapse_all(ko-kr,VS.110).gif코드

// calling_lambda_expressions1.cpp
// compile with: /EHsc
#include <iostream>

int main()
{
   using namespace std;
   int n = [] (int x, int y) { return x + y; }(5, 4);
   cout << n << endl;
}

Dd293599.collapse_all(ko-kr,VS.110).gifOutput

9

Dd293599.collapse_all(ko-kr,VS.110).gif설명

다음 예제에서는 람다 식을 find_if 함수에 대한 인수로 전달합니다.람다 식은 매개 변수가 짝수이면 true를 반환합니다.

Dd293599.collapse_all(ko-kr,VS.110).gif코드

// calling_lambda_expressions2.cpp
// compile with: /EHsc
#include <list>
#include <algorithm>
#include <iostream>

int main()
{
   using namespace std;

   // Create a list of integers with a few initial elements.
   list<int> numbers;
   numbers.push_back(13);
   numbers.push_back(17);
   numbers.push_back(42);
   numbers.push_back(46);
   numbers.push_back(99);

   // Use the find_if function and a lambda expression to find the 
   // first even number in the list.
   const list<int>::const_iterator result =
      find_if(numbers.begin(), numbers.end(),
         [](int n) { return (n % 2) == 0; });

   // Print the result.
   if (result != numbers.end())
   {
       cout << "The first even number in the list is " 
            << (*result) 
            << "." 
            << endl;
   }
   else
   {
       cout << "The list contains no even numbers." 
            << endl;
   }
}

Dd293599.collapse_all(ko-kr,VS.110).gifOutput

The first even number in the list is 42.

Dd293599.collapse_all(ko-kr,VS.110).gif설명

find_if 함수에 대한 자세한 내용은 find_if를 참조하십시오.알고리즘을 수행하는 STL 함수에 대한 자세한 내용은 <algorithm>을 참조하십시오.

Dd293599.collapse_all(ko-kr,VS.110).gif설명

함수 호출 연산자 operator()를 사용하여 다양하게 배치된 람다식을 호출할 수 있습니다.다음 예제에서는 auto 변수에 람다 식을 할당하고 람다 식을 호출하기 위해 함수 호출 운영자를 사용합니다.

Dd293599.collapse_all(ko-kr,VS.110).gif코드

// calling_lambda_expressions3.cpp
// compile with: /EHsc
#include <iostream>

int main()
{
   using namespace std;

   // Assign the lambda expression that adds two numbers to an 
   // auto variable.
   auto f = [] (int x, int y) { return x + y; };

   // Invoke the function object and print its result.
   cout << f(21, 12) << endl;
}

Dd293599.collapse_all(ko-kr,VS.110).gifOutput

33

Dd293599.collapse_all(ko-kr,VS.110).gif설명

함수 호출 연산자에 대한 자세한 내용은 함수 호출 (C++)을 참조하십시오.

[단원 내용]

예제: 람다 식 중첩

Dd293599.collapse_all(ko-kr,VS.110).gif설명

다른 람다 식 안에 람다 식을 중첩시킬 수 있습니다.다음 예제에서는 다른 람다 식이 포함된 람다 식을 보여 줍니다.안쪽 람다 식은 인수를 2를 곱한 후 결과를 반환합니다.바깥쪽 람다 식은 안쪽 람다 식의 인수와 함께 호출하고 결과에 3을 추가합니다.

Dd293599.collapse_all(ko-kr,VS.110).gif코드

// nesting_lambda_expressions.cpp
// compile with: /EHsc
#include <iostream>

int main()
{
   using namespace std;

   // The following lambda expression contains a nested lambda
   // expression.
   int m = [](int x) 
      { return [](int y) { return y * 2; }(x) + 3; }(5);

   // Print the result.
   cout << m << endl;
}

Dd293599.collapse_all(ko-kr,VS.110).gifOutput

13

Dd293599.collapse_all(ko-kr,VS.110).gif설명

이 예제에서 [](int y) { return y * 2; }는 중첩된 람다 식입니다.

[단원 내용]

예제: 고차 람다 함수

Dd293599.collapse_all(ko-kr,VS.110).gif설명

대부분의 프로그래밍 언어는 고차 함수의 개념을 지원합니다. 고차 함수는 람다 식으로, 다른 람다 식을 인수로 취하거나 람다 식을 반환합니다. function 클래스를 사용하여 C++ 람다 식이 고차 함수와 같이 동작하도록 허용할 수 있습니다.다음 예제는 function 개체를 반환하는 람다 식과 인수로서 function 개체를 취하는 람다 식을 보여줍니다.

Dd293599.collapse_all(ko-kr,VS.110).gif코드

// higher_order_lambda_expression.cpp
// compile with: /EHsc
#include <iostream>
#include <functional>

int main()
{
   using namespace std;

   // The following code declares a lambda expression that returns 
   // another lambda expression that adds two numbers. 
   // The returned lambda expression captures parameter x by value.
   auto g = [](int x) -> function<int (int)> 
      { return [=](int y) { return x + y; }; };

   // The following code declares a lambda expression that takes another
   // lambda expression as its argument.
   // The lambda expression applies the argument z to the function f
   // and adds 1.
   auto h = [](const function<int (int)>& f, int z) 
      { return f(z) + 1; };

   // Call the lambda expression that is bound to h. 
   auto a = h(g(7), 8);

   // Print the result.
   cout << a << endl;
}

Dd293599.collapse_all(ko-kr,VS.110).gifOutput

16

Dd293599.collapse_all(ko-kr,VS.110).gif설명

[단원 내용]

예제: 메서드에 람다 식 사용

Dd293599.collapse_all(ko-kr,VS.110).gif설명

메서드 본문에서 람다 식을 사용할 수 있습니다.람다 식은 바깥쪽 메서드에서 액세스할 수 있는 모든 메서드 또는 데이터 멤버에 액세스할 수 있습니다.명시적 또는 암시적으로 바깥쪽 클래스의 메서드 및 데이터 멤버에 대 한 액세스를 제공하는 this 포인터를 캡처할 수 있습니다

다음 예제에서는 소수 자릿수 값을 캡슐화하는 Scale 클래스를 보여 줍니다.ApplyScale 메서드는 람다 수식을 사용하여 vector 개체와 스케일 값의 각 요소의 제품을 프린트합니다.람다 식은 포인터를 _scale 멤버에 액세스할 수 있도록 명시적으로 this 포인터를 캡처합니다.

// method_lambda_expression.cpp
// compile with: /EHsc
#include <algorithm>
#include <iostream>
#include <vector>
using namespace std;

class Scale
{
public:
   // The constructor.
   explicit Scale(int scale)
      : _scale(scale)
   {
   }

   // Prints the product of each element in a vector object 
   // and the scale value to the console.
   void ApplyScale(const vector<int>& v) const
   {
      for_each(v.begin(), v.end(), 
         [this](int n) { cout << n * _scale << endl; });
   }

private:
   int _scale;
};

int main()
{
   vector<int> values;
   values.push_back(3);
   values.push_back(6);
   values.push_back(9);

   // Create a Scale object that scales elements by 3 and apply
   // it to the vector object.
   Scale s(3);
   s.ApplyScale(values);
}

Dd293599.collapse_all(ko-kr,VS.110).gifOutput

9
18
27

Dd293599.collapse_all(ko-kr,VS.110).gif설명

this 포인터를 다음 예제와 같이 메서드에 명시적으로 사용할 수 있습니다.

void ApplyScale(const vector<int>& v) const
{
   for_each(v.begin(), v.end(), 
      [this](int n) { cout << n * this->_scale << endl; });
}

또한 다음 예제와 같이 this 포인터를 암시적으로 캡처할 수도 있습니다.

void ApplyScale(const vector<int>& v) const
{
   for_each(v.begin(), v.end(), 
      [=](int n) { cout << n * _scale << endl; });
}

[단원 내용]

예제: 템플릿이 있는 람다 식 사용

Dd293599.collapse_all(ko-kr,VS.110).gif설명

람다 식이 형식화되기 때문에 C++ 템플릿과 함께 사용할 수 있습니다.다음 예제에서는 negate_all 및 print_all 함수를 보여 줍니다.negate_all 함수는 단항 operator-를 vector 개체의 각 요소에 적용합니다.print_all 함수는 vector 개체의 각 요소를 콘솔로 출력합니다.

Dd293599.collapse_all(ko-kr,VS.110).gif코드

// template_lambda_expression.cpp
// compile with: /EHsc
#include <vector>
#include <algorithm>
#include <iostream>

using namespace std;

// Negates each element in the vector object.
template <typename T> 
void negate_all(vector<T>& v)
{
    for_each(v.begin(), v.end(), [] (T& n) { n = -n; } );
}

// Prints to the console each element in the vector object.
template <typename T> 
void print_all(const vector<T>& v)
{
   for_each(v.begin(), v.end(), [] (const T& n) { cout << n << endl; } );
}

int main()
{
   // Create a vector of integers with a few initial elements.
   vector<int> v;
   v.push_back(34);
   v.push_back(-43);
   v.push_back(56);

   // Negate each element in the vector.
   negate_all(v);

   // Print each element in the vector.
   print_all(v);
}

Dd293599.collapse_all(ko-kr,VS.110).gifOutput

-34
43
-56

Dd293599.collapse_all(ko-kr,VS.110).gif설명

C++ 템플릿에 대한 자세한 내용은 서식 파일을 참조하십시오.

[단원 내용]

예제: 예외 처리

Dd293599.collapse_all(ko-kr,VS.110).gif설명

람다 수식의 본문은 SEH(구조화된 예외 처리)와 C++ 예외 처리에 대한 규칙에 따릅니다.람다 식의 본문에는 양각된 예외를 처리 하거나 예외 처리를 포함하는 범위를 지연시킬 수 있습니다.다음 예제에서는 for_each 함수와 람다 식을 이용하여 하나의 vector 개체에 다른 값을 채웁니다.try/catch 블록을 사용하여 첫 번째 벡터에 대한 잘못된 액세스를 처리합니다.

Dd293599.collapse_all(ko-kr,VS.110).gif코드

// eh_lambda_expression.cpp
// compile with: /EHsc
#include <vector>
#include <algorithm>
#include <iostream>
using namespace std;

int main()
{
   // Create a vector that contains 3 elements.
   vector<int> elements(3);

   // Create another vector that contains index values.
   vector<int> indices(3);
   indices[0] = 0;
   indices[1] = -1; // This is not a subscript. It will trigger the exception.
   indices[2] = 2;

   // Use the values from the vector of index values to 
   // fill the elements vector. This example uses a 
   // try/catch block to handle invalid access to the 
   // elements vector.
   try
   {
       for_each(indices.begin(), indices.end(), 
           [&] (int index) { elements.at(index) = index; });
   }
   catch (const out_of_range& e) 
   {
       cerr << "Caught '" << e.what() << "'." << endl;
   };
}

Dd293599.collapse_all(ko-kr,VS.110).gifOutput

Caught 'invalid vector<T> subscript'.

Dd293599.collapse_all(ko-kr,VS.110).gif설명

예외 처리에 대한 자세한 내용은 Visual C++에서는 처리 된 예외를 참조하십시오.

[단원 내용]

예제: 관리되는 형식이 있는 람다 식 사용

Dd293599.collapse_all(ko-kr,VS.110).gif설명

람다 식의 캡처 절에는 관리되는 형식의 변수가 포함될 수 없습니다.그러나 관리되는 형식이 포함된 인수를 람다 식의 매개 변수 목록으로 전달할 수 있습니다.다음 예제에서는 관리되지 않는 지역 변수 ch를 캡처하는 람다 식을 포함하고 매개 변수로서 System.String개체를 가져옵니다.

Dd293599.collapse_all(ko-kr,VS.110).gif코드

// managed_lambda_expression.cpp
// compile with: /clr
using namespace System;

int main()
{
    char ch = '!'; // a local unmanaged variable
    
    // The following lambda expression captures local variables
    // by value and takes a managed String object as its parameter.
    [=] (String ^s) 
        { Console::WriteLine(s + Convert::ToChar(ch)); }("Hello");
}

Dd293599.collapse_all(ko-kr,VS.110).gifOutput

Hello!

Dd293599.collapse_all(ko-kr,VS.110).gif설명

STL/CLR 라이브러리에서 람다 식을 사용할 수도 있습니다.STL/CLR에 대한 자세한 내용은 STL/CLR 라이브러리 참조를 참조하십시오.

[단원 내용]

참고 항목

참조

C + +에서 람다 식

람다 식 구문

자동 (형식 추론) 키워드

function Class

find_if

<algorithm>

함수 호출 (C++)

Visual C++에서는 처리 된 예외

기타 리소스

서식 파일

STL/CLR 라이브러리 참조