-
Notifications
You must be signed in to change notification settings - Fork 2
Commit
This commit does not belong to any branch on this repository, and may belong to a fork outside of the repository.
- Loading branch information
1 parent
3fc3261
commit f8736bd
Showing
7 changed files
with
1,802 additions
and
1 deletion.
There are no files selected for viewing
Large diffs are not rendered by default.
Oops, something went wrong.
This file contains bidirectional Unicode text that may be interpreted or compiled differently than what appears below. To review, open the file in an editor that reveals hidden Unicode characters.
Learn more about bidirectional Unicode characters
Original file line number | Diff line number | Diff line change |
---|---|---|
|
@@ -5,9 +5,14 @@ description = "RPC tooling for OQC QAT." | |
authors = ["Kajsa Eriksson Rosenqvist <[email protected]>"] | ||
readme = "README.md" | ||
license = "BSD-3-Clause" | ||
packages = [ | ||
{ include = "qat_rpc", from = "src/QAT_RPC/" } | ||
] | ||
|
||
[tool.poetry.dependencies] | ||
python = ">=3.8.1,<3.11" | ||
qat-compiler = "^1.1.0" | ||
pyzmq = "^25.1.0" | ||
|
||
[tool.poetry.group.dev.dependencies] | ||
coverage = "^6.3.2" | ||
|
@@ -19,6 +24,9 @@ optional = true | |
[tool.poetry.group.licenses.dependencies] | ||
pip-licenses = "^3.5.3" | ||
|
||
[tool.poetry.scripts] | ||
qat_comexe="qat_rpc.zmq.qat_commands:qat_run" | ||
|
||
[build-system] | ||
requires = ["poetry-core"] | ||
build-backend = "poetry.core.masonry.api" |
Empty file.
Empty file.
This file contains bidirectional Unicode text that may be interpreted or compiled differently than what appears below. To review, open the file in an editor that reveals hidden Unicode characters.
Learn more about bidirectional Unicode characters
Original file line number | Diff line number | Diff line change |
---|---|---|
@@ -0,0 +1,22 @@ | ||
import argparse | ||
from pathlib import Path | ||
|
||
from qat_rpc.zmq.wrappers import ZMQClient | ||
|
||
|
||
parser = argparse.ArgumentParser(prog="QAT submission service", description="Submit your QASM or QIR program to QAT.") | ||
parser.add_argument("program", type=str, help="Program string or path to program file.") | ||
parser.add_argument("--config", type=str, help="Serialised CompilerConfig json") | ||
|
||
|
||
def qat_run(): | ||
args = parser.parse_args() | ||
program = args.program | ||
config = args.config | ||
if Path(program).is_file(): | ||
program = Path(program).read_text() | ||
if config is not None and Path(config).is_file(): | ||
config = Path(config).read_text() | ||
zmq_client = ZMQClient() | ||
results = zmq_client.execute_task(program, config) | ||
print(results) |
This file contains bidirectional Unicode text that may be interpreted or compiled differently than what appears below. To review, open the file in an editor that reveals hidden Unicode characters.
Learn more about bidirectional Unicode characters
Original file line number | Diff line number | Diff line change |
---|---|---|
@@ -0,0 +1,41 @@ | ||
import os | ||
from pathlib import Path | ||
from signal import SIGINT, SIGTERM, signal | ||
|
||
from qat.purr.compiler.devices import Calibratable | ||
from qat.purr.utils.logger import get_default_logger | ||
|
||
from qat_rpc.zmq.wrappers import ZMQServer | ||
|
||
log = get_default_logger() | ||
|
||
|
||
class GracefulKill: | ||
def __init__(self, receiver: ZMQServer): | ||
signal(SIGINT, self._sigint) | ||
signal(SIGTERM, self._sigterm) | ||
self.receiver = receiver | ||
|
||
def _sigint(self, *args): | ||
self.receiver.stop() | ||
|
||
def _sigterm(self, *args): | ||
self.receiver.stop() | ||
|
||
|
||
if __name__ == "__main__": | ||
hw = None | ||
if (calibration_file := os.getenv("TOSHIKO_CAL")) is not None: | ||
calibration_file = Path(calibration_file) | ||
if not calibration_file.is_absolute() and not calibration_file.is_file(): | ||
calibration_file = Path(Path(__file__).parent, calibration_file) | ||
if not calibration_file.is_file(): | ||
raise ValueError(f"No such file: {calibration_file}") | ||
log.info(f"Loading: {calibration_file} ") | ||
hw = Calibratable.load_calibration_from_file(str(calibration_file)) | ||
log.debug("Loaded") | ||
receiver = ZMQServer(hardware=hw) | ||
gk = GracefulKill(receiver) | ||
|
||
log.info(f"Starting receiver with {type(receiver._hardware)} hardware.") | ||
receiver.run() |
This file contains bidirectional Unicode text that may be interpreted or compiled differently than what appears below. To review, open the file in an editor that reveals hidden Unicode characters.
Learn more about bidirectional Unicode characters
Original file line number | Diff line number | Diff line change |
---|---|---|
@@ -0,0 +1,107 @@ | ||
from time import time | ||
from typing import Union | ||
|
||
import zmq | ||
|
||
from qat.purr.backends.echo import get_default_echo_hardware | ||
from qat.purr.compiler.hardware_models import QuantumHardwareModel | ||
from qat.purr.compiler.config import CompilerConfig | ||
from qat.purr.compiler.runtime import get_runtime | ||
from qat.qat import execute_with_metrics | ||
|
||
|
||
class ZMQBase: | ||
def __init__(self, socket_type: zmq.SocketType): | ||
self._context = zmq.Context() | ||
self._socket = self._context.socket(socket_type) | ||
self._timeout = 30.0 | ||
self._protocol = "tcp" | ||
self._ip_address = "127.0.0.1" | ||
self._port = "5556" | ||
|
||
@property | ||
def address(self): | ||
return f"{self._protocol}://{self._ip_address}:{self._port}" | ||
|
||
def _check_recieved(self): | ||
try: | ||
msg = self._socket.recv_pyobj(zmq.NOBLOCK) | ||
return msg | ||
except zmq.ZMQError: | ||
return None | ||
|
||
def _send(self, message) -> None: | ||
sent = False | ||
t0 = time() | ||
while not sent: | ||
try: | ||
self._socket.send_pyobj(message, zmq.NOBLOCK) | ||
sent = True | ||
except zmq.ZMQError as e: | ||
if time() > t0 + self._timeout: | ||
raise TimeoutError( | ||
"Sending %s on %s timedout" % (message, self.address) | ||
) | ||
return | ||
|
||
def close(self): | ||
"""Disconnect the link to the socket.""" | ||
if self._socket.closed: | ||
return | ||
self._socket.close() | ||
self._context.destroy() | ||
|
||
def __del__(self): | ||
self.close() | ||
|
||
|
||
class ZMQServer(ZMQBase): | ||
def __init__(self, hardware: QuantumHardwareModel=None): | ||
super().__init__(zmq.REP) | ||
self._socket.bind(self.address) | ||
self._hardware = hardware or get_default_echo_hardware(qubit_count=32) | ||
self._engine = get_runtime(self._hardware).engine | ||
self._running = False | ||
|
||
@property | ||
def address(self): | ||
return f"{self._protocol}://*:{self._port}" | ||
|
||
def run(self): | ||
self._running = True | ||
while self._running and not self._socket.closed: | ||
msg = self._check_recieved() | ||
if msg is not None: | ||
try: | ||
program = msg[0] | ||
config = CompilerConfig.create_from_json(msg[1]) | ||
result, metrics = execute_with_metrics(program, self._engine, config) | ||
reply = {"results": result, "execution_metrics": metrics} | ||
except Exception as e: | ||
reply = {"Exception": repr(e)} | ||
self._send(reply) | ||
|
||
def stop(self): | ||
self._running = False | ||
|
||
|
||
class ZMQClient(ZMQBase): | ||
def __init__(self): | ||
super().__init__(zmq.REQ) | ||
self._socket.setsockopt(zmq.LINGER, 0) | ||
self._socket.connect(self.address) | ||
|
||
def execute_task(self, program: str, config: Union[CompilerConfig, str]=None): | ||
self.result = None | ||
if isinstance(config, str): | ||
# Verify config string is valid before submitting. | ||
config = CompilerConfig.create_from_json(config) | ||
cfg = config or CompilerConfig() | ||
self._send((program, cfg.to_json())) | ||
return self._await_results() | ||
|
||
def _await_results(self): | ||
result = None | ||
while result is None: | ||
result = self._check_recieved() | ||
return result |