在C++11標準庫中,std::bind
函數可以用來創建一個可調用對象,將函數和參數綁定在一起。這允許您延遲調用函數,或者在調用時提供額外參數。std::bind
函數的基本用法如下:
#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;
}
在上面的示例中,我們定義了一個函數myFunction
,然后使用std::bind
函數將其和參數1, 2, 3
綁定在一起,創建了一個可調用對象func
。當我們調用func()
時,會輸出a: 1, b: 2, c: 3
。
除了直接綁定參數外,std::bind
還支持占位符std::placeholders::_1
, std::placeholders::_2
, std::placeholders::_3
等,用于標記需要在調用時提供的參數位置。例如:
#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
來指定在調用時提供的參數位置。當我們調用func(5, 15)
時,會輸出a: 15, b: 10, c: 5
。