SlideShare uma empresa Scribd logo
1 de 26
Design Pattern
Introduction
Factory Method, Prototype & Builder Design
Pattern
-ParamiSoft Systems Pvt. Ltd.
Agenda
• Factory Method Pattern
o Introduction
o When to consider?
o Example
o Limitations
Prototype Pattern
o Introduction
o Applicability
o Consequences
o Example
Prototype Pattern
o Introduction
o Example
o Discussion
-ParamiSoft Systems Pvt. Ltd.
The Gang of Four: Pattern Catalog
Creational
Abstract Factory
Builder
Factory Method
Prototype
Singleton
Structural
Adapter
Bridge
Composite
Decorator
Façade
Flyweight
Proxy
Behavioral
Chain of Responsibility
Command
Interpreter
Iterator
Mediator
Memento
Observer
State
Strategy
Template Method
Visitor
Patterns in red we will
discuss in this presentation
-ParamiSoft Systems Pvt. Ltd.
Factory Method
-ParamiSoft Systems Pvt. Ltd.
-ParamiSoft Systems Pvt. Ltd.
• Name: Factory Method
• Intent: Define an interface for creating an object,
but let subclasses decide which class to instantiate.
Defer instantiation to subclasses.
• Problem: A class needs to instantiate a derivation of
another class, but doesn't know which one. Factory
Method allows a derived class to make this
decision.
• Solution: Provides an abstraction or an interface
and lets subclass or implementing classes decide
which class or method should be instantiated or
called, based on the conditions or parameters
given.
Factory Method
-ParamiSoft Systems Pvt. Ltd.
When to consider?
• When we have a class that implements an
interface but not sure which object, which
concrete instantiation / implementation need to
return.
• When we need to separate instantiation from the
representation.
• When we have lots of select and switch
statements for deciding which concrete class to
create and return.
-ParamiSoft Systems Pvt. Ltd.
Factory Says
Define an interface for creating an object, but let
subclasses decide which class to instantiate
-ParamiSoft Systems Pvt. Ltd.
public interface ConnectionFactory{
public Connection createConnection();
}
class MyConnectionFactory implements ConnectionFactory{
public String type;
public MyConnectionFactory(String t){
type = t; }
public Connection createConnection(){
if(type.equals("Oracle")){
return new OracleConnection(); }
else if(type.equals("SQL")){
return new SQLConnection(); }
else{ return new MySQLConnection(); }
}
}
Implementation: ConnectionFactory
-ParamiSoft Systems Pvt. Ltd.
public interface Connection{
public String description();
public void open();
public void close();
}
class SQLConnection implements Connection{
public String description(){ return "SQL";} }
class MySQLConnection implements Connection{
public String description(){ return "MySQL” ;} }
class OracleConnection implements Connection{
public String description(){ return "Oracle"; } }
Implementation: ConnectionFactory
-ParamiSoft Systems Pvt. Ltd.
class TestConnectionFactory{
public static void main(String[]args){
MyConnectionFactory con = new
MyConnectionFactory("My SQL");
Connection con2 = con.createConnection();
System.out.println("Connection Created: ");
System.out.println(con2.description());
}
}
Implementation: ConnectionFactory
-ParamiSoft Systems Pvt. Ltd.
• Refactoring an existing class to use factories breaks
existing clients.
• Since the pattern relies on using a private
constructor, the class cannot be extended
• if the class were to be extended (e.g., by making
the constructor protected—this is risky but feasible),
the subclass must provide its own re-implementation
of all factory methods with exactly the same
signatures.
Limitations
Prototype Design Pattern
-ParamiSoft Systems Pvt. Ltd.
Prototype Design Pattern
Specify the kinds of objects to
create using a prototypical
instance, and create new objects
by copying this prototype
-ParamiSoft Systems Pvt. Ltd.
Structure
-ParamiSoft Systems Pvt. Ltd.
Applicability
-ParamiSoft Systems Pvt. Ltd.
• Avoid subclasses of an object creator in the client
application
• Avoid the inherent cost of creating new object in
the standard way eg. Using new keyword
• Alternative to Factory Method and Abstract
Factory.
• Can be used to implement Abstract Factory.
• To avoid building a class hierarchy of factories.
• Can be used when loading classes dynamically
• Often can use class objects instead.
Consequences
-ParamiSoft Systems Pvt. Ltd.
• Add/Remove prototypes at runtime.
• Specify new prototypes by varying data.
• Specify new prototypes by varying
structure.
• Less classes (less sub-classing!)
• Dynamic class loading.
Psudocode
-ParamiSoft Systems Pvt. Ltd.
class WordOccurrences is
field occurrences is
The list of the index of each occurrence of the word in the text.
constructor WordOccurrences(text, word) is
input: the text in which the occurrences have to be found
input: the word that should appear in the text
Empty the occurrences list
for each textIndex in text
isMatching := true
for each wordIndex in word
if the current word character does not match the current text character then
isMatching := false
if isMatching is true then
Add the current textIndex into the occurrences list
Psudocode
-ParamiSoft Systems Pvt. Ltd.
method getOneOccurrenceIndex(n) is
input: a number to point on the nth occurrence.
output: the index of the nth occurrence.
Return the nth item of the occurrences field if any.
method clone() is
output: a WordOccurrences object containing the same data.
Call clone() on the super class.
On the returned object, set the occurrences field with the value of the local
occurrences field.
Return the cloned object.
text := "The prototype pattern is a creational design pattern in software
development first described in design patterns, the book."
word := "pattern"
searchEngine := new WordOccurrences(text, word)
anotherSearchEngine := searchEngine.clone()
Builder Design Pattern
-ParamiSoft Systems Pvt. Ltd.
-ParamiSoft Systems Pvt. Ltd.
• Name: Builder
• Intent: The intent of the Builder design pattern is to
separate the construction of a complex object from
its representation. By doing so, the same
construction process can create different
representations
Builder
-ParamiSoft Systems Pvt. Ltd.
The builder pattern is an object creation design
pattern. Unlike the abstract factory and factory
method pattern whose intention is to enable
polymorphism, the intention of the builder pattern is to
find a solution to the telescoping constructor anti-
pattern. The telescoping constructor anti-pattern
occurs when the increase of object constructor
parameter combinations leads to an exponential list
of constructors. Instead of using numerous
constructors, the builder pattern user another object.
A builder that receives each initialization parameter
step by step and then returns the resulting constructed
object at once
Description
Psudocode
-ParamiSoft Systems Pvt. Ltd.
class Car is
Can have GPS, trip computer and various numbers of seats. Can be a city car, a
sports car, or a cabriolet.
class CarBuilder is
method getResult() is
output: a Car with the right options
Construct and return the car.
method setSeats(number) is
input: the number of seats the car may have.
Tell the builder the number of seats.
method setCityCar() is
Make the builder remember that the car is a city car.
method setCabriolet() is
Make the builder remember that the car is a cabriolet.
method setSportsCar() is
Make the builder remember that the car is a sports car.
Psudocode
-ParamiSoft Systems Pvt. Ltd.
method setTripComputer() is
Make the builder remember that the car has a trip computer.
method unsetTripComputer() is
Make the builder remember that the car does not have a trip computer.
method setGPS() is
Make the builder remember that the car has a global positioning system.
method unsetGPS() is
Make the builder remember that the car does not have a global positioning
system.
Construct a CarBuilder called carBuilder
carBuilder.setSeats(2)
carBuilder.setSportsCar()
carBuilder.setTripComputer()
carBuilder.unsetGPS()
car := carBuilder.getResult()
Discussion
-ParamiSoft Systems Pvt. Ltd.
• Factory Method: delegate to subclasses.
• AbstractFactory, Builder, and Prototype:
delegate to another class.
• Prototype: reduces the total number of
classes.
• Builder: Good when construction logic is
complex.
References
Links
o http://en.wikipedia.org/wiki/Factory_method_pattern
o http://en.wikipedia.org/wiki/Prototype_pattern
o http://en.wikipedia.org/wiki/Builder_pattern
o http://sourcemaking.com/design_patterns
Links
o Design Patterns in Ruby – Russ Olsen
o Head First Design Patterns – Elisabeth Freeman, Eric Freeman, Bert Bates and Kathy
Sierra
-ParamiSoft Systems Pvt. Ltd.
If(Questions)
{
Ask;
}
else
{
Thank you;
}
-ParamiSoft Systems Pvt. Ltd.

Mais conteúdo relacionado

Mais procurados

Factory design pattern
Factory design patternFactory design pattern
Factory design pattern
Farhad Safarov
 
Prototype presentation
Prototype presentationPrototype presentation
Prototype presentation
ISsoft
 

Mais procurados (19)

Design pattern (Abstract Factory & Singleton)
Design pattern (Abstract Factory & Singleton)Design pattern (Abstract Factory & Singleton)
Design pattern (Abstract Factory & Singleton)
 
Factory Design Pattern
Factory Design PatternFactory Design Pattern
Factory Design Pattern
 
Creational pattern
Creational patternCreational pattern
Creational pattern
 
Prototype Pattern
Prototype PatternPrototype Pattern
Prototype Pattern
 
Javascript Design Patterns
Javascript Design PatternsJavascript Design Patterns
Javascript Design Patterns
 
Design pattern factory method
Design pattern  factory methodDesign pattern  factory method
Design pattern factory method
 
Factory Method Design Pattern
Factory Method Design PatternFactory Method Design Pattern
Factory Method Design Pattern
 
Jump start to OOP, OOAD, and Design Pattern
Jump start to OOP, OOAD, and Design PatternJump start to OOP, OOAD, and Design Pattern
Jump start to OOP, OOAD, and Design Pattern
 
Go f designpatterns 130116024923-phpapp02
Go f designpatterns 130116024923-phpapp02Go f designpatterns 130116024923-phpapp02
Go f designpatterns 130116024923-phpapp02
 
Design Patterns - Factory Method & Abstract Factory
Design Patterns - Factory Method & Abstract FactoryDesign Patterns - Factory Method & Abstract Factory
Design Patterns - Factory Method & Abstract Factory
 
Factory design pattern
Factory design patternFactory design pattern
Factory design pattern
 
Effective Java
Effective JavaEffective Java
Effective Java
 
Structural patterns
Structural patternsStructural patterns
Structural patterns
 
Effective java
Effective javaEffective java
Effective java
 
Gof design patterns
Gof design patternsGof design patterns
Gof design patterns
 
Prototype_pattern
Prototype_patternPrototype_pattern
Prototype_pattern
 
Prototype presentation
Prototype presentationPrototype presentation
Prototype presentation
 
Design Pattern - Introduction
Design Pattern - IntroductionDesign Pattern - Introduction
Design Pattern - Introduction
 
Effective Java, Third Edition - Keepin' it Effective
Effective Java, Third Edition - Keepin' it EffectiveEffective Java, Third Edition - Keepin' it Effective
Effective Java, Third Edition - Keepin' it Effective
 

Destaque

Design pattern builder 20131115
Design pattern   builder 20131115Design pattern   builder 20131115
Design pattern builder 20131115
LearningTech
 
Singleton design pattern
Singleton design patternSingleton design pattern
Singleton design pattern
11prasoon
 

Destaque (20)

Builder pattern
Builder patternBuilder pattern
Builder pattern
 
Prototype Design Pattern
Prototype Design PatternPrototype Design Pattern
Prototype Design Pattern
 
Prototype design patterns
Prototype design patternsPrototype design patterns
Prototype design patterns
 
Design pattern builder 20131115
Design pattern   builder 20131115Design pattern   builder 20131115
Design pattern builder 20131115
 
Builder Design Pattern (Generic Construction -Different Representation)
Builder Design Pattern (Generic Construction -Different Representation)Builder Design Pattern (Generic Construction -Different Representation)
Builder Design Pattern (Generic Construction -Different Representation)
 
Singleton design pattern
Singleton design patternSingleton design pattern
Singleton design pattern
 
Builder pattern
Builder pattern Builder pattern
Builder pattern
 
ParamiSoft Systems Pvt. Ltd. Profile
ParamiSoft Systems Pvt. Ltd. ProfileParamiSoft Systems Pvt. Ltd. Profile
ParamiSoft Systems Pvt. Ltd. Profile
 
Factory method
Factory method Factory method
Factory method
 
Evolution of Drawing as an Engineering Discipline
Evolution of Drawing as an Engineering DisciplineEvolution of Drawing as an Engineering Discipline
Evolution of Drawing as an Engineering Discipline
 
Design Patterns and Usage
Design Patterns and UsageDesign Patterns and Usage
Design Patterns and Usage
 
Abstract Factory Pattern (Example & Implementation in Java)
Abstract Factory Pattern (Example & Implementation in Java)Abstract Factory Pattern (Example & Implementation in Java)
Abstract Factory Pattern (Example & Implementation in Java)
 
Builder pattern vs constructor
Builder pattern vs constructorBuilder pattern vs constructor
Builder pattern vs constructor
 
C# .NET: Language Features and Creating .NET Projects, Namespaces Classes and...
C# .NET: Language Features and Creating .NET Projects, Namespaces Classes and...C# .NET: Language Features and Creating .NET Projects, Namespaces Classes and...
C# .NET: Language Features and Creating .NET Projects, Namespaces Classes and...
 
CLTL python course: Object Oriented Programming (2/3)
CLTL python course: Object Oriented Programming (2/3)CLTL python course: Object Oriented Programming (2/3)
CLTL python course: Object Oriented Programming (2/3)
 
The Singleton Pattern Presentation
The Singleton Pattern PresentationThe Singleton Pattern Presentation
The Singleton Pattern Presentation
 
MVC and Other Design Patterns
MVC and Other Design PatternsMVC and Other Design Patterns
MVC and Other Design Patterns
 
Factory and Abstract Factory
Factory and Abstract FactoryFactory and Abstract Factory
Factory and Abstract Factory
 
Design patterns - Abstract Factory Pattern
Design patterns  - Abstract Factory PatternDesign patterns  - Abstract Factory Pattern
Design patterns - Abstract Factory Pattern
 
Design Patterns: Builder pattern (Le monteur)
Design Patterns: Builder pattern (Le monteur)Design Patterns: Builder pattern (Le monteur)
Design Patterns: Builder pattern (Le monteur)
 

Semelhante a Desing pattern prototype-Factory Method, Prototype and Builder

P Training Presentation
P Training PresentationP Training Presentation
P Training Presentation
Gaurav Tyagi
 
Faculty of ScienceDepartment of ComputingFinal Examinati.docx
Faculty of ScienceDepartment of ComputingFinal Examinati.docxFaculty of ScienceDepartment of ComputingFinal Examinati.docx
Faculty of ScienceDepartment of ComputingFinal Examinati.docx
mydrynan
 

Semelhante a Desing pattern prototype-Factory Method, Prototype and Builder (20)

Software Design Patterns
Software Design PatternsSoftware Design Patterns
Software Design Patterns
 
P Training Presentation
P Training PresentationP Training Presentation
P Training Presentation
 
Breaking Dependencies Legacy Code - Cork Software Crafters - September 2019
Breaking Dependencies Legacy Code -  Cork Software Crafters - September 2019Breaking Dependencies Legacy Code -  Cork Software Crafters - September 2019
Breaking Dependencies Legacy Code - Cork Software Crafters - September 2019
 
A brief overview of java frameworks
A brief overview of java frameworksA brief overview of java frameworks
A brief overview of java frameworks
 
Creational Design Patterns
Creational Design PatternsCreational Design Patterns
Creational Design Patterns
 
Design Patterns
Design PatternsDesign Patterns
Design Patterns
 
C++ classes tutorials
C++ classes tutorialsC++ classes tutorials
C++ classes tutorials
 
Faculty of ScienceDepartment of ComputingFinal Examinati.docx
Faculty of ScienceDepartment of ComputingFinal Examinati.docxFaculty of ScienceDepartment of ComputingFinal Examinati.docx
Faculty of ScienceDepartment of ComputingFinal Examinati.docx
 
Design patterns with Kotlin
Design patterns with KotlinDesign patterns with Kotlin
Design patterns with Kotlin
 
Design patterns
Design patternsDesign patterns
Design patterns
 
Design patterns in java script, jquery, angularjs
Design patterns in java script, jquery, angularjsDesign patterns in java script, jquery, angularjs
Design patterns in java script, jquery, angularjs
 
Abstract factory
Abstract factoryAbstract factory
Abstract factory
 
Start machine learning in 5 simple steps
Start machine learning in 5 simple stepsStart machine learning in 5 simple steps
Start machine learning in 5 simple steps
 
Azure machine learning service
Azure machine learning serviceAzure machine learning service
Azure machine learning service
 
Java Static Factory Methods
Java Static Factory MethodsJava Static Factory Methods
Java Static Factory Methods
 
Software System Architecture-Lecture 6.pptx
Software System Architecture-Lecture 6.pptxSoftware System Architecture-Lecture 6.pptx
Software System Architecture-Lecture 6.pptx
 
Unit testing - A&BP CC
Unit testing - A&BP CCUnit testing - A&BP CC
Unit testing - A&BP CC
 
Design Patterns
Design PatternsDesign Patterns
Design Patterns
 
Design Pattern For C# Part 1
Design Pattern For C# Part 1Design Pattern For C# Part 1
Design Pattern For C# Part 1
 
L09 Frameworks
L09 FrameworksL09 Frameworks
L09 Frameworks
 

Mais de paramisoft (7)

Go language presentation
Go language presentationGo language presentation
Go language presentation
 
Ruby on Rails Introduction
Ruby on Rails IntroductionRuby on Rails Introduction
Ruby on Rails Introduction
 
Introduction To Backbone JS
Introduction To Backbone JSIntroduction To Backbone JS
Introduction To Backbone JS
 
Git essentials
Git essentials Git essentials
Git essentials
 
iOS development introduction
iOS development introduction iOS development introduction
iOS development introduction
 
Introduction to HAML
Introduction to  HAML Introduction to  HAML
Introduction to HAML
 
Garden City Ruby Conference - lightening talk
Garden City Ruby Conference - lightening talkGarden City Ruby Conference - lightening talk
Garden City Ruby Conference - lightening talk
 

Último

+971581248768>> SAFE AND ORIGINAL ABORTION PILLS FOR SALE IN DUBAI AND ABUDHA...
+971581248768>> SAFE AND ORIGINAL ABORTION PILLS FOR SALE IN DUBAI AND ABUDHA...+971581248768>> SAFE AND ORIGINAL ABORTION PILLS FOR SALE IN DUBAI AND ABUDHA...
+971581248768>> SAFE AND ORIGINAL ABORTION PILLS FOR SALE IN DUBAI AND ABUDHA...
?#DUbAI#??##{{(☎️+971_581248768%)**%*]'#abortion pills for sale in dubai@
 
Architecting Cloud Native Applications
Architecting Cloud Native ApplicationsArchitecting Cloud Native Applications
Architecting Cloud Native Applications
WSO2
 
Cloud Frontiers: A Deep Dive into Serverless Spatial Data and FME
Cloud Frontiers:  A Deep Dive into Serverless Spatial Data and FMECloud Frontiers:  A Deep Dive into Serverless Spatial Data and FME
Cloud Frontiers: A Deep Dive into Serverless Spatial Data and FME
Safe Software
 
Modular Monolith - a Practical Alternative to Microservices @ Devoxx UK 2024
Modular Monolith - a Practical Alternative to Microservices @ Devoxx UK 2024Modular Monolith - a Practical Alternative to Microservices @ Devoxx UK 2024
Modular Monolith - a Practical Alternative to Microservices @ Devoxx UK 2024
Victor Rentea
 
Finding Java's Hidden Performance Traps @ DevoxxUK 2024
Finding Java's Hidden Performance Traps @ DevoxxUK 2024Finding Java's Hidden Performance Traps @ DevoxxUK 2024
Finding Java's Hidden Performance Traps @ DevoxxUK 2024
Victor Rentea
 

Último (20)

Polkadot JAM Slides - Token2049 - By Dr. Gavin Wood
Polkadot JAM Slides - Token2049 - By Dr. Gavin WoodPolkadot JAM Slides - Token2049 - By Dr. Gavin Wood
Polkadot JAM Slides - Token2049 - By Dr. Gavin Wood
 
WSO2's API Vision: Unifying Control, Empowering Developers
WSO2's API Vision: Unifying Control, Empowering DevelopersWSO2's API Vision: Unifying Control, Empowering Developers
WSO2's API Vision: Unifying Control, Empowering Developers
 
Apidays New York 2024 - Accelerating FinTech Innovation by Vasa Krishnan, Fin...
Apidays New York 2024 - Accelerating FinTech Innovation by Vasa Krishnan, Fin...Apidays New York 2024 - Accelerating FinTech Innovation by Vasa Krishnan, Fin...
Apidays New York 2024 - Accelerating FinTech Innovation by Vasa Krishnan, Fin...
 
How to Troubleshoot Apps for the Modern Connected Worker
How to Troubleshoot Apps for the Modern Connected WorkerHow to Troubleshoot Apps for the Modern Connected Worker
How to Troubleshoot Apps for the Modern Connected Worker
 
presentation ICT roal in 21st century education
presentation ICT roal in 21st century educationpresentation ICT roal in 21st century education
presentation ICT roal in 21st century education
 
MINDCTI Revenue Release Quarter One 2024
MINDCTI Revenue Release Quarter One 2024MINDCTI Revenue Release Quarter One 2024
MINDCTI Revenue Release Quarter One 2024
 
Web Form Automation for Bonterra Impact Management (fka Social Solutions Apri...
Web Form Automation for Bonterra Impact Management (fka Social Solutions Apri...Web Form Automation for Bonterra Impact Management (fka Social Solutions Apri...
Web Form Automation for Bonterra Impact Management (fka Social Solutions Apri...
 
Introduction to Multilingual Retrieval Augmented Generation (RAG)
Introduction to Multilingual Retrieval Augmented Generation (RAG)Introduction to Multilingual Retrieval Augmented Generation (RAG)
Introduction to Multilingual Retrieval Augmented Generation (RAG)
 
Six Myths about Ontologies: The Basics of Formal Ontology
Six Myths about Ontologies: The Basics of Formal OntologySix Myths about Ontologies: The Basics of Formal Ontology
Six Myths about Ontologies: The Basics of Formal Ontology
 
+971581248768>> SAFE AND ORIGINAL ABORTION PILLS FOR SALE IN DUBAI AND ABUDHA...
+971581248768>> SAFE AND ORIGINAL ABORTION PILLS FOR SALE IN DUBAI AND ABUDHA...+971581248768>> SAFE AND ORIGINAL ABORTION PILLS FOR SALE IN DUBAI AND ABUDHA...
+971581248768>> SAFE AND ORIGINAL ABORTION PILLS FOR SALE IN DUBAI AND ABUDHA...
 
Architecting Cloud Native Applications
Architecting Cloud Native ApplicationsArchitecting Cloud Native Applications
Architecting Cloud Native Applications
 
Cloud Frontiers: A Deep Dive into Serverless Spatial Data and FME
Cloud Frontiers:  A Deep Dive into Serverless Spatial Data and FMECloud Frontiers:  A Deep Dive into Serverless Spatial Data and FME
Cloud Frontiers: A Deep Dive into Serverless Spatial Data and FME
 
Modular Monolith - a Practical Alternative to Microservices @ Devoxx UK 2024
Modular Monolith - a Practical Alternative to Microservices @ Devoxx UK 2024Modular Monolith - a Practical Alternative to Microservices @ Devoxx UK 2024
Modular Monolith - a Practical Alternative to Microservices @ Devoxx UK 2024
 
Boost Fertility New Invention Ups Success Rates.pdf
Boost Fertility New Invention Ups Success Rates.pdfBoost Fertility New Invention Ups Success Rates.pdf
Boost Fertility New Invention Ups Success Rates.pdf
 
Mcleodganj Call Girls 🥰 8617370543 Service Offer VIP Hot Model
Mcleodganj Call Girls 🥰 8617370543 Service Offer VIP Hot ModelMcleodganj Call Girls 🥰 8617370543 Service Offer VIP Hot Model
Mcleodganj Call Girls 🥰 8617370543 Service Offer VIP Hot Model
 
ProductAnonymous-April2024-WinProductDiscovery-MelissaKlemke
ProductAnonymous-April2024-WinProductDiscovery-MelissaKlemkeProductAnonymous-April2024-WinProductDiscovery-MelissaKlemke
ProductAnonymous-April2024-WinProductDiscovery-MelissaKlemke
 
Repurposing LNG terminals for Hydrogen Ammonia: Feasibility and Cost Saving
Repurposing LNG terminals for Hydrogen Ammonia: Feasibility and Cost SavingRepurposing LNG terminals for Hydrogen Ammonia: Feasibility and Cost Saving
Repurposing LNG terminals for Hydrogen Ammonia: Feasibility and Cost Saving
 
Biography Of Angeliki Cooney | Senior Vice President Life Sciences | Albany, ...
Biography Of Angeliki Cooney | Senior Vice President Life Sciences | Albany, ...Biography Of Angeliki Cooney | Senior Vice President Life Sciences | Albany, ...
Biography Of Angeliki Cooney | Senior Vice President Life Sciences | Albany, ...
 
Apidays New York 2024 - The Good, the Bad and the Governed by David O'Neill, ...
Apidays New York 2024 - The Good, the Bad and the Governed by David O'Neill, ...Apidays New York 2024 - The Good, the Bad and the Governed by David O'Neill, ...
Apidays New York 2024 - The Good, the Bad and the Governed by David O'Neill, ...
 
Finding Java's Hidden Performance Traps @ DevoxxUK 2024
Finding Java's Hidden Performance Traps @ DevoxxUK 2024Finding Java's Hidden Performance Traps @ DevoxxUK 2024
Finding Java's Hidden Performance Traps @ DevoxxUK 2024
 

Desing pattern prototype-Factory Method, Prototype and Builder

  • 1. Design Pattern Introduction Factory Method, Prototype & Builder Design Pattern -ParamiSoft Systems Pvt. Ltd.
  • 2. Agenda • Factory Method Pattern o Introduction o When to consider? o Example o Limitations Prototype Pattern o Introduction o Applicability o Consequences o Example Prototype Pattern o Introduction o Example o Discussion -ParamiSoft Systems Pvt. Ltd.
  • 3. The Gang of Four: Pattern Catalog Creational Abstract Factory Builder Factory Method Prototype Singleton Structural Adapter Bridge Composite Decorator Façade Flyweight Proxy Behavioral Chain of Responsibility Command Interpreter Iterator Mediator Memento Observer State Strategy Template Method Visitor Patterns in red we will discuss in this presentation -ParamiSoft Systems Pvt. Ltd.
  • 5. -ParamiSoft Systems Pvt. Ltd. • Name: Factory Method • Intent: Define an interface for creating an object, but let subclasses decide which class to instantiate. Defer instantiation to subclasses. • Problem: A class needs to instantiate a derivation of another class, but doesn't know which one. Factory Method allows a derived class to make this decision. • Solution: Provides an abstraction or an interface and lets subclass or implementing classes decide which class or method should be instantiated or called, based on the conditions or parameters given. Factory Method
  • 6. -ParamiSoft Systems Pvt. Ltd. When to consider? • When we have a class that implements an interface but not sure which object, which concrete instantiation / implementation need to return. • When we need to separate instantiation from the representation. • When we have lots of select and switch statements for deciding which concrete class to create and return.
  • 7. -ParamiSoft Systems Pvt. Ltd. Factory Says Define an interface for creating an object, but let subclasses decide which class to instantiate
  • 8. -ParamiSoft Systems Pvt. Ltd. public interface ConnectionFactory{ public Connection createConnection(); } class MyConnectionFactory implements ConnectionFactory{ public String type; public MyConnectionFactory(String t){ type = t; } public Connection createConnection(){ if(type.equals("Oracle")){ return new OracleConnection(); } else if(type.equals("SQL")){ return new SQLConnection(); } else{ return new MySQLConnection(); } } } Implementation: ConnectionFactory
  • 9. -ParamiSoft Systems Pvt. Ltd. public interface Connection{ public String description(); public void open(); public void close(); } class SQLConnection implements Connection{ public String description(){ return "SQL";} } class MySQLConnection implements Connection{ public String description(){ return "MySQL” ;} } class OracleConnection implements Connection{ public String description(){ return "Oracle"; } } Implementation: ConnectionFactory
  • 10. -ParamiSoft Systems Pvt. Ltd. class TestConnectionFactory{ public static void main(String[]args){ MyConnectionFactory con = new MyConnectionFactory("My SQL"); Connection con2 = con.createConnection(); System.out.println("Connection Created: "); System.out.println(con2.description()); } } Implementation: ConnectionFactory
  • 11. -ParamiSoft Systems Pvt. Ltd. • Refactoring an existing class to use factories breaks existing clients. • Since the pattern relies on using a private constructor, the class cannot be extended • if the class were to be extended (e.g., by making the constructor protected—this is risky but feasible), the subclass must provide its own re-implementation of all factory methods with exactly the same signatures. Limitations
  • 13. Prototype Design Pattern Specify the kinds of objects to create using a prototypical instance, and create new objects by copying this prototype -ParamiSoft Systems Pvt. Ltd.
  • 15. Applicability -ParamiSoft Systems Pvt. Ltd. • Avoid subclasses of an object creator in the client application • Avoid the inherent cost of creating new object in the standard way eg. Using new keyword • Alternative to Factory Method and Abstract Factory. • Can be used to implement Abstract Factory. • To avoid building a class hierarchy of factories. • Can be used when loading classes dynamically • Often can use class objects instead.
  • 16. Consequences -ParamiSoft Systems Pvt. Ltd. • Add/Remove prototypes at runtime. • Specify new prototypes by varying data. • Specify new prototypes by varying structure. • Less classes (less sub-classing!) • Dynamic class loading.
  • 17. Psudocode -ParamiSoft Systems Pvt. Ltd. class WordOccurrences is field occurrences is The list of the index of each occurrence of the word in the text. constructor WordOccurrences(text, word) is input: the text in which the occurrences have to be found input: the word that should appear in the text Empty the occurrences list for each textIndex in text isMatching := true for each wordIndex in word if the current word character does not match the current text character then isMatching := false if isMatching is true then Add the current textIndex into the occurrences list
  • 18. Psudocode -ParamiSoft Systems Pvt. Ltd. method getOneOccurrenceIndex(n) is input: a number to point on the nth occurrence. output: the index of the nth occurrence. Return the nth item of the occurrences field if any. method clone() is output: a WordOccurrences object containing the same data. Call clone() on the super class. On the returned object, set the occurrences field with the value of the local occurrences field. Return the cloned object. text := "The prototype pattern is a creational design pattern in software development first described in design patterns, the book." word := "pattern" searchEngine := new WordOccurrences(text, word) anotherSearchEngine := searchEngine.clone()
  • 20. -ParamiSoft Systems Pvt. Ltd. • Name: Builder • Intent: The intent of the Builder design pattern is to separate the construction of a complex object from its representation. By doing so, the same construction process can create different representations Builder
  • 21. -ParamiSoft Systems Pvt. Ltd. The builder pattern is an object creation design pattern. Unlike the abstract factory and factory method pattern whose intention is to enable polymorphism, the intention of the builder pattern is to find a solution to the telescoping constructor anti- pattern. The telescoping constructor anti-pattern occurs when the increase of object constructor parameter combinations leads to an exponential list of constructors. Instead of using numerous constructors, the builder pattern user another object. A builder that receives each initialization parameter step by step and then returns the resulting constructed object at once Description
  • 22. Psudocode -ParamiSoft Systems Pvt. Ltd. class Car is Can have GPS, trip computer and various numbers of seats. Can be a city car, a sports car, or a cabriolet. class CarBuilder is method getResult() is output: a Car with the right options Construct and return the car. method setSeats(number) is input: the number of seats the car may have. Tell the builder the number of seats. method setCityCar() is Make the builder remember that the car is a city car. method setCabriolet() is Make the builder remember that the car is a cabriolet. method setSportsCar() is Make the builder remember that the car is a sports car.
  • 23. Psudocode -ParamiSoft Systems Pvt. Ltd. method setTripComputer() is Make the builder remember that the car has a trip computer. method unsetTripComputer() is Make the builder remember that the car does not have a trip computer. method setGPS() is Make the builder remember that the car has a global positioning system. method unsetGPS() is Make the builder remember that the car does not have a global positioning system. Construct a CarBuilder called carBuilder carBuilder.setSeats(2) carBuilder.setSportsCar() carBuilder.setTripComputer() carBuilder.unsetGPS() car := carBuilder.getResult()
  • 24. Discussion -ParamiSoft Systems Pvt. Ltd. • Factory Method: delegate to subclasses. • AbstractFactory, Builder, and Prototype: delegate to another class. • Prototype: reduces the total number of classes. • Builder: Good when construction logic is complex.
  • 25. References Links o http://en.wikipedia.org/wiki/Factory_method_pattern o http://en.wikipedia.org/wiki/Prototype_pattern o http://en.wikipedia.org/wiki/Builder_pattern o http://sourcemaking.com/design_patterns Links o Design Patterns in Ruby – Russ Olsen o Head First Design Patterns – Elisabeth Freeman, Eric Freeman, Bert Bates and Kathy Sierra -ParamiSoft Systems Pvt. Ltd.