引言:理解用户策略在现代软件架构中的核心地位

在当今快速变化的商业环境中,软件系统面临着前所未有的挑战:业务需求频繁变更、用户群体日益多样化、市场环境瞬息万变。传统的硬编码业务逻辑已经无法满足这种动态需求,用户策略(User Strategy)作为一种将业务规则与代码逻辑分离的设计模式,正成为构建灵活、可扩展软件系统的关键技术。

用户策略本质上是一种行为封装机制,它将特定的业务规则、决策逻辑或处理流程抽象为独立的策略对象,使得系统可以在运行时根据不同的条件动态选择和切换这些策略。这种设计不仅提高了代码的可维护性,更重要的是赋予了系统快速响应业务变化的能力。

一、用户策略的核心概念与架构设计

1.1 策略模式的基本原理

策略模式(Strategy Pattern)是用户策略实现的理论基础。它定义了一系列算法,将每个算法封装起来,并使它们可以相互替换。在用户策略的上下文中,这些”算法”就是不同的业务规则或处理逻辑。

from abc import ABC, abstractmethod
from typing import Dict, Any, List

# 策略接口定义
class UserStrategy(ABC):
    """用户策略基类"""
    
    @abstractmethod
    def execute(self, context: Dict[str, Any]) -> Dict[str, Any]:
        """执行策略逻辑"""
        pass
    
    @abstractmethod
    def is_applicable(self, context: Dict[str, Any]) -> bool:
        """判断策略是否适用于当前上下文"""
        pass

# 具体策略实现示例
class PremiumUserStrategy(UserStrategy):
    """高级用户策略"""
    
    def execute(self, context: Dict[str, Any]) -> Dict[str, Any]:
        user_id = context.get('user_id')
        # 高级用户享受9折优惠
        discount = 0.9
        # 优先处理
        priority = 1
        
        return {
            'user_id': user_id,
            'discount': discount,
            'priority': priority,
            'message': '尊敬的高级用户,您享受9折优惠'
        }
    
    def is_applicable(self, context: Dict[str, Any]) -> bool:
        user_level = context.get('user_level', 'normal')
        return user_level == 'premium'

class NormalUserStrategy(UserStrategy):
    """普通用户策略"""
    
    def execute(self, context: Dict[str, Any]) -> Dict[str, Any]:
        user_id = context.get('user_id')
        # 普通用户无折扣
        discount = 1.0
        # 普通优先级
        priority = 3
        
        return {
            'user_id': user_id,
            'discount': discount,
            'priority': priority,
            'message': '欢迎光临,普通用户'
        }
    
    def is_applicable(self, context: Dict[str, Any]) -> bool:
        user_level = context.get('user_level', 'normal')
        return user_level == 'normal'

class NewUserStrategy(UserStrategy):
    """新用户策略"""
    
    def execute(self, context: Dict[str, Any]) -> Dict[str, Any]:
        user_id = context.get('user_id')
        # 新用户首单8折
        discount = 0.8
        # 高优先级
        priority = 2
        
        return {
            'user_id': user_id,
            'discount': discount,
            'priority': priority,
            'message': '新用户首单8折优惠'
        }
    
    def is_applicable(self, context: Dict[str, Any]) -> bool:
        user_level = context.get('user_level', 'normal')
        is_new = context.get('is_new_user', False)
        return user_level == 'normal' and is_new

1.2 策略管理器设计

策略管理器是用户策略系统的核心协调者,负责策略的注册、查找和执行。

class StrategyManager:
    """策略管理器"""
    
    def __init__(self):
        self._strategies: List[UserStrategy] = []
    
    def register_strategy(self, strategy: UserStrategy):
        """注册策略"""
        self._strategies.append(strategy)
    
    def get_applicable_strategy(self, context: Dict[str, Any]) -> UserStrategy:
        """获取适用的策略"""
        for strategy in self._strategies:
            if strategy.is_applicable(context):
                return strategy
        raise ValueError(f"No applicable strategy found for context: {context}")
    
    def execute_strategy(self, context: Dict[str, Any]) -> Dict[str, Any]:
        """执行策略"""
        strategy = self.get_applicable_strategy(context)
        return strategy.execute(context)
    
    def execute_all_strategies(self, context: Dict[str, Any]) -> List[Dict[str, Any]]:
        """执行所有适用策略并按优先级排序"""
        applicable_strategies = [
            strategy for strategy in self._strategies 
            if strategy.is_applicable(context)
        ]
        
        results = []
        for strategy in applicable_strategies:
            result = strategy.execute(context)
            results.append(result)
        
        # 按优先级排序
        results.sort(key=lambda x: x.get('priority', 999))
        return results

# 使用示例
def demo_strategy_manager():
    manager = StrategyManager()
    
    # 注册策略
    manager.register_strategy(PremiumUserStrategy())
    manager.register_strategy(NormalUserStrategy())
    manager.register_strategy(NewUserStrategy())
    
    # 测试不同场景
    test_contexts = [
        {'user_id': 1, 'user_level': 'premium'},
        {'user_id': 2, 'user_level': 'normal', 'is_new_user': False},
        {'user_id': 3, 'user_level': 'normal', 'is_new_user': True}
    ]
    
    for context in test_contexts:
        result = manager.execute_strategy(context)
        print(f"Context: {context}")
        print(f"Result: {result}\n")

# 运行演示
# demo_strategy_manager()

二、高效配置策略的实现方法

2.1 基于配置文件的动态策略加载

为了实现高效的配置管理,我们可以将策略定义与代码分离,通过配置文件动态加载策略。

import yaml
import importlib
from pathlib import Path

class ConfigurableStrategyManager(StrategyManager):
    """支持配置文件的策略管理器"""
    
    def __init__(self, config_path: str = None):
        super().__init__()
        self.config_path = config_path
        if config_path:
            self.load_strategies_from_config(config_path)
    
    def load_strategies_from_config(self, config_path: str):
        """从配置文件加载策略"""
        config_file = Path(config_path)
        if not config_file.exists():
            raise FileNotFoundError(f"Config file not found: {config_path}")
        
        with open(config_file, 'r', encoding='utf-8') as f:
            config = yaml.safe_load(f)
        
        for strategy_config in config.get('strategies', []):
            self._load_single_strategy(strategy_config)
    
    def _load_single_strategy(self, strategy_config: Dict[str, Any]):
        """加载单个策略"""
        module_path = strategy_config['module']
        class_name = strategy_config['class']
        params = strategy_config.get('params', {})
        
        # 动态导入模块和类
        module = importlib.import_module(module_path)
        strategy_class = getattr(module, class_name)
        
        # 实例化策略
        strategy = strategy_class(**params)
        self.register_strategy(strategy)

# 配置文件示例 (strategies.yaml)
"""
strategies:
  - module: "user_strategies"
    class: "PremiumUserStrategy"
    params: {}
  
  - module: "user_strategies"
    class: "NormalUserStrategy"
    params: {}
  
  - module: "user_strategies"
    class: "NewUserStrategy"
    params: {}
  
  - module: "user_strategies"
    class: "VIPUserStrategy"
    params:
      discount_rate: 0.7
      min_purchase: 100
"""

# VIP用户策略示例
class VIPUserStrategy(UserStrategy):
    """VIP用户策略"""
    
    def __init__(self, discount_rate: float = 0.7, min_purchase: float = 100):
        self.discount_rate = discount_rate
        self.min_purchase = min_purchase
    
    def execute(self, context: Dict[str, Any]) -> Dict[str, Any]:
        user_id = context.get('user_id')
        order_amount = context.get('order_amount', 0)
        
        if order_amount >= self.min_purchase:
            discount = self.discount_rate
            message = f'VIP用户专享{self.discount_rate:.1f}折优惠'
        else:
            discount = 0.95
            message = f'VIP用户(不足{self.min_purchase}元)享受95折'
        
        return {
            'user_id': user_id,
            'discount': discount,
            'priority': 0,
            'message': message
        }
    
    def is_applicable(self, context: Dict[str, Any]) -> bool:
        user_level = context.get('user_level', 'normal')
        return user_level == 'vip'

2.2 数据库驱动的策略配置

对于需要频繁更新策略的场景,数据库存储是更好的选择。

from sqlalchemy import create_engine, Column, Integer, String, Boolean, JSON
from sqlalchemy.ext.declarative import declarative_base
from sqlalchemy.orm import sessionmaker

Base = declarative_base()

class StrategyConfig(Base):
    """策略配置表"""
    __tablename__ = 'strategy_configs'
    
    id = Column(Integer, primary_key=True)
    name = Column(String(100), unique=True, nullable=False)
    module = Column(String(200), nullable=False)
    class_name = Column(String(100), nullable=False)
    is_active = Column(Boolean, default=True)
    priority = Column(Integer, default=10)
    params = Column(JSON, default={})
    condition = Column(JSON, default={})

class DatabaseStrategyManager(StrategyManager):
    """数据库驱动的策略管理器"""
    
    def __init__(self, db_url: str):
        super().__init__()
        self.engine = create_engine(db_url)
        Base.metadata.create_all(self.engine)
        self.Session = sessionmaker(bind=self.engine)
        self.load_strategies_from_db()
    
    def load_strategies_from_db(self):
        """从数据库加载策略"""
        session = self.Session()
        try:
            configs = session.query(StrategyConfig).filter_by(is_active=True).all()
            for config in configs:
                self._load_strategy_from_config(config)
        finally:
            session.close()
    
    def _load_strategy_from_config(self, config: StrategyConfig):
        """从配置对象加载策略"""
        module = importlib.import_module(config.module)
        strategy_class = getattr(module, config.class_name)
        
        # 实例化策略
        strategy = strategy_class(**config.params)
        
        # 包装条件检查
        original_is_applicable = strategy.is_applicable
        
        def wrapped_is_applicable(context: Dict[str, Any]) -> bool:
            # 先检查原始条件
            if not original_is_applicable(context):
                return False
            
            # 再检查配置中的额外条件
            condition = config.condition
            if not condition:
                return True
            
            return self._check_condition(context, condition)
        
        strategy.is_applicable = wrapped_is_applicable
        self.register_strategy(strategy)
    
    def _check_condition(self, context: Dict[str, Any], condition: Dict[str, Any]) -> bool:
        """检查条件"""
        for key, expected_value in condition.items():
            actual_value = context.get(key)
            if actual_value != expected_value:
                return False
        return True
    
    def update_strategy(self, name: str, **kwargs):
        """动态更新策略配置"""
        session = self.Session()
        try:
            config = session.query(StrategyConfig).filter_by(name=name).first()
            if config:
                for key, value in kwargs.items():
                    if hasattr(config, key):
                        setattr(config, key, value)
                session.commit()
                # 重新加载策略
                self._strategies = []
                self.load_strategies_from_db()
        finally:
            session.close()

