#include <windows.h>
#include <stdio.h>
#include <tchar.h>
void _tmain( int argc, TCHAR *argv[] )
{
STARTUPINFO si;
PROCESS_INFORMATION pi;
ZeroMemory( &si, sizeof(si) );
si.cb = sizeof(si);
ZeroMemory( &pi, sizeof(pi) );
if( argc != 2 )
{
printf("Usage: %s [cmdline]\n", argv[0]);
return;
}
// Start the child process.
if( !CreateProcess( NULL, // No module name (use command line)
argv[1], // Command line
NULL, // Process handle not inheritable
NULL, // Thread handle not inheritable
FALSE, // Set handle inheritance to FALSE
0, // No creation flags
NULL, // Use parent's environment block
NULL, // Use parent's starting directory
&si, // Pointer to STARTUPINFO structure
&pi ) // Pointer to PROCESS_INFORMATION structure
)
{
printf( "CreateProcess failed (%d).\n", GetLastError() );
return;
}
// Wait until child process exits.
WaitForSingleObject( pi.hProcess, INFINITE );
// Close process and thread handles.
CloseHandle( pi.hProcess );
CloseHandle( pi.hThread );
}
这可以通过dos访问,并在命令提示符下使用此命令完美地工作。当我输入这个
this.exe“my.exe test”&gt;的Result.txt
my.exe是另一个控制台应用程序,它接受输入测试和&gt; result.txt用于我的输出日志。我试图删除命令行的需要,所以我试图将路径提供给createprocess函数调用。这就是我被困在这里的地方是我正在尝试的
if( !CreateProcess( NULL, // No module name (use command line)
"\"my.exe test \" > result.txt", // this.exe "my.exe test" > result.txt
NULL, // Process handle not inheritable
NULL, // Thread handle not inheritable
仍然无法工作我认为\“会给我我需要的结果,但它似乎无法工作,将解析my.exe和测试部分,但不解析&gt; result.txt输出。但它可以在命令提示符下工作如果我将它传递给argv [1],那很好。
任何帮助非常感谢。
总结
在控制台我可以解析
this.exe "my.exe test" > result.txt // Works fine via cmd.exe
我试过的应用
my.exe test > result.txt // Not work but missing ""
和
\"my.exe test \" > result.txt // work for first section
答案 0 :(得分:3)
CreateProcess
只能通过将单词分解为单个参数来进行基本的命令行解析 - 它不了解文件重定向或其他任何内容。如果你传递它"> result.txt"
,它会尝试将其解析为两个名为">"
和"result.txt"
的参数。
如果要重定向命令的输出,则有两个选项:
CreateFile
打开文件(传入使句柄可继承的安全属性),然后将结果句柄分配给hStdOut
STARTUPINFO
成员你传入的结构。然后,记得在CreateProcess
返回后关闭文件,否则你会泄漏句柄。使用其他程序进行重定向。在命令行中键入命令时,它是cmd.exe
,用于解析命令行并执行文件重定向。因此,您可以使用命令行创建my.exe
进程,而不是创建cmd.exe
进程:
cmd.exe "my.exe test > result.txt"
答案 1 :(得分:3)
CreateProcess
只需要一个可执行文件名和一些参数。重定向实际上不是程序参数。这由shell(cmd.exe
)解释。
调用自己的程序时发生的情况如下......
cmd> this.exe "my.exe test" > result.txt
argv[0] = "this.exe"
argv[1] = "my.exe test"
Output is sent to result.txt by the shell
现在,你的那个不起作用:
cmd> this.exe my.exe test > result.txt
argv[0] = "this.exe"
argv[1] = "my.exe"
argv[2] = "test"
Output is sent to result.txt by the shell
您会看到这一点,因为您只向argv[1]
发送了CreateProcess
,但行为并不像您预期的那样。
现在,正如我所提到的,CreateProcess
实际上并没有重定向输出。为此,您应该使用调用system
的{{1}}调用或系统使用的任何命令解释器:
cmd.exe
请参阅:http://msdn.microsoft.com/en-us/library/277bwbdz(v=vs.80).aspx