2

我正在尝试将 Winforms 与 SharpDX 项目集成,以便在我的 3D 应用程序中使用 Winforms(最终通过 HostElement 使用 WPF)。

我需要创建或配置一个控件或表单,以便我可以:

一种。将其渲染为纹理(我可以将其显示为精灵*)
b. 当控件不活动时过滤其输入以删除鼠标/键盘事件。

我已经尝试将 Control 和 Form 子类化,以覆盖 OnPaint 和 OnPaintBackground,但这些对子控件没有影响 - 或者就此而言,表单边框(即使他们这样做了,它们本身还不够,因为我仍然剩下我假设已经绘制了“父级”的白色方块)。

如何停止在屏幕上绘制控件或表单,而只绘制位图?(例如,有什么方法可以在绘制树之前覆盖 Graphics 吗?)

*它需要以这种方式完成(而不是让控件呈现到屏幕上),因为 Winforms 不支持真正的透明度,所以我需要在我的像素着色器中剪辑颜色编码的像素。

(确认一下,我并不是指 DirectX 纹理——我很满意(实际上更喜欢)一个简单的 System.Drawing 位图)

4

1 回答 1

3

这是开始着手的一种方法:

  • 创建一个派生控件类,以便我们可以公开受保护的 InvokePaint
  • 调用我们的自定义方法获取Control的图片
  • 测试表单需要一个图片框和一个Mybutton实例


using System;
using System.Drawing;
using System.Windows.Forms;

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

        private void Form1_Load(object sender, EventArgs e)
        {
            // create image to which we will draw
            var img = new Bitmap(100, 100);

            // get a Graphics object via which we will draw to the image
            var g = Graphics.FromImage(img);

            // create event args with the graphics object
            var pea = new PaintEventArgs(g, new Rectangle(new Point(0,0), new Size(100,100)));

            // call DoPaint method of our inherited object
            btnTarget.DoPaint(pea);

            // modify the image with algorithms of your choice...

            // display the result in a picture box for testing and proof
            pictureBox.BackgroundImage = img;
        }
    }

    public class MyButton : Button
    {
        // wrapping InvokePaint via a public method
        public void DoPaint(PaintEventArgs pea)
        {
            InvokePaint(this, pea);
        }
    }
}
于 2012-02-22T18:00:19.453 回答