Skip to content
New issue

Have a question about this project? Sign up for a free GitHub account to open an issue and contact its maintainers and the community.

By clicking “Sign up for GitHub”, you agree to our terms of service and privacy statement. We’ll occasionally send you account related emails.

Already on GitHub? Sign in to your account

area detector factory function #984

Closed
prjemian opened this issue Jun 17, 2024 · 8 comments · Fixed by #987
Closed

area detector factory function #984

prjemian opened this issue Jun 17, 2024 · 8 comments · Fixed by #987
Assignees
Milestone

Comments

@prjemian
Copy link
Contributor

A factory function might make it easier to create area detector classes and instances. The factory would address common configurations (such as PVA, HDF5, ...) as options, triggered by keywords. Additional kwargs would describe supplemental options such as the file path seen by the IOC.

@prjemian prjemian self-assigned this Jun 17, 2024
@prjemian prjemian transferred this issue from BCDA-APS/bluesky_training Jun 17, 2024
@prjemian prjemian modified the milestones: 1.6.20, 1.6.21 Jun 17, 2024
@prjemian
Copy link
Contributor Author

Suggestion (from @keenanlang) when part of the PV name is different than convention:

cam = ADComponent(cam_class, "cam1:")

In some implementations, the "cam1:" part of the detector's PV names could be different. Should be a configurable option in a detector factory function.

@prjemian
Copy link
Contributor Author

From XPCS:

    use_image=True,
    use_overlay=True,
    use_process=True,
    use_pva=True,
    use_roi=True,
    use_stats=True,
    use_transform=True,

@cooleyv
Copy link

cooleyv commented Jun 26, 2024

At HEXM, AD factory function does the following:

  • creates a signal object to look for the ADCore version that the current AD IOC is running
  • selects which plugin versions are right for that ADCore version
  • formulates read/write paths, depending on whether IOC runs on Windows or Linux machine
  • defines an area detector class with plugin versions/ file paths defined above. All plugins commonly used at HEXM are included (image1, pva1, over1, trans1, proc1, roi1, tiff1, hdf1). The class includes a method for enabling/disabling plugins

For detector specificity, the factory accepts a detector mixin that contains:

  • cam plugin (has attributes specific to detector)
  • special methods (e.g., default and scan configurations)

Additionally:

  • each AD has a plugin control dictionary, which defines which plugins are enabled/disabled by default when passed to the enable/disable method above.

@canismarko
Copy link
Collaborator

@cooleyv Is that function available on github or gitlab somewhere? I'd like to take a look if possible.

It sounds like a great idea, especially the part about detecting plugin versions since that is a constant pitfall for me in getting our AD support right.

However, if I understand that right, this means that the factory will fail if there's not an actual IOC running, right? Could the AD version or plugin version be an optional argument to the factory (e.g. plugin_version="34", or ad_core_version=...) that then skips the part where it connects to a real IOC?

The use case here is that when I write tests I commonly use a pattern where I create a fake device using Ophyd's sim module:

from ophyd.sim import instantiate_fake_device

from haven.instrument.area_detector import SPCAreaDetector  # or whatever

def test_my_area_detector():
    fake_ad = instantiate_fake_device(SPCAreaDetector, prefix="255ID:AD", name="fake_ad")
    # Write some tests here to make sure the device works
    # but since it's fake, no actual IOC is necessary
    fake_ad.stage()
    assert fake_ad.cam.acquire_time.get() == 2.  # or whatever
    ...

with a factory, then the test becomes:

from ophyd.sim import instantiate_fake_device

from haven.instrument.area_detector import ad_factory  # or whatever

def test_my_area_detector():
    AD_Class = ad_factory(...)
    fake_ad = instantiate_fake_device(AD_Class, prefix="255ID:AD", name="fake_ad")
    # Write some tests here to make sure the device works
    # but since it's fake, no actual IOC is necessary
    fake_ad.stage()
    assert fake_ad.cam.acquire_time.get() == 2.  # or whatever
    ...