2.3 缓存优化策略

为了提高性能,可以引入缓存机制。

from functools import lru_cache
import hashlib
import json

class CachedStrategyManager(StrategyManager):
    """带缓存的策略管理器"""
    
    def __init__(self, max_cache_size: int = 1000):
        super().__init__()
        self._cache = {}
        self.max_cache_size = max_cache_size
    
    def _get_cache_key(self, context: Dict[str, Any]) -> str:
        """生成缓存键"""
        # 将字典转换为稳定字符串
        context_str = json.dumps(context, sort_keys=True)
        return hashlib.md5(context_str.encode()).hexdigest()
    
    @lru_cache(maxsize=128)
    def get_applicable_strategy(self, context: Dict[str, Any]) -> UserStrategy:
        """带缓存的策略获取"""
        cache_key = self._get_cache_key(context)
        
        if cache_key in self._cache:
            strategy_name = self._cache[cache_key]
            # 从已注册策略中查找
            for strategy in self._strategies:
                if strategy.__class__.__name__ == strategy_name:
                    return strategy
        
        # 未命中缓存,执行查找
        strategy = super().get_applicable_strategy(context)
        
        # 存入缓存
        if len(self._cache) >= self.max_cache_size:
            # 简单的LRU淘汰策略
            self._cache.pop(next(iter(self._cache)))
        
        self._cache[cache_key] = strategy.__class__.__name__
        return strategy
    
    def clear_cache(self):
        """清空缓存"""
        self._cache.clear()
        self.get_applicable_strategy.cache_clear()

三、灵活应用:应对复杂业务场景

3.1 组合策略模式

在复杂业务场景中,单一策略往往不够,需要组合多个策略。

class CompositeStrategy(UserStrategy):
    """组合策略:支持多个子策略的组合"""
    
    def __init__(self, strategies: List[UserStrategy], strategy_type: str = 'all'):
        """
        strategy_type: 
        - 'all': 所有策略都适用时才执行
        - 'any': 任一策略适用时就执行
        - 'chain': 按顺序执行所有适用策略
        """
        self.strategies = strategies
        self.strategy_type = strategy_type
    
    def is_applicable(self, context: Dict[str, Any]) -> bool:
        if self.strategy_type == 'all':
            return all(s.is_applicable(context) for s in self.strategies)
        elif self.strategy_type == 'any':
            return any(s.is_applicable(context) for s in self.strategies)
        elif self.strategy_type == 'chain':
            return any(s.is_applicable(context) for s in self.strategies)
        return False
    
    def execute(self, context: Dict[str, Any]) -> Dict[str, Any]:
        if self.strategy_type == 'all':
            # 合并所有策略结果
            results = [s.execute(context) for s in self.strategies]
            return self._merge_results(results)
        elif self.strategy_type == 'any':
            # 执行第一个适用的策略
            for s in self.strategies:
                if s.is_applicable(context):
                    return s.execute(context)
        elif self.strategy_type == 'chain':
            # 链式执行,传递上下文
            current_context = context.copy()
            for s in self.strategies:
                if s.is_applicable(current_context):
                    result = s.execute(current_context)
                    # 可以将结果合并到上下文中
                    current_context.update(result)
            return current_context
        
        return {}
    
    def _merge_results(self, results: List[Dict[str, Any]]) -> Dict[str, Any]:
        """合并多个策略结果"""
        merged = {}
        for result in results:
            for key, value in result.items():
                if key not in merged:
                    merged[key] = value
                else:
                    # 特殊处理折扣叠加
                    if key == 'discount':
                        merged[key] = merged[key] * value
                    elif key == 'priority':
                        merged[key] = min(merged[key], value)
                    else:
                        merged[key] = value
        return merged

# 使用组合策略的示例
def demo_composite_strategy():
    # 创建基础策略
    vip = VIPUserStrategy(discount_rate=0.7, min_purchase=100)
    premium = PremiumUserStrategy()
    new_user = NewUserStrategy()
    
    # 创建组合策略
    # 场景:VIP用户如果也是新用户,享受额外优惠
    vip_new_combo = CompositeStrategy([vip, new_user], strategy_type='all')
    
    manager = StrategyManager()
    manager.register_strategy(vip_new_combo)
    manager.register_strategy(premium)
    manager.register_strategy(new_user)
    
    # 测试
    context = {'user_id': 1, 'user_level': 'vip', 'is_new_user': True, 'order_amount': 150}
    result = manager.execute_strategy(context)
    print(f"组合策略结果: {result}")

3.2 责任链模式与策略模式结合

在审批流、工作流等场景中,责任链模式与策略模式结合非常有效。

class ApprovalStrategy(UserStrategy):
    """审批策略接口"""
    
    def __init__(self, approver_level: int):
        self.approver_level = approver_level
        self.next_strategy = None
    
    def set_next(self, strategy: 'ApprovalStrategy'):
        """设置下一个审批节点"""
        self.next_strategy = strategy
        return strategy
    
    def execute(self, context: Dict[str, Any]) -> Dict[str, Any]:
        # 当前策略处理
        result = self._process_approval(context)
        
        # 如果需要继续传递
        if self.next_strategy and result.get('need_next_approval', False):
            next_result = self.next_strategy.execute(context)
            # 合并结果
            result['next_approver'] = next_result.get('approver')
            result['final_decision'] = next_result.get('decision')
        
        return result
    
    def _process_approval(self, context: Dict[str, Any]) -> Dict[str, Any]:
        """具体审批逻辑"""
        amount = context.get('amount', 0)
        approver = context.get('current_approver', 'system')
        
        if amount <= self._get_approval_limit():
            return {
                'approver': approver,
                'decision': 'approved',
                'need_next_approval': False,
                'message': f'金额{amount}在审批权限内,已批准'
            }
        else:
            return {
                'approver': approver,
                'decision': 'pending',
                'need_next_approval': True,
                'message': f'金额{amount}超出审批权限,需要上级审批'
            }
    
    def _get_approval_limit(self) -> float:
        """获取审批限额"""
        limits = {
            1: 1000,    # 一级审批:1000元
            2: 5000,    # 二级审批:5000元
            3: 20000,   # 三级审批:20000元
            4: float('inf')  # 四级审批:无限制
        }
        return limits.get(self.approver_level, 0)

class ManagerApprovalStrategy(ApprovalStrategy):
    """经理审批策略"""
    
    def __init__(self):
        super().__init__(approver_level=2)
    
    def is_applicable(self, context: Dict[str, Any]) -> bool:
        # 经理审批适用于所有需要审批的场景
        return context.get('need_approval', False)

class DirectorApprovalStrategy(ApprovalStrategy):
    """总监审批策略"""
    
    def __init__(self):
        super().__init__(approver_level=3)
    
    def is_applicable(self, context: Dict[str, Any]) -> bool:
        return context.get('need_approval', False)

# 责任链构建器
class ApprovalChainBuilder:
    """审批链构建器"""
    
    def __init__(self):
        self.head = None
        self.tail = None
    
    def add_strategy(self, strategy: ApprovalStrategy):
        """添加策略到链中"""
        if not self.head:
            self.head = strategy
            self.tail = strategy
        else:
            self.tail.set_next(strategy)
            self.tail = strategy
        return self
    
    def build(self) -> ApprovalStrategy:
        """构建完整的责任链"""
        return self.head

def demo_approval_chain():
    # 构建审批链:经理 -> 总监 -> CEO
    builder = ApprovalChainBuilder()
    chain = builder.add_strategy(ManagerApprovalStrategy()) \
                   .add_strategy(DirectorApprovalStrategy()) \
                   .build()
    
    # 包装为策略管理器可用的形式
    class ChainWrapper(UserStrategy):
        def __init__(self, chain: ApprovalStrategy):
            self.chain = chain
        
        def is_applicable(self, context: Dict[str, Any]) -> bool:
            return context.get('need_approval', False)
        
        def execute(self, context: Dict[str, Any]) -> Dict[str, Any]:
            return self.chain.execute(context)
    
    manager = StrategyManager()
    manager.register_strategy(ChainWrapper(chain))
    
    # 测试不同金额的审批流程
    test_cases = [
        {'amount': 800, 'need_approval': True, 'current_approver': '部门主管'},
        {'amount': 3000, 'need_approval': True, 'current_approver': '部门主管'},
        {'amount': 15000, 'need_approval': True, 'current_approver': '部门主管'}
    ]
    
    for case in test_cases:
        result = manager.execute_strategy(case)
        print(f"审批案例: 金额={case['amount']}")
        print(f"结果: {result}\n")

3.3 动态策略路由

在微服务架构中,需要根据请求特征动态路由到不同的处理策略。

