1. 程式人生 > 其它 >C++ 11之std::bind用法

C++ 11之std::bind用法

#include <iostream>
#include <functional>
#include <stdio.h>

int funcA( int a, int b )
{
    return a + b;
}

int funcB( int &a, int &b )
{
    ++a;
    return a + b;
}

class C {
public:
    int funcC( int a, int b ) {
        return a + b;
    }
};

int main(int argc, char *argv[])
{
    // 繫結一個普通函式,傳遞的引數為1、2
    auto fn0 = std::bind( funcA, 1, 2 );
    std::cout << fn0() << std::endl;        // 3

    // 繫結一個普通函式,第一個引數為佔位符(用於呼叫時傳參),第二個引數為3
    auto fn1 = std::bind( funcA, std::placeholders::_1, 3 );
    std::cout << fn1( 1 ) << std::endl;     // 4

    // 佔位符是引用傳遞,第二個引數為值傳遞(雖然funcB的2個引數都為引用)
    auto a   = 1;
    auto b   = 1;
    auto fn2 = std::bind( funcB, std::placeholders::_1, b );
    std::cout << fn2( a ) << std::endl;     // 3
    std::cout << a << std::endl;            // 2    引用傳遞
    std::cout << b << std::endl;            // 1    值傳遞

    // 繫結一個類的例項函式,傳遞的引數為1、2
    C c;
    auto fn3 = std::bind( &C::funcC, c, 1, 2 );
    std::cout << fn3() << std::endl;        // 3

    // 繫結一個類的例項函式,引數為佔位符,返回值為函式型別
    std::function<int(int,int)> fn4 = std::bind( &C::funcC, c, std::placeholders::_1, std::placeholders::_2 );
    std::cout << fn4( 1, 2 ) << std::endl;  // 3

    system( "pause" );
    return 0;
}