我在互联网上尝试了几个样本,但没有一个正常工作 - 脚本没有执行 - (可能是因为是Delphi 2009之前的unicode?)。
我需要运行一些python脚本并将参数传递给它们,例如:
python "..\Plugins\RunPlugin.py" -a login -u Test -p test
将输出捕获到字符串&其他错误。
这就是我现在所拥有的:
procedure RunDosInMemo(DosApp:String; var OutData: String);
var
SA: TSecurityAttributes;
SI: TStartupInfo;
PI: TProcessInformation;
StdOutPipeRead, StdOutPipeWrite: THandle;
WasOK: Boolean;
Buffer: array[0..255] of Char;
BytesRead: Cardinal;
WorkDir: string;
Handle: Boolean;
begin
OutData := '';
with SA do begin
nLength := SizeOf(SA);
bInheritHandle := True;
lpSecurityDescriptor := nil;
end;
CreatePipe(StdOutPipeRead, StdOutPipeWrite, @SA, 0);
try
with SI do
begin
FillChar(SI, SizeOf(SI), 0);
cb := SizeOf(SI);
dwFlags := STARTF_USESHOWWINDOW or STARTF_USESTDHANDLES or CREATE_UNICODE_ENVIRONMENT;
wShowWindow := SW_HIDE;
hStdInput := GetStdHandle(STD_INPUT_HANDLE); // don't redirect stdin
hStdOutput := StdOutPipeWrite;
hStdError := StdOutPipeWrite;
end;
WorkDir := 'C:\';
Handle := CreateProcess(nil, PChar(DosApp),
nil, nil, True, 0, nil,
PChar(WorkDir), SI, PI);
CloseHandle(StdOutPipeWrite);
if Handle then
begin
try
repeat
WasOK := ReadFile(StdOutPipeRead, Buffer, 255, BytesRead, nil);
if BytesRead > 0 then
begin
Buffer[BytesRead] := #0;
OutData := OutData + String(Buffer);
end;
until not WasOK or (BytesRead = 0);
WaitForSingleObject(PI.hProcess, INFINITE);
finally
CloseHandle(PI.hThread);
CloseHandle(PI.hProcess);
end;
end else begin
raise Exception.Create('Failed to load python plugin');
end;
finally
CloseHandle(StdOutPipeRead);
end;
end;
答案 0 :(得分:7)
Create_Unicode_Environment
是流程创建标记,适用于dwCreationFlags
的{{1}}参数。它不是用于CreateFile
记录的标志。如果你向他们提供他们不理解的标志值,API函数可能会失败,并且如果你给它们标志值的意思不是你期望的东西,他们可能会做出奇怪的事情。
您声明256 TStartupInfo
s的缓冲区;回想一下,Delphi 2009中的Char
是一个2字节的Unicode类型。然后调用Char
并告诉它缓冲区长度为255 bytes 而不是实际值512.当文档说某个值是字节数时,请将其作为您的提示使用ReadFile
函数。
由于SizeOf
读取字节,因此将缓冲区数组声明为字节大小的元素数组(例如ReadFile
)是个好主意。这样,当您设置AnsiChar
时,您将不会包含实际读取的数据的两倍。
Buffer[BytesRead]
的Unicode版本可能会修改其命令行参数。您必须确保传递给该参数的字符串的引用计数为1.在致电CreateProcess
之前,请致电UniqueString(DosApp)
。
当API函数失败时,您当然想知道原因。不要只是弥补的原因。使用提供的功能,例如CreateProcess
和Win32Check
。至少,请致电RaiseLastOSError
,就像MSDN告诉您的那样。当更具体的异常类型随时可用时,不要抛出泛型异常类型。
答案 1 :(得分:4)
我不确定WaitForSingleObject是否可行......我认为最好使用GetExitCodeProcess(pi.hProcess,iExitCode)进行循环,直到iExitCode<> STILL_ACTIVE然后检查每次通过循环的数据。
编写的代码也不在Delphi 2007下运行,因此它不是Delphi 2009 unicode问题。
将内循环更改为以下作品:
if Handle then
begin
try
repeat
WasOK := ReadFile(StdOutPipeRead, Buffer, 255, BytesRead, nil);
for ix := 0 to BytesRead-1 do
begin
OutData := OutData + AnsiChar(Buffer[ix]);
end;
GetExitCodeProcess(pi.hProcess,iExit);
until (iExit <> STILL_ACTIVE);
finally
CloseHandle(PI.hThread);
CloseHandle(PI.hProcess);
end;
我对局部变量进行了以下更正/添加:
Buffer: array[0..255] of byte;
iExit : Cardinal;
IX : integer;
我还在StdOutPipeRead关闭之前移动了CloseHandle(StdOutPipeWrite)。