class DynamicRouter:
    """动态路由管理器"""
    
    def __init__(self):
        self.route_map: Dict[str, List[UserStrategy]] = {}
        self.default_strategy = None
    
    def register_route(self, route_key: str, strategy: UserStrategy):
        """注册路由规则"""
        if route_key not in self.route_map:
            self.route_map[route_key] = []
        self.route_map[route_key].append(strategy)
    
    def set_default_strategy(self, strategy: UserStrategy):
        """设置默认策略"""
        self.default_strategy = strategy
    
    def route(self, context: Dict[str, Any]) -> UserStrategy:
        """路由到合适的策略"""
        # 提取路由特征
        features = self._extract_features(context)
        
        # 查找匹配的路由
        for route_key, strategies in self.route_map.items():
            if self._match_route(route_key, features):
                # 在该路由下找到适用的策略
                for strategy in strategies:
                    if strategy.is_applicable(context):
                        return strategy
        
        # 返回默认策略
        if self.default_strategy:
            return self.default_strategy
        
        raise ValueError("No suitable strategy found")
    
    def _extract_features(self, context: Dict[str, Any]) -> Dict[str, Any]:
        """提取路由特征"""
        features = {}
        # 提取用户特征
        if 'user_level' in context:
            features['user_level'] = context['user_level']
        # 提取业务特征
        if 'business_type' in context:
            features['business_type'] = context['business_type']
        # 提取地域特征
        if 'region' in context:
            features['region'] = context['region']
        return features
    
    def _match_route(self, route_key: str, features: Dict[str, Any]) -> bool:
        """检查路由是否匹配"""
        # 简单的字符串匹配,实际可以是更复杂的规则
        return route_key in str(features)

# 使用动态路由的示例
def demo_dynamic_routing():
    router = DynamicRouter()
    
    # 注册不同业务类型的策略
    router.register_route('business_type=order', PremiumUserStrategy())
    router.register_route('business_type=refund', NewUserStrategy())
    
    # 设置默认策略
    router.register_route('default', NormalUserStrategy())
    
    # 测试路由
    contexts = [
        {'user_id': 1, 'user_level': 'premium', 'business_type': 'order'},
        {'user_id': 2, 'user_level': 'normal', 'business_type': 'refund'},
        {'user_id': 3, 'user_level': 'vip', 'business_type': 'other'}
    ]
    
    for context in contexts:
        strategy = router.route(context)
        result = strategy.execute(context)
        print(f"路由上下文: {context}")
        print(f"选中策略: {strategy.__class__.__name__}")
        print(f"执行结果: {result}\n")

四、复杂业务场景下的高级应用

4.1 规则引擎集成

对于极其复杂的业务规则,可以集成规则引擎如Drools或Easy Rules。

# 使用Easy Rules的Python实现
from easyrules import RulesEngine, Rule, Facts

class DiscountRule(Rule):
    """折扣规则"""
    
    def __init__(self, name, description, priority, condition, action):
        super().__init__(name, description, priority)
        self.condition_func = condition
        self.action_func = action
    
    def evaluate(self, facts: Facts) -> bool:
        return self.condition_func(facts)
    
    def execute(self, facts: Facts):
        self.action_func(facts)

class RuleBasedStrategy(UserStrategy):
    """基于规则引擎的策略"""
    
    def __init__(self, rules: List[DiscountRule]):
        self.engine = RulesEngine()
        for rule in rules:
            self.engine.register(rule)
    
    def is_applicable(self, context: Dict[str, Any]) -> bool:
        # 规则引擎总是适用的,具体规则在execute中判断
        return True
    
    def execute(self, context: Dict[str, Any]) -> Dict[str, Any]:
        facts = Facts()
        for key, value in context.items():
            facts.put(key, value)
        
        self.engine.fire(facts)
        
        # 从facts中获取结果
        result = {
            'user_id': context.get('user_id'),
            'discount': facts.get('discount', 1.0),
            'priority': facts.get('priority', 10),
            'message': facts.get('message', '')
        }
        return result

def demo_rule_engine():
    # 定义规则
    def premium_condition(facts):
        return facts.get('user_level') == 'premium'
    
    def premium_action(facts):
        facts.put('discount', 0.9)
        facts.put('priority', 1)
        facts.put('message', '高级用户9折')
    
    def new_user_condition(facts):
        return facts.get('is_new_user', False)
    
    def new_user_action(facts):
        facts.put('discount', 0.8)
        facts.put('priority', 2)
        facts.put('message', '新用户8折')
    
    # 创建规则列表
    rules = [
        DiscountRule('Premium Rule', '高级用户折扣', 1, 
                    premium_condition, premium_action),
        DiscountRule('New User Rule', '新用户折扣', 2,
                    new_user_condition, new_user_action)
    ]
    
    # 创建策略
    strategy = RuleBasedStrategy(rules)
    
    # 测试
    context = {'user_id': 1, 'user_level': 'premium', 'is_new_user': True}
    result = strategy.execute(context)
    print(f"规则引擎结果: {result}")

4.2 机器学习驱动的智能策略

对于个性化推荐、风险控制等场景,可以使用机器学习模型作为策略选择器。

import numpy as np
from sklearn.ensemble import RandomForestClassifier
from sklearn.preprocessing import LabelEncoder

class MLStrategySelector:
    """机器学习策略选择器"""
    
    def __init__(self):
        self.model = RandomForestClassifier(n_estimators=100)
        self.label_encoder = LabelEncoder()
        self.is_trained = False
    
    def prepare_features(self, context: Dict[str, Any]) -> np.ndarray:
        """准备特征"""
        # 特征工程
        features = []
        
        # 用户等级编码
        user_level = context.get('user_level', 'normal')
        level_map = {'normal': 0, 'premium': 1, 'vip': 2}
        features.append(level_map.get(user_level, 0))
        
        # 是否新用户
        features.append(1 if context.get('is_new_user', False) else 0)
        
        # 订单金额(对数变换)
        amount = context.get('order_amount', 0)
        features.append(np.log1p(amount))
        
        # 历史购买次数
        features.append(context.get('purchase_count', 0))
        
        return np.array(features).reshape(1, -1)
    
    def train(self, training_data: List[Dict[str, Any]]):
        """训练模型"""
        X = []
        y = []
        
        for data in training_data:
            features = self.prepare_features(data['context'])
            X.append(features[0])
            y.append(data['strategy_name'])
        
        X = np.array(X)
        y = self.label_encoder.fit_transform(y)
        
        self.model.fit(X, y)
        self.is_trained = True
    
    def select_strategy(self, context: Dict[str, Any], 
                       strategies: List[UserStrategy]) -> UserStrategy:
        """选择最优策略"""
        if not self.is_trained:
            # 未训练时返回默认策略
            return strategies[0]
        
        features = self.prepare_features(context)
        prediction = self.model.predict(features)
        strategy_name = self.label_encoder.inverse_transform(prediction)[0]
        
        # 查找对应策略
        for strategy in strategies:
            if strategy.__class__.__name__ == strategy_name:
                return strategy
        
        return strategies[0]

class MLStrategyWrapper(UserStrategy):
    """机器学习策略包装器"""
    
    def __init__(self, selector: MLStrategySelector, strategies: List[UserStrategy]):
        self.selector = selector
        self.strategies = strategies
    
    def is_applicable(self, context: Dict[str, Any]) -> bool:
        return True
    
    def execute(self, context: Dict[str, Any]) -> Dict[str, Any]:
        strategy = self.selector.select_strategy(context, self.strategies)
        return strategy.execute(context)

def demo_ml_strategy():
    # 准备训练数据
    training_data = [
        {'context': {'user_level': 'premium', 'is_new_user': False, 
                     'order_amount': 500, 'purchase_count': 5}, 
         'strategy_name': 'PremiumUserStrategy'},
        {'context': {'user_level': 'normal', 'is_new_user': True, 
                     'order_amount': 200, 'purchase_count': 0}, 
         'strategy_name': 'NewUserStrategy'},
        {'context': {'user_level': 'vip', 'is_new_user': False, 
                     'order_amount': 1000, 'purchase_count': 10}, 
         'strategy_name': 'VIPUserStrategy'}
    ]
    
    # 训练选择器
    selector = MLStrategySelector()
    selector.train(training_data)
    
    # 创建策略
    strategies = [
        PremiumUserStrategy(),
        NewUserStrategy(),
        VIPUserStrategy(discount_rate=0.7, min_purchase=100)
    ]
    
    # 包装为ML策略
    ml_strategy = MLStrategyWrapper(selector, strategies)
    
    # 测试
    test_context = {'user_level': 'premium', 'is_new_user': False, 
                   'order_amount': 600, 'purchase_count': 6}
    result = ml_strategy.execute(test_context)
    print(f"ML策略选择结果: {result}")

4.3 多租户策略隔离

在SaaS系统中,不同租户可能需要不同的策略配置。

class TenantStrategyManager(StrategyManager):
    """多租户策略管理器"""
    
    def __init__(self):
        super().__init__()
        self.tenant_strategies: Dict[str, List[UserStrategy]] = {}
        self.default_tenant_strategies: List[UserStrategy] = []
    
    def register_tenant_strategy(self, tenant_id: str, strategy: UserStrategy):
        """注册租户特定策略"""
        if tenant_id not in self.tenant_strategies:
            self.tenant_strategies[tenant_id] = []
        self.tenant_strategies[tenant_id].append(strategy)
    
    def register_default_strategy(self, strategy: UserStrategy):
        """注册默认策略"""
        self.default_tenant_strategies.append(strategy)
    
    def execute_strategy(self, context: Dict[str, Any], tenant_id: str = None) -> Dict[str, Any]:
        """执行租户特定策略"""
        strategies = self._get_tenant_strategies(tenant_id)
        
        for strategy in strategies:
            if strategy.is_applicable(context):
                return strategy.execute(context)
        
        # 回退到默认策略
        for strategy in self.default_tenant_strategies:
            if strategy.is_applicable(context):
                return strategy.execute(context)
        
        raise ValueError(f"No strategy found for tenant {tenant_id}")
    
    def _get_tenant_strategies(self, tenant_id: str) -> List[UserStrategy]:
        """获取租户策略列表"""
        if tenant_id and tenant_id in self.tenant_strategies:
            return self.tenant_strategies[tenant_id]
        return []

