如何存储printStackTrace到一个字符串

我如何才能得到e.printStackTrace()并将其存储到String变量中? 我想在后面的程序中使用e.printStackTrace()生成的字符串

我仍然是Java的新手,所以我不太熟悉StringWriter,我认为 将是解决方案。或者如果你有任何其他想法,请告诉我。由于< / p >

191731 次浏览
StackTraceElement[] stack = new Exception().getStackTrace();
String theTrace = "";
for(StackTraceElement line : stack)
{
theTrace += line.toString();
}

你必须使用getStackTrace ()方法而不是printStackTrace()方法。下面是一个很好的例子:

import java.io.*;


/**
* Simple utilities to return the stack trace of an
* exception as a String.
*/
public final class StackTraceUtil {


public static String getStackTrace(Throwable aThrowable) {
final Writer result = new StringWriter();
final PrintWriter printWriter = new PrintWriter(result);
aThrowable.printStackTrace(printWriter);
return result.toString();
}


/**
* Defines a custom format for the stack trace as String.
*/
public static String getCustomStackTrace(Throwable aThrowable) {
//add the class name and any message passed to constructor
final StringBuilder result = new StringBuilder( "BOO-BOO: " );
result.append(aThrowable.toString());
final String NEW_LINE = System.getProperty("line.separator");
result.append(NEW_LINE);


//add each element of the stack trace
for (StackTraceElement element : aThrowable.getStackTrace() ){
result.append( element );
result.append( NEW_LINE );
}
return result.toString();
}


/** Demonstrate output.  */
public static void main (String... aArguments){
final Throwable throwable = new IllegalArgumentException("Blah");
System.out.println( getStackTrace(throwable) );
System.out.println( getCustomStackTrace(throwable) );
}
}

类似于

StringWriter errors = new StringWriter();
ex.printStackTrace(new PrintWriter(errors));
return errors.toString();

这正是你所需要的。

相关文档:

番石榴通过Throwables.getStackTraceAsString (Throwable)使此操作变得容易:

Exception e = ...
String stackTrace = Throwables.getStackTraceAsString(e);

在内部,这是@Zach L建议的。

沿着Guava的线,Apache Commons Lang在org.apache.commons.lang.exception中有ExceptionUtils.getFullStackTrace。StackOverflow上的从先前的答案

call:  getStackTraceAsString(sqlEx)


public String getStackTraceAsString(Exception exc)
{
String stackTrace = "*** Error in getStackTraceAsString()";


ByteArrayOutputStream baos = new ByteArrayOutputStream();
PrintStream ps = new PrintStream( baos );
exc.printStackTrace(ps);
try {
stackTrace = baos.toString( "UTF8" ); // charsetName e.g. ISO-8859-1
}
catch( UnsupportedEncodingException ex )
{
Logger.getLogger(sss.class.getName()).log(Level.SEVERE, null, ex);
}
ps.close();
try {
baos.close();
}
catch( IOException ex )
{
Logger.getLogger(sss.class.getName()).log(Level.SEVERE, null, ex);
}
return stackTrace;
}

使用apache commons-lang3库

import org.apache.commons.lang3.exception.ExceptionUtils;


//...


String[] ss = ExceptionUtils.getRootCauseStackTrace(e);
logger.error(StringUtils.join(ss, System.lineSeparator()));