增强对象功能:
设计模式:一些通用的解决固定问题的方式
1.装饰模式
2.代理模式
概念:
1.真实对象:被代理的对象
2.代理对象:
3.代理模式:代理对象代理真实对象,达到增强真实对象功能的目的
实现方式:
1.静态代理:有一个类文件描述代理模式
2.动态代理:在内存中形成代理类
基本实现步骤:
SaleComputer接口:
package com.example.proxy; /** * 代理模式 */ public interface SaleComputer { public String sale(double money); public void show(); }
Lenovo实现类:
package com.example.proxy; /** * 真实类 */ public class Lenovo implements SaleComputer{ @Override public String sale(double money) { System.out.println("客户花了"+ money +"元买了一台联想电脑..."); return "联想电脑"; } @Override public void show() { System.out.println("展示电脑..."); } }
ProxyTest测试类:
package com.example.proxy; import java.lang.reflect.InvocationHandler; import java.lang.reflect.Method; import java.lang.reflect.Proxy; /** * 测试类 */ public class ProxyTest { public static void main(String[] args) { //1.创建真实对象 Lenovo lenovo = new Lenovo(); //2.动态代理增强lenovo对象,代理对象 /* 1.类加载器:真实对象 getClass().getClassLoader() 2.接口数组:真实对象 getClass().getInterfaces() 3.处理器: new InvocationHandler() */ //转换为接口类型 SaleComputer proxy_lenovo = (SaleComputer) Proxy.newProxyInstance(lenovo.getClass().getClassLoader(), lenovo.getClass().getInterfaces(), new InvocationHandler() { /* 代理逻辑编写的方法:代理对象调用的所有方法都会触发方法执行 参数: 1.proxy:代理对象 2.method:代理对象调用方法,被封装为的对象 3.args:代理对象调用方法时,传递的实际参数 */ @Override public Object invoke(Object proxy, Method method, Object[] args) throws Throwable { System.out.println("该方法执行了..."); System.out.println(method.getName()); System.out.println(args[0]); return null; } }); //2.调用方法 String sale = proxy_lenovo.sale(8000); System.out.println(sale); // proxy_lenovo.show(); } }
增强方法
1、增强参数列表
2、增强返回值类型
3、增强方法体执行逻辑
package com.example.proxy; import java.lang.reflect.InvocationHandler; import java.lang.reflect.Method; import java.lang.reflect.Proxy; /** * 测试类 */ public class ProxyTest { public static void main(String[] args) { //1.创建真实对象 Lenovo lenovo = new Lenovo(); //2.动态代理增强lenovo对象,代理对象 /* 1.类加载器:真实对象 getClass().getClassLoader() 2.接口数组:真实对象 getClass().getInterfaces() 3.处理器: new InvocationHandler() */ //转换为接口类型 SaleComputer proxy_lenovo = (SaleComputer) Proxy.newProxyInstance(lenovo.getClass().getClassLoader(), lenovo.getClass().getInterfaces(), new InvocationHandler() { /* 代理逻辑编写的方法:代理对象调用的所有方法都会触发方法执行 参数: 1.proxy:代理对象 2.method:代理对象调用方法,被封装为的对象 3.args:代理对象调用方法时,传递的实际参数 */ @Override public Object invoke(Object proxy, Method method, Object[] args) throws Throwable { // System.out.println("该方法执行了..."); // System.out.println(method.getName()); // System.out.println(args[0]); //判断是否是sale方法 if (method.getName().equals("sale")){ //1.增强参数 double money = (double) args[0]; money = money * 0.85; //使用真实对象调用该方法 Object obj = method.invoke(lenovo, money); return obj+"鼠标垫"; }else { Object obj = method.invoke(lenovo, args); return obj; } } }); //3.调用方法 String sale = proxy_lenovo.sale(8000); System.out.println(sale); //proxy_lenovo.show(); } }
标签:lenovo,对象,步骤,代理,proxy,println,动态,public From: https://www.cnblogs.com/qihaokuan/p/17074755.html