which is fine except that ad_factory(...) will fail without an IOC present because the intermediate signal is a real ophyd Signal object instead of a fake one. It's possible to mock area_detector.Signal, but that can get a bit messy.

@prjemian
Copy link
Contributor Author

prjemian commented Jun 28, 2024

ad_plugin_classes.py

"""
Contains plugin classes needed to build area detectors, 
modified for use by the MPE group. 

TODO: add all to export 
"""


__all__ = [
    "MPE_CamBase",
    "MPE_CamBase_V31",
    "MPE_CamBase_V34",
    "MPE_ImagePlugin",
    "MPE_ImagePlugin_V31",
    "MPE_ImagePlugin_V34",
    "MPE_PvaPlugin",
    "MPE_PvaPlugin_V31",
    "MPE_PvaPlugin_V34",
    "MPE_ProcessPlugin",
    "MPE_ProcessPlugin_V31",
    "MPE_ProcessPlugin_V34",
    "MPE_TransformPlugin",
    "MPE_TransformPlugin_V31",
    "MPE_TransformPlugin_V34",
    "MPE_OverlayPlugin",
    "MPE_OverlayPlugin_V31",
    "MPE_OverlayPlugin_V34",
    "MPE_ROIPlugin",
    "MPE_ROIPlugin_V31",
    "MPE_ROIPlugin_V34",
    "MPE_TIFFPlugin",
    "MPE_TIFFPlugin_V31",
    "MPE_TIFFPlugin_V34",
    "MPE_HDF5Plugin",
    "MPE_HDF5Plugin_V31",
    "MPE_HDF5Plugin_V34",
]

#import mod components from ophyd
from ophyd import DetectorBase
from ophyd import SingleTrigger
from ophyd import ADComponent
from ophyd import EpicsSignal
from ophyd import EpicsSignalWithRBV
from ophyd import EpicsSignalRO

#import plugin base versions from ophyd (v1.9.1)
"""Used for 1-ID retiga cameras."""
from ophyd.areadetector import CamBase
from ophyd.areadetector.plugins import PluginBase
from ophyd.areadetector.plugins import ImagePlugin
from ophyd.areadetector.plugins import PvaPlugin
from ophyd.areadetector.plugins import ProcessPlugin
from ophyd.areadetector.plugins import TransformPlugin
from ophyd.areadetector.plugins import OverlayPlugin
from ophyd.areadetector.plugins import ROIPlugin
from ophyd.areadetector.plugins import TIFFPlugin
from ophyd.areadetector.plugins import HDF5Plugin

#import plugins v3.1
"""Used for 1-ID pixirad IOC using v3.2 ADcore."""
from ophyd.areadetector.plugins import PluginBase_V31
from ophyd.areadetector.plugins import ImagePlugin_V31
from ophyd.areadetector.plugins import PvaPlugin_V31
from ophyd.areadetector.plugins import ProcessPlugin_V31
from ophyd.areadetector.plugins import TransformPlugin_V31
from ophyd.areadetector.plugins import OverlayPlugin_V31
from ophyd.areadetector.plugins import ROIPlugin_V31
from ophyd.areadetector.plugins import TIFFPlugin_V31
from ophyd.areadetector.plugins import HDF5Plugin_V31

#import plugins v3.4
"""Used for all other 1-ID and 20-ID dets. ADcore v3.4 and later."""
from ophyd.areadetector.plugins import PluginBase_V34
from ophyd.areadetector.plugins import ImagePlugin_V34
from ophyd.areadetector.plugins import PvaPlugin_V34
from ophyd.areadetector.plugins import ProcessPlugin_V34
from ophyd.areadetector.plugins import TransformPlugin_V34
from ophyd.areadetector.plugins import OverlayPlugin_V34
from ophyd.areadetector.plugins import ROIPlugin_V34
from ophyd.areadetector.plugins import TIFFPlugin_V34
from ophyd.areadetector.plugins import HDF5Plugin_V34

#import iterative file writers from apstools
from apstools.devices.area_detector_support import AD_EpicsTIFFIterativeWriter
from apstools.devices.area_detector_support import AD_EpicsHDF5IterativeWriter


