1 2 3 4 5 6 7 8 9 10 11 12 13 14 15 16 17 18 19 20 21 22 23 24 25 26 27 28 29 30 31 32 33 34 35 36 37 38 39 40 41 42 43 44 45 46 47 48 49 50 51 52 53 54 55 56 57 58 59 60 61 62 63 64 65 66 67 68 69 70 71 72 73 74 75 76 77 78 79 80 81 82 83 84 85 86 87 88 89 90 91 92 93 94 95 96 97 98 99 100 101 102 103 104 105 106 107 108 109 110 111 112 113 114 115 116 117 118 119 120 121 122 123 124 125 126 127 128 129 130 131 132 133 134 135 136 137 138 139 140 141 142 143 144 145 146 147 148 149 150 151 152 153 154 155 156 157 158 159 160 161 162 163 164 165 166 167 168 169 170 171 172 173 174 175 176 177 178 179 180 181 182 183 184 185 186 187 188 189 190 191 192 193 194 195 196 197 198 199 200 201 202 203 204 205 206 207 208 209 210 211 212 213 214 215 216 217 218 219 220 221 222 223 224 225 226 227 228 229 230 231 232 233 234 235 236 237 238 239 240 241 242 243 244 245 246 247 248 249 250 251 252 253 254 255 256 257 258 259 260 261 262 263 264 265 266 267 268 269 270 271 272 273 274 275 276 277 278 279 280 281 282 283 284 285 286 287 288 289 290 291 292 293 294 295 296 297 298 299 300 301 302 303 304 305 306 307 308 309 310 311 312 313 314 315 316 317 318 319 320 321 322 323 324 325 326 327 328 329 330 331 332 333 334 335 336 337 338 339 340 341 342 343 344 345 346 347 348 349 350 351 352 353 354 355 356 357 358 359 360 361 362 363 364 365 366 367 368 369 370 371 372 373 374 375 376 377 378 379 380 381 382 383 384 385 386 387 388 389 390 391 392 393 394 395 396 397 398 399 400 401 402 403 404 405 406 407 408 409 410 411 412 413 414 415 416 417 418 419 420 421 422 423 424 425 426 427 428 429 430 431 432 433 434 435 436 437 438 439 440 441 442 443 444 445 446 447 448 449 450 451 452 453 454 455 456 457 458 459 460 461 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
|
#
# This file is part of the PyMeasure package.
#
# Copyright (c) 2013-2024 PyMeasure Developers
#
# Permission is hereby granted, free of charge, to any person obtaining a copy
# of this software and associated documentation files (the "Software"), to deal
# in the Software without restriction, including without limitation the rights
# to use, copy, modify, merge, publish, distribute, sublicense, and/or sell
# copies of the Software, and to permit persons to whom the Software is
# furnished to do so, subject to the following conditions:
#
# The above copyright notice and this permission notice shall be included in
# all copies or substantial portions of the Software.
#
# THE SOFTWARE IS PROVIDED "AS IS", WITHOUT WARRANTY OF ANY KIND, EXPRESS OR
# IMPLIED, INCLUDING BUT NOT LIMITED TO THE WARRANTIES OF MERCHANTABILITY,
# FITNESS FOR A PARTICULAR PURPOSE AND NONINFRINGEMENT. IN NO EVENT SHALL THE
# AUTHORS OR COPYRIGHT HOLDERS BE LIABLE FOR ANY CLAIM, DAMAGES OR OTHER
# LIABILITY, WHETHER IN AN ACTION OF CONTRACT, TORT OR OTHERWISE, ARISING FROM,
# OUT OF OR IN CONNECTION WITH THE SOFTWARE OR THE USE OR OTHER DEALINGS IN
# THE SOFTWARE.
#
from inspect import getmembers
import logging
from warnings import warn
log = logging.getLogger(__name__)
log.addHandler(logging.NullHandler())
class DynamicProperty(property):
""" Class that allows managing python property behaviour in a "dynamic" fashion
The class allows passing, in addition to regular property parameters, a list of
runtime configurable parameters.
The effect is that the behaviour of fget/fset not only depends on the obj parameter, but
also on a set of keyword parameters with a default value.
These extra parameters are read from instance, if available, or left with the default value.
Dynamic behaviour is achieved by changing class or instance variables with special names
defined as `<prefix> + <property name> + <param name>`.
Code has been based on Python equivalent implementation of properties provided in the
python documentation `here <https://docs.python.org/3/howto/descriptor.html#properties>`_.
:param fget: class property fget parameter whose signature is expanded with a
set of keyword arguments as in fget_params_list
:param fset: class property fget parameter whose signature is expanded with a
set of keyword arguments as in fset_params_list
:param fdel: class property fdel parameter
:param doc: class property doc parameter
:param fget_params_list: List of parameter names that are dynamically configurable
:param fset_params_list: List of parameter names that are dynamically configurable
:param prefix: String to be prefixed to get dynamically configurable
parameters.
"""
def __init__(self, fget=None, fset=None, fdel=None, doc=None, fget_params_list=None,
fset_params_list=None, prefix=""):
super().__init__(fget, fset, fdel, doc)
self.fget_params_list = () if fget_params_list is None else fget_params_list
self.fset_params_list = () if fset_params_list is None else fset_params_list
self.name = ""
self.prefix = prefix
def __get__(self, obj, objtype=None):
if obj is None:
# Property return itself when invoked from a class
return self
if self.fget is None:
raise AttributeError(f"Unreadable attribute {self.name}")
kwargs = {}
for attr in self.fget_params_list:
attr_instance_name = self.prefix + "_".join([self.name, attr])
if hasattr(obj, attr_instance_name):
kwargs[attr] = getattr(obj, attr_instance_name)
return self.fget(obj, **kwargs)
def __set__(self, obj, value):
if self.fset is None:
raise AttributeError(f"Can't set attribute {self.name}")
kwargs = {}
for attr in self.fset_params_list:
attr_instance_name = self.prefix + "_".join([self.name, attr])
if hasattr(obj, attr_instance_name):
kwargs[attr] = getattr(obj, attr_instance_name)
self.fset(obj, value, **kwargs)
def __set_name__(self, owner, name):
self.name = name
class CommonBase:
"""Base class for instruments and channels.
This class contains everything needed for pymeasure's property creator
:meth:`control` and its derivatives :meth:`measurement` and :meth:`setting`.
:param preprocess_reply: An optional callable used to preprocess
strings received from the instrument. The callable returns the
processed string.
.. deprecated:: 0.11
Implement it in the instrument's `read` method instead.
"""
# Variable holding the list of DynamicProperty parameters that are configurable
# by users
_fget_params_list = ('get_command',
'values',
'map_values',
'get_process',
'command_process',
'check_get_errors')
_fset_params_list = ('set_command',
'validator',
'values',
'map_values',
'set_process',
'command_process',
'check_set_errors')
# Prefix used to store reserved variables
__reserved_prefix = "___"
def __init__(self, preprocess_reply=None, **kwargs):
self._special_names = self._setup_special_names()
self._create_channels()
if preprocess_reply is not None:
warn(("Parameter `preprocess_reply` is deprecated. "
"Implement it in the instrument, e.g. in `read`, instead."),
FutureWarning)
self.preprocess_reply = preprocess_reply
super().__init__(**kwargs)
class BaseChannelCreator:
"""Base class for ChannelCreator and MultiChannelCreator.
:param cls: Class for all children or tuple/list of classes, one for each child.
:param \\**kwargs: Keyword arguments for all children.
"""
def __init__(self, cls, **kwargs):
try:
self.valid_class = issubclass(cls, CommonBase)
except TypeError:
self.valid_class = False
self.pairs = ()
self.kwargs = kwargs
class ChannelCreator(BaseChannelCreator):
"""Add a single channel to the parent class.
The child will be added to the parent instance at instantiation with
:func:`CommonBase.add_child`. The attribute name that ChannelCreator was assigned
to in the `Instrument` class will be the name of the channel interface.
.. code::
class Extreme5000(Instrument):
# Two output channels, accessible by their property names
# and both are accessible through the 'channels' collection
output_A = Instrument.ChannelCreator(Extreme5000Channel, "A")
output_B = Instrument.ChannelCreator(Extreme5000Channel, "B")
# A channel without a channel accessible through the 'motor' collection
motor = Instrument.ChannelCreator(MotorControl)
inst = SomeInstrument()
# Set the extreme_temp for channel A of Extreme5000 instrument
inst.output_A.extreme_temp = 42
:param cls: Channel class for channel interface
:param id: The id of the channel on the instrument, integer or string.
:param \\**kwargs: Keyword arguments for all children.
"""
def __init__(self, cls, id=None, **kwargs):
super().__init__(cls=cls, **kwargs)
if (isinstance(id, (str, int)) or id is None) and self.valid_class:
self.pairs = ((cls, id),)
else:
raise ValueError("Invalid definition of class '{cls}' and id '{id}'.")
class MultiChannelCreator(BaseChannelCreator):
"""Add channels to the parent class.
The children will be added to the parent instance at instantiation with
:func:`CommonBase.add_child`. The attribute name (e.g. :code:`channels`) will be
used as the `collection` of the children. You may define the attribute
prefix. If there are no other pressing reasons, use :code:`channels` as the attribute name
and leave the prefix at the default :code:`"ch_"`.
.. code::
class Extreme5000(Instrument):
# Three channels of the same type: 'ch_A', 'ch_B', 'ch_C'
# and add them to the 'channels' collection
channels = Instrument.MultiChannelCreator(Extreme5000Channel, ["A", "B", "C"])
# Two channel interfaces of different types: 'fn_power', 'fn_voltage'
# and add them to the 'functions' collection
functions = Instrument.MultiChannelCreator((PowerChannel, VoltageChannel),
["power", "voltage"], prefix="fn_")
:param cls: Class for all children or tuple/list of classes, one for each child.
:param id: tuple/list of ids of the channels on the instrument.
:param prefix: Collection prefix for the attributes, e.g. `"ch_"`
creates attribute `self.ch_A`. If prefix evaluates False,
the child will be added directly under the variable name. Required if id is tuple/list.
:param \\**kwargs: Keyword arguments for all children.
"""
def __init__(self, cls, id=None, prefix="ch_", **kwargs):
super().__init__(cls=cls, **kwargs)
if isinstance(id, (list, tuple)) and isinstance(cls, (list, tuple)):
assert (len(id) == len(cls)), "Lengths of cls and id do not match."
self.pairs = list(zip(cls, id))
elif isinstance(id, (list, tuple)) and self.valid_class:
self.pairs = list(zip((cls,) * len(id), id))
else:
raise ValueError("Invalid definition of classes '{cls}' and ids '{id}'.")
self.kwargs.setdefault("prefix", prefix)
def _setup_special_names(self):
""" Return list of class/instance special names.
Compute the list of special names based on the list of
class attributes that are a DynamicProperty. Check also for class variables
with special name and copy them at instance level
Internal method, not intended to be accessed at user level."""
special_names = []
dynamic_params = tuple(set(self._fget_params_list + self._fset_params_list))
# Check whether class variables of DynamicProperty type are present
for attr_name, attr in getmembers(self.__class__):
if isinstance(attr, DynamicProperty):
special_names += [attr_name + "_" + key for key in dynamic_params]
# Check if special variables are defined at class level
for attr, value in getmembers(self.__class__):
if attr in special_names:
# Copy class special variable at instance level, prefixing reserved_prefix
setattr(self, self.__reserved_prefix + attr, value)
return special_names
@staticmethod
def get_channels(cls):
"""Return a list of all the Instrument's ChannelCreator and MultiChannelCreator instances"""
class_members = getmembers(cls)
channels = []
for name, member in class_members:
if isinstance(member, CommonBase.BaseChannelCreator):
channels.append((name, member))
return channels
@staticmethod
def get_channel_pairs(cls):
"""Return a list of all the Instrument's channel pairs"""
channel_pairs = []
for name, creator in CommonBase.get_channels(cls):
for pair in creator.pairs:
channel_pairs.append(pair)
return channel_pairs
def _create_channels(self):
"""Create channel interfaces for all the Instrument's channel pairs."""
for name, creator in CommonBase.get_channels(self.__class__):
for cls, id in creator.pairs:
# If channel pair was created with MultiChannelCreator
# add channel interface to collection with passed attribute name
if isinstance(creator, CommonBase.MultiChannelCreator):
child = self.add_child(cls, id, collection=name, **creator.kwargs)
# If channel pair was created with ChannelCreator
# name channel interface with passed attribute name
elif isinstance(creator, CommonBase.ChannelCreator):
child = self.add_child(cls, id, attr_name=name, **creator.kwargs)
else:
raise ValueError("Invalid class '{creator}' for channel creation.")
child._protected = True
def __setattr__(self, name, value):
""" Add reserved_prefix in front of special variables."""
if hasattr(self, '_special_names'):
if name in self._special_names:
name = self.__reserved_prefix + name
super().__setattr__(name, value)
def __getattribute__(self, name):
""" Prevent read access to variables with special names used to
support dynamic property behaviour."""
if name in ('_special_names', '__dict__'):
return super().__getattribute__(name)
if hasattr(self, '_special_names'):
if name in self._special_names:
raise AttributeError(
f"{name} is a reserved variable name and it cannot be read")
return super().__getattribute__(name)
# Channel management
def add_child(self, cls, id=None, collection="channels", prefix="ch_", attr_name="", **kwargs):
"""Add a child to this instance and return its index in the children list.
The newly created child may be accessed either by the id in the
children dictionary or by the created attribute, e.g. the fifth channel of `instrument`
with id "F" has two access options:
:code:`instrument.channels["F"] == instrument.ch_F`
.. note::
Do not change the default `collection` or `prefix` parameter, unless
you have to distinguish several collections of different children,
e.g. different channel types (analog and digital).
:param cls: Class of the channel.
:param id: Child id how it is used in communication, e.g. `"A"`.
:param collection: Name of the collection of children, used for dictionary access to the
channel interfaces.
:param prefix: For creating multiple channel interfaces, the prefix e.g. `"ch_"`
is prepended to the attribute name of the channel interface `self.ch_A`.
If prefix evaluates False, the child will be added directly under the collection name.
:param attr_name: For creating a single channel interface, the attr_name argument is used
when setting the attribute name of the channel interface.
:param \\**kwargs: Keyword arguments for the channel creator.
:returns: Instance of the created child.
"""
child = cls(self, id, **kwargs)
collection_data = getattr(self, collection, {})
if isinstance(collection_data, CommonBase.BaseChannelCreator):
collection_data = {}
# Create channel interface if prefix or name is present
if (prefix or attr_name) and id is not None:
if not collection_data:
# Add a grouplist to the parent.
setattr(self, collection, collection_data)
collection_data[id] = child
child._collection = collection
if attr_name:
setattr(self, attr_name, child)
child._name = attr_name
else:
setattr(self, f"{prefix}{id}", child)
child._name = f"{prefix}{id}"
elif attr_name and id is None:
# If attribute name is passed with no channel id
# set the child to the attribute name.
setattr(self, attr_name, child)
child._name = attr_name
else:
if collection_data:
raise ValueError(f"An attribute '{collection}' already exists.")
setattr(self, collection, child)
child._name = collection
return child
def remove_child(self, child):
"""Remove the child from the instrument and the corresponding collection.
:param child: Instance of the child to delete.
"""
if hasattr(child, "_protected"):
raise TypeError("You cannot remove channels defined at class level.")
if hasattr(child, "_collection"):
collection = getattr(self, child._collection)
del collection[child.id]
delattr(self, child._name)
# Communication functions
def wait_for(self, query_delay=None):
"""Wait for some time. Used by 'ask' to wait before reading.
Implement in subclass!
:param query_delay: Delay between writing and reading in seconds. None is default delay.
"""
raise NotImplementedError("Implement in subclass!")
def ask(self, command, query_delay=None):
"""Write a command to the instrument and return the read response.
:param command: Command string to be sent to the instrument.
:param query_delay: Delay between writing and reading in seconds.
:returns: String returned by the device without read_termination.
"""
self.write(command)
self.wait_for(query_delay)
return self.read()
def values(self, command, separator=',', cast=float, preprocess_reply=None, maxsplit=-1,
**kwargs):
"""Write a command to the instrument and return a list of formatted
values from the result.
:param command: SCPI command to be sent to the instrument.
:param preprocess_reply: Optional callable used to preprocess the string
received from the instrument, before splitting it.
The callable returns the processed string.
:param separator: A separator character to split the string returned by
the device into a list.
:param maxsplit: The string returned by the device is splitted at most `maxsplit` times.
-1 (default) indicates no limit.
:param cast: A type to cast each element of the splitted string.
:param \\**kwargs: Keyword arguments to be passed to the :meth:`ask` method.
:returns: A list of the desired type, or strings where the casting fails.
"""
results = self.ask(command, **kwargs).strip()
if callable(preprocess_reply):
results = preprocess_reply(results)
elif callable(self.preprocess_reply):
results = self.preprocess_reply(results)
results = results.split(separator, maxsplit=maxsplit)
for i, result in enumerate(results):
try:
if cast == bool:
# Need to cast to float first since results are usually
# strings and bool of a non-empty string is always True
results[i] = bool(float(result))
else:
results[i] = cast(result)
except Exception:
pass # Keep as string
return results
def binary_values(self, command, query_delay=None, **kwargs):
""" Write a command to the instrument and return a numpy array of the binary data.
:param command: Command to be sent to the instrument.
:param query_delay: Delay between writing and reading in seconds.
:param kwargs: Arguments for :meth:`~pymeasure.Adapter.read_binary_values`.
:returns: NumPy array of values.
"""
self.write(command)
self.wait_for(query_delay)
return self.read_binary_values(**kwargs)
# Property creators
@staticmethod
def control( # noqa: C901 accept that this is a complex method
get_command,
set_command,
docs,
validator=lambda v, vs: v,
values=(),
map_values=False,
get_process=lambda v: v,
set_process=lambda v: v,
command_process=None,
check_set_errors=False,
check_get_errors=False,
dynamic=False,
preprocess_reply=None,
separator=',',
maxsplit=-1,
cast=float,
values_kwargs=None,
**kwargs
):
"""Return a property for the class based on the supplied
commands. This property may be set and read from the
instrument. See also :meth:`measurement` and :meth:`setting`.
:param get_command: A string command that asks for the value, set to `None`
if get is not supported (see also :meth:`setting`).
:param set_command: A string command that writes the value, set to `None`
if set is not supported (see also :meth:`measurement`).
:param docs: A docstring that will be included in the documentation
:param validator: A function that takes both a value and a group of valid values
and returns a valid value, while it otherwise raises an exception
:param values: A list, tuple, range, or dictionary of valid values, that can be used
as to map values if :code:`map_values` is True.
:param map_values: A boolean flag that determines if the values should be
interpreted as a map
:param get_process: A function that take a value and allows processing
before value mapping, returning the processed value
:param set_process: A function that takes a value and allows processing
before value mapping, returning the processed value
:param command_process: A function that takes a command and allows processing
before executing the command
.. deprecated:: 0.12
Use a dynamic property instead.
:param check_set_errors: Toggles checking errors after setting
:param check_get_errors: Toggles checking errors after getting
:param dynamic: Specify whether the property parameters are meant to be changed in
instances or subclasses.
:param preprocess_reply: Optional callable used to preprocess the string
received from the instrument, before splitting it.
The callable returns the processed string.
:param separator: A separator character to split the string returned by
the device into a list.
:param maxsplit: The string returned by the device is splitted at most `maxsplit` times.
-1 (default) indicates no limit.
:param cast: A type to cast each element of the splitted string.
:param dict values_kwargs: Further keyword arguments for :meth:`values`.
:param \\**kwargs: Keyword arguments for :meth:`values`.
.. deprecated:: 0.12
Use `values_kwargs` dictionary parameter instead.
Example of usage of dynamic parameter is as follows:
.. code-block:: python
class GenericInstrument(Instrument):
center_frequency = Instrument.control(
":SENS:FREQ:CENT?;", ":SENS:FREQ:CENT %e GHz;",
" A floating point property that represents the frequency ... ",
validator=strict_range,
# Redefine this in subclasses to reflect actual instrument value:
values=(1, 20),
dynamic=True # enable changing property parameters on-the-fly
)
class SpecificInstrument(GenericInstrument):
# Identical to GenericInstrument, except for frequency range
# Override the "values" parameter of the "center_frequency" property
center_frequency_values = (1, 10) # Redefined at subclass level
instrument = SpecificInstrument()
instrument.center_frequency_values = (1, 6e9) # Redefined at instance level
.. warning:: Unexpected side effects when using dynamic properties
Users must pay attention when using dynamic properties, since definition of class and/or
instance attributes matching specific patterns could have unwanted side effect.
The attribute name pattern `property_param`, where `property` is the name of the dynamic
property (e.g. `center_frequency` in the example) and `param` is any of this method
parameters name except `dynamic` and `docs` (e.g. `values` in the example) has to be
considered reserved for dynamic property control.
"""
if values_kwargs is None:
values_kwargs = {}
if kwargs:
warn(f"Do not use keyword arguments {kwargs} as `control` parameter "
f"for the `values` method, use `values_kwargs` parameter instead. docs:\n{docs}",
FutureWarning)
values_kwargs.update(kwargs)
if command_process is None:
command_process = lambda c: c # noqa: E731
else:
warn("Do not use `command_process`, use a dynamic property instead.", FutureWarning)
def fget(self,
get_command=get_command,
values=values,
map_values=map_values,
get_process=get_process,
command_process=command_process,
check_get_errors=check_get_errors,
):
if get_command is None:
raise LookupError("Property can not be read.")
vals = self.values(command_process(get_command),
separator=separator,
cast=cast,
preprocess_reply=preprocess_reply,
maxsplit=maxsplit,
**values_kwargs)
if check_get_errors:
try:
error_list = self.check_get_errors()
except Exception as exc:
log.error("Exception raised while getting a property with the command "
f"""'{command_process(get_command)}': '{str(exc)}'.""")
raise
errors = [str(error) for error in error_list]
if errors:
log.error("Error received after trying to get a property with the command "
f"""'{command_process(get_command)}': '{"', '".join(errors)}'.""")
if len(vals) == 1:
value = get_process(vals[0])
if not map_values:
return value
elif isinstance(values, (list, tuple, range)):
return values[int(value)]
elif isinstance(values, dict):
for k, v in values.items():
if v == value:
return k
raise KeyError(f"Value {value} not found in mapped values")
else:
raise ValueError(
'Values of type `{}` are not allowed '
'for Instrument.control'.format(type(values))
)
else:
vals = get_process(vals)
return vals
def fset(self,
value,
set_command=set_command,
validator=validator,
values=values,
map_values=map_values,
set_process=set_process,
command_process=command_process,
check_set_errors=check_set_errors,
):
if set_command is None:
raise LookupError("Property can not be set.")
value = set_process(validator(value, values))
if not map_values:
pass
elif isinstance(values, (list, tuple, range)):
value = values.index(value)
elif isinstance(values, dict):
value = values[value]
else:
raise ValueError(
'Values of type `{}` are not allowed '
'for CommonBase.control'.format(type(values))
)
self.write(command_process(set_command) % value)
if check_set_errors:
try:
error_list = self.check_set_errors()
except Exception as exc:
log.error("Exception raised while setting a property with the command "
f"""'{command_process(set_command) % value}': '{str(exc)}'.""")
raise
errors = [str(error) for error in error_list]
if errors:
log.error(
"Error received after trying to set a property with the command "
f"""'{command_process(set_command) % value}': '{"', '".join(errors)}'."""
)
# Add the specified document string to the getter
fget.__doc__ = docs
if dynamic:
fget.__doc__ += "(dynamic)"
return DynamicProperty(fget=fget, fset=fset,
fget_params_list=CommonBase._fget_params_list,
fset_params_list=CommonBase._fset_params_list,
prefix=CommonBase.__reserved_prefix)
else:
return property(fget, fset)
@staticmethod
def measurement(get_command, docs, values=(), map_values=None,
get_process=lambda v: v,
command_process=None,
check_get_errors=False, dynamic=False,
preprocess_reply=None,
separator=',',
maxsplit=-1,
cast=float,
values_kwargs=None,
**kwargs):
""" Return a property for the class based on the supplied
commands. This is a measurement quantity that may only be
read from the instrument, not set.
:param get_command: A string command that asks for the value
:param docs: A docstring that will be included in the documentation
:param values: A list, tuple, range, or dictionary of valid values, that can be used
as to map values if :code:`map_values` is True.
:param map_values: A boolean flag that determines if the values should be
interpreted as a map
:param get_process: A function that take a value and allows processing
before value mapping, returning the processed value
:param command_process: A function that take a command and allows processing
before executing the command, for getting
.. deprecated:: 0.12
Use a dynamic property instead.
:param check_get_errors: Toggles checking errors after getting
:param dynamic: Specify whether the property parameters are meant to be changed in
instances or subclasses. See :meth:`control` for an usage example.
:param preprocess_reply: Optional callable used to preprocess the string
received from the instrument, before splitting it.
The callable returns the processed string.
:param separator: A separator character to split the string returned by
the device into a list.
:param maxsplit: The string returned by the device is splitted at most `maxsplit` times.
-1 (default) indicates no limit.
:param cast: A type to cast each element of the splitted string.
:param dict values_kwargs: Further keyword arguments for :meth:`values`.
:param \\**kwargs: Keyword arguments for :meth:`values`.
.. deprecated:: 0.12
Use `values_kwargs` dictionary parameter instead.
"""
if values_kwargs is None:
values_kwargs = {}
if kwargs:
warn(f"Do not use keyword arguments {kwargs} as `measurement` parameter "
f"for the `values` method, use `values_kwargs` parameter instead. docs:\n{docs}",
FutureWarning)
values_kwargs.update(kwargs)
return CommonBase.control(get_command=get_command,
set_command=None,
docs=docs,
values=values,
map_values=map_values,
get_process=get_process,
command_process=command_process,
check_get_errors=check_get_errors,
dynamic=dynamic,
preprocess_reply=preprocess_reply,
separator=separator,
maxsplit=maxsplit,
cast=cast,
values_kwargs=values_kwargs,
)
@staticmethod
def setting(set_command, docs,
validator=lambda x, y: x, values=(), map_values=False,
set_process=lambda v: v,
check_set_errors=False, dynamic=False,
):
"""Return a property for the class based on the supplied
commands. This property may be set, but raises an exception
when being read from the instrument.
:param set_command: A string command that writes the value
:param docs: A docstring that will be included in the documentation
:param validator: A function that takes both a value and a group of valid values
and returns a valid value, while it otherwise raises an exception
:param values: A list, tuple, range, or dictionary of valid values, that can be used
as to map values if :code:`map_values` is True.
:param map_values: A boolean flag that determines if the values should be
interpreted as a map
:param set_process: A function that takes a value and allows processing
before value mapping, returning the processed value
:param check_set_errors: Toggles checking errors after setting
:param dynamic: Specify whether the property parameters are meant to be changed in
instances or subclasses. See :meth:`control` for an usage example.
"""
return CommonBase.control(get_command=None,
set_command=set_command,
docs=docs,
validator=validator,
values=values,
map_values=map_values,
set_process=set_process,
check_set_errors=check_set_errors,
dynamic=dynamic,
)
def check_errors(self):
"""Read all errors from the instrument and log them.
:return: List of error entries.
"""
raise NotImplementedError("Implement it in a subclass.")
def check_get_errors(self):
"""Check for errors after having gotten a property and log them.
Called if :code:`check_get_errors=True` is set for that property.
If you override this method, you may choose to raise an Exception for certain errors.
:return: List of error entries.
"""
raise NotImplementedError("Implement it in a subclass.")
def check_set_errors(self):
"""Check for errors after having set a property and log them.
Called if :code:`check_set_errors=True` is set for that property.
If you override this method, you may choose to raise an Exception for certain errors.
:return: List of error entries.
"""
raise NotImplementedError("Implement it in a subclass.")
|