我正在调用一个在我的控制台/标准输出中打印一些字符串的函数。我需要捕获这个字符串。我不能修改正在进行打印的函数,也不能通过继承来改变运行时行为。我无法找到任何允许我这样做的预定义方法。
JVM是否存储打印内容的缓冲区?
有没有人知道有助于我的Java方法?
答案 0 :(得分:30)
您可以通过调用
重定向标准输出System.setOut(myPrintStream);
或者 - 如果需要在运行时记录它,请将输出传递给文件:
java MyApplication > log.txt
另一个技巧 - 如果你想重定向并且不能改变代码:实现一个快速包装器来调用你的应用程序并启动它:
public class RedirectingStarter {
public static void main(String[] args) {
System.setOut(new PrintStream(new File("log.txt")));
com.example.MyApplication.main(args);
}
}
答案 1 :(得分:3)
您可以暂时将System.err或System.out替换为写入字符串缓冲区的流。
答案 2 :(得分:2)
import java.io.FileNotFoundException;
import java.io.FileOutputStream;
import java.io.PrintStream;
public class RedirectIO
{
public static void main(String[] args)
{
PrintStream orgStream = null;
PrintStream fileStream = null;
try
{
// Saving the orginal stream
orgStream = System.out;
fileStream = new PrintStream(new FileOutputStream("out.txt",true));
// Redirecting console output to file
System.setOut(fileStream);
// Redirecting runtime exceptions to file
System.setErr(fileStream);
throw new Exception("Test Exception");
}
catch (FileNotFoundException fnfEx)
{
System.out.println("Error in IO Redirection");
fnfEx.printStackTrace();
}
catch (Exception ex)
{
//Gets printed in the file
System.out.println("Redirecting output & exceptions to file");
ex.printStackTrace();
}
finally
{
//Restoring back to console
System.setOut(orgStream);
//Gets printed in the console
System.out.println("Redirecting file output back to console");
}
}
}