我的表单上有一个取消按钮。我想在WndProc
方法内部确定单击此Cancel
按钮并为其编写一些代码。这是绝对必要的,因为否则我无法取消所有其他尚未执行的控件验证事件。
请帮忙。
.NET - 2.0,WinForms
我的表单上有一个取消按钮。我想在WndProc
方法内部确定单击此Cancel
按钮并为其编写一些代码。这是绝对必要的,因为否则我无法取消所有其他尚未执行的控件验证事件。
请帮忙。
.NET - 2.0,WinForms
这是您如何解析 WndProc 消息以在子控件上单击鼠标左键:
protected override void WndProc(ref Message m)
{
// http://msdn.microsoft.com/en-us/library/windows/desktop/hh454920(v=vs.85).aspx
// 0x210 is WM_PARENTNOTIFY
// 513 is WM_LBUTTONCLICK
if (m.Msg == 0x210 && m.WParam.ToInt32() == 513)
{
var x = (int)(m.LParam.ToInt32() & 0xFFFF);
var y = (int)(m.LParam.ToInt32() >> 16);
var childControl = this.GetChildAtPoint(new Point(x, y));
if (childControl == cancelButton)
{
// ...
}
}
base.WndProc(ref m);
}
顺便说一句:这是 32 位代码。
如果存在验证失败的控件,则 CauseValidation 无济于事
好吧,确实如此,这就是该物业的设计目的。这是一个在工作中展示这一点的示例表单。在表单上放置一个文本框和一个按钮。请注意如何单击按钮以清除文本框,即使该框始终无法通过验证。以及如何关闭表单。
public partial class Form1 : Form {
public Form1() {
InitializeComponent();
textBox1.Validating += new CancelEventHandler(textBox1_Validating);
button1.Click += new EventHandler(button1_Click);
button1.CausesValidation = false;
this.FormClosing += new FormClosingEventHandler(Form1_FormClosing);
}
private void textBox1_Validating(object sender, CancelEventArgs e) {
// Always fail validation
e.Cancel = true;
}
void button1_Click(object sender, EventArgs e) {
// Your Cancel button
textBox1.Text = string.Empty;
}
void Form1_FormClosing(object sender, FormClosingEventArgs e) {
// Allow the form to close even though validation failed
e.Cancel = false;
}
}