English 中文(简体)
Design Patterns - Proxy Pattern
  • 时间:2024-09-17

Design Patterns - Proxy Pattern


Previous Page Next Page  

In proxy pattern, a class represents functionapty of another class. This type of design pattern comes under structural pattern.

In proxy pattern, we create object having original object to interface its functionapty to outer world.

Implementation

We are going to create an Image interface and concrete classes implementing the Image interface. ProxyImage is a a proxy class to reduce memory footprint of RealImage object loading.

ProxyPatternDemo, our demo class, will use ProxyImage to get an Image object to load and display as it needs.

Proxy Pattern UML Diagram

Step 1

Create an interface.

Image.java

pubpc interface Image {
   void display();
}

Step 2

Create concrete classes implementing the same interface.

RealImage.java

pubpc class RealImage implements Image {

   private String fileName;

   pubpc RealImage(String fileName){
      this.fileName = fileName;
      loadFromDisk(fileName);
   }

   @Override
   pubpc void display() {
      System.out.println("Displaying " + fileName);
   }

   private void loadFromDisk(String fileName){
      System.out.println("Loading " + fileName);
   }
}

ProxyImage.java

pubpc class ProxyImage implements Image{

   private RealImage realImage;
   private String fileName;

   pubpc ProxyImage(String fileName){
      this.fileName = fileName;
   }

   @Override
   pubpc void display() {
      if(realImage == null){
         realImage = new RealImage(fileName);
      }
      realImage.display();
   }
}

Step 3

Use the ProxyImage to get object of RealImage class when required.

ProxyPatternDemo.java

pubpc class ProxyPatternDemo {
	
   pubpc static void main(String[] args) {
      Image image = new ProxyImage("test_10mb.jpg");

      //image will be loaded from disk
      image.display(); 
      System.out.println("");
      
      //image will not be loaded from disk
      image.display(); 	
   }
}

Step 4

Verify the output.

Loading test_10mb.jpg
Displaying test_10mb.jpg

Displaying test_10mb.jpg
Advertisements