0

我有一个以字符串为键、以 Cnode 结构为值的多重映射:

struct Cnode
{
    Cnode() : wtA(0), wtC(0), wtG(0), wtT(0) { }
    Cnode(int newA, int newC, int newG, int newT)
      : wtA(newA), wtC(newC), wtG(newG), wtT(newT)
    { }

    int wtA, wtC, wtG, wtT;
};

Cnode combine_valuesA(const myFast map, const string& key)
{
    return std::accumulate(
        map.equal_range(key).first,
        map.equal_range(key).second,
        0,
        [](int sumA, int sumC, int sumG, int sumT, myFast::value_type p) //error
        {
            return Cnode(
                sumA + p.second.wtA,
                sumC + p.second.wtC,
                sumG + p.second.wtG,
                sumT + p.second.wtT);
        }
    );
}

我需要在 Cnode 中为多图上的重复键添加所有整数。这是我得到的错误:

没有从“int”到“Cnode”的可行转换

4

1 回答 1

3

这似乎具有您正在寻找的语义:

struct Cnode
{
    Cnode() : wtA(), wtC(), wtG(), wtT() { }
    Cnode(int a, int c, int g, int t)
      : wtA(a), wtC(c), wtG(g), wtT(t)
    { }

    int wtA, wtC, wtG, wtT;
};
typedef std::multimap<std::string, Cnode> myFast;

myFast::mapped_type combine_valuesA(myFast const& map, std::string const& key)
{
    auto range = map.equal_range(key);
    return std::accumulate(
        range.first, range.second, myFast::mapped_type(),
        [](myFast::mapped_type const& node, myFast::value_type const& p)
        {
            return myFast::mapped_type(
                node.wtA + p.second.wtA,
                node.wtC + p.second.wtC,
                node.wtG + p.second.wtG,
                node.wtT + p.second.wtT
            );
        }
    );
}

请注意,Cnode可以用 、 或 替换std::valarray<int>std::array<int, 4>std::tuple<int, int, int, int>简化代码;这是使用第一个的样子:

typedef std::multimap<std::string, std::valarray<int>> myFast;

myFast::mapped_type combine_valuesA(myFast const& map, std::string const& key)
{
    auto range = map.equal_range(key);
    return std::accumulate(
        range.first, range.second, myFast::mapped_type(4),
        [](myFast::mapped_type const& node, myFast::value_type const& p)
        {
            return node + p.second;
        }
    );
}
于 2012-09-28T19:48:51.470 回答