I\'ve had problems with this before but now it\'s somehow working.
Now I\'ve following problem. I need to bind values into member-function before I call boost::bisect wi
If I read the tutorial correctly, it should be:
std::pair result =
bisect(boost::bind(&CLASS::Function, this, _1, _2, _3),
0.0, 1.000000, TerminationCondition());
I.e. the parameters to boost::bind()
are:
For your case, a CLASS::memberFunc()
, that'd be a CLASS *
(possibly this
but any CLASS *
is ok) as the first, which you literally state as such, followed by the parameters later passed to the bound object.
These "futures" are designated by _1
, _2
and so on, depending on their position at invocation time.
Example:
class addthree {
private:
int second;
public:
addthree(int term2nd = 0) : second(term2nd) {}
void addto(int &term1st, const int constval) {
term1st += (term2nd + constval);
}
}
int a;
addthree aa;
boost::function add_to_a = boost::bind(&addthree::addto, &aa, a, _1);
boost::function inc_a = boost::bind(&addthree::addto, &aa, a, 1);
a = 0 ; add_to_a(2); std::cout << a << std::endl;
a = 10; add_to_a(a); std::cout << a << std::endl;
a = 0 ; inc_a(); std::cout << a << std::endl;
[ ... ]