我的所有控件都继承自一个基类,该基类创建 OnAccept 和 OnCancel 并将其分配给 Enter 和 ESC 键。
private readonly Button _accept, _cancel;
public ViewUserControl()
{
_accept = new Button();
_cancel = new Button();
_accept.Click += (o, e) => OnAccept();
_cancel.Click += (o, e) => OnCancel();
}
// the base function depends on the child functions to implement a accept/cancel function, if it doesn't then those events will fire to the
// new button and not be used for anything
public virtual IButtonControl GetAcceptButton()
{
return _accept;
}
public virtual IButtonControl GetCancelButton()
{
return _cancel;
}
protected virtual void OnAccept() { }
protected virtual void OnCancel()
{
this.ClosingEvent();
}
但是,当用户在多行文本框中时,回车键会启动表单的 OnAccept,而不是在文本框中添加新行(这是预期的行为)。
目前,为了解决这个问题,我必须找到表单的焦点控件,如果它是文本框,则手动放入换行符。但是,当我这样做时,光标会重置到文本框的开头。
protected override void OnAccept()
{
var focused = FindFocusedControl(this);
if (focused is TextBox)
{
focused.Text += Environment.NewLine;
}
else
{
base.OnAccept();
}
}
public static Control FindFocusedControl(Control control)
{
var container = control as ContainerControl;
while (container != null)
{
control = container.ActiveControl;
container = control as ContainerControl;
}
return control;
}
我的问题是:
有没有办法绕过 OnAccept 事件,以便文本框识别输入事件?
有没有办法手动调用文本框的输入事件?
手动换行后如何将光标设置到文本框的末尾?
对这些问题中的任何一个的回答都将达到我所追求的结果,优先于解决方案。
更新:
我确实找到了一种将插入符号(不是我在原始问题中称为光标)移动到最后的方法RichTextBox.SelectionStart
,但是,我更喜欢更优雅的解决方案。
更新 2:
对于其他有同样问题的人,这就是我现在要做的:
从子控件:
txtDetails.GotFocus += (o,e) => AcceptButtonStatus(false);
txtDetails.LostFocus += (o, e) => AcceptButtonStatus(true);
从基本控制:
protected void AcceptButtonStatus(bool enabled)
{
this.ParentForm.AcceptButton = enabled?_accept:null;
}
因此,每当文本框获得焦点时,我都会从表单中删除接受按钮。