# 租户特定策略示例
class TenantPremiumStrategy(UserStrategy):
    """租户特定的高级用户策略"""
    
    def __init__(self, tenant_id: str, discount_rate: float):
        self.tenant_id = tenant_id
        self.discount_rate = discount_rate
    
    def execute(self, context: Dict[str, Any]) -> Dict[str, Any]:
        return {
            'user_id': context.get('user_id'),
            'discount': self.discount_rate,
            'priority': 1,
            'message': f'租户{self.tenant_id}高级用户专享{self.discount_rate:.1f}折'
        }
    
    def is_applicable(self, context: Dict[str, Any]) -> bool:
        return context.get('user_level') == 'premium'

def demo_tenant_strategy():
    manager = TenantStrategyManager()
    
    # 注册租户A的策略
    manager.register_tenant_strategy(
        'tenant_a', 
        TenantPremiumStrategy('tenant_a', 0.85)
    )
    
    # 注册租户B的策略
    manager.register_tenant_strategy(
        'tenant_b',
        TenantPremiumStrategy('tenant_b', 0.75)
    )
    
    # 注册默认策略
    manager.register_default_strategy(PremiumUserStrategy())
    
    # 测试不同租户
    context = {'user_id': 1, 'user_level': 'premium'}
    
    result_a = manager.execute_strategy(context, 'tenant_a')
    print(f"租户A结果: {result_a}")
    
    result_b = manager.execute_strategy(context, 'tenant_b')
    print(f"租户B结果: {result_b}")
    
    result_default = manager.execute_strategy(context, None)
    print(f"默认结果: {result_default}")

五、性能优化与监控

5.1 策略执行性能监控

import time
from contextlib import contextmanager
from collections import defaultdict

class MonitoredStrategyManager(StrategyManager):
    """带监控的策略管理器"""
    
    def __init__(self):
        super().__init__()
        self.metrics = defaultdict(list)
        self.execution_count = defaultdict(int)
    
    @contextmanager
    def _measure_time(self, strategy_name: str):
        """测量执行时间"""
        start = time.time()
        try:
            yield
        finally:
            duration = time.time() - start
            self.metrics[strategy_name].append(duration)
            self.execution_count[strategy_name] += 1
    
    def execute_strategy(self, context: Dict[str, Any]) -> Dict[str, Any]:
        """执行策略并记录指标"""
        strategy = self.get_applicable_strategy(context)
        strategy_name = strategy.__class__.__name__
        
        with self._measure_time(strategy_name):
            result = strategy.execute(context)
        
        return result
    
    def get_performance_report(self) -> Dict[str, Any]:
        """获取性能报告"""
        report = {}
        for strategy_name, durations in self.metrics.items():
            if durations:
                report[strategy_name] = {
                    'total_calls': self.execution_count[strategy_name],
                    'avg_time': sum(durations) / len(durations),
                    'max_time': max(durations),
                    'min_time': min(durations),
                    'total_time': sum(durations)
                }
        return report
    
    def reset_metrics(self):
        """重置指标"""
        self.metrics.clear()
        self.execution_count.clear()

def demo_performance_monitoring():
    manager = MonitoredStrategyManager()
    manager.register_strategy(PremiumUserStrategy())
    manager.register_strategy(NormalUserStrategy())
    
    # 模拟多次调用
    for i in range(100):
        context = {'user_id': i, 'user_level': 'premium' if i % 2 == 0 else 'normal'}
        manager.execute_strategy(context)
    
    # 生成报告
    report = manager.get_performance_report()
    print("性能报告:")
    for strategy, metrics in report.items():
        print(f"{strategy}:")
        print(f"  调用次数: {metrics['total_calls']}")
        print(f"  平均耗时: {metrics['avg_time']:.6f}秒")
        print(f"  最大耗时: {metrics['max_time']:.6f}秒")
        print(f"  总耗时: {metrics['total_time']:.6f}秒")

5.2 策略预热与缓存

import threading
from concurrent.futures import ThreadPoolExecutor

class WarmupStrategyManager(StrategyManager):
    """支持预热的策略管理器"""
    
    def __init__(self, max_workers: int = 4):
        super().__init__()
        self.executor = ThreadPoolExecutor(max_workers=max_workers)
        self._warmup_complete = threading.Event()
    
    def warmup(self, sample_contexts: List[Dict[str, Any]]):
        """预热策略"""
        def warmup_single(context):
            try:
                strategy = self.get_applicable_strategy(context)
                # 执行一次但不返回结果,用于触发JIT编译等
                strategy.execute(context)
            except Exception as e:
                print(f"Warmup failed for context {context}: {e}")
        
        # 并行预热
        futures = [self.executor.submit(warmup_single, ctx) 
                  for ctx in sample_contexts]
        
        # 等待所有预热完成
        for future in futures:
            future.result()
        
        self._warmup_complete.set()
        print("预热完成")
    
    def execute_strategy(self, context: Dict[str, Any]) -> Dict[str, Any]:
        """等待预热完成后执行策略"""
        self._warmup_complete.wait()
        return super().execute_strategy(context)

def demo_warmup():
    manager = WarmupStrategyManager()
    manager.register_strategy(PremiumUserStrategy())
    manager.register_strategy(NormalUserStrategy())
    
    # 准备预热样本
    sample_contexts = [
        {'user_id': 1, 'user_level': 'premium'},
        {'user_id': 2, 'user_level': 'normal'},
        {'user_id': 3, 'user_level': 'premium'}
    ]
    
    # 执行预热
    manager.warmup(sample_contexts)
    
    # 正式执行
    result = manager.execute_strategy({'user_id': 4, 'user_level': 'premium'})
    print(f"正式执行结果: {result}")

六、最佳实践与设计原则

6.1 策略设计原则

  1. 单一职责原则:每个策略只负责一种业务规则
  2. 开闭原则:对扩展开放,对修改关闭
  3. 依赖倒置原则:依赖抽象而非具体实现
  4. 接口隔离原则:策略接口应精简且专注

6.2 配置管理建议

# 推荐的配置结构
"""
# strategies.yaml
version: "1.0"
strategies:
  - name: "premium_user"
    module: "strategies.premium"
    class: "PremiumUserStrategy"
    enabled: true
    priority: 1
    params:
      discount_rate: 0.9
    conditions:
      user_level: "premium"
    metadata:
      description: "高级用户9折优惠"
      author: "business_team"
      last_updated: "2024-01-15"
  
  - name: "new_user"
    module: "strategies.new"
    class: "NewUserStrategy"
    enabled: true
    priority: 2
    params:
      discount_rate: 0.8
    conditions:
      is_new_user: true
    metadata:
      description: "新用户首单8折"
      author: "marketing_team"
      last_updated: "2024-01-10"

# 策略组合
composites:
  - name: "vip_new_combo"
    type: "all"
    strategies:
      - "premium_user"
      - "new_user"
    enabled: true
"""

6.3 错误处理与降级策略

class FallbackStrategy(UserStrategy):
    """降级策略"""
    
    def __init__(self, primary: UserStrategy, fallback: UserStrategy):
        self.primary = primary
        self.fallback = fallback
    
    def is_applicable(self, context: Dict[str, Any]) -> bool:
        return True
    
    def execute(self, context: Dict[str, Any]) -> Dict[str, Any]:
        try:
            return self.primary.execute(context)
        except Exception as e:
            print(f"主策略执行失败: {e},切换到降级策略")
            return self.fallback.execute(context)

class CircuitBreakerStrategy(UserStrategy):
    """熔断策略"""
    
    def __init__(self, strategy: UserStrategy, failure_threshold: int = 5):
        self.strategy = strategy
        self.failure_threshold = failure_threshold
        self.failure_count = 0
        self.is_open = False
    
    def is_applicable(self, context: Dict[str, Any]) -> bool:
        return not self.is_open
    
    def execute(self, context: Dict[str, Any]) -> Dict[str, Any]:
        try:
            result = self.strategy.execute(context)
            # 成功则重置失败计数
            self.failure_count = 0
            return result
        except Exception as e:
            self.failure_count += 1
            if self.failure_count >= self.failure_threshold:
                self.is_open = True
                print(f"熔断器已打开,策略{self.strategy.__class__.__name__}被禁用")
            raise e
    
    def reset(self):
        """手动重置熔断器"""
        self.failure_count = 0
        self.is_open = False

def demo_error_handling():
    # 创建可能失败的策略
    class UnstableStrategy(UserStrategy):
        def execute(self, context: Dict[str, Any]) -> Dict[str, Any]:
            import random
            if random.random() < 0.5:
                raise Exception("随机失败")
            return {'result': 'success', 'discount': 0.9}
        
        def is_applicable(self, context: Dict[str, Any]) -> bool:
            return True
    
    # 组合使用
    primary = UnstableStrategy()
    fallback = PremiumUserStrategy()
    
    # 降级策略
    fallback_strategy = FallbackStrategy(primary, fallback)
    
    # 熔断策略
    circuit_breaker = CircuitBreakerStrategy(fallback_strategy, failure_threshold=3)
    
    # 测试
    for i in range(10):
        try:
            result = circuit_breaker.execute({'user_id': 1})
            print(f"第{i+1}次调用: {result}")
        except Exception as e:
            print(f"第{i+1}次调用失败: {e}")

七、总结与展望

用户策略模式是现代软件架构中应对复杂业务场景的利器。通过合理的架构设计、高效的配置管理和灵活的应用模式,我们可以构建出既稳定又灵活的系统。

核心要点回顾:

  1. 策略模式是基础:将业务规则封装为独立的策略对象
  2. 配置驱动是关键:通过配置文件或数据库实现动态管理
  3. 组合模式应对复杂性:使用组合策略、责任链等模式处理复杂场景
  4. 性能优化不可少:缓存、预热、监控等手段保障系统性能
  5. 容错设计很重要:降级、熔断等机制提高系统稳定性

未来发展趋势:

  • AI驱动的智能策略:利用机器学习自动优化策略选择
  • 云原生策略管理:结合Service Mesh实现策略的动态下发
  • 事件驱动架构:通过事件触发策略的自动调整
  • 低代码策略配置:提供可视化界面让业务人员直接配置策略

通过本文介绍的方法和实践,开发者可以在各种复杂业务场景中高效地应用用户策略,构建出真正灵活、可扩展的软件系统。# 用户策略如何在软件调用中实现高效配置与灵活应用以应对复杂业务场景