#generate custom plugin mixin classes for MPE group
class MPE_PluginMixin(PluginBase): ...
class MPE_PluginMixin_V31(PluginBase_V31):...
class MPE_PluginMixin_V34(PluginBase_V34):...

#generate custom cambase classes
class MPE_CamBase(CamBase): ...

class MPE_CamBase_V31(CamBase): 
    """Contains updates to CamBase since v22."""
    pool_max_buffers = None
    
class MPE_CamBase_V34(CamBase):
    """Contains updates to CamBase since v22."""
    pool_max_buffers = None
    

#generate custom plugin classes
class MPE_ImagePlugin(ImagePlugin):...
class MPE_ImagePlugin_V31(ImagePlugin_V31):...
class MPE_ImagePlugin_V34(ImagePlugin_V34):...

class MPE_PvaPlugin(PvaPlugin):...
class MPE_PvaPlugin_V31(PvaPlugin_V31):...
class MPE_PvaPlugin_V34(PvaPlugin_V34):...

class MPE_ProcessPlugin(ProcessPlugin):...
class MPE_ProcessPlugin_V31(ProcessPlugin_V31):...
class MPE_ProcessPlugin_V34(ProcessPlugin_V34):...

class MPE_TransformPlugin(TransformPlugin):...
class MPE_TransformPlugin_V31(TransformPlugin_V31):...
class MPE_TransformPlugin_V34(TransformPlugin_V34):...

class MPE_OverlayPlugin(OverlayPlugin):...
class MPE_OverlayPlugin_V31(OverlayPlugin_V31):...
class MPE_OverlayPlugin_V34(OverlayPlugin_V34):...

class MPE_ROIPlugin(ROIPlugin):...
class MPE_ROIPlugin_V31(ROIPlugin_V31):...
class MPE_ROIPlugin_V34(ROIPlugin_V34):...


#create custom file writer classes
class MPE_TIFFPlugin(AD_EpicsTIFFIterativeWriter, TIFFPlugin):...
class MPE_TIFFPlugin_V31(AD_EpicsTIFFIterativeWriter, TIFFPlugin_V31):...
class MPE_TIFFPlugin_V34(AD_EpicsTIFFIterativeWriter, TIFFPlugin_V34):...

class MPE_HDF5Plugin(AD_EpicsHDF5IterativeWriter, HDF5Plugin):...
class MPE_HDF5Plugin_V31(AD_EpicsHDF5IterativeWriter, HDF5Plugin_V31):...
class MPE_HDF5Plugin_V34(AD_EpicsHDF5IterativeWriter, HDF5Plugin_V34):...

ad_make_dets.py

""" 
Exports `make_det()`, a blueprint for generating area detectors using plugins 
customized for MPE group. DOES NOT generate the detector
objects themselves; see `DETECTOR.py` files for generation. 

`find_det_version()` tries to automatically find the version of ADcore
that the det is running; starting up a different version of a det IOC
should therefore be accommodated without additional work by 
Bluesky user. 

Blueprints take into account whether dets run on WIN or LIN machines;
this changes the structure of the read and write paths. Paths generated
by `make_WIN_paths()` and `make_LIN_paths()`.
 
Custom plugin classes are generated by .ad_plugin_classes, and 
`ad_plugin_classes.py` must be contained in the same folder. 

Detector-specific cam classes, `plugin_control` dictionary (for 
enabling/disabling plugins as needed for the det), and any 
scan-specific mixin methods are located in `DETECTOR.py` file. 

TODO: Uncomment lines needed to make hdf1 plugin when it has been primed for all dets. 
"""

__all__ = [
    "make_det",
]

#import for logging
import logging
logger = logging.getLogger(__name__)
logger.info(__file__)

#import custom plugin classes
from .ad_plugin_classes import *

#import from ophyd
from ophyd import EpicsSignal
from ophyd import SingleTrigger
from ophyd import DetectorBase
from ophyd import ADComponent

