如何在Java 9中获取process的命令线和参数

2022-09-04 21:04:51

Java 9提供了获取信息的漂亮方法,但我仍然不知道如何获取&的过程:ProcessCommandLinearguments

Process p = Runtime.getRuntime().exec("notepad.exe E:\\test.txt");
ProcessHandle.Info info = p.toHandle().info();
String[] arguments = info.arguments().orElse(new String[]{});
System.out.println("Arguments : " + arguments.length);
System.out.println("Command : " + info.command().orElse("")); 
System.out.println("CommandLine : " + info.commandLine().orElse(""));

结果:

Arguments : 0
Command : C:\Windows\System32\notepad.exe
CommandLine : 

但我期待:

Arguments : 1
Command : C:\Windows\System32\notepad.exe
CommandLine : C:\Windows\System32\notepad.exe E:\\test.txt

答案 1

似乎在JDK-8176725中报告了这一点。以下是描述该问题的评论:

命令行参数无法通过非特权 API 用于其他进程,因此 Optional 始终为空。API 明确指出这些值是特定于操作系统的。如果将来这些参数可供窗口 API 使用,则可以更新实现。

顺便说一句,信息结构由本机代码填充;对字段的赋值不会出现在 Java 代码中。


答案 2

JDK-8176725 指示尚未在 Windows 上实现此功能。这是一个简单但缓慢的解决方法:

  /**
   * Returns the full command-line of the process.
   * <p>
   * This is a workaround for
   * <a href="https://stackoverflow.com/a/46768046/14731">https://stackoverflow.com/a/46768046/14731</a>
   *
   * @param processHandle a process handle
   * @return the command-line of the process
   * @throws UncheckedIOException if an I/O error occurs
   */
  private Optional<String> getCommandLine(ProcessHandle processHandle) throws UncheckedIOException {
    if (!isWindows) {
      return processHandle.info().commandLine();
    }
    long desiredProcessid = processHandle.pid();
    try {
      Process process = new ProcessBuilder("wmic", "process", "where", "ProcessID=" + desiredProcessid, "get",
        "commandline", "/format:list").
        redirectErrorStream(true).
        start();
      try (InputStreamReader inputStreamReader = new InputStreamReader(process.getInputStream());
           BufferedReader reader = new BufferedReader(inputStreamReader)) {
        while (true) {
          String line = reader.readLine();
          if (line == null) {
            return Optional.empty();
          }
          if (!line.startsWith("CommandLine=")) {
            continue;
          }
          return Optional.of(line.substring("CommandLine=".length()));
        }
      }
    } catch (IOException e) {
      throw new UncheckedIOException(e);
    }
  }

推荐