The Logger
class provide a setLevel()
method to set the logging level. By setting logging to a certain level we can control which message will be logged.
To determine or check if a message will be logged we can use the Logger.isLoggable(Level level)
method. Let see the example below.
package org.kodejava.util.logging;
import java.util.logging.Logger;
import java.util.logging.Level;
public class LoggingLevelCheck {
public static void main(String[] args) {
// Obtains an instance of Logger and set the logging level to
// Level.WARNING.
Logger log = Logger.getLogger(LoggingLevelCheck.class.getName());
log.setLevel(Level.WARNING);
// Log INFO level message. This message will not be logged due to
// the log level set to Level.WARNING
if (log.isLoggable(Level.INFO)) {
log.info("Application Information Message");
}
// Log WARNING level message when Level.WARNING is loggable.
if (log.isLoggable(Level.WARNING)) {
log.warning("Application Warning Information");
}
// Log SEVERE level message when Level.SEVERE is loggable.
if (log.isLoggable(Level.SEVERE)) {
log.severe("Information Severe Information");
}
}
}
This will result only the Level.WARNING
and Level.SEVERE
messages are logged.
Oct 07, 2021 8:18:03 PM org.kodejava.util.logging.LoggingLevelCheck main
WARNING: Application Warning Information
Oct 07, 2021 8:18:03 PM org.kodejava.util.logging.LoggingLevelCheck main
SEVERE: Information Severe Information
Latest posts by Wayan (see all)
- How do I build simple search page using ZK and Spring Boot? - March 8, 2023
- How do I calculate days between two dates excluding weekends and holidays? - January 12, 2023
- How do I discover the quarter of a given date? - January 11, 2023