Interviewer asked: What is a dynamic proxy?

Interviewer asked: What is a dynamic proxy?

[[439196]]

This article is reprinted from the WeChat public account "Java Geek Technology", the author is Tang, a fan of Yaxue. Please contact the Java Geek Technology public account for reprinting this article.

1. Introduction

What is an agent?

According to historical records, the word "agent" first appeared in the agency industry. In short, the so-called agent helps companies or bosses to manage their business, and does not produce any goods themselves.

For example, when we go to the train station to buy tickets, if there are few people, the boss can handle it alone, but if there are many people, it will be very crowded, so there are various ticket sales points, and we can buy tickets from the ticket sales points, which speeds up the boss's ticket sales.

The emergence of ticket sales outlets can be said to have directly helped bosses improve users' ticket purchasing experience.

From the perspective of software design, the effect is actually the same. Using proxy mode programming can significantly enhance the original functions and simplify method calling.

Before introducing dynamic proxy, let's talk about static proxy first.

2. Static Proxy

Next, we take the addition of two numbers as an example, the implementation process is as follows!

Interface Class

  1. public interface Calculator {
  2.  
  3. /**
  4. * Calculate the sum of two numbers
  5. * @param num1
  6. * @param num2
  7. * @return  
  8. */
  9. Integer   add ( Integer num1, Integer num2);
  10. }

Target audience

  1. public class CalculatorImpl implements Calculator {
  2.  
  3.  
  4. @Override
  5. public   Integer   add ( Integer num1, Integer num2) {
  6. Integer result = num1 + num2;
  7. return result;
  8. }
  9. }

Proxy Object

  1. public class CalculatorProxyImpl implements Calculator {
  2.  
  3.  
  4. private Calculator calculator;
  5.  
  6.  
  7. @Override
  8. public   Integer   add ( Integer num1, Integer num2) {
  9. //Before calling the method, you can add other functions....
  10. Integer result = calculator. add (num1, num2);
  11. //After the method is called, other functions can be added....
  12. return result;
  13. }
  14.  
  15.  
  16. public CalculatorProxyImpl(Calculator calculator) {
  17. this.calculator = calculator;
  18. }
  19. }

Test Class

  1. public class CalculatorProxyClient {
  2.  
  3. public   static void main(String[] args) {
  4. //Target object
  5. Calculator target = new CalculatorImpl();
  6. //Proxy object
  7. Calculator proxy = new CalculatorProxyImpl(target);
  8. Integer result = proxy.add ( 1,2);
  9. System. out .println( "Addition result: " + result);
  10. }
  11. }

Output

  1. Added result: 3

The biggest advantage of this proxy method is that the function of the target object can be extended without modifying the target object.

But there are also disadvantages: the proxy object and the target object need to implement the same interface. Therefore, when the target object expands new functions, the proxy object must also be expanded, which is not easy to maintain!

3. Dynamic Proxy

Dynamic proxy is actually created to solve the pain point that when the target object expands new functions, the proxy object also needs to expand along with it.

So how is it solved?

Taking JDK as an example, when it is necessary to add proxy processing to a target object, JDK will dynamically build a proxy object in memory to implement the proxy function for the target object.

Next, we will take the addition of two numbers as an example to introduce the specific gameplay!

3.1. How to generate proxy objects in JDK

Creating an interface

  1. public interface JdkCalculator {
  2.  
  3. /**
  4. * Calculate the sum of two numbers
  5. * @param num1
  6. * @param num2
  7. * @return  
  8. */
  9. Integer   add ( Integer num1, Integer num2);
  10. }

Target audience

  1. public class JdkCalculatorImpl implements JdkCalculator {
  2.  
  3. @Override
  4. public   Integer   add ( Integer num1, Integer num2) {
  5. Integer result = num1 + num2;
  6. return result;
  7. }
  8. }

Dynamic Proxy Objects

  1. public class JdkProxyFactory {
  2.  
  3. /**
  4. * Maintain a target object
  5. */
  6. private Object target;
  7.  
  8. public JdkProxyFactory(Object target) {
  9. this.target = target;
  10. }
  11.  
  12. public Object getProxyInstance(){
  13. Object proxyClassObj = Proxy.newProxyInstance(target.getClass().getClassLoader(),
  14. target.getClass().getInterfaces(),
  15. new InvocationHandler(){
  16.  
  17. @Override
  18. public Object invoke(Object proxy, Method method, Object[] args) throws Throwable {
  19. System. out .println( "Before calling the method, you can add other functions...." );
  20.  
  21. // Execute the target object method
  22. Object returnValue = method.invoke(target, args);
  23. System. out .println( "After the method is called, other functions can be added...." );
  24. return returnValue;
  25. }
  26. });
  27. return proxyClassObj;
  28. }
  29. }