#import other stuff
import os
import bluesky.plan_stubs as bps

#try to find ADcore version of det
def find_det_version(
    det_prefix
):
    
    """ 
    Function to generate an ophyd signal of the detector ADCoreVersion PV, 
    then use this version number to select the corresponding
    versions of MPE-specific plugin classes.
    
    MPE-sepcific plugin classes are generated in .ad_plugin_classes module. 
    
    PARAMETERS 
    
    det_prefix *str* : 
        IOC prefix of the detector; must end with ":". (example : "s1_pixirad2:")
    """
    
    #special case for old retiga IOCs
    # if det_prefix.startswith("QIMAGE"):
    #     version = '1.9.1'
        
    #every other det
    # else: 
    try:
        #first try to connect to ADCoreVersion PV
        adcore_pv = det_prefix + "cam1:ADCoreVersion_RBV"
        adcore_version = EpicsSignal(adcore_pv, name = "adcore_version")
        version = adcore_version.get() #returns something that looks like '3.2.1'
    
    except TimeoutError as exinfo: #TODO: add check if IOC is running to make error more specific
        version = '1.9.1'
        logger.warning(f"{exinfo}. Assuming mininum version 1.9.")
        
    # else:
    #     raise ValueError("ADcore version not recognized. Please check that DET:cam1:ADCoreVersion_RBV is an existing PV and IOC is running.")
    finally: 
        #after trying and excepting, select the plugin versions needed
        if version.startswith('1.9'):
            Det_CamBase = MPE_CamBase
            Det_ImagePlugin = MPE_ImagePlugin
            Det_PvaPlugin = MPE_PvaPlugin
            Det_ProcessPlugin = MPE_ProcessPlugin
            Det_TransformPlugin = MPE_TransformPlugin
            Det_OverlayPlugin = MPE_OverlayPlugin
            Det_ROIPlugin = MPE_ROIPlugin
            Det_TIFFPlugin = MPE_TIFFPlugin
            Det_HDF5Plugin = MPE_HDF5Plugin
            
        elif version.startswith(('3.1','3.2','3.3')):
            Det_CamBase = MPE_CamBase_V31
            Det_ImagePlugin = MPE_ImagePlugin_V31
            Det_PvaPlugin = MPE_PvaPlugin_V31
            Det_ProcessPlugin = MPE_ProcessPlugin_V31
            Det_TransformPlugin = MPE_TransformPlugin_V31
            Det_OverlayPlugin = MPE_OverlayPlugin_V31
            Det_ROIPlugin = MPE_ROIPlugin_V31
            Det_TIFFPlugin = MPE_TIFFPlugin_V31
            Det_HDF5Plugin = MPE_HDF5Plugin_V31
            
        elif version.startswith('3.4', '3.5', '3.6', '3.7', '3.8', '3.9', '3.10', '3.11', '3.12'):
            Det_CamBase = MPE_CamBase_V34
            Det_ImagePlugin = MPE_ImagePlugin_V34
            Det_PvaPlugin = MPE_PvaPlugin_V34
            Det_ProcessPlugin = MPE_ProcessPlugin_V34
            Det_TransformPlugin = MPE_TransformPlugin_V34
            Det_OverlayPlugin = MPE_OverlayPlugin_V34
            Det_ROIPlugin = MPE_ROIPlugin_V34
            Det_TIFFPlugin = MPE_TIFFPlugin_V34
            Det_HDF5Plugin = MPE_HDF5Plugin_V34
                
        else:
            raise ValueError(f"MPE custom plugins have not been generated for this version of ADcore = {version}.")
        
        logger.info(f"Detector with prefix {det_prefix} using ADcore v{version}.")  
    
    return [Det_CamBase, 
            Det_ImagePlugin, 
            Det_PvaPlugin, 
            Det_ProcessPlugin, 
            Det_TransformPlugin, 
            Det_OverlayPlugin,
            Det_ROIPlugin, 
            Det_TIFFPlugin,
            Det_HDF5Plugin]

