如何将System :: array转换为std :: vector?

时间:2011-07-27 15:21:57

标签: .net c++-cli wrapper

除了按元素方式执行之外,有没有简单的方法将CLI / .NET System::array转换为C ++ std::vector

我正在CLI / C ++中编写一个包装器方法(SetLowerBoundsWrapper, below),它接受System::array作为参数,并将等效的std::vector传递给本机C ++方法({{ 1}})。目前我这样做如下:

set_lower_bounds

2 个答案:

答案 0 :(得分:10)

另一种方法,让.NET BCL代替C ++标准库来完成工作:

#include <vector>

void SetLowerBoundsWrapper(array<double>^ lb)
{
    using System::IntPtr;
    using System::Runtime::InteropServices::Marshal;

    std::vector<double> lower(lb->Length);
    Marshal::Copy(lb, 0, IntPtr(&lower[0]), lb->Length);
    _opt->set_lower_bounds(lower);
}

以下两者都使用VC ++ 2010 SP1编译,并且完全等效:

#include <algorithm>
#include <vector>

void SetLowerBoundsWrapper(array<double>^ lb)
{
    std::vector<double> lower(lb->Length);
    {
        pin_ptr<double> pin(&lb[0]);
        double *first(pin), *last(pin + lb->Length);
        std::copy(first, last, lower.begin());
    }
    _opt->set_lower_bounds(lower);
}

void SetLowerBoundsWrapper2(array<double>^ lb)
{
    std::vector<double> lower(lb->Length);
    {
        pin_ptr<double> pin(&lb[0]);
        std::copy(
            static_cast<double*>(pin),
            static_cast<double*>(pin + lb->Length),
            lower.begin()
        );
    }
    _opt->set_lower_bounds(lower);
}

人工作用范围是允许pin_ptr尽快取消内存,以免妨碍GC。

答案 1 :(得分:1)

我们看到这些有什么问题吗?

  #include <cstring>
  #include <vector>

  template<typename T>
  cli::array<T> ^ pincpy_a_v(std::vector<T> & v) {
     cli::array<T> ^ a(gcnew cli::array<T>(v.size()));
     pin_ptr<T> a_ptr = &a[0];
     std::memcpy(a_ptr, v.data(), v.size() * sizeof(T)); 
     return a;
  }

  template<typename T>
  std::vector<T> pincpy_v_a(cli::array<T> ^ a) {
     auto v{std::vector<T>(a->Length)};
     pin_ptr<T> a_ptr = &a[0];
     std::memcpy(v.data(), a_ptr, a->Length * sizeof(T)); 
     return v;
  }