策略模式(Strategy Pattern)是一種行為設計模式,它使你能在運行時改變對象的行為
下面是一個簡單的示例,展示了如何在C++中實現策略模式:
#include<iostream>
#include<string>
// 策略接口
class Strategy {
public:
virtual ~Strategy() = default;
virtual void execute(const std::string& message) = 0;
};
// 具體策略A
class ConcreteStrategyA : public Strategy {
public:
void execute(const std::string& message) override {
std::cout << "Called ConcreteStrategyA with message: "<< message<< std::endl;
}
};
// 具體策略B
class ConcreteStrategyB : public Strategy {
public:
void execute(const std::string& message) override {
std::cout << "Called ConcreteStrategyB with message: "<< message<< std::endl;
}
};
class Context {
public:
Context(Strategy* strategy) : strategy_(strategy) {}
void set_strategy(Strategy* strategy) {
strategy_ = strategy;
}
void execute_strategy(const std::string& message) {
strategy_->execute(message);
}
private:
Strategy* strategy_;
};
int main() {
// 創建具體策略對象
ConcreteStrategyA strategy_a;
ConcreteStrategyB strategy_b;
// 創建上下文對象,并設置具體策略
Context context(&strategy_a);
// 執行策略
context.execute_strategy("Hello, Strategy A!");
// 更改策略
context.set_strategy(&strategy_b);
// 再次執行策略
context.execute_strategy("Hello, Strategy B!");
return 0;
}
這個示例展示了如何使用策略模式來動態地改變對象的行為。你可以根據需要添加更多的具體策略類,并在上下文類中使用它們。