Run bat file in Java and wait 2

前端 未结 1 1398
一个人的身影
一个人的身影 2020-12-12 01:31

This is a followup question to my other question : Run bat file in Java and wait

The reason i am posting this as a separate question is that the one i already asked

1条回答
  •  半阙折子戏
    2020-12-12 01:43

    Start cmd with the /c switch instead of /k and get rid of the start:

    Process p = Runtime.getRuntime().exec( 
       "cmd /c SQLScriptsToRun.bat" + " -UuserName -Ppassword" 
       + " projectName");
    

    /k tells cmd: “Run that command and then stay open”, while /c says “Run that command and then exit.”

    /k is for interactive use where you want an initializing batch file and afterwards still use the console.

    Your main problem here, however, is that you are creating yet another process by using start. To run a batch file this is totally unnecessary and prevents you from knowing when the batch was run completely, since Java has a reference to the original cmd process you started, not the one you spawned with start.

    In principle, this now looks like the following:

    1. Java program starts
    2. Java program runs cmd and instructs it to run start foo.bat and stay open for interactive input (/k)
    3. Java memorizes the process ID (PID 42) to later reference that process

      • cmd (PID 42) starts
      • cmd (PID 42) runs start foo.bat
      • start foo.bat launches another instance of cmd, since that's what should happen to run batch files
        • cmd (PID 57005) starts
        • cmd (PID 57005) runs foo.bat
        • cmd (PID 57005) exits (This marks the event you'd like to know about)
      • cmd (PID 42) shows the prompt and obediently waits for input (unbeknownst to them the prompt is never seen by a user and no input will ever come ... but cmd (PID 42) waits ...)
    4. Java likes to know whether the process is finished and checks PID 42

    5. Yup, it's still there. Now what?

    What you want (and what above change will do) is:

    1. Java program starts
    2. Java program runs cmd and instructs it to run foo.bat and close after running the command (/c)
    3. Java memorizes the process ID (PID 42) to later reference that process

      • cmd (PID 42) starts
      • cmd (PID 42) runs foo.bat
      • cmd (PID 42) exits
    4. Java likes to know whether the process is finished and checks PID 42

    5. Hooray, the process is gone, the batch file has been run.

    0 讨论(0)
提交回复
热议问题