当前位置 : 主页 > 编程语言 > java >

[modern c++] std::bind 函数的使用

来源:互联网 收集:自由互联 发布时间:2022-09-29
参考:bind - C++ Reference bind完成了什么功能? bind使用传入的函数(普通函数,成员函数)创建一个callable对象,并作为返回值返回。 bind是否必要? bind最早设计出来的目的可能是为了创建


参考:bind - C++ Reference

bind完成了什么功能?

bind使用传入的函数(普通函数,成员函数)创建一个callable对象,并作为返回值返回。

bind是否必要?

bind最早设计出来的目的可能是为了创建临时callable对象,这类似于lambda。此外,可以通过bind把成员函数导出为回调函数。貌似自从c++ 11的lambda出来以后bind的使用就变得比较少了。

原型:

simple(1)

template <class Fn, class... Args> /* unspecified */ bind (Fn&& fn, Args&&... args);

with return type (2)

template <class Ret, class Fn, class... Args> /* unspecified */ bind (Fn&& fn, Args&&... args);

Demo:

// bind example
#include <iostream> // std::cout
#include <functional> // std::bind

// a function: (also works with function object: std::divides<double> my_divide;)
double my_divide (double x, double y) {return x/y;}

struct MyPair {
double a,b;
double multiply() {return a*b;}
};

int main () {
using namespace std::placeholders; // adds visibility of _1, _2, _3,...

// simple(1) / binding functions:
auto fn_five = std::bind (my_divide,10,2); // returns 10/2
std::cout << fn_five() << '\n'; // 5

auto fn_half = std::bind (my_divide,_1,2); // returns x/2
std::cout << fn_half(10) << '\n'; // 5

auto fn_invert = std::bind (my_divide,_2,_1); // returns y/x
std::cout << fn_invert(10,2) << '\n'; // 0.2

auto fn_rounding = std::bind<int> (my_divide,_1,_2); // returns int(x/y)
std::cout << fn_rounding(10,3) << '\n'; // 3

MyPair ten_two {10,2};

// simple(1) / binding members:
auto bound_member_fn = std::bind (&MyPair::multiply,_1); // returns x.multiply()
std::cout << bound_member_fn(ten_two) << '\n'; // 20

// with return type(2)
// 返回ten_two实例的成员
auto bound_member_data = std::bind (&MyPair::a,ten_two); // returns ten_two.a
std::cout << bound_member_data() << '\n'; // 10

return 0;
}
上一篇:[Qt] QML动画相关
下一篇:没有了
网友评论