`
dylan0514sina.cn
  • 浏览: 94939 次
  • 性别: Icon_minigender_1
  • 来自: 杭州
社区版块
存档分类
最新评论

ConnectionHolder

 
阅读更多
继承了ResourceHolderSupport功能,包装了一个JDBC连接,提供了创建和释放保存点支持,它有以下属性
connectionHandle JDO规范连接处理器,用户获取和释放JDBC连接,标准实现中释放方法不作任何处理。当事务挂起时,可能将connectionHandle置空
currentConnection Connection缓存,在第一次请求和释放之间,返回的就是它
transactionActive  JDBC事务状态没有JTA中javax.transaction.Status那么丰富,用这个标志事务已经激活
savepointsSupported 底层JDBC实现是否支持保存点技术
savepointCounter  保存点可以嵌套,用它来反应嵌套层数

/*
 * Copyright 2002-2010 the original author or authors.
 *
 * Licensed under the Apache License, Version 2.0 (the "License");
 * you may not use this file except in compliance with the License.
 * You may obtain a copy of the License at
 *
 *      http://www.apache.org/licenses/LICENSE-2.0
 *
 * Unless required by applicable law or agreed to in writing, software
 * distributed under the License is distributed on an "AS IS" BASIS,
 * WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied.
 * See the License for the specific language governing permissions and
 * limitations under the License.
 */

package org.springframework.jdbc.datasource;

import java.sql.Connection;
import java.sql.SQLException;
import java.sql.Savepoint;

import org.springframework.transaction.support.ResourceHolderSupport;
import org.springframework.util.Assert;

/**
 * Connection holder, wrapping a JDBC Connection.
 * {@link DataSourceTransactionManager} binds instances of this class
 * to the thread, for a specific DataSource.
 *
 * <p>Inherits rollback-only support for nested JDBC transactions
 * and reference count functionality from the base class.
 *
 * <p>Note: This is an SPI class, not intended to be used by applications.
 *
 * @author Juergen Hoeller
 * @since 06.05.2003
 * @see DataSourceTransactionManager
 * @see DataSourceUtils
 */
public class ConnectionHolder extends ResourceHolderSupport {

	public static final String SAVEPOINT_NAME_PREFIX = "SAVEPOINT_";


	private ConnectionHandle connectionHandle;

	private Connection currentConnection;

	private boolean transactionActive = false;

	private Boolean savepointsSupported;

	private int savepointCounter = 0;


	/**
	 * Create a new ConnectionHolder for the given ConnectionHandle.
	 * @param connectionHandle the ConnectionHandle to hold
	 */
	public ConnectionHolder(ConnectionHandle connectionHandle) {
		Assert.notNull(connectionHandle, "ConnectionHandle must not be null");
		this.connectionHandle = connectionHandle;
	}

	/**
	 * Create a new ConnectionHolder for the given JDBC Connection,
	 * wrapping it with a {@link SimpleConnectionHandle},
	 * assuming that there is no ongoing transaction.
	 * @param connection the JDBC Connection to hold
	 * @see SimpleConnectionHandle
	 * @see #ConnectionHolder(java.sql.Connection, boolean)
	 */
	public ConnectionHolder(Connection connection) {
		this.connectionHandle = new SimpleConnectionHandle(connection);
	}

	/**
	 * Create a new ConnectionHolder for the given JDBC Connection,
	 * wrapping it with a {@link SimpleConnectionHandle}.
	 * @param connection the JDBC Connection to hold
	 * @param transactionActive whether the given Connection is involved
	 * in an ongoing transaction
	 * @see SimpleConnectionHandle
	 */
	public ConnectionHolder(Connection connection, boolean transactionActive) {
		this(connection);
		this.transactionActive = transactionActive;
	}


	/**
	 * Return the ConnectionHandle held by this ConnectionHolder.
	 */
	public ConnectionHandle getConnectionHandle() {
		return this.connectionHandle;
	}

	/**
	 * Return whether this holder currently has a Connection.
	 */
	protected boolean hasConnection() {
		return (this.connectionHandle != null);
	}

	/**
	 * Set whether this holder represents an active, JDBC-managed transaction.
	 * @see DataSourceTransactionManager
	 */
	protected void setTransactionActive(boolean transactionActive) {
		this.transactionActive = transactionActive;
	}

	/**
	 * Return whether this holder represents an active, JDBC-managed transaction.
	 */
	protected boolean isTransactionActive() {
		return this.transactionActive;
	}


	/**
	 * Override the existing Connection handle with the given Connection.
	 * Reset the handle if given <code>null</code>.
	 * <p>Used for releasing the Connection on suspend (with a <code>null</code>
	 * argument) and setting a fresh Connection on resume.
	 */
	protected void setConnection(Connection connection) {
		if (this.currentConnection != null) {
			this.connectionHandle.releaseConnection(this.currentConnection);
			this.currentConnection = null;
		}
		if (connection != null) {
			this.connectionHandle = new SimpleConnectionHandle(connection);
		}
		else {
			this.connectionHandle = null;
		}
	}

	/**
	 * Return the current Connection held by this ConnectionHolder.
	 * <p>This will be the same Connection until <code>released</code>
	 * gets called on the ConnectionHolder, which will reset the
	 * held Connection, fetching a new Connection on demand.
	 * @see ConnectionHandle#getConnection()
	 * @see #released()
	 */
	public Connection getConnection() {
		Assert.notNull(this.connectionHandle, "Active Connection is required");
		if (this.currentConnection == null) {
			this.currentConnection = this.connectionHandle.getConnection();
		}
		return this.currentConnection;
	}

	/**
	 * Return whether JDBC 3.0 Savepoints are supported.
	 * Caches the flag for the lifetime of this ConnectionHolder.
	 * @throws SQLException if thrown by the JDBC driver
	 */
	public boolean supportsSavepoints() throws SQLException {
		if (this.savepointsSupported == null) {
			this.savepointsSupported = new Boolean(getConnection().getMetaData().supportsSavepoints());
		}
		return this.savepointsSupported.booleanValue();
	}

	/**
	 * Create a new JDBC 3.0 Savepoint for the current Connection,
	 * using generated savepoint names that are unique for the Connection.
	 * @return the new Savepoint
	 * @throws SQLException if thrown by the JDBC driver
	 */
	public Savepoint createSavepoint() throws SQLException {
		this.savepointCounter++;
		return getConnection().setSavepoint(SAVEPOINT_NAME_PREFIX + this.savepointCounter);
	}

	/**
	 * Releases the current Connection held by this ConnectionHolder.
	 * <p>This is necessary for ConnectionHandles that expect "Connection borrowing",
	 * where each returned Connection is only temporarily leased and needs to be
	 * returned once the data operation is done, to make the Connection available
	 * for other operations within the same transaction. This is the case with
	 * JDO 2.0 DataStoreConnections, for example.
	 * @see org.springframework.orm.jdo.DefaultJdoDialect#getJdbcConnection
	 */
	@Override
	public void released() {
		super.released();
		if (!isOpen() && this.currentConnection != null) {
			this.connectionHandle.releaseConnection(this.currentConnection);
			this.currentConnection = null;
		}
	}


	@Override
	public void clear() {
		super.clear();
		this.transactionActive = false;
		this.savepointsSupported = null;
		this.savepointCounter = 0;
	}

}
0
5
分享到:
评论

相关推荐

    事务的封装和Threadlocal实例

    在这个例子中,`ConnectionHolder`类提供了一组静态方法来设置、获取和移除线程局部的`Connection`对象。当多个线程并发执行时,每个线程都可以安全地使用自己的`Connection`实例,而不会相互干扰。 总的来说,结合...

    通向架构师的道路(第七天)之漫谈使用ThreadLocal改进你的层次的划分

    private static final ThreadLocal&lt;Connection&gt; connectionHolder = new ThreadLocal(); public void serviceMethod() { try (Connection conn = getConnection()) { conn.setAutoCommit(false); ...

    java调用oracle存储过程入门实例 增删改查

    Connection conn = ConnectionHolder.getConnection(); CallableStatement cs = conn.prepareCall("{call PROC_NAME(?, ?, ?)}"); cs.setString(1, "param1"); cs.setInt(2, 123); cs.registerOutParameter(3, ...

    Atomikos jta事务框架改写历程

    ConnectionHolder conHolder = (ConnectionHolder) TransactionSynchronizationManager.getResource(dataSource); if ((!switchDb || !(dataSource instanceof AbstractRoutingDataSource)) && (conHolder != null...

    c3p0 小例

    在这个例子中,`C3p0Pool`类的`connectionHolder`是一个ThreadLocal变量,用于存储每个线程的数据库连接。当线程需要连接时,它会从ThreadLocal中获取或创建一个新的连接;当操作完成后,连接会被关闭并从...

    Druid源码(druid-1.2.8.tar.gz)

    2. 连接池管理:Druid通过ConnectionHolder和PoolEntry实现连接的创建、分配和回收。PoolEntry封装了数据库连接,并提供了连接的状态检查、借用与归还接口。 3. SQL解析:Druid提供了一个强大的SQL解析器,能解析...

    彻底理解ThreadLocal 1

    例如,上述代码中定义了一个`ConnectionManager`类,它使用ThreadLocal变量`connectionHolder`来存储每个线程的数据库连接。当一个线程调用`getConnection()`方法时,它会获取到与当前线程绑定的Connection对象。...

    java手写连接池

    - `ConnectionHolder`: 用来保存和管理单个数据库连接的类,通常包含一个`Connection`对象以及一些状态信息。 在设计和实现连接池时,还需要考虑线程安全问题,确保多线程环境下的正确性和稳定性。此外,连接池的...

    SPRING API 2.0.CHM

    All Classes ...ConnectionHolder ConnectionProxy ConnectionSpecConnectionFactoryAdapter ConnectorServerFactoryBean ConsoleListener ConstantException Constants ConstructorArgumentEntry ...

    edb:春天的 jfinal

    兼容 spring 和 jfinal 的事务1.1 围绕 DataSource 数据源对象和 jfinal 的配置类 com.jfinal.plugin.activerecord.Config和 spring事务相关的 DataSourceUtils.getConnection、ConnectionHolder、...

    ChatAppXamarinFormWithWebSocket:该项目使用SignalR在Xamarin.Form应用程序上实现websocket

    ConnectionHolder:是IConnectionHolder接口的具体实现,它具有每个平台所需的所有逻辑。 此类在Xamarin.Form的依赖服务上注入。 WebSocketRequest:此类是接口IRequest的具体实现,SignalR在使用任何传输方法之前...

Global site tag (gtag.js) - Google Analytics