Avoid empty catch blocks

Most contend that it's usually a very bad idea to have an empty catch block.

When the exception occurs, nothing happens, and the program fails for unknown reasons.

Example

The "tried our best" comments below are an example of what not to do :

import java.io.*;
import java.util.*;
import java.nio.file.*;

/** How NOT to implement a catch.  */
public final class BadCatch {

  public static void main(String... arguments) {
    List<String> quarks = Arrays.asList(
      "up", "down", "charm", "strange", "top", "bottom"
    );   

    //serialize the List
    Path path = Paths.get("quarks.ser");
    try(
      ObjectOutputStream output = new ObjectOutputStream(Files.newOutputStream(path))
    ){
      output.writeObject(quarks);
    }
    catch (IOException ex) {
      //TRIED OUR BEST
    }
  }
} 
In general, when a exception occurs, it can be thrown up to the caller, or it can be caught in a catch block. When catching an exception, some options include:

Deciding what exactly to do seems to depend on the nature of the problem. If there's an actual bug in the program - a defect that needs to be fixed - then one might do all three of the above. In this case, the end user should likely be shown a generic "Sorry, we goofed" message, not a stack trace. It's usually considered bad form to display a stack trace to a non-technical end user, or if exposing a stack trace may be a security risk.

If the exception does not represent a bug, then different behavior may be appropriate. For example, if a problem with user input is detected and an exception is thrown as a result, then merely informing the user of the problem might be all that is required.

See Also :
Logging messages
Avoid basic style errors