我正在编写一个应用程序来使用CopyFromScreen
方法捕获屏幕,并且还想保存我捕获的图像以通过本地网络发送。
所以,我正在尝试将捕获的屏幕存储在一个位图上,并在两个线程上保存另一个位图,即先前捕获的屏幕。
但是,这会抛出一个InvalidOperationException
,表示对象目前正在其他地方使用。 System.Drawing.dll抛出异常
我尝试过锁定,并使用单独的位图来保存和捕获屏幕。我如何阻止这种情况发生?相关代码:
Bitmap ScreenCapture(Rectangle rctBounds)
{
Bitmap resultImage = new Bitmap(rctBounds.Width, rctBounds.Height);
using (Graphics grImage = Graphics.FromImage(resultImage))
{
try
{
grImage.CopyFromScreen(rctBounds.Location, Point.Empty, rctBounds.Size);
}
catch (System.InvalidOperationException)
{
return null;
}
}
return resultImage;
}
void ImageEncode(Bitmap bmpSharedImage)
{
// other encoding tasks
pictureBox1.Image = bmpSharedImage;
try
{
Bitmap temp = (Bitmap)bmpSharedImage.Clone();
temp.Save("peace.jpeg");
}
catch (System.InvalidOperationException)
{
return;
}
}
private void button1_Click(object sender, EventArgs e)
{
timer1.Interval = 30;
timer1.Start();
}
Bitmap newImage = null;
private async void timer1_Tick(object sender, EventArgs e)
{
//take new screenshot while encoding the old screenshot
Task tskCaptureTask = Task.Run(() =>
{
newImage = ScreenCapture(_rctDisplayBounds);
});
Task tskEncodeTask = Task.Run(() =>
{
try
{
ImageEncode((Bitmap)_bmpThreadSharedImage.Clone());
}
catch (InvalidOperationException err)
{
System.Diagnostics.Debug.Write(err.Source);
}
});
await Task.WhenAll(tskCaptureTask, tskEncodeTask);
_bmpThreadSharedImage = newImage;
}
答案 0 :(得分:4)
我简单地通过创建一个简单的winforms项目来复制你的问题。
public partial class Form1 : Form
{
public Form1()
{
InitializeComponent();
}
private void button1_Click(object sender, EventArgs e)
{
Task.Run(() => SomeTask());
}
public void SomeTask() //this will result in 'Invalid operation exception.'
{
var myhandle = System.Drawing.Graphics.FromHwnd(Handle);
myhandle.DrawLine(new Pen(Color.Red), 0, 0, 100, 100);
}
}
要解决此问题,您需要执行以下操作:
public partial class Form1 : Form
{
private Thread myUIthred;
public Form1()
{
myUIthred = Thread.CurrentThread;
InitializeComponent();
}
private void button1_Click(object sender, EventArgs e)
{
Task.Run(() => SomeTask());
}
public void SomeTask() // Works Great.
{
if (Thread.CurrentThread != myUIthred) //Tell the UI thread to invoke me if its not him who is running me.
{
BeginInvoke(new Action(SomeTask));
return;
}
var myhandle = System.Drawing.Graphics.FromHwnd(Handle);
myhandle.DrawLine(new Pen(Color.Red), 0, 0, 100, 100);
}
}
问题是(正如Spektre暗示的那样)是尝试从非UI线程调用UI方法的结果。 ' BeginInvoke'实际上是`this.BeginInvoke'和'这个'是由UI线程创建的表单,因此一切正常。
答案 1 :(得分:1)
我不在 C#中编码,所以我可能在这里错了,但我假设您使用的是Windows ...
在WndProc
函数之外访问任何可视组件(如 GDI位图或窗口...)都不安全。因此,如果您正在使用 GDI位图(带有设备上下文的位图)或从任何线程内的窗口渲染/访问任何可视组件,那么就存在问题。之后,在您的应用中对 WinAPI 的任何调用都会抛出异常(甚至与图形无关)
因此,请尝试将任何此类代码移至WndProc
函数中。如果您无权访问它,请使用您窗口的任何事件(例如OnTimer
或OnIdle
)。