`
taojingrui
  • 浏览: 67568 次
  • 来自: ...
社区版块
存档分类
最新评论

用annotation处理logging

阅读更多

前段时间,项目中讨论了改进logging的问题。

 

我们在日常的代码中常常需要在在一个方法(method)的开始的时候log一下输入参数,在方法(method)结束时log一下return参数(很常见的问题),之前我们都是通过开发人员自己手动写代码去实现log,但是这样真的很麻烦,很多类似log的代码在程序里也不好看,于是借鉴了他人的想法,利用反射和method级的annotation来实现对入参和return值的logging。

 

1。首先定义一个Annotation来标记method是否需要打log

@Retention(RetentionPolicy.RUNTIME)
@Target(ElementType.METHOD)
public @interface MethodLogEnabler {
    /**
     * log flag
     */
    public static enum LOG {
    /**
     * log input parameters
     */
    IN,
    /**
     * log output parameters
     */
    OUT,
    /**
     * log both input & output parameters
     */
    IN_OUT} 
    
    /**
     * The log value
     * @return The log value
     */
    public LOG value();
}

 

 

2。实现一个写log的Spring拦截器

public class MethodLoggerInterceptor implements MethodInterceptor{

    public Object invoke(MethodInvocation arg0) throws Throwable {
        MethodLoggerHandler handler = new MethodLoggerHandler();
        MyLogger logger = new MyLogger();
        handler.setLogger(logger);
        return handler.execute(arg0);
    }
}

 

    拦截器所调用的handler类

/**
 * To check if the invoking method is registered MethodLogEnabler
 * annotation, and log invoking method's parameter if the annotatioin
 * is registered
 */
public class MethodLoggerHandler {
    /**
     * Default Constructor
     */
    public MethodLoggerHandler(){
        //Default Constructor
    }
    /**
     * 
     * @param methodInvocation
     * @return Object
     * @throws Throwable
     */
    public Object execute(MethodInvocation methodInvocation) throws Throwable {

        Method method = methodInvocation.getMethod();

        MethodLogEnabler annotation = null;
        //Check if annotation exists
        if (method != null && method.getAnnotation(MethodLogEnabler.class) != null) {
            annotation = method.getAnnotation(MethodLogEnabler.class);
        }
        
        //try to log method's input parameter
        if (method != null && annotation != null) {
            logInputParameters(methodInvocation, method, annotation);
        }

        Object result = null;
        try {
            //the original method call
            result = methodInvocation.proceed();
        } catch (Throwable e) {
            //log the error.
            if (logger != null) {
                logger.error("", e);
            }
            throw e;
        }
        
        //try to log method's return values
        if (method != null && annotation != null) {
            logOutputValues(method, annotation, result);
        }
        
        return result;
    }
        
    private void append(Object obj, StringBuilder appender) {
        if (obj != null) {
            //handle array object 
            if (obj.getClass().isArray()) {
                Object[] objects = (Object[]) obj;
                appender.append(getArrayOutput(objects));
            }
            //handle list object
            if (obj instanceof List) {
                Object[] objects = toArray(obj);
                appender.append(getArrayOutput(objects));
            }

            appender.append(obj.toString());
        }
    }
    
    @SuppressWarnings("unchecked")
    private Object[] toArray(Object obj) {
        Object[] objects = ((List) obj).toArray();
        return objects;
    }

    private String getArrayOutput(Object[] objects) {
        if ((objects != null) && (objects.length > 0)) {

            StringBuffer arrayOutput = new StringBuffer();
            arrayOutput.append("ARRAY[");
            for (Object object : objects) {
                if (object != null) {
                    arrayOutput.append(object.toString()).append(",");
                }
            }

            // remove last ,
            if (arrayOutput.length() > 0) {
                arrayOutput.replace(arrayOutput.length() - 1, arrayOutput.length(), "");
            }
            
            arrayOutput.append("]");
            return arrayOutput.toString();
        }
        return null;
    }
    
    private void logOutputValues(Method method, MethodLogEnabler annotation, Object result) {
        if (MethodLogEnabler.LOG.OUT.equals(annotation.value())
                || MethodLogEnabler.LOG.IN_OUT.equals(annotation.value())) {
            
            //the method has return
            if (!Void.TYPE.equals(method.getReturnType())) {
                
                StringBuilder output = new StringBuilder();
                output.append("Class[").append(method.getDeclaringClass().getName()).append("]: Method[")
                        .append(method.getName()).append("]: Retrun Value[");

                append(result, output);

                output.append("]");

                if (logger != null && logger.isDebugEnabled()) {
                    logger.debug(output.toString());
                }
            }
        }
    }
    
    private void logInputParameters(MethodInvocation methodInvocation, Method method, MethodLogEnabler annotation) {
        if (MethodLogEnabler.LOG.IN.equals(annotation.value())
                || MethodLogEnabler.LOG.IN_OUT.equals(annotation.value())) {
            
            //the method has input parameters
            if (method.getParameterTypes().length > 0) {
                
                StringBuilder string = new StringBuilder();
                string.append("Class[").append(method.getDeclaringClass().getName()).append("]: Method[").append(
                        method.getName()).append("]: Parameter[");
                
                for (Object input : methodInvocation.getArguments()) {
                    if (logger != null && logger.isDebugEnabled()) {
                        append(input, string);
                        string.append(",");
                    }
                }
                string.append("]");

                if (logger != null && logger.isDebugEnabled()) {
                    logger.debug(string.toString());
                }
            }
        }
    }
    /**
     * @param logger The logger to set.
     */
    public void setLogger(Logger logger) {
        this.logger = logger;
    }

    /**
     * @return Returns the logger.
     */
    public Logger getLogger() {
        return logger;
    }

    private Logger logger;
}

 

3。Junit的测试

写一个DumpDTO

/**
 * class DumpDTO
 */
public class DumpDTO {
    private String id;
    private int num;
    private Date time;
    private Long u;
    
    
    /**
     * @return Returns the id.
     */
    public String getId() {
        return id;
    }
    /**
     * @param id The id to set.
     */
    public void setId(String id) {
        this.id = id;
    }
    /**
     * @return Returns the num.
     */
    public int getNum() {
        return num;
    }
    /**
     * @param num The num to set.
     */
    public void setNum(int num) {
        this.num = num;
    }
    /**
     * @return Returns the time.
     */
    public Date getTime() {
        return time;
    }
    /**
     * @param time The time to set.
     */
    public void setTime(Date time) {
        this.time = time;
    }
    /**
     * @return Returns the u.
     */
    public Long getU() {
        return u;
    }
    /**
     * @param u The u to set.
     */
    public void setU(Long u) {
        this.u = u;
    }

}

 

建一个DumpHandler接口,接口里使用刚创建的MethodLogEnabler标签去定义哪些方法需要打log

public interface DumpHandler {
    /**
     * no log, because no input paramters
     */
    @MethodLogEnabler(MethodLogEnabler.LOG.IN)
    public void doA();
    /**
     * 
     * @param a
     * @param b
     * @param c
     * @param d
     */
    @MethodLogEnabler(MethodLogEnabler.LOG.IN)
    public void doB(String a, int b, Date c, Long d);
    /**
     * Only log return values
     * @param dto
     * @param string
     * @return DumpDTO
     */
    @MethodLogEnabler(MethodLogEnabler.LOG.OUT)
    public DumpDTO doC(DumpDTO dto, String string);
    /**
     * Log both input parameters and return values
     * @param dto
     * @return List<DumpDTO>
     */
    @MethodLogEnabler(MethodLogEnabler.LOG.IN_OUT)
    public List<DumpDTO> doD(DumpDTO[] dto);
}

 简单的实现Handler的接口

public class DumpHandlerImpl implements DumpHandler {

    /* (non-Javadoc)
     * @see se.ericsson.nrg.ws.adapter.bwlist.DumpHandler#doA()
     */
    public void doA() {
        System.out.println("doA");
    }

    /* (non-Javadoc)
     * @see se.ericsson.nrg.ws.adapter.bwlist.DumpHandler#doB(java.lang.String, int, java.util.Date, java.lang.Long)
     */
    @SuppressWarnings("unused")
    public void doB( String a, int b, Date c, Long d) {
        System.out.println("doB");

    }

    /* (non-Javadoc)
     * @see se.ericsson.nrg.ws.adapter.bwlist.DumpHandler#doC(se.ericsson.nrg.ws.adapter.bwlist.DumpDTO, java.lang.String)
     */   
    public DumpDTO doC(DumpDTO dto, String string) {
        System.out.println("doC");
        dto.setId("updateId: " + string);
        return dto;
    }

    /* (non-Javadoc)
     * @see se.ericsson.nrg.ws.adapter.bwlist.DumpHandler#doC(se.ericsson.nrg.ws.adapter.bwlist.DumpDTO[])
     */    
    public List<DumpDTO> doD(DumpDTO[] dto) {
        System.out.println("doD");
        return Arrays.asList(dto);

    }

}

 Junit的代码

public class MethodLoggerHandlerTest extends TestCase {
    private static XmlBeanFactory factory;
    /* (non-Javadoc)
     * @see junit.framework.TestCase#setUp()
     */
    @Override
    protected void setUp() throws Exception {        
        super.setUp();
        File file = new File("test/junit/applicationContext.xml");
        if(file.exists()){
            System.out.println("file exits");
        }
        factory = new XmlBeanFactory(new FileSystemResource("test/junit/applicationContext.xml"));
        
    }

    /**
     * unit test
     */
    public void testExecute() {
        DumpHandler handler = (DumpHandler)factory.getBean("dumpHandler");
        DumpDTO[] dtos = new DumpDTO[3];
        for(int i = 0; i < dtos.length; i++) {
            DumpDTO dto = new DumpDTO();
            dto.setId("id" + i);
            dto.setNum(100 + i);
            dto.setTime(new Date());
            dto.setU(1000l + i);
            dtos[i] = dto;
        }
        
        handler.doA();//no log
        handler.doB("a", 100, new Date(), 1000l); //log input
        handler.doC(dtos[0], getName()); // log return only, see annotation defined in DumpHandler
        handler.doD(dtos); // log both input and return
    }
}

 最后是Spring的applicationContext.xml

<?xml version="1.0" encoding="UTF-8"?>
<!DOCTYPE beans PUBLIC "-//SPRING//DTD BEAN//EN" "http://www.springframework.org/dtd/spring-beans.dtd">

<beans>
    <bean id="dumpHandler"
        class="org.springframework.aop.framework.ProxyFactoryBean">
        <property name="proxyInterfaces">
            <list>
                <value>xxx.xxx.DumpHandler</value>
            </list>
        </property>
        <property name="interceptorNames">
            <list>
                <value>logInterceptor</value>
            </list>
        </property>
        <property name="target">
            <ref bean="testImpl" />
        </property>
    </bean>
    
    <bean id="logInterceptor" class="xxx.xxx.MethodLoggerInterceptor ">        
    </bean>

    <bean id="testImpl" class="xxx.xxx.DumpHandlerImpl">        
    </bean>       


</beans>

 OK,完工。

 

分享到:
评论

相关推荐

    spring-annotation-logging:注释驱动的日志记录库

    而“spring-annotation-logging”则是Spring框架中的一个模块,主要关注于通过注解实现的日志记录功能。这个库允许开发者在代码中使用注解来控制和管理日志输出,从而提高代码的可读性和维护性。 一、Spring注解...

    aop-annotation-logging

    aop注释日志结合Java注释日志实现AOP。 要执行此项目,请在AOPLoggerTest.java中运行main方法请确保为项目启用了AspectJ Tooling,以得到正确的结果。 要在Spring Tool Suite中执行此操作, 将适当的项目导入STS, ...

    Struts2+Spring2+Hibernate3+Annotation所需JAR包

    - **hibernate-commons-annotations.jar**:Hibernate使用的注解处理库。 - **hibernate-annotations.jar**:Hibernate提供的注解支持,用于实体类的ORM映射。 - **hibernate-jpa-2.0-api-1.0.1.Final.jar**:Java ...

    编译时注解开发

    在Android开发中,Android Annotation Processing Tool(APT)允许开发者使用注解来简化代码,如Butter Knife(视图注入)、Dagger(依赖注入)和Retrofit(网络请求库)等。这些库利用注解处理器在编译时生成对应的...

    基于annotation 的ssh整合(1)

    在本文中,我们将探讨如何基于注解(Annotation)进行SSH(Struts2、Hibernate、Spring)的整合,这是一个适合初学者的学习资料。传统的SSH整合通常依赖于XML配置文件,但随着开发技术的发展,注解已经成为简化配置...

    学习Spring笔记_AOP_Annotation实现和XML实现

    6. `@Around`:环绕通知,可以在目标方法前后进行自定义处理,并控制是否执行目标方法。 接下来,我们讨论XML配置实现的AOP。在Spring早期版本或某些复杂场景下,XML配置可能是更好的选择。在XML配置中,我们需要...

    jakarta commons-API

    `Commons-logging-1.1-API.chm`文档展示了如何创建和使用日志记录器,以及如何集成不同的日志框架(如Log4j或Java内置的日志)。 在Java开发中,Jakarta Commons库通常被用来提升代码质量,减少重复工作,并提供了...

    hibernate annotation+slf4j

    2. 日志API使用:使用`org.slf4j.Logger`和`org.slf4j.LoggerFactory`获取日志实例,然后通过`logger.info()`, `logger.debug()`, `logger.error()`等方法输出不同级别的日志。 3. 日志配置:配置相应的日志实现库...

    logging-annotation-processor:一个Java注释处理器,用于处理与日志相关的注释

    :warning: 该项目现在是EE4J计划的一部分。 该仓库已被归档,因为所有活动现在都在。 有关整体EE4J过渡状态,请参见。 日志注释处理器 一个Java注释处理器,用于处理与日志记录相关的注释。

    hibernate-annotation3.4.0 + hibernate-distribution3.3.2 + slf4j-1.5.8.rar

    该版本支持JPA(Java Persistence API),提供了对象-关系映射(ORM)的能力,使得开发者可以使用面向对象的方式处理数据库事务,而无需编写大量SQL语句。3.3.2版本相对于更早期的版本,增加了对Java 5和6的支持,...

    hibernate-distribution 3.3.2+annotation3.4.0+slf4j-1.5.8.rar )

    1. **日志门面**:SLF4J(Simple Logging Facade for Java)提供了一种标准的日志接口,允许开发者在不修改代码的情况下切换不同的日志实现(如Log4j、Logback等),实现了日志记录的解耦。 2. **API设计**:SLF4J...

    Spring+commons.log

    Commons Logging允许开发者在运行时选择或切换日志实现,例如log4j、java.util.logging或者SimpleLog等,增强了日志处理的灵活性。 在"Spring3.2.9+commons-logging-1.2"这个压缩包中,我们看到的是Spring框架的...

    hibernate3.3.2 annnotation3.4.0 slf4j1.5.8

    Annotation 3.4.0作为Java注解处理库,提供了对运行时注解的查询和处理能力。在Hibernate中,它允许程序在运行时动态读取和处理实体类上的注解,从而实现元数据驱动的持久化操作。这对于开发人员来说,意味着更少的...

    spring-aop-annotation-log-all

    commons-logging-1.2.jar spring-beans-4.0.4.RELEASE.jar spring-context-4.0.4.RELEASE.jar spring-core-4.0.4.RELEASE.jar spring-expression-4.0.4.RELEASE.jar spring-aop-4.0.4.RELEASE.jar ...

    JAVA100例之实例54 使用语句预处理

    在Java编程语言中,语句预处理是一种提升代码效率和可读性的技术,尤其是在处理大量重复逻辑时。本文将深入探讨“JAVA100例之实例54 使用语句预处理”的核心概念,并通过实际案例解析如何在Java中有效地运用预处理...

    Android代码-基于ASM,通过注解,实现对方法调用时的参数、返回值、耗时等信息的纪录。

    Daffodil is an Annotation-triggered method call logging library. Usage Add daffodil closure in build.gradle daffodil { enabled true } Add @ Daffodil Annotation on methods, method call's detail ...

    Hibernate3.5.5

    3.5.5版本的Hibernate全面兼容Annotation,使得开发者无需再依赖XML配置文件,可以直接在类和属性上使用Annotation来完成映射,极大地提高了开发的灵活性和可维护性。 此外,Hibernate 3.5.5在稳定性方面的提升也是...

    I18N Messages and Logging-开源

    本项目"I18N Messages and Logging"显然就是这样一个工具,它提供了一个API来处理国际化消息和日志记录,并且支持自动创建语言资源包。 首先,让我们深入了解I18N。I18N的核心是将软件中的文本与代码分离,以便于...

    SpringMvc处理Jsno.rar

    SpringMVC(classmate-0.8.0.jar ...hibernate-validator-annotation-processor-5.0.0.CR2.jar jboss-logging-3.1.1.GA.jar validation-api-1.1.0.CR1.jar (不会出现包不兼容情况本人亲自使用) )

    springboot spring aop 拦截器注解方式实现脱敏

    在数据脱敏的场景下,我们可能需要在响应返回之前处理数据,因此可以使用`@Around`注解。例如: ```java import org.aspectj.lang.annotation.Aspect; import org.aspectj.lang.annotation.Around; import org....

Global site tag (gtag.js) - Google Analytics