Reputation: 1071
I wrote this sample code to explain my problem. I have a solution in VS 2013, contains one C# project and a C++ project. I try to read an image with OpenCV in C++ (x86). and want to pass in to a C# x86 project (used CLR mode) to a Bitmap Object and Then BitmapImage Object to use as a WPF ImageSource.
My C++ Code:
Bitmap^ SomeClass::Test(System::String^ imgFileName)
{
auto fileName = msclr::interop::marshal_as<string>(imgFileName);
Mat img = imread(fileName);
//Do something
auto bmp = gcnew Bitmap(img.cols, img.rows, img.step, Imaging::PixelFormat::Format24bppRgb, (IntPtr)img.data);
bmp->Save("InC++Side.png");
return bmp;
}
My C# Code:
private void ImageTester(object sender, RoutedEventArgs e)
{
var image = testClass.Test("test.png");
image.Save("InC#Side.png");
bg.Source = ConvertToBitmapImageFromBitmap(image);
}
public static BitmapImage ConvertToBitmapImageFromBitmap(Bitmap image)
{
using(var ms = new MemoryStream())
{
image.Save(ms, System.Drawing.Imaging.ImageFormat.Png);
BitmapImage bImg = new BitmapImage();
bImg.BeginInit();
bImg.StreamSource = new MemoryStream(ms.ToArray());
bImg.EndInit();
return bImg;
}
}
Problem is that the file saved by C++ (InC++Side.png) is perfect; but the other one which is presented the Bitmap object in C# is just a gray rectangle with that image's Height and Width.
Where is the problem?
How I can pass the Image to my C# project?
Upvotes: 1
Views: 6313
Reputation: 6310
I see it's quite an old question at this point, but I just encountered a similar task. Rather than keeping the unmanaged resource alive and use it in managed code, I believe it's better to copy data to the managed heap and let CLR handle it. Here is my approach:
System::Windows::Media::ImageSource^ ManagedCppClass::GetLatestImage()
{
cv::Mat frame;
if (!videoSrc->read(frame))
return nullptr;
int totSize = frame.total() * frame.elemSize();
auto managedArray = gcnew array<System::Byte>(totSize);
System::Runtime::InteropServices::Marshal::Copy(System::IntPtr((void*)frame.data),
managedArray, 0, totSize); //assume isContinuous is always true at this point (?)
return System::Windows::Media::Imaging::BitmapImage::Create(
frame.cols, frame.rows, 96, 96, System::Windows::Media::PixelFormats::Bgr24, //Rgb24,
System::Windows::Media::Imaging::BitmapPalettes::WebPalette, managedArray, frame.step);
}
Maybe it will help someone who stumbles upon it in the future.
Upvotes: 2
Reputation: 1071
It seems that the problem is about the shared memory.
Mat
and Bitmap
are share the memory in C++
. So, when the Mat
object destroys, the Bitmap
object can't access to the data. That's why its data is correct in C++ side but have nothing inside in C# side.
To solving this problem, I used static Mat
. It'll never release, but can solve my problem.
Upvotes: 0