环境:.NET Framework 2.0,VS 2008。
我正在尝试创建某些.NET控件(标签,面板)的子类,这些子控件将通过某些鼠标事件(MouseDown
,MouseMove
,MouseUp
)传递给其父控件(或者顶层表格)。我可以通过在标准控件的实例中为这些事件创建处理程序来实现这一点,例如:
public class TheForm : Form
{
private Label theLabel;
private void InitializeComponent()
{
theLabel = new Label();
theLabel.MouseDown += new MouseEventHandler(theLabel_MouseDown);
}
private void theLabel_MouseDown(object sender, MouseEventArgs e)
{
int xTrans = e.X + this.Location.X;
int yTrans = e.Y + this.Location.Y;
MouseEventArgs eTrans = new MouseEventArgs(e.Button, e.Clicks, xTrans, yTrans, e.Delta);
this.OnMouseDown(eTrans);
}
}
我无法将事件处理程序移动到控件的子类中,因为引发父控件中事件的方法受到保护,并且我没有父控件的限定符:
无法通过
System.Windows.Forms.Control.OnMouseDown(System.Windows.Forms.MouseEventArgs)
类型的限定符访问受保护的成员System.Windows.Forms.Control
;限定符必须是TheProject.NoCaptureLabel
类型(或从中派生出来)。
我正在考虑在我的子类中覆盖控件的WndProc
方法,但希望有人可以给我一个更清晰的解决方案。
答案 0 :(得分:64)
是。经过大量搜索,我发现文章"Floating Controls, tooltip-style",它使用WndProc
将邮件从WM_NCHITTEST
更改为HTTRANSPARENT
,使Control
对鼠标透明事件
要实现这一点,请创建一个继承自Label
的控件,并添加以下代码。
protected override void WndProc(ref Message m)
{
const int WM_NCHITTEST = 0x0084;
const int HTTRANSPARENT = (-1);
if (m.Msg == WM_NCHITTEST)
{
m.Result = (IntPtr)HTTRANSPARENT;
}
else
{
base.WndProc(ref m);
}
}
我已在Visual Studio 2010中使用.NET Framework 4 Client Profile对此进行了测试。
答案 1 :(得分:3)
您需要在基类中编写一个public / protected方法,这将为您引发事件。然后从派生类中调用此方法。
OR
这是你想要的吗?
public class MyLabel : Label
{
protected override void OnMouseDown(MouseEventArgs e)
{
base.OnMouseDown(e);
//Do derived class stuff here
}
}
答案 2 :(得分:3)
WS_EX_TRANSPARENT
扩展窗口样式实际上是这样做的(它就是就地工具提示使用的)。您可能需要考虑应用此样式而不是编写大量处理程序来为您执行此操作。
为此,请覆盖CreateParams
方法:
protected override CreateParams CreateParams
{
get
{
CreateParams cp=base.CreateParams;
cp.ExStyle|=0x00000020; //WS_EX_TRANSPARENT
return cp;
}
}
进一步阅读: