Передача массива C ++ в функцию C # - PullRequest
0 голосов
/ 04 июня 2018

Я пытаюсь использовать библиотеки C # для простого преобразования массива необработанных пикселей в файл PNG.Я написал свою первоначальную программу с использованием C ++ и OpenGL, поэтому лучшим подходом было передать мой пиксельный массив C ++ в C # dll с помощью COM и заставить C # dll сохранять их в виде файла PNG.Я легко могу передать значения в C #, но не могу быстро понять, как передать неуправляемый массив C ++ в C #.Я читал, что вы можете использовать SAFEARRAYS или делать что-то вроде Marshaling и Unmarshaling.В любом случае, я не уверен в них.Вот мой код C #,

using System;
using System.Collections.Generic;
using System.IO;
using System.Linq;
using System.Runtime.InteropServices;
using System.Text;
using System.Threading.Tasks;
using System.Windows;
using System.Windows.Media;
using System.Windows.Media.Imaging;

namespace PNG_Creator_DLL
{
[ComVisible(true)]
public interface IPicturesAndMovies
{
    //int Add(int a, int b);
    int CreatePNG(UInt16[] imagery_data);
}

[ComVisible(true)]
[ClassInterface(ClassInterfaceType.None)]
public class PNG_Create_Class: IPicturesAndMovies
{
    public int CreatePNG(UInt16[] imagery_data)
    {


        //create the images directory
        Directory.CreateDirectory("images");

        String fileName = "images\\PNG_test_nmr" + "_0000.png";
        var pngStream = new FileStream(fileName, FileMode.Create);

        readImage(imagery_data, pngStream, 384, 288);  //create the png frame
        pngStream.Close();
        fileName = "images\\PNG_test_nmr" + "_" + "0001" + ".png";
        pngStream = new FileStream(fileName, FileMode.Create);

        pngStream.Close();
        File.Delete(fileName);


        return 0;
    }

    private Boolean readImage(UInt16[] imagery_data, Stream pngStream, Int32 width, Int32 height)
    {


        var bmp = new WriteableBitmap(width, height, 96, 96, PixelFormats.Gray16, null);
        Int32 bytesPerPixel = bmp.Format.BitsPerPixel / 8;
        Int32Rect drawRegionRect = new Int32Rect(0, 0, bmp.PixelWidth, bmp.PixelHeight);


        Int32 stride = bmp.PixelWidth * bytesPerPixel;
        bmp.WritePixels(drawRegionRect, imagery_data, stride, 0);

        PngBitmapEncoder enc = new PngBitmapEncoder();
        enc.Frames.Add(BitmapFrame.Create(bmp));
        enc.Save(pngStream);

        return true;
    }
 }
}

Вот мой код C ++, который использует COM и пытается передать массив в C # dll

#include "stdafx.h"
#include <Windows.h>
#import "..\x64\Release\dllFiles\PNG_Creator_DLL.tlb" no_namespace

int main()
{
unsigned short* imagery_data = new unsigned short[384 * 288];
unsigned short temp_sum = 0;
for (int index_row = 0; index_row < 288; index_row++)
{
    temp_sum = 0;
    for (int index_col = 0; index_col < 384; index_col++)
    {

        imagery_data[index_row * 384 + index_col] = temp_sum;
        temp_sum = (unsigned short)(temp_sum + 160);
    }
}

CoInitialize(NULL);

IPicturesAndMoviesPtr obj;
obj.CreateInstance(__uuidof(PNG_Create_Class));
printf("Create      = %d\n", obj->CreatePNG(imagery_data));

CoUninitialize();
return 0;
}

Я получаю ошибку компилятора C2664 в printf ("Create=% d \ n ", obj-> CreatePNG (imagery_data));

В нем написано 'long IPicturesAndMovies :: CreatePNG (SAFEARRAY *)': невозможно преобразовать аргумент 1 из" unsigned short * "в" SAFEARRAY *'

Есть идеи, как это исправить?

1 Ответ

0 голосов
/ 04 июня 2018

Попробуйте, как сказано ниже.Это может работать

//YOUR ARRAY NEEDS TO BE CONVERTED TO SAFE ARRAY
unsigned short* imagery_data = new unsigned short[384 * 288];

//DECLARE A SAFE ARRAY POINTER
SAFEARRAY *psa;  


//AS THE REQUIRED IS UInt16[] - USE VT_UI2 
//LOWER BOUND  = 0
//UPPER BOUND = 110592 (384 * 288)
psa = SafeArrayCreateVector(VT_UI2, 0, 110592);  //REFER DOCUMENTATION

unsigned short *pData;  
HRESULT hr = SafeArrayAccessData(psa, (void **)&pData); //REFER DOCUMENTATION
memcpy(pData, imagery_data, 110592*sizeof(unsigned short));  
SafeArrayUnaccessData(psa);//REFER DOCUMENTATION

А затем использовать psa для передачи.

После того, как вы закончите с использованием, вызовите SafeArrayDestroy для очистки.

SafeArrayDestroy(psa);

Приведенный выше код поднимается снизу ссылки и сокращается.

https://github.com/MicrosoftDocs/cpp-docs/blob/master/docs/dotnet/how-to-marshal-a-safearray-for-adonet-cpp-cli.md

...