我正在尝试为函数调用numberedFunction
创建替代名称,如果它具有以下某些值
template< typename T >
class X
{
public:
X() : single( std::bind( &X::numberedFunction, *this, 1 ) ),
halfDozen( std::bind( &X::numberedFunction, *this, 6 ) )
{ ... }
T numberedFunction( unsigned int i ) { ... }
const std::function< T() >& single;
const std::function< T() >& halfDozen;
};
但是这段代码不正确(当我尝试使用任何特别命名的函数时会出现段错误)。使用this
我在初始化列表中的方式是否存在问题(例如,在我访问它时,这是不是保证格式良好)?别的(显而易见的)?是否有更好的方式来做我想做的事情(我觉得几乎肯定有)?
答案 0 :(得分:5)
const std::function< T() >& single;
const std::function< T() >& halfDozen;
您的成员是对const
的引用,但您是从构造函数中的临时对象初始化它们(假设您的真实代码中的bind
表达式不是无意义的) 。一旦施工完成,它们就无效。这真的是你想要的吗?
也许这就是你想做的事情(在这里使用通灵力量):
template< typename T >
class X
{
public:
X() : single( std::bind( &X::numberedFunction, this, 1 ) ),
halfDozen( std::bind( &X::numberedFunction, this, 6 ) )
{ ... }
T numberedFunction( unsigned int i ) { ... }
const std::function< T() > single;
const std::function< T() > halfDozen;
};
请注意,我绑定到this
,而不是*this
。这样可以避免复制,但可能不是您想要的。
答案 1 :(得分:3)
另一种方法是添加一些转发功能:
T numberedFunction( unsigned int i ) { ... }
T single()
{ return numberedFunction(1); }
T halfDozen()
{ return numberedFunction(6); }
答案 2 :(得分:0)
您在初始化列表中使用此指针。这是一个未初始化的对象。我想知道你是否可以成功编译这段代码!
查看示例以查看bind的用法(取自MSDN)
// std_tr1__functional__bind.cpp
// compile with: /EHsc
#include <functional>
#include <algorithm>
#include <iostream>
using namespace std::placeholders;
void square(double x)
{
std::cout << x << "^2 == " << x * x << std::endl;
}
void product(double x, double y)
{
std::cout << x << "*" << y << " == " << x * y << std::endl;
}
int main()
{
double arg[] = {1, 2, 3};
std::for_each(&arg[0], arg + 3, square);
std::cout << std::endl;
std::for_each(&arg[0], arg + 3, std::bind(product, _1, 2));
std::cout << std::endl;
std::for_each(&arg[0], arg + 3, std::bind(square, _1));
return (0);
}