[java] slf4j-simple을 구성하는 방법

api 1.7 및 slf4j-imple은 구현입니다. 이 조합으로 로깅 수준을 구성하는 방법을 찾을 수 없습니다.

누구든지 도울 수 있습니까?



답변

그것은 시스템 속성을 통해

-Dorg.slf4j.simpleLogger.defaultLogLevel=debug

또는 simplelogger.properties클래스 패스의 파일

자세한 내용은 http://www.slf4j.org/api/org/slf4j/impl/SimpleLogger.html 을 참조하십시오


답변

다음은 simplelogger.properties클래스 경로에 배치 할 수 있는 샘플 입니다 (사용할 속성의 주석 처리를 제거하십시오).

# SLF4J's SimpleLogger configuration file
# Simple implementation of Logger that sends all enabled log messages, for all defined loggers, to System.err.

# Default logging detail level for all instances of SimpleLogger.
# Must be one of ("trace", "debug", "info", "warn", or "error").
# If not specified, defaults to "info".
#org.slf4j.simpleLogger.defaultLogLevel=info

# Logging detail level for a SimpleLogger instance named "xxxxx".
# Must be one of ("trace", "debug", "info", "warn", or "error").
# If not specified, the default logging detail level is used.
#org.slf4j.simpleLogger.log.xxxxx=

# Set to true if you want the current date and time to be included in output messages.
# Default is false, and will output the number of milliseconds elapsed since startup.
#org.slf4j.simpleLogger.showDateTime=false

# The date and time format to be used in the output messages.
# The pattern describing the date and time format is the same that is used in java.text.SimpleDateFormat.
# If the format is not specified or is invalid, the default format is used.
# The default format is yyyy-MM-dd HH:mm:ss:SSS Z.
#org.slf4j.simpleLogger.dateTimeFormat=yyyy-MM-dd HH:mm:ss:SSS Z

# Set to true if you want to output the current thread name.
# Defaults to true.
#org.slf4j.simpleLogger.showThreadName=true

# Set to true if you want the Logger instance name to be included in output messages.
# Defaults to true.
#org.slf4j.simpleLogger.showLogName=true

# Set to true if you want the last component of the name to be included in output messages.
# Defaults to false.
#org.slf4j.simpleLogger.showShortLogName=false


답변

시스템 속성을 설정하여 프로그래밍 방식으로 변경할 수 있습니다.

public class App {

    public static void main(String[] args) {

        System.setProperty(org.slf4j.impl.SimpleLogger.DEFAULT_LOG_LEVEL_KEY, "TRACE");

        final org.slf4j.Logger log = LoggerFactory.getLogger(App.class);

        log.trace("trace");
        log.debug("debug");
        log.info("info");
        log.warn("warning");
        log.error("error");

    }
}

로그 레벨은 오류> 경고> 정보> 디버그> 추적입니다.

로거가 생성되면 로그 수준을 변경할 수 없습니다. 로깅 레벨을 동적으로 변경해야하는 경우 SLF4J와 함께 log4j 를 사용할 수 있습니다 .


답변

나는 Eemuli가 로그 레벨을 만든 후에는 변경할 수 없다고 말한 것을 알았습니다. 디자인일지도 모르지만, 그것은 사실이 아닙니다.

나는 slf4j에 로그인 한 라이브러리를 사용하는 상황에 빠졌고 maven mojo 플러그인을 작성하는 동안 라이브러리를 사용하고있었습니다.

Maven은 slf4j SimpleLogger의 (해킹 된) 버전을 사용하는데, 플러그인 코드를 log4j와 같은 로그로 다시 라우팅하여 제어 할 수 없었습니다.

그리고 maven logging 구성을 변경할 수 없습니다.

그래서 시끄러운 정보 메시지를 조용히하기 위해 런타임에 SimpleLogger를 사용하여 이와 같은 리플렉션을 사용할 수 있음을 알았습니다.

import org.slf4j.Logger;
import org.slf4j.LoggerFactory;
import org.slf4j.spi.LocationAwareLogger;
    try
    {
        Logger l = LoggerFactory.getLogger("full.classname.of.noisy.logger");  //This is actually a MavenSimpleLogger, but due to various classloader issues, can't work with the directly.
        Field f = l.getClass().getSuperclass().getDeclaredField("currentLogLevel");
        f.setAccessible(true);
        f.set(l, LocationAwareLogger.WARN_INT);
    }
    catch (Exception e)
    {
        getLog().warn("Failed to reset the log level of " + loggerName + ", it will continue being noisy.", e);
    }

물론, 이것은 다음에 maven 사람들이 로거를 변경할 때 깨지기 때문에 매우 안정적이고 신뢰할 수있는 솔루션은 아닙니다.


답변