Source code for qiskit_experiments.database_service.device_component

# This code is part of Qiskit.
#
# (C) Copyright IBM 2021.
#
# This code is licensed under the Apache License, Version 2.0. You may
# obtain a copy of this license in the LICENSE.txt file in the root directory
# of this source tree or at http://www.apache.org/licenses/LICENSE-2.0.
#
# Any modifications or derivative works of this code must retain this
# copyright notice, and modified files need to carry a notice indicating
# that they have been altered from the originals.

"""Device component classes."""

from abc import ABC, abstractmethod


[docs] class DeviceComponent(ABC): """Abstract class representing a device component. Custom components should be subclassed from this class.""" @abstractmethod def __str__(self): pass def __repr__(self): return f"<{self.__class__.__name__}({str(self)})>" def __eq__(self, value): return str(self) == str(value)
[docs] class Qubit(DeviceComponent): """Class representing a qubit device component.""" def __init__(self, index: int): self.index = index def __str__(self): return f"Q{self.index}" def __json_encode__(self): return {"index": self.index}
[docs] class Resonator(DeviceComponent): """Class representing a resonator device component.""" def __init__(self, index: int): self.index = index def __str__(self): return f"R{self.index}" def __json_encode__(self): return {"index": self.index}
[docs] class UnknownComponent(DeviceComponent): """Class representing an unknown device component.""" def __init__(self, component: str): self.component = component def __str__(self): return self.component def __json_encode__(self): return {"component": self.component}
[docs] def to_component(string: str) -> DeviceComponent: """Convert the input string to a :class:`.DeviceComponent` instance. Args: string: String to be converted. Returns: A :class:`.DeviceComponent` instance. Raises: ValueError: If input string is not a valid device component. """ if isinstance(string, DeviceComponent): return string if string.startswith("Q"): return Qubit(int(string[1:])) if string.startswith("R"): return Resonator(int(string[1:])) return UnknownComponent(string)