Java exec() does not return expected result of pipes' connected commands

后端 未结 6 534
傲寒
傲寒 2020-12-11 05:58

I\'m calling command line programs connected by pipes. All this works on Linux for sure.

My method:

protected String execCommand(String command) thro         


        
相关标签:
6条回答
  • 2020-12-11 06:00

    Still didn't found proper solution to execute piped commands with Runtime.exec, but found a workaround. I've simply wrote these scripts to separate bash files. Then Runtime.exec calls these bash scripts and gets expected result.

    0 讨论(0)
  • 2020-12-11 06:14

    Everyone who uses Runtime.exec should read this.

    0 讨论(0)
  • 2020-12-11 06:19

    Probably a little too late but for others looking for a solution, try this...

    String[] cmd = {
                            "/bin/sh",
                            "-c",
                            "cat /proc/cpuinfo | wc -l"
                        };
    
    Process process = Runtime.getRuntime().exec(cmd);
    

    All the best..

    0 讨论(0)
  • 2020-12-11 06:23

    It might be a good idea to check the error stream of the Process as well.

    0 讨论(0)
  • 2020-12-11 06:25

    The pipe (like redirection, or >) is a function of the shell, and so execing directly from Java won't work. You need to do something like:

    /bin/sh -c "your | piped | commands | here"
    

    which executes a shell process with the command line (including pipes) specified after the -c (in quotes).

    Note also that you have to consume stdout and stderr concurrently, otherwise your spawned process will block waiting for your process to consume the output (or errors). More info here.

    0 讨论(0)
  • 2020-12-11 06:26

    The quick-and-dirty thing to do would be:

    command = "/bin/sh -c '" + command.replaceAll("'", "'\''") + "'"
    

    Normally, you'll have to watch out for shell injection (i.e. someone sneaks "; rm -rf /;" into the command). But that's only an issue if part of the command can be supplied from some other user input.

    The slow and painful approach would be to do the Bash piping yourself in Java. If you go down this road, you'll find out all the wonderful things that Bash gives you that's not directly available from Process.exec (pipes, redirection, compound commands, variable expansion, arithmetic evaluation, ...).

    1. Parse the command for | characters. Be sure to watch out for || and quoted strings.
    2. Spawn a new Process for every piped command.
    3. Create Threads that read the output from one command and write it to the input of the next command.
    0 讨论(0)
提交回复
热议问题