How to convert System::array to std::vector?

前端 未结 2 1431
广开言路
广开言路 2020-12-17 00:09

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

相关标签:
2条回答
  • 2020-12-17 00:59

    Another approach, letting the .NET BCL do the work instead of the C++ standard library:

    #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);
    }
    

    The following both compile for me with VC++ 2010 SP1, and are exactly equivalent:

    #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);
    }
    

    The artificial scope is to allow the pin_ptr to unpin the memory as early as possible, so as not to hinder the GC.

    0 讨论(0)
  • 2020-12-17 01:01

    Do we see any problem with these?

      #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;
      }
    
    0 讨论(0)
提交回复
热议问题