mirror of
https://github.com/bec-project/ophyd_devices.git
synced 2025-07-04 08:14:49 +02:00
feat(#118): add a flexible positioner class
This commit is contained in:
23
ophyd_devices/devices/simple_positioner.py
Normal file
23
ophyd_devices/devices/simple_positioner.py
Normal file
@ -0,0 +1,23 @@
|
||||
from ophyd import Component as Cpt
|
||||
from ophyd import EpicsSignal
|
||||
|
||||
from ophyd_devices.interfaces.base_classes.psi_positioner_base import PSISimplePositionerBase
|
||||
|
||||
|
||||
class PSISimplePositioner(PSISimplePositionerBase):
|
||||
user_readback = Cpt(EpicsSignal, "R")
|
||||
user_setpoint = Cpt(EpicsSignal, "S")
|
||||
velocity = Cpt(EpicsSignal, "V")
|
||||
motor_done_move = Cpt(EpicsSignal, "D")
|
||||
|
||||
|
||||
if __name__ == "__main__": # pragma: no cover
|
||||
suffixes = {
|
||||
"user_readback": ".RBV",
|
||||
"user_setpoint": ".VAL",
|
||||
"velocity": ".VELO",
|
||||
"motor_done_move": ".DMOV",
|
||||
}
|
||||
pos = PSISimplePositioner(name="test", prefix="SIM:MOTOR", override_suffixes=suffixes)
|
||||
pos.wait_for_connection()
|
||||
st = pos.move(5, wait=False)
|
322
ophyd_devices/interfaces/base_classes/psi_positioner_base.py
Normal file
322
ophyd_devices/interfaces/base_classes/psi_positioner_base.py
Normal file
@ -0,0 +1,322 @@
|
||||
from abc import ABC
|
||||
from typing import TypedDict
|
||||
|
||||
from ophyd import Component as Cpt
|
||||
from ophyd import Device
|
||||
from ophyd.device import required_for_connection
|
||||
from ophyd.positioner import PositionerBase
|
||||
from ophyd.signal import EpicsSignalBase
|
||||
from ophyd.status import MoveStatus
|
||||
from ophyd.status import wait as status_wait
|
||||
from ophyd.utils.epics_pvs import fmt_time
|
||||
|
||||
|
||||
class _SignalSentinel(object): ...
|
||||
|
||||
|
||||
_OPTIONAL_SIGNAL = _SignalSentinel()
|
||||
_REQUIRED_SIGNAL = _SignalSentinel()
|
||||
_SIGNAL_NOT_AVAILABLE = "Signal not available"
|
||||
|
||||
|
||||
class PSIPositionerException(Exception): ...
|
||||
|
||||
|
||||
class RequiredSignalNotSpecified(PSIPositionerException): ...
|
||||
|
||||
|
||||
class OptionalSignalNotSpecified(PSIPositionerException): ...
|
||||
|
||||
|
||||
class SimplePositionerSignals(TypedDict, total=False):
|
||||
user_readback: str
|
||||
user_setpoint: str
|
||||
motor_done_move: str
|
||||
velocity: str
|
||||
motor_stop: str
|
||||
|
||||
|
||||
_SIMPLE_SIGNAL_NAMES = SimplePositionerSignals.__optional_keys__
|
||||
|
||||
|
||||
class PositionerSignals(SimplePositionerSignals, total=False):
|
||||
user_offset: str
|
||||
user_offset_dir: str
|
||||
offset_freeze_switch: str
|
||||
set_use_switch: str
|
||||
acceleration: str
|
||||
motor_egu: str
|
||||
motor_is_moving: str
|
||||
high_limit_switch: str
|
||||
low_limit_switch: str
|
||||
high_limit_travel: str
|
||||
low_limit_travel: str
|
||||
direction_of_travel: str
|
||||
home_forward: str
|
||||
home_reverse: str
|
||||
tolerated_alarm: str
|
||||
|
||||
|
||||
_SIGNAL_NAMES = PositionerSignals.__optional_keys__
|
||||
|
||||
|
||||
class PSISimplePositionerBase(ABC, Device, PositionerBase):
|
||||
"""Base class for simple positioners."""
|
||||
|
||||
SIGNAL_NAMES = _SIMPLE_SIGNAL_NAMES
|
||||
|
||||
user_readback: EpicsSignalBase = _REQUIRED_SIGNAL
|
||||
user_setpoint: EpicsSignalBase = _OPTIONAL_SIGNAL
|
||||
velocity: EpicsSignalBase = _OPTIONAL_SIGNAL
|
||||
motor_stop: EpicsSignalBase = _OPTIONAL_SIGNAL
|
||||
motor_done_move: EpicsSignalBase = _REQUIRED_SIGNAL
|
||||
|
||||
stop_value = 1
|
||||
done_value = 1
|
||||
|
||||
def __init__(
|
||||
self,
|
||||
prefix="",
|
||||
*,
|
||||
name,
|
||||
limits=None,
|
||||
deadband: float | None = None,
|
||||
read_attrs=None,
|
||||
configuration_attrs=None,
|
||||
parent=None,
|
||||
override_suffixes: SimplePositionerSignals = {},
|
||||
**kwargs,
|
||||
):
|
||||
"""A simple positioner class, to provide the functionality of PVPositioner but behave more
|
||||
similarly to EpicsMotor.
|
||||
|
||||
Args:
|
||||
override_suffixes (dict[str, str]): a dictionary of signal_name: pv_suffix which will replace the values in the signal classvar.
|
||||
"""
|
||||
super().__init__(
|
||||
prefix=prefix,
|
||||
read_attrs=read_attrs,
|
||||
configuration_attrs=configuration_attrs,
|
||||
name=name,
|
||||
parent=parent,
|
||||
**kwargs,
|
||||
)
|
||||
|
||||
if limits is not None:
|
||||
self._limits = tuple(limits)
|
||||
else:
|
||||
self._limits = None
|
||||
self._deadband = deadband
|
||||
self._egu = kwargs.get("egu") or ""
|
||||
|
||||
if (missing := self._remaining_defaults(_REQUIRED_SIGNAL)) != set():
|
||||
raise RequiredSignalNotSpecified(f"Signal(s) {missing} must be defined in a subclass")
|
||||
|
||||
not_implemented = self._remaining_defaults(_OPTIONAL_SIGNAL)
|
||||
for signal_name, pv_suffix in override_suffixes.items():
|
||||
if signal_name not in not_implemented:
|
||||
component: Cpt[EpicsSignalBase] = getattr(self.__class__, signal_name)
|
||||
signal: EpicsSignalBase = getattr(self, signal_name)
|
||||
signal.__init__(
|
||||
prefix + pv_suffix,
|
||||
name=self.name + self._child_name_separator + signal_name,
|
||||
**component.kwargs,
|
||||
)
|
||||
|
||||
self.user_readback.subscribe(self._pos_changed)
|
||||
self.motor_done_move.subscribe(self._move_changed)
|
||||
|
||||
# Make the default alias for the user_readback the name of the motor itself
|
||||
# for compatibility with EpicsMotor
|
||||
self.user_readback.name = self.name
|
||||
|
||||
def _remaining_defaults(self, attr: _SignalSentinel) -> set[str]:
|
||||
return set(filter(lambda s: getattr(self, s) is attr, self.SIGNAL_NAMES))
|
||||
|
||||
@property
|
||||
def egu(self):
|
||||
"""The engineering units (EGU) for a position"""
|
||||
return self._egu
|
||||
|
||||
def check_value(self, pos):
|
||||
"""Check that the position is within the soft limits"""
|
||||
if self.limits is not None:
|
||||
low, high = self.limits
|
||||
if low != high and not (low <= pos <= high):
|
||||
raise ValueError("{} outside of user-specified limits" "".format(pos))
|
||||
else:
|
||||
self.user_setpoint.check_value(pos)
|
||||
|
||||
@property
|
||||
def moving(self):
|
||||
"""Whether or not the motor is moving
|
||||
|
||||
If a `done` PV is specified, it will be read directly to get the motion
|
||||
status. If not, it determined from the internal state of PVPositioner.
|
||||
|
||||
Returns
|
||||
-------
|
||||
bool
|
||||
"""
|
||||
dval = self.motor_done_move.get(use_monitor=False)
|
||||
return dval != self.done_value
|
||||
|
||||
def _setup_move(self, position):
|
||||
"""Move and do not wait until motion is complete (asynchronous)"""
|
||||
self.log.debug("%s.user_setpoint = %s", self.name, position)
|
||||
self.user_setpoint.put(position, wait=True)
|
||||
|
||||
def move(self, position, wait=True, timeout=None, moved_cb=None):
|
||||
"""Move to a specified position, optionally waiting for motion to
|
||||
complete.
|
||||
|
||||
Parameters
|
||||
----------
|
||||
position
|
||||
Position to move to
|
||||
moved_cb : callable
|
||||
Call this callback when movement has finished. This callback must
|
||||
accept one keyword argument: 'obj' which will be set to this
|
||||
positioner instance.
|
||||
timeout : float, optional
|
||||
Maximum time to wait for the motion. If None, the default timeout
|
||||
for this positioner is used.
|
||||
|
||||
Returns
|
||||
-------
|
||||
status : MoveStatus
|
||||
|
||||
Raises
|
||||
------
|
||||
TimeoutError
|
||||
When motion takes longer than `timeout`
|
||||
ValueError
|
||||
On invalid positions
|
||||
RuntimeError
|
||||
If motion fails other than timing out
|
||||
"""
|
||||
# Before moving, ensure we can stop (if a stop_signal is configured).
|
||||
if self.motor_stop is not _OPTIONAL_SIGNAL:
|
||||
self.motor_stop.wait_for_connection()
|
||||
|
||||
if self._deadband is not None and abs(position - self._position) < 0.0008:
|
||||
return MoveStatus(self, position, done=True, success=True)
|
||||
|
||||
status = super().move(position, timeout=timeout, moved_cb=moved_cb)
|
||||
|
||||
try:
|
||||
self._setup_move(position)
|
||||
if wait:
|
||||
status_wait(status)
|
||||
except KeyboardInterrupt:
|
||||
self.stop()
|
||||
raise
|
||||
|
||||
return status
|
||||
|
||||
@required_for_connection
|
||||
def _move_changed(self, timestamp=None, value=None, sub_type=None, **kwargs):
|
||||
was_moving = self._moving
|
||||
self._moving = value != self.done_value
|
||||
|
||||
started = False
|
||||
if not self._started_moving:
|
||||
started = self._started_moving = not was_moving and self._moving
|
||||
self.log.debug("[ts=%s] %s started moving: %s", fmt_time(timestamp), self.name, started)
|
||||
|
||||
self.log.debug(
|
||||
"[ts=%s] %s moving: %s (value=%s)", fmt_time(timestamp), self.name, self._moving, value
|
||||
)
|
||||
|
||||
if started:
|
||||
self._run_subs(sub_type=self.SUB_START, timestamp=timestamp, value=value, **kwargs)
|
||||
|
||||
@required_for_connection
|
||||
def _pos_changed(self, timestamp=None, value=None, **kwargs):
|
||||
"""Callback from EPICS, indicating a change in position"""
|
||||
self._set_position(value)
|
||||
|
||||
def stop(self, *, success=False):
|
||||
if self.motor_stop is not _OPTIONAL_SIGNAL:
|
||||
self.motor_stop.put(self.stop_value, wait=False)
|
||||
super().stop(success=success)
|
||||
|
||||
@property
|
||||
def report(self):
|
||||
rep = super().report
|
||||
rep["pv"] = self.user_readback.pvname
|
||||
return rep
|
||||
|
||||
@property
|
||||
def limits(self):
|
||||
if self._limits is not None:
|
||||
return tuple(self._limits)
|
||||
else:
|
||||
return self.user_setpoint.limits
|
||||
|
||||
def _repr_info(self):
|
||||
yield from super()._repr_info()
|
||||
|
||||
yield ("limits", self._limits)
|
||||
yield ("egu", self._egu)
|
||||
|
||||
def _done_moving(self, **kwargs):
|
||||
self._move_changed(value=self.done_value)
|
||||
super()._done_moving(**kwargs)
|
||||
|
||||
|
||||
class PSIPositionerBase(PSISimplePositionerBase):
|
||||
"""Base class for positioners which are similar to a motor but do not implement
|
||||
all the required signals for an EpicsMotor or have different PV suffices."""
|
||||
|
||||
SIGNAL_NAMES = _SIGNAL_NAMES
|
||||
|
||||
# calibration dial <-> user
|
||||
user_offset = _OPTIONAL_SIGNAL
|
||||
user_offset_dir = _OPTIONAL_SIGNAL
|
||||
offset_freeze_switch = _OPTIONAL_SIGNAL
|
||||
set_use_switch = _OPTIONAL_SIGNAL
|
||||
|
||||
# configuration
|
||||
acceleration = _OPTIONAL_SIGNAL
|
||||
motor_egu = _OPTIONAL_SIGNAL
|
||||
|
||||
# motor status
|
||||
motor_is_moving = _OPTIONAL_SIGNAL
|
||||
high_limit_switch = _OPTIONAL_SIGNAL
|
||||
low_limit_switch = _OPTIONAL_SIGNAL
|
||||
high_limit_travel = _OPTIONAL_SIGNAL
|
||||
low_limit_travel = _OPTIONAL_SIGNAL
|
||||
direction_of_travel = _OPTIONAL_SIGNAL
|
||||
|
||||
# commands
|
||||
home_forward = _OPTIONAL_SIGNAL
|
||||
home_reverse = _OPTIONAL_SIGNAL
|
||||
|
||||
# alarm information
|
||||
tolerated_alarm = _OPTIONAL_SIGNAL
|
||||
|
||||
def __init__(
|
||||
self,
|
||||
prefix="",
|
||||
*,
|
||||
name,
|
||||
kind=None,
|
||||
read_attrs=None,
|
||||
configuration_attrs=None,
|
||||
parent=None,
|
||||
child_name_separator="_",
|
||||
connection_timeout=...,
|
||||
**kwargs,
|
||||
):
|
||||
super().__init__(
|
||||
prefix,
|
||||
name=name,
|
||||
kind=kind,
|
||||
read_attrs=read_attrs,
|
||||
configuration_attrs=configuration_attrs,
|
||||
parent=parent,
|
||||
child_name_separator=child_name_separator,
|
||||
connection_timeout=connection_timeout,
|
||||
**kwargs,
|
||||
)
|
21
tests/positioner_test_ioc.py
Normal file
21
tests/positioner_test_ioc.py
Normal file
@ -0,0 +1,21 @@
|
||||
#!/usr/bin/env python3
|
||||
from textwrap import dedent
|
||||
|
||||
from caproto.ioc_examples.fake_motor_record import FakeMotor
|
||||
from caproto.server import PVGroup, SubGroup, ioc_arg_parser, run
|
||||
|
||||
|
||||
class FakeMotorIOC(PVGroup):
|
||||
"""
|
||||
A fake motor IOC.
|
||||
"""
|
||||
|
||||
MOTOR = SubGroup(FakeMotor, velocity=1.0, precision=3, user_limits=(0, 10), prefix="MOTOR")
|
||||
|
||||
|
||||
if __name__ == "__main__":
|
||||
ioc_options, run_options = ioc_arg_parser(
|
||||
default_prefix="SIM:", desc=dedent(FakeMotorIOC.__doc__)
|
||||
)
|
||||
ioc = FakeMotorIOC(**ioc_options)
|
||||
run(ioc.pvdb, **run_options)
|
28
tests/test_psi_positioner_base.py
Normal file
28
tests/test_psi_positioner_base.py
Normal file
@ -0,0 +1,28 @@
|
||||
from unittest.mock import MagicMock
|
||||
|
||||
import pytest
|
||||
from ophyd.device import Component as Cpt
|
||||
from ophyd.signal import EpicsSignal
|
||||
from ophyd.sim import FakeEpicsSignal, FakeEpicsSignalRO
|
||||
|
||||
from ophyd_devices.interfaces.base_classes.psi_positioner_base import (
|
||||
PSIPositionerBase,
|
||||
RequiredSignalNotSpecified,
|
||||
)
|
||||
|
||||
|
||||
def test_cannot_isntantiate_without_required_signals():
|
||||
class PSITestPositionerWOSignal(PSIPositionerBase): ...
|
||||
|
||||
class PSITestPositionerWithSignal(PSIPositionerBase):
|
||||
user_setpoint: EpicsSignal = Cpt(FakeEpicsSignal, ".VAL", limits=True, auto_monitor=True)
|
||||
user_readback = Cpt(FakeEpicsSignalRO, ".RBV", kind="hinted", auto_monitor=True)
|
||||
motor_done_move = Cpt(FakeEpicsSignalRO, ".DMOV", auto_monitor=True)
|
||||
|
||||
with pytest.raises(RequiredSignalNotSpecified) as e:
|
||||
PSITestPositionerWOSignal("", name="")
|
||||
assert e.match("user_setpoint")
|
||||
assert e.match("user_readback")
|
||||
|
||||
dev = PSITestPositionerWithSignal("", name="")
|
||||
assert dev.user_setpoint.get() == 0
|
60
tests/test_simple_positioner.py
Normal file
60
tests/test_simple_positioner.py
Normal file
@ -0,0 +1,60 @@
|
||||
import threading
|
||||
from unittest import mock
|
||||
|
||||
import ophyd
|
||||
import pytest
|
||||
|
||||
from ophyd_devices.devices.simple_positioner import PSISimplePositioner
|
||||
from ophyd_devices.tests.utils import MockPV, patch_dual_pvs
|
||||
|
||||
|
||||
@pytest.fixture(scope="function")
|
||||
def mock_psi_positioner() -> PSISimplePositioner:
|
||||
name = "positioner"
|
||||
prefix = "SIM:MOTOR"
|
||||
with mock.patch.object(ophyd, "cl") as mock_cl:
|
||||
mock_cl.get_pv = MockPV
|
||||
mock_cl.thread_class = threading.Thread
|
||||
dev = PSISimplePositioner(name=name, prefix=prefix, deadband=0.0008)
|
||||
patch_dual_pvs(dev)
|
||||
yield dev
|
||||
|
||||
|
||||
@pytest.mark.parametrize(
|
||||
["start", "end", "in_deadband_expected"],
|
||||
[
|
||||
(1.0, 1.0, True),
|
||||
(0, 1.0, False),
|
||||
(-0.004, 0.004, False),
|
||||
(-0.0027, -0.0023, True),
|
||||
(1, 1.0009, False),
|
||||
(1, 1.0007, True),
|
||||
],
|
||||
)
|
||||
@mock.patch("ophyd_devices.interfaces.base_classes.psi_positioner_base.PositionerBase.move")
|
||||
@mock.patch("ophyd_devices.interfaces.base_classes.psi_positioner_base.MoveStatus")
|
||||
def test_instant_completion_within_deadband(
|
||||
mock_movestatus,
|
||||
mock_super_move,
|
||||
mock_psi_positioner: PSISimplePositioner,
|
||||
start,
|
||||
end,
|
||||
in_deadband_expected,
|
||||
):
|
||||
mock_psi_positioner._position = start
|
||||
mock_psi_positioner.move(end)
|
||||
|
||||
if in_deadband_expected:
|
||||
mock_movestatus.assert_called_with(mock.ANY, mock.ANY, done=True, success=True)
|
||||
else:
|
||||
mock_movestatus.assert_not_called()
|
||||
mock_super_move.assert_called_once()
|
||||
|
||||
|
||||
def test_status_completed_when_req_done_sub_runs(mock_psi_positioner: PSISimplePositioner):
|
||||
mock_psi_positioner.motor_done_move._read_pv.mock_data = 0
|
||||
mock_psi_positioner._position = 0
|
||||
st = mock_psi_positioner.move(1, wait=False)
|
||||
assert not st.done
|
||||
mock_psi_positioner._run_subs(sub_type=mock_psi_positioner._SUB_REQ_DONE)
|
||||
assert st.done
|
Reference in New Issue
Block a user