@@ -1,1828 +1,1828 | |||
|
1 | 1 | ''' |
|
2 | 2 | Created on Jul 2, 2014 |
|
3 | 3 | |
|
4 | 4 | @author: roj-idl71 |
|
5 | 5 | ''' |
|
6 | 6 | import os |
|
7 | 7 | import sys |
|
8 | 8 | import glob |
|
9 | 9 | import time |
|
10 | 10 | import numpy |
|
11 | 11 | import fnmatch |
|
12 | 12 | import inspect |
|
13 | 13 | import time |
|
14 | 14 | import datetime |
|
15 | 15 | import traceback |
|
16 | 16 | import zmq |
|
17 | 17 | |
|
18 | 18 | try: |
|
19 | 19 | from gevent import sleep |
|
20 | 20 | except: |
|
21 | 21 | from time import sleep |
|
22 | 22 | |
|
23 | 23 | from schainpy.model.data.jroheaderIO import PROCFLAG, BasicHeader, SystemHeader, RadarControllerHeader, ProcessingHeader |
|
24 | 24 | from schainpy.model.data.jroheaderIO import get_dtype_index, get_numpy_dtype, get_procflag_dtype, get_dtype_width |
|
25 | 25 | from schainpy.utils import log |
|
26 | 26 | import schainpy.admin |
|
27 | 27 | |
|
28 | 28 | LOCALTIME = True |
|
29 | 29 | |
|
30 | 30 | |
|
31 | 31 | def isNumber(cad): |
|
32 | 32 | """ |
|
33 | 33 | Chequea si el conjunto de caracteres que componen un string puede ser convertidos a un numero. |
|
34 | 34 | |
|
35 | 35 | Excepciones: |
|
36 | 36 | Si un determinado string no puede ser convertido a numero |
|
37 | 37 | Input: |
|
38 | 38 | str, string al cual se le analiza para determinar si convertible a un numero o no |
|
39 | 39 | |
|
40 | 40 | Return: |
|
41 | 41 | True : si el string es uno numerico |
|
42 | 42 | False : no es un string numerico |
|
43 | 43 | """ |
|
44 | 44 | try: |
|
45 | 45 | float(cad) |
|
46 | 46 | return True |
|
47 | 47 | except: |
|
48 | 48 | return False |
|
49 | 49 | |
|
50 | 50 | |
|
51 | 51 | def isFileInEpoch(filename, startUTSeconds, endUTSeconds): |
|
52 | 52 | """ |
|
53 | 53 | Esta funcion determina si un archivo de datos se encuentra o no dentro del rango de fecha especificado. |
|
54 | 54 | |
|
55 | 55 | Inputs: |
|
56 | 56 | filename : nombre completo del archivo de datos en formato Jicamarca (.r) |
|
57 | 57 | |
|
58 | 58 | startUTSeconds : fecha inicial del rango seleccionado. La fecha esta dada en |
|
59 | 59 | segundos contados desde 01/01/1970. |
|
60 | 60 | endUTSeconds : fecha final del rango seleccionado. La fecha esta dada en |
|
61 | 61 | segundos contados desde 01/01/1970. |
|
62 | 62 | |
|
63 | 63 | Return: |
|
64 | 64 | Boolean : Retorna True si el archivo de datos contiene datos en el rango de |
|
65 | 65 | fecha especificado, de lo contrario retorna False. |
|
66 | 66 | |
|
67 | 67 | Excepciones: |
|
68 | 68 | Si el archivo no existe o no puede ser abierto |
|
69 | 69 | Si la cabecera no puede ser leida. |
|
70 | 70 | |
|
71 | 71 | """ |
|
72 | 72 | basicHeaderObj = BasicHeader(LOCALTIME) |
|
73 | 73 | |
|
74 | 74 | try: |
|
75 | 75 | fp = open(filename, 'rb') |
|
76 | 76 | except IOError: |
|
77 | 77 | print("The file %s can't be opened" % (filename)) |
|
78 | 78 | return 0 |
|
79 | 79 | |
|
80 | 80 | sts = basicHeaderObj.read(fp) |
|
81 | 81 | fp.close() |
|
82 | 82 | |
|
83 | 83 | if not(sts): |
|
84 | 84 | print("Skipping the file %s because it has not a valid header" % (filename)) |
|
85 | 85 | return 0 |
|
86 | 86 | |
|
87 | 87 | if not ((startUTSeconds <= basicHeaderObj.utc) and (endUTSeconds > basicHeaderObj.utc)): |
|
88 | 88 | return 0 |
|
89 | 89 | |
|
90 | 90 | return 1 |
|
91 | 91 | |
|
92 | 92 | |
|
93 | 93 | def isTimeInRange(thisTime, startTime, endTime): |
|
94 | 94 | if endTime >= startTime: |
|
95 | 95 | if (thisTime < startTime) or (thisTime > endTime): |
|
96 | 96 | return 0 |
|
97 | 97 | return 1 |
|
98 | 98 | else: |
|
99 | 99 | if (thisTime < startTime) and (thisTime > endTime): |
|
100 | 100 | return 0 |
|
101 | 101 | return 1 |
|
102 | 102 | |
|
103 | 103 | |
|
104 | 104 | def isFileInTimeRange(filename, startDate, endDate, startTime, endTime): |
|
105 | 105 | """ |
|
106 | 106 | Retorna 1 si el archivo de datos se encuentra dentro del rango de horas especificado. |
|
107 | 107 | |
|
108 | 108 | Inputs: |
|
109 | 109 | filename : nombre completo del archivo de datos en formato Jicamarca (.r) |
|
110 | 110 | |
|
111 | 111 | startDate : fecha inicial del rango seleccionado en formato datetime.date |
|
112 | 112 | |
|
113 | 113 | endDate : fecha final del rango seleccionado en formato datetime.date |
|
114 | 114 | |
|
115 | 115 | startTime : tiempo inicial del rango seleccionado en formato datetime.time |
|
116 | 116 | |
|
117 | 117 | endTime : tiempo final del rango seleccionado en formato datetime.time |
|
118 | 118 | |
|
119 | 119 | Return: |
|
120 | 120 | Boolean : Retorna True si el archivo de datos contiene datos en el rango de |
|
121 | 121 | fecha especificado, de lo contrario retorna False. |
|
122 | 122 | |
|
123 | 123 | Excepciones: |
|
124 | 124 | Si el archivo no existe o no puede ser abierto |
|
125 | 125 | Si la cabecera no puede ser leida. |
|
126 | 126 | |
|
127 | 127 | """ |
|
128 | 128 | |
|
129 | 129 | try: |
|
130 | 130 | fp = open(filename, 'rb') |
|
131 | 131 | except IOError: |
|
132 | 132 | print("The file %s can't be opened" % (filename)) |
|
133 | 133 | return None |
|
134 | 134 | |
|
135 | 135 | firstBasicHeaderObj = BasicHeader(LOCALTIME) |
|
136 | 136 | systemHeaderObj = SystemHeader() |
|
137 | 137 | radarControllerHeaderObj = RadarControllerHeader() |
|
138 | 138 | processingHeaderObj = ProcessingHeader() |
|
139 | 139 | |
|
140 | 140 | lastBasicHeaderObj = BasicHeader(LOCALTIME) |
|
141 | 141 | |
|
142 | 142 | sts = firstBasicHeaderObj.read(fp) |
|
143 | 143 | |
|
144 | 144 | if not(sts): |
|
145 | 145 | print("[Reading] Skipping the file %s because it has not a valid header" % (filename)) |
|
146 | 146 | return None |
|
147 | 147 | |
|
148 | 148 | if not systemHeaderObj.read(fp): |
|
149 | 149 | return None |
|
150 | 150 | |
|
151 | 151 | if not radarControllerHeaderObj.read(fp): |
|
152 | 152 | return None |
|
153 | 153 | |
|
154 | 154 | if not processingHeaderObj.read(fp): |
|
155 | 155 | return None |
|
156 | 156 | |
|
157 | 157 | filesize = os.path.getsize(filename) |
|
158 | 158 | |
|
159 | 159 | offset = processingHeaderObj.blockSize + 24 # header size |
|
160 | 160 | |
|
161 | 161 | if filesize <= offset: |
|
162 | 162 | print("[Reading] %s: This file has not enough data" % filename) |
|
163 | 163 | return None |
|
164 | 164 | |
|
165 | 165 | fp.seek(-offset, 2) |
|
166 | 166 | |
|
167 | 167 | sts = lastBasicHeaderObj.read(fp) |
|
168 | 168 | |
|
169 | 169 | fp.close() |
|
170 | 170 | |
|
171 | 171 | thisDatetime = lastBasicHeaderObj.datatime |
|
172 | 172 | thisTime_last_block = thisDatetime.time() |
|
173 | 173 | |
|
174 | 174 | thisDatetime = firstBasicHeaderObj.datatime |
|
175 | 175 | thisDate = thisDatetime.date() |
|
176 | 176 | thisTime_first_block = thisDatetime.time() |
|
177 | 177 | |
|
178 | 178 | # General case |
|
179 | 179 | # o>>>>>>>>>>>>>><<<<<<<<<<<<<<o |
|
180 | 180 | #-----------o----------------------------o----------- |
|
181 | 181 | # startTime endTime |
|
182 | 182 | |
|
183 | 183 | if endTime >= startTime: |
|
184 | 184 | if (thisTime_last_block < startTime) or (thisTime_first_block > endTime): |
|
185 | 185 | return None |
|
186 | 186 | |
|
187 | 187 | return thisDatetime |
|
188 | 188 | |
|
189 | 189 | # If endTime < startTime then endTime belongs to the next day |
|
190 | 190 | |
|
191 | 191 | #<<<<<<<<<<<o o>>>>>>>>>>> |
|
192 | 192 | #-----------o----------------------------o----------- |
|
193 | 193 | # endTime startTime |
|
194 | 194 | |
|
195 | 195 | if (thisDate == startDate) and (thisTime_last_block < startTime): |
|
196 | 196 | return None |
|
197 | 197 | |
|
198 | 198 | if (thisDate == endDate) and (thisTime_first_block > endTime): |
|
199 | 199 | return None |
|
200 | 200 | |
|
201 | 201 | if (thisTime_last_block < startTime) and (thisTime_first_block > endTime): |
|
202 | 202 | return None |
|
203 | 203 | |
|
204 | 204 | return thisDatetime |
|
205 | 205 | |
|
206 | 206 | |
|
207 | 207 | def isFolderInDateRange(folder, startDate=None, endDate=None): |
|
208 | 208 | """ |
|
209 | 209 | Retorna 1 si el archivo de datos se encuentra dentro del rango de horas especificado. |
|
210 | 210 | |
|
211 | 211 | Inputs: |
|
212 | 212 | folder : nombre completo del directorio. |
|
213 | 213 | Su formato deberia ser "/path_root/?YYYYDDD" |
|
214 | 214 | |
|
215 | 215 | siendo: |
|
216 | 216 | YYYY : Anio (ejemplo 2015) |
|
217 | 217 | DDD : Dia del anio (ejemplo 305) |
|
218 | 218 | |
|
219 | 219 | startDate : fecha inicial del rango seleccionado en formato datetime.date |
|
220 | 220 | |
|
221 | 221 | endDate : fecha final del rango seleccionado en formato datetime.date |
|
222 | 222 | |
|
223 | 223 | Return: |
|
224 | 224 | Boolean : Retorna True si el archivo de datos contiene datos en el rango de |
|
225 | 225 | fecha especificado, de lo contrario retorna False. |
|
226 | 226 | Excepciones: |
|
227 | 227 | Si el directorio no tiene el formato adecuado |
|
228 | 228 | """ |
|
229 | 229 | |
|
230 | 230 | basename = os.path.basename(folder) |
|
231 | 231 | |
|
232 | 232 | if not isRadarFolder(basename): |
|
233 | 233 | print("The folder %s has not the rigth format" % folder) |
|
234 | 234 | return 0 |
|
235 | 235 | |
|
236 | 236 | if startDate and endDate: |
|
237 | 237 | thisDate = getDateFromRadarFolder(basename) |
|
238 | 238 | |
|
239 | 239 | if thisDate < startDate: |
|
240 | 240 | return 0 |
|
241 | 241 | |
|
242 | 242 | if thisDate > endDate: |
|
243 | 243 | return 0 |
|
244 | 244 | |
|
245 | 245 | return 1 |
|
246 | 246 | |
|
247 | 247 | |
|
248 | 248 | def isFileInDateRange(filename, startDate=None, endDate=None): |
|
249 | 249 | """ |
|
250 | 250 | Retorna 1 si el archivo de datos se encuentra dentro del rango de horas especificado. |
|
251 | 251 | |
|
252 | 252 | Inputs: |
|
253 | 253 | filename : nombre completo del archivo de datos en formato Jicamarca (.r) |
|
254 | 254 | |
|
255 | 255 | Su formato deberia ser "?YYYYDDDsss" |
|
256 | 256 | |
|
257 | 257 | siendo: |
|
258 | 258 | YYYY : Anio (ejemplo 2015) |
|
259 | 259 | DDD : Dia del anio (ejemplo 305) |
|
260 | 260 | sss : set |
|
261 | 261 | |
|
262 | 262 | startDate : fecha inicial del rango seleccionado en formato datetime.date |
|
263 | 263 | |
|
264 | 264 | endDate : fecha final del rango seleccionado en formato datetime.date |
|
265 | 265 | |
|
266 | 266 | Return: |
|
267 | 267 | Boolean : Retorna True si el archivo de datos contiene datos en el rango de |
|
268 | 268 | fecha especificado, de lo contrario retorna False. |
|
269 | 269 | Excepciones: |
|
270 | 270 | Si el archivo no tiene el formato adecuado |
|
271 | 271 | """ |
|
272 | 272 | |
|
273 | 273 | basename = os.path.basename(filename) |
|
274 | 274 | |
|
275 | 275 | if not isRadarFile(basename): |
|
276 | 276 | print("The filename %s has not the rigth format" % filename) |
|
277 | 277 | return 0 |
|
278 | 278 | |
|
279 | 279 | if startDate and endDate: |
|
280 | 280 | thisDate = getDateFromRadarFile(basename) |
|
281 | 281 | |
|
282 | 282 | if thisDate < startDate: |
|
283 | 283 | return 0 |
|
284 | 284 | |
|
285 | 285 | if thisDate > endDate: |
|
286 | 286 | return 0 |
|
287 | 287 | |
|
288 | 288 | return 1 |
|
289 | 289 | |
|
290 | 290 | |
|
291 | 291 | def getFileFromSet(path, ext, set): |
|
292 | 292 | validFilelist = [] |
|
293 | 293 | fileList = os.listdir(path) |
|
294 | 294 | |
|
295 | 295 | # 0 1234 567 89A BCDE |
|
296 | 296 | # H YYYY DDD SSS .ext |
|
297 | 297 | |
|
298 | 298 | for thisFile in fileList: |
|
299 | 299 | try: |
|
300 | 300 | year = int(thisFile[1:5]) |
|
301 | 301 | doy = int(thisFile[5:8]) |
|
302 | 302 | except: |
|
303 | 303 | continue |
|
304 | 304 | |
|
305 | 305 | if (os.path.splitext(thisFile)[-1].lower() != ext.lower()): |
|
306 | 306 | continue |
|
307 | 307 | |
|
308 | 308 | validFilelist.append(thisFile) |
|
309 | 309 | |
|
310 | 310 | myfile = fnmatch.filter( |
|
311 | 311 | validFilelist, '*%4.4d%3.3d%3.3d*' % (year, doy, set)) |
|
312 | 312 | |
|
313 | 313 | if len(myfile) != 0: |
|
314 | 314 | return myfile[0] |
|
315 | 315 | else: |
|
316 | 316 | filename = '*%4.4d%3.3d%3.3d%s' % (year, doy, set, ext.lower()) |
|
317 | 317 | print('the filename %s does not exist' % filename) |
|
318 | 318 | print('...going to the last file: ') |
|
319 | 319 | |
|
320 | 320 | if validFilelist: |
|
321 | 321 | validFilelist = sorted(validFilelist, key=str.lower) |
|
322 | 322 | return validFilelist[-1] |
|
323 | 323 | |
|
324 | 324 | return None |
|
325 | 325 | |
|
326 | 326 | |
|
327 | 327 | def getlastFileFromPath(path, ext): |
|
328 | 328 | """ |
|
329 | 329 | Depura el fileList dejando solo los que cumplan el formato de "PYYYYDDDSSS.ext" |
|
330 | 330 | al final de la depuracion devuelve el ultimo file de la lista que quedo. |
|
331 | 331 | |
|
332 | 332 | Input: |
|
333 | 333 | fileList : lista conteniendo todos los files (sin path) que componen una determinada carpeta |
|
334 | 334 | ext : extension de los files contenidos en una carpeta |
|
335 | 335 | |
|
336 | 336 | Return: |
|
337 | 337 | El ultimo file de una determinada carpeta, no se considera el path. |
|
338 | 338 | """ |
|
339 | 339 | validFilelist = [] |
|
340 | 340 | fileList = os.listdir(path) |
|
341 | 341 | |
|
342 | 342 | # 0 1234 567 89A BCDE |
|
343 | 343 | # H YYYY DDD SSS .ext |
|
344 | 344 | |
|
345 | 345 | for thisFile in fileList: |
|
346 | 346 | |
|
347 | 347 | year = thisFile[1:5] |
|
348 | 348 | if not isNumber(year): |
|
349 | 349 | continue |
|
350 | 350 | |
|
351 | 351 | doy = thisFile[5:8] |
|
352 | 352 | if not isNumber(doy): |
|
353 | 353 | continue |
|
354 | 354 | |
|
355 | 355 | year = int(year) |
|
356 | 356 | doy = int(doy) |
|
357 | 357 | |
|
358 | 358 | if (os.path.splitext(thisFile)[-1].lower() != ext.lower()): |
|
359 | 359 | continue |
|
360 | 360 | |
|
361 | 361 | validFilelist.append(thisFile) |
|
362 | 362 | |
|
363 | 363 | if validFilelist: |
|
364 | 364 | validFilelist = sorted(validFilelist, key=str.lower) |
|
365 | 365 | return validFilelist[-1] |
|
366 | 366 | |
|
367 | 367 | return None |
|
368 | 368 | |
|
369 | 369 | |
|
370 | 370 | def checkForRealPath(path, foldercounter, year, doy, set, ext): |
|
371 | 371 | """ |
|
372 | 372 | Por ser Linux Case Sensitive entonces checkForRealPath encuentra el nombre correcto de un path, |
|
373 | 373 | Prueba por varias combinaciones de nombres entre mayusculas y minusculas para determinar |
|
374 | 374 | el path exacto de un determinado file. |
|
375 | 375 | |
|
376 | 376 | Example : |
|
377 | 377 | nombre correcto del file es .../.../D2009307/P2009307367.ext |
|
378 | 378 | |
|
379 | 379 | Entonces la funcion prueba con las siguientes combinaciones |
|
380 | 380 | .../.../y2009307367.ext |
|
381 | 381 | .../.../Y2009307367.ext |
|
382 | 382 | .../.../x2009307/y2009307367.ext |
|
383 | 383 | .../.../x2009307/Y2009307367.ext |
|
384 | 384 | .../.../X2009307/y2009307367.ext |
|
385 | 385 | .../.../X2009307/Y2009307367.ext |
|
386 | 386 | siendo para este caso, la ultima combinacion de letras, identica al file buscado |
|
387 | 387 | |
|
388 | 388 | Return: |
|
389 | 389 | Si encuentra la cobinacion adecuada devuelve el path completo y el nombre del file |
|
390 | 390 | caso contrario devuelve None como path y el la ultima combinacion de nombre en mayusculas |
|
391 | 391 | para el filename |
|
392 | 392 | """ |
|
393 | 393 | fullfilename = None |
|
394 | 394 | find_flag = False |
|
395 | 395 | filename = None |
|
396 | 396 | |
|
397 | 397 | prefixDirList = [None, 'd', 'D'] |
|
398 | 398 | if ext.lower() == ".r": # voltage |
|
399 | 399 | prefixFileList = ['d', 'D'] |
|
400 | 400 | elif ext.lower() == ".pdata": # spectra |
|
401 | 401 | prefixFileList = ['p', 'P'] |
|
402 | 402 | else: |
|
403 | 403 | return None, filename |
|
404 | 404 | |
|
405 | 405 | # barrido por las combinaciones posibles |
|
406 | 406 | for prefixDir in prefixDirList: |
|
407 | 407 | thispath = path |
|
408 | 408 | if prefixDir != None: |
|
409 | 409 | # formo el nombre del directorio xYYYYDDD (x=d o x=D) |
|
410 | 410 | if foldercounter == 0: |
|
411 | 411 | thispath = os.path.join(path, "%s%04d%03d" % |
|
412 | 412 | (prefixDir, year, doy)) |
|
413 | 413 | else: |
|
414 | 414 | thispath = os.path.join(path, "%s%04d%03d_%02d" % ( |
|
415 | 415 | prefixDir, year, doy, foldercounter)) |
|
416 | 416 | for prefixFile in prefixFileList: # barrido por las dos combinaciones posibles de "D" |
|
417 | 417 | # formo el nombre del file xYYYYDDDSSS.ext |
|
418 | 418 | filename = "%s%04d%03d%03d%s" % (prefixFile, year, doy, set, ext) |
|
419 | 419 | fullfilename = os.path.join( |
|
420 | 420 | thispath, filename) # formo el path completo |
|
421 | 421 | |
|
422 | 422 | if os.path.exists(fullfilename): # verifico que exista |
|
423 | 423 | find_flag = True |
|
424 | 424 | break |
|
425 | 425 | if find_flag: |
|
426 | 426 | break |
|
427 | 427 | |
|
428 | 428 | if not(find_flag): |
|
429 | 429 | return None, filename |
|
430 | 430 | |
|
431 | 431 | return fullfilename, filename |
|
432 | 432 | |
|
433 | 433 | |
|
434 | 434 | def isRadarFolder(folder): |
|
435 | 435 | try: |
|
436 | 436 | year = int(folder[1:5]) |
|
437 | 437 | doy = int(folder[5:8]) |
|
438 | 438 | except: |
|
439 | 439 | return 0 |
|
440 | 440 | |
|
441 | 441 | return 1 |
|
442 | 442 | |
|
443 | 443 | |
|
444 | 444 | def isRadarFile(file): |
|
445 | 445 | try: |
|
446 | 446 | year = int(file[1:5]) |
|
447 | 447 | doy = int(file[5:8]) |
|
448 | 448 | set = int(file[8:11]) |
|
449 | 449 | except: |
|
450 | 450 | return 0 |
|
451 | 451 | |
|
452 | 452 | return 1 |
|
453 | 453 | |
|
454 | 454 | |
|
455 | 455 | def getDateFromRadarFile(file): |
|
456 | 456 | try: |
|
457 | 457 | year = int(file[1:5]) |
|
458 | 458 | doy = int(file[5:8]) |
|
459 | 459 | set = int(file[8:11]) |
|
460 | 460 | except: |
|
461 | 461 | return None |
|
462 | 462 | |
|
463 | 463 | thisDate = datetime.date(year, 1, 1) + datetime.timedelta(doy - 1) |
|
464 | 464 | return thisDate |
|
465 | 465 | |
|
466 | 466 | |
|
467 | 467 | def getDateFromRadarFolder(folder): |
|
468 | 468 | try: |
|
469 | 469 | year = int(folder[1:5]) |
|
470 | 470 | doy = int(folder[5:8]) |
|
471 | 471 | except: |
|
472 | 472 | return None |
|
473 | 473 | |
|
474 | 474 | thisDate = datetime.date(year, 1, 1) + datetime.timedelta(doy - 1) |
|
475 | 475 | return thisDate |
|
476 | 476 | |
|
477 | 477 | |
|
478 | 478 | class JRODataIO: |
|
479 | 479 | |
|
480 | 480 | c = 3E8 |
|
481 | 481 | |
|
482 | 482 | isConfig = False |
|
483 | 483 | |
|
484 | 484 | basicHeaderObj = None |
|
485 | 485 | |
|
486 | 486 | systemHeaderObj = None |
|
487 | 487 | |
|
488 | 488 | radarControllerHeaderObj = None |
|
489 | 489 | |
|
490 | 490 | processingHeaderObj = None |
|
491 | 491 | |
|
492 | 492 | dtype = None |
|
493 | 493 | |
|
494 | 494 | pathList = [] |
|
495 | 495 | |
|
496 | 496 | filenameList = [] |
|
497 | 497 | |
|
498 | 498 | filename = None |
|
499 | 499 | |
|
500 | 500 | ext = None |
|
501 | 501 | |
|
502 | 502 | flagIsNewFile = 1 |
|
503 | 503 | |
|
504 | 504 | flagDiscontinuousBlock = 0 |
|
505 | 505 | |
|
506 | 506 | flagIsNewBlock = 0 |
|
507 | 507 | |
|
508 | 508 | fp = None |
|
509 | 509 | |
|
510 | 510 | firstHeaderSize = 0 |
|
511 | 511 | |
|
512 | 512 | basicHeaderSize = 24 |
|
513 | 513 | |
|
514 | 514 | versionFile = 1103 |
|
515 | 515 | |
|
516 | 516 | fileSize = None |
|
517 | 517 | |
|
518 | 518 | # ippSeconds = None |
|
519 | 519 | |
|
520 | 520 | fileSizeByHeader = None |
|
521 | 521 | |
|
522 | 522 | fileIndex = None |
|
523 | 523 | |
|
524 | 524 | profileIndex = None |
|
525 | 525 | |
|
526 | 526 | blockIndex = None |
|
527 | 527 | |
|
528 | 528 | nTotalBlocks = None |
|
529 | 529 | |
|
530 | 530 | maxTimeStep = 30 |
|
531 | 531 | |
|
532 | 532 | lastUTTime = None |
|
533 | 533 | |
|
534 | 534 | datablock = None |
|
535 | 535 | |
|
536 | 536 | dataOut = None |
|
537 | 537 | |
|
538 | 538 | blocksize = None |
|
539 | 539 | |
|
540 | 540 | getByBlock = False |
|
541 | 541 | |
|
542 | 542 | def __init__(self): |
|
543 | 543 | |
|
544 | 544 | raise NotImplementedError |
|
545 | 545 | |
|
546 | 546 | def run(self): |
|
547 | 547 | |
|
548 | 548 | raise NotImplementedError |
|
549 | 549 | |
|
550 | 550 | def getDtypeWidth(self): |
|
551 | 551 | |
|
552 | 552 | dtype_index = get_dtype_index(self.dtype) |
|
553 | 553 | dtype_width = get_dtype_width(dtype_index) |
|
554 | 554 | |
|
555 | 555 | return dtype_width |
|
556 | 556 | |
|
557 | 557 | def getAllowedArgs(self): |
|
558 | 558 | if hasattr(self, '__attrs__'): |
|
559 | 559 | return self.__attrs__ |
|
560 | 560 | else: |
|
561 | 561 | return inspect.getargspec(self.run).args |
|
562 | 562 | |
|
563 | 563 | |
|
564 | 564 | class JRODataReader(JRODataIO): |
|
565 | 565 | |
|
566 | 566 | online = 0 |
|
567 | 567 | |
|
568 | 568 | realtime = 0 |
|
569 | 569 | |
|
570 | 570 | nReadBlocks = 0 |
|
571 | 571 | |
|
572 | 572 | delay = 10 # number of seconds waiting a new file |
|
573 | 573 | |
|
574 | 574 | nTries = 3 # quantity tries |
|
575 | 575 | |
|
576 | 576 | nFiles = 3 # number of files for searching |
|
577 | 577 | |
|
578 | 578 | path = None |
|
579 | 579 | |
|
580 | 580 | foldercounter = 0 |
|
581 | 581 | |
|
582 | 582 | flagNoMoreFiles = 0 |
|
583 | 583 | |
|
584 | 584 | datetimeList = [] |
|
585 | 585 | |
|
586 | 586 | __isFirstTimeOnline = 1 |
|
587 | 587 | |
|
588 | 588 | __printInfo = True |
|
589 | 589 | |
|
590 | 590 | profileIndex = None |
|
591 | 591 | |
|
592 | 592 | nTxs = 1 |
|
593 | 593 | |
|
594 | 594 | txIndex = None |
|
595 | 595 | |
|
596 | 596 | # Added-------------------- |
|
597 | 597 | |
|
598 | 598 | selBlocksize = None |
|
599 | 599 | |
|
600 | 600 | selBlocktime = None |
|
601 | 601 | |
|
602 | 602 | def __init__(self): |
|
603 | 603 | """ |
|
604 | 604 | This class is used to find data files |
|
605 | 605 | |
|
606 | 606 | Example: |
|
607 | 607 | reader = JRODataReader() |
|
608 | 608 | fileList = reader.findDataFiles() |
|
609 | 609 | |
|
610 | 610 | """ |
|
611 | 611 | pass |
|
612 | 612 | |
|
613 | 613 | def createObjByDefault(self): |
|
614 | 614 | """ |
|
615 | 615 | |
|
616 | 616 | """ |
|
617 | 617 | raise NotImplementedError |
|
618 | 618 | |
|
619 | 619 | def getBlockDimension(self): |
|
620 | 620 | |
|
621 | 621 | raise NotImplementedError |
|
622 | 622 | |
|
623 | 623 | def searchFilesOffLine(self, |
|
624 | 624 | path, |
|
625 | 625 | startDate=None, |
|
626 | 626 | endDate=None, |
|
627 | 627 | startTime=datetime.time(0, 0, 0), |
|
628 | 628 | endTime=datetime.time(23, 59, 59), |
|
629 | 629 | set=None, |
|
630 | 630 | expLabel='', |
|
631 | 631 | ext='.r', |
|
632 | 632 | cursor=None, |
|
633 | 633 | skip=None, |
|
634 | 634 | walk=True): |
|
635 | 635 | |
|
636 | 636 | self.filenameList = [] |
|
637 | 637 | self.datetimeList = [] |
|
638 | 638 | |
|
639 | 639 | pathList = [] |
|
640 | 640 | |
|
641 | 641 | dateList, pathList = self.findDatafiles( |
|
642 | 642 | path, startDate, endDate, expLabel, ext, walk, include_path=True) |
|
643 | 643 | |
|
644 | 644 | if dateList == []: |
|
645 | 645 | return [], [] |
|
646 | 646 | |
|
647 | 647 | if len(dateList) > 1: |
|
648 | 648 | print("[Reading] Data found for date range [%s - %s]: total days = %d" % (startDate, endDate, len(dateList))) |
|
649 | 649 | else: |
|
650 | 650 | print("[Reading] Data found for date range [%s - %s]: date = %s" % (startDate, endDate, dateList[0])) |
|
651 | 651 | |
|
652 | 652 | filenameList = [] |
|
653 | 653 | datetimeList = [] |
|
654 | 654 | |
|
655 | 655 | for thisPath in pathList: |
|
656 | 656 | |
|
657 | 657 | fileList = glob.glob1(thisPath, "*%s" % ext) |
|
658 | 658 | fileList.sort() |
|
659 | 659 | |
|
660 | 660 | for file in fileList: |
|
661 | 661 | |
|
662 | 662 | filename = os.path.join(thisPath, file) |
|
663 | 663 | |
|
664 | 664 | if not isFileInDateRange(filename, startDate, endDate): |
|
665 | 665 | continue |
|
666 | 666 | |
|
667 | 667 | thisDatetime = isFileInTimeRange( |
|
668 | 668 | filename, startDate, endDate, startTime, endTime) |
|
669 | 669 | |
|
670 | 670 | if not(thisDatetime): |
|
671 | 671 | continue |
|
672 | 672 | |
|
673 | 673 | filenameList.append(filename) |
|
674 | 674 | datetimeList.append(thisDatetime) |
|
675 | 675 | |
|
676 | 676 | if cursor is not None and skip is not None: |
|
677 | 677 | filenameList = filenameList[cursor * skip:cursor * skip + skip] |
|
678 | 678 | datetimeList = datetimeList[cursor * skip:cursor * skip + skip] |
|
679 | 679 | |
|
680 | 680 | if not(filenameList): |
|
681 | 681 | print("[Reading] Time range selected invalid [%s - %s]: No *%s files in %s)" % (startTime, endTime, ext, path)) |
|
682 | 682 | return [], [] |
|
683 | 683 | |
|
684 | 684 | print("[Reading] %d file(s) was(were) found in time range: %s - %s" % (len(filenameList), startTime, endTime)) |
|
685 | 685 | |
|
686 | 686 | # for i in range(len(filenameList)): |
|
687 | 687 | # print "[Reading] %s -> [%s]" %(filenameList[i], datetimeList[i].ctime()) |
|
688 | 688 | |
|
689 | 689 | self.filenameList = filenameList |
|
690 | 690 | self.datetimeList = datetimeList |
|
691 | 691 | |
|
692 | 692 | return pathList, filenameList |
|
693 | 693 | |
|
694 | 694 | def __searchFilesOnLine(self, path, expLabel="", ext=None, walk=True, set=None): |
|
695 | 695 | """ |
|
696 | 696 | Busca el ultimo archivo de la ultima carpeta (determinada o no por startDateTime) y |
|
697 | 697 | devuelve el archivo encontrado ademas de otros datos. |
|
698 | 698 | |
|
699 | 699 | Input: |
|
700 | 700 | path : carpeta donde estan contenidos los files que contiene data |
|
701 | 701 | |
|
702 | 702 | expLabel : Nombre del subexperimento (subfolder) |
|
703 | 703 | |
|
704 | 704 | ext : extension de los files |
|
705 | 705 | |
|
706 | 706 | walk : Si es habilitado no realiza busquedas dentro de los ubdirectorios (doypath) |
|
707 | 707 | |
|
708 | 708 | Return: |
|
709 | 709 | directory : eL directorio donde esta el file encontrado |
|
710 | 710 | filename : el ultimo file de una determinada carpeta |
|
711 | 711 | year : el anho |
|
712 | 712 | doy : el numero de dia del anho |
|
713 | 713 | set : el set del archivo |
|
714 | 714 | |
|
715 | 715 | |
|
716 | 716 | """ |
|
717 | 717 | if not os.path.isdir(path): |
|
718 | 718 | return None, None, None, None, None, None |
|
719 | 719 | |
|
720 | 720 | dirList = [] |
|
721 | 721 | |
|
722 | 722 | if not walk: |
|
723 | 723 | fullpath = path |
|
724 | 724 | foldercounter = 0 |
|
725 | 725 | else: |
|
726 | 726 | # Filtra solo los directorios |
|
727 | 727 | for thisPath in os.listdir(path): |
|
728 | 728 | if not os.path.isdir(os.path.join(path, thisPath)): |
|
729 | 729 | continue |
|
730 | 730 | if not isRadarFolder(thisPath): |
|
731 | 731 | continue |
|
732 | 732 | |
|
733 | 733 | dirList.append(thisPath) |
|
734 | 734 | |
|
735 | 735 | if not(dirList): |
|
736 | 736 | return None, None, None, None, None, None |
|
737 | 737 | |
|
738 | 738 | dirList = sorted(dirList, key=str.lower) |
|
739 | 739 | |
|
740 | 740 | doypath = dirList[-1] |
|
741 | 741 | foldercounter = int(doypath.split('_')[1]) if len( |
|
742 | 742 | doypath.split('_')) > 1 else 0 |
|
743 | 743 | fullpath = os.path.join(path, doypath, expLabel) |
|
744 | 744 | |
|
745 | 745 | print("[Reading] %s folder was found: " % (fullpath)) |
|
746 | 746 | |
|
747 | 747 | if set == None: |
|
748 | 748 | filename = getlastFileFromPath(fullpath, ext) |
|
749 | 749 | else: |
|
750 | 750 | filename = getFileFromSet(fullpath, ext, set) |
|
751 | 751 | |
|
752 | 752 | if not(filename): |
|
753 | 753 | return None, None, None, None, None, None |
|
754 | 754 | |
|
755 | 755 | print("[Reading] %s file was found" % (filename)) |
|
756 | 756 | |
|
757 | 757 | if not(self.__verifyFile(os.path.join(fullpath, filename))): |
|
758 | 758 | return None, None, None, None, None, None |
|
759 | 759 | |
|
760 | 760 | year = int(filename[1:5]) |
|
761 | 761 | doy = int(filename[5:8]) |
|
762 | 762 | set = int(filename[8:11]) |
|
763 | 763 | |
|
764 | 764 | return fullpath, foldercounter, filename, year, doy, set |
|
765 | 765 | |
|
766 | 766 | def __setNextFileOffline(self): |
|
767 | 767 | |
|
768 | 768 | idFile = self.fileIndex |
|
769 | 769 | |
|
770 | 770 | while (True): |
|
771 | 771 | idFile += 1 |
|
772 | 772 | if not(idFile < len(self.filenameList)): |
|
773 | 773 | self.flagNoMoreFiles = 1 |
|
774 | 774 | # print "[Reading] No more Files" |
|
775 | 775 | return 0 |
|
776 | 776 | |
|
777 | 777 | filename = self.filenameList[idFile] |
|
778 | 778 | |
|
779 | 779 | if not(self.__verifyFile(filename)): |
|
780 | 780 | continue |
|
781 | 781 | |
|
782 | 782 | fileSize = os.path.getsize(filename) |
|
783 | 783 | fp = open(filename, 'rb') |
|
784 | 784 | break |
|
785 | 785 | |
|
786 | 786 | self.flagIsNewFile = 1 |
|
787 | 787 | self.fileIndex = idFile |
|
788 | 788 | self.filename = filename |
|
789 | 789 | self.fileSize = fileSize |
|
790 | 790 | self.fp = fp |
|
791 | 791 | |
|
792 | 792 | # print "[Reading] Setting the file: %s"%self.filename |
|
793 | 793 | |
|
794 | 794 | return 1 |
|
795 | 795 | |
|
796 | 796 | def __setNextFileOnline(self): |
|
797 | 797 | """ |
|
798 | 798 | Busca el siguiente file que tenga suficiente data para ser leida, dentro de un folder especifico, si |
|
799 | 799 | no encuentra un file valido espera un tiempo determinado y luego busca en los posibles n files |
|
800 | 800 | siguientes. |
|
801 | 801 | |
|
802 | 802 | Affected: |
|
803 | 803 | self.flagIsNewFile |
|
804 | 804 | self.filename |
|
805 | 805 | self.fileSize |
|
806 | 806 | self.fp |
|
807 | 807 | self.set |
|
808 | 808 | self.flagNoMoreFiles |
|
809 | 809 | |
|
810 | 810 | Return: |
|
811 | 811 | 0 : si luego de una busqueda del siguiente file valido este no pudo ser encontrado |
|
812 | 812 | 1 : si el file fue abierto con exito y esta listo a ser leido |
|
813 | 813 | |
|
814 | 814 | Excepciones: |
|
815 | 815 | Si un determinado file no puede ser abierto |
|
816 | 816 | """ |
|
817 | 817 | nFiles = 0 |
|
818 | 818 | fileOk_flag = False |
|
819 | 819 | firstTime_flag = True |
|
820 | 820 | |
|
821 | 821 | self.set += 1 |
|
822 | 822 | |
|
823 | 823 | if self.set > 999: |
|
824 | 824 | self.set = 0 |
|
825 | 825 | self.foldercounter += 1 |
|
826 | 826 | |
|
827 | 827 | # busca el 1er file disponible |
|
828 | 828 | fullfilename, filename = checkForRealPath( |
|
829 | 829 | self.path, self.foldercounter, self.year, self.doy, self.set, self.ext) |
|
830 | 830 | if fullfilename: |
|
831 | 831 | if self.__verifyFile(fullfilename, False): |
|
832 | 832 | fileOk_flag = True |
|
833 | 833 | |
|
834 | 834 | # si no encuentra un file entonces espera y vuelve a buscar |
|
835 | 835 | if not(fileOk_flag): |
|
836 | 836 | # busco en los siguientes self.nFiles+1 files posibles |
|
837 | 837 | for nFiles in range(self.nFiles + 1): |
|
838 | 838 | |
|
839 | 839 | if firstTime_flag: # si es la 1era vez entonces hace el for self.nTries veces |
|
840 | 840 | tries = self.nTries |
|
841 | 841 | else: |
|
842 | 842 | tries = 1 # si no es la 1era vez entonces solo lo hace una vez |
|
843 | 843 | |
|
844 | 844 | for nTries in range(tries): |
|
845 | 845 | if firstTime_flag: |
|
846 | 846 | print("\t[Reading] Waiting %0.2f sec for the next file: \"%s\" , try %03d ..." % (self.delay, filename, nTries + 1)) |
|
847 | 847 | sleep(self.delay) |
|
848 | 848 | else: |
|
849 | 849 | print("\t[Reading] Searching the next \"%s%04d%03d%03d%s\" file ..." % (self.optchar, self.year, self.doy, self.set, self.ext)) |
|
850 | 850 | |
|
851 | 851 | fullfilename, filename = checkForRealPath( |
|
852 | 852 | self.path, self.foldercounter, self.year, self.doy, self.set, self.ext) |
|
853 | 853 | if fullfilename: |
|
854 | 854 | if self.__verifyFile(fullfilename): |
|
855 | 855 | fileOk_flag = True |
|
856 | 856 | break |
|
857 | 857 | |
|
858 | 858 | if fileOk_flag: |
|
859 | 859 | break |
|
860 | 860 | |
|
861 | 861 | firstTime_flag = False |
|
862 | 862 | |
|
863 | 863 | log.warning('Skipping the file {} due to this file doesn\'t exist'.format(filename)) |
|
864 | 864 | self.set += 1 |
|
865 | 865 | |
|
866 | 866 | # si no encuentro el file buscado cambio de carpeta y busco en la siguiente carpeta |
|
867 | 867 | if nFiles == (self.nFiles - 1): |
|
868 | 868 | self.set = 0 |
|
869 | 869 | self.doy += 1 |
|
870 | 870 | self.foldercounter = 0 |
|
871 | 871 | |
|
872 | 872 | if fileOk_flag: |
|
873 | 873 | self.fileSize = os.path.getsize(fullfilename) |
|
874 | 874 | self.filename = fullfilename |
|
875 | 875 | self.flagIsNewFile = 1 |
|
876 | 876 | if self.fp != None: |
|
877 | 877 | self.fp.close() |
|
878 | 878 | self.fp = open(fullfilename, 'rb') |
|
879 | 879 | self.flagNoMoreFiles = 0 |
|
880 | 880 | # print '[Reading] Setting the file: %s' % fullfilename |
|
881 | 881 | else: |
|
882 | 882 | self.fileSize = 0 |
|
883 | 883 | self.filename = None |
|
884 | 884 | self.flagIsNewFile = 0 |
|
885 | 885 | self.fp = None |
|
886 | 886 | self.flagNoMoreFiles = 1 |
|
887 | 887 | # print '[Reading] No more files to read' |
|
888 | 888 | |
|
889 | 889 | return fileOk_flag |
|
890 | 890 | |
|
891 | 891 | def setNextFile(self): |
|
892 | 892 | if self.fp != None: |
|
893 | 893 | self.fp.close() |
|
894 | 894 | |
|
895 | 895 | if self.online: |
|
896 | 896 | newFile = self.__setNextFileOnline() |
|
897 | 897 | else: |
|
898 | 898 | newFile = self.__setNextFileOffline() |
|
899 | 899 | |
|
900 | 900 | if not(newFile): |
|
901 | 901 | self.dataOut.error = 'No more files to read' |
|
902 | 902 | return 0 |
|
903 | 903 | |
|
904 | 904 | if self.verbose: |
|
905 | 905 | print('[Reading] Setting the file: %s' % self.filename) |
|
906 | 906 | |
|
907 | 907 | self.__readFirstHeader() |
|
908 | 908 | self.nReadBlocks = 0 |
|
909 | 909 | return 1 |
|
910 | 910 | |
|
911 | 911 | def __waitNewBlock(self): |
|
912 | 912 | """ |
|
913 | 913 | Return 1 si se encontro un nuevo bloque de datos, 0 de otra forma. |
|
914 | 914 | |
|
915 | 915 | Si el modo de lectura es OffLine siempre retorn 0 |
|
916 | 916 | """ |
|
917 | 917 | if not self.online: |
|
918 | 918 | return 0 |
|
919 | 919 | |
|
920 | 920 | if (self.nReadBlocks >= self.processingHeaderObj.dataBlocksPerFile): |
|
921 | 921 | return 0 |
|
922 | 922 | |
|
923 | 923 | currentPointer = self.fp.tell() |
|
924 | 924 | |
|
925 | 925 | neededSize = self.processingHeaderObj.blockSize + self.basicHeaderSize |
|
926 | 926 | |
|
927 | 927 | for nTries in range(self.nTries): |
|
928 | 928 | |
|
929 | 929 | self.fp.close() |
|
930 | 930 | self.fp = open(self.filename, 'rb') |
|
931 | 931 | self.fp.seek(currentPointer) |
|
932 | 932 | |
|
933 | 933 | self.fileSize = os.path.getsize(self.filename) |
|
934 | 934 | currentSize = self.fileSize - currentPointer |
|
935 | 935 | |
|
936 | 936 | if (currentSize >= neededSize): |
|
937 | 937 | self.basicHeaderObj.read(self.fp) |
|
938 | 938 | return 1 |
|
939 | 939 | |
|
940 | 940 | if self.fileSize == self.fileSizeByHeader: |
|
941 | 941 | # self.flagEoF = True |
|
942 | 942 | return 0 |
|
943 | 943 | |
|
944 | 944 | print("[Reading] Waiting %0.2f seconds for the next block, try %03d ..." % (self.delay, nTries + 1)) |
|
945 | 945 | sleep(self.delay) |
|
946 | 946 | |
|
947 | 947 | return 0 |
|
948 | 948 | |
|
949 | 949 | def waitDataBlock(self, pointer_location): |
|
950 | 950 | |
|
951 | 951 | currentPointer = pointer_location |
|
952 | 952 | |
|
953 | 953 | neededSize = self.processingHeaderObj.blockSize # + self.basicHeaderSize |
|
954 | 954 | |
|
955 | 955 | for nTries in range(self.nTries): |
|
956 | 956 | self.fp.close() |
|
957 | 957 | self.fp = open(self.filename, 'rb') |
|
958 | 958 | self.fp.seek(currentPointer) |
|
959 | 959 | |
|
960 | 960 | self.fileSize = os.path.getsize(self.filename) |
|
961 | 961 | currentSize = self.fileSize - currentPointer |
|
962 | 962 | |
|
963 | 963 | if (currentSize >= neededSize): |
|
964 | 964 | return 1 |
|
965 | 965 | |
|
966 | 966 | print("[Reading] Waiting %0.2f seconds for the next block, try %03d ..." % (self.delay, nTries + 1)) |
|
967 | 967 | sleep(self.delay) |
|
968 | 968 | |
|
969 | 969 | return 0 |
|
970 | 970 | |
|
971 | 971 | def __jumpToLastBlock(self): |
|
972 | 972 | |
|
973 | 973 | if not(self.__isFirstTimeOnline): |
|
974 | 974 | return |
|
975 | 975 | |
|
976 | 976 | csize = self.fileSize - self.fp.tell() |
|
977 | 977 | blocksize = self.processingHeaderObj.blockSize |
|
978 | 978 | |
|
979 | 979 | # salta el primer bloque de datos |
|
980 | 980 | if csize > self.processingHeaderObj.blockSize: |
|
981 | 981 | self.fp.seek(self.fp.tell() + blocksize) |
|
982 | 982 | else: |
|
983 | 983 | return |
|
984 | 984 | |
|
985 | 985 | csize = self.fileSize - self.fp.tell() |
|
986 | 986 | neededsize = self.processingHeaderObj.blockSize + self.basicHeaderSize |
|
987 | 987 | while True: |
|
988 | 988 | |
|
989 | 989 | if self.fp.tell() < self.fileSize: |
|
990 | 990 | self.fp.seek(self.fp.tell() + neededsize) |
|
991 | 991 | else: |
|
992 | 992 | self.fp.seek(self.fp.tell() - neededsize) |
|
993 | 993 | break |
|
994 | 994 | |
|
995 | 995 | # csize = self.fileSize - self.fp.tell() |
|
996 | 996 | # neededsize = self.processingHeaderObj.blockSize + self.basicHeaderSize |
|
997 | 997 | # factor = int(csize/neededsize) |
|
998 | 998 | # if factor > 0: |
|
999 | 999 | # self.fp.seek(self.fp.tell() + factor*neededsize) |
|
1000 | 1000 | |
|
1001 | 1001 | self.flagIsNewFile = 0 |
|
1002 | 1002 | self.__isFirstTimeOnline = 0 |
|
1003 | 1003 | |
|
1004 | 1004 | def __setNewBlock(self): |
|
1005 | 1005 | # if self.server is None: |
|
1006 | 1006 | if self.fp == None: |
|
1007 | 1007 | return 0 |
|
1008 | 1008 | |
|
1009 | 1009 | # if self.online: |
|
1010 | 1010 | # self.__jumpToLastBlock() |
|
1011 | 1011 | |
|
1012 | 1012 | if self.flagIsNewFile: |
|
1013 | 1013 | self.lastUTTime = self.basicHeaderObj.utc |
|
1014 | 1014 | return 1 |
|
1015 | 1015 | |
|
1016 | 1016 | if self.realtime: |
|
1017 | 1017 | self.flagDiscontinuousBlock = 1 |
|
1018 | 1018 | if not(self.setNextFile()): |
|
1019 | 1019 | return 0 |
|
1020 | 1020 | else: |
|
1021 | 1021 | return 1 |
|
1022 | 1022 | # if self.server is None: |
|
1023 | 1023 | currentSize = self.fileSize - self.fp.tell() |
|
1024 | 1024 | neededSize = self.processingHeaderObj.blockSize + self.basicHeaderSize |
|
1025 | 1025 | if (currentSize >= neededSize): |
|
1026 | 1026 | self.basicHeaderObj.read(self.fp) |
|
1027 | 1027 | self.lastUTTime = self.basicHeaderObj.utc |
|
1028 | 1028 | return 1 |
|
1029 | 1029 | # else: |
|
1030 | 1030 | # self.basicHeaderObj.read(self.zHeader) |
|
1031 | 1031 | # self.lastUTTime = self.basicHeaderObj.utc |
|
1032 | 1032 | # return 1 |
|
1033 | 1033 | if self.__waitNewBlock(): |
|
1034 | 1034 | self.lastUTTime = self.basicHeaderObj.utc |
|
1035 | 1035 | return 1 |
|
1036 | 1036 | # if self.server is None: |
|
1037 | 1037 | if not(self.setNextFile()): |
|
1038 | 1038 | return 0 |
|
1039 | 1039 | |
|
1040 | 1040 | deltaTime = self.basicHeaderObj.utc - self.lastUTTime |
|
1041 | 1041 | self.lastUTTime = self.basicHeaderObj.utc |
|
1042 | 1042 | |
|
1043 | 1043 | self.flagDiscontinuousBlock = 0 |
|
1044 | 1044 | |
|
1045 | 1045 | if deltaTime > self.maxTimeStep: |
|
1046 | 1046 | self.flagDiscontinuousBlock = 1 |
|
1047 | 1047 | |
|
1048 | 1048 | return 1 |
|
1049 | 1049 | |
|
1050 | 1050 | def readNextBlock(self): |
|
1051 | 1051 | |
|
1052 | 1052 | # Skip block out of startTime and endTime |
|
1053 | 1053 | while True: |
|
1054 | 1054 | if not(self.__setNewBlock()): |
|
1055 | 1055 | self.dataOut.error = 'No more files to read' |
|
1056 | 1056 | return 0 |
|
1057 | 1057 | |
|
1058 | 1058 | if not(self.readBlock()): |
|
1059 | 1059 | return 0 |
|
1060 | 1060 | |
|
1061 | 1061 | self.getBasicHeader() |
|
1062 | 1062 | if (self.dataOut.datatime < datetime.datetime.combine(self.startDate, self.startTime)) or (self.dataOut.datatime > datetime.datetime.combine(self.endDate, self.endTime)): |
|
1063 | 1063 | print("[Reading] Block No. %d/%d -> %s [Skipping]" % (self.nReadBlocks, |
|
1064 | 1064 | self.processingHeaderObj.dataBlocksPerFile, |
|
1065 | 1065 | self.dataOut.datatime.ctime())) |
|
1066 | 1066 | continue |
|
1067 | 1067 | |
|
1068 | 1068 | break |
|
1069 | 1069 | |
|
1070 | 1070 | if self.verbose: |
|
1071 | 1071 | print("[Reading] Block No. %d/%d -> %s" % (self.nReadBlocks, |
|
1072 | 1072 | self.processingHeaderObj.dataBlocksPerFile, |
|
1073 | 1073 | self.dataOut.datatime.ctime())) |
|
1074 | 1074 | return 1 |
|
1075 | 1075 | |
|
1076 | 1076 | def __readFirstHeader(self): |
|
1077 | 1077 | |
|
1078 | 1078 | self.basicHeaderObj.read(self.fp) |
|
1079 | 1079 | self.systemHeaderObj.read(self.fp) |
|
1080 | 1080 | self.radarControllerHeaderObj.read(self.fp) |
|
1081 | 1081 | self.processingHeaderObj.read(self.fp) |
|
1082 | 1082 | |
|
1083 | 1083 | self.firstHeaderSize = self.basicHeaderObj.size |
|
1084 | 1084 | |
|
1085 | 1085 | datatype = int(numpy.log2((self.processingHeaderObj.processFlags & |
|
1086 | 1086 | PROCFLAG.DATATYPE_MASK)) - numpy.log2(PROCFLAG.DATATYPE_CHAR)) |
|
1087 | 1087 | if datatype == 0: |
|
1088 | 1088 | datatype_str = numpy.dtype([('real', '<i1'), ('imag', '<i1')]) |
|
1089 | 1089 | elif datatype == 1: |
|
1090 | 1090 | datatype_str = numpy.dtype([('real', '<i2'), ('imag', '<i2')]) |
|
1091 | 1091 | elif datatype == 2: |
|
1092 | 1092 | datatype_str = numpy.dtype([('real', '<i4'), ('imag', '<i4')]) |
|
1093 | 1093 | elif datatype == 3: |
|
1094 | 1094 | datatype_str = numpy.dtype([('real', '<i8'), ('imag', '<i8')]) |
|
1095 | 1095 | elif datatype == 4: |
|
1096 | 1096 | datatype_str = numpy.dtype([('real', '<f4'), ('imag', '<f4')]) |
|
1097 | 1097 | elif datatype == 5: |
|
1098 | 1098 | datatype_str = numpy.dtype([('real', '<f8'), ('imag', '<f8')]) |
|
1099 | 1099 | else: |
|
1100 | 1100 | raise ValueError('Data type was not defined') |
|
1101 | 1101 | |
|
1102 | 1102 | self.dtype = datatype_str |
|
1103 | 1103 | #self.ippSeconds = 2 * 1000 * self.radarControllerHeaderObj.ipp / self.c |
|
1104 | 1104 | self.fileSizeByHeader = self.processingHeaderObj.dataBlocksPerFile * self.processingHeaderObj.blockSize + \ |
|
1105 | 1105 | self.firstHeaderSize + self.basicHeaderSize * \ |
|
1106 | 1106 | (self.processingHeaderObj.dataBlocksPerFile - 1) |
|
1107 | 1107 | # self.dataOut.channelList = numpy.arange(self.systemHeaderObj.numChannels) |
|
1108 | 1108 | # self.dataOut.channelIndexList = numpy.arange(self.systemHeaderObj.numChannels) |
|
1109 | 1109 | self.getBlockDimension() |
|
1110 | 1110 | |
|
1111 | 1111 | def __verifyFile(self, filename, msgFlag=True): |
|
1112 | 1112 | |
|
1113 | 1113 | msg = None |
|
1114 | 1114 | |
|
1115 | 1115 | try: |
|
1116 | 1116 | fp = open(filename, 'rb') |
|
1117 | 1117 | except IOError: |
|
1118 | 1118 | |
|
1119 | 1119 | if msgFlag: |
|
1120 | 1120 | print("[Reading] File %s can't be opened" % (filename)) |
|
1121 | 1121 | |
|
1122 | 1122 | return False |
|
1123 | 1123 | |
|
1124 | 1124 | currentPosition = fp.tell() |
|
1125 | 1125 | neededSize = self.processingHeaderObj.blockSize + self.firstHeaderSize |
|
1126 | 1126 | |
|
1127 | 1127 | if neededSize == 0: |
|
1128 | 1128 | basicHeaderObj = BasicHeader(LOCALTIME) |
|
1129 | 1129 | systemHeaderObj = SystemHeader() |
|
1130 | 1130 | radarControllerHeaderObj = RadarControllerHeader() |
|
1131 | 1131 | processingHeaderObj = ProcessingHeader() |
|
1132 | 1132 | |
|
1133 | 1133 | if not(basicHeaderObj.read(fp)): |
|
1134 | 1134 | fp.close() |
|
1135 | 1135 | return False |
|
1136 | 1136 | |
|
1137 | 1137 | if not(systemHeaderObj.read(fp)): |
|
1138 | 1138 | fp.close() |
|
1139 | 1139 | return False |
|
1140 | 1140 | |
|
1141 | 1141 | if not(radarControllerHeaderObj.read(fp)): |
|
1142 | 1142 | fp.close() |
|
1143 | 1143 | return False |
|
1144 | 1144 | |
|
1145 | 1145 | if not(processingHeaderObj.read(fp)): |
|
1146 | 1146 | fp.close() |
|
1147 | 1147 | return False |
|
1148 | 1148 | |
|
1149 | 1149 | neededSize = processingHeaderObj.blockSize + basicHeaderObj.size |
|
1150 | 1150 | else: |
|
1151 | 1151 | msg = "[Reading] Skipping the file %s due to it hasn't enough data" % filename |
|
1152 | 1152 | |
|
1153 | 1153 | fp.close() |
|
1154 | 1154 | |
|
1155 | 1155 | fileSize = os.path.getsize(filename) |
|
1156 | 1156 | currentSize = fileSize - currentPosition |
|
1157 | 1157 | |
|
1158 | 1158 | if currentSize < neededSize: |
|
1159 | 1159 | if msgFlag and (msg != None): |
|
1160 | 1160 | print(msg) |
|
1161 | 1161 | return False |
|
1162 | 1162 | |
|
1163 | 1163 | return True |
|
1164 | 1164 | |
|
1165 | 1165 | def findDatafiles(self, path, startDate=None, endDate=None, expLabel='', ext='.r', walk=True, include_path=False): |
|
1166 | 1166 | |
|
1167 | 1167 | path_empty = True |
|
1168 | 1168 | |
|
1169 | 1169 | dateList = [] |
|
1170 | 1170 | pathList = [] |
|
1171 | 1171 | |
|
1172 | 1172 | multi_path = path.split(',') |
|
1173 | 1173 | |
|
1174 | 1174 | if not walk: |
|
1175 | 1175 | |
|
1176 | 1176 | for single_path in multi_path: |
|
1177 | 1177 | |
|
1178 | 1178 | if not os.path.isdir(single_path): |
|
1179 | 1179 | continue |
|
1180 | 1180 | |
|
1181 | 1181 | fileList = glob.glob1(single_path, "*" + ext) |
|
1182 | 1182 | |
|
1183 | 1183 | if not fileList: |
|
1184 | 1184 | continue |
|
1185 | 1185 | |
|
1186 | 1186 | path_empty = False |
|
1187 | 1187 | |
|
1188 | 1188 | fileList.sort() |
|
1189 | 1189 | |
|
1190 | 1190 | for thisFile in fileList: |
|
1191 | 1191 | |
|
1192 | 1192 | if not os.path.isfile(os.path.join(single_path, thisFile)): |
|
1193 | 1193 | continue |
|
1194 | 1194 | |
|
1195 | 1195 | if not isRadarFile(thisFile): |
|
1196 | 1196 | continue |
|
1197 | 1197 | |
|
1198 | 1198 | if not isFileInDateRange(thisFile, startDate, endDate): |
|
1199 | 1199 | continue |
|
1200 | 1200 | |
|
1201 | 1201 | thisDate = getDateFromRadarFile(thisFile) |
|
1202 | 1202 | |
|
1203 | 1203 | if thisDate in dateList: |
|
1204 | 1204 | continue |
|
1205 | 1205 | |
|
1206 | 1206 | dateList.append(thisDate) |
|
1207 | 1207 | pathList.append(single_path) |
|
1208 | 1208 | |
|
1209 | 1209 | else: |
|
1210 | 1210 | for single_path in multi_path: |
|
1211 | 1211 | |
|
1212 | 1212 | if not os.path.isdir(single_path): |
|
1213 | 1213 | continue |
|
1214 | 1214 | |
|
1215 | 1215 | dirList = [] |
|
1216 | 1216 | |
|
1217 | 1217 | for thisPath in os.listdir(single_path): |
|
1218 | 1218 | |
|
1219 | 1219 | if not os.path.isdir(os.path.join(single_path, thisPath)): |
|
1220 | 1220 | continue |
|
1221 | 1221 | |
|
1222 | 1222 | if not isRadarFolder(thisPath): |
|
1223 | 1223 | continue |
|
1224 | 1224 | |
|
1225 | 1225 | if not isFolderInDateRange(thisPath, startDate, endDate): |
|
1226 | 1226 | continue |
|
1227 | 1227 | |
|
1228 | 1228 | dirList.append(thisPath) |
|
1229 | 1229 | |
|
1230 | 1230 | if not dirList: |
|
1231 | 1231 | continue |
|
1232 | 1232 | |
|
1233 | 1233 | dirList.sort() |
|
1234 | 1234 | |
|
1235 | 1235 | for thisDir in dirList: |
|
1236 | 1236 | |
|
1237 | 1237 | datapath = os.path.join(single_path, thisDir, expLabel) |
|
1238 | 1238 | fileList = glob.glob1(datapath, "*" + ext) |
|
1239 | 1239 | |
|
1240 | 1240 | if not fileList: |
|
1241 | 1241 | continue |
|
1242 | 1242 | |
|
1243 | 1243 | path_empty = False |
|
1244 | 1244 | |
|
1245 | 1245 | thisDate = getDateFromRadarFolder(thisDir) |
|
1246 | 1246 | |
|
1247 | 1247 | pathList.append(datapath) |
|
1248 | 1248 | dateList.append(thisDate) |
|
1249 | 1249 | |
|
1250 | 1250 | dateList.sort() |
|
1251 | 1251 | |
|
1252 | 1252 | if walk: |
|
1253 | 1253 | pattern_path = os.path.join(multi_path[0], "[dYYYYDDD]", expLabel) |
|
1254 | 1254 | else: |
|
1255 | 1255 | pattern_path = multi_path[0] |
|
1256 | 1256 | |
|
1257 | 1257 | if path_empty: |
|
1258 | 1258 | print("[Reading] No *%s files in %s for %s to %s" % (ext, pattern_path, startDate, endDate)) |
|
1259 | 1259 | else: |
|
1260 | 1260 | if not dateList: |
|
1261 | 1261 | print("[Reading] Date range selected invalid [%s - %s]: No *%s files in %s)" % (startDate, endDate, ext, path)) |
|
1262 | 1262 | |
|
1263 | 1263 | if include_path: |
|
1264 | 1264 | return dateList, pathList |
|
1265 | 1265 | |
|
1266 | 1266 | return dateList |
|
1267 | 1267 | |
|
1268 | 1268 | def setup(self, |
|
1269 | 1269 | path=None, |
|
1270 | 1270 | startDate=None, |
|
1271 | 1271 | endDate=None, |
|
1272 | 1272 | startTime=datetime.time(0, 0, 0), |
|
1273 | 1273 | endTime=datetime.time(23, 59, 59), |
|
1274 | 1274 | set=None, |
|
1275 | 1275 | expLabel="", |
|
1276 | 1276 | ext=None, |
|
1277 | 1277 | online=False, |
|
1278 | 1278 | delay=60, |
|
1279 | 1279 | walk=True, |
|
1280 | 1280 | getblock=False, |
|
1281 | 1281 | nTxs=1, |
|
1282 | 1282 | realtime=False, |
|
1283 | 1283 | blocksize=None, |
|
1284 | 1284 | blocktime=None, |
|
1285 | 1285 | skip=None, |
|
1286 | 1286 | cursor=None, |
|
1287 | 1287 | warnings=True, |
|
1288 | 1288 | verbose=True, |
|
1289 | 1289 | server=None, |
|
1290 | 1290 | format=None, |
|
1291 | 1291 | oneDDict=None, |
|
1292 | 1292 | twoDDict=None, |
|
1293 |
ind |
|
|
1293 | independentParam=None): | |
|
1294 | 1294 | if server is not None: |
|
1295 | 1295 | if 'tcp://' in server: |
|
1296 | 1296 | address = server |
|
1297 | 1297 | else: |
|
1298 | 1298 | address = 'ipc:///tmp/%s' % server |
|
1299 | 1299 | self.server = address |
|
1300 | 1300 | self.context = zmq.Context() |
|
1301 | 1301 | self.receiver = self.context.socket(zmq.PULL) |
|
1302 | 1302 | self.receiver.connect(self.server) |
|
1303 | 1303 | time.sleep(0.5) |
|
1304 | 1304 | print('[Starting] ReceiverData from {}'.format(self.server)) |
|
1305 | 1305 | else: |
|
1306 | 1306 | self.server = None |
|
1307 | 1307 | if path == None: |
|
1308 | 1308 | raise ValueError("[Reading] The path is not valid") |
|
1309 | 1309 | |
|
1310 | 1310 | if ext == None: |
|
1311 | 1311 | ext = self.ext |
|
1312 | 1312 | |
|
1313 | 1313 | if online: |
|
1314 | 1314 | print("[Reading] Searching files in online mode...") |
|
1315 | 1315 | |
|
1316 | 1316 | for nTries in range(self.nTries): |
|
1317 | 1317 | fullpath, foldercounter, file, year, doy, set = self.__searchFilesOnLine( |
|
1318 | 1318 | path=path, expLabel=expLabel, ext=ext, walk=walk, set=set) |
|
1319 | 1319 | |
|
1320 | 1320 | if fullpath: |
|
1321 | 1321 | break |
|
1322 | 1322 | |
|
1323 | 1323 | print('[Reading] Waiting %0.2f sec for an valid file in %s: try %02d ...' % (self.delay, path, nTries + 1)) |
|
1324 | 1324 | sleep(self.delay) |
|
1325 | 1325 | |
|
1326 | 1326 | if not(fullpath): |
|
1327 | 1327 | self.dataOut.error = 'There isn\'t any valid file in {}'.format(path) |
|
1328 | 1328 | return |
|
1329 | 1329 | |
|
1330 | 1330 | self.year = year |
|
1331 | 1331 | self.doy = doy |
|
1332 | 1332 | self.set = set - 1 |
|
1333 | 1333 | self.path = path |
|
1334 | 1334 | self.foldercounter = foldercounter |
|
1335 | 1335 | last_set = None |
|
1336 | 1336 | else: |
|
1337 | 1337 | print("[Reading] Searching files in offline mode ...") |
|
1338 | 1338 | pathList, filenameList = self.searchFilesOffLine(path, startDate=startDate, endDate=endDate, |
|
1339 | 1339 | startTime=startTime, endTime=endTime, |
|
1340 | 1340 | set=set, expLabel=expLabel, ext=ext, |
|
1341 | 1341 | walk=walk, cursor=cursor, |
|
1342 | 1342 | skip=skip) |
|
1343 | 1343 | |
|
1344 | 1344 | if not(pathList): |
|
1345 | 1345 | self.fileIndex = -1 |
|
1346 | 1346 | self.pathList = [] |
|
1347 | 1347 | self.filenameList = [] |
|
1348 | 1348 | return |
|
1349 | 1349 | |
|
1350 | 1350 | self.fileIndex = -1 |
|
1351 | 1351 | self.pathList = pathList |
|
1352 | 1352 | self.filenameList = filenameList |
|
1353 | 1353 | file_name = os.path.basename(filenameList[-1]) |
|
1354 | 1354 | basename, ext = os.path.splitext(file_name) |
|
1355 | 1355 | last_set = int(basename[-3:]) |
|
1356 | 1356 | |
|
1357 | 1357 | self.online = online |
|
1358 | 1358 | self.realtime = realtime |
|
1359 | 1359 | self.delay = delay |
|
1360 | 1360 | ext = ext.lower() |
|
1361 | 1361 | self.ext = ext |
|
1362 | 1362 | self.getByBlock = getblock |
|
1363 | 1363 | self.nTxs = nTxs |
|
1364 | 1364 | self.startTime = startTime |
|
1365 | 1365 | self.endTime = endTime |
|
1366 | 1366 | self.endDate = endDate |
|
1367 | 1367 | self.startDate = startDate |
|
1368 | 1368 | # Added----------------- |
|
1369 | 1369 | self.selBlocksize = blocksize |
|
1370 | 1370 | self.selBlocktime = blocktime |
|
1371 | 1371 | |
|
1372 | 1372 | # Verbose----------- |
|
1373 | 1373 | self.verbose = verbose |
|
1374 | 1374 | self.warnings = warnings |
|
1375 | 1375 | |
|
1376 | 1376 | if not(self.setNextFile()): |
|
1377 | 1377 | if (startDate != None) and (endDate != None): |
|
1378 | 1378 | print("[Reading] No files in range: %s - %s" % (datetime.datetime.combine(startDate, startTime).ctime(), datetime.datetime.combine(endDate, endTime).ctime())) |
|
1379 | 1379 | elif startDate != None: |
|
1380 | 1380 | print("[Reading] No files in range: %s" % (datetime.datetime.combine(startDate, startTime).ctime())) |
|
1381 | 1381 | else: |
|
1382 | 1382 | print("[Reading] No files") |
|
1383 | 1383 | |
|
1384 | 1384 | self.fileIndex = -1 |
|
1385 | 1385 | self.pathList = [] |
|
1386 | 1386 | self.filenameList = [] |
|
1387 | 1387 | return |
|
1388 | 1388 | |
|
1389 | 1389 | # self.getBasicHeader() |
|
1390 | 1390 | |
|
1391 | 1391 | if last_set != None: |
|
1392 | 1392 | self.dataOut.last_block = last_set * \ |
|
1393 | 1393 | self.processingHeaderObj.dataBlocksPerFile + self.basicHeaderObj.dataBlock |
|
1394 | 1394 | return |
|
1395 | 1395 | |
|
1396 | 1396 | def getBasicHeader(self): |
|
1397 | 1397 | |
|
1398 | 1398 | self.dataOut.utctime = self.basicHeaderObj.utc + self.basicHeaderObj.miliSecond / \ |
|
1399 | 1399 | 1000. + self.profileIndex * self.radarControllerHeaderObj.ippSeconds |
|
1400 | 1400 | |
|
1401 | 1401 | self.dataOut.flagDiscontinuousBlock = self.flagDiscontinuousBlock |
|
1402 | 1402 | |
|
1403 | 1403 | self.dataOut.timeZone = self.basicHeaderObj.timeZone |
|
1404 | 1404 | |
|
1405 | 1405 | self.dataOut.dstFlag = self.basicHeaderObj.dstFlag |
|
1406 | 1406 | |
|
1407 | 1407 | self.dataOut.errorCount = self.basicHeaderObj.errorCount |
|
1408 | 1408 | |
|
1409 | 1409 | self.dataOut.useLocalTime = self.basicHeaderObj.useLocalTime |
|
1410 | 1410 | |
|
1411 | 1411 | self.dataOut.ippSeconds = self.radarControllerHeaderObj.ippSeconds / self.nTxs |
|
1412 | 1412 | |
|
1413 | 1413 | # self.dataOut.nProfiles = self.processingHeaderObj.profilesPerBlock*self.nTxs |
|
1414 | 1414 | |
|
1415 | 1415 | def getFirstHeader(self): |
|
1416 | 1416 | |
|
1417 | 1417 | raise NotImplementedError |
|
1418 | 1418 | |
|
1419 | 1419 | def getData(self): |
|
1420 | 1420 | |
|
1421 | 1421 | raise NotImplementedError |
|
1422 | 1422 | |
|
1423 | 1423 | def hasNotDataInBuffer(self): |
|
1424 | 1424 | |
|
1425 | 1425 | raise NotImplementedError |
|
1426 | 1426 | |
|
1427 | 1427 | def readBlock(self): |
|
1428 | 1428 | |
|
1429 | 1429 | raise NotImplementedError |
|
1430 | 1430 | |
|
1431 | 1431 | def isEndProcess(self): |
|
1432 | 1432 | |
|
1433 | 1433 | return self.flagNoMoreFiles |
|
1434 | 1434 | |
|
1435 | 1435 | def printReadBlocks(self): |
|
1436 | 1436 | |
|
1437 | 1437 | print("[Reading] Number of read blocks per file %04d" % self.nReadBlocks) |
|
1438 | 1438 | |
|
1439 | 1439 | def printTotalBlocks(self): |
|
1440 | 1440 | |
|
1441 | 1441 | print("[Reading] Number of read blocks %04d" % self.nTotalBlocks) |
|
1442 | 1442 | |
|
1443 | 1443 | def printNumberOfBlock(self): |
|
1444 | 1444 | 'SPAM!' |
|
1445 | 1445 | |
|
1446 | 1446 | # if self.flagIsNewBlock: |
|
1447 | 1447 | # print "[Reading] Block No. %d/%d -> %s" %(self.nReadBlocks, |
|
1448 | 1448 | # self.processingHeaderObj.dataBlocksPerFile, |
|
1449 | 1449 | # self.dataOut.datatime.ctime()) |
|
1450 | 1450 | |
|
1451 | 1451 | def printInfo(self): |
|
1452 | 1452 | |
|
1453 | 1453 | if self.__printInfo == False: |
|
1454 | 1454 | return |
|
1455 | 1455 | |
|
1456 | 1456 | self.basicHeaderObj.printInfo() |
|
1457 | 1457 | self.systemHeaderObj.printInfo() |
|
1458 | 1458 | self.radarControllerHeaderObj.printInfo() |
|
1459 | 1459 | self.processingHeaderObj.printInfo() |
|
1460 | 1460 | |
|
1461 | 1461 | self.__printInfo = False |
|
1462 | 1462 | |
|
1463 | 1463 | def run(self, |
|
1464 | 1464 | path=None, |
|
1465 | 1465 | startDate=None, |
|
1466 | 1466 | endDate=None, |
|
1467 | 1467 | startTime=datetime.time(0, 0, 0), |
|
1468 | 1468 | endTime=datetime.time(23, 59, 59), |
|
1469 | 1469 | set=None, |
|
1470 | 1470 | expLabel="", |
|
1471 | 1471 | ext=None, |
|
1472 | 1472 | online=False, |
|
1473 | 1473 | delay=60, |
|
1474 | 1474 | walk=True, |
|
1475 | 1475 | getblock=False, |
|
1476 | 1476 | nTxs=1, |
|
1477 | 1477 | realtime=False, |
|
1478 | 1478 | blocksize=None, |
|
1479 | 1479 | blocktime=None, |
|
1480 | 1480 | skip=None, |
|
1481 | 1481 | cursor=None, |
|
1482 | 1482 | warnings=True, |
|
1483 | 1483 | server=None, |
|
1484 | 1484 | verbose=True, |
|
1485 | 1485 | format=None, |
|
1486 | 1486 | oneDDict=None, |
|
1487 | 1487 | twoDDict=None, |
|
1488 |
ind |
|
|
1488 | independentParam=None, **kwargs): | |
|
1489 | 1489 | |
|
1490 | 1490 | if not(self.isConfig): |
|
1491 | 1491 | self.setup(path=path, |
|
1492 | 1492 | startDate=startDate, |
|
1493 | 1493 | endDate=endDate, |
|
1494 | 1494 | startTime=startTime, |
|
1495 | 1495 | endTime=endTime, |
|
1496 | 1496 | set=set, |
|
1497 | 1497 | expLabel=expLabel, |
|
1498 | 1498 | ext=ext, |
|
1499 | 1499 | online=online, |
|
1500 | 1500 | delay=delay, |
|
1501 | 1501 | walk=walk, |
|
1502 | 1502 | getblock=getblock, |
|
1503 | 1503 | nTxs=nTxs, |
|
1504 | 1504 | realtime=realtime, |
|
1505 | 1505 | blocksize=blocksize, |
|
1506 | 1506 | blocktime=blocktime, |
|
1507 | 1507 | skip=skip, |
|
1508 | 1508 | cursor=cursor, |
|
1509 | 1509 | warnings=warnings, |
|
1510 | 1510 | server=server, |
|
1511 | 1511 | verbose=verbose, |
|
1512 | 1512 | format=format, |
|
1513 | 1513 | oneDDict=oneDDict, |
|
1514 | 1514 | twoDDict=twoDDict, |
|
1515 |
ind |
|
|
1515 | independentParam=independentParam) | |
|
1516 | 1516 | self.isConfig = True |
|
1517 | 1517 | if server is None: |
|
1518 | 1518 | self.getData() |
|
1519 | 1519 | else: |
|
1520 | 1520 | self.getFromServer() |
|
1521 | 1521 | |
|
1522 | 1522 | |
|
1523 | 1523 | class JRODataWriter(JRODataIO): |
|
1524 | 1524 | |
|
1525 | 1525 | """ |
|
1526 | 1526 | Esta clase permite escribir datos a archivos procesados (.r o ,pdata). La escritura |
|
1527 | 1527 | de los datos siempre se realiza por bloques. |
|
1528 | 1528 | """ |
|
1529 | 1529 | |
|
1530 | 1530 | blockIndex = 0 |
|
1531 | 1531 | |
|
1532 | 1532 | path = None |
|
1533 | 1533 | |
|
1534 | 1534 | setFile = None |
|
1535 | 1535 | |
|
1536 | 1536 | profilesPerBlock = None |
|
1537 | 1537 | |
|
1538 | 1538 | blocksPerFile = None |
|
1539 | 1539 | |
|
1540 | 1540 | nWriteBlocks = 0 |
|
1541 | 1541 | |
|
1542 | 1542 | fileDate = None |
|
1543 | 1543 | |
|
1544 | 1544 | def __init__(self, dataOut=None): |
|
1545 | 1545 | raise NotImplementedError |
|
1546 | 1546 | |
|
1547 | 1547 | def hasAllDataInBuffer(self): |
|
1548 | 1548 | raise NotImplementedError |
|
1549 | 1549 | |
|
1550 | 1550 | def setBlockDimension(self): |
|
1551 | 1551 | raise NotImplementedError |
|
1552 | 1552 | |
|
1553 | 1553 | def writeBlock(self): |
|
1554 | 1554 | raise NotImplementedError |
|
1555 | 1555 | |
|
1556 | 1556 | def putData(self): |
|
1557 | 1557 | raise NotImplementedError |
|
1558 | 1558 | |
|
1559 | 1559 | def getProcessFlags(self): |
|
1560 | 1560 | |
|
1561 | 1561 | processFlags = 0 |
|
1562 | 1562 | |
|
1563 | 1563 | dtype_index = get_dtype_index(self.dtype) |
|
1564 | 1564 | procflag_dtype = get_procflag_dtype(dtype_index) |
|
1565 | 1565 | |
|
1566 | 1566 | processFlags += procflag_dtype |
|
1567 | 1567 | |
|
1568 | 1568 | if self.dataOut.flagDecodeData: |
|
1569 | 1569 | processFlags += PROCFLAG.DECODE_DATA |
|
1570 | 1570 | |
|
1571 | 1571 | if self.dataOut.flagDeflipData: |
|
1572 | 1572 | processFlags += PROCFLAG.DEFLIP_DATA |
|
1573 | 1573 | |
|
1574 | 1574 | if self.dataOut.code is not None: |
|
1575 | 1575 | processFlags += PROCFLAG.DEFINE_PROCESS_CODE |
|
1576 | 1576 | |
|
1577 | 1577 | if self.dataOut.nCohInt > 1: |
|
1578 | 1578 | processFlags += PROCFLAG.COHERENT_INTEGRATION |
|
1579 | 1579 | |
|
1580 | 1580 | if self.dataOut.type == "Spectra": |
|
1581 | 1581 | if self.dataOut.nIncohInt > 1: |
|
1582 | 1582 | processFlags += PROCFLAG.INCOHERENT_INTEGRATION |
|
1583 | 1583 | |
|
1584 | 1584 | if self.dataOut.data_dc is not None: |
|
1585 | 1585 | processFlags += PROCFLAG.SAVE_CHANNELS_DC |
|
1586 | 1586 | |
|
1587 | 1587 | if self.dataOut.flagShiftFFT: |
|
1588 | 1588 | processFlags += PROCFLAG.SHIFT_FFT_DATA |
|
1589 | 1589 | |
|
1590 | 1590 | return processFlags |
|
1591 | 1591 | |
|
1592 | 1592 | def setBasicHeader(self): |
|
1593 | 1593 | |
|
1594 | 1594 | self.basicHeaderObj.size = self.basicHeaderSize # bytes |
|
1595 | 1595 | self.basicHeaderObj.version = self.versionFile |
|
1596 | 1596 | self.basicHeaderObj.dataBlock = self.nTotalBlocks |
|
1597 | 1597 | |
|
1598 | 1598 | utc = numpy.floor(self.dataOut.utctime) |
|
1599 | 1599 | milisecond = (self.dataOut.utctime - utc) * 1000.0 |
|
1600 | 1600 | |
|
1601 | 1601 | self.basicHeaderObj.utc = utc |
|
1602 | 1602 | self.basicHeaderObj.miliSecond = milisecond |
|
1603 | 1603 | self.basicHeaderObj.timeZone = self.dataOut.timeZone |
|
1604 | 1604 | self.basicHeaderObj.dstFlag = self.dataOut.dstFlag |
|
1605 | 1605 | self.basicHeaderObj.errorCount = self.dataOut.errorCount |
|
1606 | 1606 | |
|
1607 | 1607 | def setFirstHeader(self): |
|
1608 | 1608 | """ |
|
1609 | 1609 | Obtiene una copia del First Header |
|
1610 | 1610 | |
|
1611 | 1611 | Affected: |
|
1612 | 1612 | |
|
1613 | 1613 | self.basicHeaderObj |
|
1614 | 1614 | self.systemHeaderObj |
|
1615 | 1615 | self.radarControllerHeaderObj |
|
1616 | 1616 | self.processingHeaderObj self. |
|
1617 | 1617 | |
|
1618 | 1618 | Return: |
|
1619 | 1619 | None |
|
1620 | 1620 | """ |
|
1621 | 1621 | |
|
1622 | 1622 | raise NotImplementedError |
|
1623 | 1623 | |
|
1624 | 1624 | def __writeFirstHeader(self): |
|
1625 | 1625 | """ |
|
1626 | 1626 | Escribe el primer header del file es decir el Basic header y el Long header (SystemHeader, RadarControllerHeader, ProcessingHeader) |
|
1627 | 1627 | |
|
1628 | 1628 | Affected: |
|
1629 | 1629 | __dataType |
|
1630 | 1630 | |
|
1631 | 1631 | Return: |
|
1632 | 1632 | None |
|
1633 | 1633 | """ |
|
1634 | 1634 | |
|
1635 | 1635 | # CALCULAR PARAMETROS |
|
1636 | 1636 | |
|
1637 | 1637 | sizeLongHeader = self.systemHeaderObj.size + \ |
|
1638 | 1638 | self.radarControllerHeaderObj.size + self.processingHeaderObj.size |
|
1639 | 1639 | self.basicHeaderObj.size = self.basicHeaderSize + sizeLongHeader |
|
1640 | 1640 | |
|
1641 | 1641 | self.basicHeaderObj.write(self.fp) |
|
1642 | 1642 | self.systemHeaderObj.write(self.fp) |
|
1643 | 1643 | self.radarControllerHeaderObj.write(self.fp) |
|
1644 | 1644 | self.processingHeaderObj.write(self.fp) |
|
1645 | 1645 | |
|
1646 | 1646 | def __setNewBlock(self): |
|
1647 | 1647 | """ |
|
1648 | 1648 | Si es un nuevo file escribe el First Header caso contrario escribe solo el Basic Header |
|
1649 | 1649 | |
|
1650 | 1650 | Return: |
|
1651 | 1651 | 0 : si no pudo escribir nada |
|
1652 | 1652 | 1 : Si escribio el Basic el First Header |
|
1653 | 1653 | """ |
|
1654 | 1654 | if self.fp == None: |
|
1655 | 1655 | self.setNextFile() |
|
1656 | 1656 | |
|
1657 | 1657 | if self.flagIsNewFile: |
|
1658 | 1658 | return 1 |
|
1659 | 1659 | |
|
1660 | 1660 | if self.blockIndex < self.processingHeaderObj.dataBlocksPerFile: |
|
1661 | 1661 | self.basicHeaderObj.write(self.fp) |
|
1662 | 1662 | return 1 |
|
1663 | 1663 | |
|
1664 | 1664 | if not(self.setNextFile()): |
|
1665 | 1665 | return 0 |
|
1666 | 1666 | |
|
1667 | 1667 | return 1 |
|
1668 | 1668 | |
|
1669 | 1669 | def writeNextBlock(self): |
|
1670 | 1670 | """ |
|
1671 | 1671 | Selecciona el bloque siguiente de datos y los escribe en un file |
|
1672 | 1672 | |
|
1673 | 1673 | Return: |
|
1674 | 1674 | 0 : Si no hizo pudo escribir el bloque de datos |
|
1675 | 1675 | 1 : Si no pudo escribir el bloque de datos |
|
1676 | 1676 | """ |
|
1677 | 1677 | if not(self.__setNewBlock()): |
|
1678 | 1678 | return 0 |
|
1679 | 1679 | |
|
1680 | 1680 | self.writeBlock() |
|
1681 | 1681 | |
|
1682 | 1682 | print("[Writing] Block No. %d/%d" % (self.blockIndex, |
|
1683 | 1683 | self.processingHeaderObj.dataBlocksPerFile)) |
|
1684 | 1684 | |
|
1685 | 1685 | return 1 |
|
1686 | 1686 | |
|
1687 | 1687 | def setNextFile(self): |
|
1688 | 1688 | """ |
|
1689 | 1689 | Determina el siguiente file que sera escrito |
|
1690 | 1690 | |
|
1691 | 1691 | Affected: |
|
1692 | 1692 | self.filename |
|
1693 | 1693 | self.subfolder |
|
1694 | 1694 | self.fp |
|
1695 | 1695 | self.setFile |
|
1696 | 1696 | self.flagIsNewFile |
|
1697 | 1697 | |
|
1698 | 1698 | Return: |
|
1699 | 1699 | 0 : Si el archivo no puede ser escrito |
|
1700 | 1700 | 1 : Si el archivo esta listo para ser escrito |
|
1701 | 1701 | """ |
|
1702 | 1702 | ext = self.ext |
|
1703 | 1703 | path = self.path |
|
1704 | 1704 | |
|
1705 | 1705 | if self.fp != None: |
|
1706 | 1706 | self.fp.close() |
|
1707 | 1707 | |
|
1708 | 1708 | timeTuple = time.localtime(self.dataOut.utctime) |
|
1709 | 1709 | subfolder = 'd%4.4d%3.3d' % (timeTuple.tm_year, timeTuple.tm_yday) |
|
1710 | 1710 | |
|
1711 | 1711 | fullpath = os.path.join(path, subfolder) |
|
1712 | 1712 | setFile = self.setFile |
|
1713 | 1713 | |
|
1714 | 1714 | if not(os.path.exists(fullpath)): |
|
1715 | 1715 | os.mkdir(fullpath) |
|
1716 | 1716 | setFile = -1 # inicializo mi contador de seteo |
|
1717 | 1717 | else: |
|
1718 | 1718 | filesList = os.listdir(fullpath) |
|
1719 | 1719 | if len(filesList) > 0: |
|
1720 | 1720 | filesList = sorted(filesList, key=str.lower) |
|
1721 | 1721 | filen = filesList[-1] |
|
1722 | 1722 | # el filename debera tener el siguiente formato |
|
1723 | 1723 | # 0 1234 567 89A BCDE (hex) |
|
1724 | 1724 | # x YYYY DDD SSS .ext |
|
1725 | 1725 | if isNumber(filen[8:11]): |
|
1726 | 1726 | # inicializo mi contador de seteo al seteo del ultimo file |
|
1727 | 1727 | setFile = int(filen[8:11]) |
|
1728 | 1728 | else: |
|
1729 | 1729 | setFile = -1 |
|
1730 | 1730 | else: |
|
1731 | 1731 | setFile = -1 # inicializo mi contador de seteo |
|
1732 | 1732 | |
|
1733 | 1733 | setFile += 1 |
|
1734 | 1734 | |
|
1735 | 1735 | # If this is a new day it resets some values |
|
1736 | 1736 | if self.dataOut.datatime.date() > self.fileDate: |
|
1737 | 1737 | setFile = 0 |
|
1738 | 1738 | self.nTotalBlocks = 0 |
|
1739 | 1739 | |
|
1740 | 1740 | filen = '{}{:04d}{:03d}{:03d}{}'.format( |
|
1741 | 1741 | self.optchar, timeTuple.tm_year, timeTuple.tm_yday, setFile, ext) |
|
1742 | 1742 | |
|
1743 | 1743 | filename = os.path.join(path, subfolder, filen) |
|
1744 | 1744 | |
|
1745 | 1745 | fp = open(filename, 'wb') |
|
1746 | 1746 | |
|
1747 | 1747 | self.blockIndex = 0 |
|
1748 | 1748 | |
|
1749 | 1749 | # guardando atributos |
|
1750 | 1750 | self.filename = filename |
|
1751 | 1751 | self.subfolder = subfolder |
|
1752 | 1752 | self.fp = fp |
|
1753 | 1753 | self.setFile = setFile |
|
1754 | 1754 | self.flagIsNewFile = 1 |
|
1755 | 1755 | self.fileDate = self.dataOut.datatime.date() |
|
1756 | 1756 | |
|
1757 | 1757 | self.setFirstHeader() |
|
1758 | 1758 | |
|
1759 | 1759 | print('[Writing] Opening file: %s' % self.filename) |
|
1760 | 1760 | |
|
1761 | 1761 | self.__writeFirstHeader() |
|
1762 | 1762 | |
|
1763 | 1763 | return 1 |
|
1764 | 1764 | |
|
1765 | 1765 | def setup(self, dataOut, path, blocksPerFile, profilesPerBlock=64, set=None, ext=None, datatype=4): |
|
1766 | 1766 | """ |
|
1767 | 1767 | Setea el tipo de formato en la cual sera guardada la data y escribe el First Header |
|
1768 | 1768 | |
|
1769 | 1769 | Inputs: |
|
1770 | 1770 | path : directory where data will be saved |
|
1771 | 1771 | profilesPerBlock : number of profiles per block |
|
1772 | 1772 | set : initial file set |
|
1773 | 1773 | datatype : An integer number that defines data type: |
|
1774 | 1774 | 0 : int8 (1 byte) |
|
1775 | 1775 | 1 : int16 (2 bytes) |
|
1776 | 1776 | 2 : int32 (4 bytes) |
|
1777 | 1777 | 3 : int64 (8 bytes) |
|
1778 | 1778 | 4 : float32 (4 bytes) |
|
1779 | 1779 | 5 : double64 (8 bytes) |
|
1780 | 1780 | |
|
1781 | 1781 | Return: |
|
1782 | 1782 | 0 : Si no realizo un buen seteo |
|
1783 | 1783 | 1 : Si realizo un buen seteo |
|
1784 | 1784 | """ |
|
1785 | 1785 | |
|
1786 | 1786 | if ext == None: |
|
1787 | 1787 | ext = self.ext |
|
1788 | 1788 | |
|
1789 | 1789 | self.ext = ext.lower() |
|
1790 | 1790 | |
|
1791 | 1791 | self.path = path |
|
1792 | 1792 | |
|
1793 | 1793 | if set is None: |
|
1794 | 1794 | self.setFile = -1 |
|
1795 | 1795 | else: |
|
1796 | 1796 | self.setFile = set - 1 |
|
1797 | 1797 | |
|
1798 | 1798 | self.blocksPerFile = blocksPerFile |
|
1799 | 1799 | |
|
1800 | 1800 | self.profilesPerBlock = profilesPerBlock |
|
1801 | 1801 | |
|
1802 | 1802 | self.dataOut = dataOut |
|
1803 | 1803 | self.fileDate = self.dataOut.datatime.date() |
|
1804 | 1804 | # By default |
|
1805 | 1805 | self.dtype = self.dataOut.dtype |
|
1806 | 1806 | |
|
1807 | 1807 | if datatype is not None: |
|
1808 | 1808 | self.dtype = get_numpy_dtype(datatype) |
|
1809 | 1809 | |
|
1810 | 1810 | if not(self.setNextFile()): |
|
1811 | 1811 | print("[Writing] There isn't a next file") |
|
1812 | 1812 | return 0 |
|
1813 | 1813 | |
|
1814 | 1814 | self.setBlockDimension() |
|
1815 | 1815 | |
|
1816 | 1816 | return 1 |
|
1817 | 1817 | |
|
1818 | 1818 | def run(self, dataOut, path, blocksPerFile=100, profilesPerBlock=64, set=None, ext=None, datatype=4, **kwargs): |
|
1819 | 1819 | |
|
1820 | 1820 | if not(self.isConfig): |
|
1821 | 1821 | |
|
1822 | 1822 | self.setup(dataOut, path, blocksPerFile, profilesPerBlock=profilesPerBlock, |
|
1823 | 1823 | set=set, ext=ext, datatype=datatype, **kwargs) |
|
1824 | 1824 | self.isConfig = True |
|
1825 | 1825 | |
|
1826 | 1826 | self.dataOut = dataOut |
|
1827 | 1827 | self.putData() |
|
1828 | 1828 | return self.dataOut No newline at end of file |
@@ -1,645 +1,637 | |||
|
1 | 1 | ''' |
|
2 | 2 | Created on Aug 1, 2017 |
|
3 | 3 | |
|
4 | 4 | @author: Juan C. Espinoza |
|
5 | 5 | ''' |
|
6 | 6 | |
|
7 | 7 | import os |
|
8 | 8 | import sys |
|
9 | 9 | import time |
|
10 | 10 | import json |
|
11 | 11 | import glob |
|
12 | 12 | import datetime |
|
13 | 13 | |
|
14 | 14 | import numpy |
|
15 | 15 | import h5py |
|
16 | 16 | from schainpy.model.io.jroIO_base import LOCALTIME, JRODataReader, JRODataWriter |
|
17 | 17 | from schainpy.model.proc.jroproc_base import ProcessingUnit, Operation, MPDecorator |
|
18 | 18 | from schainpy.model.data.jrodata import Parameters |
|
19 | 19 | from schainpy.utils import log |
|
20 | 20 | |
|
21 | 21 | try: |
|
22 | 22 | import madrigal.cedar |
|
23 | 23 | except: |
|
24 | 24 | log.warning( |
|
25 | 25 | 'You should install "madrigal library" module if you want to read/write Madrigal data' |
|
26 | 26 | ) |
|
27 | 27 | |
|
28 | try: | |
|
29 | basestring | |
|
30 | except: | |
|
31 | basestring = str | |
|
32 | ||
|
28 | 33 | DEF_CATALOG = { |
|
29 | 34 | 'principleInvestigator': 'Marco Milla', |
|
30 | 35 | 'expPurpose': '', |
|
31 | 36 | 'cycleTime': '', |
|
32 | 37 | 'correlativeExp': '', |
|
33 | 38 | 'sciRemarks': '', |
|
34 | 39 | 'instRemarks': '' |
|
35 | 40 | } |
|
36 | 41 | |
|
37 | 42 | DEF_HEADER = { |
|
38 | 43 | 'kindatDesc': '', |
|
39 | 44 | 'analyst': 'Jicamarca User', |
|
40 | 45 | 'comments': '', |
|
41 | 46 | 'history': '' |
|
42 | 47 | } |
|
43 | 48 | |
|
44 | 49 | MNEMONICS = { |
|
45 | 50 | 10: 'jro', |
|
46 | 51 | 11: 'jbr', |
|
47 | 52 | 840: 'jul', |
|
48 | 53 | 13: 'jas', |
|
49 | 54 | 1000: 'pbr', |
|
50 | 55 | 1001: 'hbr', |
|
51 | 56 | 1002: 'obr', |
|
52 | 57 | 400: 'clr' |
|
53 | 58 | |
|
54 | 59 | } |
|
55 | 60 | |
|
56 | 61 | UT1970 = datetime.datetime(1970, 1, 1) - datetime.timedelta(seconds=time.timezone) |
|
57 | 62 | |
|
58 | 63 | def load_json(obj): |
|
59 | 64 | ''' |
|
60 | 65 | Parse json as string instead of unicode |
|
61 | 66 | ''' |
|
62 | 67 | |
|
63 | 68 | if isinstance(obj, str): |
|
64 | 69 | iterable = json.loads(obj) |
|
65 | 70 | else: |
|
66 | 71 | iterable = obj |
|
67 | 72 | |
|
68 | 73 | if isinstance(iterable, dict): |
|
69 |
return {str(k): load_json(v) if isinstance(v, dict) else str(v) if isinstance(v, |
|
|
74 | return {str(k): load_json(v) if isinstance(v, dict) else str(v) if isinstance(v, basestring) else v | |
|
70 | 75 | for k, v in list(iterable.items())} |
|
71 | 76 | elif isinstance(iterable, (list, tuple)): |
|
72 | return [str(v) if isinstance(v, str) else v for v in iterable] | |
|
77 | return [str(v) if isinstance(v, basestring) else v for v in iterable] | |
|
73 | 78 | |
|
74 | 79 | return iterable |
|
75 | 80 | |
|
76 | 81 | @MPDecorator |
|
77 | 82 | class MADReader(JRODataReader, ProcessingUnit): |
|
78 | 83 | |
|
79 | 84 | def __init__(self): |
|
80 | 85 | |
|
81 | 86 | ProcessingUnit.__init__(self) |
|
82 | 87 | |
|
83 | 88 | self.dataOut = Parameters() |
|
84 | 89 | self.counter_records = 0 |
|
85 | 90 | self.nrecords = None |
|
86 | 91 | self.flagNoMoreFiles = 0 |
|
87 | 92 | self.isConfig = False |
|
88 | 93 | self.filename = None |
|
89 | 94 | self.intervals = set() |
|
90 | 95 | |
|
91 | 96 | def setup(self, |
|
92 | 97 | path=None, |
|
93 | 98 | startDate=None, |
|
94 | 99 | endDate=None, |
|
95 | 100 | format=None, |
|
96 | 101 | startTime=datetime.time(0, 0, 0), |
|
97 | 102 | endTime=datetime.time(23, 59, 59), |
|
98 | 103 | **kwargs): |
|
99 | 104 | |
|
100 | 105 | self.path = path |
|
101 | 106 | self.startDate = startDate |
|
102 | 107 | self.endDate = endDate |
|
103 | 108 | self.startTime = startTime |
|
104 | 109 | self.endTime = endTime |
|
105 | 110 | self.datatime = datetime.datetime(1900,1,1) |
|
106 | 111 | self.oneDDict = load_json(kwargs.get('oneDDict', |
|
107 | 112 | "{\"GDLATR\":\"lat\", \"GDLONR\":\"lon\"}")) |
|
108 | 113 | self.twoDDict = load_json(kwargs.get('twoDDict', |
|
109 | 114 | "{\"GDALT\": \"heightList\"}")) |
|
110 | self.ind2DList = load_json(kwargs.get('ind2DList', | |
|
111 | "[\"GDALT\"]")) | |
|
115 | self.independentParam = 'GDALT' | |
|
116 | ||
|
112 | 117 | if self.path is None: |
|
113 | 118 | raise ValueError('The path is not valid') |
|
114 | 119 | |
|
115 | 120 | if format is None: |
|
116 | 121 | raise ValueError('The format is not valid choose simple or hdf5') |
|
117 | 122 | elif format.lower() in ('simple', 'txt'): |
|
118 | 123 | self.ext = '.txt' |
|
119 | 124 | elif format.lower() in ('cedar',): |
|
120 | 125 | self.ext = '.001' |
|
121 | 126 | else: |
|
122 | 127 | self.ext = '.hdf5' |
|
123 | 128 | |
|
124 | 129 | self.search_files(self.path) |
|
125 | 130 | self.fileId = 0 |
|
126 | 131 | |
|
127 | 132 | if not self.fileList: |
|
128 | 133 | raise Warning('There is no files matching these date in the folder: {}. \n Check startDate and endDate'.format(path)) |
|
129 | 134 | |
|
130 | 135 | self.setNextFile() |
|
131 | 136 | |
|
132 | 137 | def search_files(self, path): |
|
133 | 138 | ''' |
|
134 | 139 | Searching for madrigal files in path |
|
135 | 140 | Creating a list of files to procces included in [startDate,endDate] |
|
136 | 141 | |
|
137 | 142 | Input: |
|
138 | 143 | path - Path to find files |
|
139 | 144 | ''' |
|
140 | 145 | |
|
141 | 146 | log.log('Searching files {} in {} '.format(self.ext, path), 'MADReader') |
|
142 | foldercounter = 0 | |
|
143 | 147 | fileList0 = glob.glob1(path, '*{}'.format(self.ext)) |
|
144 | 148 | fileList0.sort() |
|
145 | 149 | |
|
146 | 150 | self.fileList = [] |
|
147 | 151 | self.dateFileList = [] |
|
148 | 152 | |
|
149 | 153 | startDate = self.startDate - datetime.timedelta(1) |
|
150 | 154 | endDate = self.endDate + datetime.timedelta(1) |
|
151 | 155 | |
|
152 | 156 | for thisFile in fileList0: |
|
153 | 157 | year = thisFile[3:7] |
|
154 | 158 | if not year.isdigit(): |
|
155 | 159 | continue |
|
156 | 160 | |
|
157 | 161 | month = thisFile[7:9] |
|
158 | 162 | if not month.isdigit(): |
|
159 | 163 | continue |
|
160 | 164 | |
|
161 | 165 | day = thisFile[9:11] |
|
162 | 166 | if not day.isdigit(): |
|
163 | 167 | continue |
|
164 | 168 | |
|
165 | 169 | year, month, day = int(year), int(month), int(day) |
|
166 | 170 | dateFile = datetime.date(year, month, day) |
|
167 | 171 | |
|
168 | 172 | if (startDate > dateFile) or (endDate < dateFile): |
|
169 | 173 | continue |
|
170 | 174 | |
|
171 | 175 | self.fileList.append(thisFile) |
|
172 | 176 | self.dateFileList.append(dateFile) |
|
173 | 177 | |
|
174 | 178 | return |
|
175 | 179 | |
|
176 | 180 | def parseHeader(self): |
|
177 | 181 | ''' |
|
178 | 182 | ''' |
|
179 | 183 | |
|
180 | 184 | self.output = {} |
|
181 | 185 | self.version = '2' |
|
182 | 186 | s_parameters = None |
|
183 | 187 | if self.ext == '.txt': |
|
184 | self.parameters = [s.strip().lower() for s in self.fp.readline().strip().split(' ') if s] | |
|
188 | self.parameters = [s.strip().lower() for s in self.fp.readline().decode().strip().split(' ') if s] | |
|
185 | 189 | elif self.ext == '.hdf5': |
|
186 | metadata = self.fp['Metadata'] | |
|
187 | data = self.fp['Data']['Array Layout'] | |
|
188 | if 'Independent Spatial Parameters' in metadata: | |
|
189 | s_parameters = [s[0].lower() for s in metadata['Independent Spatial Parameters']] | |
|
190 | self.metadata = self.fp['Metadata'] | |
|
191 | if '_record_layout' in self.metadata: | |
|
192 | s_parameters = [s[0].lower().decode() for s in self.metadata['Independent Spatial Parameters']] | |
|
190 | 193 | self.version = '3' |
|
191 |
|
|
|
192 | one_d = [1 for s in one] | |
|
193 | two = [s[0].lower() for s in data['2D Parameters']['Data Parameters']] | |
|
194 | two_d = [2 for s in two] | |
|
195 | self.parameters = one + two | |
|
196 | self.parameters_d = one_d + two_d | |
|
194 | self.parameters = [s[0].lower().decode() for s in self.metadata['Data Parameters']] | |
|
197 | 195 | |
|
198 | 196 | log.success('Parameters found: {}'.format(self.parameters), |
|
199 | 197 | 'MADReader') |
|
200 | 198 | if s_parameters: |
|
201 |
log.success('Spatial parameters: {}'.format( |
|
|
199 | log.success('Spatial parameters found: {}'.format(s_parameters), | |
|
202 | 200 | 'MADReader') |
|
203 | 201 | |
|
204 | 202 | for param in list(self.oneDDict.keys()): |
|
205 | 203 | if param.lower() not in self.parameters: |
|
206 | 204 | log.warning( |
|
207 | 205 | 'Parameter {} not found will be ignored'.format( |
|
208 | 206 | param), |
|
209 | 207 | 'MADReader') |
|
210 | 208 | self.oneDDict.pop(param, None) |
|
211 | 209 | |
|
212 | 210 | for param, value in list(self.twoDDict.items()): |
|
213 | 211 | if param.lower() not in self.parameters: |
|
214 | 212 | log.warning( |
|
215 | 213 | 'Parameter {} not found, it will be ignored'.format( |
|
216 | 214 | param), |
|
217 | 215 | 'MADReader') |
|
218 | 216 | self.twoDDict.pop(param, None) |
|
219 | 217 | continue |
|
220 | 218 | if isinstance(value, list): |
|
221 | 219 | if value[0] not in self.output: |
|
222 | 220 | self.output[value[0]] = [] |
|
223 |
self.output[value[0]].append( |
|
|
221 | self.output[value[0]].append([]) | |
|
224 | 222 | |
|
225 | 223 | def parseData(self): |
|
226 | 224 | ''' |
|
227 | 225 | ''' |
|
228 | 226 | |
|
229 | 227 | if self.ext == '.txt': |
|
230 | 228 | self.data = numpy.genfromtxt(self.fp, missing_values=('missing')) |
|
231 | 229 | self.nrecords = self.data.shape[0] |
|
232 |
self.ranges = numpy.unique(self.data[:,self.parameters.index(self.ind |
|
|
230 | self.ranges = numpy.unique(self.data[:,self.parameters.index(self.independentParam.lower())]) | |
|
231 | self.counter_records = 0 | |
|
233 | 232 | elif self.ext == '.hdf5': |
|
234 |
self.data = self.fp['Data'] |
|
|
235 | self.nrecords = len(self.data['timestamps'].value) | |
|
236 |
self. |
|
|
237 | ||
|
233 | self.data = self.fp['Data'] | |
|
234 | self.ranges = numpy.unique(self.data['Table Layout'][self.independentParam.lower()]) | |
|
235 | self.times = numpy.unique(self.data['Table Layout']['ut1_unix']) | |
|
236 | self.counter_records = int(self.data['Table Layout']['recno'][0]) | |
|
237 | self.nrecords = int(self.data['Table Layout']['recno'][-1]) | |
|
238 | ||
|
238 | 239 | def setNextFile(self): |
|
239 | 240 | ''' |
|
240 | 241 | ''' |
|
241 | 242 | |
|
242 | 243 | file_id = self.fileId |
|
243 | 244 | |
|
244 | 245 | if file_id == len(self.fileList): |
|
245 | 246 | log.success('No more files', 'MADReader') |
|
246 | 247 | self.flagNoMoreFiles = 1 |
|
247 | 248 | return 0 |
|
248 | 249 | |
|
249 | 250 | log.success( |
|
250 | 251 | 'Opening: {}'.format(self.fileList[file_id]), |
|
251 | 252 | 'MADReader' |
|
252 | 253 | ) |
|
253 | 254 | |
|
254 | 255 | filename = os.path.join(self.path, self.fileList[file_id]) |
|
255 | 256 | |
|
256 | 257 | if self.filename is not None: |
|
257 | 258 | self.fp.close() |
|
258 | 259 | |
|
259 | 260 | self.filename = filename |
|
260 | 261 | self.filedate = self.dateFileList[file_id] |
|
261 | 262 | |
|
262 | 263 | if self.ext=='.hdf5': |
|
263 | 264 | self.fp = h5py.File(self.filename, 'r') |
|
264 | 265 | else: |
|
265 | 266 | self.fp = open(self.filename, 'rb') |
|
266 | 267 | |
|
267 | 268 | self.parseHeader() |
|
268 | 269 | self.parseData() |
|
269 | 270 | self.sizeOfFile = os.path.getsize(self.filename) |
|
270 | self.counter_records = 0 | |
|
271 | 271 | self.flagIsNewFile = 0 |
|
272 | 272 | self.fileId += 1 |
|
273 | 273 | |
|
274 | 274 | return 1 |
|
275 | 275 | |
|
276 | 276 | def readNextBlock(self): |
|
277 | 277 | |
|
278 | 278 | while True: |
|
279 | 279 | self.flagDiscontinuousBlock = 0 |
|
280 | 280 | if self.flagIsNewFile: |
|
281 | 281 | if not self.setNextFile(): |
|
282 | 282 | return 0 |
|
283 | 283 | |
|
284 | 284 | self.readBlock() |
|
285 | 285 | |
|
286 | 286 | if (self.datatime < datetime.datetime.combine(self.startDate, self.startTime)) or \ |
|
287 | 287 | (self.datatime > datetime.datetime.combine(self.endDate, self.endTime)): |
|
288 | 288 | log.warning( |
|
289 | 289 | 'Reading Record No. {}/{} -> {} [Skipping]'.format( |
|
290 | 290 | self.counter_records, |
|
291 | 291 | self.nrecords, |
|
292 | 292 | self.datatime.ctime()), |
|
293 | 293 | 'MADReader') |
|
294 | 294 | continue |
|
295 | 295 | break |
|
296 | 296 | |
|
297 | 297 | log.log( |
|
298 | 298 | 'Reading Record No. {}/{} -> {}'.format( |
|
299 | 299 | self.counter_records, |
|
300 | 300 | self.nrecords, |
|
301 | 301 | self.datatime.ctime()), |
|
302 | 302 | 'MADReader') |
|
303 | 303 | |
|
304 | 304 | return 1 |
|
305 | 305 | |
|
306 | 306 | def readBlock(self): |
|
307 | 307 | ''' |
|
308 | 308 | ''' |
|
309 | 309 | dum = [] |
|
310 | 310 | if self.ext == '.txt': |
|
311 | 311 | dt = self.data[self.counter_records][:6].astype(int) |
|
312 | 312 | if datetime.datetime(dt[0], dt[1], dt[2], dt[3], dt[4], dt[5]).date() > self.datatime.date(): |
|
313 | 313 | self.flagDiscontinuousBlock = 1 |
|
314 | 314 | self.datatime = datetime.datetime(dt[0], dt[1], dt[2], dt[3], dt[4], dt[5]) |
|
315 | 315 | while True: |
|
316 | 316 | dt = self.data[self.counter_records][:6].astype(int) |
|
317 | 317 | datatime = datetime.datetime(dt[0], dt[1], dt[2], dt[3], dt[4], dt[5]) |
|
318 | 318 | if datatime == self.datatime: |
|
319 | 319 | dum.append(self.data[self.counter_records]) |
|
320 | 320 | self.counter_records += 1 |
|
321 | 321 | if self.counter_records == self.nrecords: |
|
322 | 322 | self.flagIsNewFile = True |
|
323 | 323 | break |
|
324 | 324 | continue |
|
325 | 325 | self.intervals.add((datatime-self.datatime).seconds) |
|
326 | 326 | break |
|
327 | 327 | elif self.ext == '.hdf5': |
|
328 | 328 | datatime = datetime.datetime.utcfromtimestamp( |
|
329 |
self. |
|
|
330 | nHeights = len(self.ranges) | |
|
331 | for n, param in enumerate(self.parameters): | |
|
332 | if self.parameters_d[n] == 1: | |
|
333 | dum.append(numpy.ones(nHeights)*self.data['1D Parameters'][param][self.counter_records]) | |
|
334 | else: | |
|
335 | if self.version == '2': | |
|
336 | dum.append(self.data['2D Parameters'][param][self.counter_records]) | |
|
337 | else: | |
|
338 | tmp = self.data['2D Parameters'][param].value.T | |
|
339 | dum.append(tmp[self.counter_records]) | |
|
329 | self.times[self.counter_records]) | |
|
330 | dum = self.data['Table Layout'][self.data['Table Layout']['recno']==self.counter_records] | |
|
340 | 331 | self.intervals.add((datatime-self.datatime).seconds) |
|
341 | 332 | if datatime.date()>self.datatime.date(): |
|
342 | 333 | self.flagDiscontinuousBlock = 1 |
|
343 | 334 | self.datatime = datatime |
|
344 | 335 | self.counter_records += 1 |
|
345 | 336 | if self.counter_records == self.nrecords: |
|
346 | 337 | self.flagIsNewFile = True |
|
347 | 338 | |
|
348 | 339 | self.buffer = numpy.array(dum) |
|
349 | 340 | return |
|
350 | 341 | |
|
351 | 342 | def set_output(self): |
|
352 | 343 | ''' |
|
353 | 344 | Storing data from buffer to dataOut object |
|
354 | 345 | ''' |
|
355 | 346 | |
|
356 | 347 | parameters = [None for __ in self.parameters] |
|
357 | 348 | |
|
358 | 349 | for param, attr in list(self.oneDDict.items()): |
|
359 | 350 | x = self.parameters.index(param.lower()) |
|
360 | 351 | setattr(self.dataOut, attr, self.buffer[0][x]) |
|
361 | 352 | |
|
362 |
for param, value in list(self.twoDDict.items()): |
|
|
363 | x = self.parameters.index(param.lower()) | |
|
353 | for param, value in list(self.twoDDict.items()): | |
|
354 | dummy = numpy.zeros(self.ranges.shape) + numpy.nan | |
|
364 | 355 | if self.ext == '.txt': |
|
365 |
|
|
|
356 | x = self.parameters.index(param.lower()) | |
|
357 | y = self.parameters.index(self.independentParam.lower()) | |
|
366 | 358 | ranges = self.buffer[:,y] |
|
367 | 359 | #if self.ranges.size == ranges.size: |
|
368 | 360 | # continue |
|
369 | 361 | index = numpy.where(numpy.in1d(self.ranges, ranges))[0] |
|
370 | dummy = numpy.zeros(self.ranges.shape) + numpy.nan | |
|
371 | 362 | dummy[index] = self.buffer[:,x] |
|
372 |
else: |
|
|
373 | dummy = self.buffer[x] | |
|
363 | else: | |
|
364 | ranges = self.buffer[self.independentParam.lower()] | |
|
365 | index = numpy.where(numpy.in1d(self.ranges, ranges))[0] | |
|
366 | dummy[index] = self.buffer[param.lower()] | |
|
374 | 367 | |
|
375 | 368 | if isinstance(value, str): |
|
376 |
if value not in self.ind |
|
|
369 | if value not in self.independentParam: | |
|
377 | 370 | setattr(self.dataOut, value, dummy.reshape(1,-1)) |
|
378 | 371 | elif isinstance(value, list): |
|
379 | 372 | self.output[value[0]][value[1]] = dummy |
|
380 | 373 | parameters[value[1]] = param |
|
381 | ||
|
382 | 374 | for key, value in list(self.output.items()): |
|
383 | 375 | setattr(self.dataOut, key, numpy.array(value)) |
|
384 | ||
|
376 | ||
|
385 | 377 | self.dataOut.parameters = [s for s in parameters if s] |
|
386 | 378 | self.dataOut.heightList = self.ranges |
|
387 | 379 | self.dataOut.utctime = (self.datatime - datetime.datetime(1970, 1, 1)).total_seconds() |
|
388 | 380 | self.dataOut.utctimeInit = self.dataOut.utctime |
|
389 | 381 | self.dataOut.paramInterval = min(self.intervals) |
|
390 | 382 | self.dataOut.useLocalTime = False |
|
391 | 383 | self.dataOut.flagNoData = False |
|
392 | 384 | self.dataOut.nrecords = self.nrecords |
|
393 | 385 | self.dataOut.flagDiscontinuousBlock = self.flagDiscontinuousBlock |
|
394 | 386 | |
|
395 | 387 | def getData(self): |
|
396 | 388 | ''' |
|
397 | 389 | Storing data from databuffer to dataOut object |
|
398 | 390 | ''' |
|
399 | 391 | if self.flagNoMoreFiles: |
|
400 | 392 | self.dataOut.flagNoData = True |
|
401 | 393 | self.dataOut.error = 'No file left to process' |
|
402 | 394 | return 0 |
|
403 | 395 | |
|
404 | 396 | if not self.readNextBlock(): |
|
405 | 397 | self.dataOut.flagNoData = True |
|
406 | 398 | return 0 |
|
407 | 399 | |
|
408 | 400 | self.set_output() |
|
409 | 401 | |
|
410 | 402 | return 1 |
|
411 | 403 | |
|
412 | 404 | @MPDecorator |
|
413 | 405 | class MADWriter(Operation): |
|
414 | 406 | |
|
415 | 407 | missing = -32767 |
|
416 | 408 | |
|
417 | 409 | def __init__(self): |
|
418 | 410 | |
|
419 | 411 | Operation.__init__(self) |
|
420 | 412 | self.dataOut = Parameters() |
|
421 | 413 | self.counter = 0 |
|
422 | 414 | self.path = None |
|
423 | 415 | self.fp = None |
|
424 | 416 | |
|
425 |
def run(self, dataOut, path, oneDDict, ind |
|
|
417 | def run(self, dataOut, path, oneDDict, independentParam='[]', twoDDict='{}', | |
|
426 | 418 | metadata='{}', format='cedar', **kwargs): |
|
427 | 419 | ''' |
|
428 | 420 | Inputs: |
|
429 | 421 | path - path where files will be created |
|
430 | 422 | oneDDict - json of one-dimensional parameters in record where keys |
|
431 | 423 | are Madrigal codes (integers or mnemonics) and values the corresponding |
|
432 | 424 | dataOut attribute e.g: { |
|
433 | 425 | 'gdlatr': 'lat', |
|
434 | 426 | 'gdlonr': 'lon', |
|
435 | 427 | 'gdlat2':'lat', |
|
436 | 428 | 'glon2':'lon'} |
|
437 |
ind |
|
|
438 | ['heighList'] | |
|
429 | independentParam - list of independent spatial two-dimensional parameters e.g: | |
|
430 | ['heigthList'] | |
|
439 | 431 | twoDDict - json of two-dimensional parameters in record where keys |
|
440 | 432 | are Madrigal codes (integers or mnemonics) and values the corresponding |
|
441 | 433 | dataOut attribute if multidimensional array specify as tupple |
|
442 | 434 | ('attr', pos) e.g: { |
|
443 | 435 | 'gdalt': 'heightList', |
|
444 | 436 | 'vn1p2': ('data_output', 0), |
|
445 | 437 | 'vn2p2': ('data_output', 1), |
|
446 | 438 | 'vn3': ('data_output', 2), |
|
447 | 439 | 'snl': ('data_SNR', 'db') |
|
448 | 440 | } |
|
449 | 441 | metadata - json of madrigal metadata (kinst, kindat, catalog and header) |
|
450 | 442 | ''' |
|
451 | 443 | if not self.isConfig: |
|
452 |
self.setup(path, oneDDict, ind |
|
|
444 | self.setup(path, oneDDict, independentParam, twoDDict, metadata, format, **kwargs) | |
|
453 | 445 | self.isConfig = True |
|
454 | 446 | |
|
455 | 447 | self.dataOut = dataOut |
|
456 | 448 | self.putData() |
|
457 | 449 | return 1 |
|
458 | 450 | |
|
459 |
def setup(self, path, oneDDict, ind |
|
|
451 | def setup(self, path, oneDDict, independentParam, twoDDict, metadata, format, **kwargs): | |
|
460 | 452 | ''' |
|
461 | 453 | Configure Operation |
|
462 | 454 | ''' |
|
463 | 455 | |
|
464 | 456 | self.path = path |
|
465 | 457 | self.blocks = kwargs.get('blocks', None) |
|
466 | 458 | self.counter = 0 |
|
467 | 459 | self.oneDDict = load_json(oneDDict) |
|
468 | 460 | self.twoDDict = load_json(twoDDict) |
|
469 |
self.ind |
|
|
461 | self.independentParam = load_json(independentParam) | |
|
470 | 462 | meta = load_json(metadata) |
|
471 | 463 | self.kinst = meta.get('kinst') |
|
472 | 464 | self.kindat = meta.get('kindat') |
|
473 | 465 | self.catalog = meta.get('catalog', DEF_CATALOG) |
|
474 | 466 | self.header = meta.get('header', DEF_HEADER) |
|
475 | 467 | if format == 'cedar': |
|
476 | 468 | self.ext = '.dat' |
|
477 | 469 | self.extra_args = {} |
|
478 | 470 | elif format == 'hdf5': |
|
479 | 471 | self.ext = '.hdf5' |
|
480 |
self.extra_args = {'ind |
|
|
472 | self.extra_args = {'independentParam': self.independentParam} | |
|
481 | 473 | |
|
482 | 474 | self.keys = [k.lower() for k in self.twoDDict] |
|
483 | 475 | if 'range' in self.keys: |
|
484 | 476 | self.keys.remove('range') |
|
485 | 477 | if 'gdalt' in self.keys: |
|
486 | 478 | self.keys.remove('gdalt') |
|
487 | 479 | |
|
488 | 480 | def setFile(self): |
|
489 | 481 | ''' |
|
490 | 482 | Create new cedar file object |
|
491 | 483 | ''' |
|
492 | 484 | |
|
493 | 485 | self.mnemonic = MNEMONICS[self.kinst] #TODO get mnemonic from madrigal |
|
494 | 486 | date = datetime.datetime.utcfromtimestamp(self.dataOut.utctime) |
|
495 | 487 | |
|
496 | 488 | filename = '{}{}{}'.format(self.mnemonic, |
|
497 | 489 | date.strftime('%Y%m%d_%H%M%S'), |
|
498 | 490 | self.ext) |
|
499 | 491 | |
|
500 | 492 | self.fullname = os.path.join(self.path, filename) |
|
501 | 493 | |
|
502 | 494 | if os.path.isfile(self.fullname) : |
|
503 | 495 | log.warning( |
|
504 | 496 | 'Destination file {} already exists, previous file deleted.'.format( |
|
505 | 497 | self.fullname), |
|
506 | 498 | 'MADWriter') |
|
507 | 499 | os.remove(self.fullname) |
|
508 | 500 | |
|
509 | 501 | try: |
|
510 | 502 | log.success( |
|
511 | 503 | 'Creating file: {}'.format(self.fullname), |
|
512 | 504 | 'MADWriter') |
|
513 | 505 | self.fp = madrigal.cedar.MadrigalCedarFile(self.fullname, True) |
|
514 | 506 | except ValueError as e: |
|
515 | 507 | log.error( |
|
516 | 508 | 'Impossible to create a cedar object with "madrigal.cedar.MadrigalCedarFile"', |
|
517 | 509 | 'MADWriter') |
|
518 | 510 | return |
|
519 | 511 | |
|
520 | 512 | return 1 |
|
521 | 513 | |
|
522 | 514 | def writeBlock(self): |
|
523 | 515 | ''' |
|
524 | 516 | Add data records to cedar file taking data from oneDDict and twoDDict |
|
525 | 517 | attributes. |
|
526 | 518 | Allowed parameters in: parcodes.tab |
|
527 | 519 | ''' |
|
528 | 520 | |
|
529 | 521 | startTime = datetime.datetime.utcfromtimestamp(self.dataOut.utctime) |
|
530 | 522 | endTime = startTime + datetime.timedelta(seconds=self.dataOut.paramInterval) |
|
531 | 523 | heights = self.dataOut.heightList |
|
532 | 524 | |
|
533 | 525 | if self.ext == '.dat': |
|
534 | 526 | for key, value in list(self.twoDDict.items()): |
|
535 | 527 | if isinstance(value, str): |
|
536 | 528 | data = getattr(self.dataOut, value) |
|
537 | 529 | invalid = numpy.isnan(data) |
|
538 | 530 | data[invalid] = self.missing |
|
539 | 531 | elif isinstance(value, (tuple, list)): |
|
540 | 532 | attr, key = value |
|
541 | 533 | data = getattr(self.dataOut, attr) |
|
542 | 534 | invalid = numpy.isnan(data) |
|
543 | 535 | data[invalid] = self.missing |
|
544 | 536 | |
|
545 | 537 | out = {} |
|
546 | 538 | for key, value in list(self.twoDDict.items()): |
|
547 | 539 | key = key.lower() |
|
548 | 540 | if isinstance(value, str): |
|
549 | 541 | if 'db' in value.lower(): |
|
550 | 542 | tmp = getattr(self.dataOut, value.replace('_db', '')) |
|
551 | 543 | SNRavg = numpy.average(tmp, axis=0) |
|
552 | 544 | tmp = 10*numpy.log10(SNRavg) |
|
553 | 545 | else: |
|
554 | 546 | tmp = getattr(self.dataOut, value) |
|
555 | 547 | out[key] = tmp.flatten() |
|
556 | 548 | elif isinstance(value, (tuple, list)): |
|
557 | 549 | attr, x = value |
|
558 | 550 | data = getattr(self.dataOut, attr) |
|
559 | 551 | out[key] = data[int(x)] |
|
560 | 552 | |
|
561 | 553 | a = numpy.array([out[k] for k in self.keys]) |
|
562 | 554 | nrows = numpy.array([numpy.isnan(a[:, x]).all() for x in range(len(heights))]) |
|
563 | 555 | index = numpy.where(nrows == False)[0] |
|
564 | 556 | |
|
565 | 557 | rec = madrigal.cedar.MadrigalDataRecord( |
|
566 | 558 | self.kinst, |
|
567 | 559 | self.kindat, |
|
568 | 560 | startTime.year, |
|
569 | 561 | startTime.month, |
|
570 | 562 | startTime.day, |
|
571 | 563 | startTime.hour, |
|
572 | 564 | startTime.minute, |
|
573 | 565 | startTime.second, |
|
574 | 566 | startTime.microsecond/10000, |
|
575 | 567 | endTime.year, |
|
576 | 568 | endTime.month, |
|
577 | 569 | endTime.day, |
|
578 | 570 | endTime.hour, |
|
579 | 571 | endTime.minute, |
|
580 | 572 | endTime.second, |
|
581 | 573 | endTime.microsecond/10000, |
|
582 | 574 | list(self.oneDDict.keys()), |
|
583 | 575 | list(self.twoDDict.keys()), |
|
584 | 576 | len(index), |
|
585 | 577 | **self.extra_args |
|
586 | 578 | ) |
|
587 | 579 | |
|
588 | 580 | # Setting 1d values |
|
589 | 581 | for key in self.oneDDict: |
|
590 | 582 | rec.set1D(key, getattr(self.dataOut, self.oneDDict[key])) |
|
591 | 583 | |
|
592 | 584 | # Setting 2d values |
|
593 | 585 | nrec = 0 |
|
594 | 586 | for n in index: |
|
595 | 587 | for key in out: |
|
596 | 588 | rec.set2D(key, nrec, out[key][n]) |
|
597 | 589 | nrec += 1 |
|
598 | 590 | |
|
599 | 591 | self.fp.append(rec) |
|
600 | 592 | if self.ext == '.hdf5' and self.counter % 500 == 0 and self.counter > 0: |
|
601 | 593 | self.fp.dump() |
|
602 | 594 | if self.counter % 20 == 0 and self.counter > 0: |
|
603 | 595 | log.log( |
|
604 | 596 | 'Writing {} records'.format( |
|
605 | 597 | self.counter), |
|
606 | 598 | 'MADWriter') |
|
607 | 599 | |
|
608 | 600 | def setHeader(self): |
|
609 | 601 | ''' |
|
610 | 602 | Create an add catalog and header to cedar file |
|
611 | 603 | ''' |
|
612 | 604 | |
|
613 | 605 | log.success('Closing file {}'.format(self.fullname), 'MADWriter') |
|
614 | 606 | |
|
615 | 607 | if self.ext == '.dat': |
|
616 | 608 | self.fp.write() |
|
617 | 609 | else: |
|
618 | 610 | self.fp.dump() |
|
619 | 611 | self.fp.close() |
|
620 | 612 | |
|
621 | 613 | header = madrigal.cedar.CatalogHeaderCreator(self.fullname) |
|
622 | 614 | header.createCatalog(**self.catalog) |
|
623 | 615 | header.createHeader(**self.header) |
|
624 | 616 | header.write() |
|
625 | 617 | |
|
626 | 618 | def putData(self): |
|
627 | 619 | |
|
628 | 620 | if self.dataOut.flagNoData: |
|
629 | 621 | return 0 |
|
630 | 622 | |
|
631 | 623 | if self.dataOut.flagDiscontinuousBlock or self.counter == self.blocks: |
|
632 | 624 | if self.counter > 0: |
|
633 | 625 | self.setHeader() |
|
634 | 626 | self.counter = 0 |
|
635 | 627 | |
|
636 | 628 | if self.counter == 0: |
|
637 | 629 | self.setFile() |
|
638 | 630 | |
|
639 | 631 | self.writeBlock() |
|
640 | 632 | self.counter += 1 |
|
641 | 633 | |
|
642 | 634 | def close(self): |
|
643 | 635 | |
|
644 | 636 | if self.counter > 0: |
|
645 | 637 | self.setHeader() No newline at end of file |
General Comments 0
You need to be logged in to leave comments.
Login now