Newer
Older
#pylint: disable=no-init,invalid-name,attribute-defined-outside-init,too-many-lines
#pylint: disable=too-many-instance-attributes,non-parent-init-called,abstract-method,too-few-public-methods
# non-parent-init-called is disabled to remove false positives from a bug in pyLint < 1.4
# abstract-mehod checking seems to ignore the fact some classes are declared abstract using abc
- 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 IDR and IDA interfaces see:
- Indirect_DataReduction.rst
- Indirect_DataAnalysis.rst
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
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
|
+--ISISIndirectInelasticIqtAndIqtFit
| +--IRISIqtAndIqtFit
| +--OSIRISIqtAndIqtFit
+--ISISIndirectInelasticIqtAndIqtFitMulti
| +--IRISIqtAndIqtFitMulti
| +--OSIRISIqtAndIqtFitMulti
|
+--ISISIndirectInelasticConvFit
| |
| +--IRISConvFit
| +--OSIRISConvFit
|
from __future__ import (absolute_import, division, print_function)
import stresstesting
import os
from abc import ABCMeta, abstractmethod
from mantid.simpleapi import *
# For debugging only.
from mantid.api import FileFinder
from six import with_metaclass
class ISISIndirectInelasticBase(with_metaclass(ABCMeta, stresstesting.MantidStressTest)):
'''
A common base class for the ISISIndirectInelastic* base classes.
'''
@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):
num_ref_files = len(self.get_reference_files())
num_results = len(self.result_names)
if not isinstance(self.get_reference_files(), list):
raise RuntimeError("The reference file(s) should be in a list")
raise RuntimeError("The result workspace(s) should be in a list")
if num_ref_files != num_results:
raise RuntimeError("The number of result workspaces (%d) does not match"
" the number of reference files (%d)." % (num_ref_files, num_results))
if num_ref_files < 1 or num_results < 1:
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
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(with_metaclass(ABCMeta, 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.
'''
sum_files = False
def _run(self):
'''Defines the workflow for the test'''
self.tolerance = 1e-7
if self.rebin_string is not None:
kwargs['RebinString'] = self.rebin_string
reductions = ISISIndirectEnergyTransfer(Instrument=self.instr_name,
Analyser='graphite',
Reflection='002',
InputFiles=self.data_files,
SumFiles=self.sum_files,
SpectraRange=self.detector_range,
**kwargs)
self.result_names = sorted(reductions.getNames())
def _validate_properties(self):
'''Check the object properties are in an expected state to continue'''
raise RuntimeError("instr_name property should be a string")
if not isinstance(self.detector_range, list) and len(self.detector_range) != 2:
raise RuntimeError("detector_range should be a list of exactly 2 "
"values")
raise RuntimeError("data_file property should be a string")
if self.rebin_string is not None and not isinstance(self.rebin_string, str):
raise RuntimeError("rebin_string property should be a string")
if self.sum_files is not None and not isinstance(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.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.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.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.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.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.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.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.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.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']
#==============================================================================
class ISISIndirectInelasticCalibration(with_metaclass(ABCMeta, 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
'''
def _run(self):
'''Defines the workflow for the test'''
self.tolerance = 1e-7
self.result_names = ['IndirectCalibration_Output']
IndirectCalibration(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'''
raise RuntimeError("data_file property should be a string")
if not isinstance(self.detector_range, list) and len(self.detector_range) != 2:
raise RuntimeError("detector_range should be a list of exactly 2 values")
if not isinstance(self.peak, list) and len(self.peak) != 2:
raise RuntimeError("peak should be a list of exactly 2 values")
if not isinstance(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(with_metaclass(ABCMeta, 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
'''
def _run(self):
'''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,
self.result_names = ['__IndirectResolution_Test']
def _validate_properties(self):
'''Check the object properties are in an expected state to continue'''
raise RuntimeError("instrument property should be a string")
raise RuntimeError("analyser property should be a string")
raise RuntimeError("reflection property should be a string")
if not isinstance(self.detector_range, list) and len(self.detector_range) != 2:
raise RuntimeError("detector_range should be a list of exactly 2 values")
if not isinstance(self.background, list) and len(self.background) != 2:
raise RuntimeError("background should be a list of exactly 2 values")
raise RuntimeError("rebin_params property should be a string")
# Have this as just one file for now.
if not isinstance(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.rebin_params = '-0.2,0.002,0.2'
self.files = ['IRS53664.raw']
def get_reference_files(self):
return ["II.IRISResolution.nxs"]
#==============================================================================
class ISISIndirectInelasticDiagnostics(with_metaclass(ABCMeta, 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
'''
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,
# Construct the result ws name.
OutputWorkspace='__temp')
resultWs = mtd['__temp']
inst_name = resultWs.getInstrument().getFullName().lower()
run_number = resultWs.run().getProperty('run_number').value
self.result_names = [inst_name + run_number + self.suffix]
def _validate_properties(self):
'''Check the object properties are in an expected state to continue'''
if not isinstance(self.rawfiles, list) and len(self.rawfiles) != 1:
raise RuntimeError("rawfiles should be a list of exactly 1 value")
if not isinstance(self.peak, list) and len(self.peak) != 2:
raise RuntimeError("peak should be a list of exactly 2 values")
if not isinstance(self.spectra, list) and len(self.spectra) != 2:
raise RuntimeError("spectra should be a list of exactly 2 values")
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(with_metaclass(ABCMeta, ISISIndirectInelasticBase)):
'''A base class for the ISIS indirect inelastic TransformToIqt/TransformToIqtFit tests
The output of Elwin is usually used with MSDFit and so we plug one into
the other in this test.
'''
def _run(self):
'''Defines the workflow for the test'''
LoadNexus(self.input_workspace,
OutputWorkspace=self.input_workspace)
SofQWMoments(InputWorkspace=self.input_workspace, EnergyMin=self.e_min,
EnergyMax=self.e_max, Scale=self.scale,
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'''
raise RuntimeError("Input workspace should be a string.")
raise RuntimeError("Energy min should be a float")
raise RuntimeError("Energy max should be a 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(with_metaclass(ABCMeta, 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.
'''
def __init__(self):
super(ISISIndirectInelasticElwinAndMSDFit, self).__init__()
self.tolerance = 1e-7
def _run(self):
'''Defines the workflow for the test'''
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,
IntegrationRangeStart=self.eRange[0], IntegrationRangeEnd=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)
eq_file = elwin_results[0]
msdfit_result = MSDFit(InputWorkspace=eq_file,
# 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 not isinstance(self.files, list) or len(self.files) != 2:
raise RuntimeError("files should be a list of exactly 2 strings")
if not isinstance(self.eRange, list) or len(self.eRange) != 2:
raise RuntimeError("eRange should be a list of exactly 2 values")
raise RuntimeError("startX should be a 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.189077
self.endX = 1.8141
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.441682
self.endX = 1.85378
def get_reference_files(self):
return ['II.IRISElwinEQ1.nxs',
'II.IRISElwinEQ2.nxs',
'II.IRISMSDFit.nxs']
#==============================================================================
class ISISIndirectInelasticIqtAndIqtFit(with_metaclass(ABCMeta, ISISIndirectInelasticBase)):
A base class for the ISIS indirect inelastic Iqt/IqtFit tests
The output of TransformToIqt is usually used with IqtFit and so we plug one into
the other in this test.
'''
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)
_, iqt_ws = TransformToIqt(SampleWorkspace=self.samples[0],
ResolutionWorkspace=self.resolution,
EnergyMin=self.e_min,
EnergyMax=self.e_max,
BinReductionFactor=self.num_bins,
DryRun=False)
iqtfitSeq_ws, params, fit_group = IqtFitSequential(iqt_ws,
self.func,
self.ftype,
self.startx,
self.result_names = [iqt_ws.name(),
iqtfitSeq_ws.name()]
# Remove workspaces from Mantid
for sample in self.samples:
DeleteWorkspace(sample)
DeleteWorkspace(params)
DeleteWorkspace(fit_group)
DeleteWorkspace(self.resolution)
def _validate_properties(self):
"""Check the object properties are in an expected state to continue"""
raise RuntimeError("Samples should be a list of strings.")
raise RuntimeError("Resolution should be a string.")
raise RuntimeError("e_min should be a float")
raise RuntimeError("e_max should be a float")
raise RuntimeError("num_bins should be an int")
raise RuntimeError("Function should be a string.")
raise RuntimeError("Function type should be a string.")
raise RuntimeError("startx should be a float")
raise RuntimeError("endx should be a float")
#------------------------- OSIRIS tests ---------------------------------------
class OSIRISIqtAndIqtFit(ISISIndirectInelasticIqtAndIqtFit):
def __init__(self):
ISISIndirectInelasticIqtAndIqtFit.__init__(self)
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
self.func = r'composite=CompositeFunction,NumDeriv=1;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.endx = 0.118877
def get_reference_files(self):
return ['II.OSIRISFury.nxs',
'II.OSIRISFuryFitSeq.nxs']
#------------------------- IRIS tests -----------------------------------------
class IRISIqtAndIqtFit(ISISIndirectInelasticIqtAndIqtFit):
def __init__(self):
ISISIndirectInelasticIqtAndIqtFit.__init__(self)
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
self.func = r'composite=CompositeFunction,NumDeriv=1;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.endx = 0.169171
def get_reference_files(self):
return ['II.IRISFury.nxs',
'II.IRISFuryFitSeq.nxs']
#==============================================================================
class ISISIndirectInelasticIqtAndIqtFitMulti(with_metaclass(ABCMeta, ISISIndirectInelasticBase)):
'''A base class for the ISIS indirect inelastic Iqt/IqtFit tests
The output of Elwin is usually used with MSDFit and so we plug one into
the other in this test.
'''
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)
_, iqt_ws = TransformToIqt(SampleWorkspace=self.samples[0],
ResolutionWorkspace=self.resolution,
EnergyMin=self.e_min,
EnergyMax=self.e_max,
BinReductionFactor=self.num_bins,
DryRun=False)
iqtfitSeq_ws, params, fit_group = IqtFitMultiple(iqt_ws.name(),
self.func,
self.ftype,
self.startx,
self.endx,
self.spec_min,
self.spec_max)
self.result_names = [iqt_ws.name(),
iqtfitSeq_ws.name()]
#remove workspaces from mantid
for sample in self.samples:
DeleteWorkspace(sample)
DeleteWorkspace(params)
DeleteWorkspace(fit_group)
DeleteWorkspace(self.resolution)
def _validate_properties(self):
"""Check the object properties are in an expected state to continue"""
raise RuntimeError("Samples should be a list of strings.")
raise RuntimeError("Resolution should be a string.")
raise RuntimeError("e_min should be a float")
raise RuntimeError("e_max should be a float")
raise RuntimeError("num_bins should be an int")
raise RuntimeError("Function should be a string.")
raise RuntimeError("Function type should be a string.")
raise RuntimeError("startx should be a float")
raise RuntimeError("endx should be a float")
#------------------------- OSIRIS tests ---------------------------------------
class OSIRISIqtAndIqtFitMulti(ISISIndirectInelasticIqtAndIqtFitMulti):
def __init__(self):
ISISIndirectInelasticIqtAndIqtFitMulti.__init__(self)
self.samples = ['osiris97944_graphite002_red.nxs']
self.resolution = 'osi97935_graphite002_res.nxs'
self.e_min = -0.4
self.e_max = 0.4
self.num_bins = 4
self.func = r'name=LinearBackground,A0=0.213439,A1=0,ties=(A1=0);name=StretchExp,'\
'Height=0.786561,Lifetime=0.0247894,'\
'Stretching=1;ties=(f1.Height=1-f0.A0)'
self.ftype = '1E_s'
self.startx = 0.0
def get_reference_files(self):
return ['II.OSIRISIqt.nxs',
'II.OSIRISIqtFitMulti.nxs']
#------------------------- IRIS tests -----------------------------------------
class IRISIqtAndIqtFitMulti(ISISIndirectInelasticIqtAndIqtFitMulti):
def __init__(self):
ISISIndirectInelasticIqtAndIqtFitMulti.__init__(self)
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
self.func = r'name=LinearBackground,A0=0.584488,A1=0,ties=(A1=0);name=StretchExp,'\
'Height=0.415512,Stretching=0.022653;ties=(f1.Height=1-f0.A0,f1.Lifetime=0.05)'
self.ftype = '1S_s'
self.startx = 0.0
self.endx = 0.156250
def get_reference_files(self):
return ['II.IRISFury.nxs',
'II.IRISFuryFitMulti.nxs']
#==============================================================================
class ISISIndirectInelasticConvFit(with_metaclass(ABCMeta, ISISIndirectInelasticBase)):
'''A base class for the ISIS indirect inelastic ConvFit tests
The workflow is defined in the _run() method, simply
define an __init__ method and set the following properties
on the object
'''
def _run(self):
'''Defines the workflow for the test'''
self.tolerance = 1e-4