2

我正在尝试构建一个多线程游戏,其中我有一个单独的线程用于在不是主线程的表单上绘画。这给我们带来了线程安全技术,我已经阅读了很多文章,但我不确定我是否正确理解了它。

我的问题是我有一个结构,其中每个数据对象都在表单上自行绘制,所以我不知道如何实现它。

这是我工作的单线程代码的片段:

public partial class Form1 : Form
{
    GameEngine Engine;
    public Form1()
    {
        InitializeComponent();
        Engine = new GameEngine();
    }
    protected override void OnPaint(PaintEventArgs e)
    {
        Engine.Draw(e.Graphics);
    }

}

class GameEngine
{

    Maze Map;
    List<Player> Players;

    public void Draw(Graphics graphics)
    {
            Map.Draw(graphics);
            foreach (var p in Players)
            {
                p.Draw(graphics);
            }
    }

}

所以请任何人都可以给我一个提示或链接到好文章,帮助我学习如何在另一个线程上分离绘图?

[编辑]

我设法实现了我打算做的事情,这就是我编码的方式

    protected override void OnPaint(PaintEventArgs e)
    {
        formGraphics = e.Graphics;
        DisplayThread = new Thread(new ThreadStart(Draw));
        DisplayThread.Start();
    }

    private void Draw()
    {
        if (this.InvokeRequired)
        {
            this.Invoke(new DrawDelegate(this.Draw));
        }
        else
        {
            Engine.Draw(formGraphics);
        }
    }

但我得到了一个 ArgumentException:参数无效

请您指出该代码中的错误

4

1 回答 1

9

我认为您需要绘制位图,然后在 OnPaint 方法中将该位图绘制到窗口。我稍后会演示。

正如汉斯指出的那样,在您设置的 OnPaint 方法中

formGraphics = e.Graphics;

但是在方法 e.Graphics 结束时,如果你的代码必须使用它,你就不能再使用它了

Engine.Draw(formGraphics);

你会得到一个例外。

所以基本上你需要有一个全球性的

Bitmap buffer = new Bitmap(this.Width, this.Height)

在您的异步线程中,您将调用您的绘图到您可以使用的位图

Graphics g=Graphics.FromBitmap(buffer);//

要获取图形对象,但请记住您必须

g.Dispose()

它或将其包裹在

using (Graphics g=Graphics.FromBitmap(buffer))
{
//do something here

}

我要玩一会儿,看看能不能给你一个工作样本

编辑 这是你的工作样本。我开始了一个新表格并在上面扔了一个按钮。我将主窗体背景图像布局更改为无。

我认为您需要使用 .net 4.0 或更高版本,如果不使用此版本,请告诉我,我可以更改它以匹配您的版本……我想。

//you need this line to use the tasks
using System.Threading.Tasks;

namespace WindowsFormsApplication1
{
public partial class Form1 : Form
{
    public Form1()
    {
        InitializeComponent();
    }

    public void Draw()
    {
        Bitmap buffer;
        buffer = new Bitmap(this.Width, this.Height);
        //start an async task
        Task.Factory.StartNew( () =>
        {
                using (Graphics g =Graphics.FromImage(buffer))
                {
                    g.DrawRectangle(Pens.Red, 0, 0, 200, 400);
                    //do your drawing routines here
                }
            //invoke an action against the main thread to draw the buffer to the background image of the main form.
            this.Invoke( new Action(() =>
            {
                    this.BackgroundImage = buffer;
            }));
        });

    }

    private void button1_Click(object sender, EventArgs e)
    {
        //clicking this button starts the async draw method
        Draw();
    }

}

}

于 2012-05-23T11:15:43.117 回答