8

我开始使用 logback,我想知道是否有更好的方法来做某事。我有这个代码:

public class ClassA {
    private List<String> l;
    private Logger logger;

    public ClassA(){
        this.logger = LoggerFactory.getLogger(this.getClass().getName());
    }
....
    public List<String> method() {
        this.logger.debug("method()");
        List<String> names;

        try {
            names = otherClass.getNames();
        } catch (Exception e) {
            String msg = "Error getting names";
            this.logger.error(msg);
            throw new ClassAexception(msg, e);
        }

        this.logger.debug("names: {}", xxxxx);
        return names;
}

到目前为止,我有一些疑问:

  • 每个类都会有一个this.logger = LoggerFactory.getLogger(this.getClass().getName());创建记录器。
  • 每个方法都会this.logger.debug("method()");知道何时调用方法。

那看起来不太好。有没有办法解决它?

我还想在这一行的 .log 中打印一个列表:this.logger.debug("names: {}", xxxxx);

xxxxxx 应该替换为打印列表的内容。匿名课?

谢谢阅读!

4

1 回答 1

12

使用AspectJlog4j你可以使用它。使用 ajc 编译器而不是 javac 编译您的代码,然后使用 java 可执行文件正常运行。

您需要在类路径上有 aspectjrt.jar 和 log4j.jar。

import org.aspectj.lang.*;
import org.apache.log4j.*;

public aspect TraceMethodCalls {
    Logger logger = Logger.getLogger("trace");

    TraceMethodCalls() {
        logger.setLevel(Level.ALL);
    }

    pointcut traceMethods()
        //give me all method calls of every class with every visibility
        : (execution(* *.*(..))
        //give me also constructor calls
        || execution(*.new(..)))
        //stop recursion don't get method calls in this aspect class itself
        && !within(TraceMethodCalls);

    //advice before: do something before method is really executed
    before() : traceMethods() {
        if (logger.isEnabledFor(Level.INFO)) {
            //get info about captured method and log it
            Signature sig = thisJoinPointStaticPart.getSignature();
            logger.log(Level.INFO,
                        "Entering ["
                        + sig.getDeclaringType().getName() + "."
                        + sig.getName() + "]");
        }
    }
}

查看有关如何更改 TraceMethodCalls 调用的 AspectJ 文档。

// e.g. just caputre public method calls
// change this
: (execution(* *.*(..))
// to this
: (execution(public * *.*(..))

关于

我还想在这一行的 .log 中打印一个列表: this.logger.debug("names: {}", xxxxx);

默认情况下,slf4j/logback 支持。做就是了

logger.debug("names: {}", names);

例如

List<String> list = new ArrayList<String>();
list.add("Test1"); list.add("Test2"); list.add("Test3");
logger.debug("names: {}", list);

//produces
//xx::xx.xxx [main] DEBUG [classname] - names: [Test1, Test2, Test3]

或者你想要一些特别不同的东西?

于 2009-06-26T20:24:03.413 回答