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
|
#
# 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.
#
import logging
from warnings import warn
import numpy as np
from copy import copy
from pyvisa.util import to_ieee_block, to_hp_block, to_binary_block
class Adapter:
""" Base class for Adapter child classes, which adapt between the Instrument
object and the connection, to allow flexible use of different connection
techniques.
This class should only be inherited from.
: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.
:param log: Parent logger of the 'Adapter' logger.
:param \\**kwargs: Keyword arguments just to be cooperative.
"""
def __init__(self, preprocess_reply=None, log=None, **kwargs):
super().__init__(**kwargs)
self.preprocess_reply = preprocess_reply
self.connection = None
if log is None:
self.log = logging.getLogger("Adapter")
else:
self.log = log.getChild("Adapter")
self.log.addHandler(logging.NullHandler())
if preprocess_reply is not None:
warn(("Parameter `preprocess_reply` is deprecated in Adapter. "
"Implement it in the instrument instead."),
FutureWarning)
def __del__(self):
"""Close connection upon garbage collection of the device."""
self.close()
def close(self):
"""Close the connection."""
if self.connection is not None:
self.connection.close()
# Directly called methods, which ensure proper logging of the communication
# without the termination characters added by the particular adapters.
# DO NOT OVERRIDE IN SUBCLASS!
def write(self, command, **kwargs):
"""Write a string command to the instrument appending `write_termination`.
Do not override in a subclass!
:param str command: Command string to be sent to the instrument
(without termination).
:param \\**kwargs: Keyword arguments for the connection itself.
"""
self.log.debug("WRITE:%s", command)
self._write(command, **kwargs)
def write_bytes(self, content, **kwargs):
"""Write the bytes `content` to the instrument.
Do not override in a subclass!
:param bytes content: The bytes to write to the instrument.
:param \\**kwargs: Keyword arguments for the connection itself.
"""
self.log.debug("WRITE:%s", content)
self._write_bytes(content, **kwargs)
def read(self, **kwargs):
"""Read up to (excluding) `read_termination` or the whole read buffer.
Do not override in a subclass!
:param \\**kwargs: Keyword arguments for the connection itself.
:returns str: ASCII response of the instrument (excluding read_termination).
"""
read = self._read(**kwargs)
self.log.debug("READ:%s", read)
return read
def read_bytes(self, count=-1, break_on_termchar=False, **kwargs):
"""Read a certain number of bytes from the instrument.
Do not override in a subclass!
:param int count: Number of bytes to read. A value of -1 indicates to
read from the whole read buffer.
:param bool break_on_termchar: Stop reading at a termination character.
:param \\**kwargs: Keyword arguments for the connection itself.
:returns bytes: Bytes response of the instrument (including termination).
"""
read = self._read_bytes(count, break_on_termchar, **kwargs)
self.log.debug("READ:%s", read)
return read
# Methods to implement in the subclasses.
def _write(self, command, **kwargs):
"""Write string to the instrument. Implement in subclass."""
raise NotImplementedError("Adapter class has not implemented writing.")
def _write_bytes(self, content, **kwargs):
"""Write bytes to the instrument. Implement in subclass."""
raise NotImplementedError("Adapter class has not implemented writing bytes.")
def _read(self, **kwargs):
"""Read string from the instrument. Implement in subclass."""
raise NotImplementedError("Adapter class has not implemented reading.")
def _read_bytes(self, count, break_on_termchar, **kwargs):
"""Read bytes from the instrument. Implement in subclass."""
raise NotImplementedError("Adapter class has not implemented reading bytes.")
def flush_read_buffer(self):
"""Flush and discard the input buffer. Implement in subclass."""
raise NotImplementedError("Adapter class has not implemented input flush.")
# Deprecated methods.
def ask(self, command):
""" Write the command to the instrument and returns the resulting
ASCII response.
.. deprecated:: 0.11
Call `Instrument.ask` instead.
:param command: SCPI command string to be sent to the instrument
:returns: String ASCII response of the instrument
"""
warn("`Adapter.ask` is deprecated, call `Instrument.ask` instead.", FutureWarning)
self.write(command)
return self.read()
def values(self, command, separator=',', cast=float, preprocess_reply=None):
""" Write a command to the instrument and returns a list of formatted
values from the result.
.. deprecated:: 0.11
Call `Instrument.values` instead.
:param command: SCPI command to be sent to the instrument
:param separator: A separator character to split the string into a list
:param cast: A type to cast the result
:param preprocess_reply: optional callable used to preprocess values
received from the instrument. The callable returns the processed string.
If not specified, the Adapter default is used if available, otherwise no
preprocessing is done.
:returns: A list of the desired type, or strings where the casting fails
"""
warn("`Adapter.values` is deprecated, call `Instrument.values` instead.",
FutureWarning)
results = str(self.ask(command)).strip()
if callable(preprocess_reply):
results = preprocess_reply(results)
elif callable(self.preprocess_reply):
results = self.preprocess_reply(results)
results = results.split(separator)
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, header_bytes=0, dtype=np.float32):
""" Returns a numpy array from a query for binary data
.. deprecated:: 0.11
Call `Instrument.binary_values` instead.
:param command: SCPI command to be sent to the instrument
:param header_bytes: Integer number of bytes to ignore in header
:param dtype: The NumPy data type to format the values with
:returns: NumPy array of values
"""
warn("`Adapter.binary_values` is deprecated, call `Instrument.binary_values` instead.",
FutureWarning)
self.write(command)
binary = self.read()
# header = binary[:header_bytes]
data = binary[header_bytes:]
return np.fromstring(data, dtype=dtype)
# Binary format methods
def read_binary_values(self, header_bytes=0, termination_bytes=None,
dtype=np.float32, **kwargs):
""" Returns a numpy array from a query for binary data
:param int header_bytes: Number of bytes to ignore in header.
:param int termination_bytes: Number of bytes to strip at end of message or None.
:param dtype: The NumPy data type to format the values with.
:param \\**kwargs: Further arguments for the NumPy fromstring method.
:returns: NumPy array of values
"""
binary = self.read_bytes(-1)
# header = binary[:header_bytes]
data = binary[header_bytes:termination_bytes]
return np.fromstring(data, dtype=dtype, **kwargs)
def _format_binary_values(self, values, datatype='f', is_big_endian=False, header_fmt="ieee"):
"""Format values in binary format, used internally in :meth:`Adapter.write_binary_values`.
:param values: data to be written to the device.
:param datatype: the format string for a single element. See struct module.
:param is_big_endian: boolean indicating endianess.
:param header_fmt: Format of the header prefixing the data ("ieee", "hp", "empty").
:return: binary string.
:rtype: bytes
"""
if header_fmt == "ieee":
block = to_ieee_block(values, datatype, is_big_endian)
elif header_fmt == "hp":
block = to_hp_block(values, datatype, is_big_endian)
elif header_fmt == "empty":
block = to_binary_block(values, b"", datatype, is_big_endian)
else:
raise ValueError("Unsupported header_fmt: %s" % header_fmt)
return block
def write_binary_values(self, command, values, termination="", **kwargs):
""" Write binary data to the instrument, e.g. waveform for signal generators
:param command: command string to be sent to the instrument
:param values: iterable representing the binary values
:param termination: String added afterwards to terminate the message.
:param \\**kwargs: Key-word arguments to pass onto :meth:`Adapter._format_binary_values`
:returns: number of bytes written
"""
block = self._format_binary_values(values, **kwargs)
return self.write_bytes(command.encode() + block + termination.encode())
class FakeAdapter(Adapter):
"""Provides a fake adapter for debugging purposes,
which bounces back the command so that arbitrary values
testing is possible.
.. code-block:: python
a = FakeAdapter()
assert a.read() == ""
a.write("5")
assert a.read() == "5"
assert a.read() == ""
assert a.ask("10") == "10"
assert a.values("10") == [10]
"""
_buffer = ""
def _read(self):
""" Return the last commands given after the
last read call.
"""
result = copy(self._buffer)
# Reset the buffer
self._buffer = ""
return result
def _read_bytes(self, count, break_on_termchar):
""" Return the last commands given after the
last read call.
"""
result = copy(self._buffer)
# Reset the buffer
self._buffer = ""
return result[:count].encode()
def _write(self, command):
""" Write the command to a buffer, so that it can
be read back.
"""
self._buffer += command
def _write_bytes(self, command):
""" Write the command to a buffer, so that it can
be read back.
"""
self._buffer += command.decode()
def __repr__(self):
return "<FakeAdapter>"
|