美文网首页
05-Spring-AOP

05-Spring-AOP

作者: XAbo | 来源:发表于2021-01-10 20:08 被阅读0次

    一、Spring事务:初级管理

    pom.xml

    <project xmlns="http://maven.apache.org/POM/4.0.0" xmlns:xsi="http://www.w3.org/2001/XMLSchema-instance"
        xsi:schemaLocation="http://maven.apache.org/POM/4.0.0 http://maven.apache.org/xsd/maven-4.0.0.xsd">
        <modelVersion>4.0.0</modelVersion>
        <groupId>com.mySpring</groupId>
        <artifactId>AboSpring</artifactId>
        <version>0.0.1</version>
        <packaging>jar</packaging>
    
        <dependencies>
    
            <!--Spring框架核心库 -->
              <dependency>
                <groupId>org.springframework</groupId>
                <artifactId>spring-context</artifactId>
                <version>5.0.2.RELEASE</version>
            </dependency>
             <dependency>
              <groupId>com.microsoft.sqlserver</groupId>
              <artifactId>sqljdbc4</artifactId>
              <version>4.0</version>
             </dependency>
            <dependency>
                <groupId>commons-dbutils</groupId>
                <artifactId>commons-dbutils</artifactId>
                <version>1.4</version>
            </dependency>
            <!--c3p0 连接池 -->
            <dependency>
                <groupId>c3p0</groupId>
                <artifactId>c3p0</artifactId>
                <version>0.9.1.2</version>
             </dependency>
            <!-- JUnit单元测试工具 -->
            <dependency>
                <groupId>junit</groupId>
                <artifactId>junit</artifactId>
                <version>4.12</version>
            </dependency>
            <dependency>
                <groupId>org.springframework</groupId>
                <artifactId>spring-test</artifactId>
                <version>5.0.2.RELEASE</version>
                <scope>test</scope>
            </dependency>
        </dependencies>
        <build>
            <resources>
                <resource>
                    <directory>src/main/resources</directory>
                    <includes>
                        <include>**/*.properties</include>
                        <include>**/*.xml</include>
                    </includes>
                    <filtering>true</filtering>
                </resource>
                <resource>
                    <directory>src/main/java</directory>
                    <includes>
                        <include>**/*.properties</include>
                        <include>**/*.xml</include>
                    </includes>
                    <filtering>true</filtering>
                </resource>
            </resources>
            <plugins>
                <plugin>
                    <groupId>org.apache.maven.plugins</groupId>
                    <artifactId>maven-compiler-plugin</artifactId>
                    <configuration>
                        <source>6</source>
                        <target>6</target>
                    </configuration>
                </plugin>
            </plugins>
        </build>
    </project>
    

    db.properties

    #mysql jdbc
    jdbc.driver=com.microsoft.sqlserver.jdbc.SQLServerDriver
    jdbc.url=jdbc:sqlserver://localhost:1433;DatabaseName=TestDB
    jdbc.uid=sa
    jdbc.pwd=123
    

    bean.xml:

    <?xml version="1.0" encoding="UTF-8"?>
    
    <beans xmlns="http://www.springframework.org/schema/beans"
           xmlns:xsi="http://www.w3.org/2001/XMLSchema-instance"
           xmlns:context="http://www.springframework.org/schema/context"
           xsi:schemaLocation="http://www.springframework.org/schema/beans
           http://www.springframework.org/schema/beans/spring-beans.xsd
           http://www.springframework.org/schema/context
           http://www.springframework.org/schema/context/spring-context.xsd">
    
        <context:property-placeholder location="classpath:db.properties"/>
    
        <bean id="dataSource" class="com.mchange.v2.c3p0.ComboPooledDataSource">
            <property name="driverClass" value="${jdbc.driver}"></property>
            <property name="password"   value="${jdbc.pwd}"></property>
            <property name="user"       value="${jdbc.uid}"></property>
            <property name="jdbcUrl"    value="${jdbc.url}"></property>
        </bean>
        <bean id="connectionUtils" class="com.myspring.utils.ConnectionUtils">
            <property name="dataSource"  ref="dataSource"></property>
        </bean>
        <bean id="transactionManager" class="com.myspring.utils.TransactionManager">
            <property name="connectionUtils"  ref="connectionUtils"></property>
        </bean>
    
        <bean id="runner" class="org.apache.commons.dbutils.QueryRunner"></bean>
        <bean id="accountDao" class="com.myspring.dao.AccountDaoImpl">
           <property name="runner" ref="runner"></property>
           <property name="connectionUtils" ref="connectionUtils"></property>
        </bean>
       <bean id="accountService" class="com.myspring.services.AccountServicesImpl">
           <property name="accountDao" ref="accountDao"></property>
           <property name="transactionManager" ref="transactionManager"></property>
       </bean>
    
    </beans>
    

    ConnectionUtils:

    public class ConnectionUtils {
       //解决并发问题,每个线程只取各自的Connect
        private ThreadLocal <Connection> tl = new ThreadLocal<Connection>();
        private DataSource  dataSource;
        public void setDataSource(DataSource dataSource) {
            this.dataSource = dataSource;
        }
    
        public  Connection getThreadConnection(){
            try {
            //获取当前线程绑定的局部变量
            Connection con = tl.get();
            if(con == null){
               con = dataSource.getConnection();
            //设置当前线程绑定的局部变量
               tl.set(con);
              }
            return  con;
            }catch (Exception e) {
                throw  new RuntimeException(e);
            }
        }
    
        public void removeConnection(){
          //移除当前线程绑定的局部变量
            tl.remove();
        }
    }
    
    

    TransactionManager:

    public class TransactionManager {
    
        private ConnectionUtils connectionUtils;
    
        public void setConnectionUtils(ConnectionUtils connectionUtils) {
            this.connectionUtils = connectionUtils;
        }
    
        public void begin() {
            try {
                connectionUtils.getThreadConnection().setAutoCommit(false);
            } catch (SQLException throwables) {
                throwables.printStackTrace();
            }
        }
    
        public void commit() {
            try {
                connectionUtils.getThreadConnection().commit();
            } catch (SQLException throwables) {
                throwables.printStackTrace();
            }
        }
    
        public void roallback() {
            try {
                connectionUtils.getThreadConnection().rollback();
            } catch (SQLException throwables) {
                throwables.printStackTrace();
            }
        }
        public void release() {
            try {
                connectionUtils.getThreadConnection().close();
                connectionUtils.removeConnection();
            } catch (SQLException throwables) {
                throwables.printStackTrace();
            }
        }
    }
    
    

    Account、service和dao接口省略
    AccountServicesImpl :

    /* 模拟的服务层
     */
    public class AccountServicesImpl implements AccountServices {
    
        private AccountDao accountDao;
        private TransactionManager transactionManager;
    
        public void setTransactionManager(TransactionManager transactionManager) {
            this.transactionManager = transactionManager;
        }
    
        public void setAccountDao(AccountDao accountDao) {
            this.accountDao = accountDao;
        }
    
        @Override
        public List<Account> findAllAccount() {
    
            try {
                return accountDao.findAllAccount();
            } catch (Exception e) {
                transactionManager.roallback();
                throw new RuntimeException(e);
            } finally {
                transactionManager.release();
            }
        }
    
        @Override
        public Account findAccountById(Integer accountId) {
            try {
                return accountDao.findAccountById(accountId);
            } catch (Exception e) {
                transactionManager.roallback();
                throw new RuntimeException(e);
            } finally {
                transactionManager.release();
            }
        }
    
        @Override
        public void saveAccount(Account account) {
            try {
                accountDao.saveAccount(account);
            } catch (Exception e) {
                transactionManager.roallback();
            } finally {
                transactionManager.release();
            }
        }
    
        @Override
        public void updateAccount(Account account) {
            try {
                accountDao.updateAccount(account);
            } catch (Exception e) {
                transactionManager.roallback();
            } finally {
                transactionManager.release();
            }
        }
    
        @Override
        public void deleteAccount(Account account) {
            try {
                accountDao.deleteAccount(account);
            } catch (Exception e) {
                transactionManager.roallback();
            } finally {
                transactionManager.release();
            }
        }
    
        @Override
        public void transfer(String sourceName, String targetName, Float money) {
           //即使是并发,这里也不需要加锁,因为每个线程拿到的Connect是独立的。 
            try {
                transactionManager.begin();
                Account source = accountDao.findAccountByName(sourceName);
                Account target = accountDao.findAccountByName(targetName);
                source.setMoney(source.getMoney() - money);
                target.setMoney(target.getMoney() + money);
                accountDao.updateAccount(source);
                int a = 1 / 0;
                accountDao.updateAccount(target);
                transactionManager.commit();
            } catch (Exception e) {
                transactionManager.roallback();
            } finally {
                transactionManager.release();
            }
        }
    }
    
    

    AccountDaoImpl :

    public class AccountDaoImpl implements AccountDao {
    
        private QueryRunner runner;
        private ConnectionUtils connectionUtils;
    
        public void setConnectionUtils(ConnectionUtils connectionUtils) {
            this.connectionUtils = connectionUtils;
        }
    
        public void setRunner(QueryRunner runner) {
            this.runner = runner;
        }
    
        @Override
        public List<Account> findAllAccount() {
            try {
                return runner.query(connectionUtils.getThreadConnection(),"select * from account ",new BeanListHandler<Account>(Account.class));
            } catch (SQLException throwables) {
                throw new RuntimeException(throwables);
            }
        }
    
        @Override
        public Account findAccountById(Integer accountId) {
            try {
                return runner.query(connectionUtils.getThreadConnection(),"select * from account  where id= ?",new BeanHandler<Account>(Account.class),accountId);
            } catch (SQLException throwables) {
                throw new RuntimeException(throwables);
            }
        }
    
        @Override
        public void saveAccount(Account account) {
            try {
                runner.update(connectionUtils.getThreadConnection(),"insert into account(name,money) values(?,?)",account.getName(),account.getMoney());
            } catch (SQLException throwables) {
                throw new RuntimeException(throwables);
            }
        }
    
        @Override
        public void updateAccount(Account account) {
            try {
                runner.update(connectionUtils.getThreadConnection(),"update account  set name=?, money=? where id= ? ",account.getName(),account.getMoney(),account.getId());
            } catch (SQLException throwables) {
                throw new RuntimeException(throwables);
            }
        }
    
        @Override
        public void deleteAccount(Account account) {
            try {
                runner.update(connectionUtils.getThreadConnection(),"delete from  account where id= ? ",account.getId());
            } catch (SQLException throwables) {
                throw new RuntimeException(throwables);
            }
        }
    
        @Override
        public Account findAccountByName(String accountName) {
            try {
                List<Account> accounts =  runner.query(connectionUtils.getThreadConnection(),"select * from account  where name= ?",new BeanListHandler<Account>(Account.class),accountName);
    
                if(accounts == null || accounts.size() == 0){
                    return null;
                }
                if(accounts.size() > 1){
                    throw new RuntimeException("存在脏数据!");
                }
                return accounts.get(0);
            } catch (SQLException throwables) {
                throw new RuntimeException(throwables);
            }
    
        }
    
    }
    

    AccountServiceTest:

    @RunWith(SpringJUnit4ClassRunner.class)
    @ContextConfiguration(locations= {"classpath:bean.xml"})
    public class AccountServiceTest {
        @Autowired
        private AccountServices accountService  = null;
    
       @Test
        public void testTransfer(){
           accountService.transfer("xzb","bzx",  2.2f);
       }
    }
    

    上面程序存在的问题:service与TransactionManager存在比较强依赖关系,不利于解耦,如果每个方法都增加事务,代码变的臃肿且配置变得复杂。

    二、Spring事务:增强管理(动态代理)

    BeanFactory :

    /**
     * 用于创建Service的代理对象的工厂
     */
    public class BeanFactory {
    
        private IAccountService accountService;
    
        private TransactionManager txManager;
    
        public void setTxManager(TransactionManager txManager) {
            this.txManager = txManager;
        }
    
        public final void setAccountService(IAccountService accountService) {
            this.accountService = accountService;
        }
        /**
         * 获取Service代理对象
         * @return
         */
        public IAccountService getAccountService() {
            return (IAccountService)Proxy.newProxyInstance(accountService.getClass().getClassLoader(),
                    accountService.getClass().getInterfaces(),
                    new InvocationHandler() {
                        /**
                         * 添加事务的支持
                         *
                         * @param proxy
                         * @param method
                         * @param args
                         * @return
                         * @throws Throwable
                         */
                        @Override
                        public Object invoke(Object proxy, Method method, Object[] args) throws Throwable {
    
                            if("test".equals(method.getName())){
                                return method.invoke(accountService,args);
                            }
    
                            Object rtValue = null;
                            try {
                                //1.开启事务
                                txManager.beginTransaction();
                                //2.执行操作
                                rtValue = method.invoke(accountService, args);
                                //3.提交事务
                                txManager.commit();
                                //4.返回结果
                                return rtValue;
                            } catch (Exception e) {
                                //5.回滚操作
                                txManager.rollback();
                                throw new RuntimeException(e);
                            } finally {
                                //6.释放连接
                                txManager.release();
                            }
                        }
                    });
        }
    }
    
    

    精简后的AccountServiceImpl:

    /**
    * 账户的业务层实现类
    *
    * 事务控制应该都是在业务层
    */
    public class AccountServiceImpl implements IAccountService{
    
       private IAccountDao accountDao;
    
       public void setAccountDao(IAccountDao accountDao) {
           this.accountDao = accountDao;
       }
    
       @Override
       public List<Account> findAllAccount() {
          return accountDao.findAllAccount();
       }
    
       @Override
       public Account findAccountById(Integer accountId) {
           return accountDao.findAccountById(accountId);
    
       }
    
       @Override
       public void saveAccount(Account account) {
           accountDao.saveAccount(account);
       }
    
       @Override
       public void updateAccount(Account account) {
           accountDao.updateAccount(account);
       }
    
       @Override
       public void deleteAccount(Integer acccountId) {
           accountDao.deleteAccount(acccountId);
       }
    
       @Override
       public void transfer(String sourceName, String targetName, Float money) {
           System.out.println("transfer....");
               //2.1根据名称查询转出账户
               Account source = accountDao.findAccountByName(sourceName);
               //2.2根据名称查询转入账户
               Account target = accountDao.findAccountByName(targetName);
               //2.3转出账户减钱
               source.setMoney(source.getMoney()-money);
               //2.4转入账户加钱
               target.setMoney(target.getMoney()+money);
               //2.5更新转出账户
               accountDao.updateAccount(source);
    //            int i=1/0;
               //2.6更新转入账户
               accountDao.updateAccount(target);
       }
    }
    

    bean.xml

    <?xml version="1.0" encoding="UTF-8"?>
    
    <beans xmlns="http://www.springframework.org/schema/beans"
           xmlns:xsi="http://www.w3.org/2001/XMLSchema-instance"
           xmlns:context="http://www.springframework.org/schema/context"
           xsi:schemaLocation="http://www.springframework.org/schema/beans
           http://www.springframework.org/schema/beans/spring-beans.xsd
           http://www.springframework.org/schema/context
           http://www.springframework.org/schema/context/spring-context.xsd">
    
        <context:property-placeholder location="classpath:db.properties"/>
    
        <bean id="dataSource" class="com.mchange.v2.c3p0.ComboPooledDataSource">
            <property name="driverClass" value="${jdbc.driver}"></property>
            <property name="password"   value="${jdbc.pwd}"></property>
            <property name="user"       value="${jdbc.uid}"></property>
            <property name="jdbcUrl"    value="${jdbc.url}"></property>
        </bean>
        <bean id="connectionUtils" class="com.myspring.utils.ConnectionUtils">
            <property name="dataSource"  ref="dataSource"></property>
        </bean>
        <bean id="txManager" class="com.myspring.utils.TransactionManager">
            <property name="connectionUtils"  ref="connectionUtils"></property>
        </bean>
    
        <bean id="runner" class="org.apache.commons.dbutils.QueryRunner"></bean>
        <bean id="accountDao" class="com.myspring.dao.AccountDaoImpl">
           <property name="runner" ref="runner"></property>
           <property name="connectionUtils" ref="connectionUtils"></property>
        </bean>
       
     <!--配置代理的service-->
        <bean id="proxyAccountService" factory-bean="beanFactory" factory-method="getAccountService"></bean>
    
        <!--配置beanfactory-->
        <bean id="beanFactory" class="com.itheima.factory.BeanFactory">
            <!-- 注入service -->
            <property name="accountService" ref="accountService"></property>
            <!-- 注入事务管理器 -->
            <property name="txManager" ref="txManager"></property>
        </bean>
    
    </beans>
    

    测试类:

    /**
     * 使用Junit单元测试:测试我们的配置
     */
    @RunWith(SpringJUnit4ClassRunner.class)
    @ContextConfiguration(locations = "classpath:bean.xml")
    public class AccountServiceTest {
    
        @Autowired
        @Qualifier("proxyAccountService")
        private  IAccountService as;
    
        @Test
        public  void testTransfer(){
            as.transfer("aaa","bbb",100f);
        }
    
    }
    
    

    优点:去掉了业务层显示的事务代码;
    缺点:配置依然负责,对目标方法增强不易控制。

    三、Spring声明式事务:进阶管理(AOP)

    3.1 XML版本

    pom.xml

    <?xml version="1.0" encoding="UTF-8"?>
    <project xmlns="http://maven.apache.org/POM/4.0.0"
             xmlns:xsi="http://www.w3.org/2001/XMLSchema-instance"
             xsi:schemaLocation="http://maven.apache.org/POM/4.0.0 http://maven.apache.org/xsd/maven-4.0.0.xsd">
        <modelVersion>4.0.0</modelVersion>
    
        <groupId>com.itheima</groupId>
        <artifactId>day04_eesy_05tx_xml</artifactId>
        <version>1.0-SNAPSHOT</version>
        <packaging>jar</packaging>
    
        <dependencies>
            <dependency>
                <groupId>org.springframework</groupId>
                <artifactId>spring-context</artifactId>
                <version>5.0.2.RELEASE</version>
            </dependency>
    
            <dependency>
                <groupId>org.springframework</groupId>
                <artifactId>spring-jdbc</artifactId>
                <version>5.0.2.RELEASE</version>
            </dependency>
    
            <dependency>
                <groupId>org.springframework</groupId>
                <artifactId>spring-tx</artifactId>
                <version>5.0.2.RELEASE</version>
            </dependency>
    
            <dependency>
                <groupId>org.springframework</groupId>
                <artifactId>spring-test</artifactId>
                <version>5.0.2.RELEASE</version>
            </dependency>
    
            <dependency>
                <groupId>mysql</groupId>
                <artifactId>mysql-connector-java</artifactId>
                <version>5.1.6</version>
            </dependency>
    
            <dependency>
                <groupId>org.aspectj</groupId>
                <artifactId>aspectjweaver</artifactId>
                <version>1.8.7</version>
            </dependency>
    
            <dependency>
                <groupId>junit</groupId>
                <artifactId>junit</artifactId>
                <version>4.12</version>
            </dependency>
        </dependencies>
    
    </project>
    

    bean.xml

    <?xml version="1.0" encoding="UTF-8"?>
    <beans xmlns="http://www.springframework.org/schema/beans"
           xmlns:xsi="http://www.w3.org/2001/XMLSchema-instance"
           xmlns:aop="http://www.springframework.org/schema/aop"
           xmlns:tx="http://www.springframework.org/schema/tx"
           xsi:schemaLocation="
            http://www.springframework.org/schema/beans
            http://www.springframework.org/schema/beans/spring-beans.xsd
            http://www.springframework.org/schema/tx
            http://www.springframework.org/schema/tx/spring-tx.xsd
            http://www.springframework.org/schema/aop
            http://www.springframework.org/schema/aop/spring-aop.xsd">
    
        <!-- 配置业务层-->
        <bean id="accountService" class="com.itheima.service.impl.AccountServiceImpl">
            <property name="accountDao" ref="accountDao"></property>
        </bean>
        <!-- 配置账户的持久层-->
        <bean id="accountDao" class="com.itheima.dao.impl.AccountDaoImpl">
            <property name="dataSource" ref="dataSource"></property>
        </bean>
        <!-- 配置数据源-->
        <bean id="dataSource" class="org.springframework.jdbc.datasource.DriverManagerDataSource">
            <property name="driverClassName" value="com.mysql.jdbc.Driver"></property>
            <property name="url" value="jdbc:mysql://localhost:3306/eesy"></property>
            <property name="username" value="root"></property>
            <property name="password" value="1234"></property>
        </bean>
        <!-- spring中基于XML的声明式事务控制配置步骤
            1、配置事务管理器
            2、配置事务的通知
                    此时我们需要导入事务的约束 tx名称空间和约束,同时也需要aop的
                    使用tx:advice标签配置事务通知
                        属性:
                            id:给事务通知起一个唯一标识
                            transaction-manager:给事务通知提供一个事务管理器引用
            3、配置AOP中的通用切入点表达式
            4、建立事务通知和切入点表达式的对应关系
            5、配置事务的属性
                   是在事务的通知tx:advice标签的内部
    
         -->
        <!-- 配置事务管理器 -->
        <bean id="transactionManager" class="org.springframework.jdbc.datasource.DataSourceTransactionManager">
            <property name="dataSource" ref="dataSource"></property>
        </bean>
    
        <!-- 配置事务的通知-->
        <tx:advice id="txAdvice" transaction-manager="transactionManager">
            <!-- 配置事务的属性
                    isolation:用于指定事务的隔离级别。默认值是DEFAULT,表示使用数据库的默认隔离级别。
                    propagation:用于指定事务的传播行为。默认值是REQUIRED,表示一定会有事务,增删改的选择。查询方法可以选择SUPPORTS。
                    read-only:用于指定事务是否只读。只有查询方法才能设置为true。默认值是false,表示读写。
                    timeout:用于指定事务的超时时间,默认值是-1,表示永不超时。如果指定了数值,以秒为单位。
                    rollback-for:用于指定一个异常,当产生该异常时,事务回滚,产生其他异常时,事务不回滚。没有默认值。表示任何异常都回滚。
                    no-rollback-for:用于指定一个异常,当产生该异常时,事务不回滚,产生其他异常时事务回滚。没有默认值。表示任何异常都回滚。
            -->
            <tx:attributes>
                <tx:method name="*" propagation="REQUIRED" read-only="false"/>
                <tx:method name="find*" propagation="SUPPORTS" read-only="true"></tx:method>
            </tx:attributes>
        </tx:advice>
    
        <!-- 配置aop-->
        <aop:config>
            <!-- 配置切入点表达式-->
            <aop:pointcut id="pt1" expression="execution(* com.itheima.service.impl.*.*(..))"></aop:pointcut>
            <!--建立切入点表达式和事务通知的对应关系 -->
            <aop:advisor advice-ref="txAdvice" pointcut-ref="pt1"></aop:advisor>
        </aop:config>
    
    </beans>
    

    service和dao不变,省略……
    使用Spring的事务管理器,所以没有了手写ConnectionUtilsTransactionManager
    测试类:

    /**
     * 使用Junit单元测试:测试我们的配置
     */
    @RunWith(SpringJUnit4ClassRunner.class)
    @ContextConfiguration(locations = "classpath:bean.xml")
    public class AccountServiceTest {
    
        @Autowired
        private  IAccountService as;
    
        @Test
        public  void testTransfer(){
            as.transfer("aaa","bbb",100f);
    
        }
    
    }
    
    

    3.2 注解版本

    bean.xml

    <?xml version="1.0" encoding="UTF-8"?>
    <beans xmlns="http://www.springframework.org/schema/beans"
           xmlns:xsi="http://www.w3.org/2001/XMLSchema-instance"
           xmlns:aop="http://www.springframework.org/schema/aop"
           xmlns:tx="http://www.springframework.org/schema/tx"
           xmlns:context="http://www.springframework.org/schema/context"
           xsi:schemaLocation="
            http://www.springframework.org/schema/beans
            http://www.springframework.org/schema/beans/spring-beans.xsd
            http://www.springframework.org/schema/tx
            http://www.springframework.org/schema/tx/spring-tx.xsd
            http://www.springframework.org/schema/aop
            http://www.springframework.org/schema/aop/spring-aop.xsd
            http://www.springframework.org/schema/context
            http://www.springframework.org/schema/context/spring-context.xsd">
    
        <!-- 配置spring创建容器时要扫描的包-->
        <context:component-scan base-package="com.itheima"></context:component-scan>
        <!-- 配置JdbcTemplate-->
        <bean id="jdbcTemplate" class="org.springframework.jdbc.core.JdbcTemplate">
            <property name="dataSource" ref="dataSource"></property>
        </bean>
    
        <!-- 配置数据源-->
        <bean id="dataSource" class="org.springframework.jdbc.datasource.DriverManagerDataSource">
            <property name="driverClassName" value="com.mysql.jdbc.Driver"></property>
            <property name="url" value="jdbc:mysql://localhost:3306/eesy"></property>
            <property name="username" value="root"></property>
            <property name="password" value="1234"></property>
        </bean>
        <!-- spring中基于注解 的声明式事务控制配置步骤
            1、配置事务管理器
            2、开启spring对注解事务的支持
            3、在需要事务支持的地方使用@Transactional注解
         -->
        <!-- 配置事务管理器 -->
        <bean id="transactionManager" class="org.springframework.jdbc.datasource.DataSourceTransactionManager">
            <property name="dataSource" ref="dataSource"></property>
        </bean>
        <!-- 开启spring对注解事务的支持-->
        <tx:annotation-driven transaction-manager="transactionManager"></tx:annotation-driven>
    </beans>
    

    AccountServiceImpl:

    /**
     * 账户的业务层实现类
     *
     * 事务控制应该都是在业务层
     */
    @Service("accountService")
    @Transactional(propagation= Propagation.SUPPORTS,readOnly=true)//只读型事务的配置
    public class AccountServiceImpl implements IAccountService{
    
        @Autowired
        private IAccountDao accountDao;
    
        @Override
        public Account findAccountById(Integer accountId) {
            return accountDao.findAccountById(accountId);
        }
        //需要的是读写型事务配置
        @Transactional(propagation= Propagation.REQUIRED,readOnly=false)
        @Override
        public void transfer(String sourceName, String targetName, Float money) {
            System.out.println("transfer....");
                //2.1根据名称查询转出账户
                Account source = accountDao.findAccountByName(sourceName);
                //2.2根据名称查询转入账户
                Account target = accountDao.findAccountByName(targetName);
                //2.3转出账户减钱
                source.setMoney(source.getMoney()-money);
                //2.4转入账户加钱
                target.setMoney(target.getMoney()+money);
                //2.5更新转出账户
                accountDao.updateAccount(source);
    
                int i=1/0;
    
                //2.6更新转入账户
                accountDao.updateAccount(target);
        }
    }
    
    

    3.2纯注解版本

    JdbcConfig

    /**
     * 和连接数据库相关的配置类
     */
    public class JdbcConfig {
    
        @Value("${jdbc.driver}")
        private String driver;
    
        @Value("${jdbc.url}")
        private String url;
    
        @Value("${jdbc.username}")
        private String username;
    
        @Value("${jdbc.password}")
        private String password;
    
        /**
         * 创建JdbcTemplate
         * @param dataSource
         * @return
         */
        @Bean(name="jdbcTemplate")
        public JdbcTemplate createJdbcTemplate(DataSource dataSource){
            return new JdbcTemplate(dataSource);
        }
    
        /**
         * 创建数据源对象
         * @return
         */
        @Bean(name="dataSource")
        public DataSource createDataSource(){
            DriverManagerDataSource ds = new DriverManagerDataSource();
            ds.setDriverClassName(driver);
            ds.setUrl(url);
            ds.setUsername(username);
            ds.setPassword(password);
            return ds;
        }
    }
    

    SpringConfiguration:

    /**
     * spring的配置类,相当于bean.xml
     */
    @Configuration
    @ComponentScan("com.itheima")
    @Import({JdbcConfig.class,TransactionConfig.class})
    @PropertySource("jdbcConfig.properties")
    @EnableTransactionManagement
    public class SpringConfiguration {
    }
    

    TransactionConfig:

    /**
     * 和事务相关的配置类
     */
    public class TransactionConfig {
    
        /**
         * 用于创建事务管理器对象
         * @param dataSource
         * @return
         */
        @Bean(name="transactionManager")
        public PlatformTransactionManager createTransactionManager(DataSource dataSource){
            return new DataSourceTransactionManager(dataSource);
        }
    }
    
    

    优点:
    1.去掉了基础版本中的事务管理类;
    2.去掉了增强版本中代理类。
    3.增强的方法可灵活配置。

    四、Spring编程式事务:进阶管理(AOP)

    待完善……

    五、补充:AOP基础

    5.1 AOP基础

    AOP的实现原理:动态代理,AOP可通过配置选择具体动态代理的实现方式:jdk还是cglib。

    AOP专业术语:

    • 连接点:表示具体要拦截的方法。(可被拦截)。

    • 切点:真正被拦截增强的方法。

    • 增强/通知:拦截方法后业务增强的代码;增强代码执行的逻辑顺序分为以下几种:
      前置通知(before)后置通知(after)异常通知(afterThrowing)
      返回通知(afterReturning)环绕通知(around)

    • 目标对象(Target):需要被加强的业务对象。

    • 织入(Weaving) 织入就是将增强添加到对目标类具体连接点上的过程。织入是一个形象的说法,具体来说,就是生成代理对象并将切面内容融入到业务流程的过程。

    • 切面(Aspect) 切面由切点和增强组成。

    5.2 AOP基本使用

    5.2.1 XML的AOP示例

    pom.xml

    <?xml version="1.0" encoding="UTF-8"?>
    <project xmlns="http://maven.apache.org/POM/4.0.0"
             xmlns:xsi="http://www.w3.org/2001/XMLSchema-instance"
             xsi:schemaLocation="http://maven.apache.org/POM/4.0.0 http://maven.apache.org/xsd/maven-4.0.0.xsd">
        <modelVersion>4.0.0</modelVersion>
    
        <groupId>com.itheima</groupId>
        <artifactId>day03_eesy_03springAOP</artifactId>
        <version>1.0-SNAPSHOT</version>
        <packaging>jar</packaging>
    
        <dependencies>
            <dependency>
                <groupId>org.springframework</groupId>
                <artifactId>spring-context</artifactId>
                <version>5.0.2.RELEASE</version>
            </dependency>
    
            <dependency>
                <groupId>org.aspectj</groupId>
                <artifactId>aspectjweaver</artifactId>
                <version>1.8.7</version>
            </dependency>
        </dependencies>
    </project>
    

    bean.xml:

    <?xml version="1.0" encoding="UTF-8"?>
    <beans xmlns="http://www.springframework.org/schema/beans"
           xmlns:xsi="http://www.w3.org/2001/XMLSchema-instance"
           xmlns:aop="http://www.springframework.org/schema/aop"
           xsi:schemaLocation="http://www.springframework.org/schema/beans
            http://www.springframework.org/schema/beans/spring-beans.xsd
            http://www.springframework.org/schema/aop
            http://www.springframework.org/schema/aop/spring-aop.xsd">
    
        <!-- 配置srping的Ioc,把service对象配置进来-->
        <bean id="accountService" class="com.itheima.service.impl.AccountServiceImpl"></bean>
    
        <!--spring中基于XML的AOP配置步骤
            1、把通知Bean也交给spring来管理
            2、使用aop:config标签表明开始AOP的配置
            3、使用aop:aspect标签表明配置切面
                    id属性:是给切面提供一个唯一标识
                    ref属性:是指定通知类bean的Id。
            4、在aop:aspect标签的内部使用对应标签来配置通知的类型
                   我们现在示例是让printLog方法在切入点方法执行之前之前:所以是前置通知
                   aop:before:表示配置前置通知
                        method属性:用于指定Logger类中哪个方法是前置通知
                        pointcut属性:用于指定切入点表达式,该表达式的含义指的是对业务层中哪些方法增强
    
                切入点表达式的写法:
                    关键字:execution(表达式)
                    表达式:
                        访问修饰符  返回值  包名.包名.包名...类名.方法名(参数列表)
                    标准的表达式写法:
                        public void com.itheima.service.impl.AccountServiceImpl.saveAccount()
                    访问修饰符可以省略
                        void com.itheima.service.impl.AccountServiceImpl.saveAccount()
                    返回值可以使用通配符,表示任意返回值
                        * com.itheima.service.impl.AccountServiceImpl.saveAccount()
                    包名可以使用通配符,表示任意包。但是有几级包,就需要写几个*.
                        * *.*.*.*.AccountServiceImpl.saveAccount())
                    包名可以使用..表示当前包及其子包
                        * *..AccountServiceImpl.saveAccount()
                    类名和方法名都可以使用*来实现通配
                        * *..*.*()
                    参数列表:
                        可以直接写数据类型:
                            基本类型直接写名称           int
                            引用类型写包名.类名的方式   java.lang.String
                        可以使用通配符表示任意类型,但是必须有参数
                        可以使用..表示有无参数均可,有参数可以是任意类型
                    全通配写法:
                        * *..*.*(..)
    
                    实际开发中切入点表达式的通常写法:
                        切到业务层实现类下的所有方法
                            * com.itheima.service.impl.*.*(..)
        -->
    
        <!-- 配置Logger类 -->
        <bean id="logger" class="com.itheima.utils.Logger"></bean>
    
        <!--配置AOP-->
        <aop:config>
            <!-- 配置切入点表达式 id属性用于指定表达式的唯一标识。expression属性用于指定表达式内容
                  此标签写在aop:aspect标签内部只能当前切面使用。
                  它还可以写在aop:aspect外面,此时就变成了所有切面可用
              -->
            <aop:pointcut id="pt1" expression="execution(* com.itheima.service.impl.*.*(..))"></aop:pointcut>
            <!--配置切面 -->
            <aop:aspect id="logAdvice" ref="logger">
                <!-- 配置前置通知:在切入点方法执行之前执行
                <aop:before method="beforePrintLog" pointcut-ref="pt1" ></aop:before>-->
    
                <!-- 配置后置通知:在切入点方法正常执行之后值。它和异常通知永远只能执行一个
                <aop:after-returning method="afterReturningPrintLog" pointcut-ref="pt1"></aop:after-returning>-->
    
                <!-- 配置异常通知:在切入点方法执行产生异常之后执行。它和后置通知永远只能执行一个
                <aop:after-throwing method="afterThrowingPrintLog" pointcut-ref="pt1"></aop:after-throwing>-->
    
                <!-- 配置最终通知:无论切入点方法是否正常执行它都会在其后面执行
                <aop:after method="afterPrintLog" pointcut-ref="pt1"></aop:after>-->
    
                <!-- 配置环绕通知 详细的注释请看Logger类中-->
                <aop:around method="aroundPringLog" pointcut-ref="pt1"></aop:around>
            </aop:aspect>
        </aop:config>
    
    </beans>
    

    AccountServiceImpl:

    package com.itheima.service.impl;
    
    import com.itheima.service.IAccountService;
    
    /**
     * 账户的业务层实现类
     */
    public class AccountServiceImpl implements IAccountService{
    
        @Override
        public void saveAccount() {
            System.out.println("执行了保存");
        }
    
        @Override
        public void updateAccount(int i) {
            System.out.println("执行了更新"+i);
    
        }
    
        @Override
        public int deleteAccount() {
            System.out.println("执行了删除");
            return 0;
        }
    }
    
    

    AccountServiceImpl:

    package com.itheima.service.impl;
    
    import com.itheima.service.IAccountService;
    import org.springframework.stereotype.Service;
    
    /**
     * 账户的业务层实现类
     */
    @Service("accountService")
    public class AccountServiceImpl implements IAccountService{
    
        @Override
        public void saveAccount() {
            System.out.println("执行了保存");
            int i=1/0;
        }
    
        @Override
        public void updateAccount(int i) {
            System.out.println("执行了更新"+i);
    
        }
    
        @Override
        public int deleteAccount() {
            System.out.println("执行了删除");
            return 0;
        }
    }
    
    

    Logger:

    package com.itheima.utils;
    
    import org.aspectj.lang.ProceedingJoinPoint;
    
    /**
     * 用于记录日志的工具类,它里面提供了公共的代码
     */
    public class Logger {
    
        /**
         * 前置通知
         */
        public  void beforePrintLog(){
            System.out.println("前置通知Logger类中的beforePrintLog方法开始记录日志了。。。");
        }
    
        /**
         * 后置通知
         */
        public  void afterReturningPrintLog(){
            System.out.println("后置通知Logger类中的afterReturningPrintLog方法开始记录日志了。。。");
        }
        /**
         * 异常通知
         */
        public  void afterThrowingPrintLog(){
            System.out.println("异常通知Logger类中的afterThrowingPrintLog方法开始记录日志了。。。");
        }
    
        /**
         * 最终通知
         */
        public  void afterPrintLog(){
            System.out.println("最终通知Logger类中的afterPrintLog方法开始记录日志了。。。");
        }
    
        /**
         * 环绕通知
         * 问题:
         *      当我们配置了环绕通知之后,切入点方法没有执行,而通知方法执行了。
         * 分析:
         *      通过对比动态代理中的环绕通知代码,发现动态代理的环绕通知有明确的切入点方法调用,而我们的代码中没有。
         * 解决:
         *      Spring框架为我们提供了一个接口:ProceedingJoinPoint。该接口有一个方法proceed(),此方法就相当于明确调用切入点方法。
         *      该接口可以作为环绕通知的方法参数,在程序执行时,spring框架会为我们提供该接口的实现类供我们使用。
         *
         * spring中的环绕通知:
         *      它是spring框架为我们提供的一种可以在代码中手动控制增强方法何时执行的方式。
         */
        public Object aroundPringLog(ProceedingJoinPoint pjp){
            Object rtValue = null;
            try{
                Object[] args = pjp.getArgs();//得到方法执行所需的参数
    
                System.out.println("Logger类中的aroundPringLog方法开始记录日志了。。。前置");
    
                rtValue = pjp.proceed(args);//明确调用业务层方法(切入点方法)
    
                System.out.println("Logger类中的aroundPringLog方法开始记录日志了。。。后置");
    
                return rtValue;
            }catch (Throwable t){
                System.out.println("Logger类中的aroundPringLog方法开始记录日志了。。。异常");
                throw new RuntimeException(t);
            }finally {
                System.out.println("Logger类中的aroundPringLog方法开始记录日志了。。。最终");
            }
        }
    }
    

    AOPTest:

    package com.itheima.test;
    
    import com.itheima.service.IAccountService;
    import org.springframework.context.ApplicationContext;
    import org.springframework.context.support.ClassPathXmlApplicationContext;
    
    /**
     * 测试AOP的配置
     */
    public class AOPTest {
    
        public static void main(String[] args) {
            //1.获取容器
            ApplicationContext ac = new ClassPathXmlApplicationContext("bean.xml");
            //2.获取对象
            IAccountService as = (IAccountService)ac.getBean("accountService");
            //3.执行方法
            as.saveAccount();
            as.updateAccount(1);
            as.deleteAccount();
        }
    }
    

    5.2.2 注解的AOP示例

    bean.xml

    <?xml version="1.0" encoding="UTF-8"?>
    <beans xmlns="http://www.springframework.org/schema/beans"
           xmlns:xsi="http://www.w3.org/2001/XMLSchema-instance"
           xmlns:aop="http://www.springframework.org/schema/aop"
           xmlns:context="http://www.springframework.org/schema/context"
           xsi:schemaLocation="http://www.springframework.org/schema/beans
            http://www.springframework.org/schema/beans/spring-beans.xsd
            http://www.springframework.org/schema/aop
            http://www.springframework.org/schema/aop/spring-aop.xsd
            http://www.springframework.org/schema/context
            http://www.springframework.org/schema/context/spring-context.xsd">
    
        <!-- 配置spring创建容器时要扫描的包-->
        <context:component-scan base-package="com.itheima"></context:component-scan>
    
        <!-- 配置spring开启注解AOP的支持 -->
        <aop:aspectj-autoproxy></aop:aspectj-autoproxy>
    </beans>
    
    开启注解AOP也可以省略
    Logger:使用注解方式最好使用环绕通知,否则有调用顺序的问题。
    package com.itheima.utils;
    
    import org.aspectj.lang.ProceedingJoinPoint;
    import org.aspectj.lang.annotation.*;
    import org.springframework.stereotype.Component;
    
    /**
     * 用于记录日志的工具类,它里面提供了公共的代码
     */
    @Component("logger")
    @Aspect//表示当前类是一个切面类
    public class Logger {
    
        @Pointcut("execution(* com.itheima.service.impl.*.*(..))")
        private void pt1(){}
    
        /**
         * 前置通知
         */
    //    @Before("pt1()")
        public  void beforePrintLog(){
            System.out.println("前置通知Logger类中的beforePrintLog方法开始记录日志了。。。");
        }
    
        /**
         * 后置通知
         */
    //    @AfterReturning("pt1()")
        public  void afterReturningPrintLog(){
            System.out.println("后置通知Logger类中的afterReturningPrintLog方法开始记录日志了。。。");
        }
        /**
         * 异常通知
         */
    //    @AfterThrowing("pt1()")
        public  void afterThrowingPrintLog(){
            System.out.println("异常通知Logger类中的afterThrowingPrintLog方法开始记录日志了。。。");
        }
    
        /**
         * 最终通知
         */
    //    @After("pt1()")
        public  void afterPrintLog(){
            System.out.println("最终通知Logger类中的afterPrintLog方法开始记录日志了。。。");
        }
    
        /**
         * 环绕通知
         * 问题:
         *      当我们配置了环绕通知之后,切入点方法没有执行,而通知方法执行了。
         * 分析:
         *      通过对比动态代理中的环绕通知代码,发现动态代理的环绕通知有明确的切入点方法调用,而我们的代码中没有。
         * 解决:
         *      Spring框架为我们提供了一个接口:ProceedingJoinPoint。该接口有一个方法proceed(),此方法就相当于明确调用切入点方法。
         *      该接口可以作为环绕通知的方法参数,在程序执行时,spring框架会为我们提供该接口的实现类供我们使用。
         *
         * spring中的环绕通知:
         *      它是spring框架为我们提供的一种可以在代码中手动控制增强方法何时执行的方式。
         */
        @Around("pt1()")
        public Object aroundPringLog(ProceedingJoinPoint pjp){
            Object rtValue = null;
            try{
                Object[] args = pjp.getArgs();//得到方法执行所需的参数
    
                System.out.println("Logger类中的aroundPringLog方法开始记录日志了。。。前置");
    
                rtValue = pjp.proceed(args);//明确调用业务层方法(切入点方法)
    
                System.out.println("Logger类中的aroundPringLog方法开始记录日志了。。。后置");
    
                return rtValue;
            }catch (Throwable t){
                System.out.println("Logger类中的aroundPringLog方法开始记录日志了。。。异常");
                throw new RuntimeException(t);
            }finally {
                System.out.println("Logger类中的aroundPringLog方法开始记录日志了。。。最终");
            }
        }
    }
    

    相关文章

      网友评论

          本文标题:05-Spring-AOP

          本文链接:https://www.haomeiwen.com/subject/rawnoktx.html