Difference between printStackTrace() and toString()
No, there is an important difference! Using toString, you only have the type of the exception and the error message. Using printStackTrace() you get the whole stacktrace of an exception, which is very helpful for debugging.
Example of System.out.println(toString()):
java.io.FileNotFoundException: yourFile.txt (The system cannot find the file specified)
Example of printStackTrace():
java.io.FileNotFoundException: yourFile.txt (The system cannot find the file specified)
at java.io.FileInputStream.open(Native Method)
at java.io.FileInputStream.(FileInputStream.java:106)
at java.io.FileReader.(FileReader.java:55)
at ReadFromFile.main(ReadFromFile.java:14)
To make a string of the whole stacktrace, I usually use this method:
public static String exceptionStacktraceToString(Exception e)
{
ByteArrayOutputStream baos = new ByteArrayOutputStream();
PrintStream ps = new PrintStream(baos);
e.printStackTrace(ps);
ps.close();
return baos.toString();
}
Also note that simply calling toString()
simply returns a string, and won't print anything out.
To convert StackTrace to String a shorter implementation I use is:
public static String exceptionStacktraceToString(Exception e)
{
return Arrays.toString(e.getStackTrace());
}