4

我有一个Attribute属性类std::string attributeName。我想开发一个简单的函数,它返回与提供的字符串匹配的Attribute索引attributeName。不幸的限制包括:我没有 c++0x 可供使用,而且我已经Attribute为更复杂的东西重载了 == 运算符。任何帮助将不胜感激,谢谢!

编辑-非常抱歉,我意识到尚不清楚我正在搜索的属性向量vector<Attribute> aVec。。

4

3 回答 3

9

std::find_if与自定义函数对象一起使用:

class FindAttribute
{
    std::string name_;

public:
    FindAttribute(const std::string& name)
        : name_(name)
        {}

    bool operator()(const Attribute& attr)
        { return attr.attributeName == name_; }
};

// ...

std::vector<Attribute> attributes;
std::vector<Attribute>::iterator attr_iter =
    std::find_if(attributes.begin(), attributes.end(),
        FindAttribute("someAttrName"));
if (attr_iter != attributes.end())
{
    // Found the attribute named "someAttrName"
}

要在 C++11 中做到这一点,实际上并没有什么不同,除了你显然不需要函数对象,或者必须声明迭代器类型:

std::vector<Attribute> attributes;

// ...

auto attr_iter = std::find_if(std::begin(attributes), std::end(attributes),
    [](const Attribute& attr) -> bool
    { return attr.attributeName == "someAttrName"; });

或者,如果您需要使用不同的名称多次执行此操作,请将 lambda 函数创建为变量,并std::bind在调用中使用std::find_if

auto attributeFinder =
    [](const Attribute& attr, const std::string& name) -> bool
    { return attr.attributeName == name; };

// ...

using namespace std::placeholders;  // For `_1` below

auto attr_iter = std::find_if(std::begin(attributes), std::end(attributes),
    std::bind(attributeFinder, _1, "someAttrName"));
于 2013-02-25T09:05:11.847 回答
1

您可以简单地使用 for 循环来达到此目的:

for (int i = 0; i<aVec.size();i++)
{
    if(aVec[i].attributeName == "yourDesiredString")
    {
        //"i" is the index of your Vector.      
    }
}
于 2016-02-06T08:00:34.270 回答
0

您还可以使用 boost 库中的绑定函数:

std::vector<Attribute>::iterator it = std::find_if(
     aVec.begin(),
     aVec.end(),
     boost::bind(&Attribute::attributeName, _1) == "someValue"
);

或 C++11 绑定函数:

std::vector<Attribute>::iterator it = std::find_if(
    aVec.begin(),
    aVec.end(),
    std::bind(
        std::equal_to<std::string>(),
        std::bind(&Attribute::attributeName, _1),
        "someValue"
    )
);

不声明谓词类或函数

于 2013-02-25T09:59:13.427 回答