def make_WIN_paths(
    det_prefix,
    local_drive,
    image_dir
):
    
    """ 
    Function to generate controls and local paths for a detector IOC that runs 
    on Windows. 
    
    Colloqial definitions:
    
        Local path: location where the detector is writing data to. Can be local to 
            machine where det IOC is running, or contained on the APS network. 
            
        Controls path: pathway Bluesky will use to look at the data being written. 
            Virtually always on the APS network. 
        
    PARAMETERS
    
    det_prefix *str* :
        IOC prefix of the detector; must end with ":". (example : "s1_pixirad2:")
        
    local_drive *str* : 
        Windows drive where data is written; must end with ":". (example : "G:")
        
    image_dir *str* : 
        Experiment folder where data is written; must be common to both controls and local path. (example : "mpe_apr24/experiment1")
    
    """
    
    #clean up det name and Windows Drive 
    det_id = det_prefix.strip(":")
    linux_drive = local_drive.strip(":")
    
    #define paths
    CONTROLS_ROOT = os.path.join("/home/beams/S1IDUSER", det_id, linux_drive, '')   #Linux root for bluesky
    LOCAL_ROOT = local_drive    #Windows root for det writing
    IMAGE_DIR = image_dir  #TODO: pull this specifically from iconfig!!
    
    return [CONTROLS_ROOT, LOCAL_ROOT, IMAGE_DIR]


def make_LIN_paths(
    local_drive,
    image_dir
):
    """
    Function to generate controls and local paths for a detector IOC that runs 
    on Linux. 
    
    Colloquial definitions:
    
        Local path: location where the detector is writing data to. Can be local to 
            machine where det IOC is running, or contained on the APS network. 
        
        Controls path: pathway Bluesky will use to look at the data being written. 
            Virtually always on the APS network. 
        
    PARAMETERS
            
    local_drive *str* : 
        Full Linux pathway where data is written. (example : "/scratch/tmp")
        
    image_dir *str* : 
        Experiment folder where data is written; must be common to both controls and local path. (example : "mpe_apr24/experiment1")
    """
    
    #define paths
    CONTROLS_ROOT = "/home/beams/S1IDUSER/mnt/s1c"
    LOCAL_ROOT = local_drive    #Linux root for det writing
    IMAGE_DIR = image_dir  #TODO: pull this specifically from iconfig!!
    
    return [CONTROLS_ROOT, LOCAL_ROOT, IMAGE_DIR]


