如何否定mem_fn创建的函数指针的结果

时间:2016-11-22 11:10:04

标签: c++ visual-studio-2010

我有一个更复杂的包装类版本,它封装了用户类型的std :: vector,如下所示。

struct UserType1Encapsulator
{
   template <typename F>
   UserType1Encapsulator& Filter( F filterFunction )
   {
       std::vector<userType1> newList;
       for ( size_t i = 0; i < iTerrainList.size(); i++)  --> can't use range for loop vs2010 
       {
           if ( filterFunction(iTerrainList[i]) )
               newList.push_back(iTerrainList[i]);

       }
       encapsulatedList = newList;
       return *this;
   }

std::vector<userType1> encapsulatedList;
}

我正在做一些像Filter.Filter.Map等链接的东西。

一切都很好,直到我发现我需要否定对我传递的函数指针的操作

   userVec.Filter( std::mem_fn(&userType1::isCopy) );

我需要使用像

这样的东西
userVec.Filter( std::not1( std::mem_fn(&userType1::isCopy)) );

但我不知道如何使用它,不幸的是我无法访问lamdbas,因为即使我正在使用GCC 4.8编译,现在代码也应该用vs2010编译。

否定std :: mem_fn的结果以及哪些将在vs2010中编译的正确方法是什么?

1 个答案:

答案 0 :(得分:1)

当你没有lambdas时,请记住它们只是可调用对象的语法糖。创建自己的通用否定可调用:

template <typename TFunction>
struct negator
{
    // `_f` will be your mem_fn
    TFunction _f;

    negator(TFunction f) : _f(f) { }

    bool operator()(/* same arguments as isCopy */) const
    {
        return !f(/* same arguments as isCopy */);
    }
};

template <typename TFunction>
negator<TFunction> make_negator(TFunction f)
{
    return negator<TFunction>(f);
}

然后您应该能够按如下方式使用它:

userVec.Filter( make_negator( std::mem_fn(&userType1::isCopy)) );

full wandbox example