This article covers the following four topics:
1.
Explanation of the fundamental concepts and structure of the Strategy Pattern
2.
Use cases of the Strategy Pattern in the Passport.js library
3.
Practical implementation using a TypeScript example for LLM engine failover handling
4.
Python example for handling RAG (Retrieval-Augmented Generation) search stages
Sionic AI is built on a Microservices Architecture (MSA), enabling various services to operate independently. This structure provides ample opportunities to explore diverse coding patterns implemented by different contributors. Among them, I discovered two services leveraging the Strategy Pattern:
•
Open Gateway (TypeScript): Implements failover handling for various LLM engines, such as OpenAI and Azure.
•
Pylon (Python): Handles the search stage of the RAG (Retrieval-Augmented Generation) pipeline by combining multiple search strategies.
This sparked my curiosity about what the Strategy Pattern is and what advantages it offers that led to its adoption in these services. In this article, I aim to explain the concept of the Strategy Pattern and share how and why it was applied to meet the specific needs of each service.
What is the Strategy Pattern?
The Strategy Pattern is an object-oriented design pattern that encapsulates multiple algorithms and allows them to be dynamically interchangeable at runtime. In simpler terms, it provides a structure where you can prepare various approaches to perform a specific task and apply them selectively as needed.
This concept is similar to how we make choices in everyday life. For instance, imagine you're heading to a café for a Mogakco (a gathering for coding individually). Let’s say you’re using a navigation app like Naver Maps to find your way. Depending on your circumstances, you might choose walking, public transportation, cycling, or driving (or even taking a taxi) as your mode of transportation. The decision depends on factors like budget, time, or weather conditions.
In essence, the Strategy Pattern defines a common behavior—getting to the destination—and allows you to choose the optimal method of transportation at runtime based on the situation.
This structure enables flexibility in choosing transportation methods based on the situation.
For example:
•
If it’s raining, you might opt for a taxi.
•
If the weather is clear, walking could be your choice.
Each strategy can be modified independently without affecting others, and new methods of transportation can be added without requiring changes to existing code.
Structure of the Strategy Pattern
The Strategy Pattern belongs to the category of Behavioral Patterns. Behavioral patterns define the interaction mechanisms and responsibility distribution among objects, enabling flexible collaboration between objects within a system.
The Strategy Pattern consists of three main components:
1.
Context:
•
The object responsible for executing and managing strategies.
•
The client sets and executes the desired strategy through the context.
•
To facilitate this, the context typically provides a setter method that allows clients to replace the associated strategy at runtime.
2.
Strategy Interface (IStrategy):
•
A common interface for all strategy implementations.
•
Declares the methods that the context uses to execute strategies.
3.
Strategy Implementations (StrategyA, StrategyB):
•
Represent different variations of the algorithm.
In programming, a context acts as a container for content. It provides a way to efficiently manage or manipulate specific objects (content). Imagine a glass (context) containing water (content). Depending on the situation, the water in the glass can be replaced with tea, coffee, or juice.
Similarly, in the Strategy Pattern, the context acts as a container for a specific strategy (algorithm). The glass (context) remains unchanged, but the water (strategy) inside can be replaced as needed. This allows the context to hold, execute, and seamlessly switch strategies.
Let’s look at the structure shown above in code form.
interface IStrategy {
doSomething(): void;
}
class StrategyA implements IStrategy {
doSomething(): void {
// Implementation for Strategy A
}
}
class StrategyB implements IStrategy {
doSomething(): void {
// Implementation for Strategy B
}
}
class Context {
private strategy!: IStrategy;
// Method to switch strategies
setStrategy(strategy: IStrategy): void {
this.strategy = strategy;
}
// Method to execute the strategy
doSomething(): void {
this.strategy.doSomething();
}
}
// 1. Create a context
const c = new Context();
// 2. Set strategy A
c.setStrategy(new StrategyA());
// 3. Execute strategy A
c.doSomething();
// 4. Set strategy B
c.setStrategy(new StrategyB());
// 5. Execute strategy B
c.doSomething();
TypeScript
복사
Libraries Using the Strategy Pattern: passport.js (JavaScript)
Over 500 strategies registered on passport.org
passport.js is a well-known JavaScript library widely used for implementing various OAuth logins, including Naver, Kakao, and Facebook logins. It is designed based on the Strategy Pattern, which unifies multiple authentication methods under a common interface.
const passport = require('passport');
const KakaoStrategy = require('passport-kakao').Strategy;
const NaverStrategy = require('passport-naver-v2').Strategy;
const GoogleStrategy = require('passport-google-oauth20').Strategy;
// Register Kakao login strategy
passport.use(new KakaoStrategy({ clientID, callbackURL }, async (accessToken, refreshToken, profile, done) => {
// Authentication logic
}));
// Register Naver login strategy
passport.use(new NaverStrategy({ clientID, clientSecret, callbackURL }, async (accessToken, refreshToken, profile, done) => {
// Authentication logic
}));
// Register Google login strategy
passport.use(new GoogleStrategy({ clientID, clientSecret, callbackURL }, async (accessToken, refreshToken, profile, done) => {
// Authentication logic
}));
TypeScript
복사
Client: Registers a strategy to the context using passport.use(). When a client makes a request, the context executes the corresponding strategy to handle authentication.
Context: Passport acts as the context, executing the appropriate authentication strategy based on the client’s request.
Strategy Interface: All authentication strategies implement the passport.Strategy interface, adhering to a common structure.
Strategy Implementations: Strategies like KakaoStrategy, NaverStrategy, and GoogleStrategy independently implement their respective login logic.
For reference, in the actual implementation of passport.js, strategies are implemented using functions instead of classes. This is based on the object-oriented style used in JavaScript prior to the introduction of the class keyword in ES6.
passport.Strategy behaves like an interface but is actually implemented as a function.
Based on this, concrete strategies such as OpenIdPassport.Strategy, OAuthPassport.Strategy, and later FacebookPassport.Strategy and GooglePassport.Strategy are implemented through an inheritance structure.
Thanks to this structure, new authentication strategies can be added without modifying existing code, and each strategy independently manages its authentication logic, significantly improving maintainability and scalability. For a deeper understanding, it is recommended to sequentially review the code in the following GitHub repositories:
•
strategy.js: The common base class for all strategies.
•
passport-oauth2: Implements the OAuth 2.0 authentication process by extending passport-strategy.
•
strategy.js#L2: Extends passport-oauth2 to communicate with Facebook’s OAuth 2.0 endpoint and adds logic to process Facebook user profile data.
Practical Use Case 1: LLM Engine Failover Handling (TypeScript)
LLMs (Large Language Models) are AI models that generate responses to natural language questions, summarize text, translate, and more. These models are provided through various engines like OpenAI and Azure, which generate answers to queries.
This code handles failover during the LLM engine call process. It sequentially executes multiple API call strategies, switching to the next strategy in case of failure.
•
OpenAiStrategy: Calls the OpenAI engine to generate responses.
•
AzureStrategy: Calls the Azure engine to generate responses.
interface ChatStrategy {
execute(prompt: string): string;
}
class OpenAiStrategy implements ChatStrategy {
execute(prompt: string): string {
return `Processing prompt with OpenAI: ${prompt}`;
}
}
class AzureStrategy implements ChatStrategy {
execute(prompt: string): string {
return `Processing prompt with Azure: ${prompt}`;
}
}
class ChatService {
private strategies: ChatStrategy[] = [];
// Strategy setter
setStrategies(strategies: ChatStrategy[]) {
if (strategies.length === 0) throw new Error('At least one strategy must be provided');
this.strategies = strategies;
}
executeChat(prompt: string): string {
if (this.strategies.length === 0) throw new Error('No strategies set');
for (const strategy of this.strategies) {
try {
return strategy.execute(prompt); // Return the result of the first successful strategy
} catch (error) {
console.warn(`Strategy failed. Trying next...`);
}
}
throw new Error('All strategies failed'); // Exception handling if all strategies fail
}
const chatService = new ChatService();
// Execute with Azure as a fallback if OpenAI fails
chatService.setStrategies([new OpenAiStrategy(), new AzureStrategy()]);
chatService.executeChat('Hello, world!');
TypeScript
복사
For reference, the code above is a simplified version of the failover handling logic used in actual services.
•
In practice, it includes multiple engines in addition to OpenAI and Azure.
•
The strategy logic and various exceptions are handled in a simplified manner without detailed implementation.
•
Instead of simple queries, it generates complex prompts by combining context and additional information before sending them to the engine.
Practical Use Case 2: RAG Search Stage Processing (Python)
RAG (Retrieval-Augmented Generation) is a technique that combines retrieval and generation stages to leverage external data for tasks like question answering or text generation. During the retrieval stage, it identifies relevant documents from those registered by the user in the agent and delivers them as input to the model. In the generation stage, the model generates responses based on these inputs.
The code below sets up a pipeline to handle the search stage of RAG. It connects retrieval strategies in a chain format, sequentially executing multiple search methods and combining their results.
•
FeedbackRetrievalStrategy: Searches user feedback data (Q&A set).
•
DocumentRetrievalStrategy: Searches documents registered by the user.
class SearchChain:
def __init__(self, strategy):
self.strategy = strategy # Search strategy for the current chain
self.next_chain = None # Link to the next chain
def set_next(self, chain):
self.next_chain = chain # Set the next chain
return chain
def execute(self, query):
results = self.strategy.search(query) # Execute the strategy of the current chain
if self.next_chain: # If there is a next chain, execute it
results += self.next_chain.execute(query)
return results # Return the results
class FeedbackRetrievalStrategy:
def search(self, query):
return [f"Feedback results for '{query}'"]
class DocumentRetrievalStrategy:
def search(self, query):
return [f"Document results for '{query}'"]
# Configure the chain
feedback_chain = SearchChain(FeedbackRetrievalStrategy())
document_chain = SearchChain(DocumentRetrievalStrategy())
feedback_chain.set_next(document_chain) # Link the chains
# Execute the chain
results = feedback_chain.execute("example query")
print("Final results:", results)
Python
복사
For reference, the code above simplifies the search pipeline used in real-world applications to convey only the core concepts.
•
The actual code involves more complex types of search strategies and execution conditions, including initialization and error handling logic for each strategy.
•
To aid understanding, this blog removes complex elements and uses only two simple search strategies (FeedbackRetrievalStrategy and DocumentRetrievalStrategy).
In Conclusion
We have explored real-world use cases of the Strategy Pattern through key libraries and TypeScript and Python examples.
•
The passport.js library is designed to handle various OAuth authentication methods in an integrated manner, leveraging the Strategy Pattern to manage different authentication logic under a unified interface.
•
The TypeScript example implements failover handling for a single LLM engine, allowing flexible fallback to alternative engines in the event of a failure.
•
The Python example focuses on building a complex search pipeline by sequentially executing multiple search strategies.
Reflecting on this article, it is clear that the Strategy Pattern is particularly useful when there are multiple classes with similar behaviors, where only the implementation details of each behavior differ. However, in cases where there is little behavioral diversity and simple logic suffices, conditional statements could serve as an appropriate alternative.