Test Class

  1. public class TestJdkProxy {
  2.  
  3. public   static void main(String[] args) {
  4. //Target object
  5. JdkCalculator target = new JdkCalculatorImpl();
  6. System. out .println(target.getClass());
  7. //Proxy object
  8. JdkCalculator proxyClassObj = (JdkCalculator) new JdkProxyFactory(target).getProxyInstance();
  9. System. out .println(proxyClassObj.getClass());
  10. //Execute the proxy method
  11. Integer result = proxyClassObj.add (1,2) ;
  12. System. out .println( "Addition result: " + result);
  13. }
  14. }

Output

  1. class com.example.java.proxy.jdk1.JdkCalculatorImpl
  2. class com.sun.proxy.$Proxy0
  3. Before the method is called, you can add other functions....
  4. After the method is called, you can add other functions....
  5. Added result: 3

The steps to dynamically create an interface instance using JDK technology are as follows:

  1. 1. First, define an InvocationHandler instance, which is responsible for implementing the method call of the interface
  2. 2. Create an interface instance through Proxy.newProxyInstance(), which requires 3 parameters:
  3. (1) The ClassLoader used is usually the ClassLoader of the interface class
  4. (2) An array of interfaces that need to be implemented, at least one interface needs to be passed in;
  5. (3) An InvocationHandler instance used to process interface method calls.
  6. 3. Cast the returned Object to an interface

Dynamic proxy is actually the process of JVM dynamically creating and loading class bytecode at runtime. It does not involve any black magic technology. Rewriting the above dynamic proxy into a static implementation class probably looks like this:

  1. public class JdkCalculatorDynamicProxy implements JdkCalculator {
  2.  
  3. private InvocationHandler handler;
  4.  
  5. public JdkCalculatorDynamicProxy(InvocationHandler handler) {
  6. this.handler = handler;
  7. }
  8.  
  9. public void add ( Integer num1, Integer num2) {
  10. handler.invoke(
  11. this,
  12. JdkCalculator.class.getMethod( "add" , Integer .class, Integer .class),
  13. new Object[] { num1, num2 });
  14. }
  15. }

The essence is that JVM automatically writes the above class for us (no source code is required, bytecode can be generated directly).

3.2. How to use cglib to generate proxy objects

In addition to JDK's ability to dynamically create proxy objects, there is also a very famous third-party framework: cglib, which can also dynamically generate a subclass object in memory at runtime to expand the functionality of the target object.

cglib features are as follows:

cglib can not only proxy interfaces but also classes, while JDK's dynamic proxy can only proxy interfaces.

cglib is a powerful, high-performance code generation package that is widely used by many AOP frameworks, such as the well-known Spring AOP, for which cglib provides method interception.

The underlying layer of the CGLIB package uses a small and fast bytecode processing framework ASM to convert bytecode and generate new classes at a very fast speed.

Before using cglib, we need to add dependency packages. If you already have the spring-core jar package, you do not need to introduce it because cglib is included in spring.

  1. <dependency>
  2. <groupId>cglib</groupId>
  3. <artifactId>cglib</artifactId>
  4. <version>3.2.5</version>
  5. </dependency>

Next, we will take the addition of two numbers as an example to introduce the specific gameplay!

  1. public interface CglibCalculator {
  2.  
  3. /**
  4. * Calculate the sum of two numbers
  5. * @param num1
  6. * @param num2
  7. * @return  
  8. */
  9. Integer   add ( Integer num1, Integer num2);
  10. }

Target audience

  1. public class CglibCalculatorImpl implements CglibCalculator {
  2.  
  3.  
  4. @Override
  5. public   Integer   add ( Integer num1, Integer num2) {
  6. Integer result = num1 + num2;
  7. return result;
  8. }
  9. }

Dynamic Proxy Objects

  1. public class CglibProxyFactory implements MethodInterceptor {
  2.  
  3. /**
  4. * Maintain a target object
  5. */
  6. private Object target;
  7.  
  8. public CglibProxyFactory(Object target) {
  9. this.target = target;
  10. }
  11.  
  12. /**
  13. * Generate a proxy object for the target object
  14. * @return  
  15. */
  16. public Object getProxyInstance() {
  17. //Tools
  18. Enhancer en = new Enhancer();
  19. //Set the parent class
  20. en.setSuperclass(target.getClass());
  21. //Set callback function
  22. en.setCallback(this);
  23. //Create a subclass object proxy
  24. return en.create () ;
  25. }
  26.  
  27. @Override
  28. public Object intercept(Object o, Method method, Object[] args, MethodProxy methodProxy) throws Throwable {
  29. System. out .println( "Before calling the method, you can add other functions...." );
  30.  
  31. // Execute the target object method
  32. Object returnValue = method.invoke(target, args);
  33. System. out .println( "After the method is called, other functions can be added...." );
  34. return returnValue;
  35. }
  36. }

