使用带有绑定的boost字符串算法谓词



编译此示例

#include <boost/bind.hpp>
#include <boost/algorithm/string.hpp>
#include <algorithm>
#include <iostream>
#include <vector>
using namespace std;
int main(int , char** )
{
    vector<string> test;
    test.push_back("xtest2");
    test.push_back("test3");
    ostream_iterator<string> out_it(cout, "n");
    remove_copy_if(test.begin(), test.end(), out_it,     
                   boost::bind(boost::algorithm::starts_with, _1, "x"));
}

失败并出现错误

no matching function for call to 
‘bind(<unresolved overloaded function type>, boost::arg<1>&, const char [2])’

使用的bind调用有什么问题

no matching function for call to ‘bind(<unresolved overloaded function type>, boost::arg<1>&, const char [2])’

所以,。。。解析<unresolved overloaded function type>:

remove_copy_if(test.begin(), test.end(), out_it, boost::bind(
     boost::algorithm::starts_with<std::string, std::string>, _1, "x"));

输出:

$ g++ ./test.cpp ./a.exe
test3

多做一点工作,你就可以让打字不那么难看。以下几种变体:

#include <boost/bind.hpp>
#include <boost/algorithm/string.hpp>
#include <algorithm>
#include <iostream>
#include <vector>
using namespace std;
namespace my // for alternative styles
{
    static bool starts_with(const std::string& s, const std::string& prefix)
    {
        return boost::algorithm::starts_with(s, prefix);
    }
    struct starts_with_s 
    {
        starts_with_s(const std::string& prefix) : _p(prefix) {}
        bool operator()(const std::string& s) const {
            return boost::algorithm::starts_with(s, _p);
        }
        private: const std::string _p;
    };
}

int main(int , char** )
{
    vector<string> test;
    test.push_back("xtest2");
    test.push_back("test3");
    ostream_iterator<string> out_it(cout, "n");
    remove_copy_if(test.begin(), test.end(), out_it,     
                   boost::bind(boost::algorithm::starts_with<std::string, std::string>, _1, "x"));
    remove_copy_if(test.begin(), test.end(), out_it,     
                   boost::bind(my::starts_with, _1, "x"));
    my::starts_with_s pred("x");
    remove_copy_if(test.begin(), test.end(), out_it, pred);
    // using c++0x style lambdas
    const std::string prefix = "x";
    remove_copy_if(test.begin(), test.end(), out_it, [&prefix](const std::string& s) 
            { return boost::algorithm::starts_with(s, prefix); });
}

如果编译器支持某些C++11,则可以使用std::bind。在C++11中,您将使用std::占位符::_1,因此它可能是boost::占位符:1。

最新更新