Logo Questions Linux Laravel Mysql Ubuntu Git Menu
 

How do I perform a pairwise binary operation between the elements of two containers?

Tags:

Suppose I have two vectors std::vector<uint_32> a, b; that I know to be of the same size.

Is there a C++11 paradigm for doing a bitwise-AND between all members of a and b, and putting the result in std::vector<uint_32> c;?

like image 313
kfmfe04 Avatar asked Dec 16 '11 23:12

kfmfe04


1 Answers

A lambda should do the trick:

#include <algorithm>
#include <iterator>

std::transform(a.begin(), a.end(),     // first
               b.begin(),              // second
               std::back_inserter(c),  // output
               [](uint32_t n, uint32_t m) { return n & m; } ); 

Even better, thanks to @Pavel and entirely C++98:

#include <functional>

std::transform(a.begin(), a.end(), b.begin(),
               std::back_inserter(c), std::bit_and<uint32_t>());
like image 56
Kerrek SB Avatar answered Nov 01 '22 13:11

Kerrek SB