Test Class

  1. public class TestCglibProxy {
  2.  
  3. public   static void main(String[] args) {
  4. //Target object
  5. CglibCalculator target = new CglibCalculatorImpl();
  6. System. out .println(target.getClass());
  7. //Proxy object
  8. CglibCalculator proxyClassObj = (CglibCalculator) new CglibProxyFactory(target).getProxyInstance();
  9. System. out .println(proxyClassObj.getClass());
  10. //Execute the proxy method
  11. Integer result = proxyClassObj.add (1,2) ;
  12. System. out .println( "Addition result: " + result);
  13. }
  14. }

Output

  1. class com.example.java.proxy.cglib1.CglibCalculatorImpl
  2. class com.example.java.proxy.cglib1.CglibCalculatorImpl$$EnhancerByCGLIB$$3ceadfe4
  3. Before the method is called, you can add other functions....
  4. After the method is called, you can add other functions....
  5. Added result: 3

Rewriting the proxy class generated by cglib into a static implementation class might look like this:

  1. public class CglibCalculatorImplByCGLIB extends CglibCalculatorImpl implements Factory {
  2.      
  3.  
  4. private static final MethodInterceptor methodInterceptor;
  5.  
  6. private static final Method method;
  7.          
  8.  
  9. public final Integer   add ( Integer var1, Integer var2) {
  10. return methodInterceptor.intercept(this, method, new Object[]{var1, var2}, methodProxy);
  11. }
  12.  
  13. //....
  14. }

Among them, the interception idea is similar to JDK, and both are intercepted through an interface method!

As we have mentioned above, cglib can not only proxy interfaces but also proxy classes. Now let’s try proxying classes.

  1. public class CglibCalculatorClass {
  2.  
  3. /**
  4. * Calculate the sum of two numbers
  5. * @param num1
  6. * @param num2
  7. * @return  
  8. */
  9. public   Integer   add ( Integer num1, Integer num2) {
  10. Integer result = num1 + num2;
  11. return result;
  12. }
  13. }

Test Class

  1. public class TestCglibProxyClass {
  2.  
  3. public   static void main(String[] args) {
  4. //Target object
  5. CglibCalculatorClass target = new CglibCalculatorClass();
  6. System. out .println(target.getClass());
  7. //Proxy object
  8. CglibCalculatorClass proxyClassObj = (CglibCalculatorClass) new CglibProxyFactory(target).getProxyInstance();
  9. System. out .println(proxyClassObj.getClass());
  10. //Execute the proxy method
  11. Integer result = proxyClassObj.add (1,2) ;
  12. System. out .println( "Addition result: " + result);
  13. }
  14. }

Output

  1. class com.example.java.proxy.cglib1.CglibCalculatorClass
  2. class com.example.java.proxy.cglib1.CglibCalculatorClass$$EnhancerByCGLIB$$e68ff36c
  3. Before the method is called, you can add other functions....
  4. After the method is called, you can add other functions....
  5. Added result: 3

4. Static Weaving

In the above, the proxy solutions we introduced all dynamically generate class files when the code is running to achieve the purpose of dynamic proxy.

Back to the essence of the problem, in fact, the technical purpose of dynamic proxy is mainly to solve the problem that when the target interface is expanded in the static proxy mode, the proxy class must also be changed accordingly, so as to avoid the tediousness and complexity of work.

In the Java ecosystem, there is also a very famous third-party proxy framework, which is AspectJ. AspectJ can compile the target class into class bytecode through a specific compiler, and add business logic around the method to achieve the effect of static proxy.

There are four main methods for method implantation using AspectJ:

  • Intercept before method call
  • Intercept after method call
  • Call method to end interception
  • Throwing exception interception

It is also very simple to use. The first step is to add the AspectJ compiler plug-in to the project.

  1. <plugin>
  2. <groupId>org.codehaus.mojo</groupId>
  3. <artifactId>aspectj-maven-plugin</artifactId>
  4. <version>1.5</version>
  5. <executions>
  6. <execution>
  7. <goals>
  8. <goal>compile</goal>
  9. <goal>test-compile</goal>
  10. </goals>
  11. </execution>
  12. </executions>
  13. <configuration>
  14. <source>1.6</source>
  15. <target>1.6</target>
  16. <encoding>UTF-8</encoding>
  17. <complianceLevel>1.6</complianceLevel>
  18. <verbose> true </verbose>
  19. <showWeaveInfo> true </showWeaveInfo>
  20. </configuration>
  21. </plugin>

Then, write a method to prepare for the proxy.

  1. @RequestMapping({ "/hello" })
  2. public String hello(String name ) {
  3. String result = "Hello World" ;
  4. System. out .println(result);
  5. return result;
  6. }

