Logging in DBCP

前端 未结 4 709
刺人心
刺人心 2021-02-07 13:59

I\'m using Apache Commons DBCP. There is a task to track the inner behavior of the DBCP - number of active and idle connections.

I found out that DBCP lacks any such lo

相关标签:
4条回答
  • 2021-02-07 14:13

    If you have access to the DataSource object, you can cast it to BasicDataSource and get the maxIdle and maxActive connections using getNumActive() and getNumIdle() methods.

    0 讨论(0)
  • 2021-02-07 14:19

    AOP is the way to go for tracking connection usage from the pool. However, its not very straight forward. You need to do the following:

    1. Create a ConnectionWrapper class that wraps (Decorator pattern) Connection and overrride the close() method to additionally log the connection id, thread id and action 'close'
    2. Intercept the getConnection() method of the datasource.
    3. In that method, log the connection id, thread id and action 'open'
    4. In the same method, decorate the original connection and return your ConnectionWrapper instance

    With this setup, you can track both the borrow & return of the connection from/to the pool.

    0 讨论(0)
  • 2021-02-07 14:24

    I think aspects may be the solution to your quandry. Check out:

    • http://static.springsource.org/spring/docs/current/spring-framework-reference/html/aop.html#aop-introduction-spring-defn
    • http://www.ibm.com/developerworks/java/library/j-ajdt/
    • http://www.eclipse.org/aspectj/doc/released/progguide/index.html

    Basically, you can write an aspect or two that will "latch onto" the execution of some methods inside DBCP.

    Something like:

    import org.aspectj.lang.annotation.Aspect;
    import org.aspectj.lang.annotation.Around;
    import org.aspectj.lang.ProceedingJoinPoint;
    
    @Aspect
    public class AroundExample {
    
      @Around("org.apache.commons.dbcp.PoolingDataSource.getConnection()")
      public Object doBasicPStuff(ProceedingJoinPoint pjp) throws Throwable {
        // write code to do what you want
        final PoolingDataSource ds = (PoolingDataSource) pjp.getThis();
        // log whatever you want
    
        // let it finish
        Object retVal = pjp.proceed();
        // stop stopwatch
        return retVal;
      }
    
    }
    

    That's just a tiny example. Aspects are really powerful and there's a bunch of different ways to do what you want. The code depends on whether you're using Spring or not, and what exactly you wanna log.

    P.S. I haven't tested the above code.

    0 讨论(0)
  • 2021-02-07 14:24

    DBCP's BasicDataSource contains a few protected methods that actually create the pools and the pool factories. You can subclass it and override those methods to change the behavior; for example, to get a hold of the pool factory or replace it with your own. Once you have that pool, you can then get at the pool state within your code.

    0 讨论(0)
提交回复
热议问题