0

在 Windows 下的 Delphi XE8 中,我试图调用外部控制台应用程序并捕获其输出。我使用以下代码,如 Capture the output from a DOS (command/console) WindowGetting output from a shell/dos app into a Delphi app 中所述

procedure TForm1.Button1Click(Sender: TObject) ;

  procedure RunDosInMemo(DosApp:String;AMemo:TMemo) ;
  const
    ReadBuffer = 2400;
  var
    Security : TSecurityAttributes;
    ReadPipe,WritePipe : THandle;
    start : TStartUpInfo;
    ProcessInfo : TProcessInformation;
    Buffer : Pchar;
    BytesRead : DWord;
    Apprunning : DWord;
    S: String;
  begin
    With Security do begin
      nlength := SizeOf(TSecurityAttributes) ;
      binherithandle := true;
      lpsecuritydescriptor := nil;
    end;
    if Createpipe (ReadPipe, WritePipe,
                   @Security, 0) then 
    begin
      Buffer := AllocMem(ReadBuffer + 1) ;
      FillChar(Start,Sizeof(Start),#0) ;
      start.cb := SizeOf(start) ;
      start.hStdOutput := WritePipe;
      start.hStdInput := ReadPipe;
      start.dwFlags := STARTF_USESTDHANDLES + STARTF_USESHOWWINDOW;
      start.wShowWindow := SW_HIDE;

      S:=UniqueString(DosApp);
      if CreateProcess(nil,
              PChar(S),
              @Security,
              @Security,
              true,
              NORMAL_PRIORITY_CLASS,
              nil,
              nil,
              start,
              ProcessInfo) then
      begin
        repeat
          Apprunning := WaitForSingleObject
                        (ProcessInfo.hProcess,100) ;
          Application.ProcessMessages;
        until (Apprunning <> WAIT_TIMEOUT) ;
        Repeat
          BytesRead := 0;
          ReadFile(ReadPipe,Buffer[0], ReadBuffer,BytesRead,nil) ;
          Buffer[BytesRead]:= #0;
          OemToAnsi(Buffer,Buffer) ;
          AMemo.Text := AMemo.text + String(Buffer) ;
        until (BytesRead < ReadBuffer) ;
      end;
      FreeMem(Buffer) ;
      CloseHandle(ProcessInfo.hProcess) ;
      CloseHandle(ProcessInfo.hThread) ;
      CloseHandle(ReadPipe) ;
      CloseHandle(WritePipe) ;
    end;
  end;

begin {button 1 code}
  RunDosInMemo('cmd.exe /c dir',Memo1) ; //<-- this works
  RunDosInMemo('"c:\consoleapp.exe" "/parameter"',Memo1) //<-- this hangs in the repeat until (Apprunning <> WAIT_TIMEOUT) ; 
end;

它适用于 DOS 命令,但不适用于控制台应用程序。控制台应用程序启动并正确执行,但它挂在repeat until (Apprunning <> WAIT_TIMEOUT)循环中。我可以尝试什么来解决这个问题?

非常感谢!

4

2 回答 2

4

您正在运行的程序要么期待输入(如来自键盘),要么产生比管道缓冲区容纳的更多的输出。在任何一种情况下,该程序都会挂起等待进一步的 I/O 操作,但您的父程序正在等待该子程序在处理任何输出之前终止,并且从不提供任何输入。

您需要在程序仍在运行时处理输出管道。否则,您将面临缓冲区被填满的风险,并且孩子将阻塞,直到有更多空间可用。同样,如果您不打算向其他进程提供任何输入,您可能不应该给它一个有效的输入句柄。这样,如果它尝试读取输入,它将失败,而不是阻塞。

此外,您为该程序提供的输入句柄附加到输出句柄。如果程序尝试读取,它将读取自己的输出,例如 I/O ouroboros。要处理输入输出,您需要两个管道。

(请注意,这个死锁正是我在您使用的答案的评论中指出的问题。同一答案中的第二个代码块解决了这个问题,以及衔尾蛇问题。)

于 2015-06-20T13:42:46.620 回答
0

总结一下:@David Heffernan 在Execute DOS program and get output 中的代码可以动态工作。问题是控制台应用程序发出 UTF-16。

于 2015-06-23T09:37:09.470 回答