From a16376ac8dd2e971e8af000d9efc13eb0c2ea6d9 Mon Sep 17 00:00:00 2001 From: kevin-tian Date: Mon, 29 Jan 2024 15:46:07 -0500 Subject: [PATCH 1/2] Copy pub/sub code into qiskit-ibm-runtime --- qiskit_ibm_runtime/ibm_backend.py | 9 +- qiskit_ibm_runtime/utils/__init__.py | 1 + qiskit_ibm_runtime/utils/pubsub.py | 182 +++++++++++++++++++++++++++ 3 files changed, 185 insertions(+), 7 deletions(-) create mode 100644 qiskit_ibm_runtime/utils/pubsub.py diff --git a/qiskit_ibm_runtime/ibm_backend.py b/qiskit_ibm_runtime/ibm_backend.py index 77374df2d..6e1ea8b8c 100644 --- a/qiskit_ibm_runtime/ibm_backend.py +++ b/qiskit_ibm_runtime/ibm_backend.py @@ -66,13 +66,8 @@ ) from .utils.default_session import get_cm_session as get_cm_primitive_session -# If using a new-enough version of the IBM Provider, access the pub/sub -# mechanism from it as a broker, but fall back to Qiskit if we're using -# an old version (in which case it will also be falling back to Qiskit). -try: - from qiskit_ibm_provider.utils.pubsub import Publisher -except ImportError: - from qiskit.tools.events.pubsub import Publisher # pylint: disable=ungrouped-imports +from .utils.pubsub import Publisher + logger = logging.getLogger(__name__) diff --git a/qiskit_ibm_runtime/utils/__init__.py b/qiskit_ibm_runtime/utils/__init__.py index 04e10428b..c9ac89e98 100644 --- a/qiskit_ibm_runtime/utils/__init__.py +++ b/qiskit_ibm_runtime/utils/__init__.py @@ -43,3 +43,4 @@ ) from .utils import to_python_identifier, is_crn, get_runtime_api_base_url, resolve_crn from .json import RuntimeEncoder, RuntimeDecoder, to_base64_string +from . import pubsub diff --git a/qiskit_ibm_runtime/utils/pubsub.py b/qiskit_ibm_runtime/utils/pubsub.py new file mode 100644 index 000000000..e05fd211c --- /dev/null +++ b/qiskit_ibm_runtime/utils/pubsub.py @@ -0,0 +1,182 @@ +# This code is part of Qiskit. +# +# (C) Copyright IBM 2017, 2024. +# +# 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. + +""" +Message broker for the Publisher / Subscriber mechanism +""" + +from __future__ import annotations + +import typing + +from qiskit.exceptions import QiskitError + +try: + from qiskit.tools.events.pubsub import _Broker as _QiskitBroker +except ImportError: + _QiskitBroker = None + +_Callback = typing.Callable[..., None] + + +class _Broker: + """The event/message broker. It's a singleton. + + In order to keep consistency across all the components, it would be great to + have a specific format for new events, documenting their usage. + It's the responsibility of the component emitting an event to document it's usage in + the component docstring. + + Event format:: + + ".." + + Examples: + + * "ibm.job.start" + """ + + _instance: _Broker | None = None + _subscribers: dict[str, list[_Subscription]] = {} + + @staticmethod + def __new__(cls: type[_Broker]) -> _Broker: + if _Broker._instance is None: + # Backwards compatibility for Qiskit pre-1.0; if the Qiskit-internal broker + # singleton exists then we use that instead of defining a new one, so that + # the event streams will be unified even if someone is still using the + # Qiskit entry points to subscribe. + # + # This dynamic switch assumes that the interface of this vendored `Broker` + # code remains identical to the Qiskit 0.45 version. + _Broker._instance = object.__new__(_QiskitBroker or cls) + return _Broker._instance + + class _Subscription: + def __init__(self, event: str, callback: _Callback): + self.event: str = event + self.callback: _Callback = callback + + def __eq__(self, other: object) -> bool: + """Overrides the default implementation""" + if isinstance(other, self.__class__): + return self.event == other.event and id(self.callback) == id( + other.callback + ) # Allow 1:N subscribers + return False + + def subscribe(self, event: str, callback: _Callback) -> bool: + """Subscribes to an event, so when it's emitted all the callbacks subscribed, + will be executed. We are not allowing double registration. + + Args: + event (string): The event to subscribed in the form of: + "terra..." + callback (callable): The callback that will be executed when an event is + emitted. + """ + if not callable(callback): + raise QiskitError("Callback is not a callable!") + + if event not in self._subscribers: + self._subscribers[event] = [] + + new_subscription = self._Subscription(event, callback) + if new_subscription in self._subscribers[event]: + # We are not allowing double subscription + return False + + self._subscribers[event].append(new_subscription) + return True + + def dispatch(self, event: str, *args: typing.Any, **kwargs: typing.Any) -> None: + """Emits an event if there are any subscribers. + + Args: + event (String): The event to be emitted + args: Arguments linked with the event + kwargs: Named arguments linked with the event + """ + # No event, no subscribers. + if event not in self._subscribers: + return + + for subscriber in self._subscribers[event]: + subscriber.callback(*args, **kwargs) + + def unsubscribe(self, event: str, callback: _Callback) -> bool: + """Unsubscribe the specific callback to the event. + + Args + event (String): The event to unsubscribe + callback (callable): The callback that won't be executed anymore + + Returns + True: if we have successfully unsubscribed to the event + False: if there's no callback previously registered + """ + + try: + self._subscribers[event].remove(self._Subscription(event, callback)) + except KeyError: + return False + + return True + + def clear(self) -> None: + """Unsubscribe everything, leaving the Broker without subscribers/events.""" + self._subscribers.clear() + + +class Publisher: + """Represents a "publisher". + + Every component (class) can become a :class:`Publisher` and send events by + inheriting this class. Functions can call this class like:: + + Publisher().publish("event", args, ... ) + """ + + def __init__(self) -> None: + self._broker: _Broker = _Broker() + + def publish(self, event: str, *args: typing.Any, **kwargs: typing.Any) -> None: + """Triggers an event, and associates some data to it, so if there are any + subscribers, their callback will be called synchronously.""" + return self._broker.dispatch(event, *args, **kwargs) + + +class Subscriber: + """Represents a "subscriber". + + Every component (class) can become a :class:`Subscriber` and subscribe to events, + that will call callback functions when they are emitted. + """ + + def __init__(self) -> None: + self._broker: _Broker = _Broker() + + def subscribe(self, event: str, callback: _Callback) -> bool: + """Subscribes to an event, associating a callback function to that event, so + when the event occurs, the callback will be called. + + This is a blocking call, so try to keep callbacks as lightweight as possible.""" + return self._broker.subscribe(event, callback) + + def unsubscribe(self, event: str, callback: _Callback) -> bool: + """Unsubscribe a pair event-callback, so the callback will not be called anymore + when the event occurs.""" + return self._broker.unsubscribe(event, callback) + + def clear(self) -> None: + """Unsubscribe everything""" + self._broker.clear() From d524b9cd6995ec55f36994dca1cbde258857482c Mon Sep 17 00:00:00 2001 From: kevin-tian Date: Thu, 1 Feb 2024 16:11:36 -0500 Subject: [PATCH 2/2] fix docs build --- qiskit_ibm_runtime/transpiler/passes/scheduling/__init__.py | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/qiskit_ibm_runtime/transpiler/passes/scheduling/__init__.py b/qiskit_ibm_runtime/transpiler/passes/scheduling/__init__.py index 7ee804925..e22b816d8 100644 --- a/qiskit_ibm_runtime/transpiler/passes/scheduling/__init__.py +++ b/qiskit_ibm_runtime/transpiler/passes/scheduling/__init__.py @@ -41,7 +41,7 @@ from qiskit_ibm_runtime.transpiler.passes.scheduling import DynamicCircuitInstructionDurations from qiskit_ibm_runtime.transpiler.passes.scheduling import ALAPScheduleAnalysis from qiskit_ibm_runtime.transpiler.passes.scheduling import PadDelay - from qiskit.providers.fake_provider import FakeJakarta + from qiskit_ibm_runtime.fake_provider import FakeJakarta backend = FakeJakarta()