引言:理解用户策略在现代软件架构中的核心地位

在当今快速变化的商业环境中,软件系统面临着前所未有的挑战:业务需求频繁变更、用户群体日益多样化、市场环境瞬息万变。传统的硬编码业务逻辑已经无法满足这种动态需求,用户策略(User Strategy)作为一种将业务规则与代码逻辑分离的设计模式,正成为构建灵活、可扩展软件系统的关键技术。

用户策略本质上是一种行为封装机制,它将特定的业务规则、决策逻辑或处理流程抽象为独立的策略对象,使得系统可以在运行时根据不同的条件动态选择和切换这些策略。这种设计不仅提高了代码的可维护性,更重要的是赋予了系统快速响应业务变化的能力。

一、用户策略的核心概念与架构设计

1.1 策略模式的基本原理

策略模式(Strategy Pattern)是用户策略实现的理论基础。它定义了一系列算法,将每个算法封装起来,并使它们可以相互替换。在用户策略的上下文中,这些”算法”就是不同的业务规则或处理逻辑。

from abc import ABC, abstractmethod
from typing import Dict, Any, List

# 策略接口定义
class UserStrategy(ABC):
    """用户策略基类"""
    
    @abstractmethod
    def execute(self, context: Dict[str, Any]) -> Dict[str, Any]:
        """执行策略逻辑"""
        pass
    
    @abstractmethod
    def is_applicable(self, context: Dict[str, Any]) -> bool:
        """判断策略是否适用于当前上下文"""
        pass

# 具体策略实现示例
class PremiumUserStrategy(UserStrategy):
    """高级用户策略"""
    
    def execute(self, context: Dict[str, Any]) -> Dict[str, Any]:
        user_id = context.get('user_id')
        # 高级用户享受9折优惠
        discount = 0.9
        # 优先处理
        priority = 1
        
        return {
            'user_id': user_id,
            'discount': discount,
            'priority': priority,
            'message': '尊敬的高级用户,您享受9折优惠'
        }
    
    def is_applicable(self, context: Dict[str, Any]) -> bool:
        user_level = context.get('user_level', 'normal')
        return user_level == 'premium'

class NormalUserStrategy(UserStrategy):
    """普通用户策略"""
    
    def execute(self, context: Dict[str, Any]) -> Dict[str, Any]:
        user_id = context.get('user_id')
        # 普通用户无折扣
        discount = 1.0
        # 普通优先级
        priority = 3
        
        return {
            'user_id': user_id,
            'discount': discount,
            'priority': priority,
            'message': '欢迎光临,普通用户'
        }
    
    def is_applicable(self, context: Dict[str, Any]) -> bool:
        user_level = context.get('user_level', 'normal')
        return user_level == 'normal'

class NewUserStrategy(UserStrategy):
    """新用户策略"""
    
    def execute(self, context: Dict[str, Any]) -> Dict[str, Any]:
        user_id = context.get('user_id')
        # 新用户首单8折
        discount = 0.8
        # 高优先级
        priority = 2
        
        return {
            'user_id': user_id,
            'discount': discount,
            'priority': priority,
            'message': '新用户首单8折优惠'
        }
    
    def is_applicable(self, context: Dict[str, Any]) -> bool:
        user_level = context.get('user_level', 'normal')
        is_new = context.get('is_new_user', False)
        return user_level == 'normal' and is_new

1.2 策略管理器设计

策略管理器是用户策略系统的核心协调者,负责策略的注册、查找和执行。

class StrategyManager:
    """策略管理器"""
    
    def __init__(self):
        self._strategies: List[UserStrategy] = []
    
    def register_strategy(self, strategy: UserStrategy):
        """注册策略"""
        self._strategies.append(strategy)
    
    def get_applicable_strategy(self, context: Dict[str, Any]) -> UserStrategy:
        """获取适用的策略"""
        for strategy in self._strategies:
            if strategy.is_applicable(context):
                return strategy
        raise ValueError(f"No applicable strategy found for context: {context}")
    
    def execute_strategy(self, context: Dict[str, Any]) -> Dict[str, Any]:
        """执行策略"""
        strategy = self.get_applicable_strategy(context)
        return strategy.execute(context)
    
    def execute_all_strategies(self, context: Dict[str, Any]) -> List[Dict[str, Any]]:
        """执行所有适用策略并按优先级排序"""
        applicable_strategies = [
            strategy for strategy in self._strategies 
            if strategy.is_applicable(context)
        ]
        
        results = []
        for strategy in applicable_strategies:
            result = strategy.execute(context)
            results.append(result)
        
        # 按优先级排序
        results.sort(key=lambda x: x.get('priority', 999))
        return results

# 使用示例
def demo_strategy_manager():
    manager = StrategyManager()
    
    # 注册策略
    manager.register_strategy(PremiumUserStrategy())
    manager.register_strategy(NormalUserStrategy())
    manager.register_strategy(NewUserStrategy())
    
    # 测试不同场景
    test_contexts = [
        {'user_id': 1, 'user_level': 'premium'},
        {'user_id': 2, 'user_level': 'normal', 'is_new_user': False},
        {'user_id': 3, 'user_level': 'normal', 'is_new_user': True}
    ]
    
    for context in test_contexts:
        result = manager.execute_strategy(context)
        print(f"Context: {context}")
        print(f"Result: {result}\n")

# 运行演示
# demo_strategy_manager()

二、高效配置策略的实现方法

2.1 基于配置文件的动态策略加载

为了实现高效的配置管理,我们可以将策略定义与代码分离,通过配置文件动态加载策略。

import yaml
import importlib
from pathlib import Path

class ConfigurableStrategyManager(StrategyManager):
    """支持配置文件的策略管理器"""
    
    def __init__(self, config_path: str = None):
        super().__init__()
        self.config_path = config_path
        if config_path:
            self.load_strategies_from_config(config_path)
    
    def load_strategies_from_config(self, config_path: str):
        """从配置文件加载策略"""
        config_file = Path(config_path)
        if not config_file.exists():
            raise FileNotFoundError(f"Config file not found: {config_path}")
        
        with open(config_file, 'r', encoding='utf-8') as f:
            config = yaml.safe_load(f)
        
        for strategy_config in config.get('strategies', []):
            self._load_single_strategy(strategy_config)
    
    def _load_single_strategy(self, strategy_config: Dict[str, Any]):
        """加载单个策略"""
        module_path = strategy_config['module']
        class_name = strategy_config['class']
        params = strategy_config.get('params', {})
        
        # 动态导入模块和类
        module = importlib.import_module(module_path)
        strategy_class = getattr(module, class_name)
        
        # 实例化策略
        strategy = strategy_class(**params)
        self.register_strategy(strategy)

# 配置文件示例 (strategies.yaml)
"""
strategies:
  - module: "user_strategies"
    class: "PremiumUserStrategy"
    params: {}
  
  - module: "user_strategies"
    class: "NormalUserStrategy"
    params: {}
  
  - module: "user_strategies"
    class: "NewUserStrategy"
    params: {}
  
  - module: "user_strategies"
    class: "VIPUserStrategy"
    params:
      discount_rate: 0.7
      min_purchase: 100
"""

# VIP用户策略示例
class VIPUserStrategy(UserStrategy):
    """VIP用户策略"""
    
    def __init__(self, discount_rate: float = 0.7, min_purchase: float = 100):
        self.discount_rate = discount_rate
        self.min_purchase = min_purchase
    
    def execute(self, context: Dict[str, Any]) -> Dict[str, Any]:
        user_id = context.get('user_id')
        order_amount = context.get('order_amount', 0)
        
        if order_amount >= self.min_purchase:
            discount = self.discount_rate
            message = f'VIP用户专享{self.discount_rate:.1f}折优惠'
        else:
            discount = 0.95
            message = f'VIP用户(不足{self.min_purchase}元)享受95折'
        
        return {
            'user_id': user_id,
            'discount': discount,
            'priority': 0,
            'message': message
        }
    
    def is_applicable(self, context: Dict[str, Any]) -> bool:
        user_level = context.get('user_level', 'normal')
        return user_level == 'vip'

2.2 数据库驱动的策略配置

对于需要频繁更新策略的场景,数据库存储是更好的选择。

from sqlalchemy import create_engine, Column, Integer, String, Boolean, JSON
from sqlalchemy.ext.declarative import declarative_base
from sqlalchemy.orm import sessionmaker

Base = declarative_base()

class StrategyConfig(Base):
    """策略配置表"""
    __tablename__ = 'strategy_configs'
    
    id = Column(Integer, primary_key=True)
    name = Column(String(100), unique=True, nullable=False)
    module = Column(String(200), nullable=False)
    class_name = Column(String(100), nullable=False)
    is_active = Column(Boolean, default=True)
    priority = Column(Integer, default=10)
    params = Column(JSON, default={})
    condition = Column(JSON, default={})

class DatabaseStrategyManager(StrategyManager):
    """数据库驱动的策略管理器"""
    
    def __init__(self, db_url: str):
        super().__init__()
        self.engine = create_engine(db_url)
        Base.metadata.create_all(self.engine)
        self.Session = sessionmaker(bind=self.engine)
        self.load_strategies_from_db()
    
    def load_strategies_from_db(self):
        """从数据库加载策略"""
        session = self.Session()
        try:
            configs = session.query(StrategyConfig).filter_by(is_active=True).all()
            for config in configs:
                self._load_strategy_from_config(config)
        finally:
            session.close()
    
    def _load_strategy_from_config(self, config: StrategyConfig):
        """从配置对象加载策略"""
        module = importlib.import_module(config.module)
        strategy_class = getattr(module, config.class_name)
        
        # 实例化策略
        strategy = strategy_class(**config.params)
        
        # 包装条件检查
        original_is_applicable = strategy.is_applicable
        
        def wrapped_is_applicable(context: Dict[str, Any]) -> bool:
            # 先检查原始条件
            if not original_is_applicable(context):
                return False
            
            # 再检查配置中的额外条件
            condition = config.condition
            if not condition:
                return True
            
            return self._check_condition(context, condition)
        
        strategy.is_applicable = wrapped_is_applicable
        self.register_strategy(strategy)
    
    def _check_condition(self, context: Dict[str, Any], condition: Dict[str, Any]) -> bool:
        """检查条件"""
        for key, expected_value in condition.items():
            actual_value = context.get(key)
            if actual_value != expected_value:
                return False
        return True
    
    def update_strategy(self, name: str, **kwargs):
        """动态更新策略配置"""
        session = self.Session()
        try:
            config = session.query(StrategyConfig).filter_by(name=name).first()
            if config:
                for key, value in kwargs.items():
                    if hasattr(config, key):
                        setattr(config, key, value)
                session.commit()
                # 重新加载策略
                self._strategies = []
                self.load_strategies_from_db()
        finally:
            session.close()

