17
17
"""
18
18
19
19
import asyncio
20
+ import json
20
21
import logging
22
+ import threading
21
23
from typing import Dict , Optional , Literal , Union , Any
22
24
from enum import Enum
23
25
import re
@@ -63,13 +65,12 @@ class CustomSignalOperator(Enum):
63
65
SEMANTIC_VERSION_GREATER_EQUAL = "SEMANTIC_VERSION_GREATER_EQUAL"
64
66
UNKNOWN = "UNKNOWN"
65
67
66
- class ServerTemplateData :
68
+ class _ServerTemplateData :
67
69
"""Parses, validates and encapsulates template data and metadata."""
68
- def __init__ (self , etag , template_data ):
70
+ def __init__ (self , template_data ):
69
71
"""Initializes a new ServerTemplateData instance.
70
72
71
73
Args:
72
- etag: The string to be used for initialize the ETag property.
73
74
template_data: The data to be parsed for getting the parameters and conditions.
74
75
75
76
Raises:
@@ -96,8 +97,10 @@ def __init__(self, etag, template_data):
96
97
self ._version = template_data ['version' ]
97
98
98
99
self ._etag = ''
99
- if etag is not None and isinstance (etag , str ):
100
- self ._etag = etag
100
+ if 'etag' in template_data and isinstance (template_data ['etag' ], str ):
101
+ self ._etag = template_data ['etag' ]
102
+
103
+ self ._template_data_json = json .dumps (template_data )
101
104
102
105
@property
103
106
def parameters (self ):
@@ -115,6 +118,10 @@ def version(self):
115
118
def conditions (self ):
116
119
return self ._conditions
117
120
121
+ @property
122
+ def template_data_json (self ):
123
+ return self ._template_data_json
124
+
118
125
119
126
class ServerTemplate :
120
127
"""Represents a Server Template with implementations for loading and evaluting the template."""
@@ -132,6 +139,7 @@ def __init__(self, app: App = None, default_config: Optional[Dict[str, str]] = N
132
139
# fetched from RC servers via the load API, or via the set API.
133
140
self ._cache = None
134
141
self ._stringified_default_config : Dict [str , str ] = {}
142
+ self ._lock = threading .RLock ()
135
143
136
144
# RC stores all remote values as string, but it's more intuitive
137
145
# to declare default values with specific types, so this converts
@@ -142,7 +150,9 @@ def __init__(self, app: App = None, default_config: Optional[Dict[str, str]] = N
142
150
143
151
async def load (self ):
144
152
"""Fetches the server template and caches the data."""
145
- self ._cache = await self ._rc_service .get_server_template ()
153
+ rc_server_template = await self ._rc_service .get_server_template ()
154
+ with self ._lock :
155
+ self ._cache = rc_server_template
146
156
147
157
def evaluate (self , context : Optional [Dict [str , Union [str , int ]]] = None ) -> 'ServerConfig' :
148
158
"""Evaluates the cached server template to produce a ServerConfig.
@@ -161,22 +171,40 @@ def evaluate(self, context: Optional[Dict[str, Union[str, int]]] = None) -> 'Ser
161
171
Call load() before calling evaluate().""" )
162
172
context = context or {}
163
173
config_values = {}
174
+
175
+ with self ._lock :
176
+ template_conditions = self ._cache .conditions
177
+ template_parameters = self ._cache .parameters
178
+
164
179
# Initializes config Value objects with default values.
165
180
if self ._stringified_default_config is not None :
166
181
for key , value in self ._stringified_default_config .items ():
167
182
config_values [key ] = _Value ('default' , value )
168
- self ._evaluator = _ConditionEvaluator (self . _cache . conditions ,
169
- self . _cache . parameters , context ,
183
+ self ._evaluator = _ConditionEvaluator (template_conditions ,
184
+ template_parameters , context ,
170
185
config_values )
171
186
return ServerConfig (config_values = self ._evaluator .evaluate ())
172
187
173
- def set (self , template : ServerTemplateData ):
188
+ def set (self , template_data_json : str ):
174
189
"""Updates the cache to store the given template is of type ServerTemplateData.
175
190
176
191
Args:
177
- template: An object of type ServerTemplateData to be cached.
192
+ template_data_json: A json string representing ServerTemplateData to be cached.
178
193
"""
179
- self ._cache = template
194
+ template_data_map = json .loads (template_data_json )
195
+ template_data = _ServerTemplateData (template_data_map )
196
+
197
+ with self ._lock :
198
+ self ._cache = template_data
199
+
200
+ def to_json (self ):
201
+ """Provides the server template in a JSON format to be used for initialization later."""
202
+ if not self ._cache :
203
+ raise ValueError ("""No Remote Config Server template in cache.
204
+ Call load() before calling toJSON().""" )
205
+ with self ._lock :
206
+ template_json = self ._cache .template_data_json
207
+ return template_json
180
208
181
209
182
210
class ServerConfig :
@@ -185,17 +213,25 @@ def __init__(self, config_values):
185
213
self ._config_values = config_values # dictionary of param key to values
186
214
187
215
def get_boolean (self , key ):
216
+ """Returns the value as a boolean."""
188
217
return self ._get_value (key ).as_boolean ()
189
218
190
219
def get_string (self , key ):
220
+ """Returns the value as a string."""
191
221
return self ._get_value (key ).as_string ()
192
222
193
223
def get_int (self , key ):
224
+ """Returns the value as an integer."""
194
225
return self ._get_value (key ).as_int ()
195
226
196
227
def get_float (self , key ):
228
+ """Returns the value as a float."""
197
229
return self ._get_value (key ).as_float ()
198
230
231
+ def get_value_source (self , key ):
232
+ """Returns the source of the value."""
233
+ return self ._get_value (key ).get_source ()
234
+
199
235
def _get_value (self , key ):
200
236
return self ._config_values .get (key , _Value ('static' ))
201
237
@@ -233,7 +269,8 @@ async def get_server_template(self):
233
269
except requests .exceptions .RequestException as error :
234
270
raise self ._handle_remote_config_error (error )
235
271
else :
236
- return ServerTemplateData (headers .get ('etag' ), template_data )
272
+ template_data ['etag' ] = headers .get ('etag' )
273
+ return _ServerTemplateData (template_data )
237
274
238
275
def _get_url (self ):
239
276
"""Returns project prefix for url, in the format of /v1/projects/${projectId}"""
@@ -633,22 +670,22 @@ async def get_server_template(app: App = None, default_config: Optional[Dict[str
633
670
return template
634
671
635
672
def init_server_template (app : App = None , default_config : Optional [Dict [str , str ]] = None ,
636
- template_data : Optional [ServerTemplateData ] = None ):
673
+ template_data_json : Optional [str ] = None ):
637
674
"""Initializes a new ServerTemplate instance.
638
675
639
676
Args:
640
677
app: App instance to be used. This is optional and the default app instance will
641
678
be used if not present.
642
679
default_config: The default config to be used in the evaluated config.
643
- template_data : An optional template data to be set on initialization.
680
+ template_data_json : An optional template data JSON to be set on initialization.
644
681
645
682
Returns:
646
683
ServerTemplate: A new ServerTemplate instance initialized with an optional
647
684
template and config.
648
685
"""
649
686
template = ServerTemplate (app = app , default_config = default_config )
650
- if template_data is not None :
651
- template .set (template_data )
687
+ if template_data_json is not None :
688
+ template .set (template_data_json )
652
689
return template
653
690
654
691
class _Value :
0 commit comments