Newer
Older
import stresstesting
import os
import platform
from abc import ABCMeta, abstractmethod
from mantid.simpleapi import *
# For debugging only.
from mantid.api import FileFinder
# Import our workflows.
from inelastic_indirect_reducer import IndirectReducer
from inelastic_indirect_reduction_steps import CreateCalibrationWorkspace
from IndirectDataAnalysis import furyfitSeq, furyfitMult, confitSeq, abscorFeeder
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
'''
- TOSCA only supported by "Reduction" (the Energy Transfer tab of C2E).
- OSIRIS/IRIS supported by all tabs / interfaces.
- VESUVIO is not supported by any interface as of yet.
For diagrams on the intended work flow of the IDA and Indirect parts of the
C2E interface, please see:
- http://www.mantidproject.org/IDA
- http://www.mantidproject.org/Indirect
System test class hierarchy as shown below:
stresstesting.MantidStressTest
|
+--ISISIndirectInelasticBase
|
+--ISISIndirectInelasticReduction
| |
| +--TOSCAReduction
| +--IRISReduction
| +--OSIRISReduction
|
+--ISISIndirectInelasticCalibratrion
| |
| +--IRISCalibratrion
| +--OSIRISCalibratrion
|
+--ISISIndirectInelasticResolution
| |
| +--IRISResolution
| +--OSIRISResolution
|
+--ISISIndirectInelasticDiagnostics
| |
| +--IRISDiagnostics
| +--OSIRISDiagnostics
|
+--ISISIndirectInelasticMoments
| |
| +--IRISMoments
| +--OSIRISMoments
|
+--ISISIndirectInelasticElwinAndMSDFit
| |
| +--IRISElwinAndMSDFit
| +--OSIRISElwinAndMSDFit
|
+--ISISIndirectInelasticFuryAndFuryFit
| |
| +--IRISFuryAndFuryFit
| +--OSIRISFuryAndFuryFit
|
+--ISISIndirectInelasticFuryAndFuryFitMulti
| |
| +--IRISFuryAndFuryFitMulti
| +--OSIRISFuryAndFuryFitMulti
|
+--ISISIndirectInelasticConvFit
| |
| +--IRISConvFit
| +--OSIRISConvFit
|
'''
class ISISIndirectInelasticBase(stresstesting.MantidStressTest):
'''A common base class for the ISISIndirectInelastic* base classes.
'''
__metaclass__ = ABCMeta # Mark as an abstract class
@abstractmethod
def get_reference_files(self):
'''Returns the name of the reference files to compare against.'''
raise NotImplementedError("Implmenent get_reference_files to return "
"the names of the files to compare against.")
@abstractmethod
def _run(self):
raise NotImplementedError("Implement _run.")
def validate_results_and_references(self):
if type(self.get_reference_files()) != list:
raise RuntimeError("The reference file(s) should be in a list")
if type(self.result_names) != list:
raise RuntimeError("The result workspace(s) should be in a list")
if len(self.get_reference_files()) !=\
len(self.result_names):
raise RuntimeError("The number of result workspaces does not match"
" the number of reference files.")
if len(self.get_reference_files()) < 1:
raise RuntimeError("There needs to be a least one result and "
"reference.")
@abstractmethod
def _validate_properties(self):
'''Check the object properties are in an expected state to continue'''
raise NotImplementedError("Implmenent _validate_properties.")
def runTest(self):
self._validate_properties()
self._run()
self.validate_results_and_references()
def validate(self):
'''Performs the validation for the generalised case of multiple results
and multiple reference files.
'''
self.disableChecking.append('SpectraMap')
self.disableChecking.append('Instrument')
self.disableChecking.append('Axes')
for reference_file, result in zip(self.get_reference_files(),
self.result_names):
wsName = "RefFile"
if reference_file.endswith('.nxs'):
LoadNexus(Filename=reference_file, OutputWorkspace=wsName)
else:
raise RuntimeError("Should supply a NeXus file: %s" %
reference_file)
if not self.validateWorkspaces([result, wsName]):
print str([reference_file, result]) + " do not match."
return False
return True
def get_temp_dir_path(self, filename):
'''Given a filename, prepends the system test temporary directory
and returns the full path.'''
return os.path.join(config['defaultsave.directory'], filename)
#==============================================================================
class ISISIndirectInelasticReduction(ISISIndirectInelasticBase):
'''A base class for the ISIS indirect inelastic reduction tests
The workflow is defined in the _run() method, simply
define an __init__ method and set the following properties
on the object
- instr_name: A string giving the instrument name for the test
- detector_range: A list containing the lower and upper bounds of the
range of detectors to use
- data_file: A string giving the data file to use
- rebin_string: A comma separated string giving the rebin params
- save_formats: A list containing the file extensions of the formats
to save to.
'''
__metaclass__ = ABCMeta # Mark as an abstract class
sum_files = False
def _run(self):
self.tolerance = 1e-7
'''Defines the workflow for the test'''
reducer = IndirectReducer()
reducer.set_instrument_name(self.instr_name)
reducer.set_detector_range(self.detector_range[0],
self.detector_range[1])
reducer.set_sum_files(self.sum_files)
self.parameter_file = self.instr_name + '_graphite_002_Parameters.xml'
reducer.set_parameter_file(self.parameter_file)
for name in self.data_files:
reducer.append_data_file(name)
if self.rebin_string is not None:
reducer.set_rebin_string(self.rebin_string)
# Do the reduction and rename the result.
reducer.reduce()
self.result_names = sorted(reducer.get_result_workspaces())
def _validate_properties(self):
'''Check the object properties are in an expected state to continue'''
if type(self.instr_name) != str:
raise RuntimeError("instr_name property should be a string")
if type(self.detector_range) != list and len(self.detector_range) != 2:
raise RuntimeError("detector_range should be a list of exactly 2 "
"values")
if type(self.data_files) != list:
raise RuntimeError("data_file property should be a string")
if self.rebin_string is not None and type(self.rebin_string) != str:
raise RuntimeError("rebin_string property should be a string")
if self.sum_files is not None and type(self.sum_files) != bool:
raise RuntimeError("sum_files property should be a bool")
#------------------------- TOSCA tests ----------------------------------------
class TOSCAReduction(ISISIndirectInelasticReduction):
def __init__(self):
ISISIndirectInelasticReduction.__init__(self)
self.instr_name = 'TOSCA'
self.detector_range = [0, 139]
self.data_files = ['TSC15352.raw']
self.rebin_string = '-2.5,0.015,3,-0.005,1000'
def get_reference_files(self):
return ["II.TOSCAReductionFromFile.nxs"]
class TOSCAMultiFileReduction(ISISIndirectInelasticReduction):
def __init__(self):
ISISIndirectInelasticReduction.__init__(self)
self.instr_name = 'TOSCA'
self.detector_range = [0, 139]
self.data_files = ['TSC15352.raw', 'TSC15353.raw','TSC15354.raw']
self.rebin_string = '-2.5,0.015,3,-0.005,1000'
def get_reference_files(self):
#note that the same run for single reduction is used.
#as they should be the same
return ['II.TOSCAReductionFromFile.nxs', 'II.TOSCAMultiFileReduction1.nxs', 'II.TOSCAMultiFileReduction2.nxs']
class TOSCAMultiFileSummedReduction(ISISIndirectInelasticReduction):
def __init__(self):
ISISIndirectInelasticReduction.__init__(self)
self.instr_name = 'TOSCA'
self.detector_range = [0, 139]
self.data_files = ['TSC15352.raw', 'TSC15353.raw','TSC15354.raw']
self.rebin_string = '-2.5,0.015,3,-0.005,1000'
self.sum_files = True
def get_reference_files(self):
return ['II.TOSCAMultiFileSummedReduction.nxs']
#------------------------- OSIRIS tests ---------------------------------------
class OSIRISReduction(ISISIndirectInelasticReduction):
def __init__(self):
ISISIndirectInelasticReduction.__init__(self)
self.instr_name = 'OSIRIS'
self.detector_range = [962, 1003]
self.data_files = ['OSIRIS00106550.raw']
self.rebin_string = None
def get_reference_files(self):
return ["II.OSIRISReductionFromFile.nxs"]
class OSIRISMultiFileReduction(ISISIndirectInelasticReduction):
def __init__(self):
ISISIndirectInelasticReduction.__init__(self)
self.instr_name = 'OSIRIS'
self.detector_range = [962, 1003]
self.data_files = ['OSIRIS00106550.raw',' OSIRIS00106551.raw']
self.rebin_string = None
def get_reference_files(self):
#note that the same run for single reduction is used.
#as they should be the same
return ['II.OSIRISReductionFromFile.nxs','II.OSIRISMultiFileReduction1.nxs']
class OSIRISMultiFileSummedReduction(ISISIndirectInelasticReduction):
def __init__(self):
ISISIndirectInelasticReduction.__init__(self)
self.instr_name = 'OSIRIS'
self.detector_range = [962, 1003]
self.data_files = ['OSIRIS00106550.raw', 'OSIRIS00106551.raw']
self.rebin_string = None
self.sum_files = True
def get_reference_files(self):
return ['II.OSIRISMultiFileSummedReduction.nxs']
#------------------------- IRIS tests -----------------------------------------
class IRISReduction(ISISIndirectInelasticReduction):
def __init__(self):
ISISIndirectInelasticReduction.__init__(self)
self.instr_name = 'IRIS'
self.detector_range = [2, 52]
self.data_files = ['IRS21360.raw']
self.rebin_string = None
def get_reference_files(self):
return ["II.IRISReductionFromFile.nxs"]
class IRISMultiFileReduction(ISISIndirectInelasticReduction):
def __init__(self):
ISISIndirectInelasticReduction.__init__(self)
self.instr_name = 'IRIS'
self.detector_range = [2, 52]
self.data_files = ['IRS21360.raw', 'IRS53664.raw']
self.rebin_string = None
def get_reference_files(self):
return ['II.IRISReductionFromFile.nxs', 'II.IRISMultiFileReduction1.nxs']
class IRISMultiFileSummedReduction(ISISIndirectInelasticReduction):
def __init__(self):
ISISIndirectInelasticReduction.__init__(self)
self.instr_name = 'IRIS'
self.detector_range = [2, 52]
self.data_files = ['IRS21360.raw', 'IRS53664.raw']
self.sum_files = True
self.rebin_string = None
def get_reference_files(self):
#note that the same run for single reduction is used.
#as they should be the same
return ['II.IRISMultiFileSummedReduction.nxs']
#--------------------- Generic Reduction tests -----------------------------
class ISISIndirectInelasticReductionOutput(stresstesting.MantidStressTest):
def runTest(self):
reducer = self._setup_reducer()
reducer.reduce()
self.result_names = sorted(reducer.get_result_workspaces())
def validate(self):
self.assertEqual(len(self.result_names), 1)
self.result_name = self.result_names[0]
self.output_file_names = self._get_file_names()
self.assert_reduction_output_exists(self.output_file_names)
self.assert_ascii_file_matches()
self.assert_aclimax_file_matches()
self.assert_spe_file_matches()
def cleanup(self):
mtd.clear()
for file_path in self.output_file_names.itervalues():
if os.path.isfile(file_path):
os.remove(file_path)
def assert_ascii_file_matches(self):
expected_result = [
'X , Y0 , E0 , Y1 , E1 , Y2 , E2',
'-2.4925,0,0,0.617579,0.362534,0.270868,0.159006',
'-2.4775,0.375037,0.273017,0,0,0.210547,0.153272'
]
self.assert_file_format_matches_expected(expected_result, self.output_file_names['ascii'],
"Output of ASCII format did not match expected result.")
def assert_aclimax_file_matches(self):
expected_result = [
'# X \t Y \t E',
'0',
'3.0075\t0.175435\t0.115017'
]
self.assert_file_format_matches_expected(expected_result, self.output_file_names['aclimax'],
"Output of aclimax format did not match expected result.")
def assert_spe_file_matches(self):
#Old SPE format:
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
462
463
464
465
466
467
468
469
470
471
472
473
474
475
476
477
478
479
480
481
482
483
484
485
486
487
488
489
490
491
492
493
494
495
496
497
498
499
500
501
502
503
504
505
506
507
508
509
510
511
512
513
514
515
516
517
518
519
520
521
522
523
524
525
526
527
528
529
530
531
532
533
534
535
536
537
538
539
540
541
542
543
544
545
546
547
548
549
550
551
552
553
554
555
556
557
558
559
560
561
562
563
564
565
566
567
568
569
570
571
572
573
574
575
576
577
578
579
580
581
582
583
584
585
586
587
588
589
590
591
592
593
594
595
596
597
598
599
600
601
602
603
604
605
606
607
608
609
610
611
612
613
614
615
616
617
618
619
620
621
622
623
624
625
626
627
628
629
630
631
632
633
634
635
636
637
638
639
640
641
642
643
644
645
646
647
648
649
650
651
652
653
654
655
656
657
658
659
660
661
662
663
664
665
666
667
668
669
670
671
672
673
674
675
676
677
678
679
680
681
682
683
684
685
686
687
688
689
690
691
692
693
694
695
696
697
698
699
700
701
702
703
704
705
706
707
708
709
710
711
712
713
714
715
716
717
718
719
720
721
722
723
724
725
726
727
728
729
730
731
732
733
734
735
736
737
738
739
740
741
742
743
744
745
746
747
748
749
750
751
752
753
754
755
756
757
758
759
760
761
762
763
764
765
766
767
768
769
770
771
772
773
774
775
776
777
778
779
780
781
782
# '### Phi Grid',
# ' 5.000E-01 1.500E+00 2.500E+00 3.500E+00',
# '### Energy Grid',
# '-2.500E+00-2.485E+00-2.470E+00-2.455E+00-2.440E+00-2.425E+00-2.410E+00-2.395E+00'
#
# New SPE format:
expected_result = [
' 3 1532',
'### Phi Grid',
'0.5 1.5 2.5 3.5',
'### Energy Grid',
'-2.5 -2.485 -2.47 -2.455 -2.44 -2.425 -2.41 -2.395'
]
self.assert_file_format_matches_expected(expected_result, self.output_file_names['spe'],
"Output of SPE format did not match expected result.")
def assert_reduction_output_exists(self, output_file_names):
for file_path in output_file_names.itervalues():
self.assertTrue(os.path.exists(file_path), "File does not exist in the default save directory")
self.assertTrue(os.path.isfile(file_path), "Output file of reduction output is not a file.")
def assert_file_format_matches_expected(self, expected_result, file_path, msg=""):
num_lines = len(expected_result)
actual_result = self._read_ascii_file(file_path, num_lines)
self.assertTrue(actual_result == expected_result, msg + " (%s != %s)" % (actual_result, expected_result))
def _setup_reducer(self):
self.file_formats = ['nxs', 'spe', 'nxspe', 'ascii', 'aclimax']
self.file_extensions = ['.nxs', '.spe', '.nxspe', '.dat', '_aclimax.dat']
self.instr_name = 'TOSCA'
self.detector_range = [0, 139]
self.data_files = ['TSC15352.raw']
self.rebin_string = '-2.5,0.015,3,-0.005,1000'
self.parameter_file = self.instr_name + '_graphite_002_Parameters.xml'
reducer = IndirectReducer()
reducer.set_instrument_name(self.instr_name)
reducer.set_detector_range(self.detector_range[0],
self.detector_range[1])
reducer.set_sum_files(False)
reducer.set_parameter_file(self.parameter_file)
reducer.set_save_formats(self.file_formats)
for name in self.data_files:
reducer.append_data_file(name)
if self.rebin_string is not None:
reducer.set_rebin_string(self.rebin_string)
return reducer
def _read_ascii_file(self, path, num_lines):
with open(path,'rb') as file_handle:
lines = [file_handle.readline().rstrip() for _ in xrange(num_lines)]
return lines
def _get_file_names(self):
working_directory = config['defaultsave.directory']
output_names = {}
for format, ext in zip(self.file_formats, self.file_extensions):
output_file_name = self.result_name + ext
output_file_name = os.path.join(working_directory, output_file_name)
output_names[format] = output_file_name
return output_names
#==============================================================================
class ISISIndirectInelasticCalibration(ISISIndirectInelasticBase):
'''A base class for the ISIS indirect inelastic calibration tests
The workflow is defined in the _run() method, simply
define an __init__ method and set the following properties
on the object
- self.data_file: a string giving the name of the data file
- self.detector_range: a list of two ints, giving the lower and
upper bounds of the detector range
- self.parameters: a list containing four doubles, each a parameter.
- self.analyser: a string giving the name of the analyser to use
- self.reflection: a string giving the reflection to use
'''
__metaclass__ = ABCMeta # Mark as an abstract class
def _run(self):
'''Defines the workflow for the test'''
self.tolerance = 1e-7
self.result_names = ['IndirectCalibration_Output']
CreateCalibrationWorkspace(InputFiles=self.data_file,
OutputWorkspace='IndirectCalibration_Output',
DetectorRange=self.detector_range,
PeakRange=self.peak,
BackgroundRange=self.back)
def _validate_properties(self):
'''Check the object properties are in an expected state to continue'''
if type(self.data_file) != str:
raise RuntimeError("data_file property should be a string")
if type(self.detector_range) != list and len(self.detector_range) != 2:
raise RuntimeError("detector_range should be a list of exactly 2 values")
if type(self.peak) != list and len(self.peak) != 2:
raise RuntimeError("peak should be a list of exactly 2 values")
if type(self.back) != list and len(self.back) != 2:
raise RuntimeError("back should be a list of exactly 2 values")
#------------------------- OSIRIS tests ---------------------------------------
class OSIRISCalibration(ISISIndirectInelasticCalibration):
def __init__(self):
ISISIndirectInelasticCalibration.__init__(self)
self.data_file = 'OSI97935.raw'
self.detector_range = [963, 1004]
self.back = [68000.00, 70000.00]
self.peak = [59000.00, 61000.00]
def get_reference_files(self):
return ["II.OSIRISCalibration.nxs"]
#------------------------- IRIS tests ---------------------------------------
class IRISCalibration(ISISIndirectInelasticCalibration):
def __init__(self):
ISISIndirectInelasticCalibration.__init__(self)
self.data_file = 'IRS53664.raw'
self.detector_range = [3, 53]
self.back = [59000.00, 61500.00]
self.peak = [62500.00, 65000.00]
def get_reference_files(self):
return ["II.IRISCalibration.nxs"]
#==============================================================================
class ISISIndirectInelasticResolution(ISISIndirectInelasticBase):
'''A base class for the ISIS indirect inelastic resolution tests
The workflow is defined in the _run() method, simply
define an __init__ method and set the following properties
on the object
- self.instrument: a string giving the intrument name
- self.analyser: a string giving the name of the analyser
- self.reflection: a string giving the name of the reflection
- self.detector_range: a list of two integers, giving the range of detectors
- self.background: a list of two doubles, giving the background params
- self.rebin_params: a comma separated string containing the rebin params
- self.files: a list of strings containing filenames
'''
__metaclass__ = ABCMeta # Mark as an abstract class
def _run(self):
self.tolerance = 1e-7
'''Defines the workflow for the test'''
IndirectResolution(InputFiles=self.files,
OutputWorkspace='__IndirectResolution_Test',
Instrument=self.instrument,
Analyser=self.analyser,
Reflection=self.reflection,
DetectorRange=self.detector_range,
BackgroundRange=self.background,
RebinParam=self.rebin_params,
Plot=False)
self.result_names = ['__IndirectResolution_Test']
def _validate_properties(self):
'''Check the object properties are in an expected state to continue'''
if type(self.instrument) != str:
raise RuntimeError("instrument property should be a string")
if type(self.analyser) != str:
raise RuntimeError("analyser property should be a string")
if type(self.reflection) != str:
raise RuntimeError("reflection property should be a string")
if type(self.detector_range) != list and len(self.detector_range) != 2:
raise RuntimeError("detector_range should be a list of exactly 2 values")
if type(self.background) != list and len(self.background) != 2:
raise RuntimeError("background should be a list of exactly 2 values")
if type(self.rebin_params) != str:
raise RuntimeError("rebin_params property should be a string")
# Have this as just one file for now.
if type(self.files) != list and len(self.files) != 1:
raise RuntimeError("files should be a list of exactly 1 value")
#------------------------- OSIRIS tests ---------------------------------------
class OSIRISResolution(ISISIndirectInelasticResolution):
def __init__(self):
ISISIndirectInelasticResolution.__init__(self)
self.instrument = 'OSIRIS'
self.analyser = 'graphite'
self.reflection = '002'
self.detector_range = [963, 1004]
self.background = [-0.563032, 0.605636]
self.rebin_params = '-0.2,0.002,0.2'
self.files = ['OSI97935.raw']
def get_reference_files(self):
return ["II.OSIRISResolution.nxs"]
#------------------------- IRIS tests -----------------------------------------
class IRISResolution(ISISIndirectInelasticResolution):
def __init__(self):
ISISIndirectInelasticResolution.__init__(self)
self.instrument = 'IRIS'
self.analyser = 'graphite'
self.reflection = '002'
self.detector_range = [3, 53]
self.background = [-0.54, 0.65]
self.rebin_params = '-0.2,0.002,0.2'
self.files = ['IRS53664.raw']
def get_reference_files(self):
return ["II.IRISResolution.nxs"]
#==============================================================================
class ISISIndirectInelasticDiagnostics(ISISIndirectInelasticBase):
'''A base class for the ISIS indirect inelastic diagnostic tests
The workflow is defined in the _run() method, simply
define an __init__ method and set the following properties
on the object
'''
__metaclass__ = ABCMeta # Mark as an abstract class
def _run(self):
'''Defines the workflow for the test'''
self.tolerance = 1e-7
TimeSlice(InputFiles=self.rawfiles,
OutputNameSuffix=self.suffix,
OutputWorkspace='__IndirectInelasticDiagnostics_out_group',
PeakRange=self.peak,
SpectraRange=self.spectra,
Plot=False,
Save=False)
# Construct the result ws name.
self.result_names = [os.path.splitext(self.rawfiles[0])[0] + self.suffix]
def _validate_properties(self):
'''Check the object properties are in an expected state to continue'''
if type(self.rawfiles) != list and len(self.rawfiles) != 1:
raise RuntimeError("rawfiles should be a list of exactly 1 value")
if type(self.peak) != list and len(self.peak) != 2:
raise RuntimeError("peak should be a list of exactly 2 values")
if type(self.spectra) != list and len(self.spectra) != 2:
raise RuntimeError("spectra should be a list of exactly 2 values")
if type(self.suffix) != str:
raise RuntimeError("suffix property should be a string")
#------------------------- IRIS tests -----------------------------------------
class IRISDiagnostics(ISISIndirectInelasticDiagnostics):
def __init__(self):
ISISIndirectInelasticDiagnostics.__init__(self)
self.peak = [62500, 65000]
self.rawfiles = ['IRS53664.raw']
self.spectra = [3, 53]
self.suffix = '_graphite002_slice'
def get_reference_files(self):
return ["II.IRISDiagnostics.nxs"]
#------------------------- OSIRIS tests ---------------------------------------
class OSIRISDiagnostics(ISISIndirectInelasticDiagnostics):
def __init__(self):
ISISIndirectInelasticDiagnostics.__init__(self)
self.peak = [59000, 61000]
self.rawfiles = ['OSI97935.raw']
self.spectra = [963, 1004]
self.suffix = '_graphite002_slice'
def get_reference_files(self):
return ["II.OSIRISDiagnostics.nxs"]
#==============================================================================
class ISISIndirectInelasticMoments(ISISIndirectInelasticBase):
'''A base class for the ISIS indirect inelastic Fury/FuryFit tests
The output of Elwin is usually used with MSDFit and so we plug one into
the other in this test.
'''
# Mark as an abstract class
__metaclass__ = ABCMeta
def _run(self):
'''Defines the workflow for the test'''
LoadNexus(self.input_workspace,
OutputWorkspace=self.input_workspace)
SofQWMoments(Sample=self.input_workspace, EnergyMin=self.e_min,
EnergyMax=self.e_max, Scale=self.scale,
Plot=False, Save=False, OutputWorkspace=self.input_workspace + '_Moments')
self.result_names = [self.input_workspace + '_Moments']
def _validate_properties(self):
'''Check the object properties are in an expected state to continue'''
if type(self.input_workspace) != str:
raise RuntimeError("Input workspace should be a string.")
if type(self.e_min) != float:
raise RuntimeError("Energy min should be a float")
if type(self.e_max) != float:
raise RuntimeError("Energy max should be a float")
if type(self.scale) != float:
raise RuntimeError("Scale should be a float")
#------------------------- OSIRIS tests ---------------------------------------
class OSIRISMoments(ISISIndirectInelasticMoments):
def __init__(self):
ISISIndirectInelasticMoments.__init__(self)
self.input_workspace = 'osi97935_graphite002_sqw.nxs'
self.e_min = -0.4
self.e_max = 0.4
self.scale = 1.0
def get_reference_files(self):
return ['II.OSIRISMoments.nxs']
#------------------------- IRIS tests -----------------------------------------
class IRISMoments(ISISIndirectInelasticMoments):
def __init__(self):
ISISIndirectInelasticMoments.__init__(self)
self.input_workspace = 'irs53664_graphite002_sqw.nxs'
self.e_min = -0.4
self.e_max = 0.4
self.scale = 1.0
def get_reference_files(self):
return ['II.IRISMoments.nxs']
#==============================================================================
class ISISIndirectInelasticElwinAndMSDFit(ISISIndirectInelasticBase):
'''A base class for the ISIS indirect inelastic Elwin/MSD Fit tests
The output of Elwin is usually used with MSDFit and so we plug one into
the other in this test.
'''
__metaclass__ = ABCMeta # Mark as an abstract class
def _run(self):
'''Defines the workflow for the test'''
self.tolerance = 1e-7
elwin_input = '__ElWinMult_in'
elwin_results = ['__ElWinMult_q', '__ElWinMult_q2', '__ElWinMult_elf']
# Load files and create workspace group
for filename in self.files:
Load(Filename=filename, OutputWorkspace=filename)
GroupWorkspaces(InputWorkspaces=self.files, OutputWorkspace=elwin_input)
ElasticWindowMultiple(InputWorkspaces=elwin_input, Plot=False,
Range1Start=self.eRange[0], Range1End=self.eRange[1],
OutputInQ=elwin_results[0], OutputInQSquared=elwin_results[1],
OutputELF=elwin_results[2])
int_files = [self.get_temp_dir_path(filename) + ".nxs"
for filename in elwin_results]
# Save the EQ1 & EQ2 results from Elwin to put into MSDFit.
for ws, filename in zip(elwin_results, int_files):
SaveNexusProcessed(Filename=filename,
InputWorkspace=ws)
eq2_file = elwin_results[1]
msdfit_result = MSDFit(InputWorkspace=eq2_file,
XStart=self.startX,
XEnd=self.endX,
SpecMax=1,
Plot=False)
# Clean up the intermediate files.
for filename in int_files:
os.remove(filename)
# We're interested in the intermediate Elwin results as well as the
# final MSDFit result.
self.result_names = [elwin_results[0], # EQ1
elwin_results[1], # EQ2
def _validate_properties(self):
"""Check the object properties are in an expected state to continue"""
if type(self.files) != list or len(self.files) != 2:
raise RuntimeError("files should be a list of exactly 2 strings")
if type(self.eRange) != list or len(self.eRange) != 2:
raise RuntimeError("eRange should be a list of exactly 2 values")
806
807
808
809
810
811
812
813
814
815
816
817
818
819
820
821
822
823
824
825
826
827
828
829
830
831
832
833
834
835
836
837
838
839
840
841
842
843
844
845
846
847
848
849
850
851
852
853
854
855
856
857
858
859
860
861
862
863
864
865
866
867
868
869
870
871
872
873
874
875
876
877
878
879
880
881
882
883
884
885
886
887
888
889
890
891
892
893
894
895
896
897
898
899
900
901
902
903
904
905
906
907
908
909
910
911
912
913
914
915
916
917
918
919
920
921
922
923
924
925
926
927
928
929
930
931
932
933
934
935
936
937
938
939
940
941
942
943
944
945
946
947
948
949
950
951
952
953
954
955
956
957
958
959
960
961
962
963
964
965
966
967
968
969
970
971
972
973
974
975
976
977
978
979
980
981
982
983
984
985
986
987
988
989
990
991
992
993
994
995
996
997
998
999
1000
if type(self.startX) != float:
raise RuntimeError("startX should be a float")
if type(self.endX) != float:
raise RuntimeError("endX should be a float")
#------------------------- OSIRIS tests ---------------------------------------
class OSIRISElwinAndMSDFit(ISISIndirectInelasticElwinAndMSDFit):
def __init__(self):
ISISIndirectInelasticElwinAndMSDFit.__init__(self)
self.files = ['osi97935_graphite002_red.nxs',
'osi97936_graphite002_red.nxs']
self.eRange = [-0.02, 0.02]
self.startX = 0.195082
self.endX = 3.202128
def get_reference_files(self):
return ['II.OSIRISElwinEQ1.nxs',
'II.OSIRISElwinEQ2.nxs',
'II.OSIRISMSDFit.nxs']
#------------------------- IRIS tests -----------------------------------------
class IRISElwinAndMSDFit(ISISIndirectInelasticElwinAndMSDFit):
def __init__(self):
ISISIndirectInelasticElwinAndMSDFit.__init__(self)
self.files = ['irs53664_graphite002_red.nxs',
'irs53665_graphite002_red.nxs']
self.eRange = [-0.02, 0.02]
self.startX = 0.313679
self.endX = 3.285377
def get_reference_files(self):
return ['II.IRISElwinEQ1.nxs',
'II.IRISElwinEQ2.nxs',
'II.IRISMSDFit.nxs']
#==============================================================================
class ISISIndirectInelasticFuryAndFuryFit(ISISIndirectInelasticBase):
'''
A base class for the ISIS indirect inelastic Fury/FuryFit tests
The output of Fury is usually used with FuryFit and so we plug one into
the other in this test.
'''
__metaclass__ = ABCMeta # Mark as an abstract class
def _run(self):
'''Defines the workflow for the test'''
self.tolerance = 1e-7
self.samples = [sample[:-4] for sample in self.samples]
# Load files into Mantid
for sample in self.samples:
LoadNexus(sample, OutputWorkspace=sample)
LoadNexus(self.resolution, OutputWorkspace=self.resolution)
fury_props, fury_ws = Fury(Sample=self.samples[0],
Resolution=self.resolution,
EnergyMin=self.e_min,
EnergyMax=self.e_max,
NumBins=self.num_bins,
DryRun=False,
Save=False,
Plot=False)
# Test FuryFit Sequential
furyfitSeq_ws = furyfitSeq(fury_ws.getName(),
self.func,
self.ftype,
self.startx,
self.endx,
Save=False,
Plot='None')
self.result_names = [fury_ws.getName(),
furyfitSeq_ws]
# Remove workspaces from Mantid
for sample in self.samples:
DeleteWorkspace(sample)
DeleteWorkspace(self.resolution)
def _validate_properties(self):
"""Check the object properties are in an expected state to continue"""
if type(self.samples) != list:
raise RuntimeError("Samples should be a list of strings.")
if type(self.resolution) != str:
raise RuntimeError("Resolution should be a string.")
if type(self.e_min) != float:
raise RuntimeError("e_min should be a float")
if type(self.e_max) != float:
raise RuntimeError("e_max should be a float")
if type(self.num_bins) != int:
raise RuntimeError("num_bins should be an int")
if type(self.func) != str:
raise RuntimeError("Function should be a string.")
if type(self.ftype) != str:
raise RuntimeError("Function type should be a string.")
if type(self.startx) != float:
raise RuntimeError("startx should be a float")
if type(self.endx) != float:
raise RuntimeError("endx should be a float")
#------------------------- OSIRIS tests ---------------------------------------
class OSIRISFuryAndFuryFit(ISISIndirectInelasticFuryAndFuryFit):
def __init__(self):
ISISIndirectInelasticFuryAndFuryFit.__init__(self)
# Fury
self.samples = ['osi97935_graphite002_red.nxs']
self.resolution = 'osi97935_graphite002_res.nxs'
self.e_min = -0.4
self.e_max = 0.4
self.num_bins = 4
# Fury Seq Fit
self.func = r'name=LinearBackground,A0=0,A1=0,ties=(A1=0);name=UserFunction,Formula=Intensity*exp(-(x/Tau)),Intensity=0.304185,Tau=100;ties=(f1.Intensity=1-f0.A0)'
self.ftype = '1E_s'
self.startx = 0.022861
self.endx = 0.118877
def get_reference_files(self):
return ['II.OSIRISFury.nxs',
'II.OSIRISFuryFitSeq.nxs']
#------------------------- IRIS tests -----------------------------------------
class IRISFuryAndFuryFit(ISISIndirectInelasticFuryAndFuryFit):
def __init__(self):
ISISIndirectInelasticFuryAndFuryFit.__init__(self)
# Fury
self.samples = ['irs53664_graphite002_red.nxs']
self.resolution = 'irs53664_graphite002_res.nxs'
self.e_min = -0.4
self.e_max = 0.4
self.num_bins = 4
# Fury Seq Fit
self.func = r'name=LinearBackground,A0=0,A1=0,ties=(A1=0);name=UserFunction,Formula=Intensity*exp(-(x/Tau)),Intensity=0.355286,Tau=100;ties=(f1.Intensity=1-f0.A0)'
self.ftype = '1E_s'
self.startx = 0.013717
self.endx = 0.169171
def get_reference_files(self):
return ['II.IRISFury.nxs',
'II.IRISFuryFitSeq.nxs']
#==============================================================================
class ISISIndirectInelasticFuryAndFuryFitMulti(ISISIndirectInelasticBase):
'''A base class for the ISIS indirect inelastic Fury/FuryFit tests
The output of Elwin is usually used with MSDFit and so we plug one into
the other in this test.
'''
__metaclass__ = ABCMeta # Mark as an abstract class
def _run(self):
'''Defines the workflow for the test'''
self.tolerance = 1e-6
self.samples = [sample[:-4] for sample in self.samples]
#load files into mantid
for sample in self.samples:
LoadNexus(sample, OutputWorkspace=sample)
LoadNexus(self.resolution, OutputWorkspace=self.resolution)
fury_props, fury_ws = Fury(Sample=self.samples[0],
Resolution=self.resolution,
EnergyMin=self.e_min,
EnergyMax=self.e_max,
NumBins=self.num_bins,
DryRun=False,
Save=False,
Plot=False)
# Test FuryFit Sequential
furyfitSeq_ws = furyfitMult(fury_ws.getName(),