6

我正在阅读 C++ 中的 CreateProcess 函数,我想尝试一下。代码的基本思想是让我的主要执行另一个进程(记事本)。真的,这只是基本代码。当我运行程序时,我得到:

createprocess.exe 中 0x752bb763 处的第一次机会异常:0xC0000005:访问冲突写入位置 0x00be57b8。
createprocess.exe 中 0x752bb763 处的未处理异常:0xC0000005:访问冲突写入位置 0x00be57b8。

当我为错误发生的位置设置断点时,我被带到 tidtable.c(我猜这是用于访问线程)。特别是在 tidtable.c 中, CRTIMP PFLS_GETVALUE_FUNCTION __cdecl __set_flsgetvalue() 我真的不知道什么或如何避免这个问题。错误发生在 CreateProcess 调用中(即,它从不输出“out of create”)。

我的代码是:

#include "stdafx.h"
#include <stdio.h>
#include <windows.h>
#include <strsafe.h>
#include <direct.h>
#include <string.h>
#include <conio.h>

int main(VOID)
{
    STARTUPINFO si;
    PROCESS_INFORMATION pi;

        //allocate memory
    ZeroMemory(&si, sizeof(si));
si.cb = sizeof(si);
ZeroMemory(&pi, sizeof(pi));


fprintf(stderr, "This is just a test");

//create child process
if (!CreateProcess(NULL,
    L"C:\\Windows\\Notepad.exe",
    NULL,
    NULL,
    FALSE,
    0,
    NULL,
    NULL,
    &si,
    &pi))
{
        fprintf(stderr, "create process failed");

        return -1;
}
fprintf(stderr, "out of create");

    //parent waits for child to complete
WaitForSingleObject(pi.hProcess, INFINITE);

fprintf(stderr, "after wait");

printf("Child Complete");

    //close handle
CloseHandle(pi.hProcess);
//  CloseHandle(pi.hthread);

}

如果有人知道如何克服这个问题,我们将不胜感激。

4

2 回答 2

19

问题是CreateProcess函数的第二个参数是输入/输出参数。

如果你像你一样将它指定为字符串,它是一个常量字符串,并且调用它时的函数无法写入内存位置,因此你有内存访问冲突。正确的方法是这样调用你的函数:

LPTSTR szCmdline = _tcsdup(TEXT("C:\\Windows\\Notepad.exe"));

//create child process
if (!CreateProcess(NULL,
    szCmdline,
    NULL,
    NULL,
    FALSE,
    0,
    NULL,
    NULL,
    &si,
    &pi))
{
    fprintf(stderr, "create process failed");

    return -1;
}

您可能还想阅读这篇博客文章

于 2012-04-06T13:44:17.707 回答
1

The 2nd arg to CreateProcess cannot be const or a literal string because the func attempts to modify the string. Copy the literal to a local array and then pass that as the 2nd arg.

于 2012-04-06T13:46:51.883 回答