2.3 缓存优化策略

为了提高性能,可以引入缓存机制。

from functools import lru_cache
import hashlib
import json

class CachedStrategyManager(StrategyManager):
    """带缓存的策略管理器"""
    
    def __init__(self, max_cache_size: int = 1000):
        super().__init__()
        self._cache = {}
        self.max_cache_size = max_cache_size
    
    def _get_cache_key(self, context: Dict[str, Any]) -> str:
        """生成缓存键"""
        # 将字典转换为稳定字符串
        context_str = json.dumps(context, sort_keys=True)
        return hashlib.md5(context_str.encode()).hexdigest()
    
    @lru_cache(maxsize=128)
    def get_applicable_strategy(self, context: Dict[str, Any]) -> UserStrategy:
        """带缓存的策略获取"""
        cache_key = self._get_cache_key(context)
        
        if cache_key in self._cache:
            strategy_name = self._cache[cache_key]
            # 从已注册策略中查找
            for strategy in self._strategies:
                if strategy.__class__.__name__ == strategy_name:
                    return strategy
        
        # 未命中缓存,执行查找
        strategy = super().get_applicable_strategy(context)
        
        # 存入缓存
        if len(self._cache) >= self.max_cache_size:
            # 简单的LRU淘汰策略
            self._cache.pop(next(iter(self._cache)))
        
        self._cache[cache_key] = strategy.__class__.__name__
        return strategy
    
    def clear_cache(self):
        """清空缓存"""
        self._cache.clear()
        self.get_applicable_strategy.cache_clear()

三、灵活应用:应对复杂业务场景

3.1 组合策略模式

在复杂业务场景中,单一策略往往不够,需要组合多个策略。

class CompositeStrategy(UserStrategy):
    """组合策略:支持多个子策略的组合"""
    
    def __init__(self, strategies: List[UserStrategy], strategy_type: str = 'all'):
        """
        strategy_type: 
        - 'all': 所有策略都适用时才执行
        - 'any': 任一策略适用时就执行
        - 'chain': 按顺序执行所有适用策略
        """
        self.strategies = strategies
        self.strategy_type = strategy_type
    
    def is_applicable(self, context: Dict[str, Any]) -> bool:
        if self.strategy_type == 'all':
            return all(s.is_applicable(context) for s in self.strategies)
        elif self.strategy_type == 'any':
            return any(s.is_applicable(context) for s in self.strategies)
        elif self.strategy_type == 'chain':
            return any(s.is_applicable(context) for s in self.strategies)
        return False
    
    def execute(self, context: Dict[str, Any]) -> Dict[str, Any]:
        if self.strategy_type == 'all':
            # 合并所有策略结果
            results = [s.execute(context) for s in self.strategies]
            return self._merge_results(results)
        elif self.strategy_type == 'any':
            # 执行第一个适用的策略
            for s in self.strategies:
                if s.is_applicable(context):
                    return s.execute(context)
        elif self.strategy_type == 'chain':
            # 链式执行,传递上下文
            current_context = context.copy()
            for s in self.strategies:
                if s.is_applicable(current_context):
                    result = s.execute(current_context)
                    # 可以将结果合并到上下文中
                    current_context.update(result)
            return current_context
        
        return {}
    
    def _merge_results(self, results: List[Dict[str, Any]]) -> Dict[str, Any]:
        """合并多个策略结果"""
        merged = {}
        for result in results:
            for key, value in result.items():
                if key not in merged:
                    merged[key] = value
                else:
                    # 特殊处理折扣叠加
                    if key == 'discount':
                        merged[key] = merged[key] * value
                    elif key == 'priority':
                        merged[key] = min(merged[key], value)
                    else:
                        merged[key] = value
        return merged

# 使用组合策略的示例
def demo_composite_strategy():
    # 创建基础策略
    vip = VIPUserStrategy(discount_rate=0.7, min_purchase=100)
    premium = PremiumUserStrategy()
    new_user = NewUserStrategy()
    
    # 创建组合策略
    # 场景:VIP用户如果也是新用户,享受额外优惠
    vip_new_combo = CompositeStrategy([vip, new_user], strategy_type='all')
    
    manager = StrategyManager()
    manager.register_strategy(vip_new_combo)
    manager.register_strategy(premium)
    manager.register_strategy(new_user)
    
    # 测试
    context = {'user_id': 1, 'user_level': 'vip', 'is_new_user': True, 'order_amount': 150}
    result = manager.execute_strategy(context)
    print(f"组合策略结果: {result}")

3.2 责任链模式与策略模式结合

在审批流、工作流等场景中,责任链模式与策略模式结合非常有效。

class ApprovalStrategy(UserStrategy):
    """审批策略接口"""
    
    def __init__(self, approver_level: int):
        self.approver_level = approver_level
        self.next_strategy = None
    
    def set_next(self, strategy: 'ApprovalStrategy'):
        """设置下一个审批节点"""
        self.next_strategy = strategy
        return strategy
    
    def execute(self, context: Dict[str, Any]) -> Dict[str, Any]:
        # 当前策略处理
        result = self._process_approval(context)
        
        # 如果需要继续传递
        if self.next_strategy and result.get('need_next_approval', False):
            next_result = self.next_strategy.execute(context)
            # 合并结果
            result['next_approver'] = next_result.get('approver')
            result['final_decision'] = next_result.get('decision')
        
        return result
    
    def _process_approval(self, context: Dict[str, Any]) -> Dict[str, Any]:
        """具体审批逻辑"""
        amount = context.get('amount', 0)
        approver = context.get('current_approver', 'system')
        
        if amount <= self._get_approval_limit():
            return {
                'approver': approver,
                'decision': 'approved',
                'need_next_approval': False,
                'message': f'金额{amount}在审批权限内,已批准'
            }
        else:
            return {
                'approver': approver,
                'decision': 'pending',
                'need_next_approval': True,
                'message': f'金额{amount}超出审批权限,需要上级审批'
            }
    
    def _get_approval_limit(self) -> float:
        """获取审批限额"""
        limits = {
            1: 1000,    # 一级审批:1000元
            2: 5000,    # 二级审批:5000元
            3: 20000,   # 三级审批:20000元
            4: float('inf')  # 四级审批:无限制
        }
        return limits.get(self.approver_level, 0)

class ManagerApprovalStrategy(ApprovalStrategy):
    """经理审批策略"""
    
    def __init__(self):
        super().__init__(approver_level=2)
    
    def is_applicable(self, context: Dict[str, Any]) -> bool:
        # 经理审批适用于所有需要审批的场景
        return context.get('need_approval', False)

class DirectorApprovalStrategy(ApprovalStrategy):
    """总监审批策略"""
    
    def __init__(self):
        super().__init__(approver_level=3)
    
    def is_applicable(self, context: Dict[str, Any]) -> bool:
        return context.get('need_approval', False)

# 责任链构建器
class ApprovalChainBuilder:
    """审批链构建器"""
    
    def __init__(self):
        self.head = None
        self.tail = None
    
    def add_strategy(self, strategy: ApprovalStrategy):
        """添加策略到链中"""
        if not self.head:
            self.head = strategy
            self.tail = strategy
        else:
            self.tail.set_next(strategy)
            self.tail = strategy
        return self
    
    def build(self) -> ApprovalStrategy:
        """构建完整的责任链"""
        return self.head

def demo_approval_chain():
    # 构建审批链:经理 -> 总监 -> CEO
    builder = ApprovalChainBuilder()
    chain = builder.add_strategy(ManagerApprovalStrategy()) \
                   .add_strategy(DirectorApprovalStrategy()) \
                   .build()
    
    # 包装为策略管理器可用的形式
    class ChainWrapper(UserStrategy):
        def __init__(self, chain: ApprovalStrategy):
            self.chain = chain
        
        def is_applicable(self, context: Dict[str, Any]) -> bool:
            return context.get('need_approval', False)
        
        def execute(self, context: Dict[str, Any]) -> Dict[str, Any]:
            return self.chain.execute(context)
    
    manager = StrategyManager()
    manager.register_strategy(ChainWrapper(chain))
    
    # 测试不同金额的审批流程
    test_cases = [
        {'amount': 800, 'need_approval': True, 'current_approver': '部门主管'},
        {'amount': 3000, 'need_approval': True, 'current_approver': '部门主管'},
        {'amount': 15000, 'need_approval': True, 'current_approver': '部门主管'}
    ]
    
    for case in test_cases:
        result = manager.execute_strategy(case)
        print(f"审批案例: 金额={case['amount']}")
        print(f"结果: {result}\n")

3.3 动态策略路由

在微服务架构中,需要根据请求特征动态路由到不同的处理策略。

