forked from oceanobservatories/preload-database
-
Notifications
You must be signed in to change notification settings - Fork 0
/
Copy pathgenerate_cql.py
executable file
·353 lines (295 loc) · 11.2 KB
/
generate_cql.py
1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
30
31
32
33
34
35
36
37
38
39
40
41
42
43
44
45
46
47
48
49
50
51
52
53
54
55
56
57
58
59
60
61
62
63
64
65
66
67
68
69
70
71
72
73
74
75
76
77
78
79
80
81
82
83
84
85
86
87
88
89
90
91
92
93
94
95
96
97
98
99
100
101
102
103
104
105
106
107
108
109
110
111
112
113
114
115
116
117
118
119
120
121
122
123
124
125
126
127
128
129
130
131
132
133
134
135
136
137
138
139
140
141
142
143
144
145
146
147
148
149
150
151
152
153
154
155
156
157
158
159
160
161
162
163
164
165
166
167
168
169
170
171
172
173
174
175
176
177
178
179
180
181
182
183
184
185
186
187
188
189
190
191
192
193
194
195
196
197
198
199
200
201
202
203
204
205
206
207
208
209
210
211
212
213
214
215
216
217
218
219
220
221
222
223
224
225
226
227
228
229
230
231
232
233
234
235
236
237
238
239
240
241
242
243
244
245
246
247
248
249
250
251
252
253
254
255
256
257
258
259
260
261
262
263
264
265
266
267
268
269
270
271
272
273
274
275
276
277
278
279
280
281
282
283
284
285
286
287
288
289
290
291
292
293
294
295
296
297
298
299
300
301
302
303
304
305
306
307
308
309
310
311
312
313
314
315
316
317
318
319
320
321
322
323
324
325
326
327
328
329
330
331
332
333
334
335
336
337
338
339
340
341
342
343
344
345
346
347
348
349
350
351
352
353
#!/usr/bin/env python
import codecs
import os
import shutil
import logging
import jinja2
import database
import numpy as np
from ooi_data.postgres.model import Stream
engine = database.create_engine_from_url(None)
Session = database.create_scoped_session(engine)
session = Session()
DROP_KEYSPACE = 'drop keyspace ooi;\n\n'
CREATE_KEYSPACE = "create keyspace ooi with replication = { 'class' : 'SimpleStrategy', 'replication_factor' : 1 };\n\n"
CREATE_PROVENANCE = '''
CREATE TABLE ooi.dataset_l0_provenance (
subsite text,
node text,
sensor text,
method text,
deployment int,
id uuid,
fileName text,
parserName text,
parserVersion text,
PRIMARY KEY((subsite, node, sensor), method, deployment, id)
);
'''
CREATE_ANNOTATIONS = '''
CREATE TABLE ooi.annotations(
subsite text,
node text,
sensor text,
time double,
time2 double,
id uuid,
annotation text,
parameters list<text>,
deployment int,
method text,
provenance uuid,
PRIMARY KEY((subsite, node, sensor), time, id)
);
'''
CREATE_QC_RESULTS = '''
create table ooi.qc_results (
subsite text,
node text,
sensor text,
bin bigint,
deployment int,
stream text,
id uuid,
parameter text,
results text,
PRIMARY KEY((subsite, node, sensor, bin), stream, deployment, id)
);
'''
# First part of tuple must be table name from cql script in second part
ALL_EXTRA_TABLES = [("dataset_l0_provenance", CREATE_PROVENANCE),
("annotations", CREATE_ANNOTATIONS),
("qc_results", CREATE_QC_RESULTS)]
def get_logger():
logger = logging.getLogger('generate_cql')
logger.setLevel(logging.DEBUG)
# create console handler and set level to debug
ch = logging.StreamHandler()
ch.setLevel(logging.DEBUG)
# create formatter
formatter = logging.Formatter('%(asctime)s - %(name)s - %(levelname)s - %(message)s')
# add formatter to ch
ch.setFormatter(formatter)
# add ch to logger
logger.addHandler(ch)
return logger
log = get_logger()
cql_parameter_map = {
'int8': 'int',
'int16': 'int',
'int32': 'int',
'int64': 'bigint',
'uint8': 'int',
'uint16': 'int',
'uint32': 'bigint',
'uint64': 'bigint',
'string': 'text',
'float32': 'double',
'float64': 'double',
'opaque': 'blob',
}
java_parameter_map = {
'int': 'int',
'bigint': 'long',
'varint': 'BigInteger',
'text': 'String',
'double': 'double'
}
java_promoted_map = {
'int': 'Integer',
'bigint': 'Long',
'varint': 'BigInteger',
'text': 'String',
'double': 'Double'
}
# format: (value_encoding, parameter_type) : (cqltype, javatype, filltype, java_object, islist)
map = {
# ('blob', 'array<quantity>'): ('blob', 'ByteBuffer', 'Byte'),
('int', 'category<int8:str>'): ('int', 'Integer', 'Integer', 'Integer', False),
('int', 'category<uint8:str>'): ('int', 'Integer', 'Integer', 'Integer', False),
('int', 'boolean'): ('int', 'Integer', 'Integer', 'Integer', False),
('int', 'quantity'): ('int', 'Integer', 'Integer', 'Integer', False),
('int', 'array<quantity>'): ('blob', 'ByteBuffer', 'Integer', 'Integer', True),
('bigint', 'quantity'): ('bigint', 'Long', 'Long', 'Long', False),
('bigint', 'array<quantity>'): ('blob', 'ByteBuffer', 'Long', 'Long', True),
('double', 'quantity'): ('double', 'Double', 'Double', 'Double', False),
('double', 'array<quantity>'): ('blob', 'ByteBuffer', 'Double', 'Double', True),
('text', 'quantity'): ('text', 'String', 'String', 'String', False),
('text', 'array<quantity>'): ('blob', 'ByteBuffer', 'String', 'String', True),
}
def camelize(s, skipfirst=False):
parts = s.split('_')
if skipfirst:
parts = parts[:1] + [x.capitalize() for x in parts[1:]]
else:
parts = [x.capitalize() for x in parts]
return ''.join(parts)
class Column(object):
def __init__(self):
# flags
self.valid = True
self.islist = False
self.numeric = False
self.fillable = True
self.cqltype = self.javatype = self.cqlanno = None
self.name = self.javaname = self.setter = self.getter = None
self.fillvalue = self.fillvar = None
def parse(self, param):
self.set_name(param.name)
# preferred timestamp is enum in preload, string in practice
value_encoding = param.value_encoding
parameter_type = param.parameter_type
fill_value = param.fill_value
if self.name == 'preferred_timestamp':
value_encoding = 'text'
else:
value_encoding = cql_parameter_map.get(value_encoding)
if map.get((value_encoding, parameter_type)) is None:
log.error('unknown encoding type for parameter: %d %s %s', param.id, value_encoding, parameter_type)
self.valid = False
return
self.cqltype, self.javatype, self.filltype, self.java_object, self.islist = map.get((value_encoding,
parameter_type))
if self.javatype in ['Integer', 'Long', 'Double', 'BigInteger']:
self.numeric = True
self.fillvalue = fill_value
if self.java_object == 'Double':
# ignore preload, this will always be NaN
self.fillvalue = 'Double.NaN'
elif self.java_object == 'Integer':
int32_info = np.iinfo(np.int32)
int32_fallback_fill = -999999999
try:
fv = int(self.fillvalue)
if fv > int32_info.max or fv < int32_info.min:
log.error('BAD FILL VALUE for %s %d', self.name, fv)
self.fillvalue = int32_fallback_fill
else:
self.fillvalue = fv
except:
log.error('BAD FILL VALUE for %s %s', self.name, self.fillvalue)
self.fillvalue = int32_fallback_fill
elif self.java_object == 'Long':
int64_info = np.iinfo(np.int64)
int64_fallback_fill = -999999999999999999
try:
fv = int(self.fillvalue)
if fv > int64_info.max or fv < int64_info.min:
log.error('BAD FILL VALUE for %s %d', self.name, fv)
self.fillvalue = int64_fallback_fill
else:
self.fillvalue = fv
except:
log.error('BAD FILL VALUE for %s %s', self.name, self.fillvalue)
self.fillvalue = int64_fallback_fill
elif self.java_object == 'BigInteger':
bigint_fallback_fill = -9999999999999999999999
try:
fv = int(self.fillvalue)
self.fillvalue = fv
except:
log.error('BAD FILL VALUE for %s %s', self.name, self.fillvalue)
self.fillvalue = bigint_fallback_fill
def set_name(self, name):
self.name = name.strip()
self.javaname = self.name
self.fillvar = self.name + "Fill"
self.getter = "get" + self.name[0].capitalize() + self.name[1:]
self.setter = "set" + self.name[0].capitalize() + self.name[1:]
self.filler = "fill" + self.name[0].capitalize() + self.name[1:]
class Table(object):
def __init__(self, stream):
self.name = stream.name
self.classname = camelize(self.name, skipfirst=False)
self.params = stream.parameters
self.basecolumns = ['driver_timestamp', 'ingestion_timestamp', 'internal_timestamp',
'port_timestamp', 'preferred_timestamp']
self.valid = True
self.columns = []
self.common_columns = []
self.column_names = []
self.build_columns()
self.build_common_columns()
def build_common_columns(self):
stream_params_by_name = {p.name: p for p in self.params}
for name in self.basecolumns:
param = stream_params_by_name.get(name)
if param:
column = Column()
column.parse(param)
self.common_columns.append(column)
def build_columns(self):
# sort in name alphabetical order (retrieved in numerical order by ID)
params = [(p.name, p) for p in self.params]
params.sort()
params = [p[1] for p in params]
for param in params:
# time? skip
if param.id == 7:
continue
# function? skip
if param.name in self.basecolumns or param.parameter_type == 'function':
continue
column = Column()
column.parse(param)
if column.valid:
if column.name in self.column_names:
log.error('DUPLICATE COLUMN: %s', self.name)
continue
self.columns.append(column)
self.column_names.append(column.name)
else:
self.valid = False
break
def generate(java_template, cql_template, cql_drop_template, mapper_template):
for d in ['cql', 'java/tables']:
if not os.path.exists(d):
os.makedirs(d)
tables = []
with codecs.open('cql/all.cql', 'wb', 'utf-8') as all_cql_fh:
all_cql_fh.write(DROP_KEYSPACE)
all_cql_fh.write(CREATE_KEYSPACE)
# write extra non-stream tables similar to how we do below for streams
# No java and not added to the tables list for particle mapper generation
for (table, schema) in ALL_EXTRA_TABLES:
# write to all.cql
all_cql_fh.write(schema)
# write individual file
with codecs.open('cql/%s.cql' % table, 'wb', 'utf-8') as fh:
fh.write('DROP TABLE ooi.%s;' % table + '\n\n')
fh.write(schema)
streams = session.query(Stream).all()
for stream in streams:
# Don't generate CQL or java classes for virtual streams
if stream.source_streams:
continue
t = Table(stream)
tables.append(t)
all_cql_fh.write(cql_template.render(table=t))
all_cql_fh.write('\n\n')
with codecs.open('java/tables/%s.java' % t.classname, 'wb', 'utf-8') as fh:
fh.write(java_template.render(table=t))
with codecs.open('cql/%s.cql' % t.name, 'wb', 'utf-8') as fh:
fh.write(cql_drop_template.render(table=t) + '\n\n')
fh.write(cql_template.render(table=t))
# sort the list of tables by name for the mapper class
tables = [(table.name, table) for table in tables]
tables.sort()
tables = [table[1] for table in tables]
with codecs.open('java/ParticleMapper.java', 'wb', 'utf-8') as mapper_fh:
mapper_fh.write(mapper_template.render(tables=tables))
def cleanup():
dirs = ['cql', 'java']
for d in dirs:
if os.path.exists(d) and os.path.isdir(d):
shutil.rmtree(d)
def main():
loader = jinja2.FileSystemLoader(searchpath="templates")
env = jinja2.Environment(loader=loader, trim_blocks=True, lstrip_blocks=True)
java_template = env.get_template('java.jinja')
cql_template = env.get_template('cql.jinja')
cql_drop_template = env.get_template('cql_drop.jinja')
mapper_template = env.get_template('mapper.jinja')
cleanup()
generate(java_template, cql_template, cql_drop_template, mapper_template)
main()