Logo Questions Linux Laravel Mysql Ubuntu Git Menu
 

Using std::transform to convert a std::vector<struct{key; val;}> into a std::map<key, val>

Given these types:

struct ComplexLibraryThing { /*lots of fields*/};
typedef std::map<int, ComplexLibraryThing> MyMap;
struct ShadowComplexLibraryThing { /*Shadow of ComplexLibraryThing*/};
struct MyVecType { int a; ShadowComplexLibraryThing b; };
typedef std::vector<MyVecType> MyVector;

I can do this for serialisation (my serialisation library doesn't support map-like types):

MyVecType map2pair(std::pair<int, ComplexLibraryThing> const &myPair)
{
    MyVecType retVal;
    retVal.a = myPair.first;
    retVal.b = convertForSerialisation(myPair.second);
    return retVal;
}

MyMap myMap = {...};
MyVector myVector;
std::transform(myMap.begin(),
               myMap.end(),
               std::back_inserter(myVector),
               map2pair);

I then send the vector over to the receiver which wants to reconstruct the MyMap. However, I cannot find a suitable <algorithm> template that does de-serialisation like this:

MyMap myNewMap;
for (auto const &entry: myVector)
    myNewMap[entry.a] = convertForDeserialisation(entry.b);

How would I write this using an <algorithm>?

(Note that the ComplexLibraryThing type within the map cannot be easily altered, but I also have a ShadowComplexLibraryThing which can be)

like image 212
Ken Y-N Avatar asked Oct 18 '25 16:10

Ken Y-N


1 Answers

I think the key "trick" missing is std::inserter. Here's a little demo.

#include <algorithm>
#include <iterator>
#include <map>
#include <vector>

struct foo {int a; int b;};

std::vector<foo> GenerateSource() {
  return {};
} 

std::pair<int, int> ConvertFooToMapPair(const foo& f) {
    return {f.a, f.b};
}

int main(int argc, char* argv[]) {
  std::map<int, int> destination;
  std::vector<foo> source = GenerateSource();
  std::transform(
    source.begin(), source.end(),
    std::inserter(destination, destination.end()),
    ConvertFooToMapPair);
}
like image 162
druckermanly Avatar answered Oct 21 '25 04:10

druckermanly