class DynamicRouter:
    """动态路由管理器"""
    
    def __init__(self):
        self.route_map: Dict[str, List[UserStrategy]] = {}
        self.default_strategy = None
    
    def register_route(self, route_key: str, strategy: UserStrategy):
        """注册路由规则"""
        if route_key not in self.route_map:
            self.route_map[route_key] = []
        self.route_map[route_key].append(strategy)
    
    def set_default_strategy(self, strategy: UserStrategy):
        """设置默认策略"""
        self.default_strategy = strategy
    
    def route(self, context: Dict[str, Any]) -> UserStrategy:
        """路由到合适的策略"""
        # 提取路由特征
        features = self._extract_features(context)
        
        # 查找匹配的路由
        for route_key, strategies in self.route_map.items():
            if self._match_route(route_key, features):
                # 在该路由下找到适用的策略
                for strategy in strategies:
                    if strategy.is_applicable(context):
                        return strategy
        
        # 返回默认策略
        if self.default_strategy:
            return self.default_strategy
        
        raise ValueError("No suitable strategy found")
    
    def _extract_features(self, context: Dict[str, Any]) -> Dict[str, Any]:
        """提取路由特征"""
        features = {}
        # 提取用户特征
        if 'user_level' in context:
            features['user_level'] = context['user_level']
        # 提取业务特征
        if 'business_type' in context:
            features['business_type'] = context['business_type']
        # 提取地域特征
        if 'region' in context:
            features['region'] = context['region']
        return features
    
    def _match_route(self, route_key: str, features: Dict[str, Any]) -> bool:
        """检查路由是否匹配"""
        # 简单的字符串匹配,实际可以是更复杂的规则
        return route_key in str(features)

# 使用动态路由的示例
def demo_dynamic_routing():
    router = DynamicRouter()
    
    # 注册不同业务类型的策略
    router.register_route('business_type=order', PremiumUserStrategy())
    router.register_route('business_type=refund', NewUserStrategy())
    
    # 设置默认策略
    router.register_route('default', NormalUserStrategy())
    
    # 测试路由
    contexts = [
        {'user_id': 1, 'user_level': 'premium', 'business_type': 'order'},
        {'user_id': 2, 'user_level': 'normal', 'business_type': 'refund'},
        {'user_id': 3, 'user_level': 'vip', 'business_type': 'other'}
    ]
    
    for context in contexts:
        strategy = router.route(context)
        result = strategy.execute(context)
        print(f"路由上下文: {context}")
        print(f"选中策略: {strategy.__class__.__name__}")
        print(f"执行结果: {result}\n")

四、复杂业务场景下的高级应用

4.1 规则引擎集成

对于极其复杂的业务规则,可以集成规则引擎如Drools或Easy Rules。

# 使用Easy Rules的Python实现
from easyrules import RulesEngine, Rule, Facts

class DiscountRule(Rule):
    """折扣规则"""
    
    def __init__(self, name, description, priority, condition, action):
        super().__init__(name, description, priority)
        self.condition_func = condition
        self.action_func = action
    
    def evaluate(self, facts: Facts) -> bool:
        return self.condition_func(facts)
    
    def execute(self, facts: Facts):
        self.action_func(facts)

class RuleBasedStrategy(UserStrategy):
    """基于规则引擎的策略"""
    
    def __init__(self, rules: List[DiscountRule]):
        self.engine = RulesEngine()
        for rule in rules:
            self.engine.register(rule)
    
    def is_applicable(self, context: Dict[str, Any]) -> bool:
        # 规则引擎总是适用的,具体规则在execute中判断
        return True
    
    def execute(self, context: Dict[str, Any]) -> Dict[str, Any]:
        facts = Facts()
        for key, value in context.items():
            facts.put(key, value)
        
        self.engine.fire(facts)
        
        # 从facts中获取结果
        result = {
            'user_id': context.get('user_id'),
            'discount': facts.get('discount', 1.0),
            'priority': facts.get('priority', 10),
            'message': facts.get('message', '')
        }
        return result

def demo_rule_engine():
    # 定义规则
    def premium_condition(facts):
        return facts.get('user_level') == 'premium'
    
    def premium_action(facts):
        facts.put('discount', 0.9)
        facts.put('priority', 1)
        facts.put('message', '高级用户9折')
    
    def new_user_condition(facts):
        return facts.get('is_new_user', False)
    
    def new_user_action(facts):
        facts.put('discount', 0.8)
        facts.put('priority', 2)
        facts.put('message', '新用户8折')
    
    # 创建规则列表
    rules = [
        DiscountRule('Premium Rule', '高级用户折扣', 1, 
                    premium_condition, premium_action),
        DiscountRule('New User Rule', '新用户折扣', 2,
                    new_user_condition, new_user_action)
    ]
    
    # 创建策略
    strategy = RuleBasedStrategy(rules)
    
    # 测试
    context = {'user_id': 1, 'user_level': 'premium', 'is_new_user': True}
    result = strategy.execute(context)
    print(f"规则引擎结果: {result}")

4.2 机器学习驱动的智能策略

对于个性化推荐、风险控制等场景,可以使用机器学习模型作为策略选择器。

import numpy as np
from sklearn.ensemble import RandomForestClassifier
from sklearn.preprocessing import LabelEncoder

class MLStrategySelector:
    """机器学习策略选择器"""
    
    def __init__(self):
        self.model = RandomForestClassifier(n_estimators=100)
        self.label_encoder = LabelEncoder()
        self.is_trained = False
    
    def prepare_features(self, context: Dict[str, Any]) -> np.ndarray:
        """准备特征"""
        # 特征工程
        features = []
        
        # 用户等级编码
        user_level = context.get('user_level', 'normal')
        level_map = {'normal': 0, 'premium': 1, 'vip': 2}
        features.append(level_map.get(user_level, 0))
        
        # 是否新用户
        features.append(1 if context.get('is_new_user', False) else 0)
        
        # 订单金额(对数变换)
        amount = context.get('order_amount', 0)
        features.append(np.log1p(amount))
        
        # 历史购买次数
        features.append(context.get('purchase_count', 0))
        
        return np.array(features).reshape(1, -1)
    
    def train(self, training_data: List[Dict[str, Any]]):
        """训练模型"""
        X = []
        y = []
        
        for data in training_data:
            features = self.prepare_features(data['context'])
            X.append(features[0])
            y.append(data['strategy_name'])
        
        X = np.array(X)
        y = self.label_encoder.fit_transform(y)
        
        self.model.fit(X, y)
        self.is_trained = True
    
    def select_strategy(self, context: Dict[str, Any], 
                       strategies: List[UserStrategy]) -> UserStrategy:
        """选择最优策略"""
        if not self.is_trained:
            # 未训练时返回默认策略
            return strategies[0]
        
        features = self.prepare_features(context)
        prediction = self.model.predict(features)
        strategy_name = self.label_encoder.inverse_transform(prediction)[0]
        
        # 查找对应策略
        for strategy in strategies:
            if strategy.__class__.__name__ == strategy_name:
                return strategy
        
        return strategies[0]

class MLStrategyWrapper(UserStrategy):
    """机器学习策略包装器"""
    
    def __init__(self, selector: MLStrategySelector, strategies: List[UserStrategy]):
        self.selector = selector
        self.strategies = strategies
    
    def is_applicable(self, context: Dict[str, Any]) -> bool:
        return True
    
    def execute(self, context: Dict[str, Any]) -> Dict[str, Any]:
        strategy = self.selector.select_strategy(context, self.strategies)
        return strategy.execute(context)

def demo_ml_strategy():
    # 准备训练数据
    training_data = [
        {'context': {'user_level': 'premium', 'is_new_user': False, 
                     'order_amount': 500, 'purchase_count': 5}, 
         'strategy_name': 'PremiumUserStrategy'},
        {'context': {'user_level': 'normal', 'is_new_user': True, 
                     'order_amount': 200, 'purchase_count': 0}, 
         'strategy_name': 'NewUserStrategy'},
        {'context': {'user_level': 'vip', 'is_new_user': False, 
                     'order_amount': 1000, 'purchase_count': 10}, 
         'strategy_name': 'VIPUserStrategy'}
    ]
    
    # 训练选择器
    selector = MLStrategySelector()
    selector.train(training_data)
    
    # 创建策略
    strategies = [
        PremiumUserStrategy(),
        NewUserStrategy(),
        VIPUserStrategy(discount_rate=0.7, min_purchase=100)
    ]
    
    # 包装为ML策略
    ml_strategy = MLStrategyWrapper(selector, strategies)
    
    # 测试
    test_context = {'user_level': 'premium', 'is_new_user': False, 
                   'order_amount': 600, 'purchase_count': 6}
    result = ml_strategy.execute(test_context)
    print(f"ML策略选择结果: {result}")

4.3 多租户策略隔离

在SaaS系统中,不同租户可能需要不同的策略配置。

class TenantStrategyManager(StrategyManager):
    """多租户策略管理器"""
    
    def __init__(self):
        super().__init__()
        self.tenant_strategies: Dict[str, List[UserStrategy]] = {}
        self.default_tenant_strategies: List[UserStrategy] = []
    
    def register_tenant_strategy(self, tenant_id: str, strategy: UserStrategy):
        """注册租户特定策略"""
        if tenant_id not in self.tenant_strategies:
            self.tenant_strategies[tenant_id] = []
        self.tenant_strategies[tenant_id].append(strategy)
    
    def register_default_strategy(self, strategy: UserStrategy):
        """注册默认策略"""
        self.default_tenant_strategies.append(strategy)
    
    def execute_strategy(self, context: Dict[str, Any], tenant_id: str = None) -> Dict[str, Any]:
        """执行租户特定策略"""
        strategies = self._get_tenant_strategies(tenant_id)
        
        for strategy in strategies:
            if strategy.is_applicable(context):
                return strategy.execute(context)
        
        # 回退到默认策略
        for strategy in self.default_tenant_strategies:
            if strategy.is_applicable(context):
                return strategy.execute(context)
        
        raise ValueError(f"No strategy found for tenant {tenant_id}")
    
    def _get_tenant_strategies(self, tenant_id: str) -> List[UserStrategy]:
        """获取租户策略列表"""
        if tenant_id and tenant_id in self.tenant_strategies:
            return self.tenant_strategies[tenant_id]
        return []

