web-dev-qa-db-ja.com

バックグラウンドでキーボードのキープレスをキャプチャする

バックグラウンドで実行するアプリケーションがあります。ユーザーが押すたびにイベントを生成する必要があります F12 いつでも。だから私はキーを押すためにそれを必要としています。私のアプリケーションでは、ユーザーがいつでも F10 いくつかのイベントが行われます。どうすればいいのか分かりませんか?

それを行う方法について誰か誰か知っていますか?

N:B:Winformsアプリケーションです。それは私のフォームに焦点を合わせる必要はありません。メインウィンドウがシステムトレイに残っていることがありますが、それでもキープレスをキャプチャする必要があります。

19
ImonBayazid

あなたが望むのはglobal hotkeyです。

  1. クラスの上部で必要なライブラリをインポートします。

    // DLL libraries used to manage hotkeys
    [DllImport("user32.dll")] 
    public static extern bool RegisterHotKey(IntPtr hWnd, int id, int fsModifiers, int vlc);
    [DllImport("user32.dll")]
    public static extern bool UnregisterHotKey(IntPtr hWnd, int id);
    
  2. コード内のホットキーの参照となるフィールドをクラスに追加します。

    const int MYACTION_HOTKEY_ID = 1;
    
  3. ホットキーを登録します(たとえば、Windowsフォームのコンストラクターで)。

    // Modifier keys codes: Alt = 1, Ctrl = 2, Shift = 4, Win = 8
    // Compute the addition of each combination of the keys you want to be pressed
    // ALT+CTRL = 1 + 2 = 3 , CTRL+SHIFT = 2 + 4 = 6...
    RegisterHotKey(this.Handle, MYACTION_HOTKEY_ID, 6, (int) Keys.F12);
    
  4. クラスに次のメソッドを追加して、入力したキーを処理します。

    protected override void WndProc(ref Message m) {
        if (m.Msg == 0x0312 && m.WParam.ToInt32() == MYACTION_HOTKEY_ID) {
            // My hotkey has been typed
    
            // Do what you want here
            // ...
        }
        base.WndProc(ref m);
    }
    
35
Otiel

Otielのソリューションの実行に問題がある場合:

  1. あなたが含める必要があります:

    using System.Runtime.InteropServices; //required for dll import
    
  2. 私のような初心者のためのもう1つの疑問:「クラスのトップ」は、実際には次のようなクラスのトップを意味します(名前空間やコンストラクターではありません)。

    public partial class Form1 : Form
    {
    
        [DllImport("user32.dll")]
        public static extern bool RegisterHotKey(IntPtr hWnd, int id, int fsModifiers, int vlc);
        [DllImport("user32.dll")]
        public static extern bool UnregisterHotKey(IntPtr hWnd, int id);
    
  3. プロジェクトへの参照としてuser32.dllを追加する必要はありません。 WinFormsは常にこのDLLを自動的にロードします。

9
baron_bartek