Logo Questions Linux Laravel Mysql Ubuntu Git Menu
 

Using boost to create a lambda function which always returns true

Suppose I have a function which takes some form of predicate:

void Foo( boost::function<bool(int,int,int)> predicate );

If I want to call it with a predicate that always returns true, I can define a helper function:

bool AlwaysTrue( int, int, int ) { return true; }
...
Foo( boost::bind( AlwaysTrue ) );

But is there anyway to call this function (possibly using boost::lambda) without having to define a separate function?

[Edit: forgot to say: I CAN'T use C++0x]

like image 572
stusmith Avatar asked Aug 24 '10 15:08

stusmith


2 Answers

UncleBens commented on this in Scharron's answer, but I think it is actually the best answer so I'm stealing it (sorry UncleBens). Simply use

Foo(boost::lambda::constant(true));

As described in the documentation for Boost.Lambda, only the minimum arity of the functor is zero, the maximum arity is unlimited. So any inputs passed to the functor will simply be ignored.

like image 129
SCFrench Avatar answered Sep 22 '22 19:09

SCFrench


Here is a quick example :

#include <boost/function.hpp>
#include <boost/lambda/lambda.hpp>
#include <iostream>

void Foo( boost::function<bool(int,int,int)> predicate )
{
  std::cout << predicate(0, 0, 0) << std::endl;
}

int main()
{
  using namespace boost::lambda;
  Foo(true || (_1 + _2 + _3));
}

The trick is in true || (_1 + _2 + _3) where you are creating a boost lambda with 3 arguments (_1, _2 and _3), always returning true.

like image 28
Scharron Avatar answered Sep 24 '22 19:09

Scharron