• 动态代理。


    无侵入式的给代码增加额外的功能

    代理的作用:对象如果干的事情太繁琐,就可以通过代理来转移部分职责;也就是相当于把对象的的方法拆开一些步骤分给代理做,对象做关键的就行了;并且代理做的这些繁琐的事情的名字也要和对象做这件事情的名字一样;

    对象和代理要实现同一个接口,接口中就是被代理的所有方法

    对象

    1. package com.ln1;
    2. import com.FC.Star;
    3. public class Goods implements Star {
    4. private String name;
    5. private String id;
    6. private int age;
    7. private String rightPassWord = "123456";
    8. public Goods() {
    9. }
    10. public Goods(String name, String id, int age, String rightPassWord) {
    11. this.name = name;
    12. this.id = id;
    13. this.age = age;
    14. this.rightPassWord = rightPassWord;
    15. }
    16. public Goods(String name){
    17. this.name = name;
    18. }
    19. public String sing(String Name){
    20. System.out.println(this.name + " sing " + Name);
    21. return "thanks";
    22. }
    23. public void dance(){
    24. System.out.println(this.name + "dance");
    25. }
    26. }

    代理

    1. package com.FC;
    2. import com.ln1.Goods;
    3. import java.lang.reflect.InvocationHandler;
    4. import java.lang.reflect.Method;
    5. import java.lang.reflect.Proxy;
    6. public class ProxyUtil {
    7. public static Star createProxy(Goods goods){
    8. Star star = (Star) Proxy.newProxyInstance(
    9. ProxyUtil.class.getClassLoader(), //用于指定用哪个类加载器,去加载生成的代理类
    10. new Class[]{Star.class},//指定接口,这些接口用于指定生成的代理长什么样,也就是有哪些方法
    11. new InvocationHandler() {
    12. @Override
    13. public Object invoke(Object proxy, Method method, Object[] args) throws Throwable {
    14. //参数1:代理的对象
    15. //参数2:要运行的方法
    16. //参数3:调用方法时,传递的实参
    17. if("sing".equals(method.getName())){
    18. System.out.println("收钱,准备话筒");
    19. }
    20. else if("dance".equals(method.getName())){
    21. System.out.println("收钱,准备场地");
    22. }
    23. return method.invoke(goods,args);
    24. }
    25. }//用来指定生成的代理对象要干什么事情
    26. );
    27. return star;
    28. }
    29. }

    接口

    1. package com.FC;
    2. public interface Star {
    3. public abstract String sing(String Name);
    4. public abstract void dance();
    5. }

    运行代码

    1. package com.FC;
    2. import com.ln1.Goods;
    3. public class Text {
    4. public static void main(String[] args) {
    5. Goods goods = new Goods("yoki");
    6. Star proxy = ProxyUtil.createProxy(goods);
    7. String result = proxy.sing("入睡");
    8. System.out.println(result);
    9. proxy.dance();
    10. }
    11. }

  • 相关阅读:
    plantuml画图
    内核态和用户态
    【EI会议征稿】第八届能源系统、电气与电力国际学术会议(ESEP 2023)
    Kubeadm部署K8s
    jQuery总结
    Deepstream 6.1.1 以及 Python Binding 安装过程记录
    C++的8个基础语法
    Python中使用requests库遇到的问题及解决方案
    Java 18 还未用上,最新Java 19 则出来了
    开源生态与软件供应链研讨会
  • 原文地址:https://blog.csdn.net/qq_74455082/article/details/133185770