1

我正在尝试从脱机配置单元中包含的注册表项中获取值。代码会编译,但我得到“System.AccessViolationException”或程序刚刚关闭。

我认为该程序正在尝试读取未分配的内存。但是我尝试使用 stringbuilder 为 myValue 分配内存。

当我将 pcbData 设置为低于 66 的任何值时,我得到的返回值为 234,这意味着指定的缓冲区大小不足以容纳数据。

OROpenHive 似乎正在工作,因为我得到的返回值为 0。

http://msdn.microsoft.com/en-us/library/ee210767(v=vs.85).aspx上的 ORGetValue 语法

DWORD ORGetValue(
    _In_         ORHKEY Handle,
    _In_opt_     PCWSTR lpSubKey,
    _In_opt_     PCWSTR lpValue,
    _Out_opt_    PDWORD pdwType,
    _Out_opt_    PVOID pvData,
    _Inout_opt_  PDWORD pcbData
);

这是我的代码:

    [DllImport("offreg.dll", CharSet = CharSet.Auto, EntryPoint = "ORGetValue",          SetLastError = true, CallingConvention = CallingConvention.StdCall)]
    public static extern uint ORGetValue(
        IntPtr Handle, 
        string lpSubKey, 
        string lpValue, 
        out uint pdwType, 
        out StringBuilder pvData, 
        ref uint pcbData);

    [DllImport("offreg.dll", CharSet = CharSet.Auto)]
    public static extern uint OROpenHive(
        String lpHivePath,
        out IntPtr phkResult);

    private void button2_Click(object sender, EventArgs e)
    {
        IntPtr myHive;
        String filepath = @"C:\Users\JON\Desktop\NTUSER.DAT";

        StringBuilder myValue = new StringBuilder("", 256);
        uint pdwtype;
        uint pcbdata = 66;

        uint ret2 = OROpenHive(filepath, out myHive);
        this.textBox1.Text = ret2.ToString();

        uint ret3 = ORGetValue(myHive, "Environment", "TEMP", out pdwtype, out myValue,  ref pcbdata);
        this.textBox1.Text = ret3.ToString();
    }
4

1 回答 1

0

你把结果弄错了。pcbdata应该传入缓冲区的大小,它将包含函数返回后读取的实际字符数。

Winapi 函数不知道缓冲区的大小,因此即使您分配 256 个字节,您也会告诉ORGetValue您只分配了 66 个...如果您正在读取需要超过 66 个字节的密钥,它将返回234(或ERROR_MORE_DATA)。

您通常会执行以下操作:

StringBuilder myValue = new StringBuilder("", 256);
uint pcbdata = myValue.Capacity;
//...
uint ret3 = ORGetValue(myHive, "Environment", "TEMP", out pdwtype, out myValue,  ref pcbdata);
this.textBox1.Text = "Read " + pcbdata.ToString() + " bytes - returned: " + ret3.ToString();

如果您的密钥是 66 字节,则应为:Read 66 bytes - returned: 0

于 2012-10-12T07:29:30.570 回答