algorithm to add values of two ranges and place them into a third one

前端 未结 4 1988
说谎
说谎 2021-01-18 05:03

I was just wondering if there was anything (either in c++11 or boost) that could help me do something like this:

std::vector v1 = {1, 2, 3};
std::         


        
相关标签:
4条回答
  • 2021-01-18 05:40

    std::transform (http://en.cppreference.com/w/cpp/algorithm/transform) is what you might be looking for.

    0 讨论(0)
  • 2021-01-18 05:42

    std::transform is what you are looking for.

    0 讨论(0)
  • 2021-01-18 05:54

    You can use the 5 parameter overload of std::transform for this. This takes a binary functor to operate on pairs of elements of two ranges:

    std::transform(v1.begin(), 
                   v1.end(), 
                   v2.begin(), 
                   back_inserter(res), 
                   std::plus<int>());
    
    0 讨论(0)
  • 2021-01-18 05:56

    Just for fun, I'll point to an alternative to std::vector and std::transform. You could use std::valarray instead.

    #include <valarray>
    #include <iostream>
    
    int main() { 
        std::valarray<int> a = {1, 2, 3};
        std::valarray<int> b = {2, 5, 4};
    
        std::valarray<int> c = a + b;    // look ma, no transform!
    
        for (int i=0; i<3; i++)
            std::cout << c[i] << "\t";
    }
    

    Result:

    3       7       7
    

    Unfortunately, even though the code for adding the valarrays together is simple and clean, valarray has never gained much popularity. As such, we're left with this rather strange situation where even code like that above that strikes me as very clean, straightforward and readable still almost qualifies as obfuscated, simply because so few people are accustomed to it.

    0 讨论(0)
提交回复
热议问题