• 在C#中创建全局热键


    在C#中创建全局热键通常涉及使用Windows提供的平台特定功能。在C#中,您可以使用Windows API的`RegisterHotKey`函数来创建全局热键。以下是如何创建全局热键的详细步骤:


    using System;
    using System.Runtime.InteropServices;
    using System.Windows.Forms;

    public class GlobalHotkey
    {
        private const int MOD_ALT = 0x0001;    // Alt键
        private const int MOD_CTRL = 0x0002;   // Ctrl键
        private const int MOD_SHIFT = 0x0004;  // Shift键
        private const int MOD_WIN = 0x0008;    // Windows键
        private const int WM_HOTKEY = 0x0312;

        private Action hotkeyAction;
        private int id;

        [DllImport("user32.dll")]
        private static extern bool RegisterHotKey(IntPtr hWnd, int id, int fsModifiers, Keys vk);

        [DllImport("user32.dll")]
        private static extern bool UnregisterHotKey(IntPtr hWnd, int id);

        public GlobalHotkey(Keys key, int modifier, Action action)
        {
            hotkeyAction = action;
            id = this.GetHashCode();

            RegisterHotKey(Application.OpenForms[0].Handle, id, modifier, key);
            Application.AddMessageFilter(new MessageFilter(this));
        }

        public void Unregister()
        {
            UnregisterHotKey(Application.OpenForms[0].Handle, id);
        }

        private class MessageFilter : IMessageFilter
        {
            private GlobalHotkey hotkey;

            public MessageFilter(GlobalHotkey hotkey)
            {
                this.hotkey = hotkey;
            }

            public bool PreFilterMessage(ref Message m)
            {
                if (m.Msg == WM_HOTKEY && (int)m.WParam == hotkey.id)
                {
                    hotkey.hotkeyAction(null, EventArgs.Empty);
                    return true;
                }
                return false;
            }
        }
    }
     

    下面是如何在Windows窗体应用程序中使用`GlobalHotkey`类来注册全局热键的示例:


    using System;
    using System.Windows.Forms;

    public partial class MainForm : Form
    {
        public MainForm()
        {
            InitializeComponent();
            // 注册全局热键 (Ctrl + F1) 并定义触发时要执行的操作
            new GlobalHotkey(Keys.F1, GlobalHotkey.MOD_CTRL, (s, e) =>
            {
                MessageBox.Show("Ctrl + F1 被按下!");
            });
        }
    }
     

    在这个示例中,我们定义了一个`GlobalHotkey`类,该类封装了注册和处理全局热键的逻辑。我们在`MainForm`构造函数中注册热键,并指定触发热键时执行的操作。`GlobalHotkey`类负责在应用程序中全局注册和处理热键。

  • 相关阅读:
    【分析思路】测试数据分析思路
    记录Apple MFI开发获取TOKEN全过程
    【JavaEE】CAS(Compare And Swap)操作
    1.NC4 判断链表中是否有环
    分公司未经授权对外签订合同是否可以
    探索 Scikit-learn:Python 机器学习初级篇
    书签收集管理软件悬浮阅读和知识库与浏览器书签之间的数据迁移
    Python:用tkinter制做一个音乐下载小软件
    MySQL的数据类型详解
    推荐一些常用的api接口,包括天气、物流、IP查询等
  • 原文地址:https://blog.csdn.net/lijingguang/article/details/134272419