# 租户特定策略示例
class TenantPremiumStrategy(UserStrategy):
    """租户特定的高级用户策略"""
    
    def __init__(self, tenant_id: str, discount_rate: float):
        self.tenant_id = tenant_id
        self.discount_rate = discount_rate
    
    def execute(self, context: Dict[str, Any]) -> Dict[str, Any]:
        return {
            'user_id': context.get('user_id'),
            'discount': self.discount_rate,
            'priority': 1,
            'message': f'租户{self.tenant_id}高级用户专享{self.discount_rate:.1f}折'
        }
    
    def is_applicable(self, context: Dict[str, Any]) -> bool:
        return context.get('user_level') == 'premium'

def demo_tenant_strategy():
    manager = TenantStrategyManager()
    
    # 注册租户A的策略
    manager.register_tenant_strategy(
        'tenant_a', 
        TenantPremiumStrategy('tenant_a', 0.85)
    )
    
    # 注册租户B的策略
    manager.register_tenant_strategy(
        'tenant_b',
        TenantPremiumStrategy('tenant_b', 0.75)
    )
    
    # 注册默认策略
    manager.register_default_strategy(PremiumUserStrategy())
    
    # 测试不同租户
    context = {'user_id': 1, 'user_level': 'premium'}
    
    result_a = manager.execute_strategy(context, 'tenant_a')
    print(f"租户A结果: {result_a}")
    
    result_b = manager.execute_strategy(context, 'tenant_b')
    print(f"租户B结果: {result_b}")
    
    result_default = manager.execute_strategy(context, None)
    print(f"默认结果: {result_default}")

五、性能优化与监控

5.1 策略执行性能监控

import time
from contextlib import contextmanager
from collections import defaultdict

class MonitoredStrategyManager(StrategyManager):
    """带监控的策略管理器"""
    
    def __init__(self):
        super().__init__()
        self.metrics = defaultdict(list)
        self.execution_count = defaultdict(int)
    
    @contextmanager
    def _measure_time(self, strategy_name: str):
        """测量执行时间"""
        start = time.time()
        try:
            yield
        finally:
            duration = time.time() - start
            self.metrics[strategy_name].append(duration)
            self.execution_count[strategy_name] += 1
    
    def execute_strategy(self, context: Dict[str, Any]) -> Dict[str, Any]:
        """执行策略并记录指标"""
        strategy = self.get_applicable_strategy(context)
        strategy_name = strategy.__class__.__name__
        
        with self._measure_time(strategy_name):
            result = strategy.execute(context)
        
        return result
    
    def get_performance_report(self) -> Dict[str, Any]:
        """获取性能报告"""
        report = {}
        for strategy_name, durations in self.metrics.items():
            if durations:
                report[strategy_name] = {
                    'total_calls': self.execution_count[strategy_name],
                    'avg_time': sum(durations) / len(durations),
                    'max_time': max(durations),
                    'min_time': min(durations),
                    'total_time': sum(durations)
                }
        return report
    
    def reset_metrics(self):
        """重置指标"""
        self.metrics.clear()
        self.execution_count.clear()

def demo_performance_monitoring():
    manager = MonitoredStrategyManager()
    manager.register_strategy(PremiumUserStrategy())
    manager.register_strategy(NormalUserStrategy())
    
    # 模拟多次调用
    for i in range(100):
        context = {'user_id': i, 'user_level': 'premium' if i % 2 == 0 else 'normal'}
        manager.execute_strategy(context)
    
    # 生成报告
    report = manager.get_performance_report()
    print("性能报告:")
    for strategy, metrics in report.items():
        print(f"{strategy}:")
        print(f"  调用次数: {metrics['total_calls']}")
        print(f"  平均耗时: {metrics['avg_time']:.6f}秒")
        print(f"  最大耗时: {metrics['max_time']:.6f}秒")
        print(f"  总耗时: {metrics['total_time']:.6f}秒")

5.2 策略预热与缓存

import threading
from concurrent.futures import ThreadPoolExecutor

class WarmupStrategyManager(StrategyManager):
    """支持预热的策略管理器"""
    
    def __init__(self, max_workers: int = 4):
        super().__init__()
        self.executor = ThreadPoolExecutor(max_workers=max_workers)
        self._warmup_complete = threading.Event()
    
    def warmup(self, sample_contexts: List[Dict[str, Any]]):
        """预热策略"""
        def warmup_single(context):
            try:
                strategy = self.get_applicable_strategy(context)
                # 执行一次但不返回结果,用于触发JIT编译等
                strategy.execute(context)
            except Exception as e:
                print(f"Warmup failed for context {context}: {e}")
        
        # 并行预热
        futures = [self.executor.submit(warmup_single, ctx) 
                  for ctx in sample_contexts]
        
        # 等待所有预热完成
        for future in futures:
            future.result()
        
        self._warmup_complete.set()
        print("预热完成")
    
    def execute_strategy(self, context: Dict[str, Any]) -> Dict[str, Any]:
        """等待预热完成后执行策略"""
        self._warmup_complete.wait()
        return super().execute_strategy(context)

def demo_warmup():
    manager = WarmupStrategyManager()
    manager.register_strategy(PremiumUserStrategy())
    manager.register_strategy(NormalUserStrategy())
    
    # 准备预热样本
    sample_contexts = [
        {'user_id': 1, 'user_level': 'premium'},
        {'user_id': 2, 'user_level': 'normal'},
        {'user_id': 3, 'user_level': 'premium'}
    ]
    
    # 执行预热
    manager.warmup(sample_contexts)
    
    # 正式执行
    result = manager.execute_strategy({'user_id': 4, 'user_level': 'premium'})
    print(f"正式执行结果: {result}")

六、最佳实践与设计原则

6.1 策略设计原则

  1. 单一职责原则:每个策略只负责一种业务规则
  2. 开闭原则:对扩展开放,对修改关闭
  3. 依赖倒置原则:依赖抽象而非具体实现
  4. 接口隔离原则:策略接口应精简且专注

6.2 配置管理建议

# 推荐的配置结构
"""
# strategies.yaml
version: "1.0"
strategies:
  - name: "premium_user"
    module: "strategies.premium"
    class: "PremiumUserStrategy"
    enabled: true
    priority: 1
    params:
      discount_rate: 0.9
    conditions:
      user_level: "premium"
    metadata:
      description: "高级用户9折优惠"
      author: "business_team"
      last_updated: "2024-01-15"
  
  - name: "new_user"
    module: "strategies.new"
    class: "NewUserStrategy"
    enabled: true
    priority: 2
    params:
      discount_rate: 0.8
    conditions:
      is_new_user: true
    metadata:
      description: "新用户首单8折"
      author: "marketing_team"
      last_updated: "2024-01-10"

# 策略组合
composites:
  - name: "vip_new_combo"
    type: "all"
    strategies:
      - "premium_user"
      - "new_user"
    enabled: true
"""

6.3 错误处理与降级策略

class FallbackStrategy(UserStrategy):
    """降级策略"""
    
    def __init__(self, primary: UserStrategy, fallback: UserStrategy):
        self.primary = primary
        self.fallback = fallback
    
    def is_applicable(self, context: Dict[str, Any]) -> bool:
        return True
    
    def execute(self, context: Dict[str, Any]) -> Dict[str, Any]:
        try:
            return self.primary.execute(context)
        except Exception as e:
            print(f"主策略执行失败: {e},切换到降级策略")
            return self.fallback.execute(context)

class CircuitBreakerStrategy(UserStrategy):
    """熔断策略"""
    
    def __init__(self, strategy: UserStrategy, failure_threshold: int = 5):
        self.strategy = strategy
        self.failure_threshold = failure_threshold
        self.failure_count = 0
        self.is_open = False
    
    def is_applicable(self, context: Dict[str, Any]) -> bool:
        return not self.is_open
    
    def execute(self, context: Dict[str, Any]) -> Dict[str, Any]:
        try:
            result = self.strategy.execute(context)
            # 成功则重置失败计数
            self.failure_count = 0
            return result
        except Exception as e:
            self.failure_count += 1
            if self.failure_count >= self.failure_threshold:
                self.is_open = True
                print(f"熔断器已打开,策略{self.strategy.__class__.__name__}被禁用")
            raise e
    
    def reset(self):
        """手动重置熔断器"""
        self.failure_count = 0
        self.is_open = False

def demo_error_handling():
    # 创建可能失败的策略
    class UnstableStrategy(UserStrategy):
        def execute(self, context: Dict[str, Any]) -> Dict[str, Any]:
            import random
            if random.random() < 0.5:
                raise Exception("随机失败")
            return {'result': 'success', 'discount': 0.9}
        
        def is_applicable(self, context: Dict[str, Any]) -> bool:
            return True
    
    # 组合使用
    primary = UnstableStrategy()
    fallback = PremiumUserStrategy()
    
    # 降级策略
    fallback_strategy = FallbackStrategy(primary, fallback)
    
    # 熔断策略
    circuit_breaker = CircuitBreakerStrategy(fallback_strategy, failure_threshold=3)
    
    # 测试
    for i in range(10):
        try:
            result = circuit_breaker.execute({'user_id': 1})
            print(f"第{i+1}次调用: {result}")
        except Exception as e:
            print(f"第{i+1}次调用失败: {e}")

七、总结与展望

用户策略模式是现代软件架构中应对复杂业务场景的利器。通过合理的架构设计、高效的配置管理和灵活的应用模式,我们可以构建出既稳定又灵活的系统。

核心要点回顾:

  1. 策略模式是基础:将业务规则封装为独立的策略对象
  2. 配置驱动是关键:通过配置文件或数据库实现动态管理
  3. 组合模式应对复杂性:使用组合策略、责任链等模式处理复杂场景
  4. 性能优化不可少:缓存、预热、监控等手段保障系统性能
  5. 容错设计很重要:降级、熔断等机制提高系统稳定性

未来发展趋势:

  • AI驱动的智能策略:利用机器学习自动优化策略选择
  • 云原生策略管理:结合Service Mesh实现策略的动态下发
  • 事件驱动架构:通过事件触发策略的自动调整
  • 低代码策略配置:提供可视化界面让业务人员直接配置策略

通过本文介绍的方法和实践,开发者可以在各种复杂业务场景中高效地应用用户策略,构建出真正灵活、可扩展的软件系统。