Writing a proxy configuration class

  1. @Aspect
  2. public class ControllerAspect {
  3.  
  4. /***
  5. * Define the entry point
  6. */
  7. @Pointcut( "execution(* com.example.demo.web..*.*(..))" )
  8. public void methodAspect(){}
  9.  
  10. /**
  11. * Intercept before method call
  12. */
  13. @Before( "methodAspect()" )
  14. public void before(){
  15. System.out.println ( "Proxy->Before calling method execution......" ) ;
  16. }
  17.  
  18. /**
  19. * Intercept after method call
  20. */
  21. @After ( "methodAspect()" )
  22. public void after (){
  23. System.out.println ( "Proxy->After calling method execution......" ) ;
  24. }
  25.  
  26. /**
  27. * Call method to end interception
  28. */
  29. @AfterReturning( "methodAspect()" )
  30. public void afterReturning(){
  31. System. out .println( "Proxy -> After calling the method... " );
  32. }
  33.  
  34. /**
  35. * Throw exception interception
  36. */
  37. @AfterThrowing( "methodAspect()" )
  38. public void afterThrowing() {
  39. System. out .println( "Proxy -> Call method exception......" );
  40. }
  41. }

After compilation, the hello method will become like this.

  1. @RequestMapping({ "/hello" })
  2. public String hello( Integer   name ) throws SQLException {
  3. JoinPoint var2 = Factory.makeJP(ajc$tjp_0, this, this, name );
  4.  
  5. Object var7;
  6. try {
  7. Object var5;
  8. try {
  9. //Call before
  10. Aspectj.aspectOf().doBeforeTask2(var2);
  11. String result = "Hello World" ;
  12. System. out .println(result);
  13. var5 = result;
  14. } catch (Throwable var8) {
  15. Aspectj.aspectOf(). after (var2);
  16. throw var8;
  17. }
  18. //Call after  
  19. Aspectj.aspectOf(). after (var2);
  20. var7 = var5;
  21. } catch (Throwable var9) {
  22. //Call throws an exception
  23. Aspectj.aspectOf().afterthrowing(var2);
  24. throw var9;
  25. }
  26. //Call return  
  27. Aspectj.aspectOf().afterRutuen(var2);
  28. return (String)var7;
  29. }

Obviously, the code has been modified by the AspectJ compiler. AspectJ does not dynamically generate proxy classes at runtime, but instead embeds the code into the class file during compilation.

Because it is statically woven, the performance is relatively good!

V. Summary

Seeing the static weaving scheme introduced above, it is very similar to the way we use Spring AOP now. Some students may wonder, is the Spring AOP dynamic proxy we are using now dynamically generated or statically woven?

In fact, Spring AOP proxy is a layer of encapsulation of JDK proxy and CGLIB proxy, and introduces some annotations in AspectJ such as @pointCut, @after, @before, etc., which essentially uses dynamic proxy technology.

To sum up, there are three points:

If the target is an interface, JDK's dynamic proxy technology is used by default;

If the target is a class, use cglib's dynamic proxy technology;

Some annotations in AspectJ, such as @pointCut, @after, and @before, are introduced, mainly to simplify usage and have little to do with AspectJ.

So why doesn't Spring AOP use a static weaving solution like AspectJ?

Although the AspectJ compiler is very powerful and has very high performance, it needs to be recompiled as long as the target class is modified. The main reason may be that the AspectJ compiler is too complicated and is not as worry-free as dynamic proxy!

6. Reference

1. Three Java proxy modes: static proxy, dynamic proxy and cglib proxy

2. What is the role of Java dynamic proxy?

<<:  Understanding Deterministic Networks in Seconds: Playing with Queues (Part 2)

>>:  You have insufficient data remaining for this month...

Recommend

VPSMS: 53 yuan/month KVM-512MB/15G SSD/1TB/Los Angeles CN2 GIA

VPSMS is currently holding a two-year anniversary...

CCS Insight: 5G connections to jump to 3.2 billion by the end of 2025

The GSMA's in-house The Mobile Economy Report...

DesiVPS: $20/year KVM-1.5GB/20GB/2TB/Los Angeles & Netherlands Data Center

DesiVPS has launched a 2023 New Year promotion, w...

Telling the story of HTTPS

Starring in the story: Xiaohua is a freshman this...

The software-defined revolution: making SD-Branch possible

Today, software-defined networking is extending t...

The secrets behind the IoT strategy of Internet giants at the end of 2017

2017 is coming to an end. There is no doubt that ...

The high-quality development of 5G still requires more active policy support

Recently, the three major telecom operators have ...

Is the future of the new WIFI standard 802.11ad reliable?

Now there is a new WIFI standard that can increas...