我有一个连接到网络摄像头的c ++ dll。我正在尝试将这些帧调用到 c# wpf 应用程序中进行显示。
我有一个在 dll 中运行的线程,并通过回调将数据发回,如下所示:Updated
函数每新一帧调用一次,并更新zedframe
数据;
// class A
//callback from a c++ dll.
public IntPtr zedFrame;
public Mutex mutex = new Mutex();
public bool bGotFrame = false;
public event EventHandler Updated;
protected virtual void Updated(EventArgs e, IntPtr frame)
{
mutex.WaitOne(); // Wait until it is safe to enter.
zedFrame = frame;
mutex.ReleaseMutex(); // Release the Mutex.
bGotFrame = true;
}
在同一个类中,我有一个函数,它"应该"以线程安全的方式抓取帧数据。
public IntPtr getFrame()
{
IntPtr tmp;
mutex.WaitOne(); // Wait until it is safe to enter.
tmp = zedFrame;
mutex.ReleaseMutex(); // Release the Mutex.
return tmp;
}
在 wpf 表单中,我有一个图像:
<Grid>
<Image Name="ImageCameraFrame" Margin="5,5,5,5" MouseDown="GetImageCoordsAt"/>
</Grid>
在表格的 cs 中,我有一个DispatcherTimer
图像形式为 .xaml.cs
var timer = new DispatcherTimer
{
Interval = TimeSpan.FromMilliseconds(100)
};
timer.Tick += Timer_Tick;
private void Timer_Tick(object sender, EventArgs e)
{
if (ClassA.bGotFrame == true)
{
var data = ClassA.getFrame();
var width = 1280;
var height = 720;
var stride = 3 * width;
var bitmap = BitmapSource.Create(width, height, 96, 96,
PixelFormats.Rgb24, null, data, stride * height, stride);
bitmap.Freeze();
ImageCameraFrame.Source = bitmap;
}
}
当我运行它时,它会连接,显示单个帧,然后使应用程序崩溃。 我正在冻结位图,并使用互斥锁。 我做错了什么?
是否可以将图像源绑定到另一个类中的变量,并在另一个线程中更新?还是我需要计时器?
我遇到了一些类似的情况,最终采用了以下方法。也许使用 GDI 清理进行图像源转换会对您有所帮助。
Xaml:
<Image DockPanel.Dock="Left" Source="{Binding AssistantLogo}"
RenderOptions.BitmapScalingMode="NearestNeighbor" UseLayoutRounding="True"
Width="{Binding RelativeSource={RelativeSource Self}, Path=Source.PixelWidth}"
Height="{Binding RelativeSource={RelativeSource Self}, Path=Source.PixelHeight}"/>
视图模型:
if (Patient.ContainsMeaningfulData(applicationState.Patient))
_viewModel.AssistantLogo = bitmap1.ToImageSource();
else
_viewModel.AssistantLogo = bitmap2.ToImageSource();
扩展方法:
using System.Windows;
using System.Windows.Interop;
using System.Windows.Media;
using System.Windows.Media.Imaging;
/// <summary>
/// Convert a winforms image to a wpf-usable imageSource
/// </summary>
/// <param name="bitmap">winforms image</param>
/// <returns>wpf imageSource object</returns>
public static ImageSource ToImageSource(this System.Drawing.Bitmap bitmap)
{
var hbitmap = bitmap.GetHbitmap();
try
{
var imageSource = Imaging.CreateBitmapSourceFromHBitmap(hbitmap, IntPtr.Zero, Int32Rect.Empty, BitmapSizeOptions.FromWidthAndHeight(bitmap.Width, bitmap.Height));
return imageSource;
}
finally
{
Gdi32.DeleteObject(hbitmap);
}
}