Использование IMessageFilter не работает под Windows 7 64 бит (C #, .net 2.0) - PullRequest
0 голосов
/ 03 августа 2010

Мы работаем над программой на устройстве USB.Следующий фрагмент кода - мой класс UsbComponent.Он отлично работает под Windows XP или даже Windows 64 32bit.Но в Windows 7 64bit PreFilterMessage никогда не вводится, когда я подключаю / удаляю наше USB-устройство.Я что-то пропустил, чтобы следующий код работал под Windows 7 64bit?

using System;
using System.ComponentModel;
using System.Collections.Generic;
using System.Diagnostics;
using System.Text;
using System.Windows.Forms;

public partial class UsbComponent : Component, IMessageFilter {
      private const int WM_DEVICECHANGE = 0x219;

      public UsbComponent() {
        InitializeComponent();
        Application.AddMessageFilter( this );
      }

      public UsbComponent( IContainer container ) {
        container.Add( this );
        InitializeComponent();
        Application.AddMessageFilter( this );
      }

      bool IMessageFilter.PreFilterMessage( ref Message m ) {
        if( m.Msg == WM_DEVICECHANGE ) {
          MessageBox.Show("device changed");
          return true;
        }
        return false;
      }
}

Ответы [ 2 ]

1 голос
/ 17 августа 2011

В статье в проекте кода говорится, что невозможно обрабатывать WM_DEVICECHANGE сообщения с IMessageFilter интерфейсом, предлагается использовать метод WndProc, который доступен в System.Windows.Forms элементах управления.

Следующий класс является закрытым классом в моем классе, он выполняет необходимую мне работу с сообщениями, затем он вызывает событие, чтобы сообщить мне о результате. Я должен создать объект этого класса внутри моего класса и обработать его событие.

Этот код обнаруживает вставку или удаление USB-устройств класса HID.

private class MyControl : Form, IMessageFilter
{
    Guid InterfaceClassGuid = new Guid(0x4d1e55b2, 0xf16f, 0x11cf, 0x88, 0xcb, 0x00, 0x11, 0x11, 0x00, 0x00, 0x30);

    //Constant definitions for certain WM_DEVICECHANGE messages
    private const uint WM_DEVICECHANGE = 0x0219;
    private const uint DBT_DEVICEARRIVAL = 0x8000;
    private const uint DBT_DEVICEREMOVEPENDING = 0x8003;
    private const uint DBT_DEVICEREMOVECOMPLETE = 0x8004;
    private const uint DBT_CONFIGCHANGED = 0x0018;

    //Other constant definitions
    private const uint DBT_DEVTYP_DEVICEINTERFACE = 0x05;
    private const uint DEVICE_NOTIFY_WINDOW_HANDLE = 0x00;

    private struct DEV_BROADCAST_DEVICEINTERFACE
    {
        internal uint dbcc_size;            //DWORD
        internal uint dbcc_devicetype;      //DWORD
        internal uint dbcc_reserved;        //DWORD
        internal Guid dbcc_classguid;       //GUID
        internal char[] dbcc_name;          //TCHAR array
    }

    //Need this function for receiving all of the WM_DEVICECHANGE messages.  See MSDN documentation for
    //description of what this function does/how to use it. Note: name is remapped "RegisterDeviceNotificationUM" to
    //avoid possible build error conflicts.
    [DllImport("user32.dll", SetLastError = true, CharSet = CharSet.Unicode)]
    private static extern IntPtr RegisterDeviceNotification(
        IntPtr hRecipient,
        IntPtr NotificationFilter,
        uint Flags);

    public MyControl()
    {
        //Register for WM_DEVICECHANGE notifications.  This code uses these messages to detect plug and play connection/disconnection events for USB devices
        DEV_BROADCAST_DEVICEINTERFACE DeviceBroadcastHeader = new DEV_BROADCAST_DEVICEINTERFACE();
        DeviceBroadcastHeader.dbcc_devicetype = DBT_DEVTYP_DEVICEINTERFACE;
        DeviceBroadcastHeader.dbcc_size = (uint)Marshal.SizeOf(DeviceBroadcastHeader);
        DeviceBroadcastHeader.dbcc_reserved = 0;    //Reserved says not to use...
        DeviceBroadcastHeader.dbcc_classguid = InterfaceClassGuid;

        //Need to get the address of the DeviceBroadcastHeader to call RegisterDeviceNotification(), but
        //can't use "&DeviceBroadcastHeader".  Instead, using a roundabout means to get the address by 
        //making a duplicate copy using Marshal.StructureToPtr().
        IntPtr pDeviceBroadcastHeader = IntPtr.Zero;  //Make a pointer.
        pDeviceBroadcastHeader = Marshal.AllocHGlobal(Marshal.SizeOf(DeviceBroadcastHeader)); //allocate memory for a new DEV_BROADCAST_DEVICEINTERFACE structure, and return the address 
        Marshal.StructureToPtr(DeviceBroadcastHeader, pDeviceBroadcastHeader, false);  //Copies the DeviceBroadcastHeader structure into the memory already allocated at DeviceBroadcastHeaderWithPointer
        RegisterDeviceNotification(this.Handle, pDeviceBroadcastHeader, DEVICE_NOTIFY_WINDOW_HANDLE);
    }

    public event EventHandler DeviceConnected;

    protected override void WndProc(ref Message m)
    {
        if (m.Msg == WM_DEVICECHANGE)
        {
            if (((int)m.WParam == DBT_DEVICEARRIVAL) || ((int)m.WParam == DBT_DEVICEREMOVEPENDING) || ((int)m.WParam == DBT_DEVICEREMOVECOMPLETE) || ((int)m.WParam == DBT_CONFIGCHANGED))
            {
                //Rise the event, more processing is needed to check for a certain device.
                DeviceConnected(this, null);
            }
        }

        base.WndProc(ref m);
    }
}
0 голосов
/ 03 августа 2010

Ответственность за трансляцию WM_DEVICECHANGE лежит на драйвере устройства. Убедитесь, что у вас есть обновленные драйверы для этого устройства и убедитесь, что устройство поддерживает Windows 7

Добро пожаловать на сайт PullRequest, где вы можете задавать вопросы и получать ответы от других членов сообщества.
...