logger.info 和logger.debug之间的区别

2022-08-31 11:14:30

和 有什么区别?logger.debuglogger.info

什么时候打印?logger.debug


答案 1

我建议你看看那篇名为“log4j简介”的文章。它包含对日志级别的简短说明,并演示了如何在实践中使用它们。日志级别的基本思想是,您希望能够根据情况配置日志包含的详细信息量。例如,如果您尝试对某个问题进行故障排除,您可能希望日志非常详细。在生产环境中,您可能只想查看警告和错误。

系统每个组件的日志级别通常通过配置文件中的参数进行控制,因此很容易更改。您的代码将包含具有不同级别的各种日志记录语句。响应 时,您可以调用 。如果要在任何给定点打印变量的值,可以调用 。通过程序中可配置的日志记录级别和日志记录语句的这种组合,您可以完全控制应用程序记录其活动的方式。ExceptionLogger.errorLogger.debug

至少在 log4j 的情况下,日志级别的排序是:

DEBUG < INFO < WARN < ERROR < FATAL

下面是该文章的一个简短示例,演示了日志级别的工作原理。

   // get a logger instance named "com.foo"
   Logger logger = Logger.getLogger("com.foo");

   // Now set its level. Normally you do not need to set the
   // level of a logger programmatically. This is usually done
   // in configuration files.
   logger.setLevel(Level.INFO);

   Logger barlogger = Logger.getLogger("com.foo.Bar");

   // This request is enabled, because WARN >= INFO.
   logger.warn("Low fuel level.");

   // This request is disabled, because DEBUG < INFO.
   logger.debug("Starting search for nearest gas station.");

   // The logger instance barlogger, named "com.foo.Bar",
   // will inherit its level from the logger named
   // "com.foo" Thus, the following request is enabled
   // because INFO >= INFO.
   barlogger.info("Located nearest gas station.");

   // This request is disabled, because DEBUG < INFO.
   barlogger.debug("Exiting gas station search");

答案 2

这将取决于日志记录配置。默认值将取决于所使用的框架。这个想法是,稍后通过将配置设置从INFO更改为DEBUG,您将看到大量打印的行(反之亦然,则更少),而无需重新编译整个应用程序。

如果你想到要使用哪一个,那么它归结为思考你想在哪个层面上看到什么。对于其他级别,例如在Log4J中,请查看API,http://logging.apache.org/log4j/1.2/apidocs/org/apache/log4j/Level.html


推荐