Is there any easy way to convert a CLI/.NET System::array to a C++ std::vector, besides doing it element-wise?
I\'m writing a wrapper metho
Another approach, letting the .NET BCL do the work instead of the C++ standard library:
#include
void SetLowerBoundsWrapper(array^ lb)
{
using System::IntPtr;
using System::Runtime::InteropServices::Marshal;
std::vector lower(lb->Length);
Marshal::Copy(lb, 0, IntPtr(&lower[0]), lb->Length);
_opt->set_lower_bounds(lower);
}
The following both compile for me with VC++ 2010 SP1, and are exactly equivalent:
#include
#include
void SetLowerBoundsWrapper(array^ lb)
{
std::vector lower(lb->Length);
{
pin_ptr pin(&lb[0]);
double *first(pin), *last(pin + lb->Length);
std::copy(first, last, lower.begin());
}
_opt->set_lower_bounds(lower);
}
void SetLowerBoundsWrapper2(array^ lb)
{
std::vector lower(lb->Length);
{
pin_ptr pin(&lb[0]);
std::copy(
static_cast(pin),
static_cast(pin + lb->Length),
lower.begin()
);
}
_opt->set_lower_bounds(lower);
}
The artificial scope is to allow the pin_ptr to unpin the memory as early as possible, so as not to hinder the GC.