web-dev-qa-db-ja.com

Powershell開始プロセス、タイムアウトで待機、終了および終了コードの取得

プログラムを繰り返し実行したい。

時々、プログラムがクラッシュするので、次の反復が正しく開始できるように、プログラムを強制終了したい。これはタイムアウトで決定します。

タイムアウトは機能していますが、プログラムの終了コードを取得できません。その結果も確認する必要があります。

以前は、タイムアウトで待機せず、Start-Processで-waitを使用していましたが、これにより、起動したプログラムがクラッシュした場合にスクリプトがハングしました。この設定を使用すると、終了コードを正しく取得できます。

ISEから実行しています。

for ($i=0; $i -le $max_iterations; $i++)
{
    $proc = Start-Process -filePath $programtorun -ArgumentList $argumentlist -workingdirectory $programtorunpath -PassThru
    # wait up to x seconds for normal termination
    Wait-Process -Timeout 300 -Name $programname
    # if not exited, kill process
    if(!$proc.hasExited) {
        echo "kill the process"
        #$proc.Kill() <- not working if proc is crashed
        Start-Process -filePath "taskkill.exe" -Wait -ArgumentList '/F', '/IM', $fullprogramname
    }
    # this is where I want to use exit code but it comes in empty
    if ($proc.ExitCode -ne 0) {
       # update internal error counters based on result
    }
}

どうやって

  1. プロセスを開始する
  2. 順番に実行されて完了するのを待ちます
  3. クラッシュした場合(たとえば、タイムアウトに達した場合)に強制終了します。
  4. プロセスの終了コードを取得する
11
Andreas Reiff

_$proc | kill_または$proc.Kill()を使用すると、プロセスをより簡単に終了できます。この場合、終了コードを取得できないことに注意してください。内部エラーカウンターを更新するだけです。

_for ($i=0; $i -le $max_iterations; $i++)
{
    $proc = Start-Process -filePath $programtorun -ArgumentList $argumentlist -workingdirectory $programtorunpath -PassThru

    # keep track of timeout event
    $timeouted = $null # reset any previously set timeout

    # wait up to x seconds for normal termination
    $proc | Wait-Process -Timeout 4 -ErrorAction SilentlyContinue -ErrorVariable timeouted

    if ($timeouted)
    {
        # terminate the process
        $proc | kill

        # update internal error counter
    }
    elseif ($proc.ExitCode -ne 0)
    {
        # update internal error counter
    }
}
_
15
Martin Brandl