标签:动态代理
已经有了A类的一个对象了,对其中的aa方法不满意。创建一个代理对象,代理对象直接调用A类中不需要改造的方法,代理者自己写一个方法改造aa方法。
//用来修改已经具有的对象的方法,控制方法是否执行,或在方法执行之前和执行之后做一些额外的操作 Proxy.newProxyInstance(ClassLoader loader, Class<?>[] interfaces, InvocationHandler h); //loader -- 类加载器 //interfaces -- 指定代理对象实现哪些接口,通常代理对象要和被代理对象实现相同的接口,从而保证和被代理者具有相同的方法 // InvocationHandler - 处理器对象,当调用代理对象的任何方法时,都会导致此对象中的invoke方法执行,在这个方法中可以编写是否允许方法执行,以及在方法执行之前和之后做那些额外的操作 { Object invoke(Object proxy, Method method, Object[] args) //proxy -- 代理者对象 // method -- 当前调用到的方法 // args -- 方法的参数 //返回值 -- 就是这个方法要返回什么 }
/** * 开启事务的方法,改造connection对象的close方法 * @throws SQLException */ public static void startTran() throws SQLException{ isTran_local.set(true);//--设置事务标记为true final Connection conn = source.getConnection();//--创建连接,所有当前线程中的数据库操作都基于这个conn conn.setAutoCommit(false);//--开启事务 realconn_local.set(conn);//--为了方便后续关闭连接,将这个连接保存起在当前线程中 //--由于一个事务需要执行多条sql,每个sql执行过后都关闭连接,这样一来后续的sql没法执行,所以这个地方法改造close方法,使他不能关闭连接 Connection proxyConn = (Connection) Proxy.newProxyInstance(conn.getClass().getClassLoader(), conn.getClass().getInterfaces() , new InvocationHandler(){ public Object invoke(Object proxy, Method method, Object[] args) throws Throwable { if("close".equals(method.getName())){ return null; }else{ return method.invoke(conn, args); } } }); proxyConn_local.set(proxyConn); }
标签:动态代理
原文地址:http://8477424.blog.51cto.com/8467424/1768038