在C++11標(biāo)準(zhǔn)庫(kù)中,std::bind
函數(shù)可以用來(lái)創(chuàng)建一個(gè)可調(diào)用對(duì)象,將函數(shù)和參數(shù)綁定在一起。這允許您延遲調(diào)用函數(shù),或者在調(diào)用時(shí)提供額外參數(shù)。std::bind
函數(shù)的基本用法如下:
#include <functional>
#include <iostream>
void myFunction(int a, int b, int c) {
std::cout << "a: " << a << ", b: " << b << ", c: " << c << std::endl;
}
int main() {
auto func = std::bind(myFunction, 1, 2, 3);
func(); // 輸出:a: 1, b: 2, c: 3
return 0;
}
在上面的示例中,我們定義了一個(gè)函數(shù)myFunction
,然后使用std::bind
函數(shù)將其和參數(shù)1, 2, 3
綁定在一起,創(chuàng)建了一個(gè)可調(diào)用對(duì)象func
。當(dāng)我們調(diào)用func()
時(shí),會(huì)輸出a: 1, b: 2, c: 3
。
除了直接綁定參數(shù)外,std::bind
還支持占位符std::placeholders::_1
, std::placeholders::_2
, std::placeholders::_3
等,用于標(biāo)記需要在調(diào)用時(shí)提供的參數(shù)位置。例如:
#include <functional>
#include <iostream>
void myFunction(int a, int b, int c) {
std::cout << "a: " << a << ", b: " << b << ", c: " << c << std::endl;
}
int main() {
auto func = std::bind(myFunction, std::placeholders::_2, 10, std::placeholders::_1);
func(5, 15); // 輸出:a: 15, b: 10, c: 5
return 0;
}
在上面的示例中,我們使用占位符std::placeholders::_1
和std::placeholders::_2
來(lái)指定在調(diào)用時(shí)提供的參數(shù)位置。當(dāng)我們調(diào)用func(5, 15)
時(shí),會(huì)輸出a: 15, b: 10, c: 5
。