def make_det(
    det_prefix,
    device_name,
    local_drive,
    image_dir,
    make_cam_plugin,
    default_plugin_control, #needed for class method
    custom_plugin_control = {}, #needed for class method
    det_mixin = None, 
    ioc_WIN = False, 
    pva1_exists = False,
):
    """ 
    Function to generate detector object or assign it as `None` if timeout.
    
    PARAMETERS 
    
    det_prefix *str* : 
        IOC prefix of the detector; must end with ":". (example : "s1_pixirad2:")
    
    device_name *str* : 
        Name of the detector device. Should match the object name in python. 
    
    local_drive *str* : 
        If on Linux, full Linux pathway where data is written. (example : "/scratch/tmp")
        If on Windows, drive location where data is written; must end with ":". (example : "G:")
    
    image_dir *str* : 
        Experiment folder where data is written; must be common to both 
        controls and local path. (example : "mpe_apr24/experiment1")
    
    make_cam_plugin *class* : 
        Detector-specific cam plugin written in `DETECTOR.py` file. 
        
    default_plugin_control *dict* :
        Dictionary that logs which plugins are enabled and which are disabled in 
        default state for a given det.  Contained in `DETECTOR.py` file. 
        
    custom_plugin_control *dict* : 
        Dictionary containing enable/disable or ndarray port names for plugins that 
        are different from the default setup. Changeable by user. (default : {})
        
    det_mixin *Mixin class* : 
        Optional Mixin class specific to the detector for custom methods or 
        attributes. An example method would be configuration for a fastsweep scan.
        Contained in `DETECTOR.py` file. (default : None)
    
    ioc_WIN *Boolean* : 
        True/False whether det IOC runs on a Windows machine. Does not matter 
        what Windows OS version. (default : False)
        
    pva1_exists *Boolean* : 
        True/False whether `DETECTOR:Pva1` PVs exist. NOT the same as whether Pva1 
        plugin should be enabled. (default : False) 
            
    """
        
    #use `find_det_version()` to select plugin versions based on ADCore version
    [Det_CamBase, 
    Det_ImagePlugin, 
    Det_PvaPlugin, 
    Det_ProcessPlugin, 
    Det_TransformPlugin, 
    Det_OverlayPlugin,
    Det_ROIPlugin, 
    Det_TIFFPlugin,
    Det_HDF5Plugin] = find_det_version(det_prefix = det_prefix) 
    
    #generate detector-specific cam plugin (defined in `DETECTOR.py` file) using correct CamBase version
    Det_CamPlugin = make_cam_plugin(Det_CamBase = Det_CamBase) 
    
    #generate read and write paths for WIN or LIN machines
    #see `make_WIN_paths()` and `make_LIN_paths()`
    if ioc_WIN:
        [CONTROLS_ROOT, LOCAL_ROOT, IMAGE_DIR] = make_WIN_paths(
            det_prefix = det_prefix, 
            local_drive = local_drive, 
            image_dir = image_dir)

    else: 
        [CONTROLS_ROOT, LOCAL_ROOT, IMAGE_DIR] = make_LIN_paths(
            local_drive = local_drive, 
            image_dir = image_dir)     
    
    #define complete read and write paths for file-writing plugins
    WRITE_PATH = os.path.join(LOCAL_ROOT, IMAGE_DIR)
    READ_PATH = os.path.join(CONTROLS_ROOT, IMAGE_DIR)
    
    #add protection in case det_mixin is not defined yet
    if not det_mixin:
        class EmptyFastsweepMixin(object):
            print(f"Custom configuration methods have not been configured for this detector.")  #TODO: Add a reference to the det name
            
        det_mixin = EmptyFastsweepMixin
    
    #create a general class for making an area detector using plugin and mixin inputs defined above
    class MPEAreaDetector(det_mixin, SingleTrigger, DetectorBase):
        
        #define plugins here
        cam = ADComponent(Det_CamPlugin, "cam1:")
        image1 = ADComponent(Det_ImagePlugin, "image1:")
        #caveat in case pva1 does not exist
        if pva1_exists:
            pva1 = ADComponent(Det_PvaPlugin, "Pva1:")
        proc1 = ADComponent(Det_ProcessPlugin, "Proc1:")
        trans1 = ADComponent(Det_TransformPlugin, "Trans1:")
        over1 = ADComponent(Det_OverlayPlugin, "Over1:")
        roi1 = ADComponent(Det_ROIPlugin, "ROI1:")
        
        #define file writing plugins
        tiff1 = ADComponent(Det_TIFFPlugin, "TIFF1:",
                            write_path_template = WRITE_PATH,
                            read_path_template = READ_PATH)
        # hdf1 = ADComponent(Det_HDF5Plugin, "HDF1:",
        #                    write_path_template = WRITE_PATH, 
        #                    read_path_template = READ_PATH)
        
        #add a method to the object that will enable/disable plugins as desired
        def enable_plugins(
            self, 
            default_plugin_control = default_plugin_control, #plugin_control keys become defaults (det-specific)
            custom_plugin_control = custom_plugin_control   #non-default values 
        ):
            """ 
            Object method for enabling or disabling plugins as needed for a given det. 
            
            PARAMETERS 
            
            self : 
                Attaches method to objects belonging to the `MPEAreaDetector` class. 
                
            plugin_control *dict* : 
                Default options for enabling/disabling plugins and filling in `DETECTOR.nd_array_port` field.
                
            """
            
            #allow changes to dictionary from custom dictionary
            plugin_control = {**default_plugin_control, **custom_plugin_control}   #merges dictionaries so that input kwargs overrides defaults 
            
            #enabling/disabling
            if plugin_control["use_image1"]:
                yield from bps.mv(self.image1.enable, 1, self.image1.nd_array_port, plugin_control["ndport_image1"])
            else: 
                yield from bps.mv(self.image1.enable, 0)
        
            #extra caveats in case pva1 doesn't exist
            if pva1_exists and plugin_control["use_pva1"]:
                yield from bps.mv(self.pva1.enable, 1, self.pva1.nd_array_port, plugin_control["ndport_pva1"])
            elif pva1_exists and not plugin_control["use_pva1"]: 
                yield from bps.mv(self.pva1.enable, 0)
            elif not pva1_exists and plugin_control["use_pva1"]:
                raise ValueError("Warning! Request to enable Pva1 plugin, but it doesn't exist.")
                
            if plugin_control["use_proc1"]:
                yield from bps.mv(self.proc1.enable, 1, self.proc1.nd_array_port, plugin_control["ndport_proc1"])
            else:
                yield from bps.mv(self.proc1.enable, 0)
                
            if plugin_control["use_trans1"]:
                yield from bps.mv(self.trans1.enable, 1, self.trans1.nd_array_port, plugin_control["ndport_trans1"])
            else: 
                yield from bps.mv(self.trans1.enable, 0)
                
            if plugin_control["use_over1"]:
                yield from bps.mv(self.over1.enable, 1, self.over1.nd_array_port, plugin_control["ndport_over1"])
            else:
                yield from bps.mv(self.over1.enable, 0)
                
            if plugin_control["use_roi1"]:
                yield from bps.mv(self.roi1.enable, 1, self.roi1.nd_array_port, plugin_control["ndport_roi1"])
            else:
                yield from bps.mv(self.roi1.enable, 0)
                
            if plugin_control["use_tiff1"]:
                yield from bps.mv(self.tiff1.enable, 1, self.tiff1.nd_array_port, plugin_control["ndport_tiff1"])
            else: 
                yield from bps.mv(self.tiff1.enable, 0)
                
            # if plugin_control["use_hdf1"]:
            #     yield from bps.mv(self.hdf1.enable,1, self.hdf1.nd_array_port, plugin_control["ndport_hdf1"])
            # else: 
            #     yield from bps.mv(self.hdf1.enable, 0) 
    
    
    #generate object using class defined above
    try: 
        area_detector = MPEAreaDetector(det_prefix, name = device_name, labels = ("Detector",))
    except TimeoutError as exinfo:
        area_detector = None
        logger.warning(f"Could not create {device_name} with prefix {det_prefix}. {exinfo}")


    return area_detector    

