1

看看下面的代码。1. 我正在为stardog 创建一个连接池
2. 从池中获取一个连接。3. 使用后将连接返回池。

我的问题是如果我这样做aConn.close()而不是回到游泳池会发生什么。

 ConnectionConfiguration aConnConfig = ConnectionConfiguration
.to("testConnectionPool")
.credentials("admin", "admin");

ConnectionPoolConfig aConfig = ConnectionPoolConfig
   .using(aConnConfig)
   .minPool(10)
   .maxPool(1000)
   .expiration(1, TimeUnit.HOURS)   
   .blockAtCapacity(1, TimeUnit.MINUTES);

// now i can create my actual connection pool
ConnectionPool aPool = aConfig.create();

// if I want a connection object...
Connection aConn = aPool.obtain();

// now I can feel free to use the connection object as usual...

// and when I'm done with it, instead of closing the connection, 
//I want to return it to the pool instead.
aPool.release(aConn);

// and when I'm done with the pool, shut it down!
aPool.shutdown();

如果我关闭连接会发生什么aConn.close();

每当我在没有池对象的任何类中使用连接时,我都会问的主要原因aPool.release(aConn);

是否建议这样做。它会破坏池的使用吗?

4

1 回答 1

2

如果您直接关闭连接,池仍然会有对 Connection 的引用,因为它还没有被释放,所以当 Connection 将关闭其资源时,Pool 将保留引用,并且随着时间的推移您可能会泄漏内存。

处理此问题的建议方法是当您从池中获取连接时,使用 DelegatingConnection 包装它:

public final class PooledConnection extends DelegatingConnection {
    private final ConnectionPool mPool;
    public PooledConnection(final Connection theConnection, final ConnectionPool thePool) {
        super(theConnection);
        mPool = thePool;
    }

    @Override
    public void close() {
        super.close();
        mPool.release(getConnection());
    }
}

这样,您可以简单地在使用它的代码中关闭连接,它将正确释放回池中,您不必担心传递对池的引用。

于 2013-04-10T13:34:58.170 回答