Java开发之反射与动态代理

#来自ゾフィー(佐菲)

1 反射(Reflect)

运行期间,获取类的信息,进行一些操作。

  • 运行时构造类的对象。
  • 运行时获取类的成员变量和方法。
  • 运行时调用对象的方法(属性)。

2 Class 类

Class 类封装了类的所有信息。

//1.类名.class -> Person.class
//2.对象.getClass() -> person.getClass()
//3.Class.forName(类全名) -> Class.forName("com.yoyiyi.test.Person")

3 Class 常用方法

Person.java

public class Person {String name;private int age;public Person(String name, int age) {super();this.name = name;this.age = age;System.out.println("有参数构造器");}public Person() {super();System.out.println("无参数构造器");}public String getName() {return name;}public void setName(String name) {this.name = name;}public int getAge() {return age;}public void setAge(int age) {this.age = age;}private void privateMethod() {System.out.println("私有方法");}
}
public class TestReflec {public static void main(String[] args) throws Exception {Class<Person> clazz = (Class<Person>) Class.forName("demo02.Person");/***1.构造器**///获取所有的构造器Constructor<Person>[] constructors = (Constructor<Person>[]) clazz.getConstructors();for (Constructor<Person> c : constructors) {System.out.println(c);}//获取某一个构造器Constructor<Person> constructor = clazz.getConstructor(String.class, int.class);//创建对象constructor.newInstance("Jack", 89);/**2.方法**///获取类所有方法,包括父类,私有方法不能获取到Method[] methods = clazz.getMethods();for (Method method : methods) {System.out.println(method.getName());}//获取当前类所有方法,包括私有方法Method[] methods1 = clazz.getDeclaredMethods();for (Method method : methods1) {System.out.println(method.getName());}//获取指定方法Method setName = clazz.getDeclaredMethod("setName", String.class);Method setAge = clazz.getDeclaredMethod("setAge", int.class);System.out.println(setName.getName());System.out.println(setAge.getName());//调用某一个方法Person person = clazz.newInstance();setAge.invoke(person, 89);System.out.println(person.getAge());/**3.属性**///获取当前类的属性,不包括父类Field[] fields = clazz.getDeclaredFields();for (Field field : fields) {System.out.println(field.getName());}//获取当前类的指定属性Field name = clazz.getDeclaredField("name");System.out.println(name.getName());//获取属性的值Person person1 = new Person("Maria", 7);String s = (String) name.get(person1);System.out.println(s);//设置对象的值Person person2 = new Person();Field age = clazz.getDeclaredField("age");age.setAccessible(true); //私有属性,设置 setAccessible(true)age.set(person2, 5);System.out.println(person2.getAge());//获取当前类的指定私有属性Field age2 = clazz.getDeclaredField("age");age2.setAccessible(true);System.out.println(age2.getName());}
}

4 代理模式

为其他对象提供一种代理以控制对这个对象的访问(代理类相当于一个中介)。

img

4.1 静态代理

//ISeller.java
public interface ISeller {void sell();
}//Factory.java
public class Factory implements ISeller {@Overridepublic void sell() {System.out.println("厂家直销");}
}//Daigou.java
public class Daigou implements ISeller {private ISeller seller;public Daigou(ISeller seller) {this.seller = seller;}@Overridepublic void buy() {doBefore();//真正调用的持有的类的方法mSeller.sell();doAfter();}private void doBefore() {System.out.println("加价899");}private void doAfter() {System.out.println("提供售后");}
}//TestProxy.java
public class TestProxy {public static void main(String[] args) {Factory factory = new Factory();Daigou daigou = new Daigou(factory);daigou.buy();}
}//假如我们买一个面膜,找到代购,代购其实也是别处买的,代购加价 899 元卖给你,我们不直接和厂家发生关系,这种就是一个代理模型

代理模式可以在不修改被代理对象的基础上,通过扩展代理类,进行一些功能的附加与增强。值得注意的是,代理类和被代理类应该共同实现一个接口,或者是共同继承某个类。

但是有弊端,假如这人不仅不仅要面膜,还要核导弹、航空母舰等等,就创建了许多代理类。

4.2 动态代理

//ISeller.java
public interface ISeller {void sell();
}//SuperDaigou.java
public class SuperDaigou implements ISeller {@Overridepublic void sell() {System.out.println("超级代购");}
}//ProxyHandler.java
public class ProxyHandler implements InvocationHandler {//声明目标对象private ISeller target;public ProxyHandler(ISeller target) {this.target = target;}@Overridepublic Object invoke(Object proxy, Method method, Object[] args) throws Throwable {doBefore();Object invoke = method.invoke(target, args);doAfter();return invoke;}//得到代理对象public Object getProxyInstance() {return Proxy.newProxyInstance(target.getClass().getClassLoader(), target.getClass().getInterfaces(), this);}private void doBefore() {System.out.println("加价899");}private void doAfter() {System.out.println("提供售后");}
}public class TestProxy {public static void main(String[] args) {SuperDaigou superDaigou = new SuperDaigou();ProxyHandler handler = new ProxyHandler(superDaigou);//增强原来的方法ISeller seller = (ISeller) handler.getProxyInstance();seller.sell();}
}

由于使用了反射,效率比较低。

5 动态代理原理解析

//Proxy.java
public static Object newProxyInstance(ClassLoader loader,Class<?>[] interfaces,InvocationHandler h)throws IllegalArgumentException{Objects.requireNonNull(h);final Class<?>[] intfs = interfaces.clone();final SecurityManager sm = System.getSecurityManager();if (sm != null) {checkProxyAccess(Reflection.getCallerClass(), loader, intfs);}//1.动态生成 class 文件字节流,然后通过 loader 加载此字节流创建代理类 classClass<?> cl = getProxyClass0(loader, intfs);/** Invoke its constructor with the designated invocation handler.*/try {if (sm != null) {checkNewProxyPermission(Reflection.getCallerClass(), cl);}final Constructor<?> cons = cl.getConstructor(constructorParams);final InvocationHandler ih = h;if (!Modifier.isPublic(cl.getModifiers())) {AccessController.doPrivileged(new PrivilegedAction<Void>() {public Void run() {cons.setAccessible(true);return null;}});}//2.获取代理类的类构造对象return cons.newInstance(new Object[]{h});} catch (IllegalAccessException|InstantiationException e) {throw new InternalError(e.toString(), e);} catch (InvocationTargetException e) {Throwable t = e.getCause();if (t instanceof RuntimeException) {throw (RuntimeException) t;} else {throw new InternalError(t.toString(), t);}} catch (NoSuchMethodException e) {throw new InternalError(e.toString(), e);}}//Proxy.java
private static Class<?> getProxyClass0(ClassLoader loader,Class<?>... interfaces) {if (interfaces.length > 65535) {throw new IllegalArgumentException("interface limit exceeded");}// If the proxy class defined by the given loader implementing// the given interfaces exists, this will simply return the cached copy;// otherwise, it will create the proxy class via the ProxyClassFactoryreturn proxyClassCache.get(loader, interfaces);}// WeakCache.javapublic V get(K key, P parameter) {Objects.requireNonNull(parameter);expungeStaleEntries();Object cacheKey = CacheKey.valueOf(key, refQueue);// 根据cachekey获取键值对valuesMap, valuesMap的key是接口列表的包装类,value是动态生成代理类的包装类ConcurrentMap<Object, Supplier<V>> valuesMap = map.get(cacheKey);if (valuesMap == null) {ConcurrentMap<Object, Supplier<V>> oldValuesMap= map.putIfAbsent(cacheKey,valuesMap = new ConcurrentHashMap<>());if (oldValuesMap != null) {valuesMap = oldValuesMap;}}// create subKey and retrieve the possible Supplier<V> stored by that//核心:获取代理类  ProxyClassFactory#applyObject subKey = Objects.requireNonNull(subKeyFactory.apply(key, parameter));Supplier<V> supplier = valuesMap.get(subKey);Factory factory = null;while (true) {if (supplier != null) {// supplier might be a Factory or a CacheValue<V> instanceV value = supplier.get();if (value != null) {return value;}}// else no supplier in cache// or a supplier that returned null (could be a cleared CacheValue// or a Factory that wasn't successful in installing the CacheValue)// 如果动态生成代理类的工厂类为空,则创建新的工厂类if (factory == null) {factory = new Factory(key, parameter, subKey, valuesMap);}if (supplier == null) {//工厂类的包装类为空,则创建新的包装类supplier supplier = valuesMap.putIfAbsent(subKey, factory);if (supplier == null) {// successfully installed Factorysupplier = factory;}// else retry with winning supplier} else {if (valuesMap.replace(subKey, supplier, factory)) {// successfully replaced// cleared CacheEntry / unsuccessful Factory// with our Factorysupplier = factory;} else {// retry with current suppliersupplier = valuesMap.get(subKey);}}}}
//以上代码:通过 map 来存储动态生成的代理类,其中 key 是接口的包装类,value 是动态代理类的包装类//Proxy.java#ProxyClassFactoryprivate static final class ProxyClassFactoryimplements BiFunction<ClassLoader, Class<?>[], Class<?>>{// prefix for all proxy class namesprivate static final String proxyClassNamePrefix = "$Proxy";// next number to use for generation of unique proxy class namesprivate static final AtomicLong nextUniqueNumber = new AtomicLong();@Overridepublic Class<?> apply(ClassLoader loader, Class<?>[] interfaces) {Map<Class<?>, Boolean> interfaceSet = new IdentityHashMap<>(interfaces.length);for (Class<?> intf : interfaces) {/** Verify that the class loader resolves the name of this* interface to the same Class object.*/Class<?> interfaceClass = null;try {interfaceClass = Class.forName(intf.getName(), false, loader);} catch (ClassNotFoundException e) {}if (interfaceClass != intf) {throw new IllegalArgumentException(intf + " is not visible from class loader");}/** Verify that the Class object actually represents an* interface.*/if (!interfaceClass.isInterface()) {throw new IllegalArgumentException(interfaceClass.getName() + " is not an interface");}/** Verify that this interface is not a duplicate.*/if (interfaceSet.put(interfaceClass, Boolean.TRUE) != null) {throw new IllegalArgumentException("repeated interface: " + interfaceClass.getName());}}String proxyPkg = null;     // package to define proxy class inint accessFlags = Modifier.PUBLIC | Modifier.FINAL;/** Record the package of a non-public proxy interface so that the* proxy class will be defined in the same package.  Verify that* all non-public proxy interfaces are in the same package.*/for (Class<?> intf : interfaces) {int flags = intf.getModifiers();if (!Modifier.isPublic(flags)) {accessFlags = Modifier.FINAL;String name = intf.getName();int n = name.lastIndexOf('.');String pkg = ((n == -1) ? "" : name.substring(0, n + 1));if (proxyPkg == null) {proxyPkg = pkg;} else if (!pkg.equals(proxyPkg)) {throw new IllegalArgumentException("non-public interfaces from different packages");}}}if (proxyPkg == null) {// if no non-public proxy interfaces, use com.sun.proxy packageproxyPkg = ReflectUtil.PROXY_PACKAGE + ".";}/** Choose a name for the proxy class to generate.*/long num = nextUniqueNumber.getAndIncrement();//代理类名称String proxyName = proxyPkg + proxyClassNamePrefix + num;//代理类字节码byte[] proxyClassFile = ProxyGenerator.generateProxyClass(proxyName, interfaces, accessFlags);try {//最终生成代理类的 class 对象是本地方法 defineClass0 方法//原理是根据类名、接口、类加载器、方法列表、异常列表,按照 class 文件格式先生成字节流,再生成动态代理类return defineClass0(loader, proxyName,proxyClassFile, 0, proxyClassFile.length);} catch (ClassFormatError e) {/** A ClassFormatError here means that (barring bugs in the* proxy class generation code) there was some other* invalid aspect of the arguments supplied to the proxy* class creation (such as virtual machine limitations* exceeded).*/throw new IllegalArgumentException(e.toString());}}}

本文来自互联网用户投稿,该文观点仅代表作者本人,不代表本站立场。本站仅提供信息存储空间服务,不拥有所有权,不承担相关法律责任。如若转载,请注明出处:http://www.mzph.cn/diannao/50014.shtml

如若内容造成侵权/违法违规/事实不符,请联系多彩编程网进行投诉反馈email:809451989@qq.com,一经查实,立即删除!

相关文章

IntelliJ IDEA 2024.1.4最新实用教程!!爽到飞起!!

IntelliJ IDEA 2024.1.4最新破解教程&#xff01;&#xff01;直接2099&#xff01;&#xff01;爽到飞起&#xff01;&#xff01;【资源在末尾】安装馆长为各位看官准备了多个版本&#xff0c;看官可根据自己的需求进行下载和选择安装。https://mp.weixin.qq.com/s/oBgoHdFU4…

视图,存储过程和触发器

目录 视图 创建视图&#xff1a; 视图的使用 查看库中所有的视图 删除视图 视图的作用&#xff1a; 存储过程&#xff1a; 为什么使用存储过程&#xff1f; 什么是存储过程&#xff1f; 存储过程的创建 创建一个最简单的存储过程 使用存储过程 删除存储过程 带参的存储…

探索Transformer在目标检测的革命:超越传统CNN的边界

探索Transformer在目标检测的革命&#xff1a;超越传统CNN的边界 在深度学习领域&#xff0c;卷积神经网络&#xff08;CNN&#xff09;长期以来一直是图像处理任务的主力军&#xff0c;尤其是在目标检测领域。然而&#xff0c;随着Transformer模型的兴起&#xff0c;这一局面…

前端面试宝典【Javascript篇】【1】

欢迎来到《前端面试宝典》&#xff0c;这里是你通往互联网大厂的专属通道&#xff0c;专为渴望在前端领域大放异彩的你量身定制。通过本专栏的学习&#xff0c;无论是一线大厂还是初创企业的面试&#xff0c;都能自信满满地展现你的实力。 核心特色&#xff1a; 独家实战案例…

VMare centos 7 设置固定ip

第一步获取网关 查看虚拟机的网关-》编辑-》虚拟网络编辑器 NAT模式-》NAT设置 获取网关IP 192.168.70.2 第二步获取主机dns1 在本地主机获取dns1&#xff0c;本地主机调出cmd输入ipconfig dns1为192.168.31.1 用管理员权限的账号进入需要设置固定ip的虚拟机&#xff0c;在t…

使用AOP优化Spring Boot Controller参数:自动填充常用字段的技巧

欢迎来到我的博客&#xff0c;代码的世界里&#xff0c;每一行都是一个故事 &#x1f38f;&#xff1a;你只管努力&#xff0c;剩下的交给时间 &#x1f3e0; &#xff1a;小破站 使用AOP优化Spring Boot Controller参数&#xff1a;自动填充常用字段的技巧 前言为什么使用AOP为…

java8函数式编程学习(二):optional,函数式接口和并行流的学习

简介 java8函数式编程中optional的简单使用&#xff0c;函数式接口的了解&#xff0c;并行流的使用。 optional 可以更优雅的来避免空指针异常。类似于包装类&#xff0c;把具体的数据封装到optional对象内部&#xff0c;然后使用optional的方法去操作封装好的数据。 创建o…

Python编程入门指南:从基础到高级

Python编程入门指南&#xff1a;从基础到高级 一、Python编程语言简介 1. Python是什么&#xff1f; Python是一门广泛使用的计算机程序编程语言&#xff0c;由荷兰人吉多范罗苏姆&#xff08;Guido van Rossum&#xff09;于1991年首次发行。Python是一种解释型、交互式、面…

汽车免拆诊断案例 | 2018 款别克阅朗车蓄电池偶尔亏电

故障现象 一辆2018款别克阅朗车&#xff0c;搭载LI6发动机和GF6变速器&#xff0c;累计行驶里程约为9.6万km。车主反映&#xff0c;该车停放一晚后&#xff0c;蓄电池偶尔亏电。 故障诊断 接车后用虹科Pico汽车示波器和高精度电流钳&#xff08;30 A&#xff09;测量该车的寄…

Spring AOP(2)原理(代理模式和源码解析)

目录 一、代理模式 二、静态代理 三、动态代理 1、JDK动态代理 &#xff08;1&#xff09;JDK动态代理实现步骤 &#xff08;2&#xff09;定义JDK动态代理类 &#xff08;3&#xff09;代码简单讲解 2、CGLIB动态代理 &#xff08;1&#xff09;CGLIB 动态代理类实现…

k8s中的重启策略

一、k8s的pod&#xff0c;kill进程和上节点停止容器&#xff0c;容器是否被重启&#xff08;重启策略为OnFailure&#xff09;&#xff1a; 解释&#xff1a;docker ps -a看到容器退出码为&#xff1a; kill进程&#xff0c;其容器退出码为&#xff1a;exit(137)stop 容器&am…

【数据结构】稀疏数组

问题引导 在编写五子棋程序的时候&#xff0c;有“存盘退出”和“续上盘”的功能。现在我们要把一个棋盘保存起来&#xff0c;容易想到用二维数组的方式把棋盘表示出来&#xff0c;但是由于在数组中很多数值取默认值0&#xff0c;因此记录了很多没有意义的数据。此时我们使用稀…

Apache压测工具ab(Apache Bench)工具的下载安装和使用示例

场景 Jmeter进行http接口压力测试&#xff1a; Jmeter进行http接口压力测试_接口压测两万量-CSDN博客 上面讲压测工具Jmeter的使用&#xff0c;下面介绍另外一个ab(Apache Bench)压测工具的使用。 apache bench apache bench是apache自带的压力测试工具。 ab不仅可以对ap…

构件组装不兼容-系统架构师(三十三)

1、&#xff08;系统工程与信息系统基础->信息系统战略规划&#xff09;企业信息化程度是国家信息化建设的基础和关键&#xff0c;企业信息化方法不包括&#xff08;&#xff09;。 A业务流程重组 B组织机构变革 C供应链管理 D人力资本投入 解析&#xff1a; 企业信息化…

CSS 创建:从入门到精通

CSS 创建:从入门到精通 CSS(层叠样式表)是网页设计中不可或缺的一部分,它用于控制网页的布局和样式。本文将详细介绍CSS的创建过程,包括基本概念、语法结构、选择器、样式属性以及如何将CSS应用到HTML中。无论您是初学者还是有经验的开发者,本文都将为您提供宝贵的信息。…

awk的模式

在awk 中&#xff0c;匹配模式处于非常重要的地位&#xff0c;它决定着匹配模式后面的操作会影响到哪些文本行。 awk 中 的匹配模式主要包括关系表达式、正则表达式、混合模式&#xff0c; BEGIN 模式以及 END 模式等。 &#xff08; 1 &#xff09;关系表达式 awk 提供了许…

localSorage,sessionStorage,cookie三者的区别和特点

LocalStorage、SessionStorage、Cookie三者的区别和特点? 什么是Cookie HTTP协议本身是无状态的。什么是无状态呢&#xff0c;即服务器无法判断用户身份。 Cookie实际上是一小段的文本信息&#xff08;key-value格式&#xff09;。客户端向服务器发起请求&#xff0c;如果服务…

培训第十三天(DNS逆向解析与主从服务、ntp时间服务器)

上午 编号主机名ip地址说明修改1web服务器10.0.0.10发布部署web服务发布了一个nginx web服务2dns服务器10.0.0.11用于解析域名和ip地址1、安装bind 2、配置一个conf&#xff0c;zones&#xff0c;zone 3、检查了3个文件&#xff0c;启动3cli主机10.0.0.12用于模拟客户机修改了…

基于联盟链Fabric 2.X 的中药饮片代煎配送服务与监管平台

业务背景 近年来&#xff0c;随着公众对中医药青睐有加&#xff0c;中药代煎服务作为中医药现代化的重要一环&#xff0c;在全国各地蓬勃兴起。鉴于传统煎煮方式的繁琐耗时&#xff0c;医疗机构纷纷转向与第三方中药饮片企业合作&#xff0c;采用集中代煎模式。这些第三方煎药中…

没有51基础,能不能学好STM32?

在开始前刚好我有一些资料&#xff0c;是我根据网友给的问题精心整理了一份「STM32的资料从专业入门到高级教程」&#xff0c; 点个关注在评论区回复“888”之后私信回复“888”&#xff0c;全部无偿共享给大家&#xff01;&#xff01;&#xff01; 我们通常准备攻读一本大部…