2

我正在尝试创建将使用计时器每 500 毫秒重绘一次的图形,但我一直遇到跨线程操作。有人可以告诉我为什么会这样吗?

错误:

Cross-thread operation not valid: Control 'GraphicsBox' accessed from a thread other than the thread it was created on.

我正在使用 WinForms,并在主窗体中有一个名为“GraphicsBox”的 PictureBox:

using System;
using System.Collections.Generic;
using System.ComponentModel;
using System.Data;
using System.Drawing;
using System.Linq;
using System.Text;
using System.Windows.Forms;
using System.Diagnostics;
using System.Threading;

namespace NamespaceName
{
    public partial class FormName : Form
    {
        Graphics g;

        public FormName()
        {
            InitializeComponent();
            System.Timers.Timer t = new System.Timers.Timer();
            t.Interval = 500;
            t.Enabled = true;
            t.Elapsed += (s, e) => this.GraphicsBox.Invalidate(true);
        }

        private void FormName_Load(object sender, EventArgs e)
        {
            this.GraphicsBox.Paint += new PaintEventHandler(OnPaint);
        }

        protected void OnPaint(object sender, PaintEventArgs e)
        {
            g = e.Graphics;
            //Draw things
        }
    }
}

有什么方法可以OnPaint从计时器的“滴答声”(或“经过”)触发我所拥有的事件?我相信这会成功。我要做的就是重绘图形对象,我将更改代码中的内容以使其以不同的方式绘制。

4

2 回答 2

2

这里的主要问题是至少有 3 个类被命名Timer并且可能更多(在不同的命名空间中,但具有不同的行为)。您正在使用一个回调工作线程的线程,而 UI 控件由于线程关联性而不喜欢这样。

如果切换到System.Windows.Forms.Timer它将调用 UI 线程上的回调(可能是通过同步上下文,但我想它可能直接使用消息循环实现)。这不是跨线程操作,并且可以正常工作。

于 2013-10-18T01:24:58.777 回答
2

您在GraphicsBox错误的线程上调用对象,System.Timers.Timer.Elapsed在不同的(后台)线程上调用。

你可以——

a)切换到 using System.Windows.Forms.Timer,它将在同一线程上运行GraphicsBox

或者

b)快速而讨厌 -

t.Elapsed += (s, e) => this.Invoke(new MethodInvoker(delegate(){ this.GraphicsBox.Invalidate(true); }));
于 2013-10-18T01:50:43.293 回答