|
| 1 | +""" |
| 2 | +WASM-based (Native Rust) In-Process Resolver. |
| 3 | +
|
| 4 | +This resolver uses the native flagd-evaluator (PyO3 bindings) for high-performance |
| 5 | +flag evaluation. All evaluation logic and state management happens in Rust. |
| 6 | +""" |
| 7 | +import typing |
| 8 | + |
| 9 | +from flagd_evaluator import FlagEvaluator |
| 10 | +from openfeature.evaluation_context import EvaluationContext |
| 11 | +from openfeature.event import ProviderEventDetails |
| 12 | +from openfeature.exception import ErrorCode, FlagNotFoundError |
| 13 | +from openfeature.flag_evaluation import FlagResolutionDetails, FlagValueType, Reason |
| 14 | + |
| 15 | +from ..config import Config |
| 16 | +from .process.connector import FlagStateConnector |
| 17 | +from .process.connector.file_watcher import FileWatcher |
| 18 | +from .process.connector.grpc_watcher import GrpcWatcher |
| 19 | + |
| 20 | +T = typing.TypeVar("T") |
| 21 | + |
| 22 | + |
| 23 | +class WasmInProcessResolver: |
| 24 | + """ |
| 25 | + In-process flag resolver using native Rust evaluator. |
| 26 | +
|
| 27 | + This resolver uses the flagd-evaluator Python bindings (PyO3/Rust) for |
| 28 | + high-performance flag evaluation. All flag state and evaluation logic |
| 29 | + is managed by the Rust implementation. |
| 30 | + """ |
| 31 | + |
| 32 | + def __init__( |
| 33 | + self, |
| 34 | + config: Config, |
| 35 | + emit_provider_ready: typing.Callable[[ProviderEventDetails, dict], None], |
| 36 | + emit_provider_error: typing.Callable[[ProviderEventDetails], None], |
| 37 | + emit_provider_stale: typing.Callable[[ProviderEventDetails], None], |
| 38 | + emit_provider_configuration_changed: typing.Callable[ |
| 39 | + [ProviderEventDetails], None |
| 40 | + ], |
| 41 | + ): |
| 42 | + self.config = config |
| 43 | + self.emit_configuration_changed = emit_provider_configuration_changed |
| 44 | + |
| 45 | + # Create native evaluator (Rust-backed) with permissive validation mode |
| 46 | + # to match Python InProcessResolver behavior |
| 47 | + self.evaluator = FlagEvaluator(permissive=True) |
| 48 | + |
| 49 | + # Setup connector (FileWatcher or GrpcWatcher) |
| 50 | + # Connectors will call self.update_flags() when flags change |
| 51 | + self.connector: FlagStateConnector = ( |
| 52 | + FileWatcher( |
| 53 | + self.config, |
| 54 | + self, # Pass self instead of FlagStore |
| 55 | + emit_provider_ready, |
| 56 | + emit_provider_error, |
| 57 | + ) |
| 58 | + if self.config.offline_flag_source_path |
| 59 | + else GrpcWatcher( |
| 60 | + self.config, |
| 61 | + self, # Pass self instead of FlagStore |
| 62 | + emit_provider_ready, |
| 63 | + emit_provider_error, |
| 64 | + emit_provider_stale, |
| 65 | + ) |
| 66 | + ) |
| 67 | + |
| 68 | + def initialize(self, evaluation_context: EvaluationContext) -> None: |
| 69 | + """Initialize the connector to start receiving flag updates.""" |
| 70 | + self.connector.initialize(evaluation_context) |
| 71 | + |
| 72 | + def shutdown(self) -> None: |
| 73 | + """Shutdown the connector.""" |
| 74 | + self.connector.shutdown() |
| 75 | + |
| 76 | + def update(self, flags_config: dict) -> None: |
| 77 | + """ |
| 78 | + Update the flag configuration in the Rust evaluator. |
| 79 | +
|
| 80 | + This is called by connectors (FileWatcher, GrpcWatcher) when |
| 81 | + flag configuration changes. Method name matches FlagStore interface. |
| 82 | +
|
| 83 | + Args: |
| 84 | + flags_config: Flag configuration in flagd format |
| 85 | + """ |
| 86 | + try: |
| 87 | + self.evaluator.update_state(flags_config) |
| 88 | + # Extract flag keys and metadata for event |
| 89 | + flags = flags_config.get("flags", {}) |
| 90 | + metadata = flags_config.get("metadata", {}) |
| 91 | + # Emit configuration changed event with flag keys |
| 92 | + self.emit_configuration_changed( |
| 93 | + ProviderEventDetails( |
| 94 | + flags_changed=list(flags.keys()), |
| 95 | + metadata=metadata |
| 96 | + ) |
| 97 | + ) |
| 98 | + except Exception as e: |
| 99 | + # Log error but don't crash |
| 100 | + import logging |
| 101 | + logger = logging.getLogger("openfeature.contrib") |
| 102 | + logger.error(f"Failed to update flags in Rust evaluator: {e}") |
| 103 | + |
| 104 | + def _resolve_flag( |
| 105 | + self, |
| 106 | + key: str, |
| 107 | + default_value: T, |
| 108 | + evaluation_context: typing.Optional[EvaluationContext], |
| 109 | + type_validator: typing.Callable[[typing.Any], typing.Optional[T]], |
| 110 | + ) -> FlagResolutionDetails[T]: |
| 111 | + """ |
| 112 | + Generic flag resolution logic shared by all resolve methods. |
| 113 | +
|
| 114 | + Args: |
| 115 | + key: Flag key |
| 116 | + default_value: Default value to return if evaluation fails or type mismatches |
| 117 | + evaluation_context: Evaluation context |
| 118 | + type_validator: Function that validates and optionally converts the value. |
| 119 | + Returns the validated value or None if invalid. |
| 120 | + """ |
| 121 | + context = self._build_context(evaluation_context) |
| 122 | + try: |
| 123 | + result = self.evaluator.evaluate(key, context) |
| 124 | + value = result.get("value") |
| 125 | + |
| 126 | + # Validate and convert value using the provided validator |
| 127 | + validated_value = type_validator(value) |
| 128 | + if validated_value is None: |
| 129 | + validated_value = default_value |
| 130 | + |
| 131 | + return FlagResolutionDetails( |
| 132 | + value=validated_value, |
| 133 | + variant=result.get("variant"), |
| 134 | + reason=self._map_reason(result.get("reason")), |
| 135 | + error_code=self._map_error_code(result.get("errorCode")), |
| 136 | + flag_metadata=result.get("flagMetadata", {}), |
| 137 | + ) |
| 138 | + except KeyError: |
| 139 | + raise FlagNotFoundError(f"Flag with key {key} not found") |
| 140 | + except RuntimeError as e: |
| 141 | + raise FlagNotFoundError(f"Flag evaluation failed: {e}") |
| 142 | + |
| 143 | + def resolve_boolean_details( |
| 144 | + self, |
| 145 | + key: str, |
| 146 | + default_value: bool, |
| 147 | + evaluation_context: typing.Optional[EvaluationContext] = None, |
| 148 | + ) -> FlagResolutionDetails[bool]: |
| 149 | + """Resolve a boolean flag using the native Rust evaluator.""" |
| 150 | + return self._resolve_flag( |
| 151 | + key, |
| 152 | + default_value, |
| 153 | + evaluation_context, |
| 154 | + lambda v: v if isinstance(v, bool) else None, |
| 155 | + ) |
| 156 | + |
| 157 | + def resolve_string_details( |
| 158 | + self, |
| 159 | + key: str, |
| 160 | + default_value: str, |
| 161 | + evaluation_context: typing.Optional[EvaluationContext] = None, |
| 162 | + ) -> FlagResolutionDetails[str]: |
| 163 | + """Resolve a string flag using the native Rust evaluator.""" |
| 164 | + return self._resolve_flag( |
| 165 | + key, |
| 166 | + default_value, |
| 167 | + evaluation_context, |
| 168 | + lambda v: v if isinstance(v, str) else None, |
| 169 | + ) |
| 170 | + |
| 171 | + def resolve_integer_details( |
| 172 | + self, |
| 173 | + key: str, |
| 174 | + default_value: int, |
| 175 | + evaluation_context: typing.Optional[EvaluationContext] = None, |
| 176 | + ) -> FlagResolutionDetails[int]: |
| 177 | + """Resolve an integer flag using the native Rust evaluator.""" |
| 178 | + return self._resolve_flag( |
| 179 | + key, |
| 180 | + default_value, |
| 181 | + evaluation_context, |
| 182 | + lambda v: v if isinstance(v, int) else None, |
| 183 | + ) |
| 184 | + |
| 185 | + def resolve_float_details( |
| 186 | + self, |
| 187 | + key: str, |
| 188 | + default_value: float, |
| 189 | + evaluation_context: typing.Optional[EvaluationContext] = None, |
| 190 | + ) -> FlagResolutionDetails[float]: |
| 191 | + """Resolve a float flag using the native Rust evaluator.""" |
| 192 | + def validate_float(v: typing.Any) -> typing.Optional[float]: |
| 193 | + # Allow int to float conversion |
| 194 | + if isinstance(v, (int, float)): |
| 195 | + return float(v) |
| 196 | + return None |
| 197 | + |
| 198 | + return self._resolve_flag(key, default_value, evaluation_context, validate_float) |
| 199 | + |
| 200 | + def resolve_object_details( |
| 201 | + self, |
| 202 | + key: str, |
| 203 | + default_value: typing.Union[ |
| 204 | + typing.Sequence[FlagValueType], typing.Mapping[str, FlagValueType] |
| 205 | + ], |
| 206 | + evaluation_context: typing.Optional[EvaluationContext] = None, |
| 207 | + ) -> FlagResolutionDetails[ |
| 208 | + typing.Union[typing.Sequence[FlagValueType], typing.Mapping[str, FlagValueType]] |
| 209 | + ]: |
| 210 | + """Resolve an object flag using the native Rust evaluator.""" |
| 211 | + return self._resolve_flag( |
| 212 | + key, |
| 213 | + default_value, |
| 214 | + evaluation_context, |
| 215 | + lambda v: v if isinstance(v, (dict, list)) else None, |
| 216 | + ) |
| 217 | + |
| 218 | + def _build_context( |
| 219 | + self, evaluation_context: typing.Optional[EvaluationContext] |
| 220 | + ) -> dict: |
| 221 | + """ |
| 222 | + Build context dict for Rust evaluator from EvaluationContext. |
| 223 | +
|
| 224 | + The Rust evaluator expects a flat dict with all context attributes. |
| 225 | + """ |
| 226 | + if not evaluation_context: |
| 227 | + return {} |
| 228 | + |
| 229 | + context = dict(evaluation_context.attributes) if evaluation_context.attributes else {} |
| 230 | + |
| 231 | + # Add targeting key if present |
| 232 | + if evaluation_context.targeting_key: |
| 233 | + context["targetingKey"] = evaluation_context.targeting_key |
| 234 | + |
| 235 | + return context |
| 236 | + |
| 237 | + def _map_reason(self, rust_reason: typing.Optional[str]) -> Reason: |
| 238 | + """Map Rust evaluator reason strings to OpenFeature Reason enum.""" |
| 239 | + if not rust_reason: |
| 240 | + return Reason.UNKNOWN |
| 241 | + |
| 242 | + reason_map = { |
| 243 | + "STATIC": Reason.STATIC, |
| 244 | + "DEFAULT": Reason.DEFAULT, |
| 245 | + "TARGETING_MATCH": Reason.TARGETING_MATCH, |
| 246 | + "DISABLED": Reason.DISABLED, |
| 247 | + "ERROR": Reason.ERROR, |
| 248 | + "FLAG_NOT_FOUND": Reason.ERROR, |
| 249 | + "FALLBACK": Reason.ERROR, # Fallback to default when variant is null/undefined |
| 250 | + } |
| 251 | + return reason_map.get(rust_reason, Reason.UNKNOWN) |
| 252 | + |
| 253 | + def _map_error_code(self, rust_error_code: typing.Optional[str]) -> typing.Optional[ErrorCode]: |
| 254 | + """Map Rust evaluator error code strings to OpenFeature ErrorCode enum.""" |
| 255 | + if not rust_error_code: |
| 256 | + return None |
| 257 | + |
| 258 | + error_code_map = { |
| 259 | + "FLAG_NOT_FOUND": ErrorCode.FLAG_NOT_FOUND, |
| 260 | + "PARSE_ERROR": ErrorCode.PARSE_ERROR, |
| 261 | + "TYPE_MISMATCH": ErrorCode.TYPE_MISMATCH, |
| 262 | + "GENERAL": ErrorCode.GENERAL, |
| 263 | + } |
| 264 | + return error_code_map.get(rust_error_code) |
0 commit comments