关于 c#:如何禁用 Alt F4 关闭表单?

How to Disable Alt + F4 closing form?

在 c# win 表单中禁用 Alt F4 以防止用户关闭表单的最佳方法是什么?

我正在使用表单作为弹出对话框来显示进度条,我不希望用户能够关闭它。


这样就可以了:

1
2
3
4
private void Form1_FormClosing(object sender, FormClosingEventArgs e)
{
    e.Cancel = true;
}

编辑:针对 pix0rs 的关注 - 是的,您是正确的,您将无法以编程方式关闭应用程序。但是,您可以在关闭表单之前简单地删除 form_closure 事件的事件处理程序:

1
2
this.FormClosing -= new System.Windows.Forms.FormClosingEventHandler(this.Form1_FormClosing);
this.Close();


如果您查看 FormClosingEventArgs e.CloseReason 的值,它会告诉您为什么要关闭表单。然后您可以决定要做什么,可能的值是:

成员名称 - 描述

无 - 未定义或无法确定关闭的原因。

WindowsShutDown - 操作系统在关闭前关闭所有应用程序。

MdiFormClosing - 此多文档界面 (MDI) 表单的父表单正在关闭。

UserClosing - 用户正在通过用户界面 (UI) 关闭表单,例如通过单击表单窗口上的关闭按钮、从窗口的控制菜单中选择关闭或按 ALT F4

TaskManagerClosing - Microsoft Windows 任务管理器正在关闭应用程序。

FormOwnerClosing - 所有者表单正在关闭。

ApplicationExitCall - 调用了 Application 类的 Exit 方法。


我相信这是正确的做法:

1
2
3
4
5
6
7
8
9
10
11
protected override void OnFormClosing(FormClosingEventArgs e)
{
  switch (e.CloseReason)
  {
    case CloseReason.UserClosing:
      e.Cancel = true;
      break;
  }

  base.OnFormClosing(e);
}


请注意,应用程序完全阻止自己关闭被认为是一种不好的形式。您应该检查 Closing 事件的事件参数以确定您的应用程序被要求关闭的方式和原因。如果是因为 Windows 关闭,则不应阻止关闭发生。


您可以处理 FormClosing 事件并将 FormClosingEventArgs.Cancel 设置为 true


I am using a form as a popup dialog to display a progress bar and I do not want the user to be able to close it.

如果用户确定关闭您的应用程序(并且知识渊博)足以按下 alt f4,那么他们很可能也知识渊博,可以运行任务管理器并终止您的应用程序。

至少使用 alt f4,您的应用程序可以优雅地关闭,而不仅仅是让人们杀死它。根据经验,人们杀死您的应用程序意味着损坏的配置文件、损坏的数据库、无法恢复的半完成任务以及许多其他痛苦的事情。

至少用"你确定吗"提示他们,而不是直接阻止它。


这是禁用 Alt F4 的 hack。

1
2
3
4
5
6
7
private void test_FormClosing(object sender, FormClosingEventArgs e)
{
    if (this.ModifierKeys == Keys.Alt || this.ModifierKeys == Keys.F4)
    {
        e.Cancel = true;
    }    
}


订阅表单关闭事件

1
2
3
4
private void Form1_FormClosing(object sender, FormClosingEventArgs e)
{
    e.Cancel = e.CloseReason == CloseReason.UserClosing;
}

方法体中只有一行。


这样就可以了:

1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
bool myButtonWasClicked = false;
private void Exit_Click(object sender, EventArgs e)
{
  myButtonWasClicked = true;
  Application.Exit();
}
private void Form1_FormClosing(object sender, FormClosingEventArgs e)
{
  if (myButtonWasClicked)
  {
    e.Cancel = false;
  }
  else
  {
    e.Cancel = true;
  }


}

即使您以编程方式关闭窗口,也会调用 FormClosing 吗?如果是这样,您可能需要添加一些代码以允许在完成表单时关闭它(而不是总是取消操作)


通过在表单的构造函数中使用以下内容来隐藏表单上的关闭按钮:

1
this.ControlBox = false;