@prjemian
Copy link
Contributor Author

@keenanlang suggests making ophyd.areadetector.CamBase the default camera class.

prjemian added a commit that referenced this issue Aug 23, 2024
prjemian added a commit that referenced this issue Aug 23, 2024
prjemian added a commit that referenced this issue Aug 24, 2024
prjemian added a commit that referenced this issue Aug 24, 2024
@prjemian
Copy link
Contributor Author

With the new version of the factory, it is now possible to:

  • (requested by @canismarko & @cooleyv) supply custom classes for any of the plugins
  • (requested by @keenanlang) use any AD suffix (such as "cam:" instead of "cam1:")
  • use any attribute name instead of the defaults (such as hdf instead of hdf1)
  • call a user-supplied ad_setup(detector) function for additional configuration

@prjemian
Copy link
Contributor Author

@cooleyv Versioning based on inspection of existing EPICS PVs is possible with the new support. The inspection would happen before the factory is called. The caller would override the "class" key of each plugin with a class appropriate for the version determined by the inspection.

prjemian added a commit that referenced this issue Aug 25, 2024
prjemian added a commit that referenced this issue Aug 26, 2024
prjemian added a commit that referenced this issue Aug 26, 2024
prjemian added a commit that referenced this issue Aug 26, 2024
Sign up for free to join this conversation on GitHub. Already have an account? Sign in to comment
Projects
Status: Done
Development

Successfully merging a pull request may close this issue.

3 participants