我有一个具有DriveInfo类型属性的类,它具有您可能已经知道的布尔属性IsReady。这是表示驱动器何时“准备就绪”的值 - 对我来说,这意味着驱动器中有一张CD,因为我只选择了CDRom驱动器。
我想要做的是在属性更新时调用事件 - 当前我正在实例化对象,然后执行while循环以等待值为true。
public bool WaitUntilReady()
{
while (!Cancelled)
{
if (Drive.IsReady) return true;
}
return false;
}
我更喜欢某种方法或类似方法。谢谢。
答案 0 :(得分:3)
如果您正在等待设备状态的更改(例如CD插入/移除),那么收听WM_DEVICECHANGE
消息将是更好的方法。
当新设备或媒体(如CD或DVD)添加并可用时,以及删除现有设备或媒体时,Windows会向所有顶级窗口发送一组默认
WM_DEVICECHANGE
消息... Read More
尝试使用以下帮助程序类来侦听媒体插入/删除:
<强> DriveHelper 强>
public static class DriveHelper
{
const int WM_DEVICECHANGE = 0x0219;
const int DBT_DEVICEARRIVAL = 0x8000;
const int DBT_DEVICEREMOVECOMPLETE = 0x8004;
const int DBT_DEVTYP_VOLUME = 0x00000002;
const ushort DBTF_MEDIA = 0x0001;
[StructLayout(LayoutKind.Sequential)]
struct DEV_BROADCAST_VOLUME
{
public uint dbch_Size;
public uint dbch_Devicetype;
public uint dbch_Reserved;
public uint dbch_Unitmask;
public ushort dbch_Flags;
}
public class StateChangedEventArgs : EventArgs
{
public StateChangedEventArgs(string drive, bool ready)
{
Drive = drive;
Ready = ready;
}
public string Drive { get; private set; }
public bool Ready { get; private set; }
}
public static void QueryDeviceChange(Message m, Action<StateChangedEventArgs> action)
{
if (action == null || m.Msg != WM_DEVICECHANGE) return;
var devType = Marshal.ReadInt32(m.LParam, 4);
if (devType != DBT_DEVTYP_VOLUME) return;
var lpdbv = (DEV_BROADCAST_VOLUME)Marshal.PtrToStructure(m.LParam, typeof(DEV_BROADCAST_VOLUME));
if (lpdbv.dbch_Flags != DBTF_MEDIA) return;
var eventCode = m.WParam.ToInt32();
var drive = GetFirstDriveFromMask(lpdbv.dbch_Unitmask);
switch (eventCode)
{
case DBT_DEVICEARRIVAL:
action(new StateChangedEventArgs(drive, true));
break;
case DBT_DEVICEREMOVECOMPLETE:
action(new StateChangedEventArgs(drive, false));
break;
}
}
static string GetFirstDriveFromMask(uint mask)
{
int i;
for (i = 0; i < 26; ++i)
{
if ((mask & 0x1) == 0x1)
break;
mask = mask >> 1;
}
return string.Concat((char)(i + 65), @":\");
}
}
使用示例 (适用于Windows Forms
个应用)
public partial class Form1 : Form
{
public Form1()
{
InitializeComponent();
}
void OnStateChanged(DriveHelper.StateChangedEventArgs e)
{
// do your work here
MessageBox.Show(string.Format("Drive: {0} => e.Ready: {1}, DriveInfo.IsReady: {2}", e.Drive, e.Ready, new DriveInfo(e.Drive).IsReady));
}
protected override void WndProc(ref Message m)
{
DriveHelper.QueryDeviceChange(m, OnStateChanged);
base.WndProc(ref m);
}
}
答案 1 :(得分:0)
如果我正确理解您的问题,您希望在插入CD / DVD时收到通知。所以这可能会有所帮助:Detect CD-ROM Insertion
我认为这解决了WMI的问题。
答案 2 :(得分:0)
如果你想做每x个时间的调用,你可以在任务和async / await的帮助下做这样的事情:
var cts = new CancellationTokenSource();
var token = cts.Token;
Task yourTask = Task.Factory.StartNew(async () =>
{
while (true)
{
// run in a loop until aborted
if (token.IsCancellationRequested)
break;
// do your request here ...
// wait
await Task.Delay(theTimeIntervalToWait, token);
}
}, token);
然后您可以使用cts.Cancel();
中止您的任务(从外部)。如果您想确保它已完成,则可以致电yourTask.Wait()
。
一般来说,在大多数情况下,您应该使用while(true) { permanently-polling }
之类的内容。