This repository has been archived by the owner on Jan 13, 2021. It is now read-only.
-
Notifications
You must be signed in to change notification settings - Fork 1
/
interpolation.py
461 lines (379 loc) · 18.9 KB
/
interpolation.py
1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
30
31
32
33
34
35
36
37
38
39
40
41
42
43
44
45
46
47
48
49
50
51
52
53
54
55
56
57
58
59
60
61
62
63
64
65
66
67
68
69
70
71
72
73
74
75
76
77
78
79
80
81
82
83
84
85
86
87
88
89
90
91
92
93
94
95
96
97
98
99
100
101
102
103
104
105
106
107
108
109
110
111
112
113
114
115
116
117
118
119
120
121
122
123
124
125
126
127
128
129
130
131
132
133
134
135
136
137
138
139
140
141
142
143
144
145
146
147
148
149
150
151
152
153
154
155
156
157
158
159
160
161
162
163
164
165
166
167
168
169
170
171
172
173
174
175
176
177
178
179
180
181
182
183
184
185
186
187
188
189
190
191
192
193
194
195
196
197
198
199
200
201
202
203
204
205
206
207
208
209
210
211
212
213
214
215
216
217
218
219
220
221
222
223
224
225
226
227
228
229
230
231
232
233
234
235
236
237
238
239
240
241
242
243
244
245
246
247
248
249
250
251
252
253
254
255
256
257
258
259
260
261
262
263
264
265
266
267
268
269
270
271
272
273
274
275
276
277
278
279
280
281
282
283
284
285
286
287
288
289
290
291
292
293
294
295
296
297
298
299
300
301
302
303
304
305
306
307
308
309
310
311
312
313
314
315
316
317
318
319
320
321
322
323
324
325
326
327
328
329
330
331
332
333
334
335
336
337
338
339
340
341
342
343
344
345
346
347
348
349
350
351
352
353
354
355
356
357
358
359
360
361
362
363
364
365
366
367
368
369
370
371
372
373
374
375
376
377
378
379
380
381
382
383
384
385
386
387
388
389
390
391
392
393
394
395
396
397
398
399
400
401
402
403
404
405
406
407
408
409
410
411
412
413
414
415
416
417
418
419
420
421
422
423
424
425
426
427
428
429
430
431
432
433
434
435
436
437
438
439
440
441
442
443
444
445
446
447
448
449
450
451
452
453
454
455
456
457
458
459
460
461
# Set up a Broker.
from databroker.assets.handlers_base import HandlerBase
# Import other stuff
import socket
from pathlib import Path
import os
import os.path as op
from subprocess import call
import json
import pickle
import pandas as pd
import numpy as np
import pwd
import grp
import time as ttime
# lightflow stuff
from lightflow.models import Dag, Action, Parameters, Option
from lightflow.tasks import PythonTask
# Set up zeromq sockets
import zmq
import socket
#context = zmq.Context()
machine_name = socket.gethostname()
import kafka
# Create PULLER to receive information from workstations
#receiver = context.socket(zmq.PULL)
#receiver.connect("tcp://xf08id-srv2:5560")
# Create PUSHER to send information back to workstations
#Setup beamline specifics:
beamline_gpfs_path = '/nsls2/xf08id'
user_data_path = beamline_gpfs_path + 'User Data/'
# Set up logging.
import logging
import logging.handlers
def get_logger():
logger = logging.getLogger('worker_srv_lightflow')
formatter = logging.Formatter('%(asctime)s - %(levelname)s - %(message)s')
# only add handlers if not added before
if not len(logger.handlers):
logger.setLevel(logging.DEBUG)
# Write DEBUG and INFO messages to /var/log/data_processing_worker/debug.log.
debug_file = logging.handlers.RotatingFileHandler(
beamline_gpfs_path + '/log/{}_data_processing_lightflow_debug.log'.format(machine_name),
maxBytes=10000000, backupCount=9)
debug_file.setLevel(logging.DEBUG)
debug_file.setFormatter(formatter)
logger.addHandler(debug_file)
# Write INFO messages to /var/log/data_processing_worker/info.log.
info_file = logging.handlers.RotatingFileHandler(
beamline_gpfs_path + '/log/{}_data_processing_lightflow_info.log'.format(machine_name),
maxBytes=10000000, backupCount=9)
info_file.setLevel(logging.INFO)
info_file.setFormatter(formatter)
logger.addHandler(info_file)
return logger
from databroker import Broker
from isstools.xiaparser import xiaparser
from isstools.xasdata import xasdata
class ScanProcessor():
def __init__(self, dbname, beamline_gpfs_path, username,
pulses_per_deg=360000, mono_name='hhm_theta',
topic="iss-processing",
bootstrap_servers=['cmb01:9092', 'cmb02:9092'],
*args, **kwargs):
# these can't be pickled
self.logger = get_logger()
self.logger.info("Begin scan processor")
db = Broker.named(dbname)
db_analysis = Broker.named('iss-analysis')
# Set up isstools parsers
# TODO: fix pulses per deg
gen_parser = xasdata.XASdataGeneric(pulses_per_deg, db, db_analysis, mono_name=mono_name)
xia_parser = xiaparser.xiaparser()
self.gen_parser = gen_parser
self.xia_parser = xia_parser
self.db = db
self.md = {}
self.root_path = Path(beamline_gpfs_path)
self.user_data_path = Path(beamline_gpfs_path) / Path('User Data')
self.xia_data_path = Path(beamline_gpfs_path) / Path('xia_files')
# TODO : fix string creation
self.logger.debug("setting xia path: {}".format(self.xia_data_path))
self.logger.debug("setting user data path: {}".format(self.user_data_path))
self.uid = pwd.getpwnam(username).pw_uid
self.gid = grp.getgrnam(username).gr_gid
# TODO : move this in a separate function? (Julien)
#context = zmq.Context()
#self.sender = context.socket(zmq.PUSH)
self.publisher = kafka.KafkaProducer(bootstrap_servers=bootstrap_servers)
self.topic = topic
# by default we send to srv2
self.logger.info("Sending request to server")
#self.sender.connect("tcp://xf08id-srv2:5561")
def process(self, md, requester, interp_base='i0'):
current_path = self.create_user_dirs(self.user_data_path,
md['year'],
md['cycle'],
md['PROPOSAL'])
try:
current_filepath = Path(current_path) / Path(md['name'])
current_filepath = ScanProcessor.get_new_filepath(str(current_filepath) + '.hdf5')
current_uid = md['uid']
self.gen_parser.load(current_uid)
except:
self.logger.info("md['name'] not set")
pass
self.logger.info("Processing started for %s", md['uid'])
if 'plan_name' in md:
if md['plan_name'] == 'get_offsets':
pass
elif md['plan_name'] == 'execute_trajectory' or md['plan_name'] == 'execute_xia_trajectory':
self.logger.info("Interpolation started for %s", md['uid'])
if md['plan_name'] == 'execute_trajectory':
self.process_tscan(interp_base)
elif md['plan_name'] == 'execute_xia_trajectory':
self.process_tscanxia(md, current_filepath)
division = self.gen_parser.interp_df['i0'].values / self.gen_parser.interp_df['it'].values
division[division < 0] = 1
filename = self.gen_parser.export_trace_hdf5(current_filepath[:-5], '')
os.chown(filename, self.uid, self.gid)
filename = self.gen_parser.export_trace(current_filepath[:-5], '')
os.chown(filename, self.uid, self.gid)
self.logger.info('Interpolated file %s stored to ', filename)
ret = create_ret('spectroscopy', current_uid, 'interpolate', filename,
md, requester)
#self.sender.send(ret)
future = self.publisher.send(self.topic, ret)
result = future.get(timeout=60)
self.logger.info('Interpolation of %s complete', filename)
self.logger.info('Binning of %s started', filename)
e0 = int(md['e0'])
bin_df = self.gen_parser.bin(e0, e0 - 30, e0 + 30, 4, 0.2, 0.04)
filename = self.gen_parser.data_manager.export_dat(current_filepath[:-5]+'.hdf5', e0)
print(f"current_filepath: {current_filepath[:-5] + '.hdf5'}")
os.chown(filename, self.uid, self.gid)
self.logger.info('Binning of %s complete', filename)
ret = create_ret('spectroscopy', current_uid, 'bin', filename, md, requester)
#self.sender.send(ret)
# need to wait before exiting
future = self.publisher.send(self.topic, ret)
result = future.get(timeout=60)
self.logger.info("Processing complete for %s", md['uid'])
#store_results_databroker(md,
# parent_uid,
# db_analysis,
# 'interpolated',
# current_filepath[:-5] + '.hdf5',
# root='')
elif md['plan_name'] == 'relative_scan':
pass
def bin(self, md, requester, proc_info, filepath=''):
self.logger.info("Binning started for %s", md['uid'])
print('starting binning!', md['uid'])
if filepath is not '':
current_filepath = filepath
else:
current_path = self.create_user_dirs(self.user_data_path,
md['year'],
md['cycle'],
md['PROPOSAL'])
current_filepath = str(Path(current_path) / Path(md['name'])) + '.txt'
self.gen_parser.loadInterpFile(str(current_filepath))
self.logger.info("Filepath %s", current_filepath)
e0 = proc_info['e0']
edge_start = proc_info['edge_start']
edge_end = proc_info['edge_end']
preedge_spacing = proc_info['preedge_spacing']
xanes_spacing = proc_info['xanes_spacing']
exafs_spacing = proc_info['exafs_spacing']
bin_df = self.gen_parser.bin(e0, e0 + edge_start, e0 + edge_end, preedge_spacing, xanes_spacing, exafs_spacing)
filename = self.gen_parser.data_manager.export_dat(f'{str(current_filepath)}', e0)
os.chown(filename, self.uid, self.gid)
ret = create_ret('spectroscopy', md['uid'], 'bin', filename, md, requester)
self.logger.info('File %s binned', filename)
future = self.publisher.send(self.topic, ret)
result = future.get(timeout=60)
# WARNING: We NEED this sleep!
# There seems to be a bug with pykafka!!!!
ttime.sleep(1)
self.logger.info("Binning complete for %s", md['uid'])
print(os.getpid(), 'Done with the binning!')
def return_interp_data(self, md, requester, filepath=''):
logger = get_logger()
logger.info("Processor: preparing to return interpolated data")
if filepath is not '':
current_filepath = filepath
else:
current_path = self.create_user_dirs(self.user_data_path,
md['year'],
md['cycle'],
md['PROPOSAL'])
current_filepath = str(Path(current_path) / Path(md['name'])) + '.txt'
logger.info("Processor: reading interp file : {}".format(str(current_filepath)))
self.gen_parser.loadInterpFile(f'{str(current_filepath)}')
logger.info("Processor: loaded. Preparing return to send")
ret = create_ret('spectroscopy', md['uid'], 'request_interpolated_data', current_filepath, md, requester)
logger.info("Processor: sending back the interpolated data from request to topic {}".format(self.topic))
#from celery.contrib import rdb
#rdb.set_trace()
future = self.publisher.send(self.topic, ret)
result = future.get(timeout=60)
# WARNING: We NEED this sleep!
# There seems to be a bug with pykafka!!!!
ttime.sleep(1)
logger.info("Processor: sent")
def process_tscan(self, interp_base='i0'):
print('Processing tscan')
self.gen_parser.interpolate(key_base=interp_base)
def process_tscanxia(self, md, current_filepath):
# Parse xia
logger = get_logger()
logger.info('Processing: xia scan')
self.gen_parser.interpolate(key_base='xia_trigger')
xia_filename = md['xia_filename']
xia_filepath = 'smb://xf08id-nas1/xia_data/{}'.format(xia_filename)
xia_destfilepath = Path(self.xia_data_path) / Path(xia_filename)
# xia_destfilepath = '{}{}'.format(self.xia_data_path, xia_filename)
smbclient = xiaparser.smbclient(xia_filepath, str(xia_destfilepath))
try:
smbclient.copy()
except Exception as exc:
if exc.args[1] == 'No such file or directory':
logger.info('*** File not found in the XIA! Check if the hard drive is full! ***')
else:
logger.info(exc)
logger.info('Abort current scan processing!\nDone!')
return
logger.info('Interpolating')
interp_base = 'xia_trigger'
self.gen_parser.interpolate(key_base=interp_base)
logger.info('Parsing')
xia_parser = self.xia_parser
xia_parser.parse(xia_filename, self.xia_data_path)
xia_parsed_filepath = current_filepath[0: current_filepath.rfind('/') + 1]
logger.info('Exporting')
xia_parser.export_files(dest_filepath=xia_parsed_filepath, all_in_one=True)
try:
if xia_parser.channelsCount():
length = min(xia_parser.pixelsCount(0), len(self.gen_parser.interp_arrays['energy']))
if xia_parser.pixelsCount(0) != len(self.gen_parser.interp_arrays['energy']):
len_xia = xia_parser.pixelsCount(0)
len_pb = len(self.gen_parser.interp_arrays['energy'])
raise Exception('XIA Pixels number ({}) != '
'Pizzabox Trigger number ({})'.format(len_xia, len_pb))
else:
raise Exception("Could not find channels data in the XIA file")
except Exception as exc:
print('***', exc, '***')
mcas = []
if 'xia_rois' in md:
xia_rois = md['xia_rois']
if 'xia_max_energy' in md:
xia_max_energy = md['xia_max_energy']
else:
xia_max_energy = 20
for mca_number in range(1, xia_parser.channelsCount() + 1):
if 'xia1_mca{}_roi0_high'.format(mca_number) in xia_rois:
rois_array = []
roi_numbers = [roi_number for roi_number in
[roi.split('mca{}_roi'.format(mca_number))[1].split('_high')[0] for roi in
xia_rois if len(roi.split('mca{}_roi'.format(mca_number))) > 1] if
len(roi_number) <= 3]
for roi_number in roi_numbers:
rois_array.append(
[xia_rois['xia1_mca{}_roi{}_high'.format(mca_number, roi_number)],
xia_rois['xia1_mca{}_roi{}_low'.format(mca_number, roi_number)]])
mcas.append(xia_parser.parse_roi(range(0, length), mca_number, rois_array, xia_max_energy))
else:
mcas.append(xia_parser.parse_roi(range(0, length), mca_number, [
[xia_rois['xia1_mca1_roi0_low'], xia_rois['xia1_mca1_roi0_high']]], xia_max_energy))
for index_roi, roi in enumerate([[i for i in zip(*mcas)][ind] for ind, k in enumerate(roi_numbers)]):
xia_sum = [sum(i) for i in zip(*roi)]
if len(self.gen_parser.interp_arrays['energy']) > length:
xia_sum.extend([xia_sum[-1]] * (len(self.gen_parser.interp_arrays['energy']) - length))
roi_label = ''
#roi_label = getattr(self.parent_gui.widget_sdd_manager, 'edit_roi_name_{}'.format(roi_numbers[index_roi])).text()
if not len(roi_label):
roi_label = 'XIA_ROI{}'.format(roi_numbers[index_roi])
self.gen_parser.interp_df[roi_label] = np.array([xia_sum]).transpose()
#self.gen_parser.interp_arrays[roi_label] = np.array(
# [self.gen_parser.interp_arrays['energy'][:, 0], xia_sum]).transpose()
#self.figure.ax.plot(self.gen_parser.interp_arrays['energy'][:, 1], -(
# self.gen_parser.interp_arrays[roi_label][:, 1] / self.gen_parser.interp_arrays['i0'][:, 1]))
def create_user_dirs(self, user_data_path, year, cycle, proposal):
current_user_dir = Path(f"{year}.{cycle}.{proposal}")
user_data_path = Path(user_data_path) / current_user_dir
ScanProcessor.create_dir(user_data_path)
log_path = user_data_path / Path('log')
ScanProcessor.create_dir(log_path)
snapshots_path = log_path / Path('snapshots')
ScanProcessor.create_dir(snapshots_path)
return user_data_path
def get_new_filepath(filepath):
if op.exists(Path(filepath)):
if filepath[-5:] == '.hdf5':
filepath = filepath[:-5]
iterator = 2
while True:
new_filepath = f'{filepath}-{iterator}.hdf5'
if not op.isfile(new_filepath):
return new_filepath
iterator += 1
return filepath
def create_dir(path):
if not op.exists(path):
os.makedirs(path)
call(['setfacl', '-m', 'g:iss-staff:rwx', path])
call(['chown', '-R', 'xf08id:xf08id', path ])
# meant to be run static
logger = get_logger()
logger.info("Directory %s created succesfully", path)
def create_ret(scan_type, uid, process_type, data, metadata, requester):
'''
Create a return.
Can also be a file path
'''
if hasattr(data, 'to_msgpack'):
data = data.to_msgpack(compress='zlib')
else:
# not a df, just string
data = data.encode()
ret = {'type':scan_type,
'uid': uid,
'processing_ret':{
'type': process_type,
'data': data,
'metadata': metadata
}
}
return (requester.encode() + pickle.dumps(ret))
# required parameters for the call
parameters = Parameters([
Option('request', help='Specify a uid', type=dict),
])
def create_ret_func(scan_type, uid, process_type, data, metadata, requester):
ret = {'type':scan_type,
'uid': uid,
'processing_ret':{
'type':process_type,
'data':data,
'metadata': metadata
}
}
return (requester + pickle.dumps(ret)).encode()
def process_run_func(data, store, signal, context):
#sender_host = "tcp://xf08id-srv2:5561"
logger = get_logger()
logger.info("Received a request. Starting ScanProcessor....")
processor = ScanProcessor("iss", beamline_gpfs_path, 'xf08id')
db = Broker.named("iss")
#self.logger.debug("Entering infinite loop...")
#data = json.loads(receiver.recv().decode('utf-8'))
#data = data['request']
request = store.get('request')
uid = request['uid']
md = db[uid].start
if request['type'] == 'spectroscopy':
process_type = request['processing_info']['type']
logger.info("Received spectroscopy type scan")
start_doc = md
if process_type == 'interpolate':
logger.info("interpolating (not performed yet)")
processor.process(start_doc, requester=request['requester'], interp_base=request['processing_info']['interp_base'])
elif process_type == 'bin':
logger.info("binning (not performed yet)")
processor.bin(start_doc, requester=request['requester'], proc_info=request['processing_info'], filepath=request['processing_info']['filepath'])
elif process_type == 'request_interpolated_data':
logger.info("returning interpolated data (not done yet)")
processor.return_interp_data(start_doc, requester=request['requester'], filepath=request['processing_info']['filepath'])
# TODO : Name *MUST* match the task name now
# don't create the request anymore
#create_req_task = PythonTask(name="create_req_func", callback=create_req_func,
#queue='iss-task')
process_run_task = PythonTask(name="process_run_func",
callback=process_run_func, queue='iss-task')
d = Dag("interpolation", queue="iss-dag")
d.define({
process_run_task: None,
})