diff --git a/_modules/qcodes/data/data_array.html b/_modules/qcodes/data/data_array.html index e2a8c578dc6..d84f1f594ae 100644 --- a/_modules/qcodes/data/data_array.html +++ b/_modules/qcodes/data/data_array.html @@ -140,7 +140,7 @@

Source code for qcodes.data.data_array

 import numpy as np
 import collections
 
-from qcodes.utils.helpers import DelegateAttributes, full_class
+from qcodes.utils.helpers import DelegateAttributes, full_class, warn_units
 
 
 
[docs]class DataArray(DelegateAttributes): @@ -168,7 +168,7 @@

Source code for qcodes.data.data_array

     Args:
         parameter (Optional[Parameter]): The parameter whose values will
             populate this array, if any. Will copy ``name``, ``full_name``,
-            ``label``, ``units``, and ``snapshot`` from here unless you
+            ``label``, ``unit``, and ``snapshot`` from here unless you
             provide them explicitly.
 
         name (Optional[str]): The short name of this array.
@@ -207,7 +207,9 @@ 

Source code for qcodes.data.data_array

             handle converting this to array_id internally (maybe it
             already does?)
 
-        units (Optional[str]): The units of the values stored in this array.
+        unit (Optional[str]): The unit of the values stored in this array.
+
+        units (Optional[str]): DEPRECATED, redirects to ``unit``.
 
         is_setpoint (bool): True if this is a setpoint array, False if it
             is measured. Default False.
@@ -223,7 +225,7 @@ 

Source code for qcodes.data.data_array

         'array_id',
         'name',
         'shape',
-        'units',
+        'unit',
         'label',
         'action_indices',
         'is_setpoint')
@@ -233,7 +235,7 @@ 

Source code for qcodes.data.data_array

     COPY_ATTRS_FROM_INPUT = (
         'name',
         'label',
-        'units')
+        'unit')
 
     # keys in the parameter snapshot to omit from our snapshot
     SNAP_OMIT_KEYS = (
@@ -247,13 +249,17 @@ 

Source code for qcodes.data.data_array

 
 
[docs] def __init__(self, parameter=None, name=None, full_name=None, label=None, snapshot=None, array_id=None, set_arrays=(), shape=None, - action_indices=(), units=None, is_setpoint=False, + action_indices=(), unit=None, units=None, is_setpoint=False, preset_data=None): self.name = name self.full_name = full_name or name self.label = label self.shape = shape - self.units = units + if units is not None: + warn_units('DataArray', self) + if unit is None: + unit = units + self.unit = unit self.array_id = array_id self.is_setpoint = is_setpoint self.action_indices = action_indices @@ -656,7 +662,12 @@

Source code for qcodes.data.data_array

         if getattr(self, 'synced_index', None) is not None:
             last_index = max(last_index, self.synced_index)
 
-        return (last_index + 1) / self.ndarray.size
+ return (last_index + 1) / self.ndarray.size
+ + @property + def units(self): + warn_units('DataArray', self) + return self.unit
diff --git a/_modules/qcodes/data/data_set.html b/_modules/qcodes/data/data_set.html index 8b51d21ab76..c4190aa7863 100644 --- a/_modules/qcodes/data/data_set.html +++ b/_modules/qcodes/data/data_set.html @@ -422,7 +422,7 @@

Source code for qcodes.data.data_set

 
         self.metadata = {}
 
-        self.arrays = {}
+        self.arrays = _PrettyPrintDict()
         if arrays:
             self.action_id_map = self._clean_array_ids(arrays)
             for array in arrays:
@@ -1003,6 +1003,21 @@ 

Source code for qcodes.data.data_set

             out += out_template.format(info=arr_info_i, lens=column_lengths)
 
         return out
+ + +class _PrettyPrintDict(dict): + """ + simple wrapper for a dict to repr its items on separate lines + with a bit of indentation + """ + def __repr__(self): + body = '\n '.join([repr(k) + ': ' + self._indent(repr(v)) + for k, v in self.items()]) + return '{\n ' + body + '\n}' + + def _indent(self, s): + lines = s.split('\n') + return '\n '.join(lines)
diff --git a/_modules/qcodes/data/hdf5_format.html b/_modules/qcodes/data/hdf5_format.html index c381d3007d2..f393a70c573 100644 --- a/_modules/qcodes/data/hdf5_format.html +++ b/_modules/qcodes/data/hdf5_format.html @@ -201,7 +201,13 @@

Source code for qcodes.data.hdf5_format

             # write ensures these attributes always exist
             name = dat_arr.attrs['name'].decode()
             label = dat_arr.attrs['label'].decode()
-            units = dat_arr.attrs['units'].decode()
+
+            # get unit from units if no unit field, for backward compatibility
+            if 'unit' in dat_arr.attrs:
+                unit = dat_arr.attrs['unit'].decode()
+            else:
+                unit = dat_arr.attrs['units'].decode()
+
             is_setpoint = str_to_bool(dat_arr.attrs['is_setpoint'].decode())
             # if not is_setpoint:
             set_arrays = dat_arr.attrs['set_arrays']
@@ -214,7 +220,7 @@ 

Source code for qcodes.data.hdf5_format

             if array_id not in data_set.arrays.keys():  # create new array
                 d_array = DataArray(
                     name=name, array_id=array_id, label=label, parameter=None,
-                    units=units,
+                    unit=unit,
                     is_setpoint=is_setpoint, set_arrays=(),
                     preset_data=vals)
                 data_set.add_array(d_array)
@@ -222,7 +228,7 @@ 

Source code for qcodes.data.hdf5_format

                 d_array = data_set.arrays[array_id]
                 d_array.name = name
                 d_array.label = label
-                d_array.units = units
+                d_array.unit = unit
                 d_array.is_setpoint = is_setpoint
                 d_array.ndarray = vals
                 d_array.shape = dat_arr.attrs['shape']
@@ -335,9 +341,6 @@ 

Source code for qcodes.data.hdf5_format

         group:  group in the hdf5 file where the dset will be created
 
         creates a hdf5 datasaset that represents the data array.
-
-        note that the attribute "units" is used for shape determination
-        in the case of tuple-like variables.
         '''
         # Check for empty meta attributes, use array_id if name and/or label
         # is not specified
@@ -345,24 +348,19 @@ 

Source code for qcodes.data.hdf5_format

             label = array.label
         else:
             label = array.array_id
+
         if array.name is not None:
             name = array.name
         else:
             name = array.array_id
-        if array.units is None:
-            array.units = ['']  # used for shape determination
-        units = array.units
+
         # Create the hdf5 dataset
-        if isinstance(units, str):
-            n_cols = 1
-        else:
-            n_cols = len(array.units)
         dset = group.create_dataset(
-            array.array_id, (0, n_cols),
-            maxshape=(None, n_cols))
+            array.array_id, (0, 1),
+            maxshape=(None, 1))
         dset.attrs['label'] = _encode_to_utf8(str(label))
         dset.attrs['name'] = _encode_to_utf8(str(name))
-        dset.attrs['units'] = _encode_to_utf8(str(units))
+        dset.attrs['unit'] = _encode_to_utf8(str(array.unit or ''))
         dset.attrs['is_setpoint'] = _encode_to_utf8(str(array.is_setpoint))
 
         set_arrays = []
diff --git a/_modules/qcodes/instrument/mock.html b/_modules/qcodes/instrument/mock.html
index 9370b5b3b14..e53ec95154a 100644
--- a/_modules/qcodes/instrument/mock.html
+++ b/_modules/qcodes/instrument/mock.html
@@ -142,7 +142,7 @@ 

Source code for qcodes.instrument.mock

 from datetime import datetime
 
 from .base import Instrument
-from .parameter import Parameter
+from .parameter import MultiParameter
 from qcodes import Loop
 from qcodes.data.data_array import DataArray
 from qcodes.process.server import ServerManager, BaseServer
@@ -422,22 +422,21 @@ 

Source code for qcodes.instrument.mock

         """
         self.ask('method_call', 'delattr', attr)
-
[docs]class ArrayGetter(Parameter): +
[docs]class ArrayGetter(MultiParameter): """ Example parameter that just returns a single array - TODO: in theory you can make this same Parameter with + TODO: in theory you can make this an ArrayParameter with name, label & shape (instead of names, labels & shapes) and altered setpoints (not wrapped in an extra tuple) and this mostly works, but when run in a loop it doesn't propagate setpoints to the - DataSet. We could track down this bug, but perhaps a better solution - would be to only support the simplest and the most complex Parameter - forms (ie cases 1 and 5 in the Parameter docstring) and do away with - the intermediate forms that make everything more confusing. + DataSet. This is a bug """ def __init__(self, measured_param, sweep_values, delay): name = measured_param.name - super().__init__(names=(name,)) + super().__init__(names=(name,), + shapes=((len(sweep_values),),), + name=name) self._instrument = getattr(measured_param, '_instrument', None) self.measured_param = measured_param self.sweep_values = sweep_values diff --git a/_modules/qcodes/instrument/parameter.html b/_modules/qcodes/instrument/parameter.html index 2a927eb4c37..4dc1aa7d1ca 100644 --- a/_modules/qcodes/instrument/parameter.html +++ b/_modules/qcodes/instrument/parameter.html @@ -140,45 +140,54 @@

Source code for qcodes.instrument.parameter

 """
 Measured and/or controlled parameters
 
-The Parameter class is meant for direct parameters of instruments (ie
-subclasses of Instrument) but elsewhere in Qcodes we can use anything
-as a parameter if it has the right attributes:
-
-To use Parameters in data acquisition loops, they should have:
-
-    - .name - like a variable name, ie no spaces or weird characters
-    - .label - string to use as an axis label (optional, defaults to .name)
-      (except for composite measurements, see below)
-
-Controlled parameters should have a .set(value) method, which takes a single
-value to apply to this parameter. To use this parameter for sweeping, also
-connect its __getitem__ to SweepFixedValues as below.
-
-Measured parameters should have .get() which can return:
-
-- a single value:
-
-    - parameter should have .name and optional .label as above
-
-- several values of different meaning (raw and measured, I and Q,
-  a set of fit parameters, that sort of thing, that all get measured/calculated
-  at once):
-
-    - parameter should have .names and optional .labels, each a sequence with
-      the same length as returned by .get()
-
-- an array of values of one type:
-
-    - parameter should have .name and optional .label as above, but also
-      .shape attribute, which is an integer (or tuple of integers) describing
-      the shape of the returned array (which must be fixed)
-      optionally also .setpoints, array(s) of setpoint values for this data
-      otherwise we will use integers from 0 in each direction as the setpoints
-
-- several arrays of values (all the same shape):
-
-    -  define .names (and .labels) AND .shape (and .setpoints)
-
+Anything that you want to either measure or control within QCoDeS should
+satisfy the Parameter interface. Most of the time that is easiest to do
+by either using or subclassing one of the classes defined here, but you can
+also use any class with the right attributes.
+
+TODO (alexcjohnson) update this with the real duck-typing requirements or
+create an ABC for Parameter and MultiParameter - or just remove this statement
+if everyone is happy to use these classes.
+
+This file defines four classes of parameters:
+
+``Parameter``, ``ArrayParameter``, and ``MultiParameter`` must be subclassed:
+
+- ``Parameter`` is the base class for scalar-valued parameters, if you have
+    custom code to read or write a single value. Provides ``sweep`` and
+    ``__getitem__`` (slice notation) methods to use a settable parameter as
+    the swept variable in a ``Loop``. To use, fill in ``super().__init__``,
+    and provide a ``get`` method, a ``set`` method, or both.
+
+- ``ArrayParameter`` is a base class for array-valued parameters, ie anything
+    for which each ``get`` call returns an array of values that all have the
+    same type and meaning. Currently not settable, only gettable. Can be used
+    in ``Measure``, or in ``Loop`` - in which case these arrays are nested
+    inside the loop's setpoint array. To use, provide a ``get`` method that
+    returns an array or regularly-shaped sequence, and describe that array in
+    ``super().__init__``.
+
+- ``MultiParameter`` is the base class for multi-valued parameters. Currently
+    not settable, only gettable, but can return an arbitrary collection of
+    scalar and array values and can be used in ``Measure`` or ``Loop`` to
+    feed data to a ``DataSet``. To use, provide a ``get`` method
+    that returns a sequence of values, and describe those values in
+    ``super().__init__``.
+
+``StandardParameter`` and ``ManualParameter`` can be instantiated directly:
+
+- ``StandardParameter`` is the default class for instrument parameters
+    (see ``Instrument.add_parameter``). Can be gettable, settable, or both.
+    Provides a standardized interface to construct strings to pass to the
+    instrument's ``write`` and ``ask`` methods (but can also be given other
+    functions to execute on ``get`` or ``set``), to convert the string
+    responses to meaningful output, and optionally to ramp a setpoint with
+    stepped ``write`` calls from a single ``set``. Does not need to be
+    subclassed, just instantiated.
+
+- ``ManualParameter`` is for values you want to keep track of but cannot
+    set or get electronically. Holds the last value it was ``set`` to, and
+    returns it on ``get``.
 """
 
 from datetime import datetime, timedelta
@@ -191,210 +200,64 @@ 

Source code for qcodes.instrument.parameter

 import numpy
 
 from qcodes.utils.deferred_operations import DeferredOperations
-from qcodes.utils.helpers import (permissive_range, wait_secs, is_sequence_of,
-                                  DelegateAttributes, full_class, named_repr)
+from qcodes.utils.helpers import (permissive_range, wait_secs, is_sequence,
+                                  is_sequence_of, DelegateAttributes,
+                                  full_class, named_repr, warn_units)
 from qcodes.utils.metadata import Metadatable
 from qcodes.utils.command import Command, NoCommandError
-from qcodes.utils.validators import Validator, Numbers, Ints, Enum, Anything
+from qcodes.utils.validators import Validator, Numbers, Ints, Enum
 from qcodes.instrument.sweep_values import SweepFixedValues
 from qcodes.data.data_array import DataArray
 
 
-
[docs]def no_setter(*args, **kwargs): - raise NotImplementedError('This Parameter has no setter defined.')
- - -
[docs]def no_getter(*args, **kwargs): - raise NotImplementedError( - 'This Parameter has no getter, use .get_latest to get the most recent ' - 'set value.')
- - -
[docs]class Parameter(Metadatable, DeferredOperations): +class _BaseParameter(Metadatable, DeferredOperations): """ - Define one generic parameter, not necessarily part of - an instrument. can be settable and/or gettable. - - A settable Parameter has a .set method, and supports only a single value - at a time (see below) - - A gettable Parameter has a .get method, which may return: - - 1. a single value - 2. a sequence of values with different names (for example, - raw and interpreted, I and Q, several fit parameters...) - 3. an array of values all with the same name, but at different - setpoints (for example, a time trace or fourier transform that - was acquired in the hardware and all sent to the computer at once) - 4. 2 & 3 together: a sequence of arrays. All arrays should be the same - shape. - 5. a sequence of differently shaped items - - Because .set only supports a single value, if a Parameter is both - gettable AND settable, .get should return a single value too (case 1) - - Parameters have a .get_latest method that simply returns the most recent - set or measured value. This can either be called ( param.get_latest() ) - or used in a Loop as if it were a (gettable-only) parameter itself: - - Loop(...).each(param.get_latest) - - - The constructor arguments change somewhat between these cases: - - Todo: - no idea how to document such a constructor + Shared behavior for simple and multi parameters. Not intended to be used + directly, normally you should use ``StandardParameter`` or + ``ManualParameter``, or create your own subclass of ``Parameter`` or + ``MultiParameter``. Args: - name: (1&3) the local name of this parameter, should be a valid - identifier, ie no spaces or special characters - - names: (2,4,5) a tuple of names - - label: (1&3) string to use as an axis label for this parameter - defaults to name - - labels: (2,4,5) a tuple of labels - - units: (1&3) string that indicates units of parameter for use in axis - label and snapshot - - shape: (3&4) a tuple of integers for the shape of array returned by - .get(). - - shapes: (5) a tuple of tuples, each one as in `shape`. - Single values should be denoted by None or () - - setpoints: (3,4,5) the setpoints for the returned array of values. - 3&4 - a tuple of arrays. The first array is be 1D, the second 2D, - etc. - 5 - a tuple of tuples of arrays - Defaults to integers from zero in each respective direction - Each may be either a DataArray, a numpy array, or a sequence - (sequences will be converted to numpy arrays) - NOTE: if the setpoints will be different each measurement, leave - this out and return the setpoints (with extra names) in the get. - - setpoint_names: (3,4,5) one identifier (like `name`) per setpoint - array. Ignored if `setpoints` are DataArrays, which already have - names. - - setpoint_labels: (3&4) one label (like `label`) per setpoint array. - Overridden if `setpoints` are DataArrays and already have labels. - - vals: allowed values for setting this parameter (only relevant - if it has a setter), defaults to Numbers() - - docstring (Optional[string]): documentation string for the __doc__ - field of the object. The __doc__ field of the instance is used by - some help systems, but not all - - snapshot_get (bool): Prevent any update to the parameter - for example if it takes too long to update - + name (str): the local name of the parameter. Should be a valid + identifier, ie no spaces or special characters. If this parameter + is part of an Instrument or Station, this should match how it will + be referenced from that parent, ie ``instrument.name`` or + ``instrument.parameters[name]`` + + instrument (Optional[Instrument]): the instrument this parameter + belongs to, if any + + snapshot_get (Optional[bool]): False prevents any update to the + parameter during a snapshot, even if the snapshot was called with + ``update=True``, for example if it takes too long to update. + Default True. + + metadata (Optional[dict]): extra information to include with the + JSON snapshot of the parameter """ -
[docs] def __init__(self, - name=None, names=None, - label=None, labels=None, - units=None, - shape=None, shapes=None, - setpoints=None, setpoint_names=None, setpoint_labels=None, - vals=None, docstring=None, snapshot_get=True, **kwargs): - super().__init__(**kwargs) + def __init__(self, name, instrument, snapshot_get, metadata): + super().__init__(metadata) self._snapshot_get = snapshot_get + self.name = str(name) + self._instrument = instrument self.has_get = hasattr(self, 'get') self.has_set = hasattr(self, 'set') - self._meta_attrs = ['setpoint_names', 'setpoint_labels'] - - # always let the parameter have a single name (in fact, require this!) - # even if it has names too - self.name = str(name) - - if names is not None: - # check for names first - that way you can provide both name - # AND names for instrument parameters - name is how you get the - # object (from the parameters dict or the delegated attributes), - # and names are the items it returns - self.names = names - self.labels = names if labels is None else names - self.units = units if units is not None else [''] * len(names) - - self.set_validator(vals or Anything()) - self.__doc__ = os.linesep.join(( - 'Parameter class:' + os.linesep, - '* `names` %s' % ', '.join(self.names), - '* `labels` %s' % ', '.join(self.labels), - '* `units` %s' % ', '.join(self.units))) - self._meta_attrs.extend(['names', 'labels', 'units']) - - elif name is not None: - self.label = name if label is None else label - self.units = units if units is not None else '' - # vals / validate only applies to simple single-value parameters - self.set_validator(vals) - - # generate default docstring - self.__doc__ = os.linesep.join(( - 'Parameter class:' + os.linesep, - '* `name` %s' % self.name, - '* `label` %s' % self.label, - # TODO is this unit s a typo? shouldnt that be unit? - '* `units` %s' % self.units, - '* `vals` %s' % repr(self._vals))) - self._meta_attrs.extend(['name', 'label', 'units', 'vals']) - - else: - raise ValueError('either name or names is required') - - if shape is not None or shapes is not None: - nt = type(None) - - if shape is not None: - if not is_sequence_of(shape, int): - raise ValueError('shape must be a tuple of ints, not ' + - repr(shape)) - self.shape = shape - depth = 1 - container_str = 'tuple' - else: - if not is_sequence_of(shapes, int, depth=2): - raise ValueError('shapes must be a tuple of tuples ' - 'of ints, not ' + repr(shape)) - self.shapes = shapes - depth = 2 - container_str = 'tuple of tuples' - - sp_types = (nt, DataArray, collections.Sequence, - collections.Iterator) - if (setpoints is not None and - not is_sequence_of(setpoints, sp_types, depth)): - raise ValueError( - 'setpoints must be a {} of arrays'.format(container_str)) - if (setpoint_names is not None and - not is_sequence_of(setpoint_names, (nt, str), depth)): - raise ValueError('setpoint_names must be a {} ' - 'of strings'.format(container_str)) - if (setpoint_labels is not None and - not is_sequence_of(setpoint_labels, (nt, str), depth)): - raise ValueError('setpoint_labels must be a {} ' - 'of strings'.format(container_str)) - - self.setpoints = setpoints - self.setpoint_names = setpoint_names - self.setpoint_labels = setpoint_labels + if not (self.has_get or self.has_set): + raise AttributeError('A parameter must have either a get or a ' + 'set method, or both.') # record of latest value and when it was set or measured # what exactly this means is different for different subclasses # but they all use the same attributes so snapshot is consistent. self._latest_value = None self._latest_ts = None + self.get_latest = GetLatest(self) - if docstring is not None: - self.__doc__ = docstring + os.linesep + os.linesep + self.__doc__ - - self.get_latest = GetLatest(self)
+ # subclasses should extend this list with extra attributes they + # want automatically included in the snapshot + self._meta_attrs = ['name', 'instrument'] def __repr__(self): return named_repr(self) @@ -404,14 +267,14 @@

Source code for qcodes.instrument.parameter

             if self.has_get:
                 return self.get()
             else:
-                raise NoCommandError('no get cmd found in' +
-                                     ' Parameter {}'.format(self.name))
+                raise NotImplementedError('no get cmd found in' +
+                                          ' Parameter {}'.format(self.name))
         else:
             if self.has_set:
                 self.set(*args)
             else:
-                raise NoCommandError('no set cmd found in' +
-                                     ' Parameter {}'.format(self.name))
+                raise NotImplementedError('no set cmd found in' +
+                                          ' Parameter {}'.format(self.name))
 
     def _latest(self):
         return {
@@ -422,7 +285,7 @@ 

Source code for qcodes.instrument.parameter

     # get_attrs ignores leading underscores, unless they're in this list
     _keep_attrs = ['__doc__', '_vals']
 
-
[docs] def get_attrs(self): + def get_attrs(self): """ Attributes recreated as properties in the RemoteParameter proxy. @@ -435,21 +298,23 @@

Source code for qcodes.instrument.parameter

         out = []
 
         for attr in dir(self):
+            # while we're keeping units as a deprecated attribute in some
+            # classes, avoid calling it here so we don't get spurious errors
             if ((attr[0] == '_' and attr not in self._keep_attrs) or
-                    callable(getattr(self, attr))):
+                    (attr != 'units' and callable(getattr(self, attr)))):
                 continue
             out.append(attr)
 
-        return out
+ return out -
[docs] def snapshot_base(self, update=False): + def snapshot_base(self, update=False): """ State of the parameter as a JSON-compatible dict. Args: update (bool): If True, update the state by calling - parameter.get(). - If False, just use the latest values in memory. + parameter.get(). + If False, just use the latest values in memory. Returns: dict: base snapshot @@ -465,21 +330,121 @@

Source code for qcodes.instrument.parameter

             state['ts'] = state['ts'].strftime('%Y-%m-%d %H:%M:%S')
 
         for attr in set(self._meta_attrs):
-            if attr == 'instrument' and getattr(self, '_instrument', None):
+            if attr == 'instrument' and self._instrument:
                 state.update({
                     'instrument': full_class(self._instrument),
                     'instrument_name': self._instrument.name
                 })
 
             elif hasattr(self, attr):
-                state[attr] = getattr(self, attr)
+                val = getattr(self, attr)
+                attr_strip = attr.lstrip('_')  # eg _vals - do not include _
+                if isinstance(val, Validator):
+                    state[attr_strip] = repr(val)
+                else:
+                    state[attr_strip] = val
 
-        return state
+ return state def _save_val(self, value): self._latest_value = value self._latest_ts = datetime.now() + @property + def full_name(self): + """Include the instrument name with the Parameter name if possible.""" + try: + inst_name = self._instrument.name + if inst_name: + return inst_name + '_' + self.name + except AttributeError: + pass + + return self.name + + +
[docs]class Parameter(_BaseParameter): + """ + A parameter that represents a single degree of freedom. + Not necessarily part of an instrument. + + Subclasses should define either a ``set`` method, a ``get`` method, or + both. + + Parameters have a ``.get_latest`` method that simply returns the most + recent set or measured value. This can be called ( ``param.get_latest()`` ) + or used in a ``Loop`` as if it were a (gettable-only) parameter itself: + + ``Loop(...).each(param.get_latest)`` + + Note: If you want ``.get`` or ``.set`` to save the measurement for + ``.get_latest``, you must explicitly call ``self._save_val(value)`` + inside ``.get`` and ``.set``. + + Args: + name (str): the local name of the parameter. Should be a valid + identifier, ie no spaces or special characters. If this parameter + is part of an Instrument or Station, this is how it will be + referenced from that parent, ie ``instrument.name`` or + ``instrument.parameters[name]`` + + instrument (Optional[Instrument]): the instrument this parameter + belongs to, if any + + label (Optional[str]): Normally used as the axis label when this + parameter is graphed, along with ``unit``. + + unit (Optional[str]): The unit of measure. Use ``''`` for unitless. + + units (Optional[str]): DEPRECATED, redirects to ``unit``. + + vals (Optional[Validator]): Allowed values for setting this parameter. + Only relevant if settable. Defaults to ``Numbers()`` + + docstring (Optional[str]): documentation string for the __doc__ + field of the object. The __doc__ field of the instance is used by + some help systems, but not all + + snapshot_get (Optional[bool]): False prevents any update to the + parameter during a snapshot, even if the snapshot was called with + ``update=True``, for example if it takes too long to update. + Default True. + + metadata (Optional[dict]): extra information to include with the + JSON snapshot of the parameter + """ +
[docs] def __init__(self, name, instrument=None, label=None, + unit=None, units=None, vals=None, docstring=None, + snapshot_get=True, metadata=None): + super().__init__(name, instrument, snapshot_get, metadata) + + self._meta_attrs.extend(['label', 'unit', '_vals']) + + self.label = name if label is None else label + + if units is not None: + warn_units('Parameter', self) + if unit is None: + unit = units + self.unit = unit if unit is not None else '' + + self.set_validator(vals) + + # generate default docstring + self.__doc__ = os.linesep.join(( + 'Parameter class:', + '', + '* `name` %s' % self.name, + '* `label` %s' % self.label, + '* `unit` %s' % self.unit, + '* `vals` %s' % repr(self._vals))) + + if docstring is not None: + self.__doc__ = os.linesep.join(( + docstring, + '', + self.__doc__))
+
[docs] def set_validator(self, vals): """ Set a validator `vals` for this parameter. @@ -502,7 +467,7 @@

Source code for qcodes.instrument.parameter

             value (any): value to validate
 
         """
-        if hasattr(self, '_instrument'):
+        if self._instrument:
             context = (getattr(self._instrument, 'name', '') or
                        str(self._instrument.__class__)) + '.' + self.name
         else:
@@ -545,26 +510,299 @@ 

Source code for qcodes.instrument.parameter

         return SweepFixedValues(self, keys)
@property - def full_name(self): - """Include the instrument name with the Parameter name if possible.""" - if getattr(self, 'name', None) is None: - return None + def units(self): + warn_units('Parameter', self) + return self.unit
- try: - inst_name = self._instrument.name - if inst_name: - return inst_name + '_' + self.name - except AttributeError: - pass - return self.name +
[docs]class ArrayParameter(_BaseParameter): + """ + A gettable parameter that returns an array of values. + Not necessarily part of an instrument. + + Subclasses should define a ``.get`` method, which returns an array. + When used in a ``Loop`` or ``Measure`` operation, this will be entered + into a single ``DataArray``, with extra dimensions added by the ``Loop``. + The constructor args describe the array we expect from each ``.get`` call + and how it should be handled. + + For now you must specify upfront the array shape, and this cannot change + from one call to the next. Later we intend to require only that you specify + the dimension, and the size of each dimension can vary from call to call. + + Note: If you want ``.get`` to save the measurement for ``.get_latest``, + you must explicitly call ``self._save_val(items)`` inside ``.get``. + + Args: + name (str): the local name of the parameter. Should be a valid + identifier, ie no spaces or special characters. If this parameter + is part of an Instrument or Station, this is how it will be + referenced from that parent, ie ``instrument.name`` or + ``instrument.parameters[name]`` + + shape (Tuple[int]): The shape (as used in numpy arrays) of the array + to expect. Scalars should be denoted by (), 1D arrays as (n,), + 2D arrays as (n, m), etc. + + instrument (Optional[Instrument]): the instrument this parameter + belongs to, if any + + label (Optional[str]): Normally used as the axis label when this + parameter is graphed, along with ``unit``. + + unit (Optional[str]): The unit of measure. Use ``''`` for unitless. + + units (Optional[str]): DEPRECATED, redirects to ``unit``. + + setpoints (Optional[Tuple[setpoint_array]]): + ``setpoint_array`` can be a DataArray, numpy.ndarray, or sequence. + The setpoints for each dimension of the returned array. An + N-dimension item should have N setpoint arrays, where the first is + 1D, the second 2D, etc. + If omitted for any or all items, defaults to integers from zero in + each respective direction. + Note: if the setpoints will be different each measurement, leave + this out and return the setpoints (with extra names) in ``.get``. + + setpoint_names (Optional[Tuple[str]]): one identifier (like + ``name``) per setpoint array. Ignored if a setpoint is a + DataArray, which already has a name. + + setpoint_labels (Optional[Tuple[str]]): one label (like ``labels``) + per setpoint array. Ignored if a setpoint is a DataArray, which + already has a label. + + TODO (alexcjohnson) we need setpoint_units (and in MultiParameter) + + docstring (Optional[str]): documentation string for the __doc__ + field of the object. The __doc__ field of the instance is used by + some help systems, but not all + + snapshot_get (bool): Prevent any update to the parameter, for example + if it takes too long to update. Default True. + + metadata (Optional[dict]): extra information to include with the + JSON snapshot of the parameter + """ + def __init__(self, name, shape, instrument=None, + label=None, unit=None, units=None, + setpoints=None, setpoint_names=None, setpoint_labels=None, + docstring=None, snapshot_get=True, metadata=None): + super().__init__(name, instrument, snapshot_get, metadata) + + if self.has_set: # TODO (alexcjohnson): can we support, ala Combine? + raise AttributeError('ArrayParameters do not support set ' + 'at this time.') + + self._meta_attrs.extend(['setpoint_names', 'setpoint_labels', + 'label', 'unit']) + + self.label = name if label is None else label + + if units is not None: + warn_units('ArrayParameter', self) + if unit is None: + unit = units + self.unit = unit if unit is not None else '' + + nt = type(None) + + if not is_sequence_of(shape, int): + raise ValueError('shapes must be a tuple of ints, not ' + + repr(shape)) + self.shape = shape + + # require one setpoint per dimension of shape + sp_shape = (len(shape),) + + sp_types = (nt, DataArray, collections.Sequence, + collections.Iterator) + if (setpoints is not None and + not is_sequence_of(setpoints, sp_types, shape=sp_shape)): + raise ValueError('setpoints must be a tuple of arrays') + if (setpoint_names is not None and + not is_sequence_of(setpoint_names, (nt, str), shape=sp_shape)): + raise ValueError('setpoint_names must be a tuple of strings') + if (setpoint_labels is not None and + not is_sequence_of(setpoint_labels, (nt, str), + shape=sp_shape)): + raise ValueError('setpoint_labels must be a tuple of strings') + + self.setpoints = setpoints + self.setpoint_names = setpoint_names + self.setpoint_labels = setpoint_labels + + self.__doc__ = os.linesep.join(( + 'Parameter class:', + '', + '* `name` %s' % self.name, + '* `label` %s' % self.label, + '* `unit` %s' % self.unit, + '* `shape` %s' % repr(self.shape))) + + if docstring is not None: + self.__doc__ = os.linesep.join(( + docstring, + '', + self.__doc__)) + + @property + def units(self): + warn_units('ArrayParameter', self) + return self.unit
+ + +def _is_nested_sequence_or_none(obj, types, shapes): + """Validator for MultiParameter setpoints/names/labels""" + if obj is None: + return True + + if not is_sequence_of(obj, tuple, shape=(len(shapes),)): + return False + + for obji, shapei in zip(obj, shapes): + if not is_sequence_of(obji, types, shape=(len(shapei),)): + return False + + return True + + +
[docs]class MultiParameter(_BaseParameter): + """ + A gettable parameter that returns multiple values with separate names, + each of arbitrary shape. + Not necessarily part of an instrument. + + Subclasses should define a ``.get`` method, which returns a sequence of + values. When used in a ``Loop`` or ``Measure`` operation, each of these + values will be entered into a different ``DataArray``. The constructor + args describe what data we expect from each ``.get`` call and how it + should be handled. ``.get`` should always return the same number of items, + and most of the constructor arguments should be tuples of that same length. + + For now you must specify upfront the array shape of each item returned by + ``.get``, and this cannot change from one call to the next. Later we intend + to require only that you specify the dimension of each item returned, and + the size of each dimension can vary from call to call. + + Note: If you want ``.get`` to save the measurement for ``.get_latest``, + you must explicitly call ``self._save_val(items)`` inside ``.get``. + + Args: + name (str): the local name of the whole parameter. Should be a valid + identifier, ie no spaces or special characters. If this parameter + is part of an Instrument or Station, this is how it will be + referenced from that parent, ie ``instrument.name`` or + ``instrument.parameters[name]`` + + names (Tuple[str]): A name for each item returned by a ``.get`` + call. Will be used as the basis of the ``DataArray`` names + when this parameter is used to create a ``DataSet``. + + shapes (Tuple[Tuple[int]]): The shape (as used in numpy arrays) of + each item. Scalars should be denoted by (), 1D arrays as (n,), + 2D arrays as (n, m), etc. + + instrument (Optional[Instrument]): the instrument this parameter + belongs to, if any + + labels (Optional[Tuple[str]]): A label for each item. Normally used + as the axis label when a component is graphed, along with the + matching entry from ``units``. + + units (Optional[Tuple[str]]): The unit of measure for each item. + Use ``''`` or ``None`` for unitless values. + + setpoints (Optional[Tuple[Tuple[setpoint_array]]]): + ``setpoint_array`` can be a DataArray, numpy.ndarray, or sequence. + The setpoints for each returned array. An N-dimension item should + have N setpoint arrays, where the first is 1D, the second 2D, etc. + If omitted for any or all items, defaults to integers from zero in + each respective direction. + Note: if the setpoints will be different each measurement, leave + this out and return the setpoints (with extra names) in ``.get``. + + setpoint_names (Optional[Tuple[Tuple[str]]]): one identifier (like + ``name``) per setpoint array. Ignored if a setpoint is a + DataArray, which already has a name. + + setpoint_labels (Optional[Tuple[Tuple[str]]]): one label (like + ``labels``) per setpoint array. Ignored if a setpoint is a + DataArray, which already has a label. + + docstring (Optional[str]): documentation string for the __doc__ + field of the object. The __doc__ field of the instance is used by + some help systems, but not all + + snapshot_get (bool): Prevent any update to the parameter, for example + if it takes too long to update. Default True. + + metadata (Optional[dict]): extra information to include with the + JSON snapshot of the parameter + """ + def __init__(self, name, names, shapes, instrument=None, + labels=None, units=None, + setpoints=None, setpoint_names=None, setpoint_labels=None, + docstring=None, snapshot_get=True, metadata=None): + super().__init__(name, instrument, snapshot_get, metadata) + + if self.has_set: # TODO (alexcjohnson): can we support, ala Combine? + raise AttributeError('MultiParameters do not support set ' + 'at this time.') + + self._meta_attrs.extend(['setpoint_names', 'setpoint_labels', + 'names', 'labels', 'units']) + + if not is_sequence_of(names, str): + raise ValueError('names must be a tuple of strings, not' + + repr(names)) + + self.names = names + self.labels = labels if labels is not None else names + self.units = units if units is not None else [''] * len(names) + + nt = type(None) + + if (not is_sequence_of(shapes, int, depth=2) or + len(shapes) != len(names)): + raise ValueError('shapes must be a tuple of tuples ' + 'of ints, not ' + repr(shapes)) + self.shapes = shapes + + sp_types = (nt, DataArray, collections.Sequence, + collections.Iterator) + if not _is_nested_sequence_or_none(setpoints, sp_types, shapes): + raise ValueError('setpoints must be a tuple of tuples of arrays') + + if not _is_nested_sequence_or_none(setpoint_names, (nt, str), shapes): + raise ValueError( + 'setpoint_names must be a tuple of tuples of strings') + + if not _is_nested_sequence_or_none(setpoint_labels, (nt, str), shapes): + raise ValueError( + 'setpoint_labels must be a tuple of tuples of strings') + + self.setpoints = setpoints + self.setpoint_names = setpoint_names + self.setpoint_labels = setpoint_labels + + self.__doc__ = os.linesep.join(( + 'MultiParameter class:', + '', + '* `name` %s' % self.name, + '* `names` %s' % ', '.join(self.names), + '* `labels` %s' % ', '.join(self.labels), + '* `units` %s' % ', '.join(self.units))) + + if docstring is not None: + self.__doc__ = os.linesep.join(( + docstring, + '', + self.__doc__)) @property def full_names(self): """Include the instrument name with the Parameter names if possible.""" - if getattr(self, 'names', None) is None: - return None - try: inst_name = self._instrument.name if inst_name: @@ -575,16 +813,27 @@

Source code for qcodes.instrument.parameter

         return self.names
+
[docs]def no_setter(*args, **kwargs): + raise NotImplementedError('This Parameter has no setter defined.')
+ + +
[docs]def no_getter(*args, **kwargs): + raise NotImplementedError( + 'This Parameter has no getter, use .get_latest to get the most recent ' + 'set value.')
+ +
[docs]class StandardParameter(Parameter): """ Define one measurement parameter. Args: - name (string): the local name of this parameter - instrument (Optional[Instrument]): an instrument that handles this - function. Default None. + name (str): the local name of this parameter - get_cmd (Optional[Union[string, function]]): a string or function to + instrument (Optional[Instrument]): the instrument this parameter + belongs to, if any + + get_cmd (Optional[Union[str, function]]): a string or function to get this parameter. You can only use a string if an instrument is provided, then this string will be passed to instrument.ask @@ -592,7 +841,7 @@

Source code for qcodes.instrument.parameter

             from get to the final output value.
             See also val_mapping
 
-        set_cmd (Optional[Union[string, function]]): command to set this
+        set_cmd (Optional[Union[str, function]]): command to set this
             parameter, either:
 
             - a string (containing one field to .format, like "{}" etc)
@@ -675,12 +924,10 @@ 

Source code for qcodes.instrument.parameter

         if get_parser is not None and not isinstance(get_cmd, str):
             logging.warning('get_parser is set, but will not be used ' +
                             '(name %s)' % name)
-        super().__init__(name=name, vals=vals, **kwargs)
-
-        self._instrument = instrument
+        super().__init__(name=name, instrument=instrument, vals=vals, **kwargs)
 
-        self._meta_attrs.extend(['instrument', 'sweep_step', 'sweep_delay',
-                                'max_sweep_delay'])
+        self._meta_attrs.extend(['sweep_step', 'sweep_delay',
+                                 'max_sweep_delay'])
 
         # stored value from last .set() or .get()
         # normally only used by set with a sweep, to avoid
@@ -702,8 +949,7 @@ 

Source code for qcodes.instrument.parameter

             self._save_val(value)
             return value
         except Exception as e:
-            e.args = e.args + (
-                'getting {}:{}'.format(self._instrument.name, self.name),)
+            e.args = e.args + ('getting {}'.format(self.full_name),)
             raise e
def _valmapping_get_parser(self, val): @@ -727,7 +973,7 @@

Source code for qcodes.instrument.parameter

             val = int(val)
             return self._get_mapping[val]
         except (ValueError, KeyError):
-            raise KeyError("Unmapped value from instrument: {!r}".format(val))
+            raise KeyError('Unmapped value from instrument: {!r}'.format(val))
 
     def _valmapping_with_preparser(self, val):
         return self._valmapping_get_parser(self._get_preparser(val))
@@ -760,8 +1006,7 @@ 

Source code for qcodes.instrument.parameter

                 time.sleep(remainder)
         except Exception as e:
             e.args = e.args + (
-                'setting {}:{} to {}'.format(self._instrument.name,
-                                             self.name, repr(value)),)
+                'setting {} to {}'.format(self.full_name, repr(value)),)
             raise e
 
     def _sweep_steps(self, value):
@@ -821,8 +1066,7 @@ 

Source code for qcodes.instrument.parameter

                 time.sleep(remainder)
         except Exception as e:
             e.args = e.args + (
-                'setting {}:{} to {}'.format(self._instrument.name,
-                                             self.name, repr(value)),)
+                'setting {} to {}'.format(self.full_name, repr(value)),)
             raise e
 
 
[docs] def set_step(self, step, max_val_age=None): @@ -936,21 +1180,20 @@

Source code for qcodes.instrument.parameter

     Define one parameter that reflects a manual setting / configuration.
 
     Args:
-        name (string): the local name of this parameter
+        name (str): the local name of this parameter
 
         instrument (Optional[Instrument]): the instrument this applies to,
             if any.
 
-        initial_value (Optional[string]): starting value, the
+        initial_value (Optional[str]): starting value, the
             only invalid value allowed, and None is only allowed as an initial
             value, it cannot be set later
 
         **kwargs: Passed to Parameter parent class
     """
     def __init__(self, name, instrument=None, initial_value=None, **kwargs):
-        super().__init__(name=name, **kwargs)
-        self._instrument = instrument
-        self._meta_attrs.extend(['instrument', 'initial_value'])
+        super().__init__(name=name, instrument=instrument, **kwargs)
+        self._meta_attrs.extend(['initial_value'])
 
         if initial_value is not None:
             self.validate(initial_value)
@@ -959,6 +1202,7 @@ 

Source code for qcodes.instrument.parameter

 
[docs] def set(self, value): """ Validate and saves value + Args: value (any): value to validate and save """ @@ -998,8 +1242,10 @@

Source code for qcodes.instrument.parameter

         return self.get()
-
[docs]def combine(*parameters, name, label=None, units=None, aggregator=None): - """Combine parameters into one swepable parameter +
[docs]def combine(*parameters, name, label=None, unit=None, units=None, + aggregator=None): + """ + Combine parameters into one sweepable parameter Args: *paramters (qcodes.Parameter): the parameters to combine @@ -1015,7 +1261,8 @@

Source code for qcodes.instrument.parameter

     sequantially.
     """
     parameters = list(parameters)
-    multi_par = CombinedParameter(parameters, name, label, units, aggregator)
+    multi_par = CombinedParameter(parameters, name, label, unit, units,
+                                  aggregator)
     return multi_par
@@ -1023,8 +1270,8 @@

Source code for qcodes.instrument.parameter

     """ A combined parameter
 
     Args:
-        *paramters (qcodes.Parameter): the parameters to combine
-        name (str): the name of the paramter
+        *parameters (qcodes.Parameter): the parameters to combine
+        name (str): the name of the parameter
         label (Optional[str]): the label of the combined parameter
         unit (Optional[str]): the unit of the combined parameter
         aggregator (Optional[Callable[list[any]]]): a function to aggregate
@@ -1033,11 +1280,11 @@ 

Source code for qcodes.instrument.parameter

     A combined parameter sets all the combined parameters at every point of the
     sweep.
     The sets are called in the same order the parameters are, and
-    sequantially.
+    sequentially.
     """
 
 
[docs] def __init__(self, parameters, name, label=None, - units=None, aggregator=None): + unit=None, units=None, aggregator=None): super().__init__() # TODO(giulioungaretti)temporary hack # starthack @@ -1047,7 +1294,12 @@

Source code for qcodes.instrument.parameter

         self.parameter.full_name = name
         self.parameter.name = name
         self.parameter.label = label
-        self.parameter.units = units
+
+        if units is not None:
+            warn_units('CombinedParameter', self)
+            if unit is None:
+                unit = units
+        self.parameter.unit = unit
         # endhack
         self.parameters = parameters
         self.sets = [parameter.set for parameter in self.parameters]
@@ -1063,6 +1315,7 @@ 

Source code for qcodes.instrument.parameter

 
         Args:
             index (int): the index of the setpoints one wants to set
+
         Returns:
             list: values that where actually set
         """
@@ -1092,7 +1345,7 @@ 

Source code for qcodes.instrument.parameter

         if len(array) > 1:
             dim = set([len(a) for a in array])
             if len(dim) != 1:
-                raise ValueError("Arrays have different number of setpoints")
+                raise ValueError('Arrays have different number of setpoints')
             array = numpy.array(array).transpose()
         else:
             # cast to array in case users
@@ -1139,10 +1392,10 @@ 

Source code for qcodes.instrument.parameter

         """
         meta_data = collections.OrderedDict()
         meta_data['__class__'] = full_class(self)
-        meta_data["units"] = self.parameter.units
-        meta_data["label"] = self.parameter.label
-        meta_data["full_name"] = self.parameter.full_name
-        meta_data["aggreagator"] = repr(getattr(self, 'f', None))
+        meta_data['unit'] = self.parameter.unit
+        meta_data['label'] = self.parameter.label
+        meta_data['full_name'] = self.parameter.full_name
+        meta_data['aggreagator'] = repr(getattr(self, 'f', None))
         for param in self.parameters:
             meta_data[param.full_name] = param.snapshot()
 
diff --git a/_modules/qcodes/instrument/visa.html b/_modules/qcodes/instrument/visa.html
index f79d920685b..f1b99efd52b 100644
--- a/_modules/qcodes/instrument/visa.html
+++ b/_modules/qcodes/instrument/visa.html
@@ -188,7 +188,7 @@ 

Source code for qcodes.instrument.visa

         self.add_parameter('timeout',
                            get_cmd=self._get_visa_timeout,
                            set_cmd=self._set_visa_timeout,
-                           units='s',
+                           unit='s',
                            vals=vals.MultiType(vals.Numbers(min_value=0),
                                                vals.Enum(None)))
 
diff --git a/_modules/qcodes/instrument_drivers/rohde_schwarz/ZNB20.html b/_modules/qcodes/instrument_drivers/rohde_schwarz/ZNB20.html
index d51164b36bd..3f50995a0f3 100644
--- a/_modules/qcodes/instrument_drivers/rohde_schwarz/ZNB20.html
+++ b/_modules/qcodes/instrument_drivers/rohde_schwarz/ZNB20.html
@@ -141,10 +141,10 @@ 

Source code for qcodes.instrument_drivers.rohde_schwarz.ZNB20

from qcodes.utils import validators as vals from cmath import phase import numpy as np -from qcodes import Parameter +from qcodes import MultiParameter, Parameter -
[docs]class FrequencySweep(Parameter): +
[docs]class FrequencySweep(MultiParameter): """ Hardware controlled parameter class for Rohde Schwarz RSZNB20 trace. @@ -208,7 +208,7 @@

Source code for qcodes.instrument_drivers.rohde_schwarz.ZNB20

self.add_parameter(name='power', label='Power', - units='dBm', + unit='dBm', get_cmd='SOUR:POW?', set_cmd='SOUR:POW {:.4f}', get_parser=int, @@ -216,7 +216,7 @@

Source code for qcodes.instrument_drivers.rohde_schwarz.ZNB20

self.add_parameter(name='bandwidth', label='Bandwidth', - units='Hz', + unit='Hz', get_cmd='SENS:BAND?', set_cmd='SENS:BAND {:.4f}', get_parser=int, @@ -224,7 +224,7 @@

Source code for qcodes.instrument_drivers.rohde_schwarz.ZNB20

self.add_parameter(name='avg', label='Averages', - units='', + unit='', get_cmd='AVER:COUN?', set_cmd='AVER:COUN {:.4f}', get_parser=int, diff --git a/_modules/qcodes/tests/instrument_mocks.html b/_modules/qcodes/tests/instrument_mocks.html index ba8d20b8402..4f185782a60 100644 --- a/_modules/qcodes/tests/instrument_mocks.html +++ b/_modules/qcodes/tests/instrument_mocks.html @@ -143,7 +143,7 @@

Source code for qcodes.tests.instrument_mocks

from qcodes.instrument.base import Instrument from qcodes.instrument.mock import MockInstrument, MockModel from qcodes.utils.validators import Numbers -from qcodes.instrument.parameter import Parameter, ManualParameter +from qcodes.instrument.parameter import MultiParameter, ManualParameter
[docs]class AMockModel(MockModel): @@ -358,18 +358,18 @@

Source code for qcodes.tests.instrument_mocks

# Instrument parameters for parname in ['x', 'y', 'z']: - self.add_parameter(parname, units='a.u.', + self.add_parameter(parname, unit='a.u.', parameter_class=ManualParameter, vals=Numbers(), initial_value=0) - self.add_parameter('noise', units='a.u.', + self.add_parameter('noise', unit='a.u.', label='white noise amplitude', parameter_class=ManualParameter, vals=Numbers(), initial_value=0) - self.add_parameter('parabola', units='a.u.', + self.add_parameter('parabola', unit='a.u.', get_cmd=self._measure_parabola) - self.add_parameter('skewed_parabola', units='a.u.', + self.add_parameter('skewed_parabola', unit='a.u.', get_cmd=self._measure_skewed_parabola) def _measure_parabola(self): @@ -397,15 +397,15 @@

Source code for qcodes.tests.instrument_mocks

# Instrument parameters for parname in ['x', 'y', 'z']: - self.add_parameter(parname, units='a.u.', + self.add_parameter(parname, unit='a.u.', parameter_class=ManualParameter, vals=Numbers(), initial_value=0) self.add_parameter('gain', parameter_class=ManualParameter, initial_value=1) - self.add_parameter('parabola', units='a.u.', + self.add_parameter('parabola', unit='a.u.', get_cmd=self._get_parabola) - self.add_parameter('skewed_parabola', units='a.u.', + self.add_parameter('skewed_parabola', unit='a.u.', get_cmd=self._get_skew_parabola) def _get_parabola(self): @@ -440,7 +440,7 @@

Source code for qcodes.tests.instrument_mocks

vals=Numbers(-800, 400))
-
[docs]class MultiGetter(Parameter): +
[docs]class MultiGetter(MultiParameter): """ Test parameters with complicated return values instantiate with kwargs:: @@ -456,15 +456,10 @@

Source code for qcodes.tests.instrument_mocks

""" def __init__(self, **kwargs): - if len(kwargs) == 1: - name, self._return = list(kwargs.items())[0] - super().__init__(name=name) - self.shape = np.shape(self._return) - else: - names = tuple(sorted(kwargs.keys())) - super().__init__(names=names) - self._return = tuple(kwargs[k] for k in names) - self.shapes = tuple(np.shape(v) for v in self._return) + names = tuple(sorted(kwargs.keys())) + self._return = tuple(kwargs[k] for k in names) + shapes = tuple(np.shape(v) for v in self._return) + super().__init__(name='multigetter', names=names, shapes=shapes)
[docs] def get(self): return self._return
diff --git a/_modules/qcodes/tests/test_combined_par.html b/_modules/qcodes/tests/test_combined_par.html index b130ec950ad..b69471cce1a 100644 --- a/_modules/qcodes/tests/test_combined_par.html +++ b/_modules/qcodes/tests/test_combined_par.html @@ -228,18 +228,18 @@

Source code for qcodes.tests.test_combined_par

[docs] def testMeta(self): name = "combined" label = "Linear Combination" - units = "a.u" + unit = "a.u" aggregator = linear sweep_values = combine(*self.parameters, name=name, label=label, - units=units, + unit=unit, aggregator=aggregator ) snap = sweep_values.snapshot() out = OrderedDict() out['__class__'] = full_class(sweep_values) - out["units"] = units + out["unit"] = unit out["label"] = label out["full_name"] = name out["aggreagator"] = repr(linear) diff --git a/_modules/qcodes/tests/test_data.html b/_modules/qcodes/tests/test_data.html index 193b1b89556..c6fdfb9fb77 100644 --- a/_modules/qcodes/tests/test_data.html +++ b/_modules/qcodes/tests/test_data.html @@ -775,7 +775,6 @@

Source code for qcodes.tests.test_data

         self.assertEqual(data.fraction_complete(), 0.75)
[docs] def mock_sync(self): - # import pdb; pdb.set_trace() i = self.sync_index self.syncing_array[i] = i self.sync_index = i + 1 diff --git a/_modules/qcodes/tests/test_hdf5formatter.html b/_modules/qcodes/tests/test_hdf5formatter.html index 4047fbb5944..dea5f452953 100644 --- a/_modules/qcodes/tests/test_hdf5formatter.html +++ b/_modules/qcodes/tests/test_hdf5formatter.html @@ -331,7 +331,7 @@

Source code for qcodes.tests.test_hdf5formatter

< formatter=self.formatter) d_array = DataArray(name='dummy', array_id='x_set', # existing array id in data - label='bla', units='a.u.', is_setpoint=False, + label='bla', unit='a.u.', is_setpoint=False, set_arrays=(), preset_data=np.zeros(5)) data2.add_array(d_array) # test if d_array refers to same as array x_set in dataset diff --git a/_modules/qcodes/tests/test_helpers.html b/_modules/qcodes/tests/test_helpers.html index 1d5ca891338..c3d3b531e46 100644 --- a/_modules/qcodes/tests/test_helpers.html +++ b/_modules/qcodes/tests/test_helpers.html @@ -648,13 +648,17 @@

Source code for qcodes.tests.test_helpers

             ([1, 2, 3], int),
             ((1, 2, 3), int),
             ([1, 2.0], (int, float)),
-            ([{}, None], (type(None), dict))
+            ([{}, None], (type(None), dict)),
+            # omit type (or set None) and we don't test type at all
+            ([1, '2', dict],),
+            ([1, '2', dict], None)
         ]
         for args in good:
             with self.subTest(args=args):
                 self.assertTrue(is_sequence_of(*args))
 
         bad = [
+            (1,),
             (1, int),
             ([1, 2.0], int),
             ([1, 2], float),
@@ -664,21 +668,20 @@ 

Source code for qcodes.tests.test_helpers

             with self.subTest(args=args):
                 self.assertFalse(is_sequence_of(*args))
 
-        # second arg must be a type or tuple of types - failing this doesn't
-        # return False, it raises an error
+        # second arg, if provided, must be a type or tuple of types
+        # failing this doesn't return False, it raises an error
         with self.assertRaises(TypeError):
             is_sequence_of([1], 1)
         with self.assertRaises(TypeError):
-            is_sequence_of([1], (1, 2))
-        with self.assertRaises(TypeError):
-            is_sequence_of([1])
+ is_sequence_of([1], (1, 2))
[docs] def test_depth(self): good = [ ([1, 2], int, 1), ([[1, 2], [3, 4]], int, 2), ([[1, 2.0], []], (int, float), 2), - ([[[1]]], int, 3) + ([[[1]]], int, 3), + ([[1, 2], [3, 4]], None, 2) ] for args in good: with self.subTest(args=args): @@ -691,7 +694,45 @@

Source code for qcodes.tests.test_helpers

         ]
         for args in bad:
             with self.subTest(args=args):
-                self.assertFalse(is_sequence_of(*args))
+ self.assertFalse(is_sequence_of(*args))
+ +
[docs] def test_shape(self): + good = [ + ([1, 2], int, (2,)), + ([[1, 2, 3], [4, 5, 6.0]], (int, float), (2, 3)), + ([[[1]]], int, (1, 1, 1)), + ([[1], [2]], None, (2, 1)), + # if you didn't have `list` as a type, the shape of this one + # would be (2, 2) - that's tested in bad below + ([[1, 2], [3, 4]], list, (2,)), + (((0, 1, 2), ((0, 1), (0, 1), (0, 1))), tuple, (2,)), + (((0, 1, 2), ((0, 1), (0, 1), (0, 1))), (tuple, int), (2, 3)) + ] + for obj, types, shape in good: + with self.subTest(obj=obj): + self.assertTrue(is_sequence_of(obj, types, shape=shape)) + + bad = [ + ([1], int, (2,)), + ([[1]], int, (1,)), + ([[1, 2], [1]], int, (2, 2)), + ([[1]], float, (1, 1)), + ([[1, 2], [3, 4]], int, (2, )), + (((0, 1, 2), ((0, 1), (0, 1))), (tuple, int), (2, 3)) + ] + for obj, types, shape in bad: + with self.subTest(obj=obj): + self.assertFalse(is_sequence_of(obj, types, shape=shape))
+ +
[docs] def test_shape_depth(self): + # there's no reason to provide both shape and depth, but + # we allow it if they are self-consistent + with self.assertRaises(ValueError): + is_sequence_of([], int, depth=1, shape=(2, 2)) + + self.assertFalse(is_sequence_of([1], int, depth=1, shape=(2,))) + self.assertTrue(is_sequence_of([1], int, depth=1, shape=(1,)))
+ # tests related to JSON encoding
[docs]class TestJSONencoder(TestCase): @@ -703,20 +744,19 @@

Source code for qcodes.tests.test_helpers

             od = OrderedDict()
             od['a'] = 0
             od['b'] = 1
-            testinput=[10, float(10.), 'hello', od]
-            testoutput=['10', '10.0', '"hello"',  '{"a": 0, "b": 1}']
+            testinput = [10, float(10.), 'hello', od]
+            testoutput = ['10', '10.0', '"hello"',  '{"a": 0, "b": 1}']
             # int
             for d, r in zip(testinput, testoutput):
-                v=e.encode(d)
+                v = e.encode(d)
                 if type(d) == dict:
                     self.assertDictEqual(v, r)
                 else:
                     self.assertEqual(v, r)
 
-
             # test numpy array
-            x=np.array([1,0,0])
-            v=e.encode(x)
+            x = np.array([1, 0, 0])
+            v = e.encode(x)
             self.assertEqual(v, '[1, 0, 0]')
 
             # test class
@@ -726,6 +766,7 @@ 

Source code for qcodes.tests.test_helpers

             # return value
             e.encode(dummy())
+
[docs]class TestCompareDictionaries(TestCase):
[docs] def test_same(self): # NOTE(alexcjohnson): the numpy array and list compare equal, diff --git a/_modules/qcodes/tests/test_instrument.html b/_modules/qcodes/tests/test_instrument.html index 6844da1431d..9687f7d14ef 100644 --- a/_modules/qcodes/tests/test_instrument.html +++ b/_modules/qcodes/tests/test_instrument.html @@ -706,8 +706,9 @@

Source code for qcodes.tests.test_instrument

'label': 'IDN',
                     'name': 'IDN',
                     'ts': None,
-                    'units': '',
-                    'value': None
+                    'unit': '',
+                    'value': None,
+                    'vals': '<Anything>'
                 },
                 'amplitude': {
                     '__class__': (
@@ -717,8 +718,9 @@ 

Source code for qcodes.tests.test_instrument

'label': 'amplitude',
                     'name': 'amplitude',
                     'ts': None,
-                    'units': '',
-                    'value': None
+                    'unit': '',
+                    'value': None,
+                    'vals': '<Numbers>'
                 }
             },
             'functions': {'echo': {}}
@@ -744,8 +746,9 @@ 

Source code for qcodes.tests.test_instrument

'label': 'noise',
             'name': 'noise',
             'ts': None,
-            'units': '',
-            'value': None
+            'unit': '',
+            'value': None,
+            'vals': '<Numbers>'
         })
 
         noise.set(100)
@@ -882,32 +885,32 @@ 

Source code for qcodes.tests.test_instrument

self.assertIn('not the same function as the original method',
                       method.__doc__)
 
-        # units is a remote attribute of parameters
+        # unit is a remote attribute of parameters
         # this one is initially blank
-        self.assertEqual(parameter.units, '')
-        parameter.units = 'Smoots'
-        self.assertEqual(parameter.units, 'Smoots')
-        self.assertNotIn('units', parameter.__dict__)
-        self.assertEqual(instrument.getattr(parameter.name + '.units'),
+        self.assertEqual(parameter.unit, '')
+        parameter.unit = 'Smoots'
+        self.assertEqual(parameter.unit, 'Smoots')
+        self.assertNotIn('unit', parameter.__dict__)
+        self.assertEqual(instrument.getattr(parameter.name + '.unit'),
                          'Smoots')
         # we can delete it remotely, and this is reflected in dir()
-        self.assertIn('units', dir(parameter))
-        del parameter.units
-        self.assertNotIn('units', dir(parameter))
+        self.assertIn('unit', dir(parameter))
+        del parameter.unit
+        self.assertNotIn('unit', dir(parameter))
         with self.assertRaises(AttributeError):
-            parameter.units
+            parameter.unit
 
         # and set it again, it's still remote.
-        parameter.units = 'Furlongs per fortnight'
-        self.assertIn('units', dir(parameter))
-        self.assertEqual(parameter.units, 'Furlongs per fortnight')
-        self.assertNotIn('units', parameter.__dict__)
-        self.assertEqual(instrument.getattr(parameter.name + '.units'),
+        parameter.unit = 'Furlongs per fortnight'
+        self.assertIn('unit', dir(parameter))
+        self.assertEqual(parameter.unit, 'Furlongs per fortnight')
+        self.assertNotIn('unit', parameter.__dict__)
+        self.assertEqual(instrument.getattr(parameter.name + '.unit'),
                          'Furlongs per fortnight')
         # we get the correct result if someone else sets it on the server
-        instrument._write_server('setattr', parameter.name + '.units', 'T')
-        self.assertEqual(parameter.units, 'T')
-        self.assertEqual(parameter.getattr('units'), 'T')
+        instrument._write_server('setattr', parameter.name + '.unit', 'T')
+        self.assertEqual(parameter.unit, 'T')
+        self.assertEqual(parameter.getattr('unit'), 'T')
 
         # attributes not specified as remote are local
         with self.assertRaises(AttributeError):
diff --git a/_modules/qcodes/tests/test_loop.html b/_modules/qcodes/tests/test_loop.html
index fc2af6620fb..45402eb25c0 100644
--- a/_modules/qcodes/tests/test_loop.html
+++ b/_modules/qcodes/tests/test_loop.html
@@ -379,7 +379,7 @@ 

Source code for qcodes.tests.test_loop

         bg1 = get_bg(return_first=True)
         self.assertIn(bg1, [p1, p2])
 
-        halt_bg(timeout=0.01)
+        halt_bg(timeout=0.05)
         bg2 = get_bg()
         self.assertIn(bg2, [p1, p2])
         # is this robust? requires that active_children always returns the same
@@ -388,7 +388,7 @@ 

Source code for qcodes.tests.test_loop

 
         self.assertEqual(len(mp.active_children()), 1)
 
-        halt_bg(timeout=0.01)
+        halt_bg(timeout=0.05)
         self.assertIsNone(get_bg())
 
         self.assertEqual(len(mp.active_children()), 0)
@@ -598,7 +598,7 @@ 

Source code for qcodes.tests.test_loop

         mg = MultiGetter(one=1, onetwo=(1, 2))
         self.assertTrue(hasattr(mg, 'names'))
         self.assertTrue(hasattr(mg, 'shapes'))
-        self.assertEqual(mg.name, 'None')
+        self.assertEqual(mg.name, 'multigetter')
         self.assertFalse(hasattr(mg, 'shape'))
         loop = Loop(self.p1[1:3:1], 0.001).each(mg)
         data = loop.run_temp()
@@ -650,12 +650,12 @@ 

Source code for qcodes.tests.test_loop

         with self.assertRaises(ValueError):
             loop.run_temp()
 
-        # this one has name and shape
+        # this one still has names and shapes
         mg = MultiGetter(arr=(4, 5, 6))
         self.assertTrue(hasattr(mg, 'name'))
-        self.assertTrue(hasattr(mg, 'shape'))
-        self.assertFalse(hasattr(mg, 'names'))
-        self.assertFalse(hasattr(mg, 'shapes'))
+        self.assertFalse(hasattr(mg, 'shape'))
+        self.assertTrue(hasattr(mg, 'names'))
+        self.assertTrue(hasattr(mg, 'shapes'))
         loop = Loop(self.p1[1:3:1], 0.001).each(mg)
         data = loop.run_temp()
 
diff --git a/_modules/qcodes/tests/test_parameter.html b/_modules/qcodes/tests/test_parameter.html
index ea1bf4c6995..51301a58d41 100644
--- a/_modules/qcodes/tests/test_parameter.html
+++ b/_modules/qcodes/tests/test_parameter.html
@@ -144,115 +144,525 @@ 

Source code for qcodes.tests.test_parameter

 from unittest import TestCase
 
 from qcodes import Function
-from qcodes.instrument.parameter import (Parameter, ManualParameter,
-                                         StandardParameter)
+from qcodes.instrument.parameter import (
+    Parameter, ArrayParameter, MultiParameter,
+    ManualParameter, StandardParameter)
+from qcodes.utils.helpers import LogCapture
 from qcodes.utils.validators import Numbers
 
 
-
[docs]class TestParamConstructor(TestCase): - -
[docs] def test_name_s(self): - p = Parameter('simple') - self.assertEqual(p.name, 'simple') +
[docs]class GettableParam(Parameter): + def __init__(self, *args, **kwargs): + super().__init__(*args, **kwargs) + self._get_count = 0 + +
[docs] def get(self): + self._get_count += 1 + self._save_val(42) + return 42
+ + +
[docs]class SimpleManualParam(Parameter): + def __init__(self, *args, **kwargs): + super().__init__(*args, **kwargs) + self._save_val(0) + self._v = 0 + +
[docs] def get(self): + return self._v
+ +
[docs] def set(self, v): + self._save_val(v) + self._v = v
+ + +
[docs]class SettableParam(Parameter): + def __init__(self, *args, **kwargs): + super().__init__(*args, **kwargs) + self._save_val(0) + self._v = 0 + +
[docs] def set(self, v): + self._save_val(v) + self._v = v
+ + +blank_instruments = ( + None, # no instrument at all + namedtuple('noname', '')(), # no .name + namedtuple('blank', 'name')('') # blank .name +) +named_instrument = namedtuple('yesname', 'name')('astro') + + +
[docs]class TestParameter(TestCase): +
[docs] def test_no_name(self): + with self.assertRaises(TypeError): + GettableParam()
+ +
[docs] def test_default_attributes(self): + # Test the default attributes, providing only a name + name = 'repetitions' + p = GettableParam(name) + self.assertEqual(p.name, name) + self.assertEqual(p.label, name) + self.assertEqual(p.unit, '') + self.assertEqual(p.full_name, name) + + # default validator is all numbers + p.validate(-1000) + with self.assertRaises(TypeError): + p.validate('not a number') + + # docstring exists, even without providing one explicitly + self.assertIn(name, p.__doc__) + + # test snapshot_get by looking at _get_count + self.assertEqual(p._get_count, 0) + snap = p.snapshot(update=True) + self.assertEqual(p._get_count, 1) + snap_expected = { + 'name': name, + 'label': name, + 'unit': '', + 'value': 42, + 'vals': repr(Numbers()) + } + for k, v in snap_expected.items(): + self.assertEqual(snap[k], v)
+ +
[docs] def test_explicit_attributes(self): + # Test the explicit attributes, providing everything we can + name = 'volt' + label = 'Voltage' + unit = 'V' + docstring = 'DOCS!' + metadata = {'gain': 100} + p = GettableParam(name, label=label, unit=unit, + vals=Numbers(5, 10), docstring=docstring, + snapshot_get=False, metadata=metadata) + + self.assertEqual(p.name, name) + self.assertEqual(p.label, label) + self.assertEqual(p.unit, unit) + self.assertEqual(p.full_name, name) with self.assertRaises(ValueError): - # you need a name of some sort - Parameter() + p.validate(-1000) + p.validate(6) + with self.assertRaises(TypeError): + p.validate('not a number') - # or names - names = ['H1', 'L1'] - p = Parameter(names=names) - self.assertEqual(p.names, names) - # if you don't provide a name, it's called 'None' - # TODO: we should probably require an explicit name. - self.assertEqual(p.name, 'None') + self.assertIn(name, p.__doc__) + self.assertIn(docstring, p.__doc__) - # or both, that's OK too. - names = ['Peter', 'Paul', 'Mary'] - p = Parameter(name='complex', names=names) - self.assertEqual(p.names, names) - # You can always have a name along with names - self.assertEqual(p.name, 'complex') - - shape = (10,) - setpoints = (range(10),) - setpoint_names = ('my_sp',) - setpoint_labels = ('A label!',) - p = Parameter('makes_array', shape=shape, setpoints=setpoints, - setpoint_names=setpoint_names, - setpoint_labels=setpoint_labels) - self.assertEqual(p.shape, shape) - self.assertFalse(hasattr(p, 'shapes')) - self.assertEqual(p.setpoints, setpoints) - self.assertEqual(p.setpoint_names, setpoint_names) - self.assertEqual(p.setpoint_labels, setpoint_labels) + # test snapshot_get by looking at _get_count + self.assertEqual(p._get_count, 0) + snap = p.snapshot(update=True) + self.assertEqual(p._get_count, 0) + snap_expected = { + 'name': name, + 'label': label, + 'unit': unit, + 'vals': repr(Numbers(5, 10)), + 'metadata': metadata + } + for k, v in snap_expected.items(): + self.assertEqual(snap[k], v) - shapes = ((2,), (3,)) - setpoints = ((range(2),), (range(3),)) - setpoint_names = (('sp1',), ('sp2',)) - setpoint_labels = (('first label',), ('second label',)) - p = Parameter('makes arrays', shapes=shapes, setpoints=setpoints, - setpoint_names=setpoint_names, - setpoint_labels=setpoint_labels) - self.assertEqual(p.shapes, shapes) - self.assertFalse(hasattr(p, 'shape')) - self.assertEqual(p.setpoints, setpoints) - self.assertEqual(p.setpoint_names, setpoint_names) - self.assertEqual(p.setpoint_labels, setpoint_labels)
+ # attributes only available in MultiParameter + for attr in ['names', 'labels', 'setpoints', 'setpoint_names', + 'setpoint_labels', 'full_names']: + self.assertFalse(hasattr(p, attr), attr)
+ +
[docs] def test_units(self): + with LogCapture() as logs: + p = GettableParam('p', units='V') + + self.assertIn('deprecated', logs.value) + self.assertEqual(p.unit, 'V') + + with LogCapture() as logs: + self.assertEqual(p.units, 'V') + + self.assertIn('deprecated', logs.value) + + with LogCapture() as logs: + p = GettableParam('p', unit='Tesla', units='Gauss') + + self.assertIn('deprecated', logs.value) + self.assertEqual(p.unit, 'Tesla') + + with LogCapture() as logs: + self.assertEqual(p.units, 'Tesla') -
[docs] def test_repr(self): + self.assertIn('deprecated', logs.value)
+ +
[docs] def test_repr(self): for i in [0, "foo", "", "fåil"]: with self.subTest(i=i): - param = Parameter(name=i) + param = GettableParam(name=i) s = param.__repr__() st = '<{}.{}: {} at {}>'.format( param.__module__, param.__class__.__name__, param.name, id(param)) self.assertEqual(s, st)
- blank_instruments = ( - None, # no instrument at all - namedtuple('noname', '')(), # no .name - namedtuple('blank', 'name')('') # blank .name - ) - named_instrument = namedtuple('yesname', 'name')('astro') - -
[docs] def test_full_name(self): +
[docs] def test_has_set_get(self): + # you can't instantiate a Parameter directly anymore, only a subclass, + # because you need a get or a set method. + with self.assertRaises(AttributeError): + Parameter('no_get_or_set') + + gp = GettableParam('1') + self.assertTrue(gp.has_get) + self.assertFalse(gp.has_set) + with self.assertRaises(NotImplementedError): + gp(1) + + sp = SettableParam('2') + self.assertFalse(sp.has_get) + self.assertTrue(sp.has_set) + with self.assertRaises(NotImplementedError): + sp() + + sgp = SimpleManualParam('3') + self.assertTrue(sgp.has_get) + self.assertTrue(sgp.has_set) + sgp(22) + self.assertEqual(sgp(), 22)
+ +
[docs] def test_full_name(self): # three cases where only name gets used for full_name - for instrument in self.blank_instruments: - p = Parameter(name='fred') + for instrument in blank_instruments: + p = GettableParam(name='fred') p._instrument = instrument self.assertEqual(p.full_name, 'fred') - p.name = None - self.assertEqual(p.full_name, None) - # and finally an instrument that really has a name - p = Parameter(name='wilma') - p._instrument = self.named_instrument - self.assertEqual(p.full_name, 'astro_wilma') + p = GettableParam(name='wilma') + p._instrument = named_instrument + self.assertEqual(p.full_name, 'astro_wilma')
+ +
[docs] def test_bad_validator(self): + with self.assertRaises(TypeError): + GettableParam('p', vals=[1, 2, 3])
+ + +
[docs]class SimpleArrayParam(ArrayParameter): + def __init__(self, return_val, *args, **kwargs): + self._return_val = return_val + self._get_count = 0 + super().__init__(*args, **kwargs) + +
[docs] def get(self): + self._get_count += 1 + self._save_val(self._return_val) + return self._return_val
+ + +
[docs]class SettableArray(SimpleArrayParam): + # this is not allowed - just created to raise an error in the test below +
[docs] def set(self, v): + self.v = v
- p.name = None - self.assertEqual(p.full_name, None)
-
[docs] def test_full_names(self): - for instrument in self.blank_instruments: - # no instrument - p = Parameter(name='simple') +
[docs]class TestArrayParameter(TestCase): +
[docs] def test_default_attributes(self): + name = 'array_param' + shape = (2, 3) + p = SimpleArrayParam([[1, 2, 3], [4, 5, 6]], name, shape) + + self.assertEqual(p.name, name) + self.assertEqual(p.shape, shape) + + self.assertEqual(p.label, name) + self.assertEqual(p.unit, '') + self.assertIsNone(p.setpoints) + self.assertIsNone(p.setpoint_names) + self.assertIsNone(p.setpoint_labels) + + self.assertEqual(p.full_name, name) + + self.assertEqual(p._get_count, 0) + snap = p.snapshot(update=True) + self.assertEqual(p._get_count, 1) + snap_expected = { + 'name': name, + 'label': name, + 'unit': '', + 'value': [[1, 2, 3], [4, 5, 6]] + } + for k, v in snap_expected.items(): + self.assertEqual(snap[k], v) + + self.assertIn(name, p.__doc__)
+ +
[docs] def test_explicit_attrbutes(self): + name = 'tiny_array' + shape = (2,) + label = 'it takes two to tango' + unit = 'steps' + setpoints = [(0, 1)] + setpoint_names = ['sp_index'] + setpoint_labels = ['Setpoint Label'] + docstring = 'Whats up Doc?' + metadata = {'size': 2} + p = SimpleArrayParam([6, 7], name, shape, label=label, unit=unit, + setpoints=setpoints, + setpoint_names=setpoint_names, + setpoint_labels=setpoint_labels, + docstring=docstring, snapshot_get=False, + metadata=metadata) + + self.assertEqual(p.name, name) + self.assertEqual(p.shape, shape) + self.assertEqual(p.label, label) + self.assertEqual(p.unit, unit) + self.assertEqual(p.setpoints, setpoints) + self.assertEqual(p.setpoint_names, setpoint_names) + self.assertEqual(p.setpoint_labels, setpoint_labels) + + self.assertEqual(p._get_count, 0) + snap = p.snapshot(update=True) + self.assertEqual(p._get_count, 0) + snap_expected = { + 'name': name, + 'label': label, + 'unit': unit, + 'setpoint_names': setpoint_names, + 'setpoint_labels': setpoint_labels, + 'metadata': metadata + } + for k, v in snap_expected.items(): + self.assertEqual(snap[k], v) + + self.assertIn(name, p.__doc__) + self.assertIn(docstring, p.__doc__)
+ +
[docs] def test_units(self): + with LogCapture() as logs: + p = SimpleArrayParam([6, 7], 'p', (2,), units='V') + + self.assertIn('deprecated', logs.value) + self.assertEqual(p.unit, 'V') + + with LogCapture() as logs: + self.assertEqual(p.units, 'V') + + self.assertIn('deprecated', logs.value) + + with LogCapture() as logs: + p = SimpleArrayParam([6, 7], 'p', (2,), + unit='Tesla', units='Gauss') + + self.assertIn('deprecated', logs.value) + self.assertEqual(p.unit, 'Tesla') + + with LogCapture() as logs: + self.assertEqual(p.units, 'Tesla') + + self.assertIn('deprecated', logs.value)
+ +
[docs] def test_has_set_get(self): + name = 'array_param' + shape = (3,) + with self.assertRaises(AttributeError): + ArrayParameter(name, shape) + + p = SimpleArrayParam([1, 2, 3], name, shape) + + self.assertTrue(p.has_get) + self.assertFalse(p.has_set) + + with self.assertRaises(AttributeError): + SettableArray([1, 2, 3], name, shape)
+ +
[docs] def test_full_name(self): + # three cases where only name gets used for full_name + for instrument in blank_instruments: + p = SimpleArrayParam([6, 7], 'fred', (2,)) p._instrument = instrument - self.assertEqual(p.full_names, None) + self.assertEqual(p.full_name, 'fred') - p = Parameter(names=['a', 'b']) + # and finally an instrument that really has a name + p = SimpleArrayParam([6, 7], 'wilma', (2,)) + p._instrument = named_instrument + self.assertEqual(p.full_name, 'astro_wilma')
+ +
[docs] def test_constructor_errors(self): + bad_constructors = [ + {'shape': [[3]]}, # not a depth-1 sequence + {'shape': [3], 'setpoints': [1, 2, 3]}, # should be [[1, 2, 3]] + {'shape': [3], 'setpoint_names': 'index'}, # should be ['index'] + {'shape': [3], 'setpoint_labels': 'the index'}, # ['the index'] + {'shape': [3], 'setpoint_names': [None, 'index2']} + ] + for kwargs in bad_constructors: + with self.subTest(**kwargs): + with self.assertRaises(ValueError): + SimpleArrayParam([1, 2, 3], 'p', **kwargs)
+ + +
[docs]class SimpleMultiParam(MultiParameter): + def __init__(self, return_val, *args, **kwargs): + self._return_val = return_val + self._get_count = 0 + super().__init__(*args, **kwargs) + +
[docs] def get(self): + self._get_count += 1 + self._save_val(self._return_val) + return self._return_val
+ + +
[docs]class SettableMulti(SimpleMultiParam): + # this is not allowed - just created to raise an error in the test below +
[docs] def set(self, v): + self.v = v
+ + +
[docs]class TestMultiParameter(TestCase): +
[docs] def test_default_attributes(self): + name = 'mixed_dimensions' + names = ['0D', '1D', '2D'] + shapes = ((), (3,), (2, 2)) + p = SimpleMultiParam([0, [1, 2, 3], [[4, 5], [6, 7]]], + name, names, shapes) + + self.assertEqual(p.name, name) + self.assertEqual(p.names, names) + self.assertEqual(p.shapes, shapes) + + self.assertEqual(p.labels, names) + self.assertEqual(p.units, [''] * 3) + self.assertIsNone(p.setpoints) + self.assertIsNone(p.setpoint_names) + self.assertIsNone(p.setpoint_labels) + + self.assertEqual(p.full_name, name) + + self.assertEqual(p._get_count, 0) + snap = p.snapshot(update=True) + self.assertEqual(p._get_count, 1) + snap_expected = { + 'name': name, + 'names': names, + 'labels': names, + 'units': [''] * 3, + 'value': [0, [1, 2, 3], [[4, 5], [6, 7]]] + } + for k, v in snap_expected.items(): + self.assertEqual(snap[k], v) + + self.assertIn(name, p.__doc__) + + # only in simple parameters + self.assertFalse(hasattr(p, 'label')) + self.assertFalse(hasattr(p, 'unit'))
+ +
[docs] def test_explicit_attributes(self): + name = 'mixed_dimensions' + names = ['0D', '1D', '2D'] + shapes = ((), (3,), (2, 2)) + labels = ['scalar', 'vector', 'matrix'] + units = ['V', 'A', 'W'] + setpoints = [(), ((4, 5, 6),), ((7, 8), None)] + setpoint_names = [(), ('sp1',), ('sp2', None)] + setpoint_labels = [(), ('setpoint1',), ('setpoint2', None)] + docstring = 'DOCS??' + metadata = {'sizes': [1, 3, 4]} + p = SimpleMultiParam([0, [1, 2, 3], [[4, 5], [6, 7]]], + name, names, shapes, labels=labels, units=units, + setpoints=setpoints, + setpoint_names=setpoint_names, + setpoint_labels=setpoint_labels, + docstring=docstring, snapshot_get=False, + metadata=metadata) + + self.assertEqual(p.name, name) + self.assertEqual(p.names, names) + self.assertEqual(p.shapes, shapes) + + self.assertEqual(p.labels, labels) + self.assertEqual(p.units, units) + self.assertEqual(p.setpoints, setpoints) + self.assertEqual(p.setpoint_names, setpoint_names) + self.assertEqual(p.setpoint_labels, setpoint_labels) + + self.assertEqual(p._get_count, 0) + snap = p.snapshot(update=True) + self.assertEqual(p._get_count, 0) + snap_expected = { + 'name': name, + 'names': names, + 'labels': labels, + 'units': units, + 'setpoint_names': setpoint_names, + 'setpoint_labels': setpoint_labels, + 'metadata': metadata + } + for k, v in snap_expected.items(): + self.assertEqual(snap[k], v) + + self.assertIn(name, p.__doc__) + self.assertIn(docstring, p.__doc__)
+ +
[docs] def test_has_set_get(self): + name = 'mixed_dimensions' + names = ['0D', '1D', '2D'] + shapes = ((), (3,), (2, 2)) + with self.assertRaises(AttributeError): + MultiParameter(name, names, shapes) + + p = SimpleMultiParam([0, [1, 2, 3], [[4, 5], [6, 7]]], + name, names, shapes) + + self.assertTrue(p.has_get) + self.assertFalse(p.has_set) + + with self.assertRaises(AttributeError): + SettableMulti([0, [1, 2, 3], [[4, 5], [6, 7]]], + name, names, shapes)
+ +
[docs] def test_full_name_s(self): + name = 'mixed_dimensions' + names = ['0D', '1D', '2D'] + shapes = ((), (3,), (2, 2)) + + # three cases where only name gets used for full_name + for instrument in blank_instruments: + p = SimpleMultiParam([0, [1, 2, 3], [[4, 5], [6, 7]]], + name, names, shapes) p._instrument = instrument - self.assertEqual(p.full_names, ['a', 'b']) + self.assertEqual(p.full_name, name) - p = Parameter(name='simple') - p._instrument = self.named_instrument - self.assertEqual(p.full_names, None) + self.assertEqual(p.full_names, names) + + # and finally an instrument that really has a name + p = SimpleMultiParam([0, [1, 2, 3], [[4, 5], [6, 7]]], + name, names, shapes) + p._instrument = named_instrument + self.assertEqual(p.full_name, 'astro_mixed_dimensions') + + self.assertEqual(p.full_names, ['astro_0D', 'astro_1D', 'astro_2D'])
+ +
[docs] def test_constructor_errors(self): + bad_constructors = [ + {'names': 'a', 'shapes': ((3,), ())}, + {'names': ('a', 'b'), 'shapes': (3, 2)}, + {'names': ('a', 'b'), 'shapes': ((3,), ()), + 'setpoints': [(1, 2, 3), ()]}, + {'names': ('a', 'b'), 'shapes': ((3,), ()), + 'setpoint_names': (None, ('index',))}, + {'names': ('a', 'b'), 'shapes': ((3,), ()), + 'setpoint_labels': (None, None, None)} + ] + for kwargs in bad_constructors: + with self.subTest(**kwargs): + with self.assertRaises(ValueError): + SimpleMultiParam([1, 2, 3], 'p', **kwargs)
- p = Parameter(names=['penn', 'teller']) - p._instrument = self.named_instrument - self.assertEqual(p.full_names, ['astro_penn', 'astro_teller'])
[docs]class TestManualParameter(TestCase): @@ -270,24 +680,98 @@

Source code for qcodes.tests.test_parameter

         with self.assertRaises(ValueError):
             f(20)
+
[docs]class TestStandardParam(TestCase): +
[docs] def set_p(self, val): + self._p = val
+ +
[docs] def set_p_prefixed(self, val): + self._p = 'PVAL: {:d}'.format(val)
-
[docs] def test_param_cmd_with_parsing(self): - def set_p(val): - self._p = val +
[docs] def strip_prefix(self, val): + return int(val[6:])
- def get_p(): - return self._p +
[docs] def get_p(self): + return self._p
- def parse_set_p(val): - return '{:d}'.format(val) +
[docs] def parse_set_p(self, val): + return '{:d}'.format(val)
- p = StandardParameter('p_int', get_cmd=get_p, get_parser=int, - set_cmd=set_p, set_parser=parse_set_p) +
[docs] def test_param_cmd_with_parsing(self): + p = StandardParameter('p_int', get_cmd=self.get_p, get_parser=int, + set_cmd=self.set_p, set_parser=self.parse_set_p) p(5) self.assertEqual(self._p, '5') - self.assertEqual(p(), 5)
+ self.assertEqual(p(), 5)
+ +
[docs] def test_settable(self): + p = StandardParameter('p', set_cmd=self.set_p) + + p(10) + self.assertEqual(self._p, 10) + with self.assertRaises(NotImplementedError): + p() + with self.assertRaises(NotImplementedError): + p.get() + + self.assertTrue(p.has_set) + self.assertFalse(p.has_get)
+ +
[docs] def test_gettable(self): + p = StandardParameter('p', get_cmd=self.get_p) + self._p = 21 + + self.assertEqual(p(), 21) + self.assertEqual(p.get(), 21) + + with self.assertRaises(NotImplementedError): + p(10) + with self.assertRaises(NotImplementedError): + p.set(10) + + self.assertTrue(p.has_get) + self.assertFalse(p.has_set)
+ +
[docs] def test_val_mapping_basic(self): + p = StandardParameter('p', set_cmd=self.set_p, get_cmd=self.get_p, + val_mapping={'off': 0, 'on': 1}) + + p('off') + self.assertEqual(self._p, 0) + self.assertEqual(p(), 'off') + + self._p = 1 + self.assertEqual(p(), 'on') + + # implicit mapping to ints + self._p = '0' + self.assertEqual(p(), 'off') + + # unrecognized response + self._p = 2 + with self.assertRaises(KeyError): + p()
+ +
[docs] def test_val_mapping_with_parsers(self): + # you can't use set_parser with val_mapping... just too much + # indirection since you also have set_cmd + with self.assertRaises(TypeError): + StandardParameter('p', set_cmd=self.set_p, get_cmd=self.get_p, + val_mapping={'off': 0, 'on': 1}, + set_parser=self.parse_set_p) + + # but you *can* use get_parser with val_mapping + p = StandardParameter('p', set_cmd=self.set_p_prefixed, + get_cmd=self.get_p, get_parser=self.strip_prefix, + val_mapping={'off': 0, 'on': 1}) + + p('off') + self.assertEqual(self._p, 'PVAL: 0') + self.assertEqual(p(), 'off') + + self._p = 'PVAL: 1' + self.assertEqual(p(), 'on')
diff --git a/_modules/qcodes/tests/test_visa.html b/_modules/qcodes/tests/test_visa.html index f4a3036f73c..7e5100145ee 100644 --- a/_modules/qcodes/tests/test_visa.html +++ b/_modules/qcodes/tests/test_visa.html @@ -209,20 +209,20 @@

Source code for qcodes.tests.test_visa

     args1 = [
         'be more positive!',
         "writing 'STAT:-10.000' to <MockVisa: Joe>",
-        'setting Joe:state to -10'
+        'setting Joe_state to -10'
     ]
 
     # error args for set(0)
     args2 = [
         "writing 'STAT:0.000' to <MockVisa: Joe>",
-        'setting Joe:state to 0'
+        'setting Joe_state to 0'
     ]
 
     # error args for get -> 15
     args3 = [
         "I'm out of fingers",
         "asking 'STAT?' to <MockVisa: Joe>",
-        'getting Joe:state'
+        'getting Joe_state'
     ]
 
 
[docs] def test_ask_write_local(self): diff --git a/_modules/qcodes/utils/deferred_operations.html b/_modules/qcodes/utils/deferred_operations.html index 39e003e39b1..255a989d33f 100644 --- a/_modules/qcodes/utils/deferred_operations.html +++ b/_modules/qcodes/utils/deferred_operations.html @@ -144,8 +144,8 @@

Source code for qcodes.utils.deferred_operations

[docs]def is_function(f, arg_count, coroutine=False): """ - Check and require a function that can accept the specified number of positional - arguments, which either is or is not a coroutine + Check and require a function that can accept the specified number of + positional arguments, which either is or is not a coroutine type casting "functions" are allowed, but only in the 1-argument form Args: @@ -215,7 +215,7 @@

Source code for qcodes.utils.deferred_operations

>>> (d*5)() 210 >>> (d>10)() - rue + True >>> ((84/d) + (d*d))() 1766 @@ -231,12 +231,15 @@

Source code for qcodes.utils.deferred_operations

self.args = args self.call_parts = call_parts + # only bind self.get if we explicitly initialize the object as a + # DeferredOperations, so that an object without a `get` method + # that simply inherits DeferredOperations behavior will not + # accidentally look gettable. + self.get = self.__call__ + def __call__(self): return self.call_func(*self.args) -
[docs] def get(self): - return self.call_func(*self.args)
- def __bool__(self): raise TypeError('This is a DeferredOperations object, you must ' 'call or .get() it before testing its truthiness', diff --git a/_modules/qcodes/utils/helpers.html b/_modules/qcodes/utils/helpers.html index ae3687d79ac..2063643b9f4 100644 --- a/_modules/qcodes/utils/helpers.html +++ b/_modules/qcodes/utils/helpers.html @@ -212,25 +212,50 @@

Source code for qcodes.utils.helpers

             not isinstance(obj, (str, bytes, io.IOBase)))
-
[docs]def is_sequence_of(obj, types, depth=1): +
[docs]def is_sequence_of(obj, types=None, depth=None, shape=None): """ Test if object is a sequence of entirely certain class(es). Args: obj (any): the object to test. - types (class or tuple of classes): allowed type(s) - depth (int, optional): level of nesting, ie if depth=2 we expect - a sequence of sequences. Default 1. + + types (Optional[Union[class, Tuple[class]]]): allowed type(s) + if omitted, we just test the depth/shape + + depth (Optional[int]): level of nesting, ie if ``depth=2`` we expect + a sequence of sequences. Default 1 unless ``shape`` is supplied. + + shape (Optional[Tuple[int]]): the shape of the sequence, ie its + length in each dimension. If ``depth`` is omitted, but ``shape`` + included, we set ``depth = len(shape)`` + Returns: bool, True if every item in ``obj`` matches ``types`` """ if not is_sequence(obj): return False + + if shape in (None, ()): + next_shape = None + if depth is None: + depth = 1 + else: + if depth is None: + depth = len(shape) + elif depth != len(shape): + raise ValueError('inconsistent depth and shape') + + if len(obj) != shape[0]: + return False + + next_shape = shape[1:] + for item in obj: if depth > 1: - if not is_sequence_of(item, types, depth=depth - 1): + if not is_sequence_of(item, types, depth=depth - 1, + shape=next_shape): return False - elif not isinstance(item, types): + elif types is not None and not isinstance(item, types): return False return True
@@ -368,6 +393,10 @@

Source code for qcodes.utils.helpers

     def __init__(self, logger=logging.getLogger()):
         self.logger = logger
 
+        self.stashed_handlers = self.logger.handlers[:]
+        for handler in self.stashed_handlers:
+            self.logger.removeHandler(handler)
+
     def __enter__(self):
         self.log_capture = io.StringIO()
         self.string_handler = logging.StreamHandler(self.log_capture)
@@ -378,7 +407,10 @@ 

Source code for qcodes.utils.helpers

     def __exit__(self, type, value, tb):
         self.logger.removeHandler(self.string_handler)
         self.value = self.log_capture.getvalue()
-        self.log_capture.close()
+ self.log_capture.close() + + for handler in self.stashed_handlers: + self.logger.addHandler(handler)
[docs]def make_unique(s, existing): @@ -561,6 +593,11 @@

Source code for qcodes.utils.helpers

     else:
         dicts_equal = False
     return dicts_equal, dict_differences
+ + +
[docs]def warn_units(class_name, instance): + logging.warning('`units` is deprecated for the `' + class_name + + '` class, use `unit` instead. ' + repr(instance))
diff --git a/_modules/qcodes/utils/nested_attrs.html b/_modules/qcodes/utils/nested_attrs.html index 6f9c6f5ad2d..c894a9a51ad 100644 --- a/_modules/qcodes/utils/nested_attrs.html +++ b/_modules/qcodes/utils/nested_attrs.html @@ -183,8 +183,6 @@

Source code for qcodes.utils.nested_attrs

         """
         parts = self._split_attr(attr)
 
-        # import pdb; pdb.set_trace()
-
         try:
             return self._follow_parts(parts)
 
diff --git a/_sources/api/generated/qcodes.DataArray.rst.txt b/_sources/api/generated/qcodes.DataArray.rst.txt
index 779fa87922a..1752a95db2e 100644
--- a/_sources/api/generated/qcodes.DataArray.rst.txt
+++ b/_sources/api/generated/qcodes.DataArray.rst.txt
@@ -41,5 +41,6 @@ qcodes.DataArray
       ~DataArray.delegate_attr_dicts
       ~DataArray.delegate_attr_objects
       ~DataArray.omit_delegate_attrs
+      ~DataArray.units
    
    
\ No newline at end of file
diff --git a/_sources/api/generated/qcodes.Parameter.rst.txt b/_sources/api/generated/qcodes.Parameter.rst.txt
index e476cc61f2b..3736cee46a6 100644
--- a/_sources/api/generated/qcodes.Parameter.rst.txt
+++ b/_sources/api/generated/qcodes.Parameter.rst.txt
@@ -14,7 +14,6 @@ qcodes.Parameter
    .. autosummary::
    
       ~Parameter.__init__
-      ~Parameter.get
       ~Parameter.get_attrs
       ~Parameter.load_metadata
       ~Parameter.set_validator
@@ -32,6 +31,6 @@ qcodes.Parameter
    .. autosummary::
    
       ~Parameter.full_name
-      ~Parameter.full_names
+      ~Parameter.units
    
    
\ No newline at end of file
diff --git a/_sources/api/generated/qcodes.StandardParameter.rst.txt b/_sources/api/generated/qcodes.StandardParameter.rst.txt
index da51eb80a31..156d8e38d97 100644
--- a/_sources/api/generated/qcodes.StandardParameter.rst.txt
+++ b/_sources/api/generated/qcodes.StandardParameter.rst.txt
@@ -35,6 +35,6 @@ qcodes.StandardParameter
    .. autosummary::
    
       ~StandardParameter.full_name
-      ~StandardParameter.full_names
+      ~StandardParameter.units
    
    
\ No newline at end of file
diff --git a/_sources/api/generated/qcodes.utils.helpers.rst.txt b/_sources/api/generated/qcodes.utils.helpers.rst.txt
index 964eb78e1c7..103aba3485a 100644
--- a/_sources/api/generated/qcodes.utils.helpers.rst.txt
+++ b/_sources/api/generated/qcodes.utils.helpers.rst.txt
@@ -23,6 +23,7 @@ qcodes.utils.helpers
       strip_attrs
       tprint
       wait_secs
+      warn_units
    
    
 
diff --git a/api/generated/qcodes.CombinedParameter.html b/api/generated/qcodes.CombinedParameter.html
index 61e9266cef9..06ca3fa14f2 100644
--- a/api/generated/qcodes.CombinedParameter.html
+++ b/api/generated/qcodes.CombinedParameter.html
@@ -164,18 +164,18 @@
 

qcodes.CombinedParameter¶

-class qcodes.CombinedParameter(parameters, name, label=None, units=None, aggregator=None)[source]¶
+class qcodes.CombinedParameter(parameters, name, label=None, unit=None, units=None, aggregator=None)[source]¶

A combined parameter

@@ -185,10 +185,10 @@

qcodes.CombinedParameter
-__init__(parameters, name, label=None, units=None, aggregator=None)[source]¶
+__init__(parameters, name, label=None, unit=None, units=None, aggregator=None)[source]¶

Methods

@@ -198,7 +198,7 @@

qcodes.CombinedParameter

- + diff --git a/api/generated/qcodes.DataArray.html b/api/generated/qcodes.DataArray.html index 87f193bb83c..a567525b0ba 100644 --- a/api/generated/qcodes.DataArray.html +++ b/api/generated/qcodes.DataArray.html @@ -164,7 +164,7 @@

qcodes.DataArray¶

-class qcodes.DataArray(parameter=None, name=None, full_name=None, label=None, snapshot=None, array_id=None, set_arrays=(), shape=None, action_indices=(), units=None, is_setpoint=False, preset_data=None)[source]¶
+class qcodes.DataArray(parameter=None, name=None, full_name=None, label=None, snapshot=None, array_id=None, set_arrays=(), shape=None, action_indices=(), unit=None, units=None, is_setpoint=False, preset_data=None)[source]¶

A container for one parameter in a measurement loop.

If this is a measured parameter, This object doesn’t contain the data of the setpoints it was measured at, but it references @@ -186,7 +186,7 @@

qcodes.DataArray

+ + +
Parameters:
    -
  • *paramters (qcodes.Parameter) – the parameters to combine
  • -
  • name (str) – the name of the paramter
  • +
  • *parameters (qcodes.Parameter) – the parameters to combine
  • +
  • name (str) – the name of the parameter
  • label (Optional[str]) – the label of the combined parameter
  • unit (Optional[str]) – the unit of the combined parameter
  • -
  • aggregator (Optional[Callable[list[any]]]) – a function to aggregate +
  • aggregator (Optional[Callable[list[any]]]) – a function to aggregate the set values into one
__init__(parameters, name[, label, units, ...])
__init__(parameters, name[, label, unit, ...])
load_metadata(metadata) Parameters:
  • parameter (Optional[Parameter]) – The parameter whose values will populate this array, if any. Will copy name, full_name, -label, units, and snapshot from here unless you +label, unit, and snapshot from here unless you provide them explicitly.
  • name (Optional[str]) – The short name of this array. TODO: use full_name as name, and get rid of short name
  • @@ -216,7 +216,8 @@

    qcodes.DataArraystr]) – The units of the values stored in this array. +
  • unit (Optional[str]) – The unit of the values stored in this array.
  • +
  • units (Optional[str]) – DEPRECATED, redirects to unit.
  • is_setpoint (bool) – True if this is a setpoint array, False if it is measured. Default False.
  • preset_data (Optional[Union[ndarray, sequence]]) – Contents of the @@ -230,7 +231,7 @@

    qcodes.DataArray
    -__init__(parameter=None, name=None, full_name=None, label=None, snapshot=None, array_id=None, set_arrays=(), shape=None, action_indices=(), units=None, is_setpoint=False, preset_data=None)[source]¶
    +__init__(parameter=None, name=None, full_name=None, label=None, snapshot=None, array_id=None, set_arrays=(), shape=None, action_indices=(), unit=None, units=None, is_setpoint=False, preset_data=None)[source]¶

    Methods

    @@ -306,6 +307,9 @@

    qcodes.DataArray

omit_delegate_attrs
units
diff --git a/api/generated/qcodes.DataSet.html b/api/generated/qcodes.DataSet.html index af31c6e7265..c6bd87b9d67 100644 --- a/api/generated/qcodes.DataSet.html +++ b/api/generated/qcodes.DataSet.html @@ -203,7 +203,7 @@

qcodes.DataSetqcodes.DataArray]) – arrays to add to the DataSet. Can be added later with self.add_array(array). -
  • formatter (Formatter, optional) – sets the file format/structure to +
  • formatter (Formatter, optional) – sets the file format/structure to write (and read) with. Default DataSet.default_formatter which is initially GNUPlotFormat().
  • write_period (float or None, optional) – Only if mode=LOCAL, seconds diff --git a/api/generated/qcodes.Parameter.html b/api/generated/qcodes.Parameter.html index f776ab83ac0..8cd9f5ce3e2 100644 --- a/api/generated/qcodes.Parameter.html +++ b/api/generated/qcodes.Parameter.html @@ -164,73 +164,46 @@

    qcodes.Parameter¶

    -class qcodes.Parameter(name=None, names=None, label=None, labels=None, units=None, shape=None, shapes=None, setpoints=None, setpoint_names=None, setpoint_labels=None, vals=None, docstring=None, snapshot_get=True, **kwargs)[source]¶
    -

    Define one generic parameter, not necessarily part of -an instrument. can be settable and/or gettable.

    -

    A settable Parameter has a .set method, and supports only a single value -at a time (see below)

    -

    A gettable Parameter has a .get method, which may return:

    -
      -
    1. a single value
    2. -
    3. a sequence of values with different names (for example, -raw and interpreted, I and Q, several fit parameters...)
    4. -
    5. an array of values all with the same name, but at different -setpoints (for example, a time trace or fourier transform that -was acquired in the hardware and all sent to the computer at once)
    6. -
    7. 2 & 3 together: a sequence of arrays. All arrays should be the same -shape.
    8. -
    9. a sequence of differently shaped items
    10. -
    -

    Because .set only supports a single value, if a Parameter is both -gettable AND settable, .get should return a single value too (case 1)

    -

    Parameters have a .get_latest method that simply returns the most recent -set or measured value. This can either be called ( param.get_latest() ) -or used in a Loop as if it were a (gettable-only) parameter itself:

    +class qcodes.Parameter(name, instrument=None, label=None, unit=None, units=None, vals=None, docstring=None, snapshot_get=True, metadata=None)[source]¶ +

    A parameter that represents a single degree of freedom. +Not necessarily part of an instrument.

    +

    Subclasses should define either a set method, a get method, or +both.

    +

    Parameters have a .get_latest method that simply returns the most +recent set or measured value. This can be called ( param.get_latest() ) +or used in a Loop as if it were a (gettable-only) parameter itself:

    -
    Loop(...).each(param.get_latest)
    -

    The constructor arguments change somewhat between these cases:

    -
    -

    Todo

    -

    no idea how to document such a constructor

    -
    +
    Loop(...).each(param.get_latest)
    +

    Note: If you want .get or .set to save the measurement for +.get_latest, you must explicitly call self._save_val(value) +inside .get and .set.

    @@ -238,7 +211,7 @@

    qcodes.Parameter
    -__init__(name=None, names=None, label=None, labels=None, units=None, shape=None, shapes=None, setpoints=None, setpoint_names=None, setpoint_labels=None, vals=None, docstring=None, snapshot_get=True, **kwargs)[source]¶
    +__init__(name, instrument=None, label=None, unit=None, units=None, vals=None, docstring=None, snapshot_get=True, metadata=None)[source]¶

    Methods

    @@ -248,31 +221,28 @@

    qcodes.Parameter

    - - - - + - + - + - + - + - + - + - + @@ -287,8 +257,8 @@

    qcodes.Parameter

    - - + +
    Parameters:
      -
    • name – (1&3) the local name of this parameter, should be a valid -identifier, ie no spaces or special characters
    • -
    • names – (2,4,5) a tuple of names
    • -
    • label – (1&3) string to use as an axis label for this parameter -defaults to name
    • -
    • labels – (2,4,5) a tuple of labels
    • -
    • units – (1&3) string that indicates units of parameter for use in axis -label and snapshot
    • -
    • shape – (3&4) a tuple of integers for the shape of array returned by -.get().
    • -
    • shapes – (5) a tuple of tuples, each one as in shape. -Single values should be denoted by None or ()
    • -
    • setpoints – (3,4,5) the setpoints for the returned array of values. -3&4 - a tuple of arrays. The first array is be 1D, the second 2D, -etc. -5 - a tuple of tuples of arrays -Defaults to integers from zero in each respective direction -Each may be either a DataArray, a numpy array, or a sequence -(sequences will be converted to numpy arrays) -NOTE: if the setpoints will be different each measurement, leave -this out and return the setpoints (with extra names) in the get.
    • -
    • setpoint_names – (3,4,5) one identifier (like name) per setpoint -array. Ignored if setpoints are DataArrays, which already have -names.
    • -
    • setpoint_labels – (3&4) one label (like label) per setpoint array. -Overridden if setpoints are DataArrays and already have labels.
    • -
    • vals – allowed values for setting this parameter (only relevant -if it has a setter), defaults to Numbers()
    • -
    • docstring (Optional[string]) – documentation string for the __doc__ +
    • name (str) – the local name of the parameter. Should be a valid +identifier, ie no spaces or special characters. If this parameter +is part of an Instrument or Station, this is how it will be +referenced from that parent, ie instrument.name or +instrument.parameters[name]
    • +
    • instrument (Optional[Instrument]) – the instrument this parameter +belongs to, if any
    • +
    • label (Optional[str]) – Normally used as the axis label when this +parameter is graphed, along with unit.
    • +
    • unit (Optional[str]) – The unit of measure. Use '' for unitless.
    • +
    • units (Optional[str]) – DEPRECATED, redirects to unit.
    • +
    • vals (Optional[Validator]) – Allowed values for setting this parameter. +Only relevant if settable. Defaults to Numbers()
    • +
    • docstring (Optional[str]) – documentation string for the __doc__ field of the object. The __doc__ field of the instance is used by some help systems, but not all
    • -
    • snapshot_get (bool) – Prevent any update to the parameter -for example if it takes too long to update
    • +
    • snapshot_get (Optional[bool]) – False prevents any update to the +parameter during a snapshot, even if the snapshot was called with +update=True, for example if it takes too long to update. +Default True.
    • +
    • metadata (Optional[dict]) – extra information to include with the +JSON snapshot of the parameter
    __init__([name, names, label, labels, ...])
    get()
    __init__(name[, instrument, label, unit, ...])
    get_attrs()
    get_attrs() Attributes recreated as properties in the RemoteParameter proxy.
    load_metadata(metadata)
    load_metadata(metadata) Load metadata
    set_validator(vals)
    set_validator(vals) Set a validator vals for this parameter.
    snapshot([update])
    snapshot([update]) Decorate a snapshot dictionary with metadata.
    snapshot_base([update])
    snapshot_base([update]) State of the parameter as a JSON-compatible dict.
    sweep(start, stop[, step, num])
    sweep(start, stop[, step, num]) Create a collection of parameter values to be iterated over.
    validate(value)
    validate(value) Validate value
    full_name Include the instrument name with the Parameter name if possible.
    full_namesInclude the instrument name with the Parameter names if possible.
    units
    diff --git a/api/generated/qcodes.StandardParameter.html b/api/generated/qcodes.StandardParameter.html index 3cfd0363f12..f234567b53b 100644 --- a/api/generated/qcodes.StandardParameter.html +++ b/api/generated/qcodes.StandardParameter.html @@ -171,16 +171,16 @@

    qcodes.StandardParameter Parameters:
      -
    • name (string) – the local name of this parameter
    • -
    • instrument (Optional[Instrument]) – an instrument that handles this -function. Default None.
    • -
    • get_cmd (Optional[Union[string, function]]) – a string or function to +
    • name (str) – the local name of this parameter
    • +
    • instrument (Optional[Instrument]) – the instrument this parameter +belongs to, if any
    • +
    • get_cmd (Optional[Union[str, function]]) – a string or function to get this parameter. You can only use a string if an instrument is provided, then this string will be passed to instrument.ask
    • get_parser (Optional[function]) – function to transform the response from get to the final output value. See also val_mapping
    • -
    • set_cmd (Optional[Union[string, function]]) –

      command to set this +

    • set_cmd (Optional[Union[str, function]]) –

      command to set this parameter, either:

      • a string (containing one field to .format, like “{}” etc) @@ -288,8 +288,8 @@

        qcodes.StandardParameterfull_name Include the instrument name with the Parameter name if possible. -full_names -Include the instrument name with the Parameter names if possible. +units + diff --git a/api/generated/qcodes.combine.html b/api/generated/qcodes.combine.html index b2f56f65884..9a5108c6322 100644 --- a/api/generated/qcodes.combine.html +++ b/api/generated/qcodes.combine.html @@ -164,8 +164,8 @@

        qcodes.combine¶

        -qcodes.combine(*parameters, name, label=None, units=None, aggregator=None)[source]¶
        -

        Combine parameters into one swepable parameter

        +qcodes.combine(*parameters, name, label=None, unit=None, units=None, aggregator=None)[source]¶ +

        Combine parameters into one sweepable parameter

        @@ -175,7 +175,7 @@

        qcodes.combinestr) – the name of the paramter
      • label (Optional[str]) – the label of the combined parameter
      • unit (Optional[str]) – the unit of the combined parameter
      • -
      • aggregator (Optional[Callable[list[any]]]) – a function to aggregate +
      • aggregator (Optional[Callable[list[any]]]) – a function to aggregate the set values into one
      • diff --git a/api/generated/qcodes.load_data.html b/api/generated/qcodes.load_data.html index 15badf9bed1..91def8dd393 100644 --- a/api/generated/qcodes.load_data.html +++ b/api/generated/qcodes.load_data.html @@ -184,7 +184,7 @@

        qcodes.load_dataget_data_manager(). If False, this DataSet will store itself. load_data will not start a DataManager but may query an existing one to determine (and pull) the live data. -
      • formatter (Formatter, optional) – sets the file format/structure to +
      • formatter (Formatter, optional) – sets the file format/structure to read with. Default DataSet.default_formatter which is initially GNUPlotFormat().
      • io (io_manager, optional) – base physical location of the DataSet. diff --git a/api/generated/qcodes.new_data.html b/api/generated/qcodes.new_data.html index bef8e1acf7c..33e0438627e 100644 --- a/api/generated/qcodes.new_data.html +++ b/api/generated/qcodes.new_data.html @@ -213,7 +213,7 @@

        qcodes.new_dataqcodes.DataArray]) – arrays to add to the DataSet. Can be added later with self.add_array(array).

      • -
      • formatter (Formatter, optional) – sets the file format/structure to +
      • formatter (Formatter, optional) – sets the file format/structure to write (and read) with. Default DataSet.default_formatter which is initially GNUPlotFormat().
      • write_period (float or None, optional) – Only if mode=LOCAL, seconds diff --git a/api/generated/qcodes.station.Station.html b/api/generated/qcodes.station.Station.html index 7cc5a038a18..70d4d91eca2 100644 --- a/api/generated/qcodes.station.Station.html +++ b/api/generated/qcodes.station.Station.html @@ -175,7 +175,7 @@

        qcodes.station.Station

      • - +
        Parameters:
          -
        • *components (list[Any]) – components to add immediately to the Station. +
        • *components (list[Any]) – components to add immediately to the Station. can be added later via self.add_component
        • monitor (None) – Not implememnted, the object that monitors the system continuously
        • default (bool) – is this station the default, which gets diff --git a/api/generated/qcodes.utils.command.html b/api/generated/qcodes.utils.command.html index b1300781bb5..8dc1f09378d 100644 --- a/api/generated/qcodes.utils.command.html +++ b/api/generated/qcodes.utils.command.html @@ -168,7 +168,7 @@
        is_function(f, arg_count[, coroutine])Check and require a function that can accept the specified number of positionalCheck and require a function that can accept the specified number of
        diff --git a/api/generated/qcodes.utils.deferred_operations.html b/api/generated/qcodes.utils.deferred_operations.html index ddbfc7b9df8..edb822bda25 100644 --- a/api/generated/qcodes.utils.deferred_operations.html +++ b/api/generated/qcodes.utils.deferred_operations.html @@ -168,7 +168,7 @@ is_function(f, arg_count[, coroutine]) -Check and require a function that can accept the specified number of positional +Check and require a function that can accept the specified number of iscoroutinefunction(func) Return True if func is a decorated coroutine function. diff --git a/api/generated/qcodes.utils.helpers.html b/api/generated/qcodes.utils.helpers.html index c86b3836b0f..1bffe7dd4a0 100644 --- a/api/generated/qcodes.utils.helpers.html +++ b/api/generated/qcodes.utils.helpers.html @@ -185,7 +185,7 @@ is_sequence(obj) Test if an object is a sequence. -is_sequence_of(obj, types[, depth]) +is_sequence_of(obj[, types, depth, shape]) Test if object is a sequence of entirely certain class(es). make_sweep(start, stop[, step, num]) @@ -209,6 +209,9 @@ wait_secs(finish_clock) calculate the number of seconds until a given clock time +warn_units(class_name, instance) + +

        Classes

        diff --git a/api/public.html b/api/public.html index 6160daf198c..2748a032ee4 100644 --- a/api/public.html +++ b/api/public.html @@ -299,8 +299,8 @@

        InstrumentFunction(name[, instrument, call_cmd, args, ...]) Defines a function that an instrument can execute. -Parameter([name, names, label, labels, ...]) -Define one generic parameter, not necessarily part of an instrument. +Parameter(name[, instrument, label, unit, ...]) +A parameter that represents a single degree of freedom. StandardParameter(name[, instrument, ...]) Define one measurement parameter. @@ -311,8 +311,8 @@

        InstrumentSweepValues(parameter, \*\*kwargs) Base class for sweeping a parameter. -combine(\*parameters, name[, label, units, ...]) -Combine parameters into one swepable parameter +combine(\*parameters, name[, label, unit, ...]) +Combine parameters into one sweepable parameter CombinedParameter(parameters, name[, label, ...]) A combined parameter diff --git a/auto/qcodes.data.html b/auto/qcodes.data.html index 7421ae7ba41..1f8bc2f4edc 100644 --- a/auto/qcodes.data.html +++ b/auto/qcodes.data.html @@ -144,7 +144,7 @@

        Submodules

        qcodes.data.data_array module¶

        -class qcodes.data.data_array.DataArray(parameter=None, name=None, full_name=None, label=None, snapshot=None, array_id=None, set_arrays=(), shape=None, action_indices=(), units=None, is_setpoint=False, preset_data=None)[source]¶
        +class qcodes.data.data_array.DataArray(parameter=None, name=None, full_name=None, label=None, snapshot=None, array_id=None, set_arrays=(), shape=None, action_indices=(), unit=None, units=None, is_setpoint=False, preset_data=None)[source]¶

        Bases: qcodes.utils.helpers.DelegateAttributes

        A container for one parameter in a measurement loop.

        If this is a measured parameter, This object doesn’t contain @@ -167,7 +167,7 @@

        SubmodulesParameters:
        • parameter (Optional[Parameter]) – The parameter whose values will populate this array, if any. Will copy name, full_name, -label, units, and snapshot from here unless you +label, unit, and snapshot from here unless you provide them explicitly.
        • name (Optional[str]) – The short name of this array. TODO: use full_name as name, and get rid of short name
        • @@ -197,7 +197,8 @@

          Submodulesstr]) – The units of the values stored in this array. +
        • unit (Optional[str]) – The unit of the values stored in this array.
        • +
        • units (Optional[str]) – DEPRECATED, redirects to unit.
        • is_setpoint (bool) – True if this is a setpoint array, False if it is measured. Default False.
        • preset_data (Optional[Union[ndarray, sequence]]) – Contents of the @@ -211,12 +212,12 @@

          Submodules
          -COPY_ATTRS_FROM_INPUT = ('name', 'label', 'units')¶
          +COPY_ATTRS_FROM_INPUT = ('name', 'label', 'unit')¶

        -SNAP_ATTRS = ('array_id', 'name', 'shape', 'units', 'label', 'action_indices', 'is_setpoint')¶
        +SNAP_ATTRS = ('array_id', 'name', 'shape', 'unit', 'label', 'action_indices', 'is_setpoint')¶
        @@ -483,6 +484,11 @@

        Submodules +
        +units¶
        +

        +

  • @@ -553,7 +559,7 @@

    Submodulesqcodes.DataArray]) – arrays to add to the DataSet. Can be added later with self.add_array(array). -
  • formatter (Formatter, optional) – sets the file format/structure to +
  • formatter (Formatter, optional) – sets the file format/structure to write (and read) with. Default DataSet.default_formatter which is initially GNUPlotFormat().
  • write_period (float or None, optional) – Only if mode=LOCAL, seconds @@ -691,7 +697,7 @@

    SubmodulesReturns:name of the default parameter -Return type:name ( Union[str, None] ) +Return type:name ( Union[str, None] ) @@ -932,7 +938,7 @@

    Submodulesget_data_manager(). If False, this DataSet will store itself. load_data will not start a DataManager but may query an existing one to determine (and pull) the live data.

  • -
  • formatter (Formatter, optional) – sets the file format/structure to +
  • formatter (Formatter, optional) – sets the file format/structure to read with. Default DataSet.default_formatter which is initially GNUPlotFormat().
  • io (io_manager, optional) – base physical location of the DataSet. @@ -1000,7 +1006,7 @@

    Submodulesqcodes.DataArray]) – arrays to add to the DataSet. Can be added later with self.add_array(array).

  • -
  • formatter (Formatter, optional) – sets the file format/structure to +
  • formatter (Formatter, optional) – sets the file format/structure to write (and read) with. Default DataSet.default_formatter which is initially GNUPlotFormat().
  • write_period (float or None, optional) – Only if mode=LOCAL, seconds @@ -1198,7 +1204,7 @@

    Submodules -Parameters:data_set (DataSet) – the data to read into. Should already have +Parameters:data_set (DataSet) – the data to read into. Should already have attributes io (an io manager), location (string), and arrays (dict of {array_id: array}, can be empty or can already have some or all of the arrays present, they @@ -1217,7 +1223,7 @@

    Submodules -Parameters:data_set (DataSet) – the data to read metadata into +Parameters:data_set (DataSet) – the data to read metadata into @@ -1235,10 +1241,10 @@

    Submodules Parameters:
      -
    • data_set (DataSet) – the data we are reading into.
    • +
    • data_set (DataSet) – the data we are reading into.
    • f (file-like) – a file-like object to read from, as provided by io_manager.open.
    • -
    • ids_read (set) – array_ids that we have already read. +
    • ids_read (set) – array_ids that we have already read. When you read an array, check that it’s not in this set (except setpoints, which can be in several files with different inner loops) then add it to the set so other files know it should not @@ -1265,7 +1271,7 @@

      Submodules Parameters:
        -
      • data_set (DataSet) – the data we are writing.
      • +
      • data_set (DataSet) – the data we are writing.
      • io_manager (io_manager) – base physical location to write to.
      • location (str) – the file location within the io_manager.
      • write_metadata (bool) – if True, then the metadata is written to disk
      • @@ -1287,7 +1293,7 @@

        Submodules Parameters:
          -
        • data_set (DataSet) – the data we are writing.
        • +
        • data_set (DataSet) – the data we are writing.
        • io_manager (io_manager) – base physical location to write to.
        • location (str) – the file location within the io_manager.
        • read_first (bool, optional) – whether to first look for previously @@ -1399,7 +1405,7 @@

          Submodules Parameters:
            -
          • data_set (DataSet) – the data we’re storing
          • +
          • data_set (DataSet) – the data we’re storing
          • io_manager (io_manager) – the base location to write to
          • location (str) – the file location within io_manager
          @@ -1418,7 +1424,7 @@

          Submodules Parameters:
            -
          • data_set (DataSet) – the data we’re storing
          • +
          • data_set (DataSet) – the data we’re storing
          • io_manager (io_manager) – the base location to write to
          • location (str) – the file location within io_manager
          • read_first (bool, optional) – read previously saved metadata before diff --git a/auto/qcodes.html b/auto/qcodes.html index b80ee595669..a47540c1a00 100644 --- a/auto/qcodes.html +++ b/auto/qcodes.html @@ -989,7 +989,7 @@

            Submodules
            -dummy_parameter = <qcodes.instrument.parameter.ManualParameter: single at 47233106617568>¶
            +dummy_parameter = <qcodes.instrument.parameter.ManualParameter: single at 47277989295944>¶
            @@ -1018,7 +1018,7 @@

            Submodulesstr]) – if location is default or another provider function, name is a string to add to location to make it more readable/meaningful to users

          • -
          • formatter (Optional[Formatter]) – knows how to read and write the +
          • formatter (Optional[Formatter]) – knows how to read and write the file format. Default can be set in DataSet.default_formatter
          • io (Optional[io_manager]) – knows how to connect to the storage (disk vs cloud etc)
          • @@ -1063,7 +1063,7 @@

            Submodules Parameters:
              -
            • *components (list[Any]) – components to add immediately to the Station. +
            • *components (list[Any]) – components to add immediately to the Station. can be added later via self.add_component
            • monitor (None) – Not implememnted, the object that monitors the system continuously
            • default (bool) – is this station the default, which gets diff --git a/auto/qcodes.instrument.html b/auto/qcodes.instrument.html index 21c83e35df7..1e85e0fff68 100644 --- a/auto/qcodes.instrument.html +++ b/auto/qcodes.instrument.html @@ -1046,16 +1046,13 @@

              Submodules
              class qcodes.instrument.mock.ArrayGetter(measured_param, sweep_values, delay)[source]¶
              -

              Bases: qcodes.instrument.parameter.Parameter

              +

              Bases: qcodes.instrument.parameter.MultiParameter

              Example parameter that just returns a single array

              -

              TODO: in theory you can make this same Parameter with +

              TODO: in theory you can make this an ArrayParameter with name, label & shape (instead of names, labels & shapes) and altered setpoints (not wrapped in an extra tuple) and this mostly works, but when run in a loop it doesn’t propagate setpoints to the -DataSet. We could track down this bug, but perhaps a better solution -would be to only support the simplest and the most complex Parameter -forms (ie cases 1 and 5 in the Parameter docstring) and do away with -the intermediate forms that make everything more confusing.

              +DataSet. This is a bug

              get()[source]¶
              @@ -1279,61 +1276,137 @@

              Submodules

              qcodes.instrument.parameter module¶

              Measured and/or controlled parameters

              -

              The Parameter class is meant for direct parameters of instruments (ie -subclasses of Instrument) but elsewhere in Qcodes we can use anything -as a parameter if it has the right attributes:

              -

              To use Parameters in data acquisition loops, they should have:

              -
              -
                -
              • .name - like a variable name, ie no spaces or weird characters
              • -
              • .label - string to use as an axis label (optional, defaults to .name) -(except for composite measurements, see below)
              • -
              -
              -

              Controlled parameters should have a .set(value) method, which takes a single -value to apply to this parameter. To use this parameter for sweeping, also -connect its __getitem__ to SweepFixedValues as below.

              -

              Measured parameters should have .get() which can return:

              -
                -
              • a single value:

                -
                -
                  -
                • parameter should have .name and optional .label as above
                • -
                -
                +

                Anything that you want to either measure or control within QCoDeS should +satisfy the Parameter interface. Most of the time that is easiest to do +by either using or subclassing one of the classes defined here, but you can +also use any class with the right attributes.

                +

                TODO (alexcjohnson) update this with the real duck-typing requirements or +create an ABC for Parameter and MultiParameter - or just remove this statement +if everyone is happy to use these classes.

                +

                This file defines four classes of parameters:

                +

                Parameter, ArrayParameter, and MultiParameter must be subclassed:

                +
                  +
                • +
                  Parameter is the base class for scalar-valued parameters, if you have
                  +
                  custom code to read or write a single value. Provides sweep and +__getitem__ (slice notation) methods to use a settable parameter as +the swept variable in a Loop. To use, fill in super().__init__, +and provide a get method, a set method, or both.
                  +
                • -
                • several values of different meaning (raw and measured, I and Q, -a set of fit parameters, that sort of thing, that all get measured/calculated -at once):

                  -
                  -
                    -
                  • parameter should have .names and optional .labels, each a sequence with -the same length as returned by .get()
                  • -
                  -
                  +
                • +
                  ArrayParameter is a base class for array-valued parameters, ie anything
                  +
                  for which each get call returns an array of values that all have the +same type and meaning. Currently not settable, only gettable. Can be used +in Measure, or in Loop - in which case these arrays are nested +inside the loop’s setpoint array. To use, provide a get method that +returns an array or regularly-shaped sequence, and describe that array in +super().__init__.
                  +
                  +
                • +
                • +
                  MultiParameter is the base class for multi-valued parameters. Currently
                  +
                  not settable, only gettable, but can return an arbitrary collection of +scalar and array values and can be used in Measure or Loop to +feed data to a DataSet. To use, provide a get method +that returns a sequence of values, and describe those values in +super().__init__.
                  +
                • -
                • an array of values of one type:

                  -
                  -
                    -
                  • parameter should have .name and optional .label as above, but also -.shape attribute, which is an integer (or tuple of integers) describing -the shape of the returned array (which must be fixed) -optionally also .setpoints, array(s) of setpoint values for this data -otherwise we will use integers from 0 in each direction as the setpoints
                  -
                  +

                  StandardParameter and ManualParameter can be instantiated directly:

                  +
                    +
                  • +
                    StandardParameter is the default class for instrument parameters
                    +
                    (see Instrument.add_parameter). Can be gettable, settable, or both. +Provides a standardized interface to construct strings to pass to the +instrument’s write and ask methods (but can also be given other +functions to execute on get or set), to convert the string +responses to meaningful output, and optionally to ramp a setpoint with +stepped write calls from a single set. Does not need to be +subclassed, just instantiated.
                    +
                    +
                  • +
                  • +
                    ManualParameter is for values you want to keep track of but cannot
                    +
                    set or get electronically. Holds the last value it was set to, and +returns it on get.
                    +
                  • -
                  • several arrays of values (all the same shape):

                    -
                    -
                      -
                    • define .names (and .labels) AND .shape (and .setpoints)
                    -
                    +
                    +
                    +class qcodes.instrument.parameter.ArrayParameter(name, shape, instrument=None, label=None, unit=None, units=None, setpoints=None, setpoint_names=None, setpoint_labels=None, docstring=None, snapshot_get=True, metadata=None)[source]¶
                    +

                    Bases: qcodes.instrument.parameter._BaseParameter

                    +

                    A gettable parameter that returns an array of values. +Not necessarily part of an instrument.

                    +

                    Subclasses should define a .get method, which returns an array. +When used in a Loop or Measure operation, this will be entered +into a single DataArray, with extra dimensions added by the Loop. +The constructor args describe the array we expect from each .get call +and how it should be handled.

                    +

                    For now you must specify upfront the array shape, and this cannot change +from one call to the next. Later we intend to require only that you specify +the dimension, and the size of each dimension can vary from call to call.

                    +

                    Note: If you want .get to save the measurement for .get_latest, +you must explicitly call self._save_val(items) inside .get.

                    + +++ + + + +
                    Parameters:
                      +
                    • name (str) – the local name of the parameter. Should be a valid +identifier, ie no spaces or special characters. If this parameter +is part of an Instrument or Station, this is how it will be +referenced from that parent, ie instrument.name or +instrument.parameters[name]
                    • +
                    • shape (Tuple[int]) – The shape (as used in numpy arrays) of the array +to expect. Scalars should be denoted by (), 1D arrays as (n,), +2D arrays as (n, m), etc.
                    • +
                    • instrument (Optional[Instrument]) – the instrument this parameter +belongs to, if any
                    • +
                    • label (Optional[str]) – Normally used as the axis label when this +parameter is graphed, along with unit.
                    • +
                    • unit (Optional[str]) – The unit of measure. Use '' for unitless.
                    • +
                    • units (Optional[str]) – DEPRECATED, redirects to unit.
                    • +
                    • setpoints (Optional[Tuple[setpoint_array]]) – setpoint_array can be a DataArray, numpy.ndarray, or sequence. +The setpoints for each dimension of the returned array. An +N-dimension item should have N setpoint arrays, where the first is +1D, the second 2D, etc. +If omitted for any or all items, defaults to integers from zero in +each respective direction. +Note: if the setpoints will be different each measurement, leave +this out and return the setpoints (with extra names) in .get.
                    • +
                    • setpoint_names (Optional[Tuple[str]]) – one identifier (like +name) per setpoint array. Ignored if a setpoint is a +DataArray, which already has a name.
                    • +
                    • setpoint_labels (Optional[Tuple[str]]) –

                      one label (like labels) +per setpoint array. Ignored if a setpoint is a DataArray, which +already has a label.

                      +

                      TODO (alexcjohnson) we need setpoint_units (and in MultiParameter)

                    • +
                    • docstring (Optional[str]) – documentation string for the __doc__ +field of the object. The __doc__ field of the instance is used by +some help systems, but not all
                    • +
                    • snapshot_get (bool) – Prevent any update to the parameter, for example +if it takes too long to update. Default True.
                    • +
                    • metadata (Optional[dict]) – extra information to include with the +JSON snapshot of the parameter
                    +
                    +
                    +
                    +units¶
                    +
                    + +
                    +
                    -class qcodes.instrument.parameter.CombinedParameter(parameters, name, label=None, units=None, aggregator=None)[source]¶
                    +class qcodes.instrument.parameter.CombinedParameter(parameters, name, label=None, unit=None, units=None, aggregator=None)[source]¶

                    Bases: qcodes.utils.metadata.Metadatable

                    A combined parameter

                    @@ -1341,11 +1414,11 @@

                    Submodules

                    @@ -1355,7 +1428,7 @@

                    Submodules
                    set(index: int)[source]¶
                    @@ -1368,7 +1441,7 @@

                    Submodules

                    - +
                    Parameters:
                      -
                    • *paramters (qcodes.Parameter) – the parameters to combine
                    • -
                    • name (str) – the name of the paramter
                    • +
                    • *parameters (qcodes.Parameter) – the parameters to combine
                    • +
                    • name (str) – the name of the parameter
                    • label (Optional[str]) – the label of the combined parameter
                    • unit (Optional[str]) – the unit of the combined parameter
                    • -
                    • aggregator (Optional[Callable[list[any]]]) – a function to aggregate +
                    • aggregator (Optional[Callable[list[any]]]) – a function to aggregate the set values into one
                    Returns:values that where actually set
                    Return type:list
                    Return type:list
                    @@ -1470,10 +1543,10 @@

                    Submodules Parameters:
                      -
                    • name (string) – the local name of this parameter
                    • +
                    • name (str) – the local name of this parameter
                    • instrument (Optional[Instrument]) – the instrument this applies to, if any.
                    • -
                    • initial_value (Optional[string]) – starting value, the +
                    • initial_value (Optional[str]) – starting value, the only invalid value allowed, and None is only allowed as an initial value, it cannot be set later
                    • **kwargs – Passed to Parameter parent class
                    • @@ -1491,123 +1564,147 @@

                      Submodules
                      set(value)[source]¶
                      -

                      Validate and saves value -:param value: value to validate and save -:type value: any

                      +

                      Validate and saves value

                      + +++ + + + +
                      Parameters:value (any) – value to validate and save

              -
              -class qcodes.instrument.parameter.Parameter(name=None, names=None, label=None, labels=None, units=None, shape=None, shapes=None, setpoints=None, setpoint_names=None, setpoint_labels=None, vals=None, docstring=None, snapshot_get=True, **kwargs)[source]¶
              -

              Bases: qcodes.utils.metadata.Metadatable, qcodes.utils.deferred_operations.DeferredOperations

              -

              Define one generic parameter, not necessarily part of -an instrument. can be settable and/or gettable.

              -

              A settable Parameter has a .set method, and supports only a single value -at a time (see below)

              -

              A gettable Parameter has a .get method, which may return:

              -
                -
              1. a single value
              2. -
              3. a sequence of values with different names (for example, -raw and interpreted, I and Q, several fit parameters...)
              4. -
              5. an array of values all with the same name, but at different -setpoints (for example, a time trace or fourier transform that -was acquired in the hardware and all sent to the computer at once)
              6. -
              7. 2 & 3 together: a sequence of arrays. All arrays should be the same -shape.
              8. -
              9. a sequence of differently shaped items
              10. -
              -

              Because .set only supports a single value, if a Parameter is both -gettable AND settable, .get should return a single value too (case 1)

              -

              Parameters have a .get_latest method that simply returns the most recent -set or measured value. This can either be called ( param.get_latest() ) -or used in a Loop as if it were a (gettable-only) parameter itself:

              -
              -
              Loop(...).each(param.get_latest)
              -

              The constructor arguments change somewhat between these cases:

              -
              -

              Todo

              -

              no idea how to document such a constructor

              -
              +
              +class qcodes.instrument.parameter.MultiParameter(name, names, shapes, instrument=None, labels=None, units=None, setpoints=None, setpoint_names=None, setpoint_labels=None, docstring=None, snapshot_get=True, metadata=None)[source]¶
              +

              Bases: qcodes.instrument.parameter._BaseParameter

              +

              A gettable parameter that returns multiple values with separate names, +each of arbitrary shape. +Not necessarily part of an instrument.

              +

              Subclasses should define a .get method, which returns a sequence of +values. When used in a Loop or Measure operation, each of these +values will be entered into a different DataArray. The constructor +args describe what data we expect from each .get call and how it +should be handled. .get should always return the same number of items, +and most of the constructor arguments should be tuples of that same length.

              +

              For now you must specify upfront the array shape of each item returned by +.get, and this cannot change from one call to the next. Later we intend +to require only that you specify the dimension of each item returned, and +the size of each dimension can vary from call to call.

              +

              Note: If you want .get to save the measurement for .get_latest, +you must explicitly call self._save_val(items) inside .get.

              Parameters:
                -
              • name – (1&3) the local name of this parameter, should be a valid -identifier, ie no spaces or special characters
              • -
              • names – (2,4,5) a tuple of names
              • -
              • label – (1&3) string to use as an axis label for this parameter -defaults to name
              • -
              • labels – (2,4,5) a tuple of labels
              • -
              • units – (1&3) string that indicates units of parameter for use in axis -label and snapshot
              • -
              • shape – (3&4) a tuple of integers for the shape of array returned by -.get().
              • -
              • shapes – (5) a tuple of tuples, each one as in shape. -Single values should be denoted by None or ()
              • -
              • setpoints – (3,4,5) the setpoints for the returned array of values. -3&4 - a tuple of arrays. The first array is be 1D, the second 2D, -etc. -5 - a tuple of tuples of arrays -Defaults to integers from zero in each respective direction -Each may be either a DataArray, a numpy array, or a sequence -(sequences will be converted to numpy arrays) -NOTE: if the setpoints will be different each measurement, leave -this out and return the setpoints (with extra names) in the get.
              • -
              • setpoint_names – (3,4,5) one identifier (like name) per setpoint -array. Ignored if setpoints are DataArrays, which already have -names.
              • -
              • setpoint_labels – (3&4) one label (like label) per setpoint array. -Overridden if setpoints are DataArrays and already have labels.
              • -
              • vals – allowed values for setting this parameter (only relevant -if it has a setter), defaults to Numbers()
              • -
              • docstring (Optional[string]) – documentation string for the __doc__ +
              • name (str) – the local name of the whole parameter. Should be a valid +identifier, ie no spaces or special characters. If this parameter +is part of an Instrument or Station, this is how it will be +referenced from that parent, ie instrument.name or +instrument.parameters[name]
              • +
              • names (Tuple[str]) – A name for each item returned by a .get +call. Will be used as the basis of the DataArray names +when this parameter is used to create a DataSet.
              • +
              • shapes (Tuple[Tuple[int]]) – The shape (as used in numpy arrays) of +each item. Scalars should be denoted by (), 1D arrays as (n,), +2D arrays as (n, m), etc.
              • +
              • instrument (Optional[Instrument]) – the instrument this parameter +belongs to, if any
              • +
              • labels (Optional[Tuple[str]]) – A label for each item. Normally used +as the axis label when a component is graphed, along with the +matching entry from units.
              • +
              • units (Optional[Tuple[str]]) – The unit of measure for each item. +Use '' or None for unitless values.
              • +
              • setpoints (Optional[Tuple[Tuple[setpoint_array]]]) – setpoint_array can be a DataArray, numpy.ndarray, or sequence. +The setpoints for each returned array. An N-dimension item should +have N setpoint arrays, where the first is 1D, the second 2D, etc. +If omitted for any or all items, defaults to integers from zero in +each respective direction. +Note: if the setpoints will be different each measurement, leave +this out and return the setpoints (with extra names) in .get.
              • +
              • setpoint_names (Optional[Tuple[Tuple[str]]]) – one identifier (like +name) per setpoint array. Ignored if a setpoint is a +DataArray, which already has a name.
              • +
              • setpoint_labels (Optional[Tuple[Tuple[str]]]) – one label (like +labels) per setpoint array. Ignored if a setpoint is a +DataArray, which already has a label.
              • +
              • docstring (Optional[str]) – documentation string for the __doc__ field of the object. The __doc__ field of the instance is used by some help systems, but not all
              • -
              • snapshot_get (bool) – Prevent any update to the parameter -for example if it takes too long to update
              • +
              • snapshot_get (bool) – Prevent any update to the parameter, for example +if it takes too long to update. Default True.
              • +
              • metadata (Optional[dict]) – extra information to include with the +JSON snapshot of the parameter
              -
              -
              -__getitem__(keys)[source]¶
              -

              Slice a Parameter to get a SweepValues object -to iterate over during a sweep

              -
              -
              -
              -full_name¶
              -

              Include the instrument name with the Parameter name if possible.

              +
              +full_names¶
              +

              Include the instrument name with the Parameter names if possible.

              -
              -
              -full_names¶
              -

              Include the instrument name with the Parameter names if possible.

              -
              -
              -get_attrs()[source]¶
              -

              Attributes recreated as properties in the RemoteParameter proxy.

              -

              Grab the names of all attributes that the RemoteParameter needs -to function like the main one (in loops etc)

              +
              +
              +class qcodes.instrument.parameter.Parameter(name, instrument=None, label=None, unit=None, units=None, vals=None, docstring=None, snapshot_get=True, metadata=None)[source]¶
              +

              Bases: qcodes.instrument.parameter._BaseParameter

              +

              A parameter that represents a single degree of freedom. +Not necessarily part of an instrument.

              +

              Subclasses should define either a set method, a get method, or +both.

              +

              Parameters have a .get_latest method that simply returns the most +recent set or measured value. This can be called ( param.get_latest() ) +or used in a Loop as if it were a (gettable-only) parameter itself:

              +
              +
              Loop(...).each(param.get_latest)
              +

              Note: If you want .get or .set to save the measurement for +.get_latest, you must explicitly call self._save_val(value) +inside .get and .set.

              - - - +
              Returns:All public attribute names, plus docstring and _vals
              Return type:list
              Parameters:
                +
              • name (str) – the local name of the parameter. Should be a valid +identifier, ie no spaces or special characters. If this parameter +is part of an Instrument or Station, this is how it will be +referenced from that parent, ie instrument.name or +instrument.parameters[name]
              • +
              • instrument (Optional[Instrument]) – the instrument this parameter +belongs to, if any
              • +
              • label (Optional[str]) – Normally used as the axis label when this +parameter is graphed, along with unit.
              • +
              • unit (Optional[str]) – The unit of measure. Use '' for unitless.
              • +
              • units (Optional[str]) – DEPRECATED, redirects to unit.
              • +
              • vals (Optional[Validator]) – Allowed values for setting this parameter. +Only relevant if settable. Defaults to Numbers()
              • +
              • docstring (Optional[str]) – documentation string for the __doc__ +field of the object. The __doc__ field of the instance is used by +some help systems, but not all
              • +
              • snapshot_get (Optional[bool]) – False prevents any update to the +parameter during a snapshot, even if the snapshot was called with +update=True, for example if it takes too long to update. +Default True.
              • +
              • metadata (Optional[dict]) – extra information to include with the +JSON snapshot of the parameter
              • +
              +
              +
              +
              +__getitem__(keys)[source]¶
              +

              Slice a Parameter to get a SweepValues object +to iterate over during a sweep

              @@ -1624,26 +1721,6 @@

              Submodules -
              -snapshot_base(update=False)[source]¶
              -

              State of the parameter as a JSON-compatible dict.

              - --- - - - - - - - -
              Parameters:update (bool) – If True, update the state by calling -parameter.get(). -If False, just use the latest values in memory.
              Returns:base snapshot
              Return type:dict
              -

              -
              sweep(start, stop, step=None, num=None)[source]¶
              @@ -1686,6 +1763,11 @@

              Submodules +
              +units¶
              +

              +
              validate(value)[source]¶
              @@ -1712,16 +1794,16 @@

              Submodules Parameters:

              -saStatus_inverted = {0: 'saNoError', 1: 'saNoCorrections', 2: 'saCompressionWarning', 3: 'saParameterClamped', 4: 'saBandwidthClamped', -99: 'saFrequencyRangeErr', -95: 'saInvalidDetectorErr', -94: 'saInvalidScaleErr', -91: 'saBandwidthErr', -666: 'saUnknownErr', -89: 'saExternalReferenceNotFound', -20: 'saOvenColdErr', -12: 'saInternetErr', -1: 'saNullPtrErr', -10: 'saTrackingGeneratorNotFound', -9: 'saDeviceNotIdleErr', -8: 'saDeviceNotFoundErr', -7: 'saInvalidModeErr', -6: 'saDeviceNotConfiguredErr', -5: 'saTooManyDevicesErr', -4: 'saInvalidParameterErr', -3: 'saDeviceNotOpenErr', -2: 'saInvalidDeviceErr', -11: 'saUSBCommErr'}¶
              +saStatus_inverted = {0: 'saNoError', 1: 'saNoCorrections', 2: 'saCompressionWarning', 3: 'saParameterClamped', 4: 'saBandwidthClamped', -1: 'saNullPtrErr', -99: 'saFrequencyRangeErr', -95: 'saInvalidDetectorErr', -94: 'saInvalidScaleErr', -91: 'saBandwidthErr', -666: 'saUnknownErr', -89: 'saExternalReferenceNotFound', -20: 'saOvenColdErr', -12: 'saInternetErr', -11: 'saUSBCommErr', -10: 'saTrackingGeneratorNotFound', -9: 'saDeviceNotIdleErr', -8: 'saDeviceNotFoundErr', -7: 'saInvalidModeErr', -6: 'saNotConfiguredErr', -5: 'saTooManyDevicesErr', -4: 'saInvalidParameterErr', -3: 'saDeviceNotOpenErr', -2: 'saInvalidDeviceErr'}¶
              diff --git a/auto/qcodes.instrument_drivers.tektronix.html b/auto/qcodes.instrument_drivers.tektronix.html index ae456bb9f63..9b053384aa5 100644 --- a/auto/qcodes.instrument_drivers.tektronix.html +++ b/auto/qcodes.instrument_drivers.tektronix.html @@ -208,12 +208,12 @@

              Submodules
              -AWG_FILE_FORMAT_CHANNEL = {'MARKER2_AMPLITUDE_N': 'd', 'DELAY_IN_TIME_N': 'd', 'ANALOG_METHOD_N': 'h', 'MARKER1_OFFSET_N': 'd', 'ANALOG_HIGH_N': 'd', 'ANALOG_DIRECT_OUTPUT_N': 'h', 'MARKER2_LOW_N': 'd', 'OUTPUT_WAVEFORM_NAME_N': 's', 'MARKER1_AMPLITUDE_N': 'd', 'PHASE_N': 'd', 'ANALOG_AMPLITUDE_N': 'd', 'DIGITAL_OFFSET_N': 'd', 'DIGITAL_AMPLITUDE_N': 'd', 'ANALOG_LOW_N': 'd', 'PHASE_DELAY_INPUT_METHOD_N': 'h', 'MARKER1_LOW_N': 'd', 'DC_OUTPUT_LEVEL_N': 'd', 'MARKER2_SKEW_N': 'd', 'DIGITAL_METHOD_N': 'h', 'MARKER2_HIGH_N': 'd', 'CHANNEL_SKEW_N': 'd', 'MARKER2_METHOD_N': 'h', 'MARKER1_SKEW_N': 'd', 'DIGITAL_LOW_N': 'd', 'DELAY_IN_POINTS_N': 'd', 'ANALOG_OFFSET_N': 'd', 'DIGITAL_HIGH_N': 'd', 'EXTERNAL_ADD_N': 'h', 'MARKER1_METHOD_N': 'h', 'MARKER2_OFFSET_N': 'd', 'MARKER1_HIGH_N': 'd', 'ANALOG_FILTER_N': 'h', 'CHANNEL_STATE_N': 'h'}¶
              +AWG_FILE_FORMAT_CHANNEL = {'ANALOG_HIGH_N': 'd', 'DIGITAL_AMPLITUDE_N': 'd', 'MARKER2_OFFSET_N': 'd', 'DIGITAL_HIGH_N': 'd', 'PHASE_N': 'd', 'DELAY_IN_TIME_N': 'd', 'ANALOG_LOW_N': 'd', 'MARKER1_HIGH_N': 'd', 'OUTPUT_WAVEFORM_NAME_N': 's', 'MARKER2_HIGH_N': 'd', 'ANALOG_DIRECT_OUTPUT_N': 'h', 'MARKER2_SKEW_N': 'd', 'DELAY_IN_POINTS_N': 'd', 'MARKER1_OFFSET_N': 'd', 'CHANNEL_STATE_N': 'h', 'ANALOG_FILTER_N': 'h', 'ANALOG_AMPLITUDE_N': 'd', 'MARKER2_AMPLITUDE_N': 'd', 'EXTERNAL_ADD_N': 'h', 'MARKER1_LOW_N': 'd', 'MARKER2_METHOD_N': 'h', 'DIGITAL_METHOD_N': 'h', 'DC_OUTPUT_LEVEL_N': 'd', 'ANALOG_OFFSET_N': 'd', 'MARKER2_LOW_N': 'd', 'MARKER1_METHOD_N': 'h', 'DIGITAL_OFFSET_N': 'd', 'MARKER1_AMPLITUDE_N': 'd', 'CHANNEL_SKEW_N': 'd', 'DIGITAL_LOW_N': 'd', 'ANALOG_METHOD_N': 'h', 'MARKER1_SKEW_N': 'd', 'PHASE_DELAY_INPUT_METHOD_N': 'h'}¶

              -AWG_FILE_FORMAT_HEAD = {'TRIGGER_INPUT_THRESHOLD': 'd', 'INTERLEAVE_ADJ_AMPLITUDE': 'd', 'INTERLEAVE_ADJ_PHASE': 'd', 'WAIT_VALUE': 'h', 'CLOCK_SOURCE': 'h', 'TRIGGER_INPUT_IMPEDANCE': 'h', 'HOLD_REPETITION_RATE': 'h', 'EVENT_INPUT_POLARITY': 'h', 'REFERENCE_SOURCE': 'h', 'RUN_STATE': 'h', 'TRIGGER_SOURCE': 'h', 'EVENT_INPUT_THRESHOLD': 'd', 'REPETITION_RATE': 'd', 'REFERENCE_MULTIPLIER_RATE': 'h', 'COUPLING': 'h', 'EXTERNAL_REFERENCE_TYPE': 'h', 'REFERENCE_CLOCK_FREQUENCY_SELECTION': 'h', 'SAMPLING_RATE': 'd', 'RUN_MODE': 'h', 'TRIGGER_INPUT_SLOPE': 'h', 'DIVIDER_RATE': 'h', 'EVENT_INPUT_IMPEDANCE': 'h', 'TRIGGER_INPUT_POLARITY': 'h', 'JUMP_TIMING': 'h', 'ZEROING': 'h', 'INTERNAL_TRIGGER_RATE': 'd', 'INTERLEAVE': 'h'}¶
              +AWG_FILE_FORMAT_HEAD = {'HOLD_REPETITION_RATE': 'h', 'TRIGGER_INPUT_POLARITY': 'h', 'RUN_STATE': 'h', 'TRIGGER_INPUT_IMPEDANCE': 'h', 'ZEROING': 'h', 'REFERENCE_MULTIPLIER_RATE': 'h', 'REFERENCE_SOURCE': 'h', 'EVENT_INPUT_IMPEDANCE': 'h', 'INTERNAL_TRIGGER_RATE': 'd', 'INTERLEAVE_ADJ_PHASE': 'd', 'INTERLEAVE': 'h', 'TRIGGER_INPUT_THRESHOLD': 'd', 'RUN_MODE': 'h', 'TRIGGER_INPUT_SLOPE': 'h', 'REFERENCE_CLOCK_FREQUENCY_SELECTION': 'h', 'REPETITION_RATE': 'd', 'EXTERNAL_REFERENCE_TYPE': 'h', 'WAIT_VALUE': 'h', 'EVENT_INPUT_THRESHOLD': 'd', 'JUMP_TIMING': 'h', 'DIVIDER_RATE': 'h', 'SAMPLING_RATE': 'd', 'TRIGGER_SOURCE': 'h', 'EVENT_INPUT_POLARITY': 'h', 'CLOCK_SOURCE': 'h', 'INTERLEAVE_ADJ_AMPLITUDE': 'd', 'COUPLING': 'h'}¶
              diff --git a/auto/qcodes.tests.html b/auto/qcodes.tests.html index 6f48829ea18..d3ed1081a30 100644 --- a/auto/qcodes.tests.html +++ b/auto/qcodes.tests.html @@ -424,7 +424,7 @@

              Submodules
              class qcodes.tests.instrument_mocks.MultiGetter(**kwargs)[source]¶
              -

              Bases: qcodes.instrument.parameter.Parameter

              +

              Bases: qcodes.instrument.parameter.MultiParameter

              Test parameters with complicated return values instantiate with kwargs:

              MultiGetter(name1=return_val1, name2=return_val2)
              @@ -1421,6 +1421,16 @@ 

              Submodulestest_depth()[source]¶

              +
              +
              +test_shape()[source]¶
              +
              + +
              +
              +test_shape_depth()[source]¶
              +
              +
              test_simple()[source]¶
              @@ -2487,6 +2497,124 @@

              Submodules

              qcodes.tests.test_parameter module¶

              Test suite for parameter

              +
              +
              +class qcodes.tests.test_parameter.GettableParam(*args, **kwargs)[source]¶
              +

              Bases: qcodes.instrument.parameter.Parameter

              +
              +
              +get()[source]¶
              +
              + +
              + +
              +
              +class qcodes.tests.test_parameter.SettableArray(return_val, *args, **kwargs)[source]¶
              +

              Bases: qcodes.tests.test_parameter.SimpleArrayParam

              +
              +
              +set(v)[source]¶
              +
              + +
              + +
              +
              +class qcodes.tests.test_parameter.SettableMulti(return_val, *args, **kwargs)[source]¶
              +

              Bases: qcodes.tests.test_parameter.SimpleMultiParam

              +
              +
              +set(v)[source]¶
              +
              + +
              + +
              +
              +class qcodes.tests.test_parameter.SettableParam(*args, **kwargs)[source]¶
              +

              Bases: qcodes.instrument.parameter.Parameter

              +
              +
              +set(v)[source]¶
              +
              + +
              + +
              +
              +class qcodes.tests.test_parameter.SimpleArrayParam(return_val, *args, **kwargs)[source]¶
              +

              Bases: qcodes.instrument.parameter.ArrayParameter

              +
              +
              +get()[source]¶
              +
              + +
              + +
              +
              +class qcodes.tests.test_parameter.SimpleManualParam(*args, **kwargs)[source]¶
              +

              Bases: qcodes.instrument.parameter.Parameter

              +
              +
              +get()[source]¶
              +
              + +
              +
              +set(v)[source]¶
              +
              + +
              + +
              +
              +class qcodes.tests.test_parameter.SimpleMultiParam(return_val, *args, **kwargs)[source]¶
              +

              Bases: qcodes.instrument.parameter.MultiParameter

              +
              +
              +get()[source]¶
              +
              + +
              + +
              +
              +class qcodes.tests.test_parameter.TestArrayParameter(methodName='runTest')[source]¶
              +

              Bases: unittest.case.TestCase

              +
              +
              +test_constructor_errors()[source]¶
              +
              + +
              +
              +test_default_attributes()[source]¶
              +
              + +
              +
              +test_explicit_attrbutes()[source]¶
              +
              + +
              +
              +test_full_name()[source]¶
              +
              + +
              +
              +test_has_set_get()[source]¶
              +
              + +
              +
              +test_units()[source]¶
              +
              + +
              +
              class qcodes.tests.test_parameter.TestManualParameter(methodName='runTest')[source]¶
              @@ -2499,37 +2627,78 @@

              Submodules -
              -class qcodes.tests.test_parameter.TestParamConstructor(methodName='runTest')[source]¶
              +
              +class qcodes.tests.test_parameter.TestMultiParameter(methodName='runTest')[source]¶

              Bases: unittest.case.TestCase

              -
              -
              -blank_instruments = (None, noname(), blank(name=''))¶
              +
              +
              +test_constructor_errors()[source]¶
              -
              -
              -named_instrument = yesname(name='astro')¶
              +
              +
              +test_default_attributes()[source]¶
              +
              + +
              +
              +test_explicit_attributes()[source]¶
              +
              + +
              +
              +test_full_name_s()[source]¶
              +
              + +
              +
              +test_has_set_get()[source]¶
              +
              + +

              + +
              +
              +class qcodes.tests.test_parameter.TestParameter(methodName='runTest')[source]¶
              +

              Bases: unittest.case.TestCase

              +
              +
              +test_bad_validator()[source]¶
              +
              + +
              +
              +test_default_attributes()[source]¶
              -
              -test_full_name()[source]¶
              +
              +test_explicit_attributes()[source]¶
              -
              -test_full_names()[source]¶
              +
              +test_full_name()[source]¶
              -
              -test_name_s()[source]¶
              +
              +test_has_set_get()[source]¶
              -
              -test_repr()[source]¶
              +
              +test_no_name()[source]¶
              +
              + +
              +
              +test_repr()[source]¶
              +
              + +
              +
              +test_units()[source]¶
              @@ -2538,11 +2707,56 @@

              Submodules class qcodes.tests.test_parameter.TestStandardParam(methodName='runTest')[source]¶

              Bases: unittest.case.TestCase

              +
              +
              +get_p()[source]¶
              +
              + +
              +
              +parse_set_p(val)[source]¶
              +
              + +
              +
              +set_p(val)[source]¶
              +
              + +
              +
              +set_p_prefixed(val)[source]¶
              +
              + +
              +
              +strip_prefix(val)[source]¶
              +
              + +
              +
              +test_gettable()[source]¶
              +
              +
              test_param_cmd_with_parsing()[source]¶
              +
              +
              +test_settable()[source]¶
              +
              + +
              +
              +test_val_mapping_basic()[source]¶
              +
              + +
              +
              +test_val_mapping_with_parsers()[source]¶
              +
              +

  • @@ -2909,7 +3123,7 @@

    Submodules
    -not_strings = [0, 1, 10000000000.0, b'', b'\xc3\x98rsted F\xc3\xa6lled', b'\xe5\xa4\x8f\xe6\x97\xa5\xe7\x95\x85\xe9\x94\x80\xe6\xa6\x9c\xe5\xa4\xa7\xe7\x89\x8c\xe7\xbe\x8e', [], [1, 2, 3], {}, {'b': 2, 'a': 1}, True, False, None, <class 'qcodes.tests.test_validators.AClass'>, <qcodes.tests.test_validators.AClass object>, <function a_func>]¶
    +not_strings = [0, 1, 10000000000.0, b'', b'\xc3\x98rsted F\xc3\xa6lled', b'\xe5\xa4\x8f\xe6\x97\xa5\xe7\x95\x85\xe9\x94\x80\xe6\xa6\x9c\xe5\xa4\xa7\xe7\x89\x8c\xe7\xbe\x8e', [], [1, 2, 3], {}, {'a': 1, 'b': 2}, True, False, None, <class 'qcodes.tests.test_validators.AClass'>, <qcodes.tests.test_validators.AClass object>, <function a_func>]¶
    @@ -3004,17 +3218,17 @@

    Submodulesunittest.case.TestCase

    -args1 = ['be more positive!', "writing 'STAT:-10.000' to <MockVisa: Joe>", 'setting Joe:state to -10']¶
    +args1 = ['be more positive!', "writing 'STAT:-10.000' to <MockVisa: Joe>", 'setting Joe_state to -10']¶
    -args2 = ["writing 'STAT:0.000' to <MockVisa: Joe>", 'setting Joe:state to 0']¶
    +args2 = ["writing 'STAT:0.000' to <MockVisa: Joe>", 'setting Joe_state to 0']¶
    -args3 = ["I'm out of fingers", "asking 'STAT?' to <MockVisa: Joe>", 'getting Joe:state']¶
    +args3 = ["I'm out of fingers", "asking 'STAT?' to <MockVisa: Joe>", 'getting Joe_state']¶
    diff --git a/auto/qcodes.utils.html b/auto/qcodes.utils.html index 22902dcc3ac..bd84533c48f 100644 --- a/auto/qcodes.utils.html +++ b/auto/qcodes.utils.html @@ -298,7 +298,7 @@

    Submodules>>> (d*5)() 210 >>> (d>10)() -rue +True >>> ((84/d) + (d*d))() 1766

    @@ -322,18 +322,13 @@

    Submodules -
    -get()[source]¶
    -
    -
    qcodes.utils.deferred_operations.is_function(f, arg_count, coroutine=False)[source]¶
    -

    Check and require a function that can accept the specified number of positional -arguments, which either is or is not a coroutine +

    Check and require a function that can accept the specified number of +positional arguments, which either is or is not a coroutine type casting “functions” are allowed, but only in the 1-argument form

    @@ -506,7 +501,7 @@

    Submodules
    -qcodes.utils.helpers.is_sequence_of(obj, types, depth=1)[source]¶
    +qcodes.utils.helpers.is_sequence_of(obj, types=None, depth=None, shape=None)[source]¶

    Test if object is a sequence of entirely certain class(es).

    @@ -514,9 +509,13 @@

    Submodules

    @@ -600,7 +599,7 @@

    Submodules

    @@ -622,6 +621,11 @@

    Submodules +
    +qcodes.utils.helpers.warn_units(class_name, instance)[source]¶
    +
    +

    + -
    Parameters:
    • obj (any) – the object to test.
    • -
    • types (class or tuple of classes) – allowed type(s)
    • -
    • depth (int, optional) – level of nesting, ie if depth=2 we expect -a sequence of sequences. Default 1.
    • +
    • types (Optional[Union[class, Tuple[class]]]) – allowed type(s) +if omitted, we just test the depth/shape
    • +
    • depth (Optional[int]) – level of nesting, ie if depth=2 we expect +a sequence of sequences. Default 1 unless shape is supplied.
    • +
    • shape (Optional[Tuple[int]]) – the shape of the sequence, ie its +length in each dimension. If depth is omitted, but shape +included, we set depth = len(shape)
    Parameters:
    • obj – object to be stripped
    • -
    • whitelist (list) – list of names that are not stripped from the object
    • +
    • whitelist (list) – list of names that are not stripped from the object
    -
  • named_instrument (qcodes.tests.test_parameter.TestParamConstructor attribute) -
  • named_repr() (in module qcodes.utils.helpers)
  • nest() (qcodes.data.data_array.DataArray method) @@ -1824,12 +1830,14 @@

    P

  • parse_output_string() (in module qcodes.instrument_drivers.tektronix.Keithley_2000)
  • -
  • parse_single_output() (in module qcodes.instrument_drivers.rigol.DG4000) +
  • parse_set_p() (qcodes.tests.test_parameter.TestStandardParam method)
  • -
  • parse_string_output() (in module qcodes.instrument_drivers.rigol.DG4000) +
  • parse_single_output() (in module qcodes.instrument_drivers.rigol.DG4000)
  • set_address() (qcodes.instrument.ip.IPInstrument method) @@ -2525,6 +2541,10 @@

    S

  • set_mode_volt_dc() (qcodes.instrument_drivers.tektronix.Keithley_2700.Keithley_2700 method)
  • set_mp_method() (in module qcodes.process.helpers), [1] +
  • +
  • set_p() (qcodes.tests.test_parameter.TestStandardParam method) +
  • +
  • set_p_prefixed() (qcodes.tests.test_parameter.TestStandardParam method)
  • set_persistent() (qcodes.instrument.ip.IPInstrument method)
  • @@ -2597,6 +2617,12 @@

    S

  • setGeometry() (qcodes.plots.pyqtgraph.QtPlot method) +
  • +
  • SettableArray (class in qcodes.tests.test_parameter) +
  • +
  • SettableMulti (class in qcodes.tests.test_parameter) +
  • +
  • SettableParam (class in qcodes.tests.test_parameter)
  • setUp() (qcodes.tests.test_combined_par.TestMultiPar method) @@ -2677,6 +2703,12 @@

    S

  • signal_to_volt() (qcodes.instrument_drivers.AlazarTech.ATS.AlazarTech_ATS method)
  • SignalHound_USB_SA124B (class in qcodes.instrument_drivers.signal_hound.USB_SA124B) +
  • +
  • SimpleArrayParam (class in qcodes.tests.test_parameter) +
  • +
  • SimpleManualParam (class in qcodes.tests.test_parameter) +
  • +
  • SimpleMultiParam (class in qcodes.tests.test_parameter)
  • sleeper() (in module qcodes.tests.test_loop) @@ -2714,8 +2746,6 @@

    S

  • (qcodes.instrument.ip.IPInstrument method)
  • (qcodes.instrument.parameter.CombinedParameter method) -
  • -
  • (qcodes.instrument.parameter.Parameter method)
  • (qcodes.instrument.sweep_values.SweepFixedValues method)
  • @@ -2791,6 +2821,8 @@

    S

  • strings (qcodes.tests.test_validators.TestStrings attribute)
  • strip_attrs() (in module qcodes.utils.helpers) +
  • +
  • strip_prefix() (qcodes.tests.test_parameter.TestStandardParam method)
  • strip_qc() (in module qcodes.tests.common)
  • @@ -2919,6 +2951,8 @@

    T

  • test_bad_dict() (qcodes.tests.test_helpers.TestCompareDictionaries method)
  • test_bad_user_schema() (qcodes.tests.test_config.TestConfig method) +
  • +
  • test_bad_validator() (qcodes.tests.test_parameter.TestParameter method)
  • test_bare_function() (qcodes.tests.test_parameter.TestManualParameter method)
  • @@ -2968,6 +3002,10 @@

    T

  • test_core() (in module qcodes.test) @@ -2994,6 +3032,14 @@

    T

  • test_default() (qcodes.tests.test_location_provider.TestFormatLocation method)
  • +
  • test_default_attributes() (qcodes.tests.test_parameter.TestArrayParameter method) + +
  • test_default_config_files() (qcodes.tests.test_config.TestConfig method)
  • test_default_measurement() (qcodes.tests.test_loop.TestLoop method) @@ -3036,6 +3082,14 @@

    T

  • (qcodes.tests.test_location_provider.TestFormatLocation method)
  • (qcodes.tests.test_sweep_values.TestSweepValues method) +
  • + +
  • test_explicit_attrbutes() (qcodes.tests.test_parameter.TestArrayParameter method) +
  • +
  • test_explicit_attributes() (qcodes.tests.test_parameter.TestMultiParameter method) + +
  • test_failed_anything() (qcodes.tests.test_validators.TestAnything method) @@ -3076,9 +3130,13 @@

    T

  • test_full_class() (qcodes.tests.test_helpers.TestClassStrings method)
  • -
  • test_full_name() (qcodes.tests.test_parameter.TestParamConstructor method) +
  • test_full_name() (qcodes.tests.test_parameter.TestArrayParameter method) + +
  • +
  • test_full_name_s() (qcodes.tests.test_parameter.TestMultiParameter method)
  • test_full_write() (qcodes.tests.test_format.TestGNUPlotFormat method)
  • @@ -3093,6 +3151,8 @@

    T

  • test_get_live() (qcodes.tests.test_data.TestLoadData method)
  • test_get_read() (qcodes.tests.test_data.TestLoadData method) +
  • +
  • test_gettable() (qcodes.tests.test_parameter.TestStandardParam method)
  • test_good() (qcodes.tests.test_validators.TestEnum method) @@ -3114,6 +3174,14 @@

    T

  • test_halt_quiet() (qcodes.tests.test_loop.TestSignal method)
  • +
  • test_has_set_get() (qcodes.tests.test_parameter.TestArrayParameter method) + +
  • test_incremental_write() (qcodes.tests.test_format.TestGNUPlotFormat method)
    • +
    • test_no_instances() (qcodes.tests.test_driver_testcase.TestDriverTestCase method) +
    • test_no_live_data() (qcodes.tests.test_data.TestLoadData method) +
    • +
    • test_no_name() (qcodes.tests.test_parameter.TestParameter method)
    • test_no_saved_data() (qcodes.tests.test_data.TestLoadData method)
    • @@ -3313,7 +3381,7 @@

      T

      • (qcodes.tests.test_loop.TestLoop method)
      • -
      • (qcodes.tests.test_parameter.TestParamConstructor method) +
      • (qcodes.tests.test_parameter.TestParameter method)
      • (qcodes.tests.test_sweep_values.TestSweepValues method)
      • @@ -3326,7 +3394,15 @@

        T

      • test_set_sweep_errors() (qcodes.tests.test_instrument.TestInstrument method)
      • -
      • test_shape() (qcodes.tests.test_validators.TestArrays method) +
      • test_settable() (qcodes.tests.test_parameter.TestStandardParam method) +
      • +
      • test_shape() (qcodes.tests.test_helpers.TestIsSequenceOf method) + +
      • +
      • test_shape_depth() (qcodes.tests.test_helpers.TestIsSequenceOf method)
      • test_simple() (qcodes.tests.test_helpers.TestIsSequenceOf method) @@ -3374,6 +3450,12 @@

        T

      • test_unary() (qcodes.tests.test_deferred_operations.TestDeferredOperations method)
      • +
      • test_units() (qcodes.tests.test_parameter.TestArrayParameter method) + +
      • test_unlimited() (qcodes.tests.test_validators.TestInts method)
          @@ -3397,10 +3479,14 @@

          T

        • test_val_diff_simple() (qcodes.tests.test_helpers.TestCompareDictionaries method)
        • test_val_mapping() (qcodes.tests.test_instrument.TestInstrument method) +
        • +
        • test_val_mapping_basic() (qcodes.tests.test_parameter.TestStandardParam method)
        • test_val_mapping_ints() (qcodes.tests.test_instrument.TestInstrument method)
        • test_val_mapping_parsers() (qcodes.tests.test_instrument.TestInstrument method) +
        • +
        • test_val_mapping_with_parsers() (qcodes.tests.test_parameter.TestStandardParam method)
        • test_valid() (qcodes.tests.test_sweep_values.TestSweepValues method)
        • @@ -3427,6 +3513,8 @@

          T

        • TestAgilent_E8527D (class in qcodes.instrument_drivers.agilent.test_suite)
        • TestAnything (class in qcodes.tests.test_validators) +
        • +
        • TestArrayParameter (class in qcodes.tests.test_parameter)
        • TestArrays (class in qcodes.tests.test_validators)
        • @@ -3527,6 +3615,8 @@

          T

        • TestMpMethod (class in qcodes.tests.test_multiprocessing)
        • TestMultiPar (class in qcodes.tests.test_combined_par) +
        • +
        • TestMultiParameter (class in qcodes.tests.test_parameter)
        • TestMultiples (class in qcodes.tests.test_validators)
        • @@ -3544,7 +3634,7 @@

          T

        • testNumpyJSONEncoder() (qcodes.tests.test_helpers.TestJSONencoder method)
        • -
        • TestParamConstructor (class in qcodes.tests.test_parameter) +
        • TestParameter (class in qcodes.tests.test_parameter)
        • TestPermissiveRange (class in qcodes.tests.test_helpers)
        • @@ -3630,6 +3720,14 @@

          T

          U

          + -
          • update_plot() (qcodes.plots.base.BasePlot method)
              @@ -3743,6 +3841,8 @@

              W

          • wait_secs() (in module qcodes.utils.helpers) +
          • +
          • warn_units() (in module qcodes.utils.helpers)
          • Weinschel_8320 (class in qcodes.instrument_drivers.weinschel.Weinschel_8320)
          • diff --git a/objects.inv b/objects.inv index cc51bb3de3b..882f5488ec5 100644 Binary files a/objects.inv and b/objects.inv differ diff --git a/searchindex.js b/searchindex.js index 06b030ee061..ca7c89d8457 100644 --- a/searchindex.js +++ b/searchindex.js @@ -1 +1 @@ -Search.setIndex({docnames:["api/generated/qcodes.BreakIf","api/generated/qcodes.CombinedParameter","api/generated/qcodes.Config","api/generated/qcodes.DataArray","api/generated/qcodes.DataMode","api/generated/qcodes.DataSet","api/generated/qcodes.DiskIO","api/generated/qcodes.FormatLocation","api/generated/qcodes.Formatter","api/generated/qcodes.Function","api/generated/qcodes.GNUPlotFormat","api/generated/qcodes.IPInstrument","api/generated/qcodes.Instrument","api/generated/qcodes.Loop","api/generated/qcodes.MockInstrument","api/generated/qcodes.MockModel","api/generated/qcodes.Parameter","api/generated/qcodes.StandardParameter","api/generated/qcodes.SweepFixedValues","api/generated/qcodes.SweepValues","api/generated/qcodes.Task","api/generated/qcodes.VisaInstrument","api/generated/qcodes.Wait","api/generated/qcodes.combine","api/generated/qcodes.get_bg","api/generated/qcodes.get_data_manager","api/generated/qcodes.halt_bg","api/generated/qcodes.load_data","api/generated/qcodes.measure.Measure","api/generated/qcodes.new_data","api/generated/qcodes.plots.pyqtgraph.QtPlot","api/generated/qcodes.plots.qcmatplotlib.MatPlot","api/generated/qcodes.process.helpers.set_mp_method","api/generated/qcodes.process.qcodes_process","api/generated/qcodes.station.Station","api/generated/qcodes.utils.command","api/generated/qcodes.utils.deferred_operations","api/generated/qcodes.utils.helpers","api/generated/qcodes.utils.helpers.in_notebook","api/generated/qcodes.utils.metadata","api/generated/qcodes.utils.nested_attrs","api/generated/qcodes.utils.timing","api/generated/qcodes.utils.validators","api/generated/qcodes.widgets.widgets.show_subprocess_widget","api/index","api/private","api/public","auto/modules","auto/qcodes","auto/qcodes.config","auto/qcodes.data","auto/qcodes.instrument","auto/qcodes.instrument_drivers","auto/qcodes.instrument_drivers.AlazarTech","auto/qcodes.instrument_drivers.Harvard","auto/qcodes.instrument_drivers.QuTech","auto/qcodes.instrument_drivers.agilent","auto/qcodes.instrument_drivers.ithaco","auto/qcodes.instrument_drivers.oxford","auto/qcodes.instrument_drivers.rigol","auto/qcodes.instrument_drivers.rohde_schwarz","auto/qcodes.instrument_drivers.signal_hound","auto/qcodes.instrument_drivers.stanford_research","auto/qcodes.instrument_drivers.tektronix","auto/qcodes.instrument_drivers.weinschel","auto/qcodes.plots","auto/qcodes.process","auto/qcodes.tests","auto/qcodes.utils","auto/qcodes.widgets","changes/0.1.0","changes/0.1.2","changes/index","community/contributing","community/index","community/install","community/objects","community/testing","help","roadmap","start/index","user/configuration","user/faq","user/index","user/intro","user/tutorial"],envversion:51,filenames:["api/generated/qcodes.BreakIf.rst","api/generated/qcodes.CombinedParameter.rst","api/generated/qcodes.Config.rst","api/generated/qcodes.DataArray.rst","api/generated/qcodes.DataMode.rst","api/generated/qcodes.DataSet.rst","api/generated/qcodes.DiskIO.rst","api/generated/qcodes.FormatLocation.rst","api/generated/qcodes.Formatter.rst","api/generated/qcodes.Function.rst","api/generated/qcodes.GNUPlotFormat.rst","api/generated/qcodes.IPInstrument.rst","api/generated/qcodes.Instrument.rst","api/generated/qcodes.Loop.rst","api/generated/qcodes.MockInstrument.rst","api/generated/qcodes.MockModel.rst","api/generated/qcodes.Parameter.rst","api/generated/qcodes.StandardParameter.rst","api/generated/qcodes.SweepFixedValues.rst","api/generated/qcodes.SweepValues.rst","api/generated/qcodes.Task.rst","api/generated/qcodes.VisaInstrument.rst","api/generated/qcodes.Wait.rst","api/generated/qcodes.combine.rst","api/generated/qcodes.get_bg.rst","api/generated/qcodes.get_data_manager.rst","api/generated/qcodes.halt_bg.rst","api/generated/qcodes.load_data.rst","api/generated/qcodes.measure.Measure.rst","api/generated/qcodes.new_data.rst","api/generated/qcodes.plots.pyqtgraph.QtPlot.rst","api/generated/qcodes.plots.qcmatplotlib.MatPlot.rst","api/generated/qcodes.process.helpers.set_mp_method.rst","api/generated/qcodes.process.qcodes_process.rst","api/generated/qcodes.station.Station.rst","api/generated/qcodes.utils.command.rst","api/generated/qcodes.utils.deferred_operations.rst","api/generated/qcodes.utils.helpers.rst","api/generated/qcodes.utils.helpers.in_notebook.rst","api/generated/qcodes.utils.metadata.rst","api/generated/qcodes.utils.nested_attrs.rst","api/generated/qcodes.utils.timing.rst","api/generated/qcodes.utils.validators.rst","api/generated/qcodes.widgets.widgets.show_subprocess_widget.rst","api/index.rst","api/private.rst","api/public.rst","auto/modules.rst","auto/qcodes.rst","auto/qcodes.config.rst","auto/qcodes.data.rst","auto/qcodes.instrument.rst","auto/qcodes.instrument_drivers.rst","auto/qcodes.instrument_drivers.AlazarTech.rst","auto/qcodes.instrument_drivers.Harvard.rst","auto/qcodes.instrument_drivers.QuTech.rst","auto/qcodes.instrument_drivers.agilent.rst","auto/qcodes.instrument_drivers.ithaco.rst","auto/qcodes.instrument_drivers.oxford.rst","auto/qcodes.instrument_drivers.rigol.rst","auto/qcodes.instrument_drivers.rohde_schwarz.rst","auto/qcodes.instrument_drivers.signal_hound.rst","auto/qcodes.instrument_drivers.stanford_research.rst","auto/qcodes.instrument_drivers.tektronix.rst","auto/qcodes.instrument_drivers.weinschel.rst","auto/qcodes.plots.rst","auto/qcodes.process.rst","auto/qcodes.tests.rst","auto/qcodes.utils.rst","auto/qcodes.widgets.rst","changes/0.1.0.rst","changes/0.1.2.rst","changes/index.rst","community/contributing.rst","community/index.rst","community/install.rst","community/objects.rst","community/testing.rst","help.rst","roadmap.rst","start/index.rst","user/configuration.rst","user/faq.rst","user/index.rst","user/intro.rst","user/tutorial.rst"],objects:{"":{qcodes:[48,0,0,"-"]},"qcodes.BreakIf":{__init__:[0,2,1,""]},"qcodes.CombinedParameter":{__init__:[1,2,1,""]},"qcodes.Config":{__init__:[2,2,1,""],config_file_name:[2,3,1,""],current_config:[2,3,1,""],current_config_path:[2,3,1,""],current_schema:[2,3,1,""],cwd_file_name:[2,3,1,""],default_file_name:[2,3,1,""],env_file_name:[2,3,1,""],home_file_name:[2,3,1,""],schema_cwd_file_name:[2,3,1,""],schema_default_file_name:[2,3,1,""],schema_env_file_name:[2,3,1,""],schema_file_name:[2,3,1,""],schema_home_file_name:[2,3,1,""]},"qcodes.DataArray":{__init__:[3,2,1,""]},"qcodes.DataMode":{__init__:[4,2,1,""]},"qcodes.DataSet":{__init__:[5,2,1,""],background_functions:[5,3,1,""]},"qcodes.DiskIO":{__init__:[6,2,1,""]},"qcodes.FormatLocation":{__init__:[7,2,1,""]},"qcodes.Formatter":{__init__:[8,2,1,""]},"qcodes.Function":{__init__:[9,2,1,""]},"qcodes.GNUPlotFormat":{__init__:[10,2,1,""]},"qcodes.IPInstrument":{__init__:[11,2,1,""]},"qcodes.Instrument":{__init__:[12,2,1,""],functions:[12,3,1,""],name:[12,3,1,""],parameters:[12,3,1,""]},"qcodes.Loop":{__init__:[13,2,1,""]},"qcodes.MockInstrument":{__init__:[14,2,1,""],history:[14,3,1,""],keep_history:[14,3,1,""],shared_kwargs:[14,3,1,""]},"qcodes.MockModel":{__init__:[15,2,1,""]},"qcodes.Parameter":{__init__:[16,2,1,""]},"qcodes.StandardParameter":{__init__:[17,2,1,""]},"qcodes.SweepFixedValues":{__init__:[18,2,1,""]},"qcodes.SweepValues":{__init__:[19,2,1,""]},"qcodes.Task":{__init__:[20,2,1,""]},"qcodes.VisaInstrument":{__init__:[21,2,1,""],visa_handle:[21,3,1,""]},"qcodes.Wait":{__init__:[22,2,1,""]},"qcodes.actions":{BreakIf:[48,1,1,""],Task:[48,1,1,""],Wait:[48,1,1,""]},"qcodes.actions.BreakIf":{snapshot:[48,2,1,""]},"qcodes.actions.Task":{snapshot:[48,2,1,""]},"qcodes.actions.Wait":{snapshot:[48,2,1,""]},"qcodes.config":{config:[49,0,0,"-"]},"qcodes.config.config":{Config:[49,1,1,""],DotDict:[49,1,1,""]},"qcodes.config.config.Config":{add:[49,2,1,""],config_file_name:[49,3,1,""],current_config:[49,3,1,""],current_config_path:[49,3,1,""],current_schema:[49,3,1,""],cwd_file_name:[49,3,1,""],default_file_name:[49,3,1,""],defaults:[49,3,1,""],defaults_schema:[49,3,1,""],describe:[49,2,1,""],env_file_name:[49,3,1,""],home_file_name:[49,3,1,""],load_config:[49,2,1,""],load_default:[49,2,1,""],save_config:[49,2,1,""],save_schema:[49,2,1,""],save_to_cwd:[49,2,1,""],save_to_env:[49,2,1,""],save_to_home:[49,2,1,""],schema_cwd_file_name:[49,3,1,""],schema_default_file_name:[49,3,1,""],schema_env_file_name:[49,3,1,""],schema_file_name:[49,3,1,""],schema_home_file_name:[49,3,1,""],update_config:[49,2,1,""],validate:[49,2,1,""]},"qcodes.data":{data_array:[50,0,0,"-"],data_set:[50,0,0,"-"],format:[50,0,0,"-"],gnuplot_format:[50,0,0,"-"],hdf5_format:[50,0,0,"-"],io:[50,0,0,"-"],location:[50,0,0,"-"],manager:[50,0,0,"-"]},"qcodes.data.data_array":{DataArray:[50,1,1,""]},"qcodes.data.data_array.DataArray":{COPY_ATTRS_FROM_INPUT:[50,3,1,""],SNAP_ATTRS:[50,3,1,""],SNAP_OMIT_KEYS:[50,3,1,""],__len__:[50,2,1,""],__setitem__:[50,2,1,""],apply_changes:[50,2,1,""],clear:[50,2,1,""],clear_save:[50,2,1,""],data_set:[50,3,1,""],delegate_attr_objects:[50,3,1,""],flat_index:[50,2,1,""],fraction_complete:[50,2,1,""],get_changes:[50,2,1,""],get_synced_index:[50,2,1,""],init_data:[50,2,1,""],mark_saved:[50,2,1,""],nest:[50,2,1,""],snapshot:[50,2,1,""]},"qcodes.data.data_set":{DataMode:[50,1,1,""],DataSet:[50,1,1,""],load_data:[50,4,1,""],new_data:[50,4,1,""]},"qcodes.data.data_set.DataMode":{LOCAL:[50,3,1,""],PULL_FROM_SERVER:[50,3,1,""],PUSH_TO_SERVER:[50,3,1,""]},"qcodes.data.data_set.DataSet":{__repr__:[50,2,1,""],add_array:[50,2,1,""],add_metadata:[50,2,1,""],background_functions:[50,3,1,""],complete:[50,2,1,""],default_formatter:[50,3,1,""],default_io:[50,3,1,""],default_parameter_array:[50,2,1,""],default_parameter_name:[50,2,1,""],delegate_attr_dicts:[50,3,1,""],finalize:[50,2,1,""],fraction_complete:[50,2,1,""],get_array_metadata:[50,2,1,""],get_changes:[50,2,1,""],init_on_server:[50,2,1,""],is_live_mode:[50,3,1,""],is_on_server:[50,3,1,""],location_provider:[50,3,1,""],read:[50,2,1,""],read_metadata:[50,2,1,""],save_metadata:[50,2,1,""],snapshot:[50,2,1,""],store:[50,2,1,""],sync:[50,2,1,""],write:[50,2,1,""],write_copy:[50,2,1,""]},"qcodes.data.format":{Formatter:[50,1,1,""]},"qcodes.data.format.Formatter":{ArrayGroup:[50,1,1,""],group_arrays:[50,2,1,""],match_save_range:[50,2,1,""],read:[50,2,1,""],read_metadata:[50,2,1,""],read_one_file:[50,2,1,""],write:[50,2,1,""],write_metadata:[50,2,1,""]},"qcodes.data.format.Formatter.ArrayGroup":{__getnewargs__:[50,2,1,""],__new__:[50,5,1,""],__repr__:[50,2,1,""],data:[50,3,1,""],name:[50,3,1,""],set_arrays:[50,3,1,""],shape:[50,3,1,""]},"qcodes.data.gnuplot_format":{GNUPlotFormat:[50,1,1,""]},"qcodes.data.gnuplot_format.GNUPlotFormat":{read_metadata:[50,2,1,""],read_one_file:[50,2,1,""],write:[50,2,1,""],write_metadata:[50,2,1,""]},"qcodes.data.hdf5_format":{HDF5Format:[50,1,1,""],str_to_bool:[50,4,1,""]},"qcodes.data.hdf5_format.HDF5Format":{close_file:[50,2,1,""],read:[50,2,1,""],read_dict_from_hdf5:[50,2,1,""],read_metadata:[50,2,1,""],write:[50,2,1,""],write_dict_to_hdf5:[50,2,1,""],write_metadata:[50,2,1,""]},"qcodes.data.io":{DiskIO:[50,1,1,""]},"qcodes.data.io.DiskIO":{__repr__:[50,2,1,""],isfile:[50,2,1,""],join:[50,2,1,""],list:[50,2,1,""],open:[50,2,1,""],remove:[50,2,1,""],remove_all:[50,2,1,""],to_location:[50,2,1,""],to_path:[50,2,1,""]},"qcodes.data.location":{FormatLocation:[50,1,1,""],SafeFormatter:[50,1,1,""]},"qcodes.data.location.FormatLocation":{__call__:[50,2,1,""],default_fmt:[50,3,1,""]},"qcodes.data.location.SafeFormatter":{get_value:[50,2,1,""]},"qcodes.data.manager":{DataManager:[50,1,1,""],DataServer:[50,1,1,""],NoData:[50,1,1,""],get_data_manager:[50,4,1,""]},"qcodes.data.manager.DataManager":{"default":[50,3,1,""],restart:[50,2,1,""]},"qcodes.data.manager.DataServer":{default_monitor_period:[50,3,1,""],default_storage_period:[50,3,1,""],handle_finalize_data:[50,2,1,""],handle_get_changes:[50,2,1,""],handle_get_data:[50,2,1,""],handle_get_measuring:[50,2,1,""],handle_new_data:[50,2,1,""],handle_store_data:[50,2,1,""],queries_per_store:[50,3,1,""],run_event_loop:[50,2,1,""]},"qcodes.data.manager.NoData":{location:[50,3,1,""],store:[50,2,1,""],write:[50,2,1,""]},"qcodes.instrument":{"function":[51,0,0,"-"],base:[51,0,0,"-"],ip:[51,0,0,"-"],metaclass:[51,0,0,"-"],mock:[51,0,0,"-"],parameter:[51,0,0,"-"],remote:[51,0,0,"-"],server:[51,0,0,"-"],sweep_values:[51,0,0,"-"],visa:[51,0,0,"-"]},"qcodes.instrument.base":{Instrument:[51,1,1,""]},"qcodes.instrument.base.Instrument":{__del__:[51,2,1,""],__getitem__:[51,2,1,""],__getstate__:[51,2,1,""],__repr__:[51,2,1,""],add_function:[51,2,1,""],add_parameter:[51,2,1,""],ask:[51,2,1,""],ask_raw:[51,2,1,""],call:[51,2,1,""],close:[51,2,1,""],connect_message:[51,2,1,""],connection_attrs:[51,2,1,""],default_server_name:[51,6,1,""],delegate_attr_dicts:[51,3,1,""],find_component:[51,6,1,""],find_instrument:[51,6,1,""],functions:[51,3,1,""],get:[51,2,1,""],get_idn:[51,2,1,""],instances:[51,6,1,""],name:[51,3,1,""],parameters:[51,3,1,""],record_instance:[51,6,1,""],remove_instance:[51,6,1,""],set:[51,2,1,""],shared_kwargs:[51,3,1,""],snapshot_base:[51,2,1,""],validate_status:[51,2,1,""],write:[51,2,1,""],write_raw:[51,2,1,""]},"qcodes.instrument.function":{Function:[51,1,1,""]},"qcodes.instrument.function.Function":{call:[51,2,1,""],get_attrs:[51,2,1,""],validate:[51,2,1,""]},"qcodes.instrument.ip":{EnsureConnection:[51,1,1,""],IPInstrument:[51,1,1,""]},"qcodes.instrument.ip.EnsureConnection":{__enter__:[51,2,1,""],__exit__:[51,2,1,""]},"qcodes.instrument.ip.IPInstrument":{ask_raw:[51,2,1,""],close:[51,2,1,""],default_server_name:[51,6,1,""],set_address:[51,2,1,""],set_persistent:[51,2,1,""],set_terminator:[51,2,1,""],set_timeout:[51,2,1,""],snapshot_base:[51,2,1,""],write_raw:[51,2,1,""]},"qcodes.instrument.metaclass":{InstrumentMetaclass:[51,1,1,""]},"qcodes.instrument.metaclass.InstrumentMetaclass":{__call__:[51,2,1,""]},"qcodes.instrument.mock":{ArrayGetter:[51,1,1,""],MockInstrument:[51,1,1,""],MockModel:[51,1,1,""]},"qcodes.instrument.mock.ArrayGetter":{get:[51,2,1,""]},"qcodes.instrument.mock.MockInstrument":{ask_raw:[51,2,1,""],default_server_name:[51,6,1,""],get_idn:[51,2,1,""],history:[51,3,1,""],keep_history:[51,3,1,""],shared_kwargs:[51,3,1,""],write_raw:[51,2,1,""]},"qcodes.instrument.mock.MockModel":{handle_cmd:[51,2,1,""]},"qcodes.instrument.parameter":{CombinedParameter:[51,1,1,""],GetLatest:[51,1,1,""],ManualParameter:[51,1,1,""],Parameter:[51,1,1,""],StandardParameter:[51,1,1,""],combine:[51,4,1,""],no_getter:[51,4,1,""],no_setter:[51,4,1,""]},"qcodes.instrument.parameter.CombinedParameter":{set:[51,2,1,""],snapshot_base:[51,2,1,""],sweep:[51,2,1,""]},"qcodes.instrument.parameter.GetLatest":{delegate_attr_objects:[51,3,1,""],get:[51,2,1,""],omit_delegate_attrs:[51,3,1,""]},"qcodes.instrument.parameter.ManualParameter":{get:[51,2,1,""],set:[51,2,1,""]},"qcodes.instrument.parameter.Parameter":{__getitem__:[51,2,1,""],full_name:[51,3,1,""],full_names:[51,3,1,""],get_attrs:[51,2,1,""],set_validator:[51,2,1,""],snapshot_base:[51,2,1,""],sweep:[51,2,1,""],validate:[51,2,1,""]},"qcodes.instrument.parameter.StandardParameter":{get:[51,2,1,""],get_delay:[51,2,1,""],set_delay:[51,2,1,""],set_step:[51,2,1,""]},"qcodes.instrument.remote":{RemoteComponent:[51,1,1,""],RemoteFunction:[51,1,1,""],RemoteInstrument:[51,1,1,""],RemoteMethod:[51,1,1,""],RemoteParameter:[51,1,1,""]},"qcodes.instrument.remote.RemoteComponent":{__delattr__:[51,2,1,""],__dir__:[51,2,1,""],__getattr__:[51,2,1,""],__repr__:[51,2,1,""],__setattr__:[51,2,1,""],_attrs:[51,3,1,""],_delattrs:[51,3,1,""],_instrument:[51,3,1,""],_local_attrs:[51,3,1,""],name:[51,3,1,""],update:[51,2,1,""]},"qcodes.instrument.remote.RemoteFunction":{__call__:[51,2,1,""],call:[51,2,1,""],validate:[51,2,1,""]},"qcodes.instrument.remote.RemoteInstrument":{__getitem__:[51,2,1,""],__repr__:[51,2,1,""],add_function:[51,2,1,""],add_parameter:[51,2,1,""],close:[51,2,1,""],connect:[51,2,1,""],delegate_attr_dicts:[51,3,1,""],find_instrument:[51,2,1,""],functions:[51,3,1,""],instances:[51,2,1,""],name:[51,3,1,""],parameters:[51,3,1,""],restart:[51,2,1,""],update:[51,2,1,""]},"qcodes.instrument.remote.RemoteMethod":{__call__:[51,2,1,""]},"qcodes.instrument.remote.RemoteParameter":{__call__:[51,2,1,""],__getitem__:[51,2,1,""],callattr:[51,2,1,""],get:[51,2,1,""],getattr:[51,2,1,""],set:[51,2,1,""],setattr:[51,2,1,""],snapshot:[51,2,1,""],sweep:[51,2,1,""],validate:[51,2,1,""]},"qcodes.instrument.server":{InstrumentServer:[51,1,1,""],InstrumentServerManager:[51,1,1,""],get_instrument_server_manager:[51,4,1,""]},"qcodes.instrument.server.InstrumentServer":{handle_cmd:[51,2,1,""],handle_delete:[51,2,1,""],handle_new:[51,2,1,""],handle_new_id:[51,2,1,""],timeout:[51,3,1,""]},"qcodes.instrument.server.InstrumentServerManager":{"delete":[51,2,1,""],connect:[51,2,1,""],instances:[51,3,1,""],restart:[51,2,1,""]},"qcodes.instrument.sweep_values":{SweepFixedValues:[51,1,1,""],SweepValues:[51,1,1,""]},"qcodes.instrument.sweep_values.SweepFixedValues":{append:[51,2,1,""],copy:[51,2,1,""],extend:[51,2,1,""],reverse:[51,2,1,""],snapshot_base:[51,2,1,""]},"qcodes.instrument.sweep_values.SweepValues":{__iter__:[51,2,1,""],validate:[51,2,1,""]},"qcodes.instrument.visa":{VisaInstrument:[51,1,1,""]},"qcodes.instrument.visa.VisaInstrument":{ask_raw:[51,2,1,""],check_error:[51,2,1,""],close:[51,2,1,""],default_server_name:[51,6,1,""],set_address:[51,2,1,""],set_terminator:[51,2,1,""],snapshot_base:[51,2,1,""],visa_handle:[51,3,1,""],write_raw:[51,2,1,""]},"qcodes.instrument_drivers":{AlazarTech:[53,0,0,"-"],Harvard:[54,0,0,"-"],QuTech:[55,0,0,"-"],agilent:[56,0,0,"-"],ithaco:[57,0,0,"-"],oxford:[58,0,0,"-"],rigol:[59,0,0,"-"],rohde_schwarz:[60,0,0,"-"],signal_hound:[61,0,0,"-"],stanford_research:[62,0,0,"-"],tektronix:[63,0,0,"-"],test:[52,0,0,"-"],weinschel:[64,0,0,"-"]},"qcodes.instrument_drivers.AlazarTech":{ATS9870:[53,0,0,"-"],ATS:[53,0,0,"-"],ATS_acquisition_controllers:[53,0,0,"-"]},"qcodes.instrument_drivers.AlazarTech.ATS":{AcquisitionController:[53,1,1,""],AlazarParameter:[53,1,1,""],AlazarTech_ATS:[53,1,1,""],Buffer:[53,1,1,""],TrivialDictionary:[53,1,1,""]},"qcodes.instrument_drivers.AlazarTech.ATS.AcquisitionController":{_alazar:[53,3,1,""],handle_buffer:[53,2,1,""],post_acquire:[53,2,1,""],pre_acquire:[53,2,1,""],pre_start_capture:[53,2,1,""]},"qcodes.instrument_drivers.AlazarTech.ATS.AlazarParameter":{get:[53,2,1,""]},"qcodes.instrument_drivers.AlazarTech.ATS.AlazarTech_ATS":{acquire:[53,2,1,""],channels:[53,3,1,""],clear_buffers:[53,2,1,""],config:[53,2,1,""],dll_path:[53,3,1,""],find_boards:[53,6,1,""],get_board_info:[53,6,1,""],get_idn:[53,2,1,""],get_sample_rate:[53,2,1,""],signal_to_volt:[53,2,1,""]},"qcodes.instrument_drivers.AlazarTech.ATS.Buffer":{__del__:[53,2,1,""],free_mem:[53,2,1,""]},"qcodes.instrument_drivers.AlazarTech.ATS9870":{AlazarTech_ATS9870:[53,1,1,""]},"qcodes.instrument_drivers.AlazarTech.ATS_acquisition_controllers":{Demodulation_AcquisitionController:[53,1,1,""]},"qcodes.instrument_drivers.AlazarTech.ATS_acquisition_controllers.Demodulation_AcquisitionController":{do_acquisition:[53,2,1,""],fit:[53,2,1,""],handle_buffer:[53,2,1,""],post_acquire:[53,2,1,""],pre_acquire:[53,2,1,""],pre_start_capture:[53,2,1,""],update_acquisitionkwargs:[53,2,1,""]},"qcodes.instrument_drivers.Harvard":{Decadac:[54,0,0,"-"]},"qcodes.instrument_drivers.Harvard.Decadac":{Decadac:[54,1,1,""]},"qcodes.instrument_drivers.Harvard.Decadac.Decadac":{_ramp_state:[54,3,1,""],_ramp_time:[54,3,1,""],get_ramping:[54,2,1,""],set_ramping:[54,2,1,""]},"qcodes.instrument_drivers.QuTech":{IVVI:[55,0,0,"-"]},"qcodes.instrument_drivers.QuTech.IVVI":{IVVI:[55,1,1,""]},"qcodes.instrument_drivers.QuTech.IVVI.IVVI":{Fullrange:[55,3,1,""],Halfrange:[55,3,1,""],ask:[55,2,1,""],get_all:[55,2,1,""],get_idn:[55,2,1,""],get_pol_dac:[55,2,1,""],read:[55,2,1,""],set_dacs_zero:[55,2,1,""],set_pol_dacrack:[55,2,1,""],write:[55,2,1,""]},"qcodes.instrument_drivers.agilent":{Agilent_34400A:[56,0,0,"-"],E8527D:[56,0,0,"-"],HP33210A:[56,0,0,"-"],test_suite:[56,0,0,"-"]},"qcodes.instrument_drivers.agilent.Agilent_34400A":{Agilent_34400A:[56,1,1,""]},"qcodes.instrument_drivers.agilent.Agilent_34400A.Agilent_34400A":{clear_errors:[56,2,1,""],display_clear:[56,2,1,""],init_measurement:[56,2,1,""],reset:[56,2,1,""]},"qcodes.instrument_drivers.agilent.E8527D":{Agilent_E8527D:[56,1,1,""]},"qcodes.instrument_drivers.agilent.E8527D.Agilent_E8527D":{deg_to_rad:[56,2,1,""],off:[56,2,1,""],on:[56,2,1,""],parse_on_off:[56,2,1,""],rad_to_deg:[56,2,1,""]},"qcodes.instrument_drivers.agilent.HP33210A":{Agilent_HP33210A:[56,1,1,""]},"qcodes.instrument_drivers.agilent.test_suite":{TestAgilent_E8527D:[56,1,1,""]},"qcodes.instrument_drivers.agilent.test_suite.TestAgilent_E8527D":{driver:[56,3,1,""],setUpClass:[56,6,1,""],test_firmware_version:[56,2,1,""],test_frequency:[56,2,1,""],test_on_off:[56,2,1,""],test_phase:[56,2,1,""],test_power:[56,2,1,""]},"qcodes.instrument_drivers.ithaco":{Ithaco_1211:[57,0,0,"-"]},"qcodes.instrument_drivers.ithaco.Ithaco_1211":{CurrentParameter:[57,1,1,""],Ithaco_1211:[57,1,1,""]},"qcodes.instrument_drivers.ithaco.Ithaco_1211.CurrentParameter":{get:[57,2,1,""]},"qcodes.instrument_drivers.ithaco.Ithaco_1211.Ithaco_1211":{get_idn:[57,2,1,""]},"qcodes.instrument_drivers.oxford":{mercuryiPS:[58,0,0,"-"],triton:[58,0,0,"-"]},"qcodes.instrument_drivers.oxford.mercuryiPS":{MercuryiPS:[58,1,1,""]},"qcodes.instrument_drivers.oxford.mercuryiPS.MercuryiPS":{hold:[58,2,1,""],rtos:[58,2,1,""],to_zero:[58,2,1,""],write:[58,2,1,""]},"qcodes.instrument_drivers.oxford.triton":{Triton:[58,1,1,""]},"qcodes.instrument_drivers.oxford.triton.Triton":{get_idn:[58,2,1,""]},"qcodes.instrument_drivers.rigol":{DG4000:[59,0,0,"-"]},"qcodes.instrument_drivers.rigol.DG4000":{Rigol_DG4000:[59,1,1,""],clean_string:[59,4,1,""],is_number:[59,4,1,""],parse_multiple_outputs:[59,4,1,""],parse_single_output:[59,4,1,""],parse_string_output:[59,4,1,""]},"qcodes.instrument_drivers.rohde_schwarz":{SGS100A:[60,0,0,"-"],SMR40:[60,0,0,"-"],ZNB20:[60,0,0,"-"]},"qcodes.instrument_drivers.rohde_schwarz.SGS100A":{RohdeSchwarz_SGS100A:[60,1,1,""]},"qcodes.instrument_drivers.rohde_schwarz.SGS100A.RohdeSchwarz_SGS100A":{off:[60,2,1,""],on:[60,2,1,""],parse_on_off:[60,2,1,""],set_pulsemod_source:[60,2,1,""],set_pulsemod_state:[60,2,1,""],set_status:[60,2,1,""]},"qcodes.instrument_drivers.rohde_schwarz.SMR40":{RohdeSchwarz_SMR40:[60,1,1,""]},"qcodes.instrument_drivers.rohde_schwarz.SMR40.RohdeSchwarz_SMR40":{do_get_frequency:[60,2,1,""],do_get_power:[60,2,1,""],do_get_pulse_delay:[60,2,1,""],do_get_status:[60,2,1,""],do_get_status_of_ALC:[60,2,1,""],do_get_status_of_modulation:[60,2,1,""],do_set_frequency:[60,2,1,""],do_set_power:[60,2,1,""],do_set_pulse_delay:[60,2,1,""],do_set_status:[60,2,1,""],do_set_status_of_ALC:[60,2,1,""],do_set_status_of_modulation:[60,2,1,""],get_all:[60,2,1,""],off:[60,2,1,""],off_modulation:[60,2,1,""],on:[60,2,1,""],on_modulation:[60,2,1,""],reset:[60,2,1,""],set_ext_trig:[60,2,1,""]},"qcodes.instrument_drivers.rohde_schwarz.ZNB20":{FrequencySweep:[60,1,1,""],ZNB20:[60,1,1,""]},"qcodes.instrument_drivers.rohde_schwarz.ZNB20.FrequencySweep":{get:[60,2,1,""],set_sweep:[60,2,1,""]},"qcodes.instrument_drivers.rohde_schwarz.ZNB20.ZNB20":{initialise:[60,2,1,""]},"qcodes.instrument_drivers.signal_hound":{USB_SA124B:[61,0,0,"-"]},"qcodes.instrument_drivers.signal_hound.USB_SA124B":{SignalHound_USB_SA124B:[61,1,1,""],constants:[61,1,1,""]},"qcodes.instrument_drivers.signal_hound.USB_SA124B.SignalHound_USB_SA124B":{QuerySweep:[61,2,1,""],abort:[61,2,1,""],check_for_error:[61,2,1,""],closeDevice:[61,2,1,""],configure:[61,2,1,""],default_server_name:[61,6,1,""],dll_path:[61,3,1,""],get_power_at_freq:[61,2,1,""],get_spectrum:[61,2,1,""],initialisation:[61,2,1,""],openDevice:[61,2,1,""],prepare_for_measurement:[61,2,1,""],preset:[61,2,1,""],saStatus:[61,3,1,""],saStatus_inverted:[61,3,1,""],safe_reload:[61,2,1,""],sweep:[61,2,1,""]},"qcodes.instrument_drivers.signal_hound.USB_SA124B.constants":{SA_MAX_DEVICES:[61,3,1,""],TG_THRU_0DB:[61,3,1,""],TG_THRU_20DB:[61,3,1,""],sa124_MAX_FREQ:[61,3,1,""],sa124_MIN_FREQ:[61,3,1,""],sa44_MAX_FREQ:[61,3,1,""],sa44_MIN_FREQ:[61,3,1,""],saDeviceTypeNone:[61,3,1,""],saDeviceTypeSA124A:[61,3,1,""],saDeviceTypeSA124B:[61,3,1,""],saDeviceTypeSA44:[61,3,1,""],saDeviceTypeSA44B:[61,3,1,""],sa_AUDIO:[61,3,1,""],sa_AUDIO_AM:[61,3,1,""],sa_AUDIO_CW:[61,3,1,""],sa_AUDIO_FM:[61,3,1,""],sa_AUDIO_LSB:[61,3,1,""],sa_AUDIO_USB:[61,3,1,""],sa_AUTO_ATTEN:[61,3,1,""],sa_AUTO_GAIN:[61,3,1,""],sa_AVERAGE:[61,3,1,""],sa_BYPASS:[61,3,1,""],sa_IDLE:[61,3,1,""],sa_IQ:[61,3,1,""],sa_IQ_SAMPLE_RATE:[61,3,1,""],sa_LIN_FULL_SCALE:[61,3,1,""],sa_LIN_SCALE:[61,3,1,""],sa_LOG_FULL_SCALE:[61,3,1,""],sa_LOG_SCALE:[61,3,1,""],sa_LOG_UNITS:[61,3,1,""],sa_MAX_ATTEN:[61,3,1,""],sa_MAX_GAIN:[61,3,1,""],sa_MAX_IQ_DECIMATION:[61,3,1,""],sa_MAX_RBW:[61,3,1,""],sa_MAX_REF:[61,3,1,""],sa_MAX_RT_RBW:[61,3,1,""],sa_MIN_IQ_BANDWIDTH:[61,3,1,""],sa_MIN_MAX:[61,3,1,""],sa_MIN_RBW:[61,3,1,""],sa_MIN_RT_RBW:[61,3,1,""],sa_MIN_SPAN:[61,3,1,""],sa_POWER_UNITS:[61,3,1,""],sa_REAL_TIME:[61,3,1,""],sa_SWEEPING:[61,3,1,""],sa_TG_SWEEP:[61,3,1,""],sa_VOLT_UNITS:[61,3,1,""]},"qcodes.instrument_drivers.stanford_research":{SR560:[62,0,0,"-"],SR830:[62,0,0,"-"],SR865:[62,0,0,"-"]},"qcodes.instrument_drivers.stanford_research.SR560":{SR560:[62,1,1,""],VoltageParameter:[62,1,1,""]},"qcodes.instrument_drivers.stanford_research.SR560.SR560":{get_idn:[62,2,1,""]},"qcodes.instrument_drivers.stanford_research.SR560.VoltageParameter":{get:[62,2,1,""]},"qcodes.instrument_drivers.stanford_research.SR830":{SR830:[62,1,1,""]},"qcodes.instrument_drivers.stanford_research.SR865":{SR865:[62,1,1,""]},"qcodes.instrument_drivers.tektronix":{AWG5014:[63,0,0,"-"],AWG520:[63,0,0,"-"],Keithley_2000:[63,0,0,"-"],Keithley_2600:[63,0,0,"-"],Keithley_2700:[63,0,0,"-"]},"qcodes.instrument_drivers.tektronix.AWG5014":{Tektronix_AWG5014:[63,1,1,""],parsestr:[63,4,1,""]},"qcodes.instrument_drivers.tektronix.AWG5014.Tektronix_AWG5014":{AWG_FILE_FORMAT_CHANNEL:[63,3,1,""],AWG_FILE_FORMAT_HEAD:[63,3,1,""],all_channels_off:[63,2,1,""],all_channels_on:[63,2,1,""],change_folder:[63,2,1,""],clear_waveforms:[63,2,1,""],create_and_goto_dir:[63,2,1,""],delete_all_waveforms_from_list:[63,2,1,""],force_event:[63,2,1,""],force_trigger_event:[63,2,1,""],generate_awg_file:[63,2,1,""],generate_sequence_cfg:[63,2,1,""],get_DC_out:[63,2,1,""],get_DC_state:[63,2,1,""],get_all:[63,2,1,""],get_current_folder_name:[63,2,1,""],get_error:[63,2,1,""],get_filenames:[63,2,1,""],get_folder_contents:[63,2,1,""],get_refclock:[63,2,1,""],get_sequence_length:[63,2,1,""],get_sq_length:[63,2,1,""],get_sq_mode:[63,2,1,""],get_sq_position:[63,2,1,""],get_sqel_loopcnt:[63,2,1,""],get_sqel_trigger_wait:[63,2,1,""],get_sqel_waveform:[63,2,1,""],get_state:[63,2,1,""],goto_root:[63,2,1,""],import_and_load_waveform_file_to_channel:[63,2,1,""],import_waveform_file:[63,2,1,""],initialize_dc_waveforms:[63,2,1,""],is_awg_ready:[63,2,1,""],load_and_set_sequence:[63,2,1,""],load_awg_file:[63,2,1,""],pack_waveform:[63,2,1,""],parse_int_int_ext:[63,2,1,""],parse_int_pos_neg:[63,2,1,""],resend_waveform:[63,2,1,""],run:[63,2,1,""],send_DC_pulse:[63,2,1,""],send_awg_file:[63,2,1,""],send_waveform:[63,2,1,""],send_waveform_to_list:[63,2,1,""],set_DC_out:[63,2,1,""],set_DC_state:[63,2,1,""],set_current_folder_name:[63,2,1,""],set_filename:[63,2,1,""],set_refclock_ext:[63,2,1,""],set_refclock_int:[63,2,1,""],set_setup_filename:[63,2,1,""],set_sq_length:[63,2,1,""],set_sqel_event_jump_target_index:[63,2,1,""],set_sqel_event_jump_type:[63,2,1,""],set_sqel_event_target_index:[63,2,1,""],set_sqel_event_target_index_next:[63,2,1,""],set_sqel_goto_state:[63,2,1,""],set_sqel_goto_target_index:[63,2,1,""],set_sqel_loopcnt:[63,2,1,""],set_sqel_loopcnt_to_inf:[63,2,1,""],set_sqel_trigger_wait:[63,2,1,""],set_sqel_waveform:[63,2,1,""],sq_forced_jump:[63,2,1,""],start:[63,2,1,""],stop:[63,2,1,""],upload_awg_file:[63,2,1,""]},"qcodes.instrument_drivers.tektronix.AWG520":{Tektronix_AWG520:[63,1,1,""]},"qcodes.instrument_drivers.tektronix.AWG520.Tektronix_AWG520":{change_folder:[63,2,1,""],clear_waveforms:[63,2,1,""],delete_all_waveforms_from_list:[63,2,1,""],force_logicjump:[63,2,1,""],force_trigger:[63,2,1,""],get_all:[63,2,1,""],get_current_folder_name:[63,2,1,""],get_filenames:[63,2,1,""],get_folder_contents:[63,2,1,""],get_jumpmode:[63,2,1,""],get_state:[63,2,1,""],goto_root:[63,2,1,""],load_and_set_sequence:[63,2,1,""],make_directory:[63,2,1,""],resend_waveform:[63,2,1,""],return_self:[63,2,1,""],send_pattern:[63,2,1,""],send_sequence2:[63,2,1,""],send_sequence:[63,2,1,""],send_waveform:[63,2,1,""],set_current_folder_name:[63,2,1,""],set_jumpmode:[63,2,1,""],set_sequence:[63,2,1,""],set_setup_filename:[63,2,1,""],start:[63,2,1,""],stop:[63,2,1,""]},"qcodes.instrument_drivers.tektronix.Keithley_2000":{Keithley_2000:[63,1,1,""],parse_output_bool:[63,4,1,""],parse_output_string:[63,4,1,""]},"qcodes.instrument_drivers.tektronix.Keithley_2000.Keithley_2000":{trigger:[63,2,1,""]},"qcodes.instrument_drivers.tektronix.Keithley_2600":{Keithley_2600:[63,1,1,""]},"qcodes.instrument_drivers.tektronix.Keithley_2600.Keithley_2600":{ask:[63,2,1,""],get_idn:[63,2,1,""],reset:[63,2,1,""],write:[63,2,1,""]},"qcodes.instrument_drivers.tektronix.Keithley_2700":{Keithley_2700:[63,1,1,""],bool_to_str:[63,4,1,""],parsebool:[63,4,1,""],parseint:[63,4,1,""],parsestr:[63,4,1,""]},"qcodes.instrument_drivers.tektronix.Keithley_2700.Keithley_2700":{get_all:[63,2,1,""],reset:[63,2,1,""],set_defaults:[63,2,1,""],set_mode:[63,2,1,""],set_mode_volt_dc:[63,2,1,""]},"qcodes.instrument_drivers.test":{DriverTestCase:[52,1,1,""],test_instrument:[52,4,1,""],test_instruments:[52,4,1,""]},"qcodes.instrument_drivers.test.DriverTestCase":{driver:[52,3,1,""],setUpClass:[52,6,1,""]},"qcodes.instrument_drivers.weinschel":{Weinschel_8320:[64,0,0,"-"],test_suite:[64,0,0,"-"]},"qcodes.instrument_drivers.weinschel.Weinschel_8320":{Weinschel_8320:[64,1,1,""]},"qcodes.instrument_drivers.weinschel.test_suite":{TestWeinschel_8320:[64,1,1,""]},"qcodes.instrument_drivers.weinschel.test_suite.TestWeinschel_8320":{driver:[64,3,1,""],test_attenuation:[64,2,1,""],test_firmware_version:[64,2,1,""]},"qcodes.loops":{ActiveLoop:[48,1,1,""],Loop:[48,1,1,""],get_bg:[48,4,1,""],halt_bg:[48,4,1,""]},"qcodes.loops.ActiveLoop":{HALT:[48,3,1,""],HALT_DEBUG:[48,3,1,""],containers:[48,2,1,""],get_data_set:[48,2,1,""],run:[48,2,1,""],run_temp:[48,2,1,""],set_common_attrs:[48,2,1,""],signal_period:[48,3,1,""],snapshot_base:[48,2,1,""],then:[48,2,1,""],with_bg_task:[48,2,1,""]},"qcodes.loops.Loop":{each:[48,2,1,""],loop:[48,2,1,""],run:[48,2,1,""],run_temp:[48,2,1,""],snapshot_base:[48,2,1,""],then:[48,2,1,""],validate_actions:[48,5,1,""],with_bg_task:[48,2,1,""]},"qcodes.measure":{Measure:[48,1,1,""]},"qcodes.measure.Measure":{__init__:[28,2,1,""],dummy_parameter:[48,3,1,""],run:[48,2,1,""],run_temp:[48,2,1,""],snapshot_base:[48,2,1,""]},"qcodes.plots":{base:[65,0,0,"-"],colors:[65,0,0,"-"],pyqtgraph:[65,0,0,"-"],qcmatplotlib:[65,0,0,"-"]},"qcodes.plots.base":{BasePlot:[65,1,1,""]},"qcodes.plots.base.BasePlot":{add:[65,2,1,""],add_to_plot:[65,2,1,""],add_updater:[65,2,1,""],clear:[65,2,1,""],expand_trace:[65,2,1,""],get_default_title:[65,2,1,""],get_label:[65,2,1,""],halt:[65,2,1,""],replace:[65,2,1,""],save:[65,2,1,""],update:[65,2,1,""],update_plot:[65,2,1,""]},"qcodes.plots.colors":{make_rgba:[65,4,1,""],one_rgba:[65,4,1,""]},"qcodes.plots.pyqtgraph":{QtPlot:[65,1,1,""],TransformState:[65,1,1,""]},"qcodes.plots.pyqtgraph.QtPlot":{__init__:[30,2,1,""],add_subplot:[65,2,1,""],add_to_plot:[65,2,1,""],clear:[65,2,1,""],proc:[65,3,1,""],rpg:[65,3,1,""],save:[65,2,1,""],setGeometry:[65,2,1,""],set_cmap:[65,2,1,""],update_plot:[65,2,1,""]},"qcodes.plots.pyqtgraph.TransformState":{__getnewargs__:[65,2,1,""],__new__:[65,5,1,""],__repr__:[65,2,1,""],revisit:[65,3,1,""],scale:[65,3,1,""],translate:[65,3,1,""]},"qcodes.plots.qcmatplotlib":{MatPlot:[65,1,1,""]},"qcodes.plots.qcmatplotlib.MatPlot":{__init__:[31,2,1,""],add_to_plot:[65,2,1,""],clear:[65,2,1,""],save:[65,2,1,""],update_plot:[65,2,1,""]},"qcodes.process":{helpers:[66,0,0,"-"],qcodes_process:[66,0,0,"-"],server:[66,0,0,"-"],stream_queue:[66,0,0,"-"]},"qcodes.process.helpers":{kill_processes:[66,4,1,""],kill_queue:[66,4,1,""],set_mp_method:[66,4,1,""]},"qcodes.process.qcodes_process":{QcodesProcess:[66,1,1,""]},"qcodes.process.qcodes_process.QcodesProcess":{__repr__:[66,2,1,""],run:[66,2,1,""]},"qcodes.process.server":{BaseServer:[66,1,1,""],ServerManager:[66,1,1,""]},"qcodes.process.server.BaseServer":{handle_get_handlers:[66,2,1,""],handle_halt:[66,2,1,""],handle_method_call:[66,2,1,""],process_query:[66,2,1,""],report_error:[66,2,1,""],run_event_loop:[66,2,1,""],timeout:[66,3,1,""]},"qcodes.process.server.ServerManager":{ask:[66,2,1,""],close:[66,2,1,""],halt:[66,2,1,""],restart:[66,2,1,""],write:[66,2,1,""]},"qcodes.process.stream_queue":{StreamQueue:[66,1,1,""],get_stream_queue:[66,4,1,""]},"qcodes.process.stream_queue.StreamQueue":{__del__:[66,2,1,""],connect:[66,2,1,""],disconnect:[66,2,1,""],get:[66,2,1,""],instance:[66,3,1,""]},"qcodes.station":{Station:[48,1,1,""]},"qcodes.station.Station":{"default":[48,3,1,""],__getitem__:[48,2,1,""],__init__:[34,2,1,""],add_component:[48,2,1,""],delegate_attr_dicts:[48,3,1,""],measure:[48,2,1,""],set_measurement:[48,2,1,""],snapshot_base:[48,2,1,""]},"qcodes.test":{test_core:[48,4,1,""],test_part:[48,4,1,""]},"qcodes.tests":{common:[67,0,0,"-"],data_mocks:[67,0,0,"-"],instrument_mocks:[67,0,0,"-"],py35_syntax:[67,0,0,"-"],test_combined_par:[67,0,0,"-"],test_command:[67,0,0,"-"],test_config:[67,0,0,"-"],test_data:[67,0,0,"-"],test_deferred_operations:[67,0,0,"-"],test_driver_testcase:[67,0,0,"-"],test_format:[67,0,0,"-"],test_hdf5formatter:[67,0,0,"-"],test_helpers:[67,0,0,"-"],test_instrument:[67,0,0,"-"],test_instrument_server:[67,0,0,"-"],test_json:[67,0,0,"-"],test_location_provider:[67,0,0,"-"],test_loop:[67,0,0,"-"],test_measure:[67,0,0,"-"],test_metadata:[67,0,0,"-"],test_multiprocessing:[67,0,0,"-"],test_nested_attrs:[67,0,0,"-"],test_parameter:[67,0,0,"-"],test_plots:[67,0,0,"-"],test_sweep_values:[67,0,0,"-"],test_validators:[67,0,0,"-"],test_visa:[67,0,0,"-"]},"qcodes.tests.common":{strip_qc:[67,4,1,""]},"qcodes.tests.data_mocks":{DataSet1D:[67,4,1,""],DataSet2D:[67,4,1,""],DataSetCombined:[67,4,1,""],MatchIO:[67,1,1,""],MockArray:[67,1,1,""],MockDataManager:[67,1,1,""],MockFormatter:[67,1,1,""],MockLive:[67,1,1,""],RecordingMockFormatter:[67,1,1,""],file_1d:[67,4,1,""],files_combined:[67,4,1,""]},"qcodes.tests.data_mocks.MatchIO":{join:[67,2,1,""],list:[67,2,1,""]},"qcodes.tests.data_mocks.MockArray":{array_id:[67,3,1,""],init_data:[67,2,1,""]},"qcodes.tests.data_mocks.MockDataManager":{ask:[67,2,1,""],query_lock:[67,3,1,""],restart:[67,2,1,""]},"qcodes.tests.data_mocks.MockFormatter":{read:[67,2,1,""],read_metadata:[67,2,1,""],write:[67,2,1,""],write_metadata:[67,2,1,""]},"qcodes.tests.data_mocks.MockLive":{arrays:[67,3,1,""]},"qcodes.tests.data_mocks.RecordingMockFormatter":{write:[67,2,1,""],write_metadata:[67,2,1,""]},"qcodes.tests.instrument_mocks":{AMockModel:[67,1,1,""],DummyInstrument:[67,1,1,""],MockGates:[67,1,1,""],MockInstTester:[67,1,1,""],MockMetaParabola:[67,1,1,""],MockMeter:[67,1,1,""],MockParabola:[67,1,1,""],MockSource:[67,1,1,""],MultiGetter:[67,1,1,""],ParamNoDoc:[67,1,1,""]},"qcodes.tests.instrument_mocks.AMockModel":{fmt:[67,5,1,""],gates_get:[67,2,1,""],gates_set:[67,2,1,""],gateslocal_get:[67,2,1,""],gateslocal_set:[67,2,1,""],meter_get:[67,2,1,""],meterlocal_get:[67,2,1,""],source_get:[67,2,1,""],source_set:[67,2,1,""],sourcelocal_get:[67,2,1,""],sourcelocal_set:[67,2,1,""]},"qcodes.tests.instrument_mocks.MockGates":{slow_neg_set:[67,2,1,""]},"qcodes.tests.instrument_mocks.MockInstTester":{add5:[67,2,1,""],attach_adder:[67,2,1,""]},"qcodes.tests.instrument_mocks.MockMetaParabola":{shared_kwargs:[67,3,1,""]},"qcodes.tests.instrument_mocks.MultiGetter":{get:[67,2,1,""]},"qcodes.tests.instrument_mocks.ParamNoDoc":{get_attrs:[67,2,1,""]},"qcodes.tests.py35_syntax":{f_async:[67,4,1,""]},"qcodes.tests.test_combined_par":{DumyPar:[67,1,1,""],TestMultiPar:[67,1,1,""],linear:[67,4,1,""]},"qcodes.tests.test_combined_par.DumyPar":{set:[67,2,1,""]},"qcodes.tests.test_combined_par.TestMultiPar":{setUp:[67,2,1,""],testAggregator:[67,2,1,""],testArrays:[67,2,1,""],testCombine:[67,2,1,""],testLen:[67,2,1,""],testMeta:[67,2,1,""],testMutable:[67,2,1,""],testSet:[67,2,1,""],testSweep:[67,2,1,""],testSweepBadSetpoints:[67,2,1,""],testWrongLen:[67,2,1,""]},"qcodes.tests.test_command":{CustomError:[67,7,1,""],TestCommand:[67,1,1,""]},"qcodes.tests.test_command.TestCommand":{test_bad_calls:[67,2,1,""],test_cmd_function:[67,2,1,""],test_cmd_str:[67,2,1,""],test_no_cmd:[67,2,1,""]},"qcodes.tests.test_config":{TestConfig:[67,1,1,""],side_effect:[67,4,1,""]},"qcodes.tests.test_config.TestConfig":{setUp:[67,2,1,""],test_bad_config_files:[67,2,1,""],test_bad_user_schema:[67,2,1,""],test_default_config_files:[67,2,1,""],test_missing_config_file:[67,2,1,""],test_update_and_validate_user_config:[67,2,1,""],test_update_user_config:[67,2,1,""],test_user_schema:[67,2,1,""]},"qcodes.tests.test_data":{TestDataArray:[67,1,1,""],TestDataSet:[67,1,1,""],TestDataSetMetaData:[67,1,1,""],TestLoadData:[67,1,1,""],TestNewData:[67,1,1,""]},"qcodes.tests.test_data.TestDataArray":{test_attributes:[67,2,1,""],test_clear:[67,2,1,""],test_data_set_property:[67,2,1,""],test_edit_and_mark:[67,2,1,""],test_edit_and_mark_slice:[67,2,1,""],test_fraction_complete:[67,2,1,""],test_init_data_error:[67,2,1,""],test_nest_empty:[67,2,1,""],test_nest_preset:[67,2,1,""],test_preset_data:[67,2,1,""],test_repr:[67,2,1,""]},"qcodes.tests.test_data.TestDataSet":{failing_func:[67,2,1,""],logging_func:[67,2,1,""],mock_sync:[67,2,1,""],tearDown:[67,2,1,""],test_complete:[67,2,1,""],test_constructor_errors:[67,2,1,""],test_default_parameter:[67,2,1,""],test_fraction_complete:[67,2,1,""],test_from_server:[67,2,1,""],test_pickle_dataset:[67,2,1,""],test_to_server:[67,2,1,""],test_write_copy:[67,2,1,""]},"qcodes.tests.test_data.TestDataSetMetaData":{test_snapshot:[67,2,1,""]},"qcodes.tests.test_data.TestLoadData":{setUp:[67,2,1,""],test_get_live:[67,2,1,""],test_get_read:[67,2,1,""],test_load_false:[67,2,1,""],test_no_live_data:[67,2,1,""],test_no_saved_data:[67,2,1,""]},"qcodes.tests.test_data.TestNewData":{setUpClass:[67,6,1,""],tearDownClass:[67,6,1,""],test_location_functions:[67,2,1,""],test_mode_error:[67,2,1,""],test_overwrite:[67,2,1,""]},"qcodes.tests.test_deferred_operations":{TestDeferredOperations:[67,1,1,""]},"qcodes.tests.test_deferred_operations.TestDeferredOperations":{test_basic:[67,2,1,""],test_binary_both:[67,2,1,""],test_binary_constants:[67,2,1,""],test_complicated:[67,2,1,""],test_errors:[67,2,1,""],test_unary:[67,2,1,""]},"qcodes.tests.test_driver_testcase":{EmptyModel:[67,1,1,""],HasNoDriver:[67,1,1,""],HasNoInstances:[67,1,1,""],MockMock2:[67,1,1,""],MockMock:[67,1,1,""],TestDriverTestCase:[67,1,1,""]},"qcodes.tests.test_driver_testcase.HasNoDriver":{noskip:[67,3,1,""]},"qcodes.tests.test_driver_testcase.HasNoInstances":{driver:[67,3,1,""],noskip:[67,3,1,""]},"qcodes.tests.test_driver_testcase.TestDriverTestCase":{driver:[67,3,1,""],noskip:[67,3,1,""],setUpClass:[67,6,1,""],tearDownClass:[67,6,1,""],test_instance_found:[67,2,1,""],test_no_driver:[67,2,1,""],test_no_instances:[67,2,1,""]},"qcodes.tests.test_format":{TestBaseFormatter:[67,1,1,""],TestGNUPlotFormat:[67,1,1,""]},"qcodes.tests.test_format.TestBaseFormatter":{setUp:[67,2,1,""],tearDown:[67,2,1,""],test_group_arrays:[67,2,1,""],test_init_and_bad_read:[67,2,1,""],test_match_save_range:[67,2,1,""],test_no_files:[67,2,1,""],test_overridable_methods:[67,2,1,""]},"qcodes.tests.test_format.TestGNUPlotFormat":{add_star:[67,2,1,""],checkArrayAttrs:[67,2,1,""],checkArraysEqual:[67,2,1,""],setUp:[67,2,1,""],tearDown:[67,2,1,""],test_constructor_errors:[67,2,1,""],test_format_options:[67,2,1,""],test_full_write:[67,2,1,""],test_incremental_write:[67,2,1,""],test_multifile:[67,2,1,""],test_read_errors:[67,2,1,""]},"qcodes.tests.test_hdf5formatter":{TestHDF5_Format:[67,1,1,""]},"qcodes.tests.test_hdf5formatter.TestHDF5_Format":{checkArrayAttrs:[67,2,1,""],checkArraysEqual:[67,2,1,""],setUp:[67,2,1,""],test_closed_file:[67,2,1,""],test_dataset_closing:[67,2,1,""],test_dataset_finalize_closes_file:[67,2,1,""],test_dataset_flush_after_write:[67,2,1,""],test_dataset_with_missing_attrs:[67,2,1,""],test_double_closing_gives_warning:[67,2,1,""],test_full_write_read_1D:[67,2,1,""],test_full_write_read_2D:[67,2,1,""],test_incremental_write:[67,2,1,""],test_loop_writing:[67,2,1,""],test_loop_writing_2D:[67,2,1,""],test_metadata_write_read:[67,2,1,""],test_read_writing_dicts_withlists_to_hdf5:[67,2,1,""],test_reading_into_existing_data_array:[67,2,1,""],test_str_to_bool:[67,2,1,""],test_writing_metadata:[67,2,1,""],test_writing_unsupported_types_to_hdf5:[67,2,1,""]},"qcodes.tests.test_helpers":{A:[67,1,1,""],BadKeysDict:[67,1,1,""],NoDelDict:[67,1,1,""],TestClassStrings:[67,1,1,""],TestCompareDictionaries:[67,1,1,""],TestDelegateAttributes:[67,1,1,""],TestIsFunction:[67,1,1,""],TestIsSequence:[67,1,1,""],TestIsSequenceOf:[67,1,1,""],TestJSONencoder:[67,1,1,""],TestMakeSweep:[67,1,1,""],TestMakeUnique:[67,1,1,""],TestPermissiveRange:[67,1,1,""],TestStripAttrs:[67,1,1,""],TestWaitSecs:[67,1,1,""]},"qcodes.tests.test_helpers.A":{x:[67,3,1,""],y:[67,3,1,""]},"qcodes.tests.test_helpers.BadKeysDict":{keys:[67,2,1,""]},"qcodes.tests.test_helpers.TestClassStrings":{setUp:[67,2,1,""],test_full_class:[67,2,1,""],test_named_repr:[67,2,1,""]},"qcodes.tests.test_helpers.TestCompareDictionaries":{test_bad_dict:[67,2,1,""],test_key_diff:[67,2,1,""],test_nested_key_diff:[67,2,1,""],test_same:[67,2,1,""],test_val_diff_seq:[67,2,1,""],test_val_diff_simple:[67,2,1,""]},"qcodes.tests.test_helpers.TestDelegateAttributes":{test_delegate_both:[67,2,1,""],test_delegate_dict:[67,2,1,""],test_delegate_dicts:[67,2,1,""],test_delegate_object:[67,2,1,""],test_delegate_objects:[67,2,1,""]},"qcodes.tests.test_helpers.TestIsFunction":{AClass:[67,1,1,""],test_coroutine_check:[67,2,1,""],test_function:[67,2,1,""],test_methods:[67,2,1,""],test_non_function:[67,2,1,""],test_type_cast:[67,2,1,""]},"qcodes.tests.test_helpers.TestIsFunction.AClass":{method_a:[67,2,1,""],method_b:[67,2,1,""],method_c:[67,2,1,""]},"qcodes.tests.test_helpers.TestIsSequence":{AClass:[67,1,1,""],a_func:[67,2,1,""],test_no:[67,2,1,""],test_yes:[67,2,1,""]},"qcodes.tests.test_helpers.TestIsSequenceOf":{test_depth:[67,2,1,""],test_simple:[67,2,1,""]},"qcodes.tests.test_helpers.TestJSONencoder":{testNumpyJSONEncoder:[67,2,1,""]},"qcodes.tests.test_helpers.TestMakeSweep":{test_bad_calls:[67,2,1,""],test_good_calls:[67,2,1,""]},"qcodes.tests.test_helpers.TestMakeUnique":{test_changes:[67,2,1,""],test_no_changes:[67,2,1,""]},"qcodes.tests.test_helpers.TestPermissiveRange":{test_bad_calls:[67,2,1,""],test_good_calls:[67,2,1,""]},"qcodes.tests.test_helpers.TestStripAttrs":{test_normal:[67,2,1,""],test_pathological:[67,2,1,""]},"qcodes.tests.test_helpers.TestWaitSecs":{test_bad_calls:[67,2,1,""],test_good_calls:[67,2,1,""],test_warning:[67,2,1,""]},"qcodes.tests.test_instrument":{GatesBadDelayType:[67,1,1,""],GatesBadDelayValue:[67,1,1,""],TestInstrument2:[67,1,1,""],TestInstrument:[67,1,1,""],TestLocalMock:[67,1,1,""],TestModelAttrAccess:[67,1,1,""]},"qcodes.tests.test_instrument.TestInstrument":{check_set_amplitude2:[67,2,1,""],check_ts:[67,2,1,""],getmem:[67,2,1,""],setUp:[67,2,1,""],setUpClass:[67,6,1,""],tearDownClass:[67,6,1,""],test_add_delete_components:[67,2,1,""],test_add_function:[67,2,1,""],test_attr_access:[67,2,1,""],test_base_instrument_errors:[67,2,1,""],test_component_attr_access:[67,2,1,""],test_creation_failure:[67,2,1,""],test_deferred_ops:[67,2,1,""],test_instance_name_uniqueness:[67,2,1,""],test_instances:[67,2,1,""],test_manual_parameter:[67,2,1,""],test_manual_snapshot:[67,2,1,""],test_max_delay_errors:[67,2,1,""],test_mock_idn:[67,2,1,""],test_mock_instrument:[67,2,1,""],test_mock_instrument_errors:[67,2,1,""],test_mock_set_sweep:[67,2,1,""],test_remote_sweep_values:[67,2,1,""],test_remove_instance:[67,2,1,""],test_reprs:[67,2,1,""],test_set_sweep_errors:[67,2,1,""],test_slow_set:[67,2,1,""],test_standard_snapshot:[67,2,1,""],test_sweep_steps_edge_case:[67,2,1,""],test_unpicklable:[67,2,1,""],test_update_components:[67,2,1,""],test_val_mapping:[67,2,1,""],test_val_mapping_ints:[67,2,1,""],test_val_mapping_parsers:[67,2,1,""],tests_get_latest:[67,2,1,""]},"qcodes.tests.test_instrument.TestInstrument2":{setUp:[67,2,1,""],tearDown:[67,2,1,""],test_attr_access:[67,2,1,""],test_validate_function:[67,2,1,""]},"qcodes.tests.test_instrument.TestLocalMock":{setUpClass:[67,6,1,""],tearDownClass:[67,6,1,""],test_instances:[67,2,1,""],test_local:[67,2,1,""]},"qcodes.tests.test_instrument.TestModelAttrAccess":{setUp:[67,2,1,""],tearDown:[67,2,1,""],test_attr_access:[67,2,1,""]},"qcodes.tests.test_instrument_server":{Holder:[67,1,1,""],TestInstrumentServer:[67,1,1,""],TimedInstrumentServer:[67,1,1,""],get_results:[67,4,1,""],run_schedule:[67,4,1,""],schedule:[67,4,1,""]},"qcodes.tests.test_instrument_server.Holder":{close:[67,2,1,""],connection_attrs:[67,2,1,""],functions:[67,3,1,""],get:[67,2,1,""],get_extras:[67,2,1,""],name:[67,3,1,""],parameters:[67,3,1,""],set:[67,2,1,""],shared_kwargs:[67,3,1,""]},"qcodes.tests.test_instrument_server.TestInstrumentServer":{maxDiff:[67,3,1,""],setUpClass:[67,6,1,""],tearDownClass:[67,6,1,""],test_normal:[67,2,1,""]},"qcodes.tests.test_instrument_server.TimedInstrumentServer":{timeout:[67,3,1,""]},"qcodes.tests.test_json":{TestNumpyJson:[67,1,1,""]},"qcodes.tests.test_json.TestNumpyJson":{setUp:[67,2,1,""],test_numpy_fail:[67,2,1,""],test_numpy_good:[67,2,1,""]},"qcodes.tests.test_location_provider":{TestFormatLocation:[67,1,1,""],TestSafeFormatter:[67,1,1,""]},"qcodes.tests.test_location_provider.TestFormatLocation":{test_default:[67,2,1,""],test_errors:[67,2,1,""],test_fmt_subparts:[67,2,1,""],test_record_call:[67,2,1,""],test_record_override:[67,2,1,""]},"qcodes.tests.test_location_provider.TestSafeFormatter":{test_missing:[67,2,1,""],test_normal_formatting:[67,2,1,""]},"qcodes.tests.test_loop":{AbortingGetter:[67,1,1,""],FakeMonitor:[67,1,1,""],TestBG:[67,1,1,""],TestLoop:[67,1,1,""],TestMetaData:[67,1,1,""],TestMockInstLoop:[67,1,1,""],TestSignal:[67,1,1,""],sleeper:[67,4,1,""]},"qcodes.tests.test_loop.AbortingGetter":{get:[67,2,1,""],reset:[67,2,1,""],set_queue:[67,2,1,""]},"qcodes.tests.test_loop.FakeMonitor":{call:[67,2,1,""]},"qcodes.tests.test_loop.TestBG":{test_get_halt:[67,2,1,""]},"qcodes.tests.test_loop.TestLoop":{check_snap_ts:[67,2,1,""],setUp:[67,2,1,""],setUpClass:[67,6,1,""],test_bad_actors:[67,2,1,""],test_bad_delay:[67,2,1,""],test_bare_wait:[67,2,1,""],test_breakif:[67,2,1,""],test_composite_params:[67,2,1,""],test_default_measurement:[67,2,1,""],test_delay0:[67,2,1,""],test_nesting:[67,2,1,""],test_nesting_2:[67,2,1,""],test_repr:[67,2,1,""],test_tasks_callable_arguments:[67,2,1,""],test_tasks_waits:[67,2,1,""],test_then_action:[67,2,1,""],test_then_construction:[67,2,1,""],test_very_short_delay:[67,2,1,""],test_zero_delay:[67,2,1,""]},"qcodes.tests.test_loop.TestMetaData":{test_basic:[67,2,1,""]},"qcodes.tests.test_loop.TestMockInstLoop":{check_empty_data:[67,2,1,""],check_loop_data:[67,2,1,""],setUp:[67,2,1,""],tearDown:[67,2,1,""],test_background_and_datamanager:[67,2,1,""],test_background_no_datamanager:[67,2,1,""],test_enqueue:[67,2,1,""],test_foreground_and_datamanager:[67,2,1,""],test_foreground_no_datamanager:[67,2,1,""],test_foreground_no_datamanager_progress:[67,2,1,""],test_local_instrument:[67,2,1,""],test_progress_calls:[67,2,1,""],test_sync_no_overwrite:[67,2,1,""]},"qcodes.tests.test_loop.TestSignal":{check_data:[67,2,1,""],test_halt:[67,2,1,""],test_halt_quiet:[67,2,1,""]},"qcodes.tests.test_measure":{TestMeasure:[67,1,1,""]},"qcodes.tests.test_measure.TestMeasure":{setUp:[67,2,1,""],test_array_and_scalar:[67,2,1,""],test_simple_array:[67,2,1,""],test_simple_scalar:[67,2,1,""]},"qcodes.tests.test_metadata":{TestMetadatable:[67,1,1,""]},"qcodes.tests.test_metadata.TestMetadatable":{HasSnapshot:[67,1,1,""],HasSnapshotBase:[67,1,1,""],test_init:[67,2,1,""],test_load:[67,2,1,""],test_snapshot:[67,2,1,""]},"qcodes.tests.test_metadata.TestMetadatable.HasSnapshot":{snapshot:[67,2,1,""]},"qcodes.tests.test_metadata.TestMetadatable.HasSnapshotBase":{snapshot_base:[67,2,1,""]},"qcodes.tests.test_multiprocessing":{CustomError:[67,7,1,""],EmptyServer:[67,1,1,""],ServerManagerTest:[67,1,1,""],TestMpMethod:[67,1,1,""],TestQcodesProcess:[67,1,1,""],TestServerManager:[67,1,1,""],TestStreamQueue:[67,1,1,""],delayed_put:[67,4,1,""],sqtest_echo:[67,1,1,""],sqtest_echo_f:[67,4,1,""],sqtest_exception:[67,4,1,""]},"qcodes.tests.test_multiprocessing.TestMpMethod":{test_set_mp_method:[67,2,1,""]},"qcodes.tests.test_multiprocessing.TestQcodesProcess":{setUp:[67,2,1,""],test_not_in_notebook:[67,2,1,""],test_qcodes_process:[67,2,1,""],test_qcodes_process_exception:[67,2,1,""]},"qcodes.tests.test_multiprocessing.TestServerManager":{check_error:[67,2,1,""],test_mechanics:[67,2,1,""],test_pathological_edge_cases:[67,2,1,""]},"qcodes.tests.test_multiprocessing.TestStreamQueue":{test_connection:[67,2,1,""],test_del:[67,2,1,""],test_sq_writer:[67,2,1,""]},"qcodes.tests.test_multiprocessing.sqtest_echo":{halt:[67,2,1,""],send_err:[67,2,1,""],send_out:[67,2,1,""]},"qcodes.tests.test_nested_attrs":{TestNestedAttrAccess:[67,1,1,""]},"qcodes.tests.test_nested_attrs.TestNestedAttrAccess":{test_bad_attr:[67,2,1,""],test_nested:[67,2,1,""],test_simple:[67,2,1,""]},"qcodes.tests.test_parameter":{TestManualParameter:[67,1,1,""],TestParamConstructor:[67,1,1,""],TestStandardParam:[67,1,1,""]},"qcodes.tests.test_parameter.TestManualParameter":{test_bare_function:[67,2,1,""]},"qcodes.tests.test_parameter.TestParamConstructor":{blank_instruments:[67,3,1,""],named_instrument:[67,3,1,""],test_full_name:[67,2,1,""],test_full_names:[67,2,1,""],test_name_s:[67,2,1,""],test_repr:[67,2,1,""]},"qcodes.tests.test_parameter.TestStandardParam":{test_param_cmd_with_parsing:[67,2,1,""]},"qcodes.tests.test_plots":{TestMatPlot:[67,1,1,""],TestQtPlot:[67,1,1,""]},"qcodes.tests.test_plots.TestMatPlot":{setUp:[67,2,1,""],tearDown:[67,2,1,""],test_creation:[67,2,1,""]},"qcodes.tests.test_plots.TestQtPlot":{setUp:[67,2,1,""],tearDown:[67,2,1,""],test_creation:[67,2,1,""]},"qcodes.tests.test_sweep_values":{TestSweepValues:[67,1,1,""]},"qcodes.tests.test_sweep_values.TestSweepValues":{setUp:[67,2,1,""],test_base:[67,2,1,""],test_errors:[67,2,1,""],test_repr:[67,2,1,""],test_snapshot:[67,2,1,""],test_valid:[67,2,1,""]},"qcodes.tests.test_validators":{AClass:[67,1,1,""],TestAnything:[67,1,1,""],TestArrays:[67,1,1,""],TestBaseClass:[67,1,1,""],TestBool:[67,1,1,""],TestEnum:[67,1,1,""],TestInts:[67,1,1,""],TestMultiType:[67,1,1,""],TestMultiples:[67,1,1,""],TestNumbers:[67,1,1,""],TestStrings:[67,1,1,""],a_func:[67,4,1,""]},"qcodes.tests.test_validators.AClass":{method_a:[67,2,1,""]},"qcodes.tests.test_validators.TestAnything":{test_failed_anything:[67,2,1,""],test_real_anything:[67,2,1,""]},"qcodes.tests.test_validators.TestArrays":{test_min_max:[67,2,1,""],test_shape:[67,2,1,""],test_type:[67,2,1,""]},"qcodes.tests.test_validators.TestBaseClass":{BrokenValidator:[67,1,1,""],test_broken:[67,2,1,""],test_instantiate:[67,2,1,""]},"qcodes.tests.test_validators.TestBool":{bools:[67,3,1,""],not_bools:[67,3,1,""],test_bool:[67,2,1,""]},"qcodes.tests.test_validators.TestEnum":{enums:[67,3,1,""],not_enums:[67,3,1,""],test_bad:[67,2,1,""],test_good:[67,2,1,""]},"qcodes.tests.test_validators.TestInts":{ints:[67,3,1,""],not_ints:[67,3,1,""],test_failed_numbers:[67,2,1,""],test_max:[67,2,1,""],test_min:[67,2,1,""],test_range:[67,2,1,""],test_unlimited:[67,2,1,""]},"qcodes.tests.test_validators.TestMultiType":{test_bad:[67,2,1,""],test_good:[67,2,1,""]},"qcodes.tests.test_validators.TestMultiples":{divisors:[67,3,1,""],multiples:[67,3,1,""],not_divisors:[67,3,1,""],not_multiples:[67,3,1,""],test_divisors:[67,2,1,""]},"qcodes.tests.test_validators.TestNumbers":{not_numbers:[67,3,1,""],numbers:[67,3,1,""],test_failed_numbers:[67,2,1,""],test_max:[67,2,1,""],test_min:[67,2,1,""],test_range:[67,2,1,""],test_unlimited:[67,2,1,""]},"qcodes.tests.test_validators.TestStrings":{chinese:[67,3,1,""],danish:[67,3,1,""],long_string:[67,3,1,""],not_strings:[67,3,1,""],strings:[67,3,1,""],test_failed_strings:[67,2,1,""],test_max:[67,2,1,""],test_min:[67,2,1,""],test_range:[67,2,1,""],test_unlimited:[67,2,1,""]},"qcodes.tests.test_visa":{MockVisa:[67,1,1,""],MockVisaHandle:[67,1,1,""],TestVisaInstrument:[67,1,1,""]},"qcodes.tests.test_visa.MockVisa":{set_address:[67,2,1,""]},"qcodes.tests.test_visa.MockVisaHandle":{ask:[67,2,1,""],clear:[67,2,1,""],close:[67,2,1,""],write:[67,2,1,""]},"qcodes.tests.test_visa.TestVisaInstrument":{args1:[67,3,1,""],args2:[67,3,1,""],args3:[67,3,1,""],test_ask_write_local:[67,2,1,""],test_ask_write_server:[67,2,1,""],test_default_server_name:[67,2,1,""],test_visa_backend:[67,2,1,""]},"qcodes.utils":{command:[68,0,0,"-"],deferred_operations:[68,0,0,"-"],helpers:[68,0,0,"-"],metadata:[68,0,0,"-"],nested_attrs:[68,0,0,"-"],reload_code:[68,0,0,"-"],threading:[68,0,0,"-"],timing:[68,0,0,"-"],validators:[68,0,0,"-"]},"qcodes.utils.command":{Command:[68,1,1,""],NoCommandError:[68,7,1,""]},"qcodes.utils.command.Command":{__call__:[68,2,1,""],call_by_str:[68,2,1,""],call_by_str_parsed_in2:[68,2,1,""],call_by_str_parsed_in2_out:[68,2,1,""],call_by_str_parsed_in:[68,2,1,""],call_by_str_parsed_in_out:[68,2,1,""],call_by_str_parsed_out:[68,2,1,""],call_cmd_parsed_in2:[68,2,1,""],call_cmd_parsed_in2_out:[68,2,1,""],call_cmd_parsed_in:[68,2,1,""],call_cmd_parsed_in_out:[68,2,1,""],call_cmd_parsed_out:[68,2,1,""]},"qcodes.utils.deferred_operations":{DeferredOperations:[68,1,1,""],is_function:[68,4,1,""]},"qcodes.utils.deferred_operations.DeferredOperations":{__and__:[68,2,1,""],__or__:[68,2,1,""],get:[68,2,1,""]},"qcodes.utils.helpers":{DelegateAttributes:[68,1,1,""],LogCapture:[68,1,1,""],NumpyJSONEncoder:[68,1,1,""],compare_dictionaries:[68,4,1,""],deep_update:[68,4,1,""],full_class:[68,4,1,""],in_notebook:[68,4,1,""],is_sequence:[68,4,1,""],is_sequence_of:[68,4,1,""],make_sweep:[68,4,1,""],make_unique:[68,4,1,""],named_repr:[68,4,1,""],permissive_range:[68,4,1,""],strip_attrs:[68,4,1,""],tprint:[68,4,1,""],wait_secs:[68,4,1,""]},"qcodes.utils.helpers.DelegateAttributes":{delegate_attr_dicts:[68,3,1,""],delegate_attr_objects:[68,3,1,""],omit_delegate_attrs:[68,3,1,""]},"qcodes.utils.helpers.NumpyJSONEncoder":{"default":[68,2,1,""]},"qcodes.utils.metadata":{Metadatable:[68,1,1,""]},"qcodes.utils.metadata.Metadatable":{load_metadata:[68,2,1,""],snapshot:[68,2,1,""],snapshot_base:[68,2,1,""]},"qcodes.utils.nested_attrs":{NestedAttrAccess:[68,1,1,""]},"qcodes.utils.nested_attrs.NestedAttrAccess":{callattr:[68,2,1,""],delattr:[68,2,1,""],getattr:[68,2,1,""],setattr:[68,2,1,""]},"qcodes.utils.reload_code":{is_good_module:[68,4,1,""],reload_code:[68,4,1,""],reload_recurse:[68,4,1,""]},"qcodes.utils.threading":{RespondingThread:[68,1,1,""],thread_map:[68,4,1,""]},"qcodes.utils.threading.RespondingThread":{output:[68,2,1,""],run:[68,2,1,""]},"qcodes.utils.timing":{calibrate:[68,4,1,""],mptest:[68,4,1,""],report:[68,4,1,""],sleeper:[68,4,1,""]},"qcodes.utils.validators":{Anything:[68,1,1,""],Arrays:[68,1,1,""],Bool:[68,1,1,""],Enum:[68,1,1,""],Ints:[68,1,1,""],MultiType:[68,1,1,""],Multiples:[68,1,1,""],Numbers:[68,1,1,""],OnOff:[68,1,1,""],Strings:[68,1,1,""],Validator:[68,1,1,""],range_str:[68,4,1,""],validate_all:[68,4,1,""]},"qcodes.utils.validators.Anything":{is_numeric:[68,3,1,""],validate:[68,2,1,""]},"qcodes.utils.validators.Arrays":{is_numeric:[68,3,1,""],validate:[68,2,1,""],validtypes:[68,3,1,""]},"qcodes.utils.validators.Bool":{validate:[68,2,1,""]},"qcodes.utils.validators.Enum":{validate:[68,2,1,""]},"qcodes.utils.validators.Ints":{is_numeric:[68,3,1,""],validate:[68,2,1,""],validtypes:[68,3,1,""]},"qcodes.utils.validators.MultiType":{validate:[68,2,1,""]},"qcodes.utils.validators.Multiples":{validate:[68,2,1,""]},"qcodes.utils.validators.Numbers":{is_numeric:[68,3,1,""],validate:[68,2,1,""],validtypes:[68,3,1,""]},"qcodes.utils.validators.OnOff":{validate:[68,2,1,""]},"qcodes.utils.validators.Strings":{validate:[68,2,1,""]},"qcodes.utils.validators.Validator":{is_numeric:[68,3,1,""],validate:[68,2,1,""]},"qcodes.widgets":{display:[69,0,0,"-"],widgets:[69,0,0,"-"]},"qcodes.widgets.display":{display_auto:[69,4,1,""]},"qcodes.widgets.widgets":{HiddenUpdateWidget:[69,1,1,""],SubprocessWidget:[69,1,1,""],UpdateWidget:[69,1,1,""],get_subprocess_widget:[69,4,1,""],show_subprocess_widget:[69,4,1,""]},"qcodes.widgets.widgets.SubprocessWidget":{abort_timeout:[69,3,1,""],do_update:[69,2,1,""],instance:[69,3,1,""]},"qcodes.widgets.widgets.UpdateWidget":{do_update:[69,2,1,""],halt:[69,2,1,""],interval:[69,3,1,""],restart:[69,2,1,""]},qcodes:{BreakIf:[0,1,1,""],CombinedParameter:[1,1,1,""],Config:[2,1,1,""],DataArray:[3,1,1,""],DataMode:[4,1,1,""],DataSet:[5,1,1,""],DiskIO:[6,1,1,""],FormatLocation:[7,1,1,""],Formatter:[8,1,1,""],Function:[9,1,1,""],GNUPlotFormat:[10,1,1,""],IPInstrument:[11,1,1,""],Instrument:[12,1,1,""],Loop:[13,1,1,""],MockInstrument:[14,1,1,""],MockModel:[15,1,1,""],Parameter:[16,1,1,""],StandardParameter:[17,1,1,""],SweepFixedValues:[18,1,1,""],SweepValues:[19,1,1,""],Task:[20,1,1,""],VisaInstrument:[21,1,1,""],Wait:[22,1,1,""],actions:[48,0,0,"-"],combine:[23,4,1,""],config:[49,0,0,"-"],data:[50,0,0,"-"],get_bg:[24,4,1,""],get_data_manager:[25,4,1,""],halt_bg:[26,4,1,""],instrument:[51,0,0,"-"],instrument_drivers:[52,0,0,"-"],load_data:[27,4,1,""],loops:[48,0,0,"-"],measure:[48,0,0,"-"],new_data:[29,4,1,""],plots:[65,0,0,"-"],process:[66,0,0,"-"],station:[48,0,0,"-"],test:[48,0,0,"-"],tests:[67,0,0,"-"],utils:[68,0,0,"-"],version:[48,0,0,"-"],widgets:[69,0,0,"-"]}},objnames:{"0":["py","module","Python module"],"1":["py","class","Python class"],"2":["py","method","Python method"],"3":["py","attribute","Python attribute"],"4":["py","function","Python function"],"5":["py","staticmethod","Python static method"],"6":["py","classmethod","Python class method"],"7":["py","exception","Python exception"]},objtypes:{"0":"py:module","1":"py:class","2":"py:method","3":"py:attribute","4":"py:function","5":"py:staticmethod","6":"py:classmethod","7":"py:exception"},terms:{"000e":73,"001_13":[7,50],"007e":73,"063e":73,"069e":73,"0x7f920ec0eef0":81,"109e":73,"10mhz":61,"10v":[17,51],"158e":73,"15_rainbow_test":[7,50],"177s":73,"192s":73,"232e":73,"250khz":61,"260e":73,"300e":73,"337e":73,"34e":67,"372e":73,"376e":73,"636e":73,"670e":73,"743e":73,"\u00f8rsted":67,"\u590f\u65e5\u7545\u9500\u699c\u5927\u724c\u7f8e":67,"abstract":84,"boolean":[49,55,63,68],"break":[0,48,50,68,72,73],"byte":[50,53,55,63],"case":[9,13,16,17,48,50,51,52,53,63,67,68,69,73,80,84,85],"class":[0,1,2,3,4,5,6,7,8,9,10,11,12,13,14,15,16,17,18,19,20,21,22,28,30,31,33,34,35,36,37,39,40,42,48,49,50,51,52,53,54,55,56,57,58,59,60,61,62,63,64,65,66,67,68,69,73,76,77,85],"default":[2,3,5,7,9,10,11,12,13,14,15,16,17,21,27,29,30,31,32,34,48,49,50,51,52,53,54,55,57,60,62,63,65,66,68,69,70,71,73,76,83],"enum":[17,49,50,51,67,68,76,81],"export":58,"f\u00e6lled":67,"final":[8,9,17,48,50,51,80,84],"float":[5,9,17,18,29,31,50,51,59,60,63,65,67,68,69],"function":[0,1,5,12,14,17,18,20,23,32,33,35,36,37,39,41,42,47,48,50,53,54,55,56,59,60,61,63,64,66,67,68,69,73,76,77,79,84,85],"goto":63,"import":[32,51,63,66,68,73,77,81,84,85],"int":[3,9,11,17,18,26,48,50,51,54,55,58,63,65,67,68,76],"long":[16,48,51,67,73,77],"new":[3,7,8,9,10,27,29,31,48,49,50,51,63,65,66,68,69,72,79,80,81,84,85],"public":[44,51,73,80],"return":[0,7,9,14,15,16,17,18,24,27,28,29,38,48,49,50,51,53,54,55,57,58,59,60,61,62,63,65,66,67,68,69,76,84,85],"short":[3,50,66,68,84],"static":[11,12,21,48,50,51,65,67],"super":[12,51,85],"switch":[81,84],"throw":[66,67,68],"true":[3,5,10,11,14,16,26,29,30,34,38,48,50,51,54,55,61,63,65,66,67,68,69,73,81,84],"try":[73,84],"var":[10,50],"while":[14,50,51,68,84],AND:[16,48,51],ATS:[47,48,52],Added:63,Adding:73,And:[50,65,81,85],Are:[29,50,84],BUT:73,But:[22,48,50,76],For:[7,10,14,17,21,30,50,51,53,65,73,78,80,81,84,85],Has:77,Its:84,NOT:[7,50,52,66,68,73],Not:[34,48,63,73,81],ONE:73,One:[51,66,79,84,85],POS:55,PRs:73,That:[18,19,51,66,85],The:[1,3,7,9,10,11,12,13,14,15,16,18,20,21,23,27,30,31,32,48,50,51,53,54,58,61,62,65,66,67,68,69,73,75,77,80,81,84,85],Then:[73,80,85],There:[63,73,76,77,81],These:[10,48,50,51,53,61,84],Use:[5,11,12,21,29,50,51,53,73,79],Used:[50,59,65],Uses:[7,50,51],Using:83,Will:[3,50,51,69,81],With:84,__and__:68,__call__:[7,50,51,68],__class__:[50,67],__del__:[51,53,66],__delattr__:51,__dir__:[51,68],__doc__:[9,16,51],__enter__:51,__exit__:51,__getattr__:51,__getitem__:[48,51],__getnewargs__:[50,65],__getstate__:51,__init:[12,51],__init__:[0,1,2,3,4,5,6,7,8,9,10,11,12,13,14,15,16,17,18,19,20,21,22,28,30,31,34,50,51,65,66,68,85],__iter__:[18,19,51],__len__:50,__new__:[50,51,65],__next__:[19,51],__or__:68,__repr__:[50,51,65,66],__setattr__:51,__setitem__:50,_alazar:53,_arg:51,_arg_count:51,_attr:51,_cl:[50,65],_delattr:51,_dif:49,_get:[14,15,51,85],_get_cmd:58,_instrument:51,_instrument_list:85,_local_attr:51,_method:51,_mode:63,_monitor:67,_nodefault:68,_persist:51,_preset:50,_query_queu:66,_ramp_stat:54,_ramp_tim:54,_read_cmd:58,_recv:58,_send:58,_set:[14,15,51,85],_set_async:85,_set_both:85,_t0:51,_val:51,_write_cmd:58,a_func:67,abil:[60,71],abl:[50,67,68,84,85],abort:[50,61,67],abort_timeout:69,abortinggett:67,about:[50,51,63,65,66,68,73,76,79,81,85],abov:[50,51,73,84],abs:[0,48,60],absolut:[6,50,73],accept:[5,6,8,9,10,12,14,20,48,50,51,68,84],access:[40,49,50,51,68],accessor:[51,68],accident:[25,50],accompani:73,accord:[63,80],account:73,accur:[4,8],acknowledg:[11,51],aclass:67,acquir:[16,51,53,84],acquisiion:53,acquisit:[48,51,53,61,73,84],acquisition_conrol:53,acquisition_control:53,acquisitioncontrol:53,acquisiton:53,acquist:53,across:[5,29,50,84],act:[3,17,50,51,66],action:[0,3,13,28,34,44,47,50,76,79,84,85],action_index:50,action_indic:[3,50],activ:[24,26,48,50,69,76,77,80],activeloop:[13,48,67,76],actual:[12,48,50,51,53,66,73,84],adapt:[18,19,51],adaptivesweep:[19,51,76],adawpt:[19,51],add5:67,add:[5,7,11,12,21,29,30,31,34,48,49,50,51,55,56,60,61,63,65,71,73,76,77,81,85],add_arrai:[3,5,29,50],add_compon:[34,48],add_funct:[12,51,73],add_metadata:50,add_paramet:[12,51,73,84,85],add_star:67,add_subplot:65,add_to_plot:65,add_updat:65,added:[3,5,29,30,31,34,48,49,50,51,63,65,68,73,84],adding:[50,51,65,69,73],addit:[11,12,21,50,51,57,79,81,84],address:[11,21,51,55,56,58,59,60,62,63,64,67,73,84],adjust:[55,84],adopt:79,adriaan:[61,63],aeroflex:64,affect:[6,50,66,73],after:[10,13,14,15,17,20,48,49,50,51,53,63,65,66,67,68,69,71,73,81,84],after_writ:67,afterward:50,again:[32,50,51,66,84],against:[49,51,66,76],aggreg:[1,23,51,85],agil:[47,48,52,73],agilent_34400a:[47,48,52],agilent_34401a:56,agilent_34410a:56,agilent_34411a:56,agilent_e8527d:[56,73],agilent_hp33210a:56,agre:50,agument:[0,48],ahead:[18,19,51],aid:84,aim:[17,51],airbnb:73,aka:73,akin:84,ala:[50,79],alazar:53,alazar_driv:53,alazar_nam:53,alazarparamet:53,alazarstartcaptur:53,alazartech:[47,48,52],alazartech_at:53,alazartech_ats9870:53,alex:73,alexcjohnson:73,alexj:65,alia:[50,51,56,64,65,67],all:[1,3,7,8,9,10,12,14,15,16,18,21,23,33,34,48,50,51,52,53,56,58,59,60,61,63,65,66,68,73,76,77,79,80,81,84,85],all_channels_off:63,all_channels_on:63,alloc:53,alloc_buff:53,allocated_buff:53,allow:[11,16,18,19,21,29,32,48,49,50,51,65,66,67,68,73,84],allow_nan:68,almost:84,alon:[3,50],along:[30,31,48,51,61,65,73,76,84],alpha:55,alreadi:[3,8,12,16,48,50,51,63,65,68],also:[0,3,6,8,10,14,17,18,22,29,48,49,50,51,53,57,62,63,65,68,69,73,76,79,80,81,84],alter:51,altern:[14,51],although:[73,80],alwai:[10,14,50,51,54,66,68,73,84],always_nest:[10,50],amen:73,ammet:84,amockmodel:67,among:[7,48,50,85],amp:[57,62],amplifi:[57,62],amplitud:[50,53,63,85],amplitude2:73,ampliud:63,anaconda:[79,80],analog:63,analog_amplitude_n:63,analog_direct_output_n:63,analog_filter_n:63,analog_high_n:63,analog_low_n:63,analog_method_n:63,analog_offset_n:63,analys:60,analysi:[48,73,84],analyz:79,angle_deg:56,angle_rad:56,ani:[1,3,6,7,8,9,10,11,12,13,14,15,16,18,19,20,21,23,24,26,28,34,48,49,50,51,53,63,65,66,67,68,69,73,76,79,84,85],annoi:77,anoth:[7,18,48,50,51,68,79,84],answer:[54,55],anyth:[48,51,68,76],anywai:[15,24,48,51,77],api:[44,46,51,67,79,81,84],apparatu:76,append:[3,18,50,51,65,68,85],appli:[5,9,17,50,51,73],apply_chang:50,appropri:[53,84],approv:73,arbitrari:[9,10,50,51,56,59,63,66,68,76,79],architectur:[66,79,85],area:69,arg:[9,18,20,30,31,32,48,50,51,58,65,66,67,68,69,85],arg_count:68,arg_pars:[9,51],args1:67,args2:[67,68],args3:67,argument:[0,3,5,8,9,16,20,48,49,50,51,68,76],around:[3,50,61,73,84],arrai:[3,5,8,16,28,29,48,50,51,53,59,63,65,67,68,71,76,84,85],array_id:[3,8,50,67,85],arraygett:51,arraygroup:50,arriv:[50,66,84],arrow:80,artichok:67,ask:[12,14,17,50,51,54,55,58,63,66,67,73,77,84],ask_raw:51,asker:66,asopc:53,asopc_typ:53,asrl2:[21,51],assertionerror:73,asserttru:73,assign:[48,73],associ:84,assum:[19,50,51,63,67,69,80,84],astro:67,async:[73,83],asyncio:68,atob:58,ats9870:[47,48,52],ats_acquisition_control:[47,48,52],atsapi:53,attach:[5,12,13,15,48,50,51,67],attach_add:67,attempt:51,attent:73,attenu:64,attr:[50,51,67,68],attribut:[2,3,4,5,7,8,11,12,14,15,16,17,21,28,30,34,40,48,49,50,51,68,69,73,84],attributeerror:68,author:73,auto:[7,50,65],autocomplet:68,autom:79,automat:[7,27,48,50,65,66,73,79],auxiliari:73,avail:[12,44,46,48,50,51,52,56,58,60,63,66,79,84],avanc:83,averag:[50,53,61,63],avg:[61,73],avoid:50,awai:51,awar:73,awg5014:[47,48,52],awg520:[47,48,52],awg:63,awg_fil:63,awg_file_format_channel:63,awg_file_format_head:63,awkward:65,axes:[58,65],axi:[3,10,16,50,51,65,84],babi:85,back:[19,48,50,51,65,66,67,68,73,79,80,81,84,85],backend:[21,51,65],background:[24,26,48,66,84],background_color:[30,65],background_funct:[5,50],backslash:73,backward:[6,50],badkeysdict:67,bar:[73,81],bare:[11,18,51],base0:85,base1:85,base2:85,base:[3,5,6,7,8,12,15,19,21,27,29,30,47,48,49,50,52,53,54,55,56,57,58,59,60,61,62,63,64,66,67,68,69,73,81,84,85],base_loc:[6,50],baseplot:[30,31,65],baseserv:[50,51,66,85],bash:77,basic:[10,50,53,55,67,79],baudrat:54,bear:73,becaus:[3,5,8,12,15,16,50,51,53,66,67,68,69,73,77,80,84,85],becom:[76,84],been:[15,48,50,51,61,65,69,73,77,84,85],befor:[7,11,12,13,20,26,48,50,51,52,53,63,66,67,68,73,81,84],begin:50,begin_tim:51,behav:[68,73,77],behavior:[32,66,73,84],being:[3,5,29,50,51,61,66,68,77],belong:50,below:[12,16,51,73,76],best:73,beta:[53,56,58,60,61,63],better:[9,48,51,67,68,73,84],between:[5,8,11,12,16,18,29,30,31,48,50,51,63,65,66,68],beyond:50,bg_final_task:48,bg_min_delai:48,bg_task:48,bidirect:[17,51],biggest:77,bind:51,bip:55,bit:[53,63],bits_per_sampl:53,bitwis:68,black:[30,65],blank:[10,50,51,67,73],blank_instru:67,blob:51,block:[10,48,50,66,73,85],blue:49,board:53,board_id:53,board_kind:53,bodi:73,boilerpl:[9,51],bold:76,bool:[3,5,11,14,16,24,26,29,32,34,38,48,50,51,54,57,62,63,66,67,68,69],bool_to_str:63,born:73,both:[6,14,16,50,51,62,63,65,66,73,76,77,79,80,84,85],bottom:[55,80],bound:84,box:69,bracket:73,branch:73,breakif:[44,48,84],bring:50,brittl:84,broader:79,broken:[17,51,77],brokenvalid:67,brows:80,buf:53,buffer:[53,69],buffer_timeout:53,buffers_per_acquisit:53,bug:[51,74],build:[49,50,73,80,84],built:[50,68,77],builtin:[9,51],burden:84,button:73,bwlimit:53,byte_to_value_dict:53,bytes:54,c_amp_in:57,cabl:84,calcul:[51,68,76,84],calibr:[53,68],call:[1,3,5,7,8,9,11,12,15,16,20,21,23,29,32,48,49,50,51,53,61,65,66,67,68,69,73,84],call_by_str:68,call_by_str_parsed_in2:68,call_by_str_parsed_in2_out:68,call_by_str_parsed_in:68,call_by_str_parsed_in_out:68,call_by_str_parsed_out:68,call_cmd:[9,51],call_cmd_parsed_in2:68,call_cmd_parsed_in2_out:68,call_cmd_parsed_in:68,call_cmd_parsed_in_out:68,call_cmd_parsed_out:68,call_func:68,call_part:68,callabl:[0,1,5,7,13,20,22,23,29,48,50,51,65,68,69,84],callattr:[15,51,66,68],callback:69,caller:68,came:53,can:[0,2,3,5,7,9,10,13,15,16,17,18,19,22,28,29,30,31,34,48,49,50,51,53,55,58,59,60,65,66,67,68,69,73,76,77,78,79,81,84,85],cancel:[65,66],cannot:[17,50,51,62,68,73,84],capabl:[50,76,79,84],capit:73,captur:53,card:53,care:69,cartesian:84,cast:[9,51,68],caveat:84,center:61,centr:60,certain:[50,53,58,68],ch1:63,ch2:63,chain:[12,50,51,77,84],chan1:[0,48],chanc:53,chang:[2,5,6,14,16,17,29,32,48,49,50,51,55,62,63,65,66,69,72,73,79,80,81,84],change_autozero:63,change_displai:63,change_fold:63,channel:[14,21,51,53,54,55,58,63,76,84],channel_a:53,channel_cfg:63,channel_no:63,channel_rang:53,channel_select:53,channel_skew_n:63,channel_state_n:63,charact:[10,11,15,16,21,50,51,58,73],characterist:84,check:[22,30,31,38,48,50,51,60,65,67,68,73,78,82,84],check_circular:68,check_data:67,check_empty_data:67,check_error:[51,67],check_for_error:61,check_loop_data:67,check_set_amplitude2:[67,73],check_snap_t:67,check_t:67,checkarrayattr:67,checkarraysequ:67,checklist:73,child:[48,66],chime:73,chines:67,choic:53,choos:[50,51,60,63,84],chore:73,chosen:67,circuit:68,circular:68,classmethod:[12,51,52,53,56,61,67],clean:[26,48,50,59,63,71,73],clean_str:59,cleanup:[8,50],clear:[50,63,65,67,77],clear_buff:53,clear_error:56,clear_sav:50,clear_waveform:63,clearli:[66,73],clever:74,cli:79,click:80,client:66,clip:84,clock:[53,63,68],clock_edg:53,clock_sourc:[53,63],clone:73,close:[50,51,66,67,73],close_fil:[8,50],closedevic:61,closest:50,closur:[67,77],cloud:48,cls:51,cmap:65,cmd:[51,63,67,68,77],code:[9,17,34,38,48,51,56,62,66,67,68,69,74,79,84,85],code_that_makes_log:68,codebas:79,cofnig:49,collect:[18,48,51,53,66,68,69,76,79,84],colon:[51,73],color:[30,47,48],colorbar:[3,50],colorscal:65,column:[10,50,84],com2:[21,51],com:[38,51,56,64,66,68,73,75,80],combin:[1,5,10,27,29,44,50,51,61,65,76,83,84],combinedparamet:[44,51],come:[10,50,69,73,84],comma:51,command:[9,14,17,44,47,48,51,55,56,60,63,66,67,73,76,77,79,84],comment:[10,50,73,85],commit:[53,78,79],common:[33,47,48,51,60,63,66,76,84],commonli:[56,60,63],commun:[5,11,14,21,29,48,50,51,53,58,66,67,76,78,84],compar:[68,73],compare_dictionari:68,compat:[13,20,48,50,51,73,74,79,84],compatibil:63,complain:[50,84],complementari:50,complet:[3,5,48,50,51,63,65,66,68,77,84,85],complex:[51,60,67,73,84],compliant:73,complic:[9,51,67,84],compon:[34,48,51,53,68,79,84],composit:[48,51,84],comprehens:73,comput:[16,51,58,73,80,84],concaten:73,concept:85,concurr:84,conda:80,condit:[0,48,51,58,63,84],confid:51,config:[44,47,48,53,63,65,67,77,83],config_file_nam:[2,49],configur:[2,49,50,51,53,61,63,70,79,83,84],confirm:66,conflict:[50,84],confus:51,confusingli:85,conjunct:51,connect:[4,5,12,14,15,21,29,34,38,48,50,51,53,65,66,68,76,84],connect_messag:51,connection_attr:[51,67],consequ:84,consid:[68,73,77],consist:[28,48,50,55,61,73,84],consol:66,consolid:79,constant:[55,61,67],construct:[0,3,11,17,48,50,51,66,67,68,85],constructor:[3,12,14,16,30,31,43,50,51,65,68,69],consult:84,consum:66,contain:[3,5,7,10,17,34,48,49,50,51,53,56,60,63,65,67,68,73,76,84,85],content:[3,47],context:[32,50,51,66,68,84],contian:53,contin:63,continu:[13,34,48,50,66,73],contrast:73,contribut:[74,78],contributor:73,control:[49,51,53,60,79,81,84,85],controlthermometri:58,conveni:[34,48,63,66,69,84],convers:[63,73],convert:[3,6,16,50,51,53,58,63,65,84],copi:[3,5,15,18,29,50,51,55,63,65,67,84],copy_attrs_from_input:50,core:[48,73,77,78,79,81],coroutin:68,correct:[8,50,51,62],correspond:[10,50,51,53,63,65],cosmet:71,could:[38,51,68,73,84],count:[9,51,67,85],counter:[7,50,67],coupl:[48,53,63,67],couplet:68,cours:[73,84],cov:77,cover:[73,85],coverag:[48,73,77,79],coveragerc:77,cpld:53,cpld_version:53,crash:[53,79],creat:[3,8,12,13,14,15,18,25,28,29,43,48,50,51,53,63,65,66,67,68,69,76,80,81,84,85],creata:50,create_and_goto_dir:63,creation:[51,67,85],creator:73,css:69,curernt:85,curr:[57,62],current:[2,5,6,7,27,29,34,48,49,50,51,57,62,63,65,73,81,84,85],current_config:[2,49],current_config_path:[2,49],current_schema:[2,49],currentparamet:57,custom:[2,6,49,50,65,85],customerror:67,cutoff_hi:62,cutoff_lo:62,cwd:[2,49],cwd_file_nam:[2,49],cycl:84,dac1:67,dac2:67,dac3:67,dac:55,dac_delai:55,dac_max_delai:55,dac_step:55,daemon:66,dai:73,dancer:73,danish:67,dark:[30,65],dat:[10,50],data:[3,5,6,7,8,10,13,17,27,29,30,31,44,47,48,51,53,55,60,63,65,67,68,73,76,79,84,85],data_arrai:[47,48,65,73],data_dict:50,data_kei:65,data_manag:[5,27,29,48,50],data_mock:[47,48],data_set:[8,47,48,65,67,70,73],data_v:[17,51],dataarrai:[5,8,16,29,44,48,50,51,65,76,84],dataflow:53,dataformatt:73,datamanag:[25,27,48,50,76,84],datamin:84,datamod:[5,29,44,50,85],dataserv:[5,27,29,50,76,84],dataset1d:67,dataset2d:67,dataset:[3,4,7,8,10,27,28,29,44,48,50,51,65,67,76,83,85],datasetcombin:67,date:[7,50,53],datetim:[7,50],daunt:73,dbm:60,dc_channel_numb:63,dc_output_level_n:63,deacadac:54,dead:51,deadlock:66,deal:73,dealt:84,debug:[26,48,81,84,85],decadac:[47,48,52],decadec:54,decid:[50,65,84,85],decim:53,declar:[14,51],decor:68,decoupl:73,deep:50,deep_upd:68,def:[58,85],default_file_nam:[2,49],default_fmt:50,default_formatt:[5,27,29,48,50],default_io:[5,27,29,50],default_monitor_period:50,default_parameter_arrai:50,default_parameter_nam:50,default_server_nam:[12,51,61],default_storage_period:50,defaults_schema:49,defer:[0,48,68],deferred_oper:[44,47,48,51],deferredoper:[51,68],defin:[9,15,16,17,48,50,51,57,58,62,63,66,73,76,81,84,85],definit:[9,48,51,65,77,84],deg_to_rad:56,delai:[13,14,17,19,22,48,50,51,60,63,67,68,73,84,85],delattr:[15,51,66,68],delay1:48,delay2:48,delay_arrai:67,delay_in_points_n:63,delay_in_time_n:63,delay_lab:63,delayed_put:67,deleg:[3,50,51,68],delegate_attr_dict:[34,48,50,51,68],delegate_attr_object:[50,51,68],delegateattribut:[48,50,51,68],delet:[50,51,68,73],delete_all_waveforms_from_list:63,demand:84,demodulation_acquisitioncontrol:53,demodulation_frequ:53,denot:[10,16,29,50,51],depend:[10,46,48,50,51,67,68,73,80,84],depth:68,deriv:[50,76],descipt:[2,49],describ:[13,48,49,51,73,81,84],descript:[3,49,50,73,81,84],descriptor:55,design:[56,63,64,84],desir:50,dest:68,destruct:84,detail:[51,73,84],determin:[8,12,27,48,50,51,69],dev:73,develop:[74,77,78,79],deviat:68,devic:[55,60,84],devisor:68,dft:53,dg4000:[47,48,52],dg4062:59,dg4102:59,dg4162:59,dg4202:59,diagon:76,diamond:63,dict:[2,3,7,8,11,12,17,21,29,48,49,50,51,65,67,68,84],dict_1:68,dict_1_nam:68,dict_2:68,dict_2_nam:68,dict_differ:68,dictionari:[34,48,49,50,51,53,63,65,68,81,84],dicts_equ:68,did:[69,80],diff:63,differ:[5,12,16,48,50,51,55,60,63,66,68,73,76,77,79,84,85],differenti:[3,50,51],difficult:73,difficulti:[73,77],digit:63,digital_amplitude_n:63,digital_high_n:63,digital_low_n:63,digital_method_n:63,digital_offset_n:63,dimens:[3,10,50,84],dimension:[3,5,50],dir:[49,51,63,68],direct:[16,51,61,68,73],directli:[5,13,14,48,50,51,58,63,65,66,68,84],directori:[5,6,27,29,48,49,50,63,73,77,80,81],disabl:[5,29,50,69],disadvantag:84,disappear:84,disconnect:[51,66,84],discov:[52,77],discret:84,discuss:[73,78],disk:[5,6,8,29,48,50,84],diskio:[5,7,27,29,44,50,76],displai:[43,47,48,50,63],display_auto:69,display_clear:56,dispos:68,dissip:84,distinct:50,distribut:79,dive:68,diverg:63,divider_r:63,divisor:[67,68],dll:[53,61,84],dll_path:[53,61],dmm:56,do_acquisit:53,do_get_frequ:60,do_get_pow:60,do_get_pulse_delai:60,do_get_statu:60,do_get_status_of_alc:60,do_get_status_of_modul:60,do_set_frequ:60,do_set_pow:60,do_set_pulse_delai:60,do_set_statu:60,do_set_status_of_alc:60,do_set_status_of_modul:60,do_upd:69,doc:[49,50,55,73,80],doccstr:85,dock:69,docstr:[9,14,16,51,63,67,73],document:[9,16,51,53,70,71,73,79,84],doe:[3,7,10,13,21,48,50,51,52,55,56,60,62,63,65,66,67,68,73,77,84],doesn:[3,5,29,50,51,63,65,66,73],doing:[48,50,73,84],domain:58,domin:79,domwidget:69,don:[8,17,18,19,25,32,48,50,51,66,68,73,84,85],done:[48,50,51,71,80,84,85],dot:[49,73,81],dotdict:49,doubl:[7,50,63],doubt:73,down:[51,66,73],download:80,downsid:[15,51],dramat:84,draw:65,driver:[51,52,53,54,55,56,57,58,59,60,61,62,63,64,67,71,73,77,79,83,84],driver_vers:53,drivertestcas:[52,56,64,67],due:[84,85],dummi:[28,48,67,85],dummy_paramet:48,dummyinstru:67,dump:[50,53],dumypar:67,duplic:[50,68],dure:[17,18,22,46,48,51,53,63,84,85],e8527d:[47,48,52,73],each:[3,5,8,9,10,11,13,16,17,18,29,30,34,48,50,51,53,54,56,62,63,64,65,66,67,68,69,73,76,79,84,85],eachot:85,earlier:48,easi:[76,79,80],easier:[14,15,51,73,84],easiest:[12,51,77],easili:[50,79],edgar:67,edit:61,editor:73,effect:[49,51,53,81],either:[8,12,16,17,31,50,51,59,65,66,68,84],electron:79,element:[50,63,68,84],element_no:63,elpi:73,els:[67,73],elsewher:[34,48,51],emac:73,email:78,embed:80,emit:[17,51],emoji:73,empti:[50,51,54],emptymodel:67,emptyserv:67,emul:67,enabl:[14,51],enable_record_head:53,encapsul:84,enclos:48,encod:[9,17,50,51,68],encourag:73,end:[7,18,21,48,50,51,53,63,65,66,68,69,73,79,84],enforc:[51,68],enhanc:68,enough:[73,76],ensur:[50,51,61,62,66,73,84],ensure_ascii:68,ensureconnect:51,enter:[51,84],entir:[34,48,50,68,84],entri:[8,13,44,48,49,50,68],entry_point:50,entrypoint:46,env:[2,49,67,80,81],env_file_nam:[2,49],enviro:80,environ:[79,80,81],equal:67,equip:48,equival:[48,79],err:61,error:[3,12,13,15,17,32,48,50,51,53,55,63,66,67,68,81,85],error_class:67,error_cod:55,error_str:67,especi:48,essenti:56,etc:[3,9,16,17,48,50,51,68,73,84],ethernet:[11,51],eumer:[19,51],evalu:[20,48,50,68],even:[6,8,14,17,18,19,21,32,50,51,63,66,73,84],event:[54,63,66],event_input_imped:63,event_input_polar:63,event_input_threshold:63,event_jump_to:63,eventu:[65,73],everi:[1,5,13,14,15,23,48,49,50,51,53,68,78,84,85],everybodi:[73,78],everyon:73,everyth:[7,44,50,51,68,73,77],exactli:[50,51,65,68,73],exampl:[0,3,7,16,17,19,21,48,49,50,51,53,65,68,73,76,79,80,82,85],exce:73,except:[35,48,50,51,63,65,67,68,73],exec_str:68,execut:[9,20,48,50,51,63,66,67,68,69,76,77,79,84],executor:85,exercis:73,exist:[7,8,12,19,27,29,50,51,63,67,68,73,79,84],existing_match:67,exit:[26,48,51],expand:74,expand_trac:65,expect:[8,13,48,50,58,66,68,73,85],experi:[2,48,49,79,80,84],experiment:[79,84],explain:[73,81,85],explicit:[18,51,65],explicitli:[3,50,69,73,84],expos:81,express:[17,51,84],ext:63,extend:[10,18,50,51,68],extens:[10,50,63,69],extern:[60,61,63],external_add_n:63,external_reference_typ:63,external_startcaptur:53,external_trigger_coupl:53,external_trigger_rang:53,extra:[5,14,15,16,29,49,50,51,67,73,84],extra_schema_path:49,extract:58,extrem:84,f_async:67,fact:73,factori:50,fail:[50,68,73,77,84],failfast:48,failing_func:67,failur:[48,73],fakemonitor:67,falcon:73,fall:65,fals:[3,5,24,25,27,29,32,48,50,51,54,55,56,59,60,62,63,66,67,68,69,73,81,84],faq:83,far:51,fast:[73,84],faster:[14,51,63,73],favor:77,fcontent:63,feasibl:79,feat:73,featur:[61,74,77,79],feed:[57,62],feedback:[19,51,84],feel:[65,73],fetch:[50,58,65],few:[9,51,73],fewer:50,field:[9,10,16,17,50,51,65,68,79,85],fifo_only_stream:53,figsiz:[30,31,65],figur:[31,65,73,80,84],file:[2,5,7,8,10,27,29,48,49,50,55,58,63,65,67,68,69,73,83,84],file_1d:67,file_exist:50,file_path:63,file_typ:69,filen:[2,49],filenam:[50,63,65],filenotfounderror:49,files_combin:67,filestructur:63,filesystem:50,fill:[13,48,50,84],find:[7,24,48,50,51,53,65,68,73,78,81],find_board:53,find_compon:51,find_instru:51,findal:58,fine:[55,84],finger:67,finish:[48,49,53,63,71,84],finish_bi:67,finish_clock:68,firmwar:[51,53,54],first:[3,10,15,16,17,20,24,30,31,48,50,51,65,69,73,84,85],first_cal:69,fit:[16,51,53,73],five:61,fix:[3,9,18,50,51,68,72,73,84,85],fixabl:73,flag:[55,61],flake8:73,flat:50,flat_index:50,flavor:84,flexibl:[76,79],flush:50,fmt:[7,50,65,67],fmt_counter:[7,50],fmt_date:[7,50],fmt_time:[7,50],fname:63,focus:73,folder:[6,10,50,63],follow:[32,49,50,54,65,66,73,77,80,81,84,85],foo:[73,81,85],footer:73,forc:[32,50,63,66],force_ev:63,force_load:63,force_logicjump:63,force_reload:63,force_trigg:63,force_trigger_ev:63,force_writ:[50,67],forcibl:[26,48],foreground:[48,84],foreground_color:[30,65],fork:[32,66,73],forkserv:[32,66],form:[9,51,53,60,65,66,68],format:[5,7,9,10,14,17,27,29,47,48,51,63,65,66,68,79,84],formatloc:[29,44,50,76],formatt:[5,27,29,44,48,50,76,84],formerli:64,formula:68,forward:[6,50,51,53],found:[8,17,20,48,49,50,51,55,65,68,73],four:[54,59],fourier:[16,51,53],fraction:50,fraction_complet:50,framework:[66,73,79,84],free:[51,65,67],free_mem:53,freeli:84,freeze_support:77,freq:[61,63],frequenc:[53,60,61,63,85],frequencysweep:60,frequent:73,frequwnci:60,fridg:[58,79],from:[3,5,7,8,9,10,13,16,17,27,28,29,34,48,49,50,51,53,55,56,57,58,60,62,63,65,66,67,68,69,73,75,76,79,84,85],front:69,full:[5,10,27,29,50,68,79],full_class:68,full_nam:[3,50,51],fulli:[51,65,73],fullrang:55,func:[20,48],func_nam:[51,66],fundament:84,further:[59,76,79],furthermor:68,futur:[50,69,73,85],gain:[57,62,67],garbag:[53,66],gate:[0,48,67,76,84,85],gate_frequ:85,gate_frequency_set:85,gates_get:67,gates_set:67,gatesbaddelaytyp:67,gatesbaddelayvalu:67,gateslocal_get:67,gateslocal_set:67,gdm_mock:67,gener:[5,7,16,18,29,48,50,51,56,59,60,61,63,64,68,73,76,79,80,84],generate_awg_fil:63,generate_sequence_cfg:63,geometri:65,get:[3,8,12,14,15,16,17,34,48,49,50,51,53,55,57,60,62,63,65,66,67,68,69,73,81,84,85],get_al:[55,60,63],get_array_metadata:50,get_attr:[51,67],get_bg:[44,48],get_board_info:53,get_chang:50,get_cmd:[14,17,51,53,85],get_current_folder_nam:63,get_data_manag:[5,27,29,44,50],get_data_set:48,get_dc_out:63,get_dc_stat:63,get_default_titl:65,get_delai:51,get_error:63,get_extra:67,get_filenam:63,get_folder_cont:63,get_funct:53,get_idn:[51,53,55,57,58,62,63],get_instrument_server_manag:51,get_jumpmod:63,get_label:65,get_latest:[0,16,48,51],get_pars:[17,51],get_pol_dac:55,get_power_at_freq:61,get_processed_data:53,get_ramp:54,get_refclock:63,get_result:67,get_sample_r:53,get_sequence_length:63,get_spectrum:61,get_sq_length:63,get_sq_mod:63,get_sq_posit:63,get_sqel_loopcnt:63,get_sqel_trigger_wait:63,get_sqel_waveform:63,get_stat:63,get_stream_queu:66,get_subprocess_widget:69,get_synced_index:50,get_valu:50,getattr:[15,51,66,68],getlatest:51,getmem:67,gettabl:[16,28,48,51,57,62,76,84],getter:76,getx:85,gij:63,git:[77,79],github:[51,73,75,76,79,80],giulio:73,giulioungaretti:73,give:[12,13,48,50,51,63,68,73,84],given:[11,14,48,50,51,53,59,65,67,68,73,84,85],gnu:67,gnuplot:[10,50,79],gnuplot_format:[47,48],gnuplotformat:[5,27,29,44,50,76,84],goal:73,goe:51,good:[60,67,73,77],googl:73,got:73,goto_l:63,goto_root:63,goto_st:63,goto_to_index_no:63,gotten:84,gpib:[21,51,63],gpibserv:[21,51],grab:[51,67,68],grai:[30,65],graphicswindow:[30,65],great:73,greater:[17,51],greatest:84,green:80,group:[50,60,63,73,79,84],group_arrai:50,grow:78,guarante:[38,68],gui:[73,79,81],guid:[53,73,78,80],guidelin:73,h5_group:50,h5py:80,hack:[73,81],hacki:50,had:51,halfrang:55,halt:[22,48,65,66,67,69],halt_bg:[44,48],halt_debug:48,handl:[3,5,9,12,17,29,30,50,51,53,55,65,66,67,76],handle_:66,handle_buff:53,handle_cmd:51,handle_delet:51,handle_finalize_data:50,handle_get_chang:50,handle_get_data:50,handle_get_handl:66,handle_get_measur:50,handle_halt:66,handle_method_cal:66,handle_new:51,handle_new_data:50,handle_new_id:51,handle_store_data:50,handler:[51,66],hang:73,happen:[3,12,20,48,50,51,84],happi:73,hard:[24,48,73],harder:[73,84],hardwar:[12,16,51,55,60,73,76,84],harvard:[47,48,52],has:[3,10,15,16,48,50,51,53,62,63,66,67,69,73,77,81,84,85],has_q:67,hasn:50,hasnodriv:67,hasnoinst:67,hassnapshot:67,hassnapshotbas:67,have:[3,8,10,12,14,15,16,19,48,50,51,53,55,57,61,62,63,65,66,67,68,73,76,78,79,80,84,85],haz:71,hdf5:[50,84],hdf5_format:[47,48],hdf5format:50,head:63,header:73,heatmap:[30,31,65],height:[30,31,65],help:[4,5,8,9,11,16,21,50,51,63,66,68,73,77,79,84],helper:[44,47,48,50,51,69,73,81],here:[3,15,28,32,48,50,51,62,65,66,67,69,73,80,84],hesit:73,hgrecco:51,hidden:66,hiddenupdatewidget:69,hide:69,hierarchi:74,high:[73,84],higher:[48,81,84],highest:[7,50,84],histori:[14,51,73],history_count:[67,73],hkey_current_usersoftwareoxford:58,hold:[15,48,50,51,58,67,76,84,85],hold_repetition_r:63,holder:[51,67],home:[2,49,50,73,81],home_file_nam:[2,49],homepag:77,hop:63,host:51,hotfix:73,hound:61,how:[8,10,13,16,18,19,30,48,50,51,65,67,68,73,75,76,78,84],howev:73,hp33210a:[47,48,52],htm:55,html:[21,51,69],http:[21,38,51,55,66,68,73,75,80],human:53,icon:80,id1:[10,50],id2:[10,50],id3:[10,50],idea:[16,51,60,73,78],ideal:73,idem:63,idempot:[32,50,66],ident:[50,63,68,77,85],identifi:[5,8,10,12,16,50,51,66,68],idn:[51,55],idn_param:51,ids:50,ids_read:50,ids_valu:50,ignor:[16,20,48,50,51,53,66,68,73],igor:79,immedi:[6,34,48,50,51,53,66,69,73,84],impact:84,imped:53,imper:73,implememnt:[34,48],implement:[8,11,18,19,50,51,53,60,61,65],impli:65,implicit:73,implicitli:84,import_and_load_waveform_file_to_channel:63,import_waveform_fil:63,impos:84,improv:[72,73],in_nb_patch:67,in_notebook:[44,68],inch:[31,65],includ:[7,18,21,28,30,31,48,50,51,56,65,68,69,73,76,77,79,84,85],include_dir:50,incompat:77,inconsist:84,inconsistensi:63,incorpor:65,incorrect:73,incorrectli:53,increas:[48,63,73],increment:[10,17,50,51,84],inde:73,indent:[68,73],independ:[8,14,50,51,84],index:[31,50,51,55,63,65,84],index_fil:50,indic:[3,16,50,51,84,85],individu:[5,18,50,51,55],inf:[67,68],infer:[3,50],infinit:51,info:[7,48,50,51,53,63,65,78],inform:[7,11,21,30,50,51,53,54,61,65,68,69,73,79,81,84],inherit:[12,51,53,60,63,68],init:[14,51],init_data:[50,67],init_measur:56,init_on_serv:50,initi:[3,4,5,8,12,27,29,50,51,63,79,84],initial_valu:51,initialis:[60,61],initialize_dc_waveform:63,inner:[3,10,48,50,84],input:[9,12,17,51,55,63,65,68,73,76,84],input_pars:68,insensit:69,insert:[7,50,65,68,81],insid:[5,13,27,29,38,48,50,51,63,65,66,68,73,77,79,80,84],inspir:66,instal:[21,46,51,73,75,79],instanc:[5,9,16,48,50,51,53,57,62,65,66,68,69,84],instanti:[5,12,50,51,66,67,73,84],instead:[3,50,51,66,68,77,85],instruct:[79,80],instrument:[3,9,11,14,15,16,17,21,44,47,48,50,52,53,54,55,56,57,58,59,60,61,62,63,64,67,73,74,77,79,83],instrument_class:51,instrument_cod:[17,51],instrument_driv:[47,48,67,73],instrument_id:51,instrument_mock:[47,48],instrument_nam:[3,50],instrument_testcas:52,instrumentmetaclass:[12,51],instrumentserv:[11,21,51,67,84,85],instrumentservermanag:51,instrumentstriton:58,instument:67,insuffici:84,integ:[3,7,16,31,49,50,51,63,65,68,84],integr:[61,73,84],intellig:84,intend:[19,50,51,66,67,84],interact:[15,51,62,73,80,84],interdepend:84,interest:[73,84],interfac:[50,51,84],interleav:63,interleave_adj_amplitud:63,interleave_adj_phas:63,interleave_sampl:53,intermedi:[51,68,73],intern:[3,50,53,63],internal_trigger_r:63,interpret:[16,51,84],interrupt:[26,48,66,82],interv:[30,31,48,65,68,69],introduct:83,invalid:51,invert:[57,62],invit:73,invoc:48,invok:[48,51,68],involv:[14,51,79,84],io_manag:[5,27,29,48,50,67],io_mang:50,iomanag:[76,84],ipinstru:[44,51,58,76],ipython:[38,68,79],ipywidget:69,irrevers:[51,66,68,84],is_awg_readi:63,is_funct:68,is_good_modul:68,is_live_mod:50,is_numb:59,is_numer:68,is_on_serv:50,is_sequ:68,is_sequence_of:68,is_setpoint:[3,50],isfil:[50,67],isn:[50,65],issu:[71,73,76],ital:76,item:[7,16,18,40,50,51,65,66,68],iter:[18,19,50,51,68,76],ithaco:[47,48,52],ithaco_1211:[47,48,52],its:[3,9,12,15,28,48,50,51,53,63,65,66,67,68,69,73,76,77,80,84,85],itself:[5,7,16,27,29,50,51,53,63,65,73,84],ivvi:[47,48,52],javascript:[69,73],job:[84,85],joe:67,johnson:73,join:[50,67,68,73,78],jorgenschaef:73,json:[11,12,21,48,49,50,51,68,79,81,84],json_config:49,jsonencod:68,jtar_index_no:63,jtar_stat:63,jump:[63,73],jump_index_no:63,jump_log:63,jump_tim:63,jump_to:63,jumplog:63,jupyt:[65,69,79,80,82],just:[5,9,10,12,17,22,29,48,50,51,65,66,67,69,73,76,77,80,83,84,85],jypyt:[38,68],keep:[8,48,50,51,53,54,69,73,79,84],keep_histori:[14,51,67],kei:[5,12,18,29,34,48,49,50,51,53,63,65,67,68,73,81,84],keithlei:63,keithley_2000:[47,48,52],keithley_2600:[47,48,52],keithley_2614b:63,keithley_2700:[47,48,52],kept:81,kernel:[81,82],keyerror:[51,68],keyword:[7,9,20,48,50,51,65,68],kill:66,kill_process:66,kill_queu:66,kind:85,knob:[67,84],know:[18,19,48,50,51,66,73,78,85],known:[3,50,51,64],kwarg:[9,11,12,14,16,17,19,20,21,29,30,31,34,43,48,50,51,53,54,55,56,57,58,59,60,61,62,63,64,65,66,67,68,69,85],kwargs2:68,lab:79,label1:[10,50],label2:[10,50],label3:[10,50],label:[1,3,7,10,16,23,50,51,53,65,73,84,85],lambda:[53,68],languag:[10,50],larg:73,larger:[17,51],largest:51,last:[50,51,53,63,65,67,73,84],last_saved_index:[8,50],later:[5,6,7,12,29,34,48,50,51,69,73,84,85],latest:[48,50,51,53,80,84],latest_cal_d:53,launch:80,layer:50,lead:73,leak:53,learn:79,least:[14,51,65,73,76,84],leav:[11,14,16,50,51],left:[50,51,80],legaci:67,legacy_mp:81,len:[50,63,68,85],lenght:51,length:[28,48,50,51,63,65,68,84,85],less:[50,73,84],let:[3,50,69,73,81,85],letter:73,level:[3,10,48,50,51,63,68,73,81,84,85],lib:68,librari:[68,73,80],life:73,like:[3,8,9,16,17,18,19,50,51,53,56,58,60,63,65,67,68,69,73,76,77,79,81,84],limit:[51,63,68,73,84,85],lin:61,line:[10,30,31,48,50,65,73,77,79],linear:[67,85],linearli:76,liner:73,linespac:68,link:[3,19,50,51,53,76],linkag:74,linspac:85,linux:[32,66,80],list:[1,5,7,9,14,18,23,29,34,44,46,48,50,51,53,55,58,60,63,65,66,67,68,69,71,73,76,84,85],liter:73,littl:[73,84],live:[5,27,29,48,50,51,65,73,75,80,84,85],load:[2,8,27,49,50,51,61,63,68,71,79,81,85],load_and_set_sequ:63,load_awg_fil:63,load_config:[49,67],load_data:[5,44,50],load_default:49,load_metadata:68,loc:[7,50],loc_provid:[7,50],loc_record:[29,50],local:[5,9,11,15,16,17,21,27,29,48,50,51,73,79,84,85],locat:[5,6,7,8,27,29,47,48,65,67,84,85],location_provid:[7,29,48,50,76],lock:62,lockin:[57,62],log:[50,61,66,68,79,85],log_count:[67,73],log_str:68,logcaptur:68,logger:68,logging_func:67,logic:[63,68,73],logic_jump:63,logic_jump_l:63,loglevel:81,logo:71,lograng:[18,51],logview:73,long_str:67,longer:[7,10,13,48,50,51,77],longest:51,look:[7,21,50,51,53,65,66,73,81,84],loop:[0,3,5,8,10,11,12,16,20,21,22,24,28,34,44,47,50,51,53,66,67,68,71,73,76,83,85],loop_indic:50,loopcount:63,lose:51,lot:[3,48,50,63,67,73,77],lotta:67,love:[73,78],low:[51,84,85],lower:[3,50,84],lowest:[7,50],mac:[32,66,77],machin:73,machineri:77,made:[12,14,51,81],magic:68,magnet:[58,79,85],magnitud:[60,84],mai:[0,5,8,9,14,16,18,19,27,30,31,46,48,50,51,65,73,76,81,84],main:[12,48,50,51,63,65,66,67,68,69,84],mainli:48,maintain:[50,57,62,73,74,77,78,84],major:68,majorana:81,make:[3,9,10,12,13,14,15,25,48,50,51,53,58,63,65,66,68,73,76,79,80,84],make_directori:63,make_rgba:65,make_sweep:68,make_uniqu:68,malform:51,manag:[5,7,8,12,15,25,27,29,47,48,51,62,66,67,68,73,84],mandatori:[63,73],mani:[3,5,10,17,18,19,50,51,53,67,68,73,84],manipul:63,manoeuvr:63,manual:[51,55,56,57,60,62,63,67,79,84,85],manualparamet:[48,51,67,85],map:[9,17,31,50,51,53,65,66,67,84],mark:[50,84],mark_sav:50,marker1:63,marker1_amplitude_n:63,marker1_high_n:63,marker1_low_n:63,marker1_method_n:63,marker1_offset_n:63,marker1_skew_n:63,marker2:63,marker2_amplitude_n:63,marker2_high_n:63,marker2_low_n:63,marker2_method_n:63,marker2_offset_n:63,marker2_skew_n:63,marker:[63,65],mashup:71,master:[51,73,80],match:[7,9,10,14,17,50,51,63,65,68,84],match_save_rang:50,matchio:67,math:68,matplot:[44,65],matplotlib:[31,65,80,81],matter:[51,73],max:[10,17,50,51,61,63,68,73],max_delai:[17,51],max_length:68,max_sampl:53,max_val:68,max_val_ag:[17,51],max_valu:68,max_work:85,maxdepth:50,maxdiff:67,maximum:[17,50,51,61,84],mayb:[3,13,48,50,73],mean:[13,17,38,48,50,51,63,68,69,73,81,84,85],meaning:[48,66],meaningless:73,meant:[9,51],measur:[3,5,10,13,16,17,19,20,24,26,29,34,44,47,50,51,57,62,67,83],measured_param:[51,57,62],measured_valu:[19,51],med:73,member:79,memori:[5,29,48,50,51,53,63,84],memory_s:53,mention:[51,73],mercuryip:[47,48,52],merg:[63,73],messag:[24,48,50,51,54,55,66,68,69],message_len:55,mesur:48,met:46,meta:[67,79,83,84],meta_serv:85,meta_server_nam:85,metaclass:[12,47,48],metadat:[19,48,51,67,68],metadata:[3,8,11,12,21,44,47,48,50,51,67,73,79,84],metadata_fil:[10,50],metdata:50,meter:[63,67],meter_get:67,meterlocal_get:67,method:[0,1,2,3,5,6,7,8,9,10,11,12,13,14,15,16,17,18,19,20,21,22,28,30,31,32,34,48,50,51,53,58,65,66,68,69,73,77,84,85],method_a:67,method_b:67,method_c:67,method_nam:66,methodnam:[52,56,64,67],mhz:63,middl:73,might:[53,73,84],mimic:[14,50,51,76],mimick:[50,84],min:[68,73],min_delai:48,min_length:68,min_val:68,min_valu:68,mind:53,mini:[10,50],minim:[50,69],minimum:48,minu:81,mirror:[51,84],misc:44,miss:[49,50,68,73,77,85],mistak:73,mix:73,mixin:68,mock:[47,48,67,73,85],mock_parabola_inst:67,mock_sync:67,mockarrai:67,mockdatamanag:67,mockformatt:67,mockgat:67,mockinst:[14,51],mockinstru:[15,44,51,67,76],mockinsttest:67,mockliv:67,mockmet:67,mockmetaparabola:67,mockmock2:67,mockmock:[67,73],mockmodel:[14,44,51,67],mockparabola:67,mocksourc:67,mockvisa:67,mockvisahandl:67,mode:[4,5,27,29,50,53,60,61,63,66,84,85],model:[14,15,51,53,59,60,67,73,76,81,84],modif:[33,50,51,66,81],modifi:[12,18,50,51,65,66,73],modified_rang:[8,50],modul:[46,47,73,81],modular:[79,84],moment:63,monitor:[13,22,34,48,50,67,76,79,84],more:[5,9,10,12,29,48,50,51,53,63,65,66,67,68,70,73,76,79,80,84],most:[16,32,50,51,53,56,60,63,66,69,73,76,80,84],mostli:[14,51,65,76],motiv:73,move:[50,58,68],mptest:68,msg:[58,67],much:[8,48,50,63,73,84],muck:66,multi:[68,70,84],multidimension:48,multigett:67,multilin:73,multimet:63,multipar:51,multipl:[9,17,24,25,48,50,51,56,60,63,65,67,68,84,85],multipli:84,multiprocess:[11,12,21,32,33,50,51,66,68,70,73,77,79,85],multityp:[68,76],must:[3,7,10,11,12,14,18,19,29,49,50,51,53,62,63,66,68,73,76,84,85],my_experi:80,myinstrument:85,myvector:85,myvector_set:85,name1:67,name2:67,name:[1,2,3,5,7,9,10,11,12,14,15,16,17,21,23,29,34,48,49,50,51,53,54,55,56,57,58,59,60,61,62,63,64,65,66,67,68,69,73,76,80,84,85],name_attr:51,named_instru:67,named_repr:68,namedtupl:50,namespac:[44,48,81],nan:[50,67],natur:48,navg:61,navig:80,nbagg:65,nbi:73,ndarrai:[3,50,51,84],nearli:50,necessari:[3,19,50,51,53,79,84],necessarili:[16,51,73,76],need:[3,12,43,48,50,51,53,58,63,65,66,67,68,69,73,76,77,84,85],neg:[22,48,51,55,67,73],neglect:63,neither:73,nest:[3,13,40,48,50,51,67,68,84],nested_attr:[44,47,48,51,66],nestedattraccess:[15,51,66,68],network:[14,51,60,84],never:[17,51,66,73],new_cmd:51,new_data:[5,44,48,50],new_id:[51,67],new_metadata:50,new_valu:51,newlin:[10,50],next:[7,10,50,63,68,80,84,85],nice:[48,50,51,65,73,80],nicer:66,nick:73,nix:80,no_cmd_funct:68,no_gett:51,no_instru:85,no_sett:51,nobodi:73,nocommanderror:[17,51,68],nodata:50,nodeldict:67,nois:67,non:[28,48,65,68,73,85],nonam:67,none:[1,3,5,7,9,10,11,12,13,14,16,17,18,21,23,24,27,29,31,34,48,49,50,51,52,53,54,55,58,60,61,63,65,66,67,68,69,71,73],nonstandard:[51,68],nor:[50,51,73],normal:[5,6,9,15,18,50,51,58,66,76,84],nose2:77,nose:77,nosetest:77,noskip:67,not_bool:67,not_divisor:67,not_enum:67,not_int:67,not_multipl:67,not_numb:67,not_str:67,notat:[18,51],note:[5,14,16,17,18,19,21,27,29,46,48,50,51,57,61,62,63,65,66,74,79,81,84,85],notebook:[38,65,68,69,73,77,79,80,81,82],noth:[50,66,77],notic:50,notimplementederror:68,now:[34,48,63,65,72,73,77,80,81,85],nplc:63,npt:60,nrep:63,nrep_l:63,num:[18,31,51,65,68],number:[7,10,11,13,14,16,18,21,48,50,51,53,54,59,60,63,65,67,68,69,73,76,84,85],number_format:[10,50],number_of_channel:53,number_of_paramet:85,numdac:55,numer:[10,50,51,67,68,84],numpi:[3,16,50,51,63,68,84,85],numpoint:63,numpyjsonencod:68,nxm:51,obj:68,object:[3,6,8,9,12,13,15,16,17,18,19,27,29,34,48,49,50,51,53,61,65,66,67,68,73,74,81,84,85],obscur:67,obtain:[50,53],obviou:[13,48],occasion:[8,50],occupi:[7,50],occur:[55,81,84],off:[9,51,56,60,63,68,73],off_modul:60,offer:85,offload:[5,27,29,50,84],often:[5,29,48,50,73,76],omit:[17,27,48,50,51,58,65,68],omit_delegate_attr:[51,68],on_modul:60,onc:[3,8,16,48,50,51,73,76,80,84,85],one:[1,3,5,8,9,10,12,13,14,16,17,18,23,27,29,32,48,50,51,52,53,55,60,62,63,65,66,67,68,73,76,84,85],one_rgba:65,ones:[48,56,60,63,73],onetwo:67,onli:[3,5,7,9,10,12,14,15,16,17,18,19,29,32,48,49,50,51,53,56,57,58,60,62,63,66,67,68,69,73,77,84],only_complet:50,only_exist:[25,50],onoff:68,onto:[51,63,66,84],open:[8,11,21,31,50,51,65,73,79,80,84],opendevic:61,oper:[0,6,12,14,18,48,50,51,68,81,84,85],opposit:[30,65],optim:[67,79],option:[1,3,5,7,8,9,11,12,16,17,18,19,21,23,27,29,32,48,49,50,51,52,58,63,65,66,67,68,69,71,73,77],optiona:[49,54],order:[1,5,9,23,48,49,50,51,67,68,73,81,84],ordereddict:[5,50],org:[21,51],organ:73,orient:84,origin:[32,48,66,68,84],osx:80,other:[7,8,11,12,13,15,20,21,22,28,30,31,48,50,51,53,57,62,65,66,68,69,73,79,84],otherwis:[3,24,27,48,50,51,53,65,66,68,73,84],our:[10,48,50,66,73],out:[0,16,48,51,53,66,67,68,73,78,79,82,84],outer:[3,10,48,50,84],output:[9,13,17,28,48,50,51,55,57,59,60,62,63,66,68,69,73,84],output_pars:68,output_waveform_name_n:63,outsid:[22,48,53],outstand:50,over:[8,13,18,19,48,50,51,53,61,68,73,76,84,85],overhead:[14,50,51,84],overrid:[5,7,8,15,29,48,50,51,66,68,69],overridden:[12,16,51,69],overview:[81,83],overwrit:[29,48,50,55,63,81],overwritten:[7,50,67],own:[9,48,50,51,53,66,68,69,73,84],oxford:[47,48,52],pack:63,pack_waveform:63,packag:[46,47,73,77,79,81],packed_waveform:63,page:[44,46,73,84],pai:73,panel:79,panic:84,parabola:67,parallel:[48,68],param1:48,param2:48,param3:48,param4:48,param5:48,param6:48,param:[14,15,16,48,51,53,68],param_nam:[3,14,50,51],paramet:[0,1,3,5,6,7,9,10,11,12,13,14,15,17,18,19,20,21,22,23,24,26,27,28,29,30,31,32,34,43,44,47,48,49,50,53,54,55,56,57,58,60,61,62,63,65,66,67,68,69,70,73,74,79,83],parameter_class:51,parameter_nam:71,paramnam:50,paramnodoc:67,paramt:[1,23,51,63,85],parent:[9,17,19,51],parenthes:73,pars:[9,51,59,63,68],parse_int_int_ext:63,parse_int_pos_neg:63,parse_multiple_output:59,parse_on_off:[56,60],parse_output_bool:63,parse_output_str:63,parse_single_output:59,parse_string_output:59,parsebool:63,parseint:63,parser:[9,51],parsestr:63,part:[7,16,17,48,50,51,61,73,76,81,84],partial:[59,85],particular:[51,76,84],particularli:[9,12,51,84],pass:[7,9,12,14,17,19,20,29,30,31,43,48,49,50,51,53,65,66,68,69,73,77,81,84,85],past:50,pat:63,patch:73,path:[2,5,6,8,27,29,49,50,53,58,67,68,69,80,84],pattern:[51,63,68],pcie:53,pcie_link_spe:53,pcie_link_width:53,pcolormesh:65,pep8:73,per:[3,16,50,51,53,55,63,68,79,85],percent:50,perf:73,perf_count:68,perform:[8,28,48,49,50,53,55,61,68,73,84],perhap:[50,51,77,84,85],period:[5,30,31,48,50,65,66,69],permissive_rang:68,persist:[11,51],person:73,pertain:48,phase:[53,84],phase_delay_input_method_n:63,phase_n:63,physic:[5,27,29,34,48,50,84],pick:73,pickl:[50,51,65],picklabl:[67,68],pictur:84,piec:[67,68,76,84],pillar:84,ping:73,pinki:73,pip:[73,79,80],pixel:[30,65],place:[49,50,51,65,73,84],placehold:50,plain:[50,65],pleas:[73,78],plot:[3,44,47,48,50,67,71,80,84],plot_config:65,plotli:65,plotlib:81,plt:[31,65],plu:[50,51,65,81],plubic:46,plug:79,plugin:[63,73,77],point:[1,6,10,13,17,23,26,44,48,50,51,61,68,79,84],poitn:63,polar:55,polish:79,popul:[3,12,50,51,65],port:[11,21,51,54,58,61,79],portion:69,posit:[9,12,51,65,67,68,69,84],possibl:[50,51,57,58,62,63,65,68,81,84],post:73,post_acquir:53,potenti:[5,13,48,50,79,84],power:[58,60,61,73,84],power_limit:[0,48],powershel:77,practic:73,pre:[27,50],pre_acquir:53,pre_start_captur:53,preamp:[57,62],preamplifi:[57,62],preced:[10,50],precis:[14,51,63],predefin:[20,48,62,66],prefer:[79,84],prefix:73,prepar:[50,53,84],prepare_for_measur:61,prepend:[3,50,51],presenc:73,present:[50,51,57,62,63,65,73,84],preset:[50,61],preset_data:[3,50],press:82,prevent:[16,51,53],previou:[54,67,73],previous:[48,50,51,84],primari:[68,79],primarili:[66,68],princip:[9,51],print:[26,48,51,66,68,73,77,85],print_cont:63,prior:52,prioriti:[7,50,84],privat:[44,53],probabl:[9,51,53,68,73,84],problem:[51,73],proc:65,procedur:[11,12,21,51,84],process:[5,12,14,15,24,25,26,29,44,47,48,50,51,53,67,68,69,73,77,84],process_nam:66,process_queri:66,produc:84,profit:80,program:53,programm:53,programmat:79,progress:[13,48,68],progress_interv:[13,48],project:73,propag:[51,68],proper:55,properli:[51,63],properti:[49,51,84],propos:51,protect:55,protocol:[55,66,84],provi:49,provid:[3,7,9,11,14,17,19,29,30,31,48,50,51,53,56,64,65,66,67,68,73,76,80,84],proxi:[12,15,40,51,66,68,84],prune:50,pull:[5,27,29,50],pull_from_serv:[5,27,29,50,84],puls:63,purpos:[14,26,48,51,67,84],push:[5,29,50,65,67,84],push_to_serv:[5,29,50,84],put:[10,15,50,51,66,77,84,85],py35_syntax:[47,48],pyqtgraph:[44,47,48,80],pytest:77,python:[5,27,29,50,53,55,63,71,73,77,79,80,84],pyvisa:[21,51,84],q_err:67,q_out:67,qcmatplotlib:[44,47,48],qcode:[44,46,73,74,75,78,83,84,85],qcodes_config:[49,81],qcodes_path:69,qcodes_process:[44,47,48],qcodesprocess:66,qcodesrc:49,qcodesrc_schema:49,qdev:[73,79,81],qtlab:[61,63],qtplot:[44,65,67],qtwork:55,quantiti:[10,50],quantum:80,queri:[14,27,48,50,51,54,61,63,66,67,84],queries_per_stor:50,query_ask:66,query_lock:67,query_queu:[50,51,66,67],query_timeout:[66,67],query_writ:66,querysweep:61,question:[38,66,68,73,77],queue:[48,50,51,54,66,67,68,73],queue_stream:66,quiet:[48,68],quirk:70,quit:[0,48,66,73,84],quot:[10,50,68],qutech:[47,48,52],qutech_controlbox:56,rack:55,rad_to_deg:56,rainbow:[7,50],rais:[0,15,17,19,22,24,32,48,49,50,51,53,55,63,65,66,67,68],ramiro:61,ramp:[51,54,58,63],ran:73,rang:[50,53,55,61,63,68,84,85],range_str:68,rate:[51,53,55],rather:[50,51,66,73,85],ravel:[50,84],raw:[16,51,55,68,76,79],reach:73,read:[5,8,9,10,11,21,27,29,48,50,51,55,57,58,60,62,63,66,67,69,73,76,80,81,84],read_dict_from_hdf5:50,read_first:[50,67],read_metadata:[8,50,67],read_one_fil:[8,50],readabl:[17,48,51,53,73],readi:[29,50,73,80],readlin:50,readm:73,readthedoc:[21,51],real:[51,57,62,63,68,73,76,79,84,85],realli:[3,24,48,50,77,80,84],realtim:[73,79],reappear:73,reason:[50,65,73,85],receiv:[50,66],recent:[16,51,69,73],recogn:[15,48,51],recommend:[48,50,66,73],reconnect:[51,84],reconstruct:[8,50,51],record:[7,14,29,48,49,50,51,63,67,68,69,79,84],record_inst:51,recordingmockformatt:67,records_per_buff:53,recov:50,recreat:51,recurs:[48,50,51,68],recycl:53,redirect:66,reduc:[9,51],ref:[51,84],refactor:73,refer:[3,44,50,51,53,63,68,73,75,84,85],referenc:[65,84],reference_clock_frequency_select:63,reference_multiplier_r:63,reference_sourc:63,refernc:61,reflect:51,regard:[53,84],regardless:[68,73],regist:73,registri:58,regular:[68,73,77,84],reimport:81,reinstat:69,reject:61,rel:[5,6,27,29,50,69,77,84],relat:[14,51,84],relationship:84,releas:[8,50,79],relev:[16,51,53,63,68],reli:53,reliabl:[53,84],reload:[8,50,52,68,84],reload_cod:[47,48],reload_recurs:68,reloaded_fil:68,remain:[50,53],remot:[30,40,47,48,50,65,68,84],remote_instru:51,remotecompon:51,remotefunct:51,remoteinstru:[12,51,84,85],remotemethod:51,remoteparamet:[51,84],remov:[3,5,50,51,55,58,63,65,68,73],remove_al:50,remove_inst:51,rep:63,repeat:[73,84],repeatedli:[51,66],repetit:63,repetition_r:63,replac:[65,68],replic:51,repo:73,report:[66,68,74,77,79],report_error:66,repositori:[49,73,79],repr:[50,51,66,68],repres:[10,50,53,68,84],represent:[34,48,50,65,76],reproduc:[73,84],request:[12,51,74,84],requir:[9,14,18,19,21,29,50,51,60,68,69,73,77,81,84,85],research:62,resend:63,resend_waveform:63,reset:[9,10,50,51,55,56,59,60,62,63,67],reshap:50,resid:[12,51],resiz:50,resolut:[68,73],resourc:[8,21,50,51,84],resp:66,respect:[16,51,63],respondingthread:68,respons:[9,11,14,17,21,51,66],response_queu:[50,51,66,67],rest:73,restart:[50,51,66,67,69,81],restrict:[50,62,76,77],restructur:73,result:[7,27,48,50,51,53,61,67,68,84],ret_cod:51,retain:50,retriev:[25,50,81],retur:63,return_first:[24,48],return_pars:[9,51],return_self:63,return_v:67,return_val1:67,return_val2:67,reus:[65,84],revers:[17,18,51],revert:[5,29,50,66],review:[73,79],revion:54,revisit:65,rewrit:[50,84],rewritten:73,rgb:65,rich:50,richer:84,rid:[3,50],right:[34,48,50,51,53,68],rigol:[47,48,52],rigol_dg4000:59,rlock:67,rm_mock:67,robust:66,rohd:60,rohde_schwarz:[47,48,52],rohdeschwarz_sgs100a:60,rohdeschwarz_smr40:60,rol:61,ron:63,root:[5,6,27,29,50,63],rootlogg:68,rough:74,round:84,routin:[50,65],row:[10,50],rpg:65,rrggbb:65,rs232linkformat:55,rs_sgs100a:60,rs_smb100a:60,rst:[9,51,73],rsznb20:60,rto:58,rtype:[38,68],rue:68,run:[11,13,21,24,38,48,50,51,52,63,66,67,68,71,77,79,84,85],run_event_loop:[50,66],run_mod:63,run_schedul:67,run_stat:63,run_temp:48,runner:[48,73,74],runtest:[52,56,64,67],runtim:81,runtimeerror:[24,48],sa124_max_freq:61,sa124_min_freq:61,sa44_max_freq:61,sa44_min_freq:61,sa_api:61,sa_audio:61,sa_audio_am:61,sa_audio_cw:61,sa_audio_fm:61,sa_audio_lsb:61,sa_audio_usb:61,sa_auto_atten:61,sa_auto_gain:61,sa_averag:61,sa_bypass:61,sa_idl:61,sa_iq:61,sa_iq_sample_r:61,sa_lin_full_scal:61,sa_lin_scal:61,sa_log_full_scal:61,sa_log_scal:61,sa_log_unit:61,sa_max_atten:61,sa_max_devic:61,sa_max_gain:61,sa_max_iq_decim:61,sa_max_rbw:61,sa_max_ref:61,sa_max_rt_rbw:61,sa_min_iq_bandwidth:61,sa_min_max:61,sa_min_rbw:61,sa_min_rt_rbw:61,sa_min_span:61,sa_power_unit:61,sa_real_tim:61,sa_sweep:61,sa_tg_sweep:61,sa_volt_unit:61,sabandwidthclamp:61,sabandwidtherr:61,sacompressionwarn:61,sadevicenotconfigurederr:61,sadevicenotfounderr:61,sadevicenotidleerr:61,sadevicenotopenerr:61,sadevicetypenon:61,sadevicetypesa124a:61,sadevicetypesa124b:61,sadevicetypesa44:61,sadevicetypesa44b:61,saexternalreferencenotfound:61,safe:[73,84],safe_reload:61,safe_vers:55,safeformatt:50,safeti:58,safrequencyrangeerr:61,sai:[5,27,29,50,73,85],said:[3,50],sainterneterr:61,sainvaliddetectorerr:61,sainvaliddeviceerr:61,sainvalidmodeerr:61,sainvalidparametererr:61,sainvalidscaleerr:61,same:[1,3,10,12,15,16,17,18,23,32,50,51,63,65,66,69,73,84,85],sampl:[18,19,51,53,63,84],sample_r:53,samples_per_buff:53,samples_per_record:53,sampling_r:63,sane:[2,49],sanocorrect:61,sanoerror:61,sanotconfigurederr:61,sanullptrerr:61,saovencolderr:61,saparameterclamp:61,sastatu:61,sastatus_invert:61,satoomanydeviceserr:61,satrackinggeneratornotfound:61,saunknownerr:61,sausbcommerr:61,save:[3,5,8,10,17,28,29,48,49,50,51,53,65,71,73,76,79,84,85],save_config:49,save_metadata:50,save_schema:49,save_to_cwd:49,save_to_env:49,save_to_hom:[49,81],savvi:79,scalar:[28,48,84],scale:[61,65],scatter:65,scenario:73,schedul:67,schema:[2,49,67,81],schema_cwd_file_nam:[2,49],schema_default_file_nam:[2,49],schema_env_file_nam:[2,49],schema_file_nam:[2,49],schema_home_file_nam:[2,49],scheme:48,schouten:55,schwarz:60,scientist:80,screen:80,script:[77,79,85],sdk:53,sdk_version:53,search:[7,50,68,73,84],sec:48,second:[3,5,11,13,14,16,17,21,22,26,29,30,31,48,50,51,53,63,65,68,69,78,84,85],section:[69,73,78,80],see:[4,7,8,11,12,14,16,17,19,21,30,31,38,48,50,51,53,55,60,63,65,66,68,73,84,85],seem:[10,50,73,77],segm1_ch1:63,segm1_ch2:63,segm2_ch1:63,segm2_ch2:63,segment:63,select:[53,73,80],self:[4,5,8,14,29,34,48,50,51,54,58,61,63,65,66,67,68,69,73,85],semant:79,semi:73,semicolon:51,sen:57,send:[11,51,55,57,62,63,66,67,68,69,78],send_awg_fil:63,send_dc_puls:63,send_err:67,send_out:67,send_pattern:63,send_sequ:63,send_sequence2:63,send_waveform:63,send_waveform_to_list:63,sens:[51,73],sens_factor:57,sensit:57,sent:[9,14,16,17,51,63,76,84],separ:[8,10,12,15,34,48,50,51,66,68,77,79,84,85],seper:54,seq:[50,63],seq_length:63,sequanti:[1,23,51],sequecn:63,sequenc:[3,13,16,18,28,31,48,50,51,63,65,67,68,84],sequence_cfg:63,sequenti:85,seri:[56,59,63],serial:[14,21,51,53,76],serialserv:[21,51],server:[4,12,14,15,47,48,50,67,84,85],server_class:[66,67],server_manag:66,server_nam:[11,12,14,21,51,67,85],servermanag:[15,50,51,66,67],servermanagertest:67,session:[5,27,29,50,73],set:[1,3,5,8,10,12,13,14,15,16,17,18,19,23,27,28,29,48,49,50,51,53,54,55,57,60,61,62,63,65,66,67,68,69,76,79,81,84,85],set_address:[51,67],set_arrai:[3,50,65],set_cmap:65,set_cmd:[14,17,51,85],set_common_attr:48,set_current_folder_nam:63,set_dacs_zero:55,set_dc_out:63,set_dc_stat:63,set_default:63,set_delai:51,set_ext_trig:60,set_filenam:63,set_funct:53,set_jumpmod:63,set_measur:48,set_mod:63,set_mode_volt_dc:63,set_mp_method:[44,66],set_pars:[17,51],set_persist:51,set_pol_dacrack:55,set_pulsemod_sourc:60,set_pulsemod_st:60,set_queu:67,set_ramp:54,set_refclock_ext:63,set_refclock_int:63,set_sequ:63,set_setup_filenam:63,set_sq_length:63,set_sqel_event_jump_target_index:63,set_sqel_event_jump_typ:63,set_sqel_event_target_index:63,set_sqel_event_target_index_next:63,set_sqel_goto_st:63,set_sqel_goto_target_index:63,set_sqel_loopcnt:63,set_sqel_loopcnt_to_inf:63,set_sqel_trigger_wait:63,set_sqel_waveform:63,set_start_method:[32,66],set_statu:60,set_step:51,set_sweep:60,set_termin:51,set_timeout:51,set_valid:51,set_valu:[19,51],setattr:[15,51,66,68],setboth:85,setbothasync:85,setgeometri:65,setopoint:51,setpoint:[3,10,16,28,48,50,51,65,84,85],setpoint_label:[16,51],setpoint_nam:[16,51],settabl:[16,19,51,60,76,84],setter:[16,51,76],settl:73,setup:[34,48,67,77,79],setup_fold:63,setupclass:[52,56,67],setx:85,sever:[16,48,50,51,66,68,73,76,84],sgs100a:[47,48,52],shape:[3,16,50,51,65,68,84,85],share:[12,48,50,51,78],shared_attr:[66,67],shared_kwarg:[12,14,51,67,85],shell:[77,79],shim:51,shortcut:[30,31,48,51,65],shorter:[51,66],shot:[70,73],should:[3,5,7,8,9,11,12,13,14,15,16,18,19,20,34,48,50,51,53,57,62,63,65,66,67,68,73,77,80,84],shouldn:[3,15,50,51,66],show:[48,50,51,68,73],show_subprocess_widget:[44,69],show_window:[30,65],side:[17,49,51,68,76,80,85],side_effect:67,sig_gen:73,sign:[51,68],signal:[53,56,60,61,66,84],signal_hound:[47,48,52],signal_period:48,signal_queu:48,signal_to_volt:53,signalhound_usb_sa124b:61,signatur:[4,8],similar:[60,63,73,84],similarli:84,simpl:[0,6,9,22,31,48,50,51,65,67,73,79,84,85],simpler:[14,51,67,73],simplest:[51,84],simpli:[9,16,51],simplifi:[51,73],simul:[14,51,76,79,83,84],sin:59,sinc:[50,63,84,85],singl:[10,14,15,16,17,18,28,31,48,50,51,53,63,65,66,67,70,73,76,84],singleton:[66,69],site:68,situat:[10,50,84],size:[5,17,50,51,53,55,65],skill:73,skip:73,skipkei:68,slack:[73,78,79],slash:[6,50],sleep:[19,22,48,51,55,68,73],sleep_mock:67,sleeper:[67,68],slice:[18,50,51,76],slot:54,slow:[63,84],slow_neg_set:67,small:[70,73],smaller:[51,68],smart:[58,73],smr40:[47,48,52],snap_attr:50,snap_omit_kei:50,snapshot:[3,11,12,16,21,34,48,50,51,67,68,84],snapshot_bas:[48,51,67,68],snapshot_get:[16,51],socket:[11,51],softwar:[14,51,63,73,84],solut:51,solv:73,some:[9,11,16,18,48,50,51,54,63,67,68,69,73,77,81,84],somebodi:73,somehow:84,someon:73,someth:[51,53,69,73,81,84],sometim:[10,50,84],somewhat:[16,51],soon:73,sophist:53,sort:[10,50,51],sort_kei:68,sourc:[0,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,34,38,43,48,49,50,51,52,53,54,55,56,57,58,59,60,61,62,63,64,65,66,67,68,69,73,74,79,80,84],source_get:67,source_set:67,sourcelocal_get:67,sourcelocal_set:67,sourcemet:63,space:[16,18,51,68,73,76],span:[60,61],spawn:[32,66,77],special:[16,50,51,66,68,73,84],specif:[5,48,50,51,55,68,69,73,76,84],specifi:[8,13,14,31,34,48,49,50,51,55,61,63,65,68,73,81,84],specifiedta:63,spectrum:84,speed:[17,51,53,84],split:51,spread:78,sq_forced_jump:63,sqel:63,sql:84,sqtest_echo:67,sqtest_echo_f:67,sqtest_except:67,sr560:[47,48,52],sr830:[47,48,52,71],sr865:[47,48,52],stabl:[21,51],stackoverflow:[38,66,68],stage:[48,84],stai:[73,85],stale:84,standalon:79,standard:[50,51,68,73,77,79],standardparamet:[44,51,76],stanford:62,stanford_research:[47,48,52],stanford_sr865:62,stars_before_writ:67,start:[2,3,5,10,12,15,17,18,20,27,29,48,49,50,51,53,60,63,66,67,68,69,73,84],startswith:73,startup:73,startup_tim:68,stat:[56,60,67],state:[15,48,50,51,54,63,67,69,73,76,79,84],statement:[50,55,73],station:[12,13,44,47,51,73,74,84],stationq:79,statu:[50,53,55,56,58,60,61,63],stderr:[66,69,73],stdout:[66,69,73],step:[13,17,18,48,51,64,68,80,85],step_attenu:56,still:[3,14,50,51,66,73,84],stmt:73,stop:[5,18,26,29,48,50,51,60,63,65,66,68,69],storag:[5,25,27,29,48,50,79,84],store:[3,5,8,27,29,34,48,49,50,51,53,68,69,84],str:[1,2,3,5,6,7,9,11,12,14,15,21,23,27,29,48,49,50,51,54,57,58,62,65,66,67,68,69],str_to_bool:50,straightforward:84,strategi:54,stream:66,stream_queu:[47,48],streamqueu:[66,69],strftime:[7,50],string:[7,8,9,10,15,16,17,29,32,34,48,49,50,51,53,55,59,60,63,65,66,67,68,73,76,81,84],strip:[10,50,68],strip_attr:68,strip_qc:67,strive:73,strongli:73,structur:[5,8,27,29,50,53,68,76,81,84],struggl:73,stuf:81,stuff:[58,63,85],subattr:68,subattribut:51,subclass:[8,9,11,12,14,19,21,50,51,53,65,66,68,76],subject:[73,84],sublim:73,sublimelint:73,submit:85,submodul:47,subpackag:47,subplot:[31,65],subprocess:[43,66,69],subprocesswidget:[43,69],subsequ:[20,48],subset:51,successfulli:51,succinct:73,suit:[48,56,60,64,67,79],sum:85,suppli:[6,8,48,50,51,58,84],support:[4,12,15,16,19,48,49,50,51,58,63,65,69,73,81,84],suppos:51,sure:[25,50,51,58,63,66,73,76,80],sv1:48,sv2:[18,48,51],sv3:[18,51],sv4:[18,51],swap:79,sweep:[1,17,18,19,23,48,51,60,61,67,70,73,76,79,83,84],sweep_val:85,sweep_valu:[13,47,48,73],sweepfixedvalu:[44,51,76],sweepvalu:[13,44,48,51,74],swepabl:[23,51],swept:[68,85],sync:[5,27,29,50,65,66,84],sync_async:73,synced_index:50,synced_indic:50,synchron:[50,84],syntax:[50,77,79],system32:[53,61],system:[2,9,16,34,48,49,50,51,53,58,62,67,68,70,81,84],system_id:53,tab:[10,50,73],tabl:[63,81,84],tag:[68,73],take:[0,13,16,48,50,51,60,63,65,68,69,73,76,79,85],taken:[17,51,60],talent:73,talk:[50,57,62,84,85],target:[18,19,51,53,66,68,69],task:[13,22,44,48,71,73,76,84],tcpip:84,tear:[51,66],teardown:67,teardownclass:67,tech:79,techniqu:73,tektronix:[47,48,52],tektronix_awg5014:63,tektronix_awg520:63,tell:[8,10,22,48,50,51,73,84],temperatur:58,templat:73,temporari:[5,29,48,50],tens:73,term:[73,77],termin:[10,11,21,26,48,50,51,58,77,79,80,84],test:[7,14,47,50,51,54,55,56,59,60,63,64,68,74,76,79,84],test_add_delete_compon:67,test_add_funct:67,test_array_and_scalar:67,test_ask_write_loc:67,test_ask_write_serv:67,test_attenu:64,test_attr_access:67,test_attribut:67,test_background_and_datamanag:67,test_background_no_datamanag:67,test_bad:67,test_bad_actor:67,test_bad_attr:67,test_bad_cal:67,test_bad_config_fil:67,test_bad_delai:67,test_bad_dict:67,test_bad_user_schema:67,test_bare_funct:67,test_bare_wait:67,test_bas:67,test_base_instrument_error:67,test_binary_both:67,test_binary_const:67,test_bool:67,test_breakif:67,test_broken:67,test_chang:67,test_clear:67,test_closed_fil:67,test_cmd_funct:67,test_cmd_str:67,test_combined_par:[47,48],test_command:[47,48],test_compl:67,test_complet:67,test_component_attr_access:67,test_composite_param:67,test_config:[47,48],test_connect:67,test_constructor_error:67,test_cor:[48,73],test_coroutine_check:67,test_creat:67,test_creation_failur:67,test_data:[47,48],test_data_set_properti:67,test_dataset_clos:67,test_dataset_finalize_closes_fil:67,test_dataset_flush_after_writ:67,test_dataset_with_missing_attr:67,test_default:67,test_default_config_fil:67,test_default_measur:67,test_default_paramet:67,test_default_server_nam:67,test_deferred_op:67,test_deferred_oper:[47,48],test_del:67,test_delay0:67,test_delegate_both:67,test_delegate_dict:67,test_delegate_object:67,test_depth:67,test_divisor:67,test_double_closing_gives_warn:67,test_driver_testcas:[47,48],test_edit_and_mark:67,test_edit_and_mark_slic:67,test_enqueu:67,test_error:67,test_failed_anyth:67,test_failed_numb:67,test_failed_str:67,test_firmware_vers:[56,64],test_fmt_subpart:67,test_foreground_and_datamanag:67,test_foreground_no_datamanag:67,test_foreground_no_datamanager_progress:67,test_format:[47,48],test_format_opt:67,test_fraction_complet:67,test_frequ:56,test_from_serv:67,test_full_class:67,test_full_nam:67,test_full_writ:67,test_full_write_read_1d:67,test_full_write_read_2d:67,test_funct:67,test_get_halt:67,test_get_l:67,test_get_read:67,test_good:67,test_good_cal:67,test_group_arrai:67,test_halt:67,test_halt_quiet:67,test_hdf5formatt:[47,48],test_help:[47,48],test_incremental_writ:67,test_init:67,test_init_and_bad_read:67,test_init_data_error:67,test_inst:67,test_instance_found:67,test_instance_name_uniqu:67,test_instanti:67,test_instru:[47,48,52,73],test_instrument_serv:[47,48],test_json:[47,48],test_key_diff:67,test_load:67,test_load_fals:67,test_loc:67,test_local_instru:67,test_location_funct:67,test_location_provid:[47,48],test_loop:[47,48],test_loop_writ:67,test_loop_writing_2d:67,test_manual_paramet:67,test_manual_snapshot:67,test_match_save_rang:67,test_max:67,test_max_delay_error:67,test_measur:[47,48],test_mechan:67,test_metadata:[47,48,73],test_metadata_write_read:67,test_method:67,test_min:67,test_min_max:67,test_miss:67,test_missing_config_fil:67,test_mock_idn:67,test_mock_instru:67,test_mock_instrument_error:67,test_mock_set_sweep:67,test_mode_error:67,test_multifil:67,test_multiprocess:[47,48,73],test_name_:67,test_named_repr:67,test_nest:[48,67],test_nest_empti:67,test_nest_preset:67,test_nested_attr:[47,48],test_nested_key_diff:67,test_nesting_2:67,test_no:67,test_no_chang:67,test_no_cmd:67,test_no_driv:67,test_no_fil:67,test_no_inst:67,test_no_live_data:67,test_no_saved_data:67,test_non_funct:67,test_norm:67,test_normal_format:67,test_not_in_notebook:67,test_numpy_fail:67,test_numpy_good:67,test_on_off:56,test_overridable_method:67,test_overwrit:67,test_param_cmd_with_pars:67,test_paramet:[47,48],test_part:48,test_patholog:67,test_pathological_edge_cas:67,test_phas:56,test_pickle_dataset:67,test_plot:[47,48],test_pow:56,test_preset_data:67,test_progress_cal:67,test_qcodes_process:67,test_qcodes_process_except:67,test_rang:67,test_read_error:67,test_read_writing_dicts_withlists_to_hdf5:67,test_reading_into_existing_data_arrai:67,test_real_anyth:67,test_record_cal:67,test_record_overrid:67,test_remote_sweep_valu:67,test_remove_inst:67,test_repr:67,test_sam:67,test_send:63,test_set_mp_method:67,test_set_sweep_error:67,test_shap:67,test_simpl:67,test_simple_arrai:67,test_simple_scalar:67,test_slow_set:67,test_snapshot:[67,73],test_sq_writ:67,test_standard_snapshot:67,test_str_to_bool:67,test_suit:[47,48,52,77],test_sweep_steps_edge_cas:[67,73],test_sweep_valu:[47,48],test_sync_no_overwrit:67,test_tasks_callable_argu:67,test_tasks_wait:67,test_then_act:67,test_then_construct:67,test_to_serv:67,test_typ:67,test_type_cast:67,test_unari:67,test_unlimit:67,test_unpickl:67,test_update_and_validate_user_config:67,test_update_compon:67,test_update_user_config:67,test_user_schema:67,test_val_diff_seq:67,test_val_diff_simpl:67,test_val_map:67,test_val_mapping_int:67,test_val_mapping_pars:67,test_valid:[47,48],test_validate_funct:67,test_very_short_delai:67,test_visa:[47,48],test_visa_backend:67,test_warn:67,test_write_copi:67,test_writing_metadata:67,test_writing_unsupported_types_to_hdf5:67,test_y:67,test_zero_delai:67,testaggreg:67,testagilent_e8527d:56,testanyth:67,testarrai:67,testbaseclass:67,testbaseformatt:67,testbg:67,testbool:67,testcas:[48,52,67],testclassstr:67,testcombin:67,testcommand:67,testcomparedictionari:67,testconfig:67,testdataarrai:67,testdataset:67,testdatasetmetadata:67,testdeferredoper:67,testdelegateattribut:67,testdrivertestcas:67,testenum:67,tester:77,testformatloc:67,testgnuplotformat:67,testhdf5_format:67,testinstru:67,testinstrument2:67,testinstrumentserv:67,testint:67,testisfunct:67,testissequ:67,testissequenceof:67,testjsonencod:67,testlen:67,testloaddata:67,testlocalmock:67,testloop:[48,67],testmakesweep:67,testmakeuniqu:67,testmanualparamet:67,testmatplot:67,testmeasur:67,testmeta:67,testmetadat:[67,73],testmetadata:67,testmockinstloop:67,testmodelattraccess:67,testmpmethod:67,testmultipar:67,testmultipl:67,testmultityp:67,testmut:67,testnestedattraccess:67,testnewdata:67,testnumb:67,testnumpyjson:67,testnumpyjsonencod:67,testparamconstructor:67,testparamet:73,testpermissiverang:67,testqcodesprocess:67,testqtplot:67,tests_get_latest:67,testsafeformatt:67,testservermanag:67,testset:67,testsign:67,teststandardparam:67,teststr:67,teststreamqueu:67,teststripattr:67,testsweep:67,testsweepbadsetpoint:67,testsweepvalu:67,testvisainstru:67,testwaitsec:67,testweinschel_8320:64,testwronglen:67,text:[51,59,73,76,84],textual:84,tg_thru_0db:61,tg_thru_20db:61,than:[13,17,48,50,51,65,66,67,73,79,84],thank:73,thebrain:73,thei:[3,5,13,14,20,48,50,51,53,57,62,66,68,73,76,77,81,84],them:[3,12,48,50,51,52,62,65,66,68,73,81,84,85],theme:[30,65],themselv:65,then_act:48,theoret:84,theori:51,thi:[3,5,7,8,9,10,11,12,13,14,15,16,17,19,21,22,27,29,31,32,34,38,44,46,48,50,51,52,53,55,56,57,58,59,60,61,62,63,64,65,66,67,68,69,73,74,76,77,79,80,81,83,84,85],thing:[9,13,17,18,19,20,22,48,50,51,56,64,68,73,76,77,78,80,84,85],think:[50,63,73,81,84],third:84,those:[3,7,9,50,51,65,68,76,84],though:[14,17,18,19,51,84],thought:50,thread:[47,48,84],thread_map:68,threadpoolexecutor:85,three:[10,18,50,51,66,84],through:[3,5,48,50,63,66,68,73,80,84,85],thu:84,time:[0,7,8,13,14,16,17,18,19,44,47,48,50,51,54,61,67,73,79,84,85],timedinstrumentserv:67,timeout:[11,21,26,48,51,54,58,63,66,67,68],timeout_tick:53,timer:68,timestamp:[14,51,79,84],titl:65,tmpfile:58,to_loc:50,to_path:50,to_zero:58,todo:[3,50,55,56,69,73],togeth:[15,16,17,50,51,60,84],ton:77,too:[16,17,48,51,73],tool:73,tortur:73,total:73,touch:[50,73],toward:68,tprint:68,tprint_mock:67,trace:[16,30,31,51,53,60,65],trace_color:49,traceback:[26,48,50,73,79],track:[51,53,61,77,84],trail:73,trait:69,transfer:63,transfer_offset:53,transform:[9,16,17,22,48,51,53,68],transformst:65,translat:[8,50,65],transmiss:60,transmon:63,travi:[49,50],treat:[12,34,48,51,54,65,68,84],tree:[50,80],tri:50,trig_wait:63,triger:63,trigger:[50,60,63,69],trigger_delai:53,trigger_engine1:53,trigger_engine2:53,trigger_input_imped:63,trigger_input_polar:63,trigger_input_slop:63,trigger_input_threshold:63,trigger_level1:53,trigger_level2:53,trigger_oper:53,trigger_slope1:53,trigger_slope2:53,trigger_sourc:63,trigger_source1:53,trigger_source2:53,triton:[47,48,52],trival:85,trivial:73,trivialdictionari:53,troubleshoot:84,truncat:73,trust:[17,51],truthi:[0,48],ts_set:67,ts_str:67,tud:63,tudelft:55,tunabl:67,tune:[55,73],tupl:[3,9,12,14,16,30,31,50,51,65,68],tutori:83,twice:[50,65],two:[3,12,14,15,50,51,61,63,66,68,73,85],txt:55,type:[4,5,8,9,24,29,48,49,50,51,53,54,63,65,66,67,68,69,73,80,81,84,85],typeerror:[0,19,48,51,68],typic:[3,50,51,65,73,84],typo:73,uncommit:53,uncov:77,under:[49,73],underli:[48,51,76,84],underscor:73,understand:[24,48,73,84],understood:68,unga:[73,81],ungaretti:73,unifi:[48,66],unind:77,union:[3,9,14,17,18,24,48,49,50,51,68],uniqu:[3,48,50,66,68],unit:[1,3,16,23,50,51,53,73,84,85],unittest:[52,67,73,77],unix:[32,66],unknown:66,unless:[3,12,17,50,51,69,73],unlik:[51,52,69],unnecessari:77,unord:68,unpack:66,unpickl:[12,51],unrel:84,unsav:[50,84],unsuport:67,untest:73,until:[50,68,80,84],untouch:48,unus:[29,50,69],updat:[2,16,30,31,34,48,49,50,51,53,60,63,65,67,68,69,76,80,84],update_acquisitionkwarg:53,update_config:49,update_plot:65,update_snapshot:[34,48],updatewidget:69,upload:63,upload_awg_fil:63,uppercas:58,usag:[7,19,50,51,63,68,74,83],usb_sa124b:[47,48,52],use:[3,5,7,9,10,11,14,15,16,17,18,19,21,22,27,29,31,32,40,48,50,51,53,57,58,62,63,65,66,68,69,73,76,77,80,81,83,84,85],use_thread:48,used:[3,7,9,10,12,16,18,19,28,34,48,49,50,51,53,56,57,58,60,61,62,63,65,68,76,77,79,84],useful:[50,73,77,84],user:[17,21,48,49,50,51,53,63,66,68,73,77,79,80,81,84],usernam:73,uses:[15,17,21,50,51,61,67,68,76,77,81,84],using:[2,8,10,21,48,49,50,51,55,61,65,73,76,77,79,84],usual:[12,14,27,50,51,68,84],utf8:50,util:[44,47,48,50,51,66,67,73,85],utopia:73,uuid:[15,51],v_amp_in:62,v_in:62,v_out:62,vaild:[2,49],val1:68,val2:68,val3:68,val:[16,17,18,19,50,51,53,63,67,85],val_map:[17,51],valid:[2,9,16,17,18,19,28,30,44,47,48,49,51,63,65,67,73,74,81,84,85],validate_act:48,validate_al:[9,51,68],validate_statu:51,validtyp:68,valu:[1,2,3,7,9,10,12,13,14,15,16,17,18,19,23,48,49,50,51,53,54,60,62,63,65,66,67,68,69,76,84,85],valuabl:73,value_typ:49,valueerror:[22,48,50,51,65,68],vari:84,variabl:[10,50,51,63,67,73,76,81,84],variant:69,variou:[15,51,73,76],vbw:61,vector:84,vendor:[51,53],verbos:[48,51,52,60,63,73],veri:[53,84],verifi:51,vernier:62,versa:68,version:[47,53,55,56,58,60,61,63,67,71,79,80,85],vi_error_rsrc_nfound:84,via:[12,14,15,34,48,51,57,62,65,66,84],vice:68,videobandwidth:61,view:[66,73],virtual:[57,60,62,80,85],virtualivvi:85,visa:[21,47,48,54,55,56,59,60,62,63,64,67,73,84],visa_handl:[21,51,54,58],visainstru:[44,51,54,55,56,58,59,60,62,63,64,67,76,84],visaioerror:51,visaserv:[21,51],vision:73,visit:73,visual:79,vna:61,volt:[53,62,63],voltag:[57,62,63,76,84],voltage_raw:[57,62],voltageparamet:62,voltmet:84,volunt:73,wai:[12,17,51,65,66,67,73,77,84,85],wait:[9,13,14,17,26,44,48,51,63,66,67,68,76,80,84,85],wait_l:63,wait_sec:68,wait_trigg:63,wait_trigger_st:63,wait_valu:63,walk:85,want:[5,50,51,53,65,66,68,73,74,76,78,81,83,84,85],warn:[13,17,48,51,53],waveform:[56,59,63,84],waveform_filenam:63,waveform_listnam:63,waveform_nam:63,weak:51,weakref:50,week:[73,78],weinschel:[47,48,52],weinschel_8320:[47,48,52],weird:[51,65],wejust:50,welcom:[73,78],well:[8,50,51,56,62,64,67,68,73,77,84],were:[3,5,16,46,50,51,53],wf1_ch1:63,wf1_ch2:63,wf2_ch1:63,wf2_ch2:63,wfm:63,wfmname:63,wfname_l:63,wfs1:63,wfs2:63,wfs:63,what:[11,13,18,19,21,44,48,51,58,63,68,69,73,77,81,84],whatev:[50,53,65,68],when:[0,3,5,7,19,20,29,48,50,51,53,57,62,63,65,66,67,68,73,79,84,85],whenev:[48,62,84],where:[5,8,18,19,27,29,30,48,50,51,53,57,62,63,65,66,67,68,72,73,84,85],whether:[8,10,11,14,17,26,48,50,51,59,63,68,69,73,84],which:[2,3,5,7,8,10,13,14,16,17,18,20,27,29,34,48,49,50,51,53,60,62,63,65,66,67,68,73,76,81,84,85],white:[30,65,73],whitelist:[48,68],whitespac:[10,50],who:73,whole:[10,48,50,57,62,67,73,76,84],whose:[3,34,48,50,68,84,85],why:[69,73,77],widget:[44,47,48,65,71],width:[30,31,65],wildcard:50,window:[31,32,53,58,61,65,66,67,69,77,80],window_titl:[30,65],with_bg_task:48,within:[3,20,22,48,50,51,53,69,73,79,84],without:[5,12,29,50,51,65,66,68,77,84],won:[50,68],word:78,work:[5,6,11,12,14,21,27,29,48,49,50,51,56,59,60,63,64,73,77,79,80,81,84,85],workflow:79,world:[53,73,79],worri:[65,68],wors:73,would:[7,17,50,51,60,67,73,78,84],wrap:[6,50,51,77,84],wrapper:[32,48,49,51,60,65,66],write:[5,8,9,10,11,14,17,21,29,48,50,51,55,58,63,66,67,73,83,84],write_confirm:[11,51],write_copi:[50,84],write_dict_to_hdf5:50,write_metadata:[8,50,67],write_period:[5,29,48,50],write_raw:51,writelin:50,written:[10,50,53,58,67],wrong:[51,73],x80:67,x85:67,x89:67,x8c:67,x8e:67,x8f:67,x94:67,x95:67,x97:67,x98rsted:67,x9c:67,x_val:85,xa4:67,xa5:67,xa6:67,xa6ll:67,xa7:67,xbe:67,xc3:67,xe5:67,xe6:67,xe7:67,xe9:67,xxx:54,xyz:65,y_val:85,yai:71,yeah:65,year:73,yes:84,yesnam:67,yet:[8,48,50,63,73,84],yield:[13,48,50,62],you:[2,3,5,6,8,9,12,13,15,17,18,19,27,29,31,32,48,49,50,51,53,57,62,65,66,67,68,69,74,76,78,80,81,83,84,85],your:[2,9,12,49,51,57,62,66,73,78,80,81,84],yourself:[53,62],z_val:85,zero:[16,50,51,63,68],znb20:[47,48,52]},titles:["qcodes.BreakIf","qcodes.CombinedParameter","qcodes.Config","qcodes.DataArray","qcodes.DataMode","qcodes.DataSet","qcodes.DiskIO","qcodes.FormatLocation","qcodes.Formatter","qcodes.Function","qcodes.GNUPlotFormat","qcodes.IPInstrument","qcodes.Instrument","qcodes.Loop","qcodes.MockInstrument","qcodes.MockModel","qcodes.Parameter","qcodes.StandardParameter","qcodes.SweepFixedValues","qcodes.SweepValues","qcodes.Task","qcodes.VisaInstrument","qcodes.Wait","qcodes.combine","qcodes.get_bg","qcodes.get_data_manager","qcodes.halt_bg","qcodes.load_data","qcodes.measure.Measure","qcodes.new_data","qcodes.plots.pyqtgraph.QtPlot","qcodes.plots.qcmatplotlib.MatPlot","qcodes.process.helpers.set_mp_method","qcodes.process.qcodes_process","qcodes.station.Station","qcodes.utils.command","qcodes.utils.deferred_operations","qcodes.utils.helpers","qcodes.utils.helpers.in_notebook","qcodes.utils.metadata","qcodes.utils.nested_attrs","qcodes.utils.timing","qcodes.utils.validators","qcodes.widgets.widgets.show_subprocess_widget","Classes and Functions","Private","Public","qcodes","qcodes package","qcodes.config package","qcodes.data package","qcodes.instrument package","qcodes.instrument_drivers package","qcodes.instrument_drivers.AlazarTech package","qcodes.instrument_drivers.Harvard package","qcodes.instrument_drivers.QuTech package","qcodes.instrument_drivers.agilent package","qcodes.instrument_drivers.ithaco package","qcodes.instrument_drivers.oxford package","qcodes.instrument_drivers.rigol package","qcodes.instrument_drivers.rohde_schwarz package","qcodes.instrument_drivers.signal_hound package","qcodes.instrument_drivers.stanford_research package","qcodes.instrument_drivers.tektronix package","qcodes.instrument_drivers.weinschel package","qcodes.plots package","qcodes.process package","qcodes.tests package","qcodes.utils package","qcodes.widgets package","Changelog for QCoDeS 0.1.1","Changelog for QCoDeS 0.1.2","Changelogs","Contributing","Community Guide","Source Code","Object Hierarchy","Notes on test runners compatible with Qcodes","Get Help","Qcodes project plan","Getting Started","Configuring QCoDeS","QCodes FAQ","User Guide","Introduction","Tutorial"],titleterms:{"break":[70,71],"class":[44,45,46],"default":81,"function":[9,44,45,46,51],"new":[70,71,73],"public":46,ATS:53,Using:81,abort:82,action:[46,48],agil:56,agilent_34400a:56,alazartech:53,async:85,ats9870:53,ats_acquisition_control:53,avanc:85,awg5014:63,awg520:63,base:[51,65],breakif:0,bug:73,chang:[70,71],changelog:[70,71,72],chat:78,clever:73,code:[73,75],color:65,combin:[23,85],combinedparamet:1,command:[35,68],commit:73,common:67,commun:74,compat:77,config:[2,46,49,81],configur:81,content:[48,49,50,51,52,53,54,55,56,57,58,59,60,61,62,63,64,65,66,67,68,69,73],contribut:73,data:[46,50],data_arrai:50,data_mock:67,data_set:50,dataarrai:3,datamod:4,dataset:[5,84],decadac:54,deferred_oper:[36,68],develop:73,dg4000:59,diskio:6,displai:69,driver:85,e8527d:56,enter:80,exampl:84,familiar:73,faq:82,featur:73,file:81,fix:[70,71],format:[50,73],formatloc:7,formatt:8,get:[78,80],get_bg:24,get_data_manag:25,git:73,gnuplot_format:50,gnuplotformat:10,guid:[74,83],halt_bg:26,harvard:54,hdf5_format:50,help:78,helper:[32,37,38,66,68],hierarchi:76,hour:78,how:82,hp33210a:56,improv:[70,71],in_notebook:38,instal:80,instrument:[12,46,51,76,84,85],instrument_driv:[52,53,54,55,56,57,58,59,60,61,62,63,64],instrument_mock:67,introduct:84,ipinstru:11,ithaco:57,ithaco_1211:57,ivvi:55,keithley_2000:63,keithley_2600:63,keithley_2700:63,linkag:76,load_data:27,locat:50,loop:[13,46,48,84],manag:50,matplot:31,measur:[28,46,48,82,84,85],mercuryip:58,messag:73,meta:85,metaclass:51,metadata:[39,68],misc:46,mock:51,mockinstru:14,mockmodel:15,modul:[48,49,50,51,52,53,54,55,56,57,58,59,60,61,62,63,64,65,66,67,68,69],more:[78,81],nested_attr:[40,68],new_data:29,note:[73,77],object:76,offic:78,overview:84,oxford:58,packag:[48,49,50,51,52,53,54,55,56,57,58,59,60,61,62,63,64,65,66,67,68,69],paramet:[16,51,76,84,85],phase:79,plan:79,plot:[30,31,46,65],privat:45,process:[32,33,66],project:79,pull:73,push:73,py35_syntax:67,pyqtgraph:[30,65],qcmatplotlib:[31,65],qcode:[0,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,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,77,79,80,81,82],qcodes_process:[33,66],qtplot:30,qutech:55,realli:73,reload_cod:68,remot:51,report:73,request:73,requir:80,respons:84,rigol:59,rohde_schwarz:60,rough:76,run:[73,82],runner:77,save:81,server:[51,66],set_mp_method:32,setup:73,sgs100a:60,show_subprocess_widget:43,signal_hound:61,simul:85,smr40:60,sourc:75,sr560:62,sr830:62,sr865:62,standardparamet:17,stanford_research:62,start:80,station:[34,46,48,76],stream_queu:66,style:73,submodul:[48,49,50,51,52,53,54,55,56,57,58,59,60,61,62,63,64,65,66,67,68,69],subpackag:[48,52],sweep:85,sweep_valu:51,sweepfixedvalu:18,sweepvalu:[19,76],task:20,tektronix:63,test:[48,52,67,73,77],test_combined_par:67,test_command:67,test_config:67,test_data:67,test_deferred_oper:67,test_driver_testcas:67,test_format:67,test_hdf5formatt:67,test_help:67,test_instru:67,test_instrument_serv:67,test_json:67,test_location_provid:67,test_loop:67,test_measur:67,test_metadata:67,test_multiprocess:67,test_nested_attr:67,test_paramet:67,test_plot:67,test_suit:[56,64],test_sweep_valu:67,test_valid:67,test_visa:67,thread:68,time:[41,68],todo:[13,16,19,24,48,49,51,58,60,61,63,68,76,81,85],triton:58,tutori:85,updat:81,usag:[73,80,82],usb_sa124b:61,user:83,util:[35,36,37,38,39,40,41,42,46,68],valid:[42,68,76],valu:81,version:48,visa:51,visainstru:21,wait:22,weinschel:64,weinschel_8320:64,widget:[43,69],write:85,you:73,znb20:60}}) \ No newline at end of file +Search.setIndex({docnames:["api/generated/qcodes.BreakIf","api/generated/qcodes.CombinedParameter","api/generated/qcodes.Config","api/generated/qcodes.DataArray","api/generated/qcodes.DataMode","api/generated/qcodes.DataSet","api/generated/qcodes.DiskIO","api/generated/qcodes.FormatLocation","api/generated/qcodes.Formatter","api/generated/qcodes.Function","api/generated/qcodes.GNUPlotFormat","api/generated/qcodes.IPInstrument","api/generated/qcodes.Instrument","api/generated/qcodes.Loop","api/generated/qcodes.MockInstrument","api/generated/qcodes.MockModel","api/generated/qcodes.Parameter","api/generated/qcodes.StandardParameter","api/generated/qcodes.SweepFixedValues","api/generated/qcodes.SweepValues","api/generated/qcodes.Task","api/generated/qcodes.VisaInstrument","api/generated/qcodes.Wait","api/generated/qcodes.combine","api/generated/qcodes.get_bg","api/generated/qcodes.get_data_manager","api/generated/qcodes.halt_bg","api/generated/qcodes.load_data","api/generated/qcodes.measure.Measure","api/generated/qcodes.new_data","api/generated/qcodes.plots.pyqtgraph.QtPlot","api/generated/qcodes.plots.qcmatplotlib.MatPlot","api/generated/qcodes.process.helpers.set_mp_method","api/generated/qcodes.process.qcodes_process","api/generated/qcodes.station.Station","api/generated/qcodes.utils.command","api/generated/qcodes.utils.deferred_operations","api/generated/qcodes.utils.helpers","api/generated/qcodes.utils.helpers.in_notebook","api/generated/qcodes.utils.metadata","api/generated/qcodes.utils.nested_attrs","api/generated/qcodes.utils.timing","api/generated/qcodes.utils.validators","api/generated/qcodes.widgets.widgets.show_subprocess_widget","api/index","api/private","api/public","auto/modules","auto/qcodes","auto/qcodes.config","auto/qcodes.data","auto/qcodes.instrument","auto/qcodes.instrument_drivers","auto/qcodes.instrument_drivers.AlazarTech","auto/qcodes.instrument_drivers.Harvard","auto/qcodes.instrument_drivers.QuTech","auto/qcodes.instrument_drivers.agilent","auto/qcodes.instrument_drivers.ithaco","auto/qcodes.instrument_drivers.oxford","auto/qcodes.instrument_drivers.rigol","auto/qcodes.instrument_drivers.rohde_schwarz","auto/qcodes.instrument_drivers.signal_hound","auto/qcodes.instrument_drivers.stanford_research","auto/qcodes.instrument_drivers.tektronix","auto/qcodes.instrument_drivers.weinschel","auto/qcodes.plots","auto/qcodes.process","auto/qcodes.tests","auto/qcodes.utils","auto/qcodes.widgets","changes/0.1.0","changes/0.1.2","changes/index","community/contributing","community/index","community/install","community/objects","community/testing","help","roadmap","start/index","user/configuration","user/faq","user/index","user/intro","user/tutorial"],envversion:51,filenames:["api/generated/qcodes.BreakIf.rst","api/generated/qcodes.CombinedParameter.rst","api/generated/qcodes.Config.rst","api/generated/qcodes.DataArray.rst","api/generated/qcodes.DataMode.rst","api/generated/qcodes.DataSet.rst","api/generated/qcodes.DiskIO.rst","api/generated/qcodes.FormatLocation.rst","api/generated/qcodes.Formatter.rst","api/generated/qcodes.Function.rst","api/generated/qcodes.GNUPlotFormat.rst","api/generated/qcodes.IPInstrument.rst","api/generated/qcodes.Instrument.rst","api/generated/qcodes.Loop.rst","api/generated/qcodes.MockInstrument.rst","api/generated/qcodes.MockModel.rst","api/generated/qcodes.Parameter.rst","api/generated/qcodes.StandardParameter.rst","api/generated/qcodes.SweepFixedValues.rst","api/generated/qcodes.SweepValues.rst","api/generated/qcodes.Task.rst","api/generated/qcodes.VisaInstrument.rst","api/generated/qcodes.Wait.rst","api/generated/qcodes.combine.rst","api/generated/qcodes.get_bg.rst","api/generated/qcodes.get_data_manager.rst","api/generated/qcodes.halt_bg.rst","api/generated/qcodes.load_data.rst","api/generated/qcodes.measure.Measure.rst","api/generated/qcodes.new_data.rst","api/generated/qcodes.plots.pyqtgraph.QtPlot.rst","api/generated/qcodes.plots.qcmatplotlib.MatPlot.rst","api/generated/qcodes.process.helpers.set_mp_method.rst","api/generated/qcodes.process.qcodes_process.rst","api/generated/qcodes.station.Station.rst","api/generated/qcodes.utils.command.rst","api/generated/qcodes.utils.deferred_operations.rst","api/generated/qcodes.utils.helpers.rst","api/generated/qcodes.utils.helpers.in_notebook.rst","api/generated/qcodes.utils.metadata.rst","api/generated/qcodes.utils.nested_attrs.rst","api/generated/qcodes.utils.timing.rst","api/generated/qcodes.utils.validators.rst","api/generated/qcodes.widgets.widgets.show_subprocess_widget.rst","api/index.rst","api/private.rst","api/public.rst","auto/modules.rst","auto/qcodes.rst","auto/qcodes.config.rst","auto/qcodes.data.rst","auto/qcodes.instrument.rst","auto/qcodes.instrument_drivers.rst","auto/qcodes.instrument_drivers.AlazarTech.rst","auto/qcodes.instrument_drivers.Harvard.rst","auto/qcodes.instrument_drivers.QuTech.rst","auto/qcodes.instrument_drivers.agilent.rst","auto/qcodes.instrument_drivers.ithaco.rst","auto/qcodes.instrument_drivers.oxford.rst","auto/qcodes.instrument_drivers.rigol.rst","auto/qcodes.instrument_drivers.rohde_schwarz.rst","auto/qcodes.instrument_drivers.signal_hound.rst","auto/qcodes.instrument_drivers.stanford_research.rst","auto/qcodes.instrument_drivers.tektronix.rst","auto/qcodes.instrument_drivers.weinschel.rst","auto/qcodes.plots.rst","auto/qcodes.process.rst","auto/qcodes.tests.rst","auto/qcodes.utils.rst","auto/qcodes.widgets.rst","changes/0.1.0.rst","changes/0.1.2.rst","changes/index.rst","community/contributing.rst","community/index.rst","community/install.rst","community/objects.rst","community/testing.rst","help.rst","roadmap.rst","start/index.rst","user/configuration.rst","user/faq.rst","user/index.rst","user/intro.rst","user/tutorial.rst"],objects:{"":{qcodes:[48,0,0,"-"]},"qcodes.BreakIf":{__init__:[0,2,1,""]},"qcodes.CombinedParameter":{__init__:[1,2,1,""]},"qcodes.Config":{__init__:[2,2,1,""],config_file_name:[2,3,1,""],current_config:[2,3,1,""],current_config_path:[2,3,1,""],current_schema:[2,3,1,""],cwd_file_name:[2,3,1,""],default_file_name:[2,3,1,""],env_file_name:[2,3,1,""],home_file_name:[2,3,1,""],schema_cwd_file_name:[2,3,1,""],schema_default_file_name:[2,3,1,""],schema_env_file_name:[2,3,1,""],schema_file_name:[2,3,1,""],schema_home_file_name:[2,3,1,""]},"qcodes.DataArray":{__init__:[3,2,1,""]},"qcodes.DataMode":{__init__:[4,2,1,""]},"qcodes.DataSet":{__init__:[5,2,1,""],background_functions:[5,3,1,""]},"qcodes.DiskIO":{__init__:[6,2,1,""]},"qcodes.FormatLocation":{__init__:[7,2,1,""]},"qcodes.Formatter":{__init__:[8,2,1,""]},"qcodes.Function":{__init__:[9,2,1,""]},"qcodes.GNUPlotFormat":{__init__:[10,2,1,""]},"qcodes.IPInstrument":{__init__:[11,2,1,""]},"qcodes.Instrument":{__init__:[12,2,1,""],functions:[12,3,1,""],name:[12,3,1,""],parameters:[12,3,1,""]},"qcodes.Loop":{__init__:[13,2,1,""]},"qcodes.MockInstrument":{__init__:[14,2,1,""],history:[14,3,1,""],keep_history:[14,3,1,""],shared_kwargs:[14,3,1,""]},"qcodes.MockModel":{__init__:[15,2,1,""]},"qcodes.Parameter":{__init__:[16,2,1,""]},"qcodes.StandardParameter":{__init__:[17,2,1,""]},"qcodes.SweepFixedValues":{__init__:[18,2,1,""]},"qcodes.SweepValues":{__init__:[19,2,1,""]},"qcodes.Task":{__init__:[20,2,1,""]},"qcodes.VisaInstrument":{__init__:[21,2,1,""],visa_handle:[21,3,1,""]},"qcodes.Wait":{__init__:[22,2,1,""]},"qcodes.actions":{BreakIf:[48,1,1,""],Task:[48,1,1,""],Wait:[48,1,1,""]},"qcodes.actions.BreakIf":{snapshot:[48,2,1,""]},"qcodes.actions.Task":{snapshot:[48,2,1,""]},"qcodes.actions.Wait":{snapshot:[48,2,1,""]},"qcodes.config":{config:[49,0,0,"-"]},"qcodes.config.config":{Config:[49,1,1,""],DotDict:[49,1,1,""]},"qcodes.config.config.Config":{add:[49,2,1,""],config_file_name:[49,3,1,""],current_config:[49,3,1,""],current_config_path:[49,3,1,""],current_schema:[49,3,1,""],cwd_file_name:[49,3,1,""],default_file_name:[49,3,1,""],defaults:[49,3,1,""],defaults_schema:[49,3,1,""],describe:[49,2,1,""],env_file_name:[49,3,1,""],home_file_name:[49,3,1,""],load_config:[49,2,1,""],load_default:[49,2,1,""],save_config:[49,2,1,""],save_schema:[49,2,1,""],save_to_cwd:[49,2,1,""],save_to_env:[49,2,1,""],save_to_home:[49,2,1,""],schema_cwd_file_name:[49,3,1,""],schema_default_file_name:[49,3,1,""],schema_env_file_name:[49,3,1,""],schema_file_name:[49,3,1,""],schema_home_file_name:[49,3,1,""],update_config:[49,2,1,""],validate:[49,2,1,""]},"qcodes.data":{data_array:[50,0,0,"-"],data_set:[50,0,0,"-"],format:[50,0,0,"-"],gnuplot_format:[50,0,0,"-"],hdf5_format:[50,0,0,"-"],io:[50,0,0,"-"],location:[50,0,0,"-"],manager:[50,0,0,"-"]},"qcodes.data.data_array":{DataArray:[50,1,1,""]},"qcodes.data.data_array.DataArray":{COPY_ATTRS_FROM_INPUT:[50,3,1,""],SNAP_ATTRS:[50,3,1,""],SNAP_OMIT_KEYS:[50,3,1,""],__len__:[50,2,1,""],__setitem__:[50,2,1,""],apply_changes:[50,2,1,""],clear:[50,2,1,""],clear_save:[50,2,1,""],data_set:[50,3,1,""],delegate_attr_objects:[50,3,1,""],flat_index:[50,2,1,""],fraction_complete:[50,2,1,""],get_changes:[50,2,1,""],get_synced_index:[50,2,1,""],init_data:[50,2,1,""],mark_saved:[50,2,1,""],nest:[50,2,1,""],snapshot:[50,2,1,""],units:[50,3,1,""]},"qcodes.data.data_set":{DataMode:[50,1,1,""],DataSet:[50,1,1,""],load_data:[50,4,1,""],new_data:[50,4,1,""]},"qcodes.data.data_set.DataMode":{LOCAL:[50,3,1,""],PULL_FROM_SERVER:[50,3,1,""],PUSH_TO_SERVER:[50,3,1,""]},"qcodes.data.data_set.DataSet":{__repr__:[50,2,1,""],add_array:[50,2,1,""],add_metadata:[50,2,1,""],background_functions:[50,3,1,""],complete:[50,2,1,""],default_formatter:[50,3,1,""],default_io:[50,3,1,""],default_parameter_array:[50,2,1,""],default_parameter_name:[50,2,1,""],delegate_attr_dicts:[50,3,1,""],finalize:[50,2,1,""],fraction_complete:[50,2,1,""],get_array_metadata:[50,2,1,""],get_changes:[50,2,1,""],init_on_server:[50,2,1,""],is_live_mode:[50,3,1,""],is_on_server:[50,3,1,""],location_provider:[50,3,1,""],read:[50,2,1,""],read_metadata:[50,2,1,""],save_metadata:[50,2,1,""],snapshot:[50,2,1,""],store:[50,2,1,""],sync:[50,2,1,""],write:[50,2,1,""],write_copy:[50,2,1,""]},"qcodes.data.format":{Formatter:[50,1,1,""]},"qcodes.data.format.Formatter":{ArrayGroup:[50,1,1,""],group_arrays:[50,2,1,""],match_save_range:[50,2,1,""],read:[50,2,1,""],read_metadata:[50,2,1,""],read_one_file:[50,2,1,""],write:[50,2,1,""],write_metadata:[50,2,1,""]},"qcodes.data.format.Formatter.ArrayGroup":{__getnewargs__:[50,2,1,""],__new__:[50,5,1,""],__repr__:[50,2,1,""],data:[50,3,1,""],name:[50,3,1,""],set_arrays:[50,3,1,""],shape:[50,3,1,""]},"qcodes.data.gnuplot_format":{GNUPlotFormat:[50,1,1,""]},"qcodes.data.gnuplot_format.GNUPlotFormat":{read_metadata:[50,2,1,""],read_one_file:[50,2,1,""],write:[50,2,1,""],write_metadata:[50,2,1,""]},"qcodes.data.hdf5_format":{HDF5Format:[50,1,1,""],str_to_bool:[50,4,1,""]},"qcodes.data.hdf5_format.HDF5Format":{close_file:[50,2,1,""],read:[50,2,1,""],read_dict_from_hdf5:[50,2,1,""],read_metadata:[50,2,1,""],write:[50,2,1,""],write_dict_to_hdf5:[50,2,1,""],write_metadata:[50,2,1,""]},"qcodes.data.io":{DiskIO:[50,1,1,""]},"qcodes.data.io.DiskIO":{__repr__:[50,2,1,""],isfile:[50,2,1,""],join:[50,2,1,""],list:[50,2,1,""],open:[50,2,1,""],remove:[50,2,1,""],remove_all:[50,2,1,""],to_location:[50,2,1,""],to_path:[50,2,1,""]},"qcodes.data.location":{FormatLocation:[50,1,1,""],SafeFormatter:[50,1,1,""]},"qcodes.data.location.FormatLocation":{__call__:[50,2,1,""],default_fmt:[50,3,1,""]},"qcodes.data.location.SafeFormatter":{get_value:[50,2,1,""]},"qcodes.data.manager":{DataManager:[50,1,1,""],DataServer:[50,1,1,""],NoData:[50,1,1,""],get_data_manager:[50,4,1,""]},"qcodes.data.manager.DataManager":{"default":[50,3,1,""],restart:[50,2,1,""]},"qcodes.data.manager.DataServer":{default_monitor_period:[50,3,1,""],default_storage_period:[50,3,1,""],handle_finalize_data:[50,2,1,""],handle_get_changes:[50,2,1,""],handle_get_data:[50,2,1,""],handle_get_measuring:[50,2,1,""],handle_new_data:[50,2,1,""],handle_store_data:[50,2,1,""],queries_per_store:[50,3,1,""],run_event_loop:[50,2,1,""]},"qcodes.data.manager.NoData":{location:[50,3,1,""],store:[50,2,1,""],write:[50,2,1,""]},"qcodes.instrument":{"function":[51,0,0,"-"],base:[51,0,0,"-"],ip:[51,0,0,"-"],metaclass:[51,0,0,"-"],mock:[51,0,0,"-"],parameter:[51,0,0,"-"],remote:[51,0,0,"-"],server:[51,0,0,"-"],sweep_values:[51,0,0,"-"],visa:[51,0,0,"-"]},"qcodes.instrument.base":{Instrument:[51,1,1,""]},"qcodes.instrument.base.Instrument":{__del__:[51,2,1,""],__getitem__:[51,2,1,""],__getstate__:[51,2,1,""],__repr__:[51,2,1,""],add_function:[51,2,1,""],add_parameter:[51,2,1,""],ask:[51,2,1,""],ask_raw:[51,2,1,""],call:[51,2,1,""],close:[51,2,1,""],connect_message:[51,2,1,""],connection_attrs:[51,2,1,""],default_server_name:[51,6,1,""],delegate_attr_dicts:[51,3,1,""],find_component:[51,6,1,""],find_instrument:[51,6,1,""],functions:[51,3,1,""],get:[51,2,1,""],get_idn:[51,2,1,""],instances:[51,6,1,""],name:[51,3,1,""],parameters:[51,3,1,""],record_instance:[51,6,1,""],remove_instance:[51,6,1,""],set:[51,2,1,""],shared_kwargs:[51,3,1,""],snapshot_base:[51,2,1,""],validate_status:[51,2,1,""],write:[51,2,1,""],write_raw:[51,2,1,""]},"qcodes.instrument.function":{Function:[51,1,1,""]},"qcodes.instrument.function.Function":{call:[51,2,1,""],get_attrs:[51,2,1,""],validate:[51,2,1,""]},"qcodes.instrument.ip":{EnsureConnection:[51,1,1,""],IPInstrument:[51,1,1,""]},"qcodes.instrument.ip.EnsureConnection":{__enter__:[51,2,1,""],__exit__:[51,2,1,""]},"qcodes.instrument.ip.IPInstrument":{ask_raw:[51,2,1,""],close:[51,2,1,""],default_server_name:[51,6,1,""],set_address:[51,2,1,""],set_persistent:[51,2,1,""],set_terminator:[51,2,1,""],set_timeout:[51,2,1,""],snapshot_base:[51,2,1,""],write_raw:[51,2,1,""]},"qcodes.instrument.metaclass":{InstrumentMetaclass:[51,1,1,""]},"qcodes.instrument.metaclass.InstrumentMetaclass":{__call__:[51,2,1,""]},"qcodes.instrument.mock":{ArrayGetter:[51,1,1,""],MockInstrument:[51,1,1,""],MockModel:[51,1,1,""]},"qcodes.instrument.mock.ArrayGetter":{get:[51,2,1,""]},"qcodes.instrument.mock.MockInstrument":{ask_raw:[51,2,1,""],default_server_name:[51,6,1,""],get_idn:[51,2,1,""],history:[51,3,1,""],keep_history:[51,3,1,""],shared_kwargs:[51,3,1,""],write_raw:[51,2,1,""]},"qcodes.instrument.mock.MockModel":{handle_cmd:[51,2,1,""]},"qcodes.instrument.parameter":{ArrayParameter:[51,1,1,""],CombinedParameter:[51,1,1,""],GetLatest:[51,1,1,""],ManualParameter:[51,1,1,""],MultiParameter:[51,1,1,""],Parameter:[51,1,1,""],StandardParameter:[51,1,1,""],combine:[51,4,1,""],no_getter:[51,4,1,""],no_setter:[51,4,1,""]},"qcodes.instrument.parameter.ArrayParameter":{units:[51,3,1,""]},"qcodes.instrument.parameter.CombinedParameter":{set:[51,2,1,""],snapshot_base:[51,2,1,""],sweep:[51,2,1,""]},"qcodes.instrument.parameter.GetLatest":{delegate_attr_objects:[51,3,1,""],get:[51,2,1,""],omit_delegate_attrs:[51,3,1,""]},"qcodes.instrument.parameter.ManualParameter":{get:[51,2,1,""],set:[51,2,1,""]},"qcodes.instrument.parameter.MultiParameter":{full_names:[51,3,1,""]},"qcodes.instrument.parameter.Parameter":{__getitem__:[51,2,1,""],set_validator:[51,2,1,""],sweep:[51,2,1,""],units:[51,3,1,""],validate:[51,2,1,""]},"qcodes.instrument.parameter.StandardParameter":{get:[51,2,1,""],get_delay:[51,2,1,""],set_delay:[51,2,1,""],set_step:[51,2,1,""]},"qcodes.instrument.remote":{RemoteComponent:[51,1,1,""],RemoteFunction:[51,1,1,""],RemoteInstrument:[51,1,1,""],RemoteMethod:[51,1,1,""],RemoteParameter:[51,1,1,""]},"qcodes.instrument.remote.RemoteComponent":{__delattr__:[51,2,1,""],__dir__:[51,2,1,""],__getattr__:[51,2,1,""],__repr__:[51,2,1,""],__setattr__:[51,2,1,""],_attrs:[51,3,1,""],_delattrs:[51,3,1,""],_instrument:[51,3,1,""],_local_attrs:[51,3,1,""],name:[51,3,1,""],update:[51,2,1,""]},"qcodes.instrument.remote.RemoteFunction":{__call__:[51,2,1,""],call:[51,2,1,""],validate:[51,2,1,""]},"qcodes.instrument.remote.RemoteInstrument":{__getitem__:[51,2,1,""],__repr__:[51,2,1,""],add_function:[51,2,1,""],add_parameter:[51,2,1,""],close:[51,2,1,""],connect:[51,2,1,""],delegate_attr_dicts:[51,3,1,""],find_instrument:[51,2,1,""],functions:[51,3,1,""],instances:[51,2,1,""],name:[51,3,1,""],parameters:[51,3,1,""],restart:[51,2,1,""],update:[51,2,1,""]},"qcodes.instrument.remote.RemoteMethod":{__call__:[51,2,1,""]},"qcodes.instrument.remote.RemoteParameter":{__call__:[51,2,1,""],__getitem__:[51,2,1,""],callattr:[51,2,1,""],get:[51,2,1,""],getattr:[51,2,1,""],set:[51,2,1,""],setattr:[51,2,1,""],snapshot:[51,2,1,""],sweep:[51,2,1,""],validate:[51,2,1,""]},"qcodes.instrument.server":{InstrumentServer:[51,1,1,""],InstrumentServerManager:[51,1,1,""],get_instrument_server_manager:[51,4,1,""]},"qcodes.instrument.server.InstrumentServer":{handle_cmd:[51,2,1,""],handle_delete:[51,2,1,""],handle_new:[51,2,1,""],handle_new_id:[51,2,1,""],timeout:[51,3,1,""]},"qcodes.instrument.server.InstrumentServerManager":{"delete":[51,2,1,""],connect:[51,2,1,""],instances:[51,3,1,""],restart:[51,2,1,""]},"qcodes.instrument.sweep_values":{SweepFixedValues:[51,1,1,""],SweepValues:[51,1,1,""]},"qcodes.instrument.sweep_values.SweepFixedValues":{append:[51,2,1,""],copy:[51,2,1,""],extend:[51,2,1,""],reverse:[51,2,1,""],snapshot_base:[51,2,1,""]},"qcodes.instrument.sweep_values.SweepValues":{__iter__:[51,2,1,""],validate:[51,2,1,""]},"qcodes.instrument.visa":{VisaInstrument:[51,1,1,""]},"qcodes.instrument.visa.VisaInstrument":{ask_raw:[51,2,1,""],check_error:[51,2,1,""],close:[51,2,1,""],default_server_name:[51,6,1,""],set_address:[51,2,1,""],set_terminator:[51,2,1,""],snapshot_base:[51,2,1,""],visa_handle:[51,3,1,""],write_raw:[51,2,1,""]},"qcodes.instrument_drivers":{AlazarTech:[53,0,0,"-"],Harvard:[54,0,0,"-"],QuTech:[55,0,0,"-"],agilent:[56,0,0,"-"],ithaco:[57,0,0,"-"],oxford:[58,0,0,"-"],rigol:[59,0,0,"-"],rohde_schwarz:[60,0,0,"-"],signal_hound:[61,0,0,"-"],stanford_research:[62,0,0,"-"],tektronix:[63,0,0,"-"],test:[52,0,0,"-"],weinschel:[64,0,0,"-"]},"qcodes.instrument_drivers.AlazarTech":{ATS9870:[53,0,0,"-"],ATS:[53,0,0,"-"],ATS_acquisition_controllers:[53,0,0,"-"]},"qcodes.instrument_drivers.AlazarTech.ATS":{AcquisitionController:[53,1,1,""],AlazarParameter:[53,1,1,""],AlazarTech_ATS:[53,1,1,""],Buffer:[53,1,1,""],TrivialDictionary:[53,1,1,""]},"qcodes.instrument_drivers.AlazarTech.ATS.AcquisitionController":{_alazar:[53,3,1,""],handle_buffer:[53,2,1,""],post_acquire:[53,2,1,""],pre_acquire:[53,2,1,""],pre_start_capture:[53,2,1,""]},"qcodes.instrument_drivers.AlazarTech.ATS.AlazarParameter":{get:[53,2,1,""]},"qcodes.instrument_drivers.AlazarTech.ATS.AlazarTech_ATS":{acquire:[53,2,1,""],channels:[53,3,1,""],clear_buffers:[53,2,1,""],config:[53,2,1,""],dll_path:[53,3,1,""],find_boards:[53,6,1,""],get_board_info:[53,6,1,""],get_idn:[53,2,1,""],get_sample_rate:[53,2,1,""],signal_to_volt:[53,2,1,""]},"qcodes.instrument_drivers.AlazarTech.ATS.Buffer":{__del__:[53,2,1,""],free_mem:[53,2,1,""]},"qcodes.instrument_drivers.AlazarTech.ATS9870":{AlazarTech_ATS9870:[53,1,1,""]},"qcodes.instrument_drivers.AlazarTech.ATS_acquisition_controllers":{Demodulation_AcquisitionController:[53,1,1,""]},"qcodes.instrument_drivers.AlazarTech.ATS_acquisition_controllers.Demodulation_AcquisitionController":{do_acquisition:[53,2,1,""],fit:[53,2,1,""],handle_buffer:[53,2,1,""],post_acquire:[53,2,1,""],pre_acquire:[53,2,1,""],pre_start_capture:[53,2,1,""],update_acquisitionkwargs:[53,2,1,""]},"qcodes.instrument_drivers.Harvard":{Decadac:[54,0,0,"-"]},"qcodes.instrument_drivers.Harvard.Decadac":{Decadac:[54,1,1,""]},"qcodes.instrument_drivers.Harvard.Decadac.Decadac":{_ramp_state:[54,3,1,""],_ramp_time:[54,3,1,""],get_ramping:[54,2,1,""],set_ramping:[54,2,1,""]},"qcodes.instrument_drivers.QuTech":{IVVI:[55,0,0,"-"]},"qcodes.instrument_drivers.QuTech.IVVI":{IVVI:[55,1,1,""]},"qcodes.instrument_drivers.QuTech.IVVI.IVVI":{Fullrange:[55,3,1,""],Halfrange:[55,3,1,""],ask:[55,2,1,""],get_all:[55,2,1,""],get_idn:[55,2,1,""],get_pol_dac:[55,2,1,""],read:[55,2,1,""],set_dacs_zero:[55,2,1,""],set_pol_dacrack:[55,2,1,""],write:[55,2,1,""]},"qcodes.instrument_drivers.agilent":{Agilent_34400A:[56,0,0,"-"],E8527D:[56,0,0,"-"],HP33210A:[56,0,0,"-"],test_suite:[56,0,0,"-"]},"qcodes.instrument_drivers.agilent.Agilent_34400A":{Agilent_34400A:[56,1,1,""]},"qcodes.instrument_drivers.agilent.Agilent_34400A.Agilent_34400A":{clear_errors:[56,2,1,""],display_clear:[56,2,1,""],init_measurement:[56,2,1,""],reset:[56,2,1,""]},"qcodes.instrument_drivers.agilent.E8527D":{Agilent_E8527D:[56,1,1,""]},"qcodes.instrument_drivers.agilent.E8527D.Agilent_E8527D":{deg_to_rad:[56,2,1,""],off:[56,2,1,""],on:[56,2,1,""],parse_on_off:[56,2,1,""],rad_to_deg:[56,2,1,""]},"qcodes.instrument_drivers.agilent.HP33210A":{Agilent_HP33210A:[56,1,1,""]},"qcodes.instrument_drivers.agilent.test_suite":{TestAgilent_E8527D:[56,1,1,""]},"qcodes.instrument_drivers.agilent.test_suite.TestAgilent_E8527D":{driver:[56,3,1,""],setUpClass:[56,6,1,""],test_firmware_version:[56,2,1,""],test_frequency:[56,2,1,""],test_on_off:[56,2,1,""],test_phase:[56,2,1,""],test_power:[56,2,1,""]},"qcodes.instrument_drivers.ithaco":{Ithaco_1211:[57,0,0,"-"]},"qcodes.instrument_drivers.ithaco.Ithaco_1211":{CurrentParameter:[57,1,1,""],Ithaco_1211:[57,1,1,""]},"qcodes.instrument_drivers.ithaco.Ithaco_1211.CurrentParameter":{get:[57,2,1,""]},"qcodes.instrument_drivers.ithaco.Ithaco_1211.Ithaco_1211":{get_idn:[57,2,1,""]},"qcodes.instrument_drivers.oxford":{mercuryiPS:[58,0,0,"-"],triton:[58,0,0,"-"]},"qcodes.instrument_drivers.oxford.mercuryiPS":{MercuryiPS:[58,1,1,""]},"qcodes.instrument_drivers.oxford.mercuryiPS.MercuryiPS":{hold:[58,2,1,""],rtos:[58,2,1,""],to_zero:[58,2,1,""],write:[58,2,1,""]},"qcodes.instrument_drivers.oxford.triton":{Triton:[58,1,1,""]},"qcodes.instrument_drivers.oxford.triton.Triton":{get_idn:[58,2,1,""]},"qcodes.instrument_drivers.rigol":{DG4000:[59,0,0,"-"]},"qcodes.instrument_drivers.rigol.DG4000":{Rigol_DG4000:[59,1,1,""],clean_string:[59,4,1,""],is_number:[59,4,1,""],parse_multiple_outputs:[59,4,1,""],parse_single_output:[59,4,1,""],parse_string_output:[59,4,1,""]},"qcodes.instrument_drivers.rohde_schwarz":{SGS100A:[60,0,0,"-"],SMR40:[60,0,0,"-"],ZNB20:[60,0,0,"-"]},"qcodes.instrument_drivers.rohde_schwarz.SGS100A":{RohdeSchwarz_SGS100A:[60,1,1,""]},"qcodes.instrument_drivers.rohde_schwarz.SGS100A.RohdeSchwarz_SGS100A":{off:[60,2,1,""],on:[60,2,1,""],parse_on_off:[60,2,1,""],set_pulsemod_source:[60,2,1,""],set_pulsemod_state:[60,2,1,""],set_status:[60,2,1,""]},"qcodes.instrument_drivers.rohde_schwarz.SMR40":{RohdeSchwarz_SMR40:[60,1,1,""]},"qcodes.instrument_drivers.rohde_schwarz.SMR40.RohdeSchwarz_SMR40":{do_get_frequency:[60,2,1,""],do_get_power:[60,2,1,""],do_get_pulse_delay:[60,2,1,""],do_get_status:[60,2,1,""],do_get_status_of_ALC:[60,2,1,""],do_get_status_of_modulation:[60,2,1,""],do_set_frequency:[60,2,1,""],do_set_power:[60,2,1,""],do_set_pulse_delay:[60,2,1,""],do_set_status:[60,2,1,""],do_set_status_of_ALC:[60,2,1,""],do_set_status_of_modulation:[60,2,1,""],get_all:[60,2,1,""],off:[60,2,1,""],off_modulation:[60,2,1,""],on:[60,2,1,""],on_modulation:[60,2,1,""],reset:[60,2,1,""],set_ext_trig:[60,2,1,""]},"qcodes.instrument_drivers.rohde_schwarz.ZNB20":{FrequencySweep:[60,1,1,""],ZNB20:[60,1,1,""]},"qcodes.instrument_drivers.rohde_schwarz.ZNB20.FrequencySweep":{get:[60,2,1,""],set_sweep:[60,2,1,""]},"qcodes.instrument_drivers.rohde_schwarz.ZNB20.ZNB20":{initialise:[60,2,1,""]},"qcodes.instrument_drivers.signal_hound":{USB_SA124B:[61,0,0,"-"]},"qcodes.instrument_drivers.signal_hound.USB_SA124B":{SignalHound_USB_SA124B:[61,1,1,""],constants:[61,1,1,""]},"qcodes.instrument_drivers.signal_hound.USB_SA124B.SignalHound_USB_SA124B":{QuerySweep:[61,2,1,""],abort:[61,2,1,""],check_for_error:[61,2,1,""],closeDevice:[61,2,1,""],configure:[61,2,1,""],default_server_name:[61,6,1,""],dll_path:[61,3,1,""],get_power_at_freq:[61,2,1,""],get_spectrum:[61,2,1,""],initialisation:[61,2,1,""],openDevice:[61,2,1,""],prepare_for_measurement:[61,2,1,""],preset:[61,2,1,""],saStatus:[61,3,1,""],saStatus_inverted:[61,3,1,""],safe_reload:[61,2,1,""],sweep:[61,2,1,""]},"qcodes.instrument_drivers.signal_hound.USB_SA124B.constants":{SA_MAX_DEVICES:[61,3,1,""],TG_THRU_0DB:[61,3,1,""],TG_THRU_20DB:[61,3,1,""],sa124_MAX_FREQ:[61,3,1,""],sa124_MIN_FREQ:[61,3,1,""],sa44_MAX_FREQ:[61,3,1,""],sa44_MIN_FREQ:[61,3,1,""],saDeviceTypeNone:[61,3,1,""],saDeviceTypeSA124A:[61,3,1,""],saDeviceTypeSA124B:[61,3,1,""],saDeviceTypeSA44:[61,3,1,""],saDeviceTypeSA44B:[61,3,1,""],sa_AUDIO:[61,3,1,""],sa_AUDIO_AM:[61,3,1,""],sa_AUDIO_CW:[61,3,1,""],sa_AUDIO_FM:[61,3,1,""],sa_AUDIO_LSB:[61,3,1,""],sa_AUDIO_USB:[61,3,1,""],sa_AUTO_ATTEN:[61,3,1,""],sa_AUTO_GAIN:[61,3,1,""],sa_AVERAGE:[61,3,1,""],sa_BYPASS:[61,3,1,""],sa_IDLE:[61,3,1,""],sa_IQ:[61,3,1,""],sa_IQ_SAMPLE_RATE:[61,3,1,""],sa_LIN_FULL_SCALE:[61,3,1,""],sa_LIN_SCALE:[61,3,1,""],sa_LOG_FULL_SCALE:[61,3,1,""],sa_LOG_SCALE:[61,3,1,""],sa_LOG_UNITS:[61,3,1,""],sa_MAX_ATTEN:[61,3,1,""],sa_MAX_GAIN:[61,3,1,""],sa_MAX_IQ_DECIMATION:[61,3,1,""],sa_MAX_RBW:[61,3,1,""],sa_MAX_REF:[61,3,1,""],sa_MAX_RT_RBW:[61,3,1,""],sa_MIN_IQ_BANDWIDTH:[61,3,1,""],sa_MIN_MAX:[61,3,1,""],sa_MIN_RBW:[61,3,1,""],sa_MIN_RT_RBW:[61,3,1,""],sa_MIN_SPAN:[61,3,1,""],sa_POWER_UNITS:[61,3,1,""],sa_REAL_TIME:[61,3,1,""],sa_SWEEPING:[61,3,1,""],sa_TG_SWEEP:[61,3,1,""],sa_VOLT_UNITS:[61,3,1,""]},"qcodes.instrument_drivers.stanford_research":{SR560:[62,0,0,"-"],SR830:[62,0,0,"-"],SR865:[62,0,0,"-"]},"qcodes.instrument_drivers.stanford_research.SR560":{SR560:[62,1,1,""],VoltageParameter:[62,1,1,""]},"qcodes.instrument_drivers.stanford_research.SR560.SR560":{get_idn:[62,2,1,""]},"qcodes.instrument_drivers.stanford_research.SR560.VoltageParameter":{get:[62,2,1,""]},"qcodes.instrument_drivers.stanford_research.SR830":{SR830:[62,1,1,""]},"qcodes.instrument_drivers.stanford_research.SR865":{SR865:[62,1,1,""]},"qcodes.instrument_drivers.tektronix":{AWG5014:[63,0,0,"-"],AWG520:[63,0,0,"-"],Keithley_2000:[63,0,0,"-"],Keithley_2600:[63,0,0,"-"],Keithley_2700:[63,0,0,"-"]},"qcodes.instrument_drivers.tektronix.AWG5014":{Tektronix_AWG5014:[63,1,1,""],parsestr:[63,4,1,""]},"qcodes.instrument_drivers.tektronix.AWG5014.Tektronix_AWG5014":{AWG_FILE_FORMAT_CHANNEL:[63,3,1,""],AWG_FILE_FORMAT_HEAD:[63,3,1,""],all_channels_off:[63,2,1,""],all_channels_on:[63,2,1,""],change_folder:[63,2,1,""],clear_waveforms:[63,2,1,""],create_and_goto_dir:[63,2,1,""],delete_all_waveforms_from_list:[63,2,1,""],force_event:[63,2,1,""],force_trigger_event:[63,2,1,""],generate_awg_file:[63,2,1,""],generate_sequence_cfg:[63,2,1,""],get_DC_out:[63,2,1,""],get_DC_state:[63,2,1,""],get_all:[63,2,1,""],get_current_folder_name:[63,2,1,""],get_error:[63,2,1,""],get_filenames:[63,2,1,""],get_folder_contents:[63,2,1,""],get_refclock:[63,2,1,""],get_sequence_length:[63,2,1,""],get_sq_length:[63,2,1,""],get_sq_mode:[63,2,1,""],get_sq_position:[63,2,1,""],get_sqel_loopcnt:[63,2,1,""],get_sqel_trigger_wait:[63,2,1,""],get_sqel_waveform:[63,2,1,""],get_state:[63,2,1,""],goto_root:[63,2,1,""],import_and_load_waveform_file_to_channel:[63,2,1,""],import_waveform_file:[63,2,1,""],initialize_dc_waveforms:[63,2,1,""],is_awg_ready:[63,2,1,""],load_and_set_sequence:[63,2,1,""],load_awg_file:[63,2,1,""],pack_waveform:[63,2,1,""],parse_int_int_ext:[63,2,1,""],parse_int_pos_neg:[63,2,1,""],resend_waveform:[63,2,1,""],run:[63,2,1,""],send_DC_pulse:[63,2,1,""],send_awg_file:[63,2,1,""],send_waveform:[63,2,1,""],send_waveform_to_list:[63,2,1,""],set_DC_out:[63,2,1,""],set_DC_state:[63,2,1,""],set_current_folder_name:[63,2,1,""],set_filename:[63,2,1,""],set_refclock_ext:[63,2,1,""],set_refclock_int:[63,2,1,""],set_setup_filename:[63,2,1,""],set_sq_length:[63,2,1,""],set_sqel_event_jump_target_index:[63,2,1,""],set_sqel_event_jump_type:[63,2,1,""],set_sqel_event_target_index:[63,2,1,""],set_sqel_event_target_index_next:[63,2,1,""],set_sqel_goto_state:[63,2,1,""],set_sqel_goto_target_index:[63,2,1,""],set_sqel_loopcnt:[63,2,1,""],set_sqel_loopcnt_to_inf:[63,2,1,""],set_sqel_trigger_wait:[63,2,1,""],set_sqel_waveform:[63,2,1,""],sq_forced_jump:[63,2,1,""],start:[63,2,1,""],stop:[63,2,1,""],upload_awg_file:[63,2,1,""]},"qcodes.instrument_drivers.tektronix.AWG520":{Tektronix_AWG520:[63,1,1,""]},"qcodes.instrument_drivers.tektronix.AWG520.Tektronix_AWG520":{change_folder:[63,2,1,""],clear_waveforms:[63,2,1,""],delete_all_waveforms_from_list:[63,2,1,""],force_logicjump:[63,2,1,""],force_trigger:[63,2,1,""],get_all:[63,2,1,""],get_current_folder_name:[63,2,1,""],get_filenames:[63,2,1,""],get_folder_contents:[63,2,1,""],get_jumpmode:[63,2,1,""],get_state:[63,2,1,""],goto_root:[63,2,1,""],load_and_set_sequence:[63,2,1,""],make_directory:[63,2,1,""],resend_waveform:[63,2,1,""],return_self:[63,2,1,""],send_pattern:[63,2,1,""],send_sequence2:[63,2,1,""],send_sequence:[63,2,1,""],send_waveform:[63,2,1,""],set_current_folder_name:[63,2,1,""],set_jumpmode:[63,2,1,""],set_sequence:[63,2,1,""],set_setup_filename:[63,2,1,""],start:[63,2,1,""],stop:[63,2,1,""]},"qcodes.instrument_drivers.tektronix.Keithley_2000":{Keithley_2000:[63,1,1,""],parse_output_bool:[63,4,1,""],parse_output_string:[63,4,1,""]},"qcodes.instrument_drivers.tektronix.Keithley_2000.Keithley_2000":{trigger:[63,2,1,""]},"qcodes.instrument_drivers.tektronix.Keithley_2600":{Keithley_2600:[63,1,1,""]},"qcodes.instrument_drivers.tektronix.Keithley_2600.Keithley_2600":{ask:[63,2,1,""],get_idn:[63,2,1,""],reset:[63,2,1,""],write:[63,2,1,""]},"qcodes.instrument_drivers.tektronix.Keithley_2700":{Keithley_2700:[63,1,1,""],bool_to_str:[63,4,1,""],parsebool:[63,4,1,""],parseint:[63,4,1,""],parsestr:[63,4,1,""]},"qcodes.instrument_drivers.tektronix.Keithley_2700.Keithley_2700":{get_all:[63,2,1,""],reset:[63,2,1,""],set_defaults:[63,2,1,""],set_mode:[63,2,1,""],set_mode_volt_dc:[63,2,1,""]},"qcodes.instrument_drivers.test":{DriverTestCase:[52,1,1,""],test_instrument:[52,4,1,""],test_instruments:[52,4,1,""]},"qcodes.instrument_drivers.test.DriverTestCase":{driver:[52,3,1,""],setUpClass:[52,6,1,""]},"qcodes.instrument_drivers.weinschel":{Weinschel_8320:[64,0,0,"-"],test_suite:[64,0,0,"-"]},"qcodes.instrument_drivers.weinschel.Weinschel_8320":{Weinschel_8320:[64,1,1,""]},"qcodes.instrument_drivers.weinschel.test_suite":{TestWeinschel_8320:[64,1,1,""]},"qcodes.instrument_drivers.weinschel.test_suite.TestWeinschel_8320":{driver:[64,3,1,""],test_attenuation:[64,2,1,""],test_firmware_version:[64,2,1,""]},"qcodes.loops":{ActiveLoop:[48,1,1,""],Loop:[48,1,1,""],get_bg:[48,4,1,""],halt_bg:[48,4,1,""]},"qcodes.loops.ActiveLoop":{HALT:[48,3,1,""],HALT_DEBUG:[48,3,1,""],containers:[48,2,1,""],get_data_set:[48,2,1,""],run:[48,2,1,""],run_temp:[48,2,1,""],set_common_attrs:[48,2,1,""],signal_period:[48,3,1,""],snapshot_base:[48,2,1,""],then:[48,2,1,""],with_bg_task:[48,2,1,""]},"qcodes.loops.Loop":{each:[48,2,1,""],loop:[48,2,1,""],run:[48,2,1,""],run_temp:[48,2,1,""],snapshot_base:[48,2,1,""],then:[48,2,1,""],validate_actions:[48,5,1,""],with_bg_task:[48,2,1,""]},"qcodes.measure":{Measure:[48,1,1,""]},"qcodes.measure.Measure":{__init__:[28,2,1,""],dummy_parameter:[48,3,1,""],run:[48,2,1,""],run_temp:[48,2,1,""],snapshot_base:[48,2,1,""]},"qcodes.plots":{base:[65,0,0,"-"],colors:[65,0,0,"-"],pyqtgraph:[65,0,0,"-"],qcmatplotlib:[65,0,0,"-"]},"qcodes.plots.base":{BasePlot:[65,1,1,""]},"qcodes.plots.base.BasePlot":{add:[65,2,1,""],add_to_plot:[65,2,1,""],add_updater:[65,2,1,""],clear:[65,2,1,""],expand_trace:[65,2,1,""],get_default_title:[65,2,1,""],get_label:[65,2,1,""],halt:[65,2,1,""],replace:[65,2,1,""],save:[65,2,1,""],update:[65,2,1,""],update_plot:[65,2,1,""]},"qcodes.plots.colors":{make_rgba:[65,4,1,""],one_rgba:[65,4,1,""]},"qcodes.plots.pyqtgraph":{QtPlot:[65,1,1,""],TransformState:[65,1,1,""]},"qcodes.plots.pyqtgraph.QtPlot":{__init__:[30,2,1,""],add_subplot:[65,2,1,""],add_to_plot:[65,2,1,""],clear:[65,2,1,""],proc:[65,3,1,""],rpg:[65,3,1,""],save:[65,2,1,""],setGeometry:[65,2,1,""],set_cmap:[65,2,1,""],update_plot:[65,2,1,""]},"qcodes.plots.pyqtgraph.TransformState":{__getnewargs__:[65,2,1,""],__new__:[65,5,1,""],__repr__:[65,2,1,""],revisit:[65,3,1,""],scale:[65,3,1,""],translate:[65,3,1,""]},"qcodes.plots.qcmatplotlib":{MatPlot:[65,1,1,""]},"qcodes.plots.qcmatplotlib.MatPlot":{__init__:[31,2,1,""],add_to_plot:[65,2,1,""],clear:[65,2,1,""],save:[65,2,1,""],update_plot:[65,2,1,""]},"qcodes.process":{helpers:[66,0,0,"-"],qcodes_process:[66,0,0,"-"],server:[66,0,0,"-"],stream_queue:[66,0,0,"-"]},"qcodes.process.helpers":{kill_processes:[66,4,1,""],kill_queue:[66,4,1,""],set_mp_method:[66,4,1,""]},"qcodes.process.qcodes_process":{QcodesProcess:[66,1,1,""]},"qcodes.process.qcodes_process.QcodesProcess":{__repr__:[66,2,1,""],run:[66,2,1,""]},"qcodes.process.server":{BaseServer:[66,1,1,""],ServerManager:[66,1,1,""]},"qcodes.process.server.BaseServer":{handle_get_handlers:[66,2,1,""],handle_halt:[66,2,1,""],handle_method_call:[66,2,1,""],process_query:[66,2,1,""],report_error:[66,2,1,""],run_event_loop:[66,2,1,""],timeout:[66,3,1,""]},"qcodes.process.server.ServerManager":{ask:[66,2,1,""],close:[66,2,1,""],halt:[66,2,1,""],restart:[66,2,1,""],write:[66,2,1,""]},"qcodes.process.stream_queue":{StreamQueue:[66,1,1,""],get_stream_queue:[66,4,1,""]},"qcodes.process.stream_queue.StreamQueue":{__del__:[66,2,1,""],connect:[66,2,1,""],disconnect:[66,2,1,""],get:[66,2,1,""],instance:[66,3,1,""]},"qcodes.station":{Station:[48,1,1,""]},"qcodes.station.Station":{"default":[48,3,1,""],__getitem__:[48,2,1,""],__init__:[34,2,1,""],add_component:[48,2,1,""],delegate_attr_dicts:[48,3,1,""],measure:[48,2,1,""],set_measurement:[48,2,1,""],snapshot_base:[48,2,1,""]},"qcodes.test":{test_core:[48,4,1,""],test_part:[48,4,1,""]},"qcodes.tests":{common:[67,0,0,"-"],data_mocks:[67,0,0,"-"],instrument_mocks:[67,0,0,"-"],py35_syntax:[67,0,0,"-"],test_combined_par:[67,0,0,"-"],test_command:[67,0,0,"-"],test_config:[67,0,0,"-"],test_data:[67,0,0,"-"],test_deferred_operations:[67,0,0,"-"],test_driver_testcase:[67,0,0,"-"],test_format:[67,0,0,"-"],test_hdf5formatter:[67,0,0,"-"],test_helpers:[67,0,0,"-"],test_instrument:[67,0,0,"-"],test_instrument_server:[67,0,0,"-"],test_json:[67,0,0,"-"],test_location_provider:[67,0,0,"-"],test_loop:[67,0,0,"-"],test_measure:[67,0,0,"-"],test_metadata:[67,0,0,"-"],test_multiprocessing:[67,0,0,"-"],test_nested_attrs:[67,0,0,"-"],test_parameter:[67,0,0,"-"],test_plots:[67,0,0,"-"],test_sweep_values:[67,0,0,"-"],test_validators:[67,0,0,"-"],test_visa:[67,0,0,"-"]},"qcodes.tests.common":{strip_qc:[67,4,1,""]},"qcodes.tests.data_mocks":{DataSet1D:[67,4,1,""],DataSet2D:[67,4,1,""],DataSetCombined:[67,4,1,""],MatchIO:[67,1,1,""],MockArray:[67,1,1,""],MockDataManager:[67,1,1,""],MockFormatter:[67,1,1,""],MockLive:[67,1,1,""],RecordingMockFormatter:[67,1,1,""],file_1d:[67,4,1,""],files_combined:[67,4,1,""]},"qcodes.tests.data_mocks.MatchIO":{join:[67,2,1,""],list:[67,2,1,""]},"qcodes.tests.data_mocks.MockArray":{array_id:[67,3,1,""],init_data:[67,2,1,""]},"qcodes.tests.data_mocks.MockDataManager":{ask:[67,2,1,""],query_lock:[67,3,1,""],restart:[67,2,1,""]},"qcodes.tests.data_mocks.MockFormatter":{read:[67,2,1,""],read_metadata:[67,2,1,""],write:[67,2,1,""],write_metadata:[67,2,1,""]},"qcodes.tests.data_mocks.MockLive":{arrays:[67,3,1,""]},"qcodes.tests.data_mocks.RecordingMockFormatter":{write:[67,2,1,""],write_metadata:[67,2,1,""]},"qcodes.tests.instrument_mocks":{AMockModel:[67,1,1,""],DummyInstrument:[67,1,1,""],MockGates:[67,1,1,""],MockInstTester:[67,1,1,""],MockMetaParabola:[67,1,1,""],MockMeter:[67,1,1,""],MockParabola:[67,1,1,""],MockSource:[67,1,1,""],MultiGetter:[67,1,1,""],ParamNoDoc:[67,1,1,""]},"qcodes.tests.instrument_mocks.AMockModel":{fmt:[67,5,1,""],gates_get:[67,2,1,""],gates_set:[67,2,1,""],gateslocal_get:[67,2,1,""],gateslocal_set:[67,2,1,""],meter_get:[67,2,1,""],meterlocal_get:[67,2,1,""],source_get:[67,2,1,""],source_set:[67,2,1,""],sourcelocal_get:[67,2,1,""],sourcelocal_set:[67,2,1,""]},"qcodes.tests.instrument_mocks.MockGates":{slow_neg_set:[67,2,1,""]},"qcodes.tests.instrument_mocks.MockInstTester":{add5:[67,2,1,""],attach_adder:[67,2,1,""]},"qcodes.tests.instrument_mocks.MockMetaParabola":{shared_kwargs:[67,3,1,""]},"qcodes.tests.instrument_mocks.MultiGetter":{get:[67,2,1,""]},"qcodes.tests.instrument_mocks.ParamNoDoc":{get_attrs:[67,2,1,""]},"qcodes.tests.py35_syntax":{f_async:[67,4,1,""]},"qcodes.tests.test_combined_par":{DumyPar:[67,1,1,""],TestMultiPar:[67,1,1,""],linear:[67,4,1,""]},"qcodes.tests.test_combined_par.DumyPar":{set:[67,2,1,""]},"qcodes.tests.test_combined_par.TestMultiPar":{setUp:[67,2,1,""],testAggregator:[67,2,1,""],testArrays:[67,2,1,""],testCombine:[67,2,1,""],testLen:[67,2,1,""],testMeta:[67,2,1,""],testMutable:[67,2,1,""],testSet:[67,2,1,""],testSweep:[67,2,1,""],testSweepBadSetpoints:[67,2,1,""],testWrongLen:[67,2,1,""]},"qcodes.tests.test_command":{CustomError:[67,7,1,""],TestCommand:[67,1,1,""]},"qcodes.tests.test_command.TestCommand":{test_bad_calls:[67,2,1,""],test_cmd_function:[67,2,1,""],test_cmd_str:[67,2,1,""],test_no_cmd:[67,2,1,""]},"qcodes.tests.test_config":{TestConfig:[67,1,1,""],side_effect:[67,4,1,""]},"qcodes.tests.test_config.TestConfig":{setUp:[67,2,1,""],test_bad_config_files:[67,2,1,""],test_bad_user_schema:[67,2,1,""],test_default_config_files:[67,2,1,""],test_missing_config_file:[67,2,1,""],test_update_and_validate_user_config:[67,2,1,""],test_update_user_config:[67,2,1,""],test_user_schema:[67,2,1,""]},"qcodes.tests.test_data":{TestDataArray:[67,1,1,""],TestDataSet:[67,1,1,""],TestDataSetMetaData:[67,1,1,""],TestLoadData:[67,1,1,""],TestNewData:[67,1,1,""]},"qcodes.tests.test_data.TestDataArray":{test_attributes:[67,2,1,""],test_clear:[67,2,1,""],test_data_set_property:[67,2,1,""],test_edit_and_mark:[67,2,1,""],test_edit_and_mark_slice:[67,2,1,""],test_fraction_complete:[67,2,1,""],test_init_data_error:[67,2,1,""],test_nest_empty:[67,2,1,""],test_nest_preset:[67,2,1,""],test_preset_data:[67,2,1,""],test_repr:[67,2,1,""]},"qcodes.tests.test_data.TestDataSet":{failing_func:[67,2,1,""],logging_func:[67,2,1,""],mock_sync:[67,2,1,""],tearDown:[67,2,1,""],test_complete:[67,2,1,""],test_constructor_errors:[67,2,1,""],test_default_parameter:[67,2,1,""],test_fraction_complete:[67,2,1,""],test_from_server:[67,2,1,""],test_pickle_dataset:[67,2,1,""],test_to_server:[67,2,1,""],test_write_copy:[67,2,1,""]},"qcodes.tests.test_data.TestDataSetMetaData":{test_snapshot:[67,2,1,""]},"qcodes.tests.test_data.TestLoadData":{setUp:[67,2,1,""],test_get_live:[67,2,1,""],test_get_read:[67,2,1,""],test_load_false:[67,2,1,""],test_no_live_data:[67,2,1,""],test_no_saved_data:[67,2,1,""]},"qcodes.tests.test_data.TestNewData":{setUpClass:[67,6,1,""],tearDownClass:[67,6,1,""],test_location_functions:[67,2,1,""],test_mode_error:[67,2,1,""],test_overwrite:[67,2,1,""]},"qcodes.tests.test_deferred_operations":{TestDeferredOperations:[67,1,1,""]},"qcodes.tests.test_deferred_operations.TestDeferredOperations":{test_basic:[67,2,1,""],test_binary_both:[67,2,1,""],test_binary_constants:[67,2,1,""],test_complicated:[67,2,1,""],test_errors:[67,2,1,""],test_unary:[67,2,1,""]},"qcodes.tests.test_driver_testcase":{EmptyModel:[67,1,1,""],HasNoDriver:[67,1,1,""],HasNoInstances:[67,1,1,""],MockMock2:[67,1,1,""],MockMock:[67,1,1,""],TestDriverTestCase:[67,1,1,""]},"qcodes.tests.test_driver_testcase.HasNoDriver":{noskip:[67,3,1,""]},"qcodes.tests.test_driver_testcase.HasNoInstances":{driver:[67,3,1,""],noskip:[67,3,1,""]},"qcodes.tests.test_driver_testcase.TestDriverTestCase":{driver:[67,3,1,""],noskip:[67,3,1,""],setUpClass:[67,6,1,""],tearDownClass:[67,6,1,""],test_instance_found:[67,2,1,""],test_no_driver:[67,2,1,""],test_no_instances:[67,2,1,""]},"qcodes.tests.test_format":{TestBaseFormatter:[67,1,1,""],TestGNUPlotFormat:[67,1,1,""]},"qcodes.tests.test_format.TestBaseFormatter":{setUp:[67,2,1,""],tearDown:[67,2,1,""],test_group_arrays:[67,2,1,""],test_init_and_bad_read:[67,2,1,""],test_match_save_range:[67,2,1,""],test_no_files:[67,2,1,""],test_overridable_methods:[67,2,1,""]},"qcodes.tests.test_format.TestGNUPlotFormat":{add_star:[67,2,1,""],checkArrayAttrs:[67,2,1,""],checkArraysEqual:[67,2,1,""],setUp:[67,2,1,""],tearDown:[67,2,1,""],test_constructor_errors:[67,2,1,""],test_format_options:[67,2,1,""],test_full_write:[67,2,1,""],test_incremental_write:[67,2,1,""],test_multifile:[67,2,1,""],test_read_errors:[67,2,1,""]},"qcodes.tests.test_hdf5formatter":{TestHDF5_Format:[67,1,1,""]},"qcodes.tests.test_hdf5formatter.TestHDF5_Format":{checkArrayAttrs:[67,2,1,""],checkArraysEqual:[67,2,1,""],setUp:[67,2,1,""],test_closed_file:[67,2,1,""],test_dataset_closing:[67,2,1,""],test_dataset_finalize_closes_file:[67,2,1,""],test_dataset_flush_after_write:[67,2,1,""],test_dataset_with_missing_attrs:[67,2,1,""],test_double_closing_gives_warning:[67,2,1,""],test_full_write_read_1D:[67,2,1,""],test_full_write_read_2D:[67,2,1,""],test_incremental_write:[67,2,1,""],test_loop_writing:[67,2,1,""],test_loop_writing_2D:[67,2,1,""],test_metadata_write_read:[67,2,1,""],test_read_writing_dicts_withlists_to_hdf5:[67,2,1,""],test_reading_into_existing_data_array:[67,2,1,""],test_str_to_bool:[67,2,1,""],test_writing_metadata:[67,2,1,""],test_writing_unsupported_types_to_hdf5:[67,2,1,""]},"qcodes.tests.test_helpers":{A:[67,1,1,""],BadKeysDict:[67,1,1,""],NoDelDict:[67,1,1,""],TestClassStrings:[67,1,1,""],TestCompareDictionaries:[67,1,1,""],TestDelegateAttributes:[67,1,1,""],TestIsFunction:[67,1,1,""],TestIsSequence:[67,1,1,""],TestIsSequenceOf:[67,1,1,""],TestJSONencoder:[67,1,1,""],TestMakeSweep:[67,1,1,""],TestMakeUnique:[67,1,1,""],TestPermissiveRange:[67,1,1,""],TestStripAttrs:[67,1,1,""],TestWaitSecs:[67,1,1,""]},"qcodes.tests.test_helpers.A":{x:[67,3,1,""],y:[67,3,1,""]},"qcodes.tests.test_helpers.BadKeysDict":{keys:[67,2,1,""]},"qcodes.tests.test_helpers.TestClassStrings":{setUp:[67,2,1,""],test_full_class:[67,2,1,""],test_named_repr:[67,2,1,""]},"qcodes.tests.test_helpers.TestCompareDictionaries":{test_bad_dict:[67,2,1,""],test_key_diff:[67,2,1,""],test_nested_key_diff:[67,2,1,""],test_same:[67,2,1,""],test_val_diff_seq:[67,2,1,""],test_val_diff_simple:[67,2,1,""]},"qcodes.tests.test_helpers.TestDelegateAttributes":{test_delegate_both:[67,2,1,""],test_delegate_dict:[67,2,1,""],test_delegate_dicts:[67,2,1,""],test_delegate_object:[67,2,1,""],test_delegate_objects:[67,2,1,""]},"qcodes.tests.test_helpers.TestIsFunction":{AClass:[67,1,1,""],test_coroutine_check:[67,2,1,""],test_function:[67,2,1,""],test_methods:[67,2,1,""],test_non_function:[67,2,1,""],test_type_cast:[67,2,1,""]},"qcodes.tests.test_helpers.TestIsFunction.AClass":{method_a:[67,2,1,""],method_b:[67,2,1,""],method_c:[67,2,1,""]},"qcodes.tests.test_helpers.TestIsSequence":{AClass:[67,1,1,""],a_func:[67,2,1,""],test_no:[67,2,1,""],test_yes:[67,2,1,""]},"qcodes.tests.test_helpers.TestIsSequenceOf":{test_depth:[67,2,1,""],test_shape:[67,2,1,""],test_shape_depth:[67,2,1,""],test_simple:[67,2,1,""]},"qcodes.tests.test_helpers.TestJSONencoder":{testNumpyJSONEncoder:[67,2,1,""]},"qcodes.tests.test_helpers.TestMakeSweep":{test_bad_calls:[67,2,1,""],test_good_calls:[67,2,1,""]},"qcodes.tests.test_helpers.TestMakeUnique":{test_changes:[67,2,1,""],test_no_changes:[67,2,1,""]},"qcodes.tests.test_helpers.TestPermissiveRange":{test_bad_calls:[67,2,1,""],test_good_calls:[67,2,1,""]},"qcodes.tests.test_helpers.TestStripAttrs":{test_normal:[67,2,1,""],test_pathological:[67,2,1,""]},"qcodes.tests.test_helpers.TestWaitSecs":{test_bad_calls:[67,2,1,""],test_good_calls:[67,2,1,""],test_warning:[67,2,1,""]},"qcodes.tests.test_instrument":{GatesBadDelayType:[67,1,1,""],GatesBadDelayValue:[67,1,1,""],TestInstrument2:[67,1,1,""],TestInstrument:[67,1,1,""],TestLocalMock:[67,1,1,""],TestModelAttrAccess:[67,1,1,""]},"qcodes.tests.test_instrument.TestInstrument":{check_set_amplitude2:[67,2,1,""],check_ts:[67,2,1,""],getmem:[67,2,1,""],setUp:[67,2,1,""],setUpClass:[67,6,1,""],tearDownClass:[67,6,1,""],test_add_delete_components:[67,2,1,""],test_add_function:[67,2,1,""],test_attr_access:[67,2,1,""],test_base_instrument_errors:[67,2,1,""],test_component_attr_access:[67,2,1,""],test_creation_failure:[67,2,1,""],test_deferred_ops:[67,2,1,""],test_instance_name_uniqueness:[67,2,1,""],test_instances:[67,2,1,""],test_manual_parameter:[67,2,1,""],test_manual_snapshot:[67,2,1,""],test_max_delay_errors:[67,2,1,""],test_mock_idn:[67,2,1,""],test_mock_instrument:[67,2,1,""],test_mock_instrument_errors:[67,2,1,""],test_mock_set_sweep:[67,2,1,""],test_remote_sweep_values:[67,2,1,""],test_remove_instance:[67,2,1,""],test_reprs:[67,2,1,""],test_set_sweep_errors:[67,2,1,""],test_slow_set:[67,2,1,""],test_standard_snapshot:[67,2,1,""],test_sweep_steps_edge_case:[67,2,1,""],test_unpicklable:[67,2,1,""],test_update_components:[67,2,1,""],test_val_mapping:[67,2,1,""],test_val_mapping_ints:[67,2,1,""],test_val_mapping_parsers:[67,2,1,""],tests_get_latest:[67,2,1,""]},"qcodes.tests.test_instrument.TestInstrument2":{setUp:[67,2,1,""],tearDown:[67,2,1,""],test_attr_access:[67,2,1,""],test_validate_function:[67,2,1,""]},"qcodes.tests.test_instrument.TestLocalMock":{setUpClass:[67,6,1,""],tearDownClass:[67,6,1,""],test_instances:[67,2,1,""],test_local:[67,2,1,""]},"qcodes.tests.test_instrument.TestModelAttrAccess":{setUp:[67,2,1,""],tearDown:[67,2,1,""],test_attr_access:[67,2,1,""]},"qcodes.tests.test_instrument_server":{Holder:[67,1,1,""],TestInstrumentServer:[67,1,1,""],TimedInstrumentServer:[67,1,1,""],get_results:[67,4,1,""],run_schedule:[67,4,1,""],schedule:[67,4,1,""]},"qcodes.tests.test_instrument_server.Holder":{close:[67,2,1,""],connection_attrs:[67,2,1,""],functions:[67,3,1,""],get:[67,2,1,""],get_extras:[67,2,1,""],name:[67,3,1,""],parameters:[67,3,1,""],set:[67,2,1,""],shared_kwargs:[67,3,1,""]},"qcodes.tests.test_instrument_server.TestInstrumentServer":{maxDiff:[67,3,1,""],setUpClass:[67,6,1,""],tearDownClass:[67,6,1,""],test_normal:[67,2,1,""]},"qcodes.tests.test_instrument_server.TimedInstrumentServer":{timeout:[67,3,1,""]},"qcodes.tests.test_json":{TestNumpyJson:[67,1,1,""]},"qcodes.tests.test_json.TestNumpyJson":{setUp:[67,2,1,""],test_numpy_fail:[67,2,1,""],test_numpy_good:[67,2,1,""]},"qcodes.tests.test_location_provider":{TestFormatLocation:[67,1,1,""],TestSafeFormatter:[67,1,1,""]},"qcodes.tests.test_location_provider.TestFormatLocation":{test_default:[67,2,1,""],test_errors:[67,2,1,""],test_fmt_subparts:[67,2,1,""],test_record_call:[67,2,1,""],test_record_override:[67,2,1,""]},"qcodes.tests.test_location_provider.TestSafeFormatter":{test_missing:[67,2,1,""],test_normal_formatting:[67,2,1,""]},"qcodes.tests.test_loop":{AbortingGetter:[67,1,1,""],FakeMonitor:[67,1,1,""],TestBG:[67,1,1,""],TestLoop:[67,1,1,""],TestMetaData:[67,1,1,""],TestMockInstLoop:[67,1,1,""],TestSignal:[67,1,1,""],sleeper:[67,4,1,""]},"qcodes.tests.test_loop.AbortingGetter":{get:[67,2,1,""],reset:[67,2,1,""],set_queue:[67,2,1,""]},"qcodes.tests.test_loop.FakeMonitor":{call:[67,2,1,""]},"qcodes.tests.test_loop.TestBG":{test_get_halt:[67,2,1,""]},"qcodes.tests.test_loop.TestLoop":{check_snap_ts:[67,2,1,""],setUp:[67,2,1,""],setUpClass:[67,6,1,""],test_bad_actors:[67,2,1,""],test_bad_delay:[67,2,1,""],test_bare_wait:[67,2,1,""],test_breakif:[67,2,1,""],test_composite_params:[67,2,1,""],test_default_measurement:[67,2,1,""],test_delay0:[67,2,1,""],test_nesting:[67,2,1,""],test_nesting_2:[67,2,1,""],test_repr:[67,2,1,""],test_tasks_callable_arguments:[67,2,1,""],test_tasks_waits:[67,2,1,""],test_then_action:[67,2,1,""],test_then_construction:[67,2,1,""],test_very_short_delay:[67,2,1,""],test_zero_delay:[67,2,1,""]},"qcodes.tests.test_loop.TestMetaData":{test_basic:[67,2,1,""]},"qcodes.tests.test_loop.TestMockInstLoop":{check_empty_data:[67,2,1,""],check_loop_data:[67,2,1,""],setUp:[67,2,1,""],tearDown:[67,2,1,""],test_background_and_datamanager:[67,2,1,""],test_background_no_datamanager:[67,2,1,""],test_enqueue:[67,2,1,""],test_foreground_and_datamanager:[67,2,1,""],test_foreground_no_datamanager:[67,2,1,""],test_foreground_no_datamanager_progress:[67,2,1,""],test_local_instrument:[67,2,1,""],test_progress_calls:[67,2,1,""],test_sync_no_overwrite:[67,2,1,""]},"qcodes.tests.test_loop.TestSignal":{check_data:[67,2,1,""],test_halt:[67,2,1,""],test_halt_quiet:[67,2,1,""]},"qcodes.tests.test_measure":{TestMeasure:[67,1,1,""]},"qcodes.tests.test_measure.TestMeasure":{setUp:[67,2,1,""],test_array_and_scalar:[67,2,1,""],test_simple_array:[67,2,1,""],test_simple_scalar:[67,2,1,""]},"qcodes.tests.test_metadata":{TestMetadatable:[67,1,1,""]},"qcodes.tests.test_metadata.TestMetadatable":{HasSnapshot:[67,1,1,""],HasSnapshotBase:[67,1,1,""],test_init:[67,2,1,""],test_load:[67,2,1,""],test_snapshot:[67,2,1,""]},"qcodes.tests.test_metadata.TestMetadatable.HasSnapshot":{snapshot:[67,2,1,""]},"qcodes.tests.test_metadata.TestMetadatable.HasSnapshotBase":{snapshot_base:[67,2,1,""]},"qcodes.tests.test_multiprocessing":{CustomError:[67,7,1,""],EmptyServer:[67,1,1,""],ServerManagerTest:[67,1,1,""],TestMpMethod:[67,1,1,""],TestQcodesProcess:[67,1,1,""],TestServerManager:[67,1,1,""],TestStreamQueue:[67,1,1,""],delayed_put:[67,4,1,""],sqtest_echo:[67,1,1,""],sqtest_echo_f:[67,4,1,""],sqtest_exception:[67,4,1,""]},"qcodes.tests.test_multiprocessing.TestMpMethod":{test_set_mp_method:[67,2,1,""]},"qcodes.tests.test_multiprocessing.TestQcodesProcess":{setUp:[67,2,1,""],test_not_in_notebook:[67,2,1,""],test_qcodes_process:[67,2,1,""],test_qcodes_process_exception:[67,2,1,""]},"qcodes.tests.test_multiprocessing.TestServerManager":{check_error:[67,2,1,""],test_mechanics:[67,2,1,""],test_pathological_edge_cases:[67,2,1,""]},"qcodes.tests.test_multiprocessing.TestStreamQueue":{test_connection:[67,2,1,""],test_del:[67,2,1,""],test_sq_writer:[67,2,1,""]},"qcodes.tests.test_multiprocessing.sqtest_echo":{halt:[67,2,1,""],send_err:[67,2,1,""],send_out:[67,2,1,""]},"qcodes.tests.test_nested_attrs":{TestNestedAttrAccess:[67,1,1,""]},"qcodes.tests.test_nested_attrs.TestNestedAttrAccess":{test_bad_attr:[67,2,1,""],test_nested:[67,2,1,""],test_simple:[67,2,1,""]},"qcodes.tests.test_parameter":{GettableParam:[67,1,1,""],SettableArray:[67,1,1,""],SettableMulti:[67,1,1,""],SettableParam:[67,1,1,""],SimpleArrayParam:[67,1,1,""],SimpleManualParam:[67,1,1,""],SimpleMultiParam:[67,1,1,""],TestArrayParameter:[67,1,1,""],TestManualParameter:[67,1,1,""],TestMultiParameter:[67,1,1,""],TestParameter:[67,1,1,""],TestStandardParam:[67,1,1,""]},"qcodes.tests.test_parameter.GettableParam":{get:[67,2,1,""]},"qcodes.tests.test_parameter.SettableArray":{set:[67,2,1,""]},"qcodes.tests.test_parameter.SettableMulti":{set:[67,2,1,""]},"qcodes.tests.test_parameter.SettableParam":{set:[67,2,1,""]},"qcodes.tests.test_parameter.SimpleArrayParam":{get:[67,2,1,""]},"qcodes.tests.test_parameter.SimpleManualParam":{get:[67,2,1,""],set:[67,2,1,""]},"qcodes.tests.test_parameter.SimpleMultiParam":{get:[67,2,1,""]},"qcodes.tests.test_parameter.TestArrayParameter":{test_constructor_errors:[67,2,1,""],test_default_attributes:[67,2,1,""],test_explicit_attrbutes:[67,2,1,""],test_full_name:[67,2,1,""],test_has_set_get:[67,2,1,""],test_units:[67,2,1,""]},"qcodes.tests.test_parameter.TestManualParameter":{test_bare_function:[67,2,1,""]},"qcodes.tests.test_parameter.TestMultiParameter":{test_constructor_errors:[67,2,1,""],test_default_attributes:[67,2,1,""],test_explicit_attributes:[67,2,1,""],test_full_name_s:[67,2,1,""],test_has_set_get:[67,2,1,""]},"qcodes.tests.test_parameter.TestParameter":{test_bad_validator:[67,2,1,""],test_default_attributes:[67,2,1,""],test_explicit_attributes:[67,2,1,""],test_full_name:[67,2,1,""],test_has_set_get:[67,2,1,""],test_no_name:[67,2,1,""],test_repr:[67,2,1,""],test_units:[67,2,1,""]},"qcodes.tests.test_parameter.TestStandardParam":{get_p:[67,2,1,""],parse_set_p:[67,2,1,""],set_p:[67,2,1,""],set_p_prefixed:[67,2,1,""],strip_prefix:[67,2,1,""],test_gettable:[67,2,1,""],test_param_cmd_with_parsing:[67,2,1,""],test_settable:[67,2,1,""],test_val_mapping_basic:[67,2,1,""],test_val_mapping_with_parsers:[67,2,1,""]},"qcodes.tests.test_plots":{TestMatPlot:[67,1,1,""],TestQtPlot:[67,1,1,""]},"qcodes.tests.test_plots.TestMatPlot":{setUp:[67,2,1,""],tearDown:[67,2,1,""],test_creation:[67,2,1,""]},"qcodes.tests.test_plots.TestQtPlot":{setUp:[67,2,1,""],tearDown:[67,2,1,""],test_creation:[67,2,1,""]},"qcodes.tests.test_sweep_values":{TestSweepValues:[67,1,1,""]},"qcodes.tests.test_sweep_values.TestSweepValues":{setUp:[67,2,1,""],test_base:[67,2,1,""],test_errors:[67,2,1,""],test_repr:[67,2,1,""],test_snapshot:[67,2,1,""],test_valid:[67,2,1,""]},"qcodes.tests.test_validators":{AClass:[67,1,1,""],TestAnything:[67,1,1,""],TestArrays:[67,1,1,""],TestBaseClass:[67,1,1,""],TestBool:[67,1,1,""],TestEnum:[67,1,1,""],TestInts:[67,1,1,""],TestMultiType:[67,1,1,""],TestMultiples:[67,1,1,""],TestNumbers:[67,1,1,""],TestStrings:[67,1,1,""],a_func:[67,4,1,""]},"qcodes.tests.test_validators.AClass":{method_a:[67,2,1,""]},"qcodes.tests.test_validators.TestAnything":{test_failed_anything:[67,2,1,""],test_real_anything:[67,2,1,""]},"qcodes.tests.test_validators.TestArrays":{test_min_max:[67,2,1,""],test_shape:[67,2,1,""],test_type:[67,2,1,""]},"qcodes.tests.test_validators.TestBaseClass":{BrokenValidator:[67,1,1,""],test_broken:[67,2,1,""],test_instantiate:[67,2,1,""]},"qcodes.tests.test_validators.TestBool":{bools:[67,3,1,""],not_bools:[67,3,1,""],test_bool:[67,2,1,""]},"qcodes.tests.test_validators.TestEnum":{enums:[67,3,1,""],not_enums:[67,3,1,""],test_bad:[67,2,1,""],test_good:[67,2,1,""]},"qcodes.tests.test_validators.TestInts":{ints:[67,3,1,""],not_ints:[67,3,1,""],test_failed_numbers:[67,2,1,""],test_max:[67,2,1,""],test_min:[67,2,1,""],test_range:[67,2,1,""],test_unlimited:[67,2,1,""]},"qcodes.tests.test_validators.TestMultiType":{test_bad:[67,2,1,""],test_good:[67,2,1,""]},"qcodes.tests.test_validators.TestMultiples":{divisors:[67,3,1,""],multiples:[67,3,1,""],not_divisors:[67,3,1,""],not_multiples:[67,3,1,""],test_divisors:[67,2,1,""]},"qcodes.tests.test_validators.TestNumbers":{not_numbers:[67,3,1,""],numbers:[67,3,1,""],test_failed_numbers:[67,2,1,""],test_max:[67,2,1,""],test_min:[67,2,1,""],test_range:[67,2,1,""],test_unlimited:[67,2,1,""]},"qcodes.tests.test_validators.TestStrings":{chinese:[67,3,1,""],danish:[67,3,1,""],long_string:[67,3,1,""],not_strings:[67,3,1,""],strings:[67,3,1,""],test_failed_strings:[67,2,1,""],test_max:[67,2,1,""],test_min:[67,2,1,""],test_range:[67,2,1,""],test_unlimited:[67,2,1,""]},"qcodes.tests.test_visa":{MockVisa:[67,1,1,""],MockVisaHandle:[67,1,1,""],TestVisaInstrument:[67,1,1,""]},"qcodes.tests.test_visa.MockVisa":{set_address:[67,2,1,""]},"qcodes.tests.test_visa.MockVisaHandle":{ask:[67,2,1,""],clear:[67,2,1,""],close:[67,2,1,""],write:[67,2,1,""]},"qcodes.tests.test_visa.TestVisaInstrument":{args1:[67,3,1,""],args2:[67,3,1,""],args3:[67,3,1,""],test_ask_write_local:[67,2,1,""],test_ask_write_server:[67,2,1,""],test_default_server_name:[67,2,1,""],test_visa_backend:[67,2,1,""]},"qcodes.utils":{command:[68,0,0,"-"],deferred_operations:[68,0,0,"-"],helpers:[68,0,0,"-"],metadata:[68,0,0,"-"],nested_attrs:[68,0,0,"-"],reload_code:[68,0,0,"-"],threading:[68,0,0,"-"],timing:[68,0,0,"-"],validators:[68,0,0,"-"]},"qcodes.utils.command":{Command:[68,1,1,""],NoCommandError:[68,7,1,""]},"qcodes.utils.command.Command":{__call__:[68,2,1,""],call_by_str:[68,2,1,""],call_by_str_parsed_in2:[68,2,1,""],call_by_str_parsed_in2_out:[68,2,1,""],call_by_str_parsed_in:[68,2,1,""],call_by_str_parsed_in_out:[68,2,1,""],call_by_str_parsed_out:[68,2,1,""],call_cmd_parsed_in2:[68,2,1,""],call_cmd_parsed_in2_out:[68,2,1,""],call_cmd_parsed_in:[68,2,1,""],call_cmd_parsed_in_out:[68,2,1,""],call_cmd_parsed_out:[68,2,1,""]},"qcodes.utils.deferred_operations":{DeferredOperations:[68,1,1,""],is_function:[68,4,1,""]},"qcodes.utils.deferred_operations.DeferredOperations":{__and__:[68,2,1,""],__or__:[68,2,1,""]},"qcodes.utils.helpers":{DelegateAttributes:[68,1,1,""],LogCapture:[68,1,1,""],NumpyJSONEncoder:[68,1,1,""],compare_dictionaries:[68,4,1,""],deep_update:[68,4,1,""],full_class:[68,4,1,""],in_notebook:[68,4,1,""],is_sequence:[68,4,1,""],is_sequence_of:[68,4,1,""],make_sweep:[68,4,1,""],make_unique:[68,4,1,""],named_repr:[68,4,1,""],permissive_range:[68,4,1,""],strip_attrs:[68,4,1,""],tprint:[68,4,1,""],wait_secs:[68,4,1,""],warn_units:[68,4,1,""]},"qcodes.utils.helpers.DelegateAttributes":{delegate_attr_dicts:[68,3,1,""],delegate_attr_objects:[68,3,1,""],omit_delegate_attrs:[68,3,1,""]},"qcodes.utils.helpers.NumpyJSONEncoder":{"default":[68,2,1,""]},"qcodes.utils.metadata":{Metadatable:[68,1,1,""]},"qcodes.utils.metadata.Metadatable":{load_metadata:[68,2,1,""],snapshot:[68,2,1,""],snapshot_base:[68,2,1,""]},"qcodes.utils.nested_attrs":{NestedAttrAccess:[68,1,1,""]},"qcodes.utils.nested_attrs.NestedAttrAccess":{callattr:[68,2,1,""],delattr:[68,2,1,""],getattr:[68,2,1,""],setattr:[68,2,1,""]},"qcodes.utils.reload_code":{is_good_module:[68,4,1,""],reload_code:[68,4,1,""],reload_recurse:[68,4,1,""]},"qcodes.utils.threading":{RespondingThread:[68,1,1,""],thread_map:[68,4,1,""]},"qcodes.utils.threading.RespondingThread":{output:[68,2,1,""],run:[68,2,1,""]},"qcodes.utils.timing":{calibrate:[68,4,1,""],mptest:[68,4,1,""],report:[68,4,1,""],sleeper:[68,4,1,""]},"qcodes.utils.validators":{Anything:[68,1,1,""],Arrays:[68,1,1,""],Bool:[68,1,1,""],Enum:[68,1,1,""],Ints:[68,1,1,""],MultiType:[68,1,1,""],Multiples:[68,1,1,""],Numbers:[68,1,1,""],OnOff:[68,1,1,""],Strings:[68,1,1,""],Validator:[68,1,1,""],range_str:[68,4,1,""],validate_all:[68,4,1,""]},"qcodes.utils.validators.Anything":{is_numeric:[68,3,1,""],validate:[68,2,1,""]},"qcodes.utils.validators.Arrays":{is_numeric:[68,3,1,""],validate:[68,2,1,""],validtypes:[68,3,1,""]},"qcodes.utils.validators.Bool":{validate:[68,2,1,""]},"qcodes.utils.validators.Enum":{validate:[68,2,1,""]},"qcodes.utils.validators.Ints":{is_numeric:[68,3,1,""],validate:[68,2,1,""],validtypes:[68,3,1,""]},"qcodes.utils.validators.MultiType":{validate:[68,2,1,""]},"qcodes.utils.validators.Multiples":{validate:[68,2,1,""]},"qcodes.utils.validators.Numbers":{is_numeric:[68,3,1,""],validate:[68,2,1,""],validtypes:[68,3,1,""]},"qcodes.utils.validators.OnOff":{validate:[68,2,1,""]},"qcodes.utils.validators.Strings":{validate:[68,2,1,""]},"qcodes.utils.validators.Validator":{is_numeric:[68,3,1,""],validate:[68,2,1,""]},"qcodes.widgets":{display:[69,0,0,"-"],widgets:[69,0,0,"-"]},"qcodes.widgets.display":{display_auto:[69,4,1,""]},"qcodes.widgets.widgets":{HiddenUpdateWidget:[69,1,1,""],SubprocessWidget:[69,1,1,""],UpdateWidget:[69,1,1,""],get_subprocess_widget:[69,4,1,""],show_subprocess_widget:[69,4,1,""]},"qcodes.widgets.widgets.SubprocessWidget":{abort_timeout:[69,3,1,""],do_update:[69,2,1,""],instance:[69,3,1,""]},"qcodes.widgets.widgets.UpdateWidget":{do_update:[69,2,1,""],halt:[69,2,1,""],interval:[69,3,1,""],restart:[69,2,1,""]},qcodes:{BreakIf:[0,1,1,""],CombinedParameter:[1,1,1,""],Config:[2,1,1,""],DataArray:[3,1,1,""],DataMode:[4,1,1,""],DataSet:[5,1,1,""],DiskIO:[6,1,1,""],FormatLocation:[7,1,1,""],Formatter:[8,1,1,""],Function:[9,1,1,""],GNUPlotFormat:[10,1,1,""],IPInstrument:[11,1,1,""],Instrument:[12,1,1,""],Loop:[13,1,1,""],MockInstrument:[14,1,1,""],MockModel:[15,1,1,""],Parameter:[16,1,1,""],StandardParameter:[17,1,1,""],SweepFixedValues:[18,1,1,""],SweepValues:[19,1,1,""],Task:[20,1,1,""],VisaInstrument:[21,1,1,""],Wait:[22,1,1,""],actions:[48,0,0,"-"],combine:[23,4,1,""],config:[49,0,0,"-"],data:[50,0,0,"-"],get_bg:[24,4,1,""],get_data_manager:[25,4,1,""],halt_bg:[26,4,1,""],instrument:[51,0,0,"-"],instrument_drivers:[52,0,0,"-"],load_data:[27,4,1,""],loops:[48,0,0,"-"],measure:[48,0,0,"-"],new_data:[29,4,1,""],plots:[65,0,0,"-"],process:[66,0,0,"-"],station:[48,0,0,"-"],test:[48,0,0,"-"],tests:[67,0,0,"-"],utils:[68,0,0,"-"],version:[48,0,0,"-"],widgets:[69,0,0,"-"]}},objnames:{"0":["py","module","Python module"],"1":["py","class","Python class"],"2":["py","method","Python method"],"3":["py","attribute","Python attribute"],"4":["py","function","Python function"],"5":["py","staticmethod","Python static method"],"6":["py","classmethod","Python class method"],"7":["py","exception","Python exception"]},objtypes:{"0":"py:module","1":"py:class","2":"py:method","3":"py:attribute","4":"py:function","5":"py:staticmethod","6":"py:classmethod","7":"py:exception"},terms:{"000e":73,"001_13":[7,50],"007e":73,"063e":73,"069e":73,"0x7f920ec0eef0":81,"109e":73,"10mhz":61,"10v":[17,51],"158e":73,"15_rainbow_test":[7,50],"177s":73,"192s":73,"232e":73,"250khz":61,"260e":73,"300e":73,"337e":73,"34e":67,"372e":73,"376e":73,"636e":73,"670e":73,"743e":73,"\u00f8rsted":67,"\u590f\u65e5\u7545\u9500\u699c\u5927\u724c\u7f8e":67,"abstract":84,"boolean":[49,55,63,68],"break":[0,48,50,68,72,73],"byte":[50,53,55,63],"case":[9,13,17,48,50,51,52,53,63,67,68,69,73,80,84,85],"class":[0,1,2,3,4,5,6,7,8,9,10,11,12,13,14,15,16,17,18,19,20,21,22,28,30,31,33,34,35,36,37,39,40,42,48,49,50,51,52,53,54,55,56,57,58,59,60,61,62,63,64,65,66,67,68,69,73,76,77,85],"default":[2,3,5,7,9,10,11,12,13,14,15,16,21,27,29,30,31,32,34,48,49,50,51,52,53,54,55,57,60,62,63,65,66,68,69,70,71,73,76,83],"enum":[17,49,50,51,67,68,76,81],"export":58,"f\u00e6lled":67,"final":[8,9,17,48,50,51,80,84],"float":[5,9,17,18,29,31,50,51,59,60,63,65,67,68,69],"function":[0,1,5,12,14,17,18,20,23,32,33,35,36,37,39,41,42,47,48,50,53,54,55,56,59,60,61,63,64,66,67,68,69,73,76,77,79,84,85],"goto":63,"import":[32,51,63,66,68,73,77,81,84,85],"int":[3,9,11,17,18,26,48,50,51,54,55,58,63,65,67,68,76],"long":[16,48,51,67,73,77],"new":[3,7,8,9,10,27,29,31,48,49,50,51,63,65,66,68,69,72,79,80,81,84,85],"public":[44,73,80],"return":[0,7,9,14,15,16,17,18,24,27,28,29,38,48,49,50,51,53,54,55,57,58,59,60,61,62,63,65,66,67,68,69,76,84,85],"short":[3,50,66,68,84],"static":[11,12,21,48,50,51,65,67],"super":[12,51,85],"switch":[81,84],"throw":[66,67,68],"true":[3,5,10,11,14,16,26,29,30,34,38,48,50,51,54,55,61,63,65,66,67,68,69,73,81,84],"try":[73,84],"var":[10,50],"while":[14,50,51,68,84],AND:48,ATS:[47,48,52],Added:63,Adding:73,And:[50,65,81,85],Are:[29,50,84],BUT:73,But:[22,48,50,76],For:[7,10,14,17,21,30,50,51,53,65,73,78,80,81,84,85],Has:77,Its:84,NOT:[7,50,52,66,68,73],Not:[16,34,48,51,63,73,81],ONE:73,One:[51,66,79,84,85],POS:55,PRs:73,That:[18,19,51,66,85],The:[1,3,7,9,10,11,12,13,14,15,16,18,20,21,23,27,30,31,32,48,50,51,53,54,58,61,62,65,66,67,68,69,73,75,77,80,81,84,85],Then:[73,80,85],There:[63,73,76,77,81],These:[10,48,50,51,53,61,84],Use:[5,11,12,16,21,29,50,51,53,73,79],Used:[50,59,65],Uses:[7,50,51],Using:83,Will:[3,50,51,69,81],With:84,__and__:68,__call__:[7,50,51,68],__class__:[50,67],__del__:[51,53,66],__delattr__:51,__dir__:[51,68],__doc__:[9,16,51],__enter__:51,__exit__:51,__getattr__:51,__getitem__:[48,51],__getnewargs__:[50,65],__getstate__:51,__init:[12,51],__init__:[0,1,2,3,4,5,6,7,8,9,10,11,12,13,14,15,16,17,18,19,20,21,22,28,30,31,34,50,51,65,66,68,85],__iter__:[18,19,51],__len__:50,__new__:[50,51,65],__next__:[19,51],__or__:68,__repr__:[50,51,65,66],__setattr__:51,__setitem__:50,_alazar:53,_arg:51,_arg_count:51,_attr:51,_baseparamet:51,_cl:[50,65],_delattr:51,_dif:49,_get:[14,15,51,85],_get_cmd:58,_instrument:51,_instrument_list:85,_local_attr:51,_method:51,_mode:63,_monitor:67,_nodefault:68,_persist:51,_preset:50,_query_queu:66,_ramp_stat:54,_ramp_tim:54,_read_cmd:58,_recv:58,_save_v:[16,51],_send:58,_set:[14,15,51,85],_set_async:85,_set_both:85,_t0:51,_write_cmd:58,a_func:67,abc:51,abil:[60,71],abl:[50,67,68,84,85],abort:[50,61,67],abort_timeout:69,abortinggett:67,about:[50,51,63,65,66,68,73,76,79,81,85],abov:[50,51,73,84],abs:[0,48,60],absolut:[6,50,73],accept:[5,6,8,9,10,12,14,20,48,50,51,68,84],access:[40,49,50,51,68],accessor:[51,68],accident:[25,50],accompani:73,accord:[63,80],account:73,accur:[4,8],acknowledg:[11,51],aclass:67,acquir:[53,84],acquisiion:53,acquisit:[48,53,61,73,84],acquisition_conrol:53,acquisition_control:53,acquisitioncontrol:53,acquisiton:53,acquist:53,across:[5,29,50,84],act:[3,17,50,51,66],action:[0,3,13,28,34,44,47,50,76,79,84,85],action_index:50,action_indic:[3,50],activ:[24,26,48,50,69,76,77,80],activeloop:[13,48,67,76],actual:[12,48,50,51,53,66,73,84],adapt:[18,19,51],adaptivesweep:[19,51,76],adawpt:[19,51],add5:67,add:[5,7,11,12,21,29,30,31,34,48,49,50,51,55,56,60,61,63,65,71,73,76,77,81,85],add_arrai:[3,5,29,50],add_compon:[34,48],add_funct:[12,51,73],add_metadata:50,add_paramet:[12,51,73,84,85],add_star:67,add_subplot:65,add_to_plot:65,add_updat:65,added:[3,5,29,30,31,34,48,49,50,51,63,65,68,73,84],adding:[50,51,65,69,73],addit:[11,12,21,50,51,57,79,81,84],address:[11,21,51,55,56,58,59,60,62,63,64,67,73,84],adjust:[55,84],adopt:79,adriaan:[61,63],aeroflex:64,affect:[6,50,66,73],after:[10,13,14,15,17,20,48,49,50,51,53,63,65,66,67,68,69,71,73,81,84],after_writ:67,afterward:50,again:[32,50,51,66,84],against:[49,51,66,76],aggreg:[1,23,51,85],agil:[47,48,52,73],agilent_34400a:[47,48,52],agilent_34401a:56,agilent_34410a:56,agilent_34411a:56,agilent_e8527d:[56,73],agilent_hp33210a:56,agre:50,agument:[0,48],ahead:[18,19,51],aid:84,aim:[17,51],airbnb:73,aka:73,akin:84,ala:[50,79],alazar:53,alazar_driv:53,alazar_nam:53,alazarparamet:53,alazarstartcaptur:53,alazartech:[47,48,52],alazartech_at:53,alazartech_ats9870:53,alex:73,alexcjohnson:[51,73],alexj:65,alia:[50,51,56,64,65,67],all:[1,3,7,8,9,10,12,14,15,16,18,21,23,33,34,48,50,51,52,53,56,58,59,60,61,63,65,66,68,73,76,77,79,80,81,84,85],all_channels_off:63,all_channels_on:63,alloc:53,alloc_buff:53,allocated_buff:53,allow:[11,16,18,19,21,29,32,48,49,50,51,65,66,67,68,73,84],allow_nan:68,almost:84,alon:[3,50],along:[16,30,31,48,51,61,65,73,76,84],alpha:55,alreadi:[3,8,12,48,50,51,63,65,68],also:[0,3,6,8,10,14,17,18,22,29,48,49,50,51,53,57,62,63,65,68,69,73,76,79,80,81,84],alter:51,altern:[14,51],although:[73,80],alwai:[10,14,50,51,54,66,68,73,84],always_nest:[10,50],amen:73,ammet:84,amockmodel:67,among:[7,48,50,85],amp:[57,62],amplifi:[57,62],amplitud:[50,53,63,85],amplitude2:73,ampliud:63,anaconda:[79,80],analog:63,analog_amplitude_n:63,analog_direct_output_n:63,analog_filter_n:63,analog_high_n:63,analog_low_n:63,analog_method_n:63,analog_offset_n:63,analys:60,analysi:[48,73,84],analyz:79,angle_deg:56,angle_rad:56,ani:[1,3,6,7,8,9,10,11,12,13,14,15,16,17,18,19,20,21,23,24,26,28,34,48,49,50,51,53,63,65,66,67,68,69,73,76,79,84,85],annoi:77,anoth:[7,18,48,50,51,68,79,84],answer:[54,55],anyth:[48,51,68,76],anywai:[15,24,48,51,77],api:[44,46,51,67,79,81,84],apparatu:76,append:[3,18,50,51,65,68,85],appli:[5,9,17,50,51,73],apply_chang:50,appropri:[53,84],approv:73,arbitrari:[9,10,50,51,56,59,63,66,68,76,79],architectur:[66,79,85],area:69,arg:[9,18,20,30,31,32,48,50,51,58,65,66,67,68,69,85],arg_count:68,arg_pars:[9,51],args1:67,args2:[67,68],args3:67,argument:[0,3,5,8,9,20,48,49,50,51,68,76],around:[3,50,61,73,84],arrai:[3,5,8,28,29,48,50,51,53,59,63,65,67,68,71,76,84,85],array_id:[3,8,50,67,85],arraygett:51,arraygroup:50,arrayparamet:[51,67],arriv:[50,66,84],arrow:80,artichok:67,ask:[12,14,17,50,51,54,55,58,63,66,67,73,77,84],ask_raw:51,asker:66,asopc:53,asopc_typ:53,asrl2:[21,51],assertionerror:73,asserttru:73,assign:[48,73],associ:84,assum:[19,50,51,63,67,69,80,84],async:[73,83],asyncio:68,atob:58,ats9870:[47,48,52],ats_acquisition_control:[47,48,52],atsapi:53,attach:[5,12,13,15,48,50,51,67],attach_add:67,attempt:51,attent:73,attenu:64,attr:[50,51,67,68],attribut:[2,3,4,5,7,8,11,12,14,15,16,17,21,28,30,34,40,48,49,50,51,68,69,73,84],attributeerror:68,author:73,auto:[7,50,65],autocomplet:68,autom:79,automat:[7,27,48,50,65,66,73,79],auxiliari:73,avail:[12,44,46,48,50,51,52,56,58,60,63,66,79,84],avanc:83,averag:[50,53,61,63],avg:[61,73],avoid:50,awar:73,awg5014:[47,48,52],awg520:[47,48,52],awg:63,awg_fil:63,awg_file_format_channel:63,awg_file_format_head:63,awkward:65,axes:[58,65],axi:[3,10,16,50,51,65,84],babi:85,back:[19,48,50,51,65,66,67,68,73,79,80,81,84,85],backend:[21,51,65],background:[24,26,48,66,84],background_color:[30,65],background_funct:[5,50],backslash:73,backward:[6,50],badkeysdict:67,bar:[73,81],bare:[11,18,51],base0:85,base1:85,base2:85,base:[3,5,6,7,8,12,15,19,21,27,29,30,47,48,49,50,52,53,54,55,56,57,58,59,60,61,62,63,64,66,67,68,69,73,81,84,85],base_loc:[6,50],baseplot:[30,31,65],baseserv:[50,51,66,85],bash:77,basi:51,basic:[10,50,53,55,67,79],baudrat:54,bear:73,becaus:[3,5,8,12,15,50,51,53,66,67,68,69,73,77,80,84,85],becom:[76,84],been:[15,48,50,51,61,65,69,73,77,84,85],befor:[7,11,12,13,20,26,48,50,51,52,53,63,66,67,68,73,81,84],begin:50,begin_tim:51,behav:[68,73,77],behavior:[32,66,73,84],being:[3,5,29,50,51,61,66,68,77],belong:[16,17,50,51],below:[12,51,73,76],best:73,beta:[53,56,58,60,61,63],better:[9,48,51,67,68,73,84],between:[5,8,11,12,18,29,30,31,48,50,51,63,65,66,68],beyond:50,bg_final_task:48,bg_min_delai:48,bg_task:48,bidirect:[17,51],biggest:77,bind:51,bip:55,bit:[53,63],bits_per_sampl:53,bitwis:68,black:[30,65],blank:[10,50,51,73],blob:51,block:[10,48,50,66,73,85],blue:49,board:53,board_id:53,board_kind:53,bodi:73,boilerpl:[9,51],bold:76,bool:[3,5,11,14,16,24,26,29,32,34,38,48,50,51,54,57,62,63,66,67,68,69],bool_to_str:63,born:73,both:[6,14,16,50,51,62,63,65,66,73,76,77,79,80,84,85],bottom:[55,80],bound:84,box:69,bracket:73,branch:73,breakif:[44,48,84],bring:50,brittl:84,broader:79,broken:[17,51,77],brokenvalid:67,brows:80,buf:53,buffer:[53,69],buffer_timeout:53,buffers_per_acquisit:53,bug:[51,74],build:[49,50,73,80,84],built:[50,68,77],builtin:[9,51],burden:84,button:73,bwlimit:53,byte_to_value_dict:53,bytes:54,c_amp_in:57,cabl:84,calcul:[68,76,84],calibr:[53,68],call:[1,3,5,7,8,9,11,12,15,16,20,21,23,29,32,48,49,50,51,53,61,65,66,67,68,69,73,84],call_by_str:68,call_by_str_parsed_in2:68,call_by_str_parsed_in2_out:68,call_by_str_parsed_in:68,call_by_str_parsed_in_out:68,call_by_str_parsed_out:68,call_cmd:[9,51],call_cmd_parsed_in2:68,call_cmd_parsed_in2_out:68,call_cmd_parsed_in:68,call_cmd_parsed_in_out:68,call_cmd_parsed_out:68,call_func:68,call_part:68,callabl:[0,1,5,7,13,20,22,23,29,48,50,51,65,68,69,84],callattr:[15,51,66,68],callback:69,caller:68,came:53,can:[0,2,3,5,7,9,10,13,15,16,17,18,19,22,28,29,30,31,34,48,49,50,51,53,55,58,59,60,65,66,67,68,69,73,76,77,78,79,81,84,85],cancel:[65,66],cannot:[17,50,51,62,68,73,84],capabl:[50,76,79,84],capit:73,captur:53,card:53,care:69,cartesian:84,cast:[9,51,68],caveat:84,center:61,centr:60,certain:[50,53,58,68],ch1:63,ch2:63,chain:[12,50,51,77,84],chan1:[0,48],chanc:53,chang:[2,5,6,14,17,29,32,48,49,50,51,55,62,63,65,66,69,72,73,79,80,81,84],change_autozero:63,change_displai:63,change_fold:63,channel:[14,21,51,53,54,55,58,63,76,84],channel_a:53,channel_cfg:63,channel_no:63,channel_rang:53,channel_select:53,channel_skew_n:63,channel_state_n:63,charact:[10,11,15,16,21,50,51,58,73],characterist:84,check:[22,30,31,38,48,50,51,60,65,67,68,73,78,82,84],check_circular:68,check_data:67,check_empty_data:67,check_error:[51,67],check_for_error:61,check_loop_data:67,check_set_amplitude2:[67,73],check_snap_t:67,check_t:67,checkarrayattr:67,checkarraysequ:67,checklist:73,child:[48,66],chime:73,chines:67,choic:53,choos:[50,51,60,63,84],chore:73,chosen:67,circuit:68,circular:68,class_nam:68,classmethod:[12,51,52,53,56,61,67],clean:[26,48,50,59,63,71,73],clean_str:59,cleanup:[8,50],clear:[50,63,65,67,77],clear_buff:53,clear_error:56,clear_sav:50,clear_waveform:63,clearli:[66,73],clever:74,cli:79,click:80,client:66,clip:84,clock:[53,63,68],clock_edg:53,clock_sourc:[53,63],clone:73,close:[50,51,66,67,73],close_fil:[8,50],closedevic:61,closest:50,closur:[67,77],cloud:48,cls:51,cmap:65,cmd:[51,63,67,68,77],code:[9,17,34,38,48,51,56,62,66,67,68,69,74,79,84,85],code_that_makes_log:68,codebas:79,cofnig:49,collect:[18,48,51,53,66,68,69,76,79,84],colon:[51,73],color:[30,47,48],colorbar:[3,50],colorscal:65,column:[10,50,84],com2:[21,51],com:[38,51,56,64,66,68,73,75,80],combin:[1,5,10,27,29,44,50,51,61,65,76,83,84],combinedparamet:[44,51],come:[10,50,69,73,84],comma:51,command:[9,14,17,44,47,48,51,55,56,60,63,66,67,73,76,77,79,84],comment:[10,50,73,85],commit:[53,78,79],common:[33,47,48,51,60,63,66,76,84],commonli:[56,60,63],commun:[5,11,14,21,29,48,50,51,53,58,66,67,76,78,84],compar:[68,73],compare_dictionari:68,compat:[13,20,48,50,51,73,74,79,84],compatibil:63,complain:[50,84],complementari:50,complet:[3,5,48,50,51,63,65,66,68,77,84,85],complex:[60,67,73,84],compliant:73,complic:[9,51,67,84],compon:[34,48,51,53,68,79,84],composit:[48,84],comprehens:73,comput:[58,73,80,84],concaten:73,concept:85,concurr:84,conda:80,condit:[0,48,51,58,63,84],confid:51,config:[44,47,48,53,63,65,67,77,83],config_file_nam:[2,49],configur:[2,49,50,51,53,61,63,70,79,83,84],confirm:66,conflict:[50,84],confusingli:85,conjunct:51,connect:[4,5,12,14,15,21,29,34,38,48,50,51,53,65,66,68,76,84],connect_messag:51,connection_attr:[51,67],consequ:84,consid:[68,73,77],consist:[28,48,50,55,61,73,84],consol:66,consolid:79,constant:[55,61,67],construct:[0,3,11,17,48,50,51,66,67,68,85],constructor:[3,12,14,30,31,43,50,51,65,68,69],consult:84,consum:66,contain:[3,5,7,10,17,34,48,49,50,51,53,56,60,63,65,67,68,73,76,84,85],content:[3,47],context:[32,50,51,66,68,84],contian:53,contin:63,continu:[13,34,48,50,66,73],contrast:73,contribut:[74,78],contributor:73,control:[49,51,53,60,79,81,84,85],controlthermometri:58,conveni:[34,48,63,66,69,84],convers:[63,73],convert:[3,6,50,51,53,58,63,65,84],copi:[3,5,15,18,29,50,51,55,63,65,67,84],copy_attrs_from_input:50,core:[48,73,77,78,79,81],coroutin:68,correct:[8,50,51,62],correspond:[10,50,51,53,63,65],cosmet:71,could:[38,68,73,84],count:[9,51,67,85],counter:[7,50,67],coupl:[48,53,63,67],couplet:68,cours:[73,84],cov:77,cover:[73,85],coverag:[48,73,77,79],coveragerc:77,cpld:53,cpld_version:53,crash:[53,79],creat:[3,8,12,13,14,15,18,25,28,29,43,48,50,51,53,63,65,66,67,68,69,76,80,81,84,85],creata:50,create_and_goto_dir:63,creation:[51,67,85],creator:73,css:69,curernt:85,curr:[57,62],current:[2,5,6,7,27,29,34,48,49,50,51,57,62,63,65,73,81,84,85],current_config:[2,49],current_config_path:[2,49],current_schema:[2,49],currentparamet:57,custom:[2,6,49,50,51,65,85],customerror:67,cutoff_hi:62,cutoff_lo:62,cwd:[2,49],cwd_file_nam:[2,49],cycl:84,dac1:67,dac2:67,dac3:67,dac:55,dac_delai:55,dac_max_delai:55,dac_step:55,daemon:66,dai:73,dancer:73,danish:67,dark:[30,65],dat:[10,50],data:[3,5,6,7,8,10,13,17,27,29,30,31,44,47,48,51,53,55,60,63,65,67,68,73,76,79,84,85],data_arrai:[47,48,65,73],data_dict:50,data_kei:65,data_manag:[5,27,29,48,50],data_mock:[47,48],data_set:[8,47,48,65,67,70,73],data_v:[17,51],dataarrai:[5,8,29,44,48,50,51,65,76,84],dataflow:53,dataformatt:73,datamanag:[25,27,48,50,76,84],datamin:84,datamod:[5,29,44,50,85],dataserv:[5,27,29,50,76,84],dataset1d:67,dataset2d:67,dataset:[3,4,7,8,10,27,28,29,44,48,50,51,65,67,76,83,85],datasetcombin:67,date:[7,50,53],datetim:[7,50],daunt:73,dbm:60,dc_channel_numb:63,dc_output_level_n:63,deacadac:54,dead:51,deadlock:66,deal:73,dealt:84,debug:[26,48,81,84,85],decadac:[47,48,52],decadec:54,decid:[50,65,84,85],decim:53,declar:[14,51],decor:68,decoupl:73,deep:50,deep_upd:68,def:[58,85],default_file_nam:[2,49],default_fmt:50,default_formatt:[5,27,29,48,50],default_io:[5,27,29,50],default_monitor_period:50,default_parameter_arrai:50,default_parameter_nam:50,default_server_nam:[12,51,61],default_storage_period:50,defaults_schema:49,defer:[0,48,68],deferred_oper:[44,47,48,51],deferredoper:[51,68],defin:[9,15,16,17,48,50,51,57,58,62,63,66,73,76,81,84,85],definit:[9,48,51,65,77,84],deg_to_rad:56,degre:[16,51],delai:[13,14,17,19,22,48,50,51,60,63,67,68,73,84,85],delattr:[15,51,66,68],delay1:48,delay2:48,delay_arrai:67,delay_in_points_n:63,delay_in_time_n:63,delay_lab:63,delayed_put:67,deleg:[3,50,51,68],delegate_attr_dict:[34,48,50,51,68],delegate_attr_object:[50,51,68],delegateattribut:[48,50,51,68],delet:[50,51,68,73],delete_all_waveforms_from_list:63,demand:84,demodulation_acquisitioncontrol:53,demodulation_frequ:53,denot:[10,29,50,51],depend:[10,46,48,50,51,67,68,73,80,84],deprec:[3,16,50,51],depth:68,deriv:[50,76],descipt:[2,49],describ:[13,48,49,51,73,81,84],descript:[3,49,50,73,81,84],descriptor:55,design:[56,63,64,84],desir:50,dest:68,destruct:84,detail:[51,73,84],determin:[8,12,27,48,50,51,69],dev:73,develop:[74,77,78,79],deviat:68,devic:[55,60,84],devisor:68,dft:53,dg4000:[47,48,52],dg4062:59,dg4102:59,dg4162:59,dg4202:59,diagon:76,diamond:63,dict:[2,3,7,8,11,12,16,17,21,29,48,49,50,51,65,67,68,84],dict_1:68,dict_1_nam:68,dict_2:68,dict_2_nam:68,dict_differ:68,dictionari:[34,48,49,50,51,53,63,65,68,81,84],dicts_equ:68,did:[69,80],diff:63,differ:[5,12,48,50,51,55,60,63,66,68,73,76,77,79,84,85],differenti:[3,50,51],difficult:73,difficulti:[73,77],digit:63,digital_amplitude_n:63,digital_high_n:63,digital_low_n:63,digital_method_n:63,digital_offset_n:63,dimens:[3,10,50,51,68,84],dimension:[3,5,50],dir:[49,51,63,68],direct:[51,61,68,73],directli:[5,13,14,48,50,51,58,63,65,66,68,84],directori:[5,6,27,29,48,49,50,63,73,77,80,81],disabl:[5,29,50,69],disadvantag:84,disappear:84,disconnect:[51,66,84],discov:[52,77],discret:84,discuss:[73,78],disk:[5,6,8,29,48,50,84],diskio:[5,7,27,29,44,50,76],displai:[43,47,48,50,63],display_auto:69,display_clear:56,dispos:68,dissip:84,distinct:50,distribut:79,dive:68,diverg:63,divider_r:63,divisor:[67,68],dll:[53,61,84],dll_path:[53,61],dmm:56,do_acquisit:53,do_get_frequ:60,do_get_pow:60,do_get_pulse_delai:60,do_get_statu:60,do_get_status_of_alc:60,do_get_status_of_modul:60,do_set_frequ:60,do_set_pow:60,do_set_pulse_delai:60,do_set_statu:60,do_set_status_of_alc:60,do_set_status_of_modul:60,do_upd:69,doc:[49,50,55,73,80],doccstr:85,dock:69,docstr:[9,14,16,51,63,67,73],document:[9,16,51,53,70,71,73,79,84],doe:[3,7,10,13,21,48,50,51,52,55,56,60,62,63,65,66,67,68,73,77,84],doesn:[3,5,29,50,51,63,65,66,73],doing:[48,50,73,84],domain:58,domin:79,domwidget:69,don:[8,17,18,19,25,32,48,50,51,66,68,73,84,85],done:[48,50,51,71,80,84,85],dot:[49,73,81],dotdict:49,doubl:[7,50,63],doubt:73,down:[51,66,73],download:80,downsid:[15,51],dramat:84,draw:65,driver:[51,52,53,54,55,56,57,58,59,60,61,62,63,64,67,71,73,77,79,83,84],driver_vers:53,drivertestcas:[52,56,64,67],duck:51,due:[84,85],dummi:[28,48,67,85],dummy_paramet:48,dummyinstru:67,dump:[50,53],dumypar:67,duplic:[50,68],dure:[16,17,18,22,46,48,51,53,63,84,85],e8527d:[47,48,52,73],each:[3,5,8,9,10,11,13,16,17,18,29,30,34,48,50,51,53,54,56,62,63,64,65,66,67,68,69,73,76,79,84,85],eachot:85,earlier:48,easi:[76,79,80],easier:[14,15,51,73,84],easiest:[12,51,77],easili:[50,79],edgar:67,edit:61,editor:73,effect:[49,51,53,81],either:[8,12,16,17,31,50,51,59,65,66,68,84],electron:[51,79],element:[50,63,68,84],element_no:63,elpi:73,els:[67,73],elsewher:[34,48],emac:73,email:78,embed:80,emit:[17,51],emoji:73,empti:[50,51,54],emptymodel:67,emptyserv:67,emul:67,enabl:[14,51],enable_record_head:53,encapsul:84,enclos:48,encod:[9,17,50,51,68],encourag:73,end:[7,18,21,48,50,51,53,63,65,66,68,69,73,79,84],enforc:[51,68],enhanc:68,enough:[73,76],ensur:[50,51,61,62,66,73,84],ensure_ascii:68,ensureconnect:51,enter:[51,84],entir:[34,48,50,68,84],entri:[8,13,44,48,49,50,51,68],entry_point:50,entrypoint:46,env:[2,49,67,80,81],env_file_nam:[2,49],enviro:80,environ:[79,80,81],equal:67,equip:48,equival:[48,79],err:61,error:[3,12,13,15,17,32,48,50,51,53,55,63,66,67,68,81,85],error_class:67,error_cod:55,error_str:67,especi:48,essenti:56,etc:[3,9,17,48,50,51,68,73,84],ethernet:[11,51],eumer:[19,51],evalu:[20,48,50,68],even:[6,8,14,16,17,18,19,21,32,50,51,63,66,73,84],event:[54,63,66],event_input_imped:63,event_input_polar:63,event_input_threshold:63,event_jump_to:63,eventu:[65,73],everi:[1,5,13,14,15,23,48,49,50,51,53,68,78,84,85],everybodi:[73,78],everyon:[51,73],everyth:[7,44,50,68,73,77],exactli:[50,51,65,68,73],exampl:[0,3,7,16,17,19,21,48,49,50,51,53,65,68,73,76,79,80,82,85],exce:73,except:[35,48,50,51,63,65,67,68,73],exec_str:68,execut:[9,20,48,50,51,63,66,67,68,69,76,77,79,84],executor:85,exercis:73,exist:[7,8,12,19,27,29,50,51,63,67,68,73,79,84],existing_match:67,exit:[26,48,51],expand:74,expand_trac:65,expect:[8,13,48,50,51,58,66,68,73,85],experi:[2,48,49,79,80,84],experiment:[79,84],explain:[73,81,85],explicit:[18,51,65],explicitli:[3,16,50,51,69,73,84],expos:81,express:[17,51,84],ext:63,extend:[10,18,50,51,68],extens:[10,50,63,69],extern:[60,61,63],external_add_n:63,external_reference_typ:63,external_startcaptur:53,external_trigger_coupl:53,external_trigger_rang:53,extra:[5,14,15,16,29,49,50,51,67,73,84],extra_schema_path:49,extract:58,extrem:84,f_async:67,fact:73,factori:50,fail:[50,68,73,77,84],failfast:48,failing_func:67,failur:[48,73],fakemonitor:67,falcon:73,fall:65,fals:[3,5,16,24,25,27,29,32,48,50,51,54,55,56,59,60,62,63,66,67,68,69,73,81,84],faq:83,far:51,fast:[73,84],faster:[14,51,63,73],favor:77,fcontent:63,feasibl:79,feat:73,featur:[61,74,77,79],feed:[51,57,62],feedback:[19,51,84],feel:[65,73],fetch:[50,58,65],few:[9,51,73],fewer:50,field:[9,10,16,17,50,51,65,68,79,85],fifo_only_stream:53,figsiz:[30,31,65],figur:[31,65,73,80,84],file:[2,5,7,8,10,27,29,48,49,50,51,55,58,63,65,67,68,69,73,83,84],file_1d:67,file_exist:50,file_path:63,file_typ:69,filen:[2,49],filenam:[50,63,65],filenotfounderror:49,files_combin:67,filestructur:63,filesystem:50,fill:[13,48,50,51,84],find:[7,24,48,50,51,53,65,68,73,78,81],find_board:53,find_compon:51,find_instru:51,findal:58,fine:[55,84],finger:67,finish:[48,49,53,63,71,84],finish_bi:67,finish_clock:68,firmwar:[51,53,54],first:[3,10,15,17,20,24,30,31,48,50,51,65,69,73,84,85],first_cal:69,fit:[53,73],five:61,fix:[3,9,18,50,51,68,72,73,84,85],fixabl:73,flag:[55,61],flake8:73,flat:50,flat_index:50,flavor:84,flexibl:[76,79],flush:50,fmt:[7,50,65,67],fmt_counter:[7,50],fmt_date:[7,50],fmt_time:[7,50],fname:63,focus:73,folder:[6,10,50,63],follow:[32,49,50,54,65,66,73,77,80,81,84,85],foo:[73,81,85],footer:73,forc:[32,50,63,66],force_ev:63,force_load:63,force_logicjump:63,force_reload:63,force_trigg:63,force_trigger_ev:63,force_writ:[50,67],forcibl:[26,48],foreground:[48,84],foreground_color:[30,65],fork:[32,66,73],forkserv:[32,66],form:[9,51,53,60,65,66,68],format:[5,7,9,10,14,17,27,29,47,48,51,63,65,66,68,79,84],formatloc:[29,44,50,76],formatt:[5,27,29,44,48,50,76,84],formerli:64,formula:68,forward:[6,50,51,53],found:[8,17,20,48,49,50,51,55,65,68,73],four:[51,54,59],fourier:53,fraction:50,fraction_complet:50,framework:[66,73,79,84],free:[51,65,67],free_mem:53,freedom:[16,51],freeli:84,freeze_support:77,freq:[61,63],frequenc:[53,60,61,63,85],frequencysweep:60,frequent:73,frequwnci:60,fridg:[58,79],from:[3,5,7,8,9,10,13,16,17,27,28,29,34,48,49,50,51,53,55,56,57,58,60,62,63,65,66,67,68,69,73,75,76,79,84,85],front:69,full:[5,10,27,29,50,68,79],full_class:68,full_nam:[3,50,51],fulli:[51,65,73],fullrang:55,func:[20,48],func_nam:[51,66],fundament:84,further:[59,76,79],furthermor:68,futur:[50,69,73,85],gain:[57,62,67],garbag:[53,66],gate:[0,48,67,76,84,85],gate_frequ:85,gate_frequency_set:85,gates_get:67,gates_set:67,gatesbaddelaytyp:67,gatesbaddelayvalu:67,gateslocal_get:67,gateslocal_set:67,gdm_mock:67,gener:[5,7,18,29,48,50,51,56,59,60,61,63,64,68,73,76,79,80,84],generate_awg_fil:63,generate_sequence_cfg:63,geometri:65,get:[3,8,12,14,15,16,17,34,48,49,50,51,53,55,57,60,62,63,65,66,67,68,69,73,81,84,85],get_al:[55,60,63],get_array_metadata:50,get_attr:[51,67],get_bg:[44,48],get_board_info:53,get_chang:50,get_cmd:[14,17,51,53,85],get_current_folder_nam:63,get_data_manag:[5,27,29,44,50],get_data_set:48,get_dc_out:63,get_dc_stat:63,get_default_titl:65,get_delai:51,get_error:63,get_extra:67,get_filenam:63,get_folder_cont:63,get_funct:53,get_idn:[51,53,55,57,58,62,63],get_instrument_server_manag:51,get_jumpmod:63,get_label:65,get_latest:[0,16,48,51],get_p:67,get_pars:[17,51],get_pol_dac:55,get_power_at_freq:61,get_processed_data:53,get_ramp:54,get_refclock:63,get_result:67,get_sample_r:53,get_sequence_length:63,get_spectrum:61,get_sq_length:63,get_sq_mod:63,get_sq_posit:63,get_sqel_loopcnt:63,get_sqel_trigger_wait:63,get_sqel_waveform:63,get_stat:63,get_stream_queu:66,get_subprocess_widget:69,get_synced_index:50,get_valu:50,getattr:[15,51,66,68],getlatest:51,getmem:67,gettabl:[16,28,48,51,57,62,76,84],gettableparam:67,getter:76,getx:85,gij:63,git:[77,79],github:[51,73,75,76,79,80],giulio:73,giulioungaretti:73,give:[12,13,48,50,51,63,68,73,84],given:[11,14,48,50,51,53,59,65,67,68,73,84,85],gnu:67,gnuplot:[10,50,79],gnuplot_format:[47,48],gnuplotformat:[5,27,29,44,50,76,84],goal:73,goe:51,good:[60,67,73,77],googl:73,got:73,goto_l:63,goto_root:63,goto_st:63,goto_to_index_no:63,gotten:84,gpib:[21,51,63],gpibserv:[21,51],grab:[67,68],grai:[30,65],graph:[16,51],graphicswindow:[30,65],great:73,greater:[17,51],greatest:84,green:80,group:[50,60,63,73,79,84],group_arrai:50,grow:78,guarante:[38,68],gui:[73,79,81],guid:[53,73,78,80],guidelin:73,h5_group:50,h5py:80,hack:[73,81],hacki:50,had:51,halfrang:55,halt:[22,48,65,66,67,69],halt_bg:[44,48],halt_debug:48,handl:[3,5,9,12,29,30,50,51,53,55,65,66,67,76],handle_:66,handle_buff:53,handle_cmd:51,handle_delet:51,handle_finalize_data:50,handle_get_chang:50,handle_get_data:50,handle_get_handl:66,handle_get_measur:50,handle_halt:66,handle_method_cal:66,handle_new:51,handle_new_data:50,handle_new_id:51,handle_store_data:50,handler:[51,66],hang:73,happen:[3,12,20,48,50,51,84],happi:[51,73],hard:[24,48,73],harder:[73,84],hardwar:[12,51,55,60,73,76,84],harvard:[47,48,52],has:[3,10,15,48,50,51,53,62,63,66,67,69,73,77,81,84,85],has_q:67,hasn:50,hasnodriv:67,hasnoinst:67,hassnapshot:67,hassnapshotbas:67,have:[3,8,10,12,14,15,16,19,48,50,51,53,55,57,61,62,63,65,66,67,68,73,76,78,79,80,84,85],haz:71,hdf5:[50,84],hdf5_format:[47,48],hdf5format:50,head:63,header:73,heatmap:[30,31,65],height:[30,31,65],help:[4,5,8,9,11,16,21,50,51,63,66,68,73,77,79,84],helper:[44,47,48,50,51,69,73,81],here:[3,15,28,32,48,50,51,62,65,66,67,69,73,80,84],hesit:73,hgrecco:51,hidden:66,hiddenupdatewidget:69,hide:69,hierarchi:74,high:[73,84],higher:[48,81,84],highest:[7,50,84],histori:[14,51,73],history_count:[67,73],hkey_current_usersoftwareoxford:58,hold:[15,48,50,51,58,67,76,84,85],hold_repetition_r:63,holder:[51,67],home:[2,49,50,73,81],home_file_nam:[2,49],homepag:77,hop:63,host:51,hotfix:73,hound:61,how:[8,10,13,16,18,19,30,48,50,51,65,67,68,73,75,76,78,84],howev:73,hp33210a:[47,48,52],htm:55,html:[21,51,69],http:[21,38,51,55,66,68,73,75,80],human:53,icon:80,id1:[10,50],id2:[10,50],id3:[10,50],idea:[60,73,78],ideal:73,idem:63,idempot:[32,50,66],ident:[50,63,68,77,85],identifi:[5,8,10,12,16,50,51,66,68],idn:[51,55],idn_param:51,ids:50,ids_read:50,ids_valu:50,ignor:[20,48,50,51,53,66,68,73],igor:79,immedi:[6,34,48,50,51,53,66,69,73,84],impact:84,imped:53,imper:73,implememnt:[34,48],implement:[8,11,18,19,50,51,53,60,61,65],impli:65,implicit:73,implicitli:84,import_and_load_waveform_file_to_channel:63,import_waveform_fil:63,impos:84,improv:[72,73],in_nb_patch:67,in_notebook:[44,68],inch:[31,65],includ:[7,16,18,21,28,30,31,48,50,51,56,65,68,69,73,76,77,79,84,85],include_dir:50,incompat:77,inconsist:84,inconsistensi:63,incorpor:65,incorrect:73,incorrectli:53,increas:[48,63,73],increment:[10,17,50,51,84],inde:73,indent:[68,73],independ:[8,14,50,51,84],index:[31,50,51,55,63,65,84],index_fil:50,indic:[3,50,51,84,85],individu:[5,18,50,51,55],inf:[67,68],infer:[3,50],infinit:51,info:[7,48,50,51,53,63,65,78],inform:[7,11,16,21,30,50,51,53,54,61,65,68,69,73,79,81,84],inherit:[12,51,53,60,63,68],init:[14,51],init_data:[50,67],init_measur:56,init_on_serv:50,initi:[3,4,5,8,12,27,29,50,51,63,79,84],initial_valu:51,initialis:[60,61],initialize_dc_waveform:63,inner:[3,10,48,50,84],input:[9,12,17,51,55,63,65,68,73,76,84],input_pars:68,insensit:69,insert:[7,50,65,68,81],insid:[5,13,16,27,29,38,48,50,51,63,65,66,68,73,77,79,80,84],inspir:66,instal:[21,46,51,73,75,79],instanc:[5,9,16,48,50,51,53,57,62,65,66,68,69,84],instanti:[5,12,50,51,66,67,73,84],instead:[3,50,51,66,68,77,85],instruct:[79,80],instrument:[3,9,11,14,15,16,17,21,44,47,48,50,52,53,54,55,56,57,58,59,60,61,62,63,64,67,73,74,77,79,83],instrument_class:51,instrument_cod:[17,51],instrument_driv:[47,48,67,73],instrument_id:51,instrument_mock:[47,48],instrument_nam:[3,50],instrument_testcas:52,instrumentmetaclass:[12,51],instrumentserv:[11,21,51,67,84,85],instrumentservermanag:51,instrumentstriton:58,instument:67,insuffici:84,integ:[3,7,31,49,50,51,63,65,68,84],integr:[61,73,84],intellig:84,intend:[19,50,51,66,67,84],interact:[15,51,62,73,80,84],interdepend:84,interest:[73,84],interfac:[50,51,84],interleav:63,interleave_adj_amplitud:63,interleave_adj_phas:63,interleave_sampl:53,intermedi:[68,73],intern:[3,50,53,63],internal_trigger_r:63,interpret:84,interrupt:[26,48,66,82],interv:[30,31,48,65,68,69],introduct:83,invalid:51,invert:[57,62],invit:73,invoc:48,invok:[48,51,68],involv:[14,51,79,84],io_manag:[5,27,29,48,50,67],io_mang:50,iomanag:[76,84],ipinstru:[44,51,58,76],ipython:[38,68,79],ipywidget:69,irrevers:[51,66,68,84],is_awg_readi:63,is_funct:68,is_good_modul:68,is_live_mod:50,is_numb:59,is_numer:68,is_on_serv:50,is_sequ:68,is_sequence_of:68,is_setpoint:[3,50],isfil:[50,67],isn:[50,65],issu:[71,73,76],ital:76,item:[7,18,40,50,51,65,66,68],iter:[18,19,50,51,68,76],ithaco:[47,48,52],ithaco_1211:[47,48,52],its:[3,9,12,15,28,48,50,51,53,63,65,66,67,68,69,73,76,77,80,84,85],itself:[5,7,16,27,29,50,51,53,63,65,73,84],ivvi:[47,48,52],javascript:[69,73],job:[84,85],joe:67,joe_stat:67,johnson:73,join:[50,67,68,73,78],jorgenschaef:73,json:[11,12,16,21,48,49,50,51,68,79,81,84],json_config:49,jsonencod:68,jtar_index_no:63,jtar_stat:63,jump:[63,73],jump_index_no:63,jump_log:63,jump_tim:63,jump_to:63,jumplog:63,jupyt:[65,69,79,80,82],just:[5,9,10,12,17,22,29,48,50,51,65,66,67,68,69,73,76,77,80,83,84,85],jypyt:[38,68],keep:[8,48,50,51,53,54,69,73,79,84],keep_histori:[14,51,67],kei:[5,12,18,29,34,48,49,50,51,53,63,65,67,68,73,81,84],keithlei:63,keithley_2000:[47,48,52],keithley_2600:[47,48,52],keithley_2614b:63,keithley_2700:[47,48,52],kept:81,kernel:[81,82],keyerror:[51,68],keyword:[7,9,20,48,50,51,65,68],kill:66,kill_process:66,kill_queu:66,kind:85,knob:[67,84],know:[18,19,48,50,51,66,73,78,85],known:[3,50,51,64],kwarg:[9,11,12,14,17,19,20,21,29,30,31,34,43,48,50,51,53,54,55,56,57,58,59,60,61,62,63,64,65,66,67,68,69,85],kwargs2:68,lab:79,label1:[10,50],label2:[10,50],label3:[10,50],label:[1,3,7,10,16,23,50,51,53,65,73,84,85],lambda:[53,68],languag:[10,50],larg:73,larger:[17,51],largest:51,last:[50,51,53,63,65,67,73,84],last_saved_index:[8,50],later:[5,6,7,12,29,34,48,50,51,69,73,84,85],latest:[48,50,51,53,80,84],latest_cal_d:53,launch:80,layer:50,lead:73,leak:53,learn:79,least:[14,51,65,73,76,84],leav:[11,14,50,51],left:[50,51,80],legaci:67,legacy_mp:81,len:[50,63,68,85],lenght:51,length:[28,48,50,51,63,65,68,84,85],less:[50,73,84],let:[3,50,69,73,81,85],letter:73,level:[3,10,48,50,51,63,68,73,81,84,85],lib:68,librari:[68,73,80],life:73,like:[3,8,9,17,18,19,50,51,53,56,58,60,63,65,67,68,69,73,76,77,79,81,84],limit:[51,63,68,73,84,85],lin:61,line:[10,30,31,48,50,65,73,77,79],linear:[67,85],linearli:76,liner:73,linespac:68,link:[3,19,50,51,53,76],linkag:74,linspac:85,linux:[32,66,80],list:[1,5,7,9,14,18,23,29,34,44,46,48,50,51,53,55,58,60,63,65,66,67,68,69,71,73,76,84,85],liter:73,littl:[73,84],live:[5,27,29,48,50,51,65,73,75,80,84,85],load:[2,8,27,49,50,51,61,63,68,71,79,81,85],load_and_set_sequ:63,load_awg_fil:63,load_config:[49,67],load_data:[5,44,50],load_default:49,load_metadata:68,loc:[7,50],loc_provid:[7,50],loc_record:[29,50],local:[5,9,11,15,16,17,21,27,29,48,50,51,73,79,84,85],locat:[5,6,7,8,27,29,47,48,65,67,84,85],location_provid:[7,29,48,50,76],lock:62,lockin:[57,62],log:[50,61,66,68,79,85],log_count:[67,73],log_str:68,logcaptur:68,logger:68,logging_func:67,logic:[63,68,73],logic_jump:63,logic_jump_l:63,loglevel:81,logo:71,lograng:[18,51],logview:73,long_str:67,longer:[7,10,13,48,50,51,77],longest:51,look:[7,21,50,51,53,65,66,73,81,84],loop:[0,3,5,8,10,11,12,16,20,21,22,24,28,34,44,47,50,51,53,66,67,68,71,73,76,83,85],loop_indic:50,loopcount:63,lose:51,lot:[3,48,50,63,67,73,77],lotta:67,love:[73,78],low:[51,84,85],lower:[3,50,84],lowest:[7,50],mac:[32,66,77],machin:73,machineri:77,made:[12,14,51,81],magic:68,magnet:[58,79,85],magnitud:[60,84],mai:[0,5,8,9,14,18,19,27,30,31,46,48,50,51,65,73,76,81,84],main:[12,48,50,51,63,65,66,67,68,69,84],mainli:48,maintain:[50,57,62,73,74,77,78,84],major:68,majorana:81,make:[3,9,10,12,13,14,15,25,48,50,51,53,58,63,65,66,68,73,76,79,80,84],make_directori:63,make_rgba:65,make_sweep:68,make_uniqu:68,malform:51,manag:[5,7,8,12,15,25,27,29,47,48,51,62,66,67,68,73,84],mandatori:[63,73],mani:[3,5,10,17,18,19,50,51,53,67,68,73,84],manipul:63,manoeuvr:63,manual:[51,55,56,57,60,62,63,67,79,84,85],manualparamet:[48,51,67,85],map:[9,17,31,50,51,53,65,66,67,84],mark:[50,84],mark_sav:50,marker1:63,marker1_amplitude_n:63,marker1_high_n:63,marker1_low_n:63,marker1_method_n:63,marker1_offset_n:63,marker1_skew_n:63,marker2:63,marker2_amplitude_n:63,marker2_high_n:63,marker2_low_n:63,marker2_method_n:63,marker2_offset_n:63,marker2_skew_n:63,marker:[63,65],mashup:71,master:[51,73,80],match:[7,9,10,14,17,50,51,63,65,68,84],match_save_rang:50,matchio:67,math:68,matplot:[44,65],matplotlib:[31,65,80,81],matter:[51,73],max:[10,17,50,51,61,63,68,73],max_delai:[17,51],max_length:68,max_sampl:53,max_val:68,max_val_ag:[17,51],max_valu:68,max_work:85,maxdepth:50,maxdiff:67,maximum:[17,50,51,61,84],mayb:[3,13,48,50,73],mean:[13,17,38,48,50,51,63,68,69,73,81,84,85],meaning:[48,51,66],meaningless:73,meant:[9,51],measur:[3,5,10,13,16,17,19,20,24,26,29,34,44,47,50,51,57,62,67,83],measured_param:[51,57,62],measured_valu:[19,51],med:73,member:79,memori:[5,29,48,50,51,53,63,84],memory_s:53,mention:[51,73],mercuryip:[47,48,52],merg:[63,73],messag:[24,48,50,51,54,55,66,68,69],message_len:55,mesur:48,met:46,meta:[67,79,83,84],meta_serv:85,meta_server_nam:85,metaclass:[12,47,48],metadat:[19,48,51,67,68],metadata:[3,8,11,12,16,21,44,47,48,50,51,67,73,79,84],metadata_fil:[10,50],metdata:50,meter:[63,67],meter_get:67,meterlocal_get:67,method:[0,1,2,3,5,6,7,8,9,10,11,12,13,14,15,16,17,18,19,20,21,22,28,30,31,32,34,48,50,51,53,58,65,66,68,69,73,77,84,85],method_a:67,method_b:67,method_c:67,method_nam:66,methodnam:[52,56,64,67],mhz:63,middl:73,might:[53,73,84],mimic:[14,50,51,76],mimick:[50,84],min:[68,73],min_delai:48,min_length:68,min_val:68,min_valu:68,mind:53,mini:[10,50],minim:[50,69],minimum:48,minu:81,mirror:[51,84],misc:44,miss:[49,50,68,73,77,85],mistak:73,mix:73,mixin:68,mock:[47,48,67,73,85],mock_parabola_inst:67,mock_sync:67,mockarrai:67,mockdatamanag:67,mockformatt:67,mockgat:67,mockinst:[14,51],mockinstru:[15,44,51,67,76],mockinsttest:67,mockliv:67,mockmet:67,mockmetaparabola:67,mockmock2:67,mockmock:[67,73],mockmodel:[14,44,51,67],mockparabola:67,mocksourc:67,mockvisa:67,mockvisahandl:67,mode:[4,5,27,29,50,53,60,61,63,66,84,85],model:[14,15,51,53,59,60,67,73,76,81,84],modif:[33,50,51,66,81],modifi:[12,18,50,51,65,66,73],modified_rang:[8,50],modul:[46,47,73,81],modular:[79,84],moment:63,monitor:[13,22,34,48,50,67,76,79,84],more:[5,9,10,12,29,48,50,51,53,63,65,66,67,68,70,73,76,79,80,84],most:[16,32,50,51,53,56,60,63,66,69,73,76,80,84],mostli:[14,51,65,76],motiv:73,move:[50,58,68],mptest:68,msg:[58,67],much:[8,48,50,63,73,84],muck:66,multi:[51,68,70,84],multidimension:48,multigett:67,multilin:73,multimet:63,multipar:51,multiparamet:[51,60,67],multipl:[9,17,24,25,48,50,51,56,60,63,65,67,68,84,85],multipli:84,multiprocess:[11,12,21,32,33,50,51,66,68,70,73,77,79,85],multityp:[68,76],must:[3,7,10,11,12,14,16,18,19,29,49,50,51,53,62,63,66,68,73,76,84,85],my_experi:80,myinstrument:85,myvector:85,myvector_set:85,name1:67,name2:67,name:[1,2,3,5,7,9,10,11,12,14,15,16,17,21,23,29,34,48,49,50,51,53,54,55,56,57,58,59,60,61,62,63,64,65,66,67,68,69,73,76,80,84,85],name_attr:51,named_repr:68,namedtupl:50,namespac:[44,48,81],nan:[50,67],natur:48,navg:61,navig:80,nbagg:65,nbi:73,ndarrai:[3,50,51,84],nearli:50,necessari:[3,19,50,51,53,79,84],necessarili:[16,51,73,76],need:[3,12,43,48,50,51,53,58,63,65,66,67,68,69,73,76,77,84,85],neg:[22,48,51,55,67,73],neglect:63,neither:73,nest:[3,13,40,48,50,51,67,68,84],nested_attr:[44,47,48,51,66],nestedattraccess:[15,51,66,68],network:[14,51,60,84],never:[17,51,66,73],new_cmd:51,new_data:[5,44,48,50],new_id:[51,67],new_metadata:50,new_valu:51,newlin:[10,50],next:[7,10,50,51,63,68,80,84,85],nice:[48,50,51,65,73,80],nicer:66,nick:73,nix:80,no_cmd_funct:68,no_gett:51,no_instru:85,no_sett:51,nobodi:73,nocommanderror:[17,51,68],nodata:50,nodeldict:67,nois:67,non:[28,48,65,68,73,85],none:[1,3,5,7,9,10,11,12,13,14,16,17,18,21,23,24,27,29,31,34,48,49,50,51,52,53,54,55,58,60,61,63,65,66,67,68,69,71,73],nonstandard:[51,68],nor:[50,51,73],normal:[5,6,9,15,16,18,50,51,58,66,76,84],nose2:77,nose:77,nosetest:77,noskip:67,not_bool:67,not_divisor:67,not_enum:67,not_int:67,not_multipl:67,not_numb:67,not_str:67,notat:[18,51],note:[5,14,16,17,18,19,21,27,29,46,48,50,51,57,61,62,63,65,66,74,79,81,84,85],notebook:[38,65,68,69,73,77,79,80,81,82],noth:[50,66,77],notic:50,notimplementederror:68,now:[34,48,51,63,65,72,73,77,80,81,85],nplc:63,npt:60,nrep:63,nrep_l:63,num:[18,31,51,65,68],number:[7,10,11,13,14,16,18,21,48,50,51,53,54,59,60,63,65,67,68,69,73,76,84,85],number_format:[10,50],number_of_channel:53,number_of_paramet:85,numdac:55,numer:[10,50,51,67,68,84],numpi:[3,50,51,63,68,84,85],numpoint:63,numpyjsonencod:68,nxm:51,obj:68,object:[3,6,8,9,12,13,15,16,17,18,19,27,29,34,48,49,50,51,53,61,65,66,67,68,73,74,81,84,85],obscur:67,obtain:[50,53],obviou:[13,48],occasion:[8,50],occupi:[7,50],occur:[55,81,84],off:[9,51,56,60,63,68,73],off_modul:60,offer:85,offload:[5,27,29,50,84],often:[5,29,48,50,73,76],omit:[17,27,48,50,51,58,65,68],omit_delegate_attr:[51,68],on_modul:60,onc:[3,8,48,50,73,76,80,84,85],one:[1,3,5,8,9,10,12,13,14,17,18,23,27,29,32,48,50,51,52,53,55,60,62,63,65,66,67,68,73,76,84,85],one_rgba:65,ones:[48,56,60,63,73],onetwo:67,onli:[3,5,7,9,10,12,14,15,16,17,18,19,29,32,48,49,50,51,53,56,57,58,60,62,63,66,67,68,69,73,77,84],only_complet:50,only_exist:[25,50],onoff:68,onto:[51,63,66,84],open:[8,11,21,31,50,51,65,73,79,80,84],opendevic:61,oper:[0,6,12,14,18,48,50,51,68,81,84,85],opposit:[30,65],optim:[67,79],option:[1,3,5,7,8,9,11,12,16,17,18,19,21,23,27,29,32,48,49,50,51,52,58,63,65,66,67,68,69,71,73,77],optiona:[49,54],order:[1,5,9,23,48,49,50,51,67,68,73,81,84],ordereddict:[5,50],org:[21,51],organ:73,orient:84,origin:[32,48,66,68,84],osx:80,other:[7,8,11,12,13,15,20,21,22,28,30,31,48,50,51,53,57,62,65,66,68,69,73,79,84],otherwis:[3,24,27,48,50,51,53,65,66,68,73,84],our:[10,48,50,66,73],out:[0,48,51,53,66,67,68,73,78,79,82,84],outer:[3,10,48,50,84],output:[9,13,17,28,48,50,51,55,57,59,60,62,63,66,68,69,73,84],output_pars:68,output_waveform_name_n:63,outsid:[22,48,53],outstand:50,over:[8,13,18,19,48,50,51,53,61,68,73,76,84,85],overhead:[14,50,51,84],overrid:[5,7,8,15,29,48,50,51,66,68,69],overridden:[12,51,69],overview:[81,83],overwrit:[29,48,50,55,63,81],overwritten:[7,50,67],own:[9,48,50,51,53,66,68,69,73,84],oxford:[47,48,52],pack:63,pack_waveform:63,packag:[46,47,73,77,79,81],packed_waveform:63,page:[44,46,73,84],pai:73,panel:79,panic:84,parabola:67,parallel:[48,68],param1:48,param2:48,param3:48,param4:48,param5:48,param6:48,param:[14,15,16,48,51,53,68],param_nam:[3,14,50,51],paramet:[0,1,3,5,6,7,9,10,11,12,13,14,15,17,18,19,20,21,22,23,24,26,27,28,29,30,31,32,34,43,44,47,48,49,50,53,54,55,56,57,58,60,61,62,63,65,66,67,68,69,70,73,74,79,83],parameter_class:51,parameter_nam:71,paramnam:50,paramnodoc:67,paramt:[23,51,63,85],parent:[9,16,17,19,51],parenthes:73,pars:[9,51,59,63,68],parse_int_int_ext:63,parse_int_pos_neg:63,parse_multiple_output:59,parse_on_off:[56,60],parse_output_bool:63,parse_output_str:63,parse_set_p:67,parse_single_output:59,parse_string_output:59,parsebool:63,parseint:63,parser:[9,51],parsestr:63,part:[7,16,17,48,50,51,61,73,76,81,84],partial:[59,85],particular:[51,76,84],particularli:[9,12,51,84],pass:[7,9,12,14,17,19,20,29,30,31,43,48,49,50,51,53,65,66,68,69,73,77,81,84,85],past:50,pat:63,patch:73,path:[2,5,6,8,27,29,49,50,53,58,67,68,69,80,84],pattern:[51,63,68],pcie:53,pcie_link_spe:53,pcie_link_width:53,pcolormesh:65,pep8:73,per:[3,50,51,53,55,63,68,79,85],percent:50,perf:73,perf_count:68,perform:[8,28,48,49,50,53,55,61,68,73,84],perhap:[50,77,84,85],period:[5,30,31,48,50,65,66,69],permissive_rang:68,persist:[11,51],person:73,pertain:48,phase:[53,84],phase_delay_input_method_n:63,phase_n:63,physic:[5,27,29,34,48,50,84],pick:73,pickl:[50,51,65],picklabl:[67,68],pictur:84,piec:[67,68,76,84],pillar:84,ping:73,pinki:73,pip:[73,79,80],pixel:[30,65],place:[49,50,51,65,73,84],placehold:50,plain:[50,65],pleas:[73,78],plot:[3,44,47,48,50,67,71,80,84],plot_config:65,plotli:65,plotlib:81,plt:[31,65],plu:[50,65,81],plubic:46,plug:79,plugin:[63,73,77],point:[1,6,10,13,17,23,26,44,48,50,51,61,68,79,84],poitn:63,polar:55,polish:79,popul:[3,12,50,51,65],port:[11,21,51,54,58,61,79],portion:69,posit:[9,12,51,65,67,68,69,84],possibl:[50,51,57,58,62,63,65,68,81,84],post:73,post_acquir:53,potenti:[5,13,48,50,79,84],power:[58,60,61,73,84],power_limit:[0,48],powershel:77,practic:73,pre:[27,50],pre_acquir:53,pre_start_captur:53,preamp:[57,62],preamplifi:[57,62],preced:[10,50],precis:[14,51,63],predefin:[20,48,62,66],prefer:[79,84],prefix:73,prepar:[50,53,84],prepare_for_measur:61,prepend:[3,50,51],presenc:73,present:[50,51,57,62,63,65,73,84],preset:[50,61],preset_data:[3,50],press:82,prevent:[16,51,53],previou:[54,67,73],previous:[48,50,51,84],primari:[68,79],primarili:[66,68],princip:[9,51],print:[26,48,51,66,68,73,77,85],print_cont:63,prior:52,prioriti:[7,50,84],privat:[44,53],probabl:[9,51,53,68,73,84],problem:[51,73],proc:65,procedur:[11,12,21,51,84],process:[5,12,14,15,24,25,26,29,44,47,48,50,51,53,67,68,69,73,77,84],process_nam:66,process_queri:66,produc:84,profit:80,program:53,programm:53,programmat:79,progress:[13,48,68],progress_interv:[13,48],project:73,propag:[51,68],proper:55,properli:[51,63],properti:[49,51,84],propos:51,protect:55,protocol:[55,66,84],provi:49,provid:[3,7,9,11,14,17,19,29,30,31,48,50,51,53,56,64,65,66,67,68,73,76,80,84],proxi:[12,15,40,51,66,68,84],prune:50,pull:[5,27,29,50],pull_from_serv:[5,27,29,50,84],puls:63,purpos:[14,26,48,51,67,84],push:[5,29,50,65,67,84],push_to_serv:[5,29,50,84],put:[10,15,50,51,66,77,84,85],py35_syntax:[47,48],pyqtgraph:[44,47,48,80],pytest:77,python:[5,27,29,50,53,55,63,71,73,77,79,80,84],pyvisa:[21,51,84],q_err:67,q_out:67,qcmatplotlib:[44,47,48],qcode:[44,46,73,74,75,78,83,84,85],qcodes_config:[49,81],qcodes_path:69,qcodes_process:[44,47,48],qcodesprocess:66,qcodesrc:49,qcodesrc_schema:49,qdev:[73,79,81],qtlab:[61,63],qtplot:[44,65,67],qtwork:55,quantiti:[10,50],quantum:80,queri:[14,27,48,50,51,54,61,63,66,67,84],queries_per_stor:50,query_ask:66,query_lock:67,query_queu:[50,51,66,67],query_timeout:[66,67],query_writ:66,querysweep:61,question:[38,66,68,73,77],queue:[48,50,51,54,66,67,68,73],queue_stream:66,quiet:[48,68],quirk:70,quit:[0,48,66,73,84],quot:[10,50,68],qutech:[47,48,52],qutech_controlbox:56,rack:55,rad_to_deg:56,rainbow:[7,50],rais:[0,15,17,19,22,24,32,48,49,50,51,53,55,63,65,66,67,68],ramiro:61,ramp:[51,54,58,63],ran:73,rang:[50,53,55,61,63,68,84,85],range_str:68,rate:[51,53,55],rather:[50,51,66,73,85],ravel:[50,84],raw:[55,68,76,79],reach:73,read:[5,8,9,10,11,21,27,29,48,50,51,55,57,58,60,62,63,66,67,69,73,76,80,81,84],read_dict_from_hdf5:50,read_first:[50,67],read_metadata:[8,50,67],read_one_fil:[8,50],readabl:[17,48,51,53,73],readi:[29,50,73,80],readlin:50,readm:73,readthedoc:[21,51],real:[51,57,62,63,68,73,76,79,84,85],realli:[3,24,48,50,77,80,84],realtim:[73,79],reappear:73,reason:[50,65,73,85],receiv:[50,66],recent:[16,51,69,73],recogn:[15,48,51],recommend:[48,50,66,73],reconnect:[51,84],reconstruct:[8,50,51],record:[7,14,29,48,49,50,51,63,67,68,69,79,84],record_inst:51,recordingmockformatt:67,records_per_buff:53,recov:50,recreat:51,recurs:[48,50,51,68],recycl:53,redirect:[3,16,50,51,66],reduc:[9,51],ref:[51,84],refactor:73,refer:[3,44,50,51,53,63,68,73,75,84,85],referenc:[16,51,65,84],reference_clock_frequency_select:63,reference_multiplier_r:63,reference_sourc:63,refernc:61,reflect:51,regard:[53,84],regardless:[68,73],regist:73,registri:58,regular:[68,73,77,84],regularli:51,reimport:81,reinstat:69,reject:61,rel:[5,6,27,29,50,69,77,84],relat:[14,51,84],relationship:84,releas:[8,50,79],relev:[16,51,53,63,68],reli:53,reliabl:[53,84],reload:[8,50,52,68,84],reload_cod:[47,48],reload_recurs:68,reloaded_fil:68,remain:[50,53],remot:[30,40,47,48,50,65,68,84],remote_instru:51,remotecompon:51,remotefunct:51,remoteinstru:[12,51,84,85],remotemethod:51,remoteparamet:[51,84],remov:[3,5,50,51,55,58,63,65,68,73],remove_al:50,remove_inst:51,rep:63,repeat:[73,84],repeatedli:[51,66],repetit:63,repetition_r:63,replac:[65,68],replic:51,repo:73,report:[66,68,74,77,79],report_error:66,repositori:[49,73,79],repr:[50,51,66,68],repres:[10,16,50,51,53,68,84],represent:[34,48,50,65,76],reproduc:[73,84],request:[12,51,74,84],requir:[9,14,18,19,21,29,50,51,60,68,69,73,77,81,84,85],research:62,resend:63,resend_waveform:63,reset:[9,10,50,51,55,56,59,60,62,63,67],reshap:50,resid:[12,51],resiz:50,resolut:[68,73],resourc:[8,21,50,51,84],resp:66,respect:[51,63],respondingthread:68,respons:[9,11,14,17,21,51,66],response_queu:[50,51,66,67],rest:73,restart:[50,51,66,67,69,81],restrict:[50,62,76,77],restructur:73,result:[7,27,48,50,51,53,61,67,68,84],ret_cod:51,retain:50,retriev:[25,50,81],retur:63,return_first:[24,48],return_pars:[9,51],return_self:63,return_v:67,return_val1:67,return_val2:67,reus:[65,84],revers:[17,18,51],revert:[5,29,50,66],review:[73,79],revion:54,revisit:65,rewrit:[50,84],rewritten:73,rgb:65,rich:50,richer:84,rid:[3,50],right:[34,48,50,51,53,68],rigol:[47,48,52],rigol_dg4000:59,rlock:67,rm_mock:67,robust:66,rohd:60,rohde_schwarz:[47,48,52],rohdeschwarz_sgs100a:60,rohdeschwarz_smr40:60,rol:61,ron:63,root:[5,6,27,29,50,63],rootlogg:68,rough:74,round:84,routin:[50,65],row:[10,50],rpg:65,rrggbb:65,rs232linkformat:55,rs_sgs100a:60,rs_smb100a:60,rst:[9,51,73],rsznb20:60,rto:58,rtype:[38,68],run:[11,13,21,24,38,48,50,51,52,63,66,67,68,71,77,79,84,85],run_event_loop:[50,66],run_mod:63,run_schedul:67,run_stat:63,run_temp:48,runner:[48,73,74],runtest:[52,56,64,67],runtim:81,runtimeerror:[24,48],sa124_max_freq:61,sa124_min_freq:61,sa44_max_freq:61,sa44_min_freq:61,sa_api:61,sa_audio:61,sa_audio_am:61,sa_audio_cw:61,sa_audio_fm:61,sa_audio_lsb:61,sa_audio_usb:61,sa_auto_atten:61,sa_auto_gain:61,sa_averag:61,sa_bypass:61,sa_idl:61,sa_iq:61,sa_iq_sample_r:61,sa_lin_full_scal:61,sa_lin_scal:61,sa_log_full_scal:61,sa_log_scal:61,sa_log_unit:61,sa_max_atten:61,sa_max_devic:61,sa_max_gain:61,sa_max_iq_decim:61,sa_max_rbw:61,sa_max_ref:61,sa_max_rt_rbw:61,sa_min_iq_bandwidth:61,sa_min_max:61,sa_min_rbw:61,sa_min_rt_rbw:61,sa_min_span:61,sa_power_unit:61,sa_real_tim:61,sa_sweep:61,sa_tg_sweep:61,sa_volt_unit:61,sabandwidthclamp:61,sabandwidtherr:61,sacompressionwarn:61,sadevicenotconfigurederr:61,sadevicenotfounderr:61,sadevicenotidleerr:61,sadevicenotopenerr:61,sadevicetypenon:61,sadevicetypesa124a:61,sadevicetypesa124b:61,sadevicetypesa44:61,sadevicetypesa44b:61,saexternalreferencenotfound:61,safe:[73,84],safe_reload:61,safe_vers:55,safeformatt:50,safeti:58,safrequencyrangeerr:61,sai:[5,27,29,50,73,85],said:[3,50],sainterneterr:61,sainvaliddetectorerr:61,sainvaliddeviceerr:61,sainvalidmodeerr:61,sainvalidparametererr:61,sainvalidscaleerr:61,same:[1,3,10,12,15,17,18,23,32,50,51,63,65,66,69,73,84,85],sampl:[18,19,51,53,63,84],sample_r:53,samples_per_buff:53,samples_per_record:53,sampling_r:63,sane:[2,49],sanocorrect:61,sanoerror:61,sanotconfigurederr:61,sanullptrerr:61,saovencolderr:61,saparameterclamp:61,sastatu:61,sastatus_invert:61,satisfi:51,satoomanydeviceserr:61,satrackinggeneratornotfound:61,saunknownerr:61,sausbcommerr:61,save:[3,5,8,10,16,17,28,29,48,49,50,51,53,65,71,73,76,79,84,85],save_config:49,save_metadata:50,save_schema:49,save_to_cwd:49,save_to_env:49,save_to_hom:[49,81],savvi:79,scalar:[28,48,51,84],scale:[61,65],scatter:65,scenario:73,schedul:67,schema:[2,49,67,81],schema_cwd_file_nam:[2,49],schema_default_file_nam:[2,49],schema_env_file_nam:[2,49],schema_file_nam:[2,49],schema_home_file_nam:[2,49],scheme:48,schouten:55,schwarz:60,scientist:80,screen:80,script:[77,79,85],sdk:53,sdk_version:53,search:[7,50,68,73,84],sec:48,second:[3,5,11,13,14,17,21,22,26,29,30,31,48,50,51,53,63,65,68,69,78,84,85],section:[69,73,78,80],see:[4,7,8,11,12,14,17,19,21,30,31,38,48,50,51,53,55,60,63,65,66,68,73,84,85],seem:[10,50,73,77],segm1_ch1:63,segm1_ch2:63,segm2_ch1:63,segm2_ch2:63,segment:63,select:[53,73,80],self:[4,5,8,14,16,29,34,48,50,51,54,58,61,63,65,66,67,68,69,73,85],semant:79,semi:73,semicolon:51,sen:57,send:[11,51,55,57,62,63,66,67,68,69,78],send_awg_fil:63,send_dc_puls:63,send_err:67,send_out:67,send_pattern:63,send_sequ:63,send_sequence2:63,send_waveform:63,send_waveform_to_list:63,sens:[51,73],sens_factor:57,sensit:57,sent:[9,14,17,51,63,76,84],separ:[8,10,12,15,34,48,50,51,66,68,77,79,84,85],seper:54,seq:[50,63],seq_length:63,sequanti:[23,51],sequecn:63,sequenc:[3,13,18,28,31,48,50,51,63,65,67,68,84],sequence_cfg:63,sequenti:[1,51,85],seri:[56,59,63],serial:[14,21,51,53,76],serialserv:[21,51],server:[4,12,14,15,47,48,50,67,84,85],server_class:[66,67],server_manag:66,server_nam:[11,12,14,21,51,67,85],servermanag:[15,50,51,66,67],servermanagertest:67,session:[5,27,29,50,73],set:[1,3,5,8,10,12,13,14,15,16,17,18,19,23,27,28,29,48,49,50,51,53,54,55,57,60,61,62,63,65,66,67,68,69,76,79,81,84,85],set_address:[51,67],set_arrai:[3,50,65],set_cmap:65,set_cmd:[14,17,51,85],set_common_attr:48,set_current_folder_nam:63,set_dacs_zero:55,set_dc_out:63,set_dc_stat:63,set_default:63,set_delai:51,set_ext_trig:60,set_filenam:63,set_funct:53,set_jumpmod:63,set_measur:48,set_mod:63,set_mode_volt_dc:63,set_mp_method:[44,66],set_p:67,set_p_prefix:67,set_pars:[17,51],set_persist:51,set_pol_dacrack:55,set_pulsemod_sourc:60,set_pulsemod_st:60,set_queu:67,set_ramp:54,set_refclock_ext:63,set_refclock_int:63,set_sequ:63,set_setup_filenam:63,set_sq_length:63,set_sqel_event_jump_target_index:63,set_sqel_event_jump_typ:63,set_sqel_event_target_index:63,set_sqel_event_target_index_next:63,set_sqel_goto_st:63,set_sqel_goto_target_index:63,set_sqel_loopcnt:63,set_sqel_loopcnt_to_inf:63,set_sqel_trigger_wait:63,set_sqel_waveform:63,set_start_method:[32,66],set_statu:60,set_step:51,set_sweep:60,set_termin:51,set_timeout:51,set_valid:51,set_valu:[19,51],setattr:[15,51,66,68],setboth:85,setbothasync:85,setgeometri:65,setopoint:51,setpoint:[3,10,28,48,50,51,65,84,85],setpoint_arrai:51,setpoint_label:51,setpoint_nam:51,setpoint_unit:51,settabl:[16,19,51,60,76,84],settablearrai:67,settablemulti:67,settableparam:67,setter:76,settl:73,setup:[34,48,67,77,79],setup_fold:63,setupclass:[52,56,67],setx:85,sever:[48,50,51,66,68,73,76,84],sgs100a:[47,48,52],shape:[3,50,51,65,68,84,85],share:[12,48,50,51,78],shared_attr:[66,67],shared_kwarg:[12,14,51,67,85],shell:[77,79],shim:51,shortcut:[30,31,48,51,65],shorter:[51,66],shot:[70,73],should:[3,5,7,8,9,11,12,13,14,15,16,18,19,20,34,48,50,51,53,57,62,63,65,66,67,68,73,77,80,84],shouldn:[3,15,50,51,66],show:[48,50,51,68,73],show_subprocess_widget:[44,69],show_window:[30,65],side:[17,49,51,68,76,80,85],side_effect:67,sig_gen:73,sign:[51,68],signal:[53,56,60,61,66,84],signal_hound:[47,48,52],signal_period:48,signal_queu:48,signal_to_volt:53,signalhound_usb_sa124b:61,signatur:[4,8],similar:[60,63,73,84],similarli:84,simpl:[0,6,9,22,31,48,50,51,65,67,73,79,84,85],simplearrayparam:67,simplemanualparam:67,simplemultiparam:67,simpler:[14,51,67,73],simplest:84,simpli:[9,16,51],simplifi:[51,73],simul:[14,51,76,79,83,84],sin:59,sinc:[50,63,84,85],singl:[10,14,15,16,17,18,28,31,48,50,51,53,63,65,66,67,70,73,76,84],singleton:[66,69],site:68,situat:[10,50,84],size:[5,17,50,51,53,55,65],skill:73,skip:73,skipkei:68,slack:[73,78,79],slash:[6,50],sleep:[19,22,48,51,55,68,73],sleep_mock:67,sleeper:[67,68],slice:[18,50,51,76],slot:54,slow:[63,84],slow_neg_set:67,small:[70,73],smaller:[51,68],smart:[58,73],smr40:[47,48,52],snap_attr:50,snap_omit_kei:50,snapshot:[3,11,12,16,21,34,48,50,51,67,68,84],snapshot_bas:[48,51,67,68],snapshot_get:[16,51],socket:[11,51],softwar:[14,51,63,73,84],solv:73,some:[9,11,16,18,48,50,51,54,63,67,68,69,73,77,81,84],somebodi:73,somehow:84,someon:73,someth:[51,53,69,73,81,84],sometim:[10,50,84],soon:73,sophist:53,sort:[10,50],sort_kei:68,sourc:[0,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,34,38,43,48,49,50,51,52,53,54,55,56,57,58,59,60,61,62,63,64,65,66,67,68,69,73,74,79,80,84],source_get:67,source_set:67,sourcelocal_get:67,sourcelocal_set:67,sourcemet:63,space:[16,18,51,68,73,76],span:[60,61],spawn:[32,66,77],special:[16,50,51,66,68,73,84],specif:[5,48,50,51,55,68,69,73,76,84],specifi:[8,13,14,31,34,48,49,50,51,55,61,63,65,68,73,81,84],specifiedta:63,spectrum:84,speed:[17,51,53,84],split:51,spread:78,sq_forced_jump:63,sqel:63,sql:84,sqtest_echo:67,sqtest_echo_f:67,sqtest_except:67,sr560:[47,48,52],sr830:[47,48,52,71],sr865:[47,48,52],stabl:[21,51],stackoverflow:[38,66,68],stage:[48,84],stai:[73,85],stale:84,standalon:79,standard:[50,51,68,73,77,79],standardparamet:[44,51,76],stanford:62,stanford_research:[47,48,52],stanford_sr865:62,stars_before_writ:67,start:[2,3,5,10,12,15,17,18,20,27,29,48,49,50,51,53,60,63,66,67,68,69,73,84],startswith:73,startup:73,startup_tim:68,stat:[56,60,67],state:[15,48,50,51,54,63,67,69,73,76,79,84],statement:[50,51,55,73],station:[12,13,16,44,47,51,73,74,84],stationq:79,statu:[50,53,55,56,58,60,61,63],stderr:[66,69,73],stdout:[66,69,73],step:[13,17,18,48,51,64,68,80,85],step_attenu:56,still:[3,14,50,51,66,73,84],stmt:73,stop:[5,18,26,29,48,50,51,60,63,65,66,68,69],storag:[5,25,27,29,48,50,79,84],store:[3,5,8,27,29,34,48,49,50,51,53,68,69,84],str:[1,2,3,5,6,7,9,11,12,14,15,16,17,21,23,27,29,48,49,50,51,54,57,58,62,65,66,67,68,69],str_to_bool:50,straightforward:84,strategi:54,stream:66,stream_queu:[47,48],streamqueu:[66,69],strftime:[7,50],string:[7,8,9,10,15,16,17,29,32,34,48,49,50,51,53,55,59,60,63,65,66,67,68,73,76,81,84],strip:[10,50,68],strip_attr:68,strip_prefix:67,strip_qc:67,strive:73,strongli:73,structur:[5,8,27,29,50,53,68,76,81,84],struggl:73,stuf:81,stuff:[58,63,85],subattr:68,subattribut:51,subclass:[8,9,11,12,14,16,19,21,50,51,53,65,66,68,76],subject:[73,84],sublim:73,sublimelint:73,submit:85,submodul:47,subpackag:47,subplot:[31,65],subprocess:[43,66,69],subprocesswidget:[43,69],subsequ:[20,48],subset:51,successfulli:51,succinct:73,suit:[48,56,60,64,67,79],sum:85,suppli:[6,8,48,50,51,58,68,84],support:[4,12,15,19,48,49,50,51,58,63,65,69,73,81,84],suppos:51,sure:[25,50,51,58,63,66,73,76,80],sv1:48,sv2:[18,48,51],sv3:[18,51],sv4:[18,51],swap:79,sweep:[1,17,18,19,23,48,51,60,61,67,70,73,76,79,83,84],sweep_val:85,sweep_valu:[13,47,48,73],sweepabl:[23,51],sweepfixedvalu:[44,51,76],sweepvalu:[13,44,48,51,74],swept:[51,68,85],sync:[5,27,29,50,65,66,84],sync_async:73,synced_index:50,synced_indic:50,synchron:[50,84],syntax:[50,77,79],system32:[53,61],system:[2,9,16,34,48,49,50,51,53,58,62,67,68,70,81,84],system_id:53,tab:[10,50,73],tabl:[63,81,84],tag:[68,73],take:[0,13,16,48,50,51,60,63,65,68,69,73,76,79,85],taken:[17,51,60],talent:73,talk:[50,57,62,84,85],target:[18,19,51,53,66,68,69],task:[13,22,44,48,71,73,76,84],tcpip:84,tear:[51,66],teardown:67,teardownclass:67,tech:79,techniqu:73,tektronix:[47,48,52],tektronix_awg5014:63,tektronix_awg520:63,tell:[8,10,22,48,50,51,73,84],temperatur:58,templat:73,temporari:[5,29,48,50],tens:73,term:[73,77],termin:[10,11,21,26,48,50,51,58,77,79,80,84],test:[7,14,47,50,51,54,55,56,59,60,63,64,68,74,76,79,84],test_add_delete_compon:67,test_add_funct:67,test_array_and_scalar:67,test_ask_write_loc:67,test_ask_write_serv:67,test_attenu:64,test_attr_access:67,test_attribut:67,test_background_and_datamanag:67,test_background_no_datamanag:67,test_bad:67,test_bad_actor:67,test_bad_attr:67,test_bad_cal:67,test_bad_config_fil:67,test_bad_delai:67,test_bad_dict:67,test_bad_user_schema:67,test_bad_valid:67,test_bare_funct:67,test_bare_wait:67,test_bas:67,test_base_instrument_error:67,test_binary_both:67,test_binary_const:67,test_bool:67,test_breakif:67,test_broken:67,test_chang:67,test_clear:67,test_closed_fil:67,test_cmd_funct:67,test_cmd_str:67,test_combined_par:[47,48],test_command:[47,48],test_compl:67,test_complet:67,test_component_attr_access:67,test_composite_param:67,test_config:[47,48],test_connect:67,test_constructor_error:67,test_cor:[48,73],test_coroutine_check:67,test_creat:67,test_creation_failur:67,test_data:[47,48],test_data_set_properti:67,test_dataset_clos:67,test_dataset_finalize_closes_fil:67,test_dataset_flush_after_writ:67,test_dataset_with_missing_attr:67,test_default:67,test_default_attribut:67,test_default_config_fil:67,test_default_measur:67,test_default_paramet:67,test_default_server_nam:67,test_deferred_op:67,test_deferred_oper:[47,48],test_del:67,test_delay0:67,test_delegate_both:67,test_delegate_dict:67,test_delegate_object:67,test_depth:67,test_divisor:67,test_double_closing_gives_warn:67,test_driver_testcas:[47,48],test_edit_and_mark:67,test_edit_and_mark_slic:67,test_enqueu:67,test_error:67,test_explicit_attrbut:67,test_explicit_attribut:67,test_failed_anyth:67,test_failed_numb:67,test_failed_str:67,test_firmware_vers:[56,64],test_fmt_subpart:67,test_foreground_and_datamanag:67,test_foreground_no_datamanag:67,test_foreground_no_datamanager_progress:67,test_format:[47,48],test_format_opt:67,test_fraction_complet:67,test_frequ:56,test_from_serv:67,test_full_class:67,test_full_nam:67,test_full_name_:67,test_full_writ:67,test_full_write_read_1d:67,test_full_write_read_2d:67,test_funct:67,test_get_halt:67,test_get_l:67,test_get_read:67,test_gett:67,test_good:67,test_good_cal:67,test_group_arrai:67,test_halt:67,test_halt_quiet:67,test_has_set_get:67,test_hdf5formatt:[47,48],test_help:[47,48],test_incremental_writ:67,test_init:67,test_init_and_bad_read:67,test_init_data_error:67,test_inst:67,test_instance_found:67,test_instance_name_uniqu:67,test_instanti:67,test_instru:[47,48,52,73],test_instrument_serv:[47,48],test_json:[47,48],test_key_diff:67,test_load:67,test_load_fals:67,test_loc:67,test_local_instru:67,test_location_funct:67,test_location_provid:[47,48],test_loop:[47,48],test_loop_writ:67,test_loop_writing_2d:67,test_manual_paramet:67,test_manual_snapshot:67,test_match_save_rang:67,test_max:67,test_max_delay_error:67,test_measur:[47,48],test_mechan:67,test_metadata:[47,48,73],test_metadata_write_read:67,test_method:67,test_min:67,test_min_max:67,test_miss:67,test_missing_config_fil:67,test_mock_idn:67,test_mock_instru:67,test_mock_instrument_error:67,test_mock_set_sweep:67,test_mode_error:67,test_multifil:67,test_multiprocess:[47,48,73],test_named_repr:67,test_nest:[48,67],test_nest_empti:67,test_nest_preset:67,test_nested_attr:[47,48],test_nested_key_diff:67,test_nesting_2:67,test_no:67,test_no_chang:67,test_no_cmd:67,test_no_driv:67,test_no_fil:67,test_no_inst:67,test_no_live_data:67,test_no_nam:67,test_no_saved_data:67,test_non_funct:67,test_norm:67,test_normal_format:67,test_not_in_notebook:67,test_numpy_fail:67,test_numpy_good:67,test_on_off:56,test_overridable_method:67,test_overwrit:67,test_param_cmd_with_pars:67,test_paramet:[47,48],test_part:48,test_patholog:67,test_pathological_edge_cas:67,test_phas:56,test_pickle_dataset:67,test_plot:[47,48],test_pow:56,test_preset_data:67,test_progress_cal:67,test_qcodes_process:67,test_qcodes_process_except:67,test_rang:67,test_read_error:67,test_read_writing_dicts_withlists_to_hdf5:67,test_reading_into_existing_data_arrai:67,test_real_anyth:67,test_record_cal:67,test_record_overrid:67,test_remote_sweep_valu:67,test_remove_inst:67,test_repr:67,test_sam:67,test_send:63,test_set_mp_method:67,test_set_sweep_error:67,test_sett:67,test_shap:67,test_shape_depth:67,test_simpl:67,test_simple_arrai:67,test_simple_scalar:67,test_slow_set:67,test_snapshot:[67,73],test_sq_writ:67,test_standard_snapshot:67,test_str_to_bool:67,test_suit:[47,48,52,77],test_sweep_steps_edge_cas:[67,73],test_sweep_valu:[47,48],test_sync_no_overwrit:67,test_tasks_callable_argu:67,test_tasks_wait:67,test_then_act:67,test_then_construct:67,test_to_serv:67,test_typ:67,test_type_cast:67,test_unari:67,test_unit:67,test_unlimit:67,test_unpickl:67,test_update_and_validate_user_config:67,test_update_compon:67,test_update_user_config:67,test_user_schema:67,test_val_diff_seq:67,test_val_diff_simpl:67,test_val_map:67,test_val_mapping_bas:67,test_val_mapping_int:67,test_val_mapping_pars:67,test_val_mapping_with_pars:67,test_valid:[47,48],test_validate_funct:67,test_very_short_delai:67,test_visa:[47,48],test_visa_backend:67,test_warn:67,test_write_copi:67,test_writing_metadata:67,test_writing_unsupported_types_to_hdf5:67,test_y:67,test_zero_delai:67,testaggreg:67,testagilent_e8527d:56,testanyth:67,testarrai:67,testarrayparamet:67,testbaseclass:67,testbaseformatt:67,testbg:67,testbool:67,testcas:[48,52,67],testclassstr:67,testcombin:67,testcommand:67,testcomparedictionari:67,testconfig:67,testdataarrai:67,testdataset:67,testdatasetmetadata:67,testdeferredoper:67,testdelegateattribut:67,testdrivertestcas:67,testenum:67,tester:77,testformatloc:67,testgnuplotformat:67,testhdf5_format:67,testinstru:67,testinstrument2:67,testinstrumentserv:67,testint:67,testisfunct:67,testissequ:67,testissequenceof:67,testjsonencod:67,testlen:67,testloaddata:67,testlocalmock:67,testloop:[48,67],testmakesweep:67,testmakeuniqu:67,testmanualparamet:67,testmatplot:67,testmeasur:67,testmeta:67,testmetadat:[67,73],testmetadata:67,testmockinstloop:67,testmodelattraccess:67,testmpmethod:67,testmultipar:67,testmultiparamet:67,testmultipl:67,testmultityp:67,testmut:67,testnestedattraccess:67,testnewdata:67,testnumb:67,testnumpyjson:67,testnumpyjsonencod:67,testparamet:[67,73],testpermissiverang:67,testqcodesprocess:67,testqtplot:67,tests_get_latest:67,testsafeformatt:67,testservermanag:67,testset:67,testsign:67,teststandardparam:67,teststr:67,teststreamqueu:67,teststripattr:67,testsweep:67,testsweepbadsetpoint:67,testsweepvalu:67,testvisainstru:67,testwaitsec:67,testweinschel_8320:64,testwronglen:67,text:[51,59,73,76,84],textual:84,tg_thru_0db:61,tg_thru_20db:61,than:[13,17,48,50,51,65,66,67,73,79,84],thank:73,thebrain:73,thei:[3,5,13,14,20,48,50,51,53,57,62,66,68,73,76,77,81,84],them:[3,12,48,50,51,52,62,65,66,68,73,81,84,85],theme:[30,65],themselv:65,then_act:48,theoret:84,theori:51,thi:[3,5,7,8,9,10,11,12,13,14,15,16,17,19,21,22,27,29,31,32,34,38,44,46,48,50,51,52,53,55,56,57,58,59,60,61,62,63,64,65,66,67,68,69,73,74,76,77,79,80,81,83,84,85],thing:[9,13,17,18,19,20,22,48,50,51,56,64,68,73,76,77,78,80,84,85],think:[50,63,73,81,84],third:84,those:[3,7,9,50,51,65,68,76,84],though:[14,17,18,19,51,84],thought:50,thread:[47,48,84],thread_map:68,threadpoolexecutor:85,three:[10,18,50,51,66,84],through:[3,5,48,50,63,66,68,73,80,84,85],thu:84,time:[0,7,8,13,14,17,18,19,44,47,48,50,51,54,61,67,73,79,84,85],timedinstrumentserv:67,timeout:[11,21,26,48,51,54,58,63,66,67,68],timeout_tick:53,timer:68,timestamp:[14,51,79,84],titl:65,tmpfile:58,to_loc:50,to_path:50,to_zero:58,todo:[3,50,55,56,69,73],togeth:[15,17,50,51,60,84],ton:77,too:[16,17,48,51,73],tool:73,tortur:73,total:73,touch:[50,73],toward:68,tprint:68,tprint_mock:67,trace:[30,31,53,60,65],trace_color:49,traceback:[26,48,50,73,79],track:[51,53,61,77,84],trail:73,trait:69,transfer:63,transfer_offset:53,transform:[9,17,22,48,51,53,68],transformst:65,translat:[8,50,65],transmiss:60,transmon:63,travi:[49,50],treat:[12,34,48,51,54,65,68,84],tree:[50,80],tri:50,trig_wait:63,triger:63,trigger:[50,60,63,69],trigger_delai:53,trigger_engine1:53,trigger_engine2:53,trigger_input_imped:63,trigger_input_polar:63,trigger_input_slop:63,trigger_input_threshold:63,trigger_level1:53,trigger_level2:53,trigger_oper:53,trigger_slope1:53,trigger_slope2:53,trigger_sourc:63,trigger_source1:53,trigger_source2:53,triton:[47,48,52],trival:85,trivial:73,trivialdictionari:53,troubleshoot:84,truncat:73,trust:[17,51],truthi:[0,48],ts_set:67,ts_str:67,tud:63,tudelft:55,tunabl:67,tune:[55,73],tupl:[3,9,12,14,30,31,50,51,65,68],tutori:83,twice:[50,65],two:[3,12,14,15,50,51,61,63,66,68,73,85],txt:55,type:[4,5,8,9,24,29,48,49,50,51,53,54,63,65,66,67,68,69,73,80,81,84,85],typeerror:[0,19,48,51,68],typic:[3,50,51,65,73,84],typo:73,uncommit:53,uncov:77,under:[49,73],underli:[48,51,76,84],underscor:73,understand:[24,48,73,84],understood:68,unga:[73,81],ungaretti:73,unifi:[48,66],unind:77,union:[3,9,14,17,18,24,48,49,50,51,68],uniqu:[3,48,50,66,68],unit:[1,3,16,23,50,51,53,73,84,85],unitless:[16,51],unittest:[52,67,73,77],unix:[32,66],unknown:66,unless:[3,12,17,50,51,68,69,73],unlik:[51,52,69],unnecessari:77,unord:68,unpack:66,unpickl:[12,51],unrel:84,unsav:[50,84],unsuport:67,untest:73,until:[50,68,80,84],untouch:48,unus:[29,50,69],updat:[2,16,30,31,34,48,49,50,51,53,60,63,65,67,68,69,76,80,84],update_acquisitionkwarg:53,update_config:49,update_plot:65,update_snapshot:[34,48],updatewidget:69,upfront:51,upload:63,upload_awg_fil:63,uppercas:58,usag:[7,19,50,51,63,68,74,83],usb_sa124b:[47,48,52],use:[3,5,7,9,10,11,14,15,17,18,19,21,22,27,29,31,32,40,48,50,51,53,57,58,62,63,65,66,68,69,73,76,77,80,81,83,84,85],use_thread:48,used:[3,7,9,10,12,16,18,19,28,34,48,49,50,51,53,56,57,58,60,61,62,63,65,68,76,77,79,84],useful:[50,73,77,84],user:[17,21,48,49,50,51,53,63,66,68,73,77,79,80,81,84],usernam:73,uses:[15,17,21,50,51,61,67,68,76,77,81,84],using:[2,8,10,21,48,49,50,51,55,61,65,73,76,77,79,84],usual:[12,14,27,50,51,68,84],utf8:50,util:[44,47,48,50,51,66,67,73,85],utopia:73,uuid:[15,51],v_amp_in:62,v_in:62,v_out:62,vaild:[2,49],val1:68,val2:68,val3:68,val:[16,17,18,19,50,51,53,63,67,85],val_map:[17,51],valid:[2,9,16,17,18,19,28,30,44,47,48,49,51,63,65,67,73,74,81,84,85],validate_act:48,validate_al:[9,51,68],validate_statu:51,validtyp:68,valu:[1,2,3,7,9,10,12,13,14,15,16,17,18,19,23,48,49,50,51,53,54,60,62,63,65,66,67,68,69,76,84,85],valuabl:73,value_typ:49,valueerror:[22,48,50,51,65,68],vari:[51,84],variabl:[10,50,51,63,67,73,76,81,84],variant:69,variou:[15,51,73,76],vbw:61,vector:84,vendor:[51,53],verbos:[48,51,52,60,63,73],veri:[53,84],verifi:51,vernier:62,versa:68,version:[47,53,55,56,58,60,61,63,67,71,79,80,85],vi_error_rsrc_nfound:84,via:[12,14,15,34,48,51,57,62,65,66,84],vice:68,videobandwidth:61,view:[66,73],virtual:[57,60,62,80,85],virtualivvi:85,visa:[21,47,48,54,55,56,59,60,62,63,64,67,73,84],visa_handl:[21,51,54,58],visainstru:[44,51,54,55,56,58,59,60,62,63,64,67,76,84],visaioerror:51,visaserv:[21,51],vision:73,visit:73,visual:79,vna:61,volt:[53,62,63],voltag:[57,62,63,76,84],voltage_raw:[57,62],voltageparamet:62,voltmet:84,volunt:73,wai:[12,17,51,65,66,67,73,77,84,85],wait:[9,13,14,17,26,44,48,51,63,66,67,68,76,80,84,85],wait_l:63,wait_sec:68,wait_trigg:63,wait_trigger_st:63,wait_valu:63,walk:85,want:[5,16,50,51,53,65,66,68,73,74,76,78,81,83,84,85],warn:[13,17,48,51,53],warn_unit:68,waveform:[56,59,63,84],waveform_filenam:63,waveform_listnam:63,waveform_nam:63,weak:51,weakref:50,week:[73,78],weinschel:[47,48,52],weinschel_8320:[47,48,52],weird:65,wejust:50,welcom:[73,78],well:[8,50,51,56,62,64,67,68,73,77,84],were:[3,5,16,46,50,51,53],wf1_ch1:63,wf1_ch2:63,wf2_ch1:63,wf2_ch2:63,wfm:63,wfmname:63,wfname_l:63,wfs1:63,wfs2:63,wfs:63,what:[11,13,18,19,21,44,48,51,58,63,68,69,73,77,81,84],whatev:[50,53,65,68],when:[0,3,5,7,16,19,20,29,48,50,51,53,57,62,63,65,66,67,68,73,79,84,85],whenev:[48,62,84],where:[5,8,18,19,27,29,30,48,50,51,53,57,62,63,65,66,67,68,72,73,84,85],whether:[8,10,11,14,17,26,48,50,51,59,63,68,69,73,84],which:[2,3,5,7,8,10,13,14,17,18,20,27,29,34,48,49,50,51,53,60,62,63,65,66,67,68,73,76,81,84,85],white:[30,65,73],whitelist:[48,68],whitespac:[10,50],who:73,whole:[10,48,50,51,57,62,67,73,76,84],whose:[3,34,48,50,68,84,85],why:[69,73,77],widget:[44,47,48,65,71],width:[30,31,65],wildcard:50,window:[31,32,53,58,61,65,66,67,69,77,80],window_titl:[30,65],with_bg_task:48,within:[3,20,22,48,50,51,53,69,73,79,84],without:[5,12,29,50,51,65,66,68,77,84],won:[50,68],word:78,work:[5,6,11,12,14,21,27,29,48,49,50,51,56,59,60,63,64,73,77,79,80,81,84,85],workflow:79,world:[53,73,79],worri:[65,68],wors:73,would:[7,17,50,51,60,67,73,78,84],wrap:[6,50,51,77,84],wrapper:[32,48,49,51,60,65,66],write:[5,8,9,10,11,14,17,21,29,48,50,51,55,58,63,66,67,73,83,84],write_confirm:[11,51],write_copi:[50,84],write_dict_to_hdf5:50,write_metadata:[8,50,67],write_period:[5,29,48,50],write_raw:51,writelin:50,written:[10,50,53,58,67],wrong:[51,73],x80:67,x85:67,x89:67,x8c:67,x8e:67,x8f:67,x94:67,x95:67,x97:67,x98rsted:67,x9c:67,x_val:85,xa4:67,xa5:67,xa6:67,xa6ll:67,xa7:67,xbe:67,xc3:67,xe5:67,xe6:67,xe7:67,xe9:67,xxx:54,xyz:65,y_val:85,yai:71,yeah:65,year:73,yes:84,yet:[8,48,50,63,73,84],yield:[13,48,50,62],you:[2,3,5,6,8,9,12,13,15,16,17,18,19,27,29,31,32,48,49,50,51,53,57,62,65,66,67,68,69,74,76,78,80,81,83,84,85],your:[2,9,12,49,51,57,62,66,73,78,80,81,84],yourself:[53,62],z_val:85,zero:[50,51,63,68],znb20:[47,48,52]},titles:["qcodes.BreakIf","qcodes.CombinedParameter","qcodes.Config","qcodes.DataArray","qcodes.DataMode","qcodes.DataSet","qcodes.DiskIO","qcodes.FormatLocation","qcodes.Formatter","qcodes.Function","qcodes.GNUPlotFormat","qcodes.IPInstrument","qcodes.Instrument","qcodes.Loop","qcodes.MockInstrument","qcodes.MockModel","qcodes.Parameter","qcodes.StandardParameter","qcodes.SweepFixedValues","qcodes.SweepValues","qcodes.Task","qcodes.VisaInstrument","qcodes.Wait","qcodes.combine","qcodes.get_bg","qcodes.get_data_manager","qcodes.halt_bg","qcodes.load_data","qcodes.measure.Measure","qcodes.new_data","qcodes.plots.pyqtgraph.QtPlot","qcodes.plots.qcmatplotlib.MatPlot","qcodes.process.helpers.set_mp_method","qcodes.process.qcodes_process","qcodes.station.Station","qcodes.utils.command","qcodes.utils.deferred_operations","qcodes.utils.helpers","qcodes.utils.helpers.in_notebook","qcodes.utils.metadata","qcodes.utils.nested_attrs","qcodes.utils.timing","qcodes.utils.validators","qcodes.widgets.widgets.show_subprocess_widget","Classes and Functions","Private","Public","qcodes","qcodes package","qcodes.config package","qcodes.data package","qcodes.instrument package","qcodes.instrument_drivers package","qcodes.instrument_drivers.AlazarTech package","qcodes.instrument_drivers.Harvard package","qcodes.instrument_drivers.QuTech package","qcodes.instrument_drivers.agilent package","qcodes.instrument_drivers.ithaco package","qcodes.instrument_drivers.oxford package","qcodes.instrument_drivers.rigol package","qcodes.instrument_drivers.rohde_schwarz package","qcodes.instrument_drivers.signal_hound package","qcodes.instrument_drivers.stanford_research package","qcodes.instrument_drivers.tektronix package","qcodes.instrument_drivers.weinschel package","qcodes.plots package","qcodes.process package","qcodes.tests package","qcodes.utils package","qcodes.widgets package","Changelog for QCoDeS 0.1.1","Changelog for QCoDeS 0.1.2","Changelogs","Contributing","Community Guide","Source Code","Object Hierarchy","Notes on test runners compatible with Qcodes","Get Help","Qcodes project plan","Getting Started","Configuring QCoDeS","QCodes FAQ","User Guide","Introduction","Tutorial"],titleterms:{"break":[70,71],"class":[44,45,46],"default":81,"function":[9,44,45,46,51],"new":[70,71,73],"public":46,ATS:53,Using:81,abort:82,action:[46,48],agil:56,agilent_34400a:56,alazartech:53,async:85,ats9870:53,ats_acquisition_control:53,avanc:85,awg5014:63,awg520:63,base:[51,65],breakif:0,bug:73,chang:[70,71],changelog:[70,71,72],chat:78,clever:73,code:[73,75],color:65,combin:[23,85],combinedparamet:1,command:[35,68],commit:73,common:67,commun:74,compat:77,config:[2,46,49,81],configur:81,content:[48,49,50,51,52,53,54,55,56,57,58,59,60,61,62,63,64,65,66,67,68,69,73],contribut:73,data:[46,50],data_arrai:50,data_mock:67,data_set:50,dataarrai:3,datamod:4,dataset:[5,84],decadac:54,deferred_oper:[36,68],develop:73,dg4000:59,diskio:6,displai:69,driver:85,e8527d:56,enter:80,exampl:84,familiar:73,faq:82,featur:73,file:81,fix:[70,71],format:[50,73],formatloc:7,formatt:8,get:[78,80],get_bg:24,get_data_manag:25,git:73,gnuplot_format:50,gnuplotformat:10,guid:[74,83],halt_bg:26,harvard:54,hdf5_format:50,help:78,helper:[32,37,38,66,68],hierarchi:76,hour:78,how:82,hp33210a:56,improv:[70,71],in_notebook:38,instal:80,instrument:[12,46,51,76,84,85],instrument_driv:[52,53,54,55,56,57,58,59,60,61,62,63,64],instrument_mock:67,introduct:84,ipinstru:11,ithaco:57,ithaco_1211:57,ivvi:55,keithley_2000:63,keithley_2600:63,keithley_2700:63,linkag:76,load_data:27,locat:50,loop:[13,46,48,84],manag:50,matplot:31,measur:[28,46,48,82,84,85],mercuryip:58,messag:73,meta:85,metaclass:51,metadata:[39,68],misc:46,mock:51,mockinstru:14,mockmodel:15,modul:[48,49,50,51,52,53,54,55,56,57,58,59,60,61,62,63,64,65,66,67,68,69],more:[78,81],nested_attr:[40,68],new_data:29,note:[73,77],object:76,offic:78,overview:84,oxford:58,packag:[48,49,50,51,52,53,54,55,56,57,58,59,60,61,62,63,64,65,66,67,68,69],paramet:[16,51,76,84,85],phase:79,plan:79,plot:[30,31,46,65],privat:45,process:[32,33,66],project:79,pull:73,push:73,py35_syntax:67,pyqtgraph:[30,65],qcmatplotlib:[31,65],qcode:[0,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,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,77,79,80,81,82],qcodes_process:[33,66],qtplot:30,qutech:55,realli:73,reload_cod:68,remot:51,report:73,request:73,requir:80,respons:84,rigol:59,rohde_schwarz:60,rough:76,run:[73,82],runner:77,save:81,server:[51,66],set_mp_method:32,setup:73,sgs100a:60,show_subprocess_widget:43,signal_hound:61,simul:85,smr40:60,sourc:75,sr560:62,sr830:62,sr865:62,standardparamet:17,stanford_research:62,start:80,station:[34,46,48,76],stream_queu:66,style:73,submodul:[48,49,50,51,52,53,54,55,56,57,58,59,60,61,62,63,64,65,66,67,68,69],subpackag:[48,52],sweep:85,sweep_valu:51,sweepfixedvalu:18,sweepvalu:[19,76],task:20,tektronix:63,test:[48,52,67,73,77],test_combined_par:67,test_command:67,test_config:67,test_data:67,test_deferred_oper:67,test_driver_testcas:67,test_format:67,test_hdf5formatt:67,test_help:67,test_instru:67,test_instrument_serv:67,test_json:67,test_location_provid:67,test_loop:67,test_measur:67,test_metadata:67,test_multiprocess:67,test_nested_attr:67,test_paramet:67,test_plot:67,test_suit:[56,64],test_sweep_valu:67,test_valid:67,test_visa:67,thread:68,time:[41,68],todo:[13,19,24,48,49,51,58,60,61,63,68,76,81,85],triton:58,tutori:85,updat:81,usag:[73,80,82],usb_sa124b:61,user:83,util:[35,36,37,38,39,40,41,42,46,68],valid:[42,68,76],valu:81,version:48,visa:51,visainstru:21,wait:22,weinschel:64,weinschel_8320:64,widget:[43,69],write:85,you:73,znb20:60}}) \ No newline at end of file