In Python, if I want to call an external command as a subprocess, I do the following:
from subprocess import Popen, PIPE cmd = ['cat', '-be'] out, err = Popen(cmd, stdin=PIPE, stdout=PIPE, stderr=PIPE).communicate("some input")
What is the standard way to do the same in Scala? Using Java's ProcessBuilder, I came up with the following, but this is pretty ugly:
def communicate(cmd: List[String], input: Option[String] = None): (String, String) = { val command = new java.util.ArrayList[String]() cmd.foreach(command.add(_)) val builder = new ProcessBuilder(command) val process = builder.start() val stdinWriter = new java.io.PrintWriter((new java.io.OutputStreamWriter(new java.io.BufferedOutputStream(process.getOutputStream()))), true); val stdoutReader = new java.io.BufferedReader(new java.io.InputStreamReader(process.getInputStream())) val stderrReader = new java.io.BufferedReader(new java.io.InputStreamReader(process.getErrorStream())) input.foreach(stdinWriter.write(_)) stdinWriter.close() def read(reader: java.io.BufferedReader): String = { val out = new ListBuffer[String] var line: String = reader.readLine() while (line != null) { out += line line = reader.readLine() } return out.result.mkString("\n") } val stdout = read(stdoutReader) val stderr = read(stderrReader) stdoutReader.close() stderrReader.close() return (stdout, stderr) } val (catout, caterr) = communicate(List("cat", "-be"), Some("some input")) val (pwdout, pwderr) = communicate(List("pwd"))
Is there another alternative built into Scala?
source share