EnumDisplayDevices的MSDN文档声明将NULL作为第一个参数传递给函数会返回有关计算机上显示适配器的信息(传递字符串会返回有关该名称的设备的信息)。
我在线看到的各种C#示例将null传递给函数,如下所示:
result = EnumDisplayDevices(null, devNum, ref dd, flags);
但是,当我将null作为第一个参数传递时,我收到一个System.AccessViolationException,并显示消息“尝试读取或写入受保护的内存”。
如果我将null更改为任何随机的非空字符串(例如,“hello”),则函数调用成功(我只是没有获得任何设备信息,因为没有名为“hello”的设备)。
那么如何将null作为第一个参数传递给EnumDisplayDevices函数? (我需要能够在后续的函数调用中传递名称)
我的代码的相关摘要如下:
[DllImport("user32.dll")]
static extern bool EnumDisplayDevices(
string lpDevice,
uint iDevNum,
ref DISPLAY_DEVICE lpDisplayDevice,
uint dwFlags
);
[StructLayout(LayoutKind.Sequential)]
public struct DISPLAY_DEVICE
{
public int cb;
public string DeviceName;
public string DeviceString;
public int StateFlags;
public string DeviceID;
public string DeviceKey;
}
#region Public Interface
public ObservableCollection<DisplayDevice> LoadDisplayDevices()
{
ObservableCollection<DisplayDevice> displayDevices = new ObservableCollection<DisplayDevice>();
uint devNum = 0;
uint flags = 0;
bool result = false;
DISPLAY_DEVICE dd = new DISPLAY_DEVICE();
dd.cb = (int)Marshal.SizeOf(dd);
try
{
result = EnumDisplayDevices(null, devNum, ref dd, flags);
...
答案 0 :(得分:2)
MSDN的原始定义:
typedef struct _DISPLAY_DEVICE {
DWORD cb;
TCHAR DeviceName[32];
TCHAR DeviceString[128];
DWORD StateFlags;
TCHAR DeviceID[128];
TCHAR DeviceKey[128];
} DISPLAY_DEVICE, *PDISPLAY_DEVICE;
所有字符串字段都定义为固定大小的数组。您的DISPLAY_DEVICE
结构定义包含多个string
值,但没有说明如何编组它们,因此它们将作为指针传递。您需要使用MarshalAsAttribute
来解决此问题:
[StructLayout(LayoutKind.Sequential)]
public struct DISPLAY_DEVICE
{
public int cb;
[MarshalAs(UnmanagedType.ByValTStr, SizeConst = 32)]
public string DeviceName;
[MarshalAs(UnmanagedType.ByValTStr, SizeConst = 128)]
public string DeviceString;
public int StateFlags;
[MarshalAs(UnmanagedType.ByValTStr, SizeConst = 128)]
public string DeviceID;
[MarshalAs(UnmanagedType.ByValTStr, SizeConst = 128)]
public string DeviceKey;
}