Skip to content

Commit 253c2c8

Browse files
authoredDec 14, 2023
Add histogram widget (#922)
This adds a histogram IPyWidget similar to that used in the playground and VS Code, complete with animating incoming results, menu, zoom, scroll, etc. as shown below. Open to discussing the API. By having 'run' on the widget launch the execution, it allows it to easily wire up events and animate as they come in. <img width="731" alt="image" src="https://github.com/microsoft/qsharp/assets/993909/d0c16703-f46f-4a08-804e-2c3e8390ef62">
1 parent 1de79d5 commit 253c2c8

File tree

6 files changed

+168
-7
lines changed

6 files changed

+168
-7
lines changed
 

‎npm/ux/qsharp-ux.css

+1
Original file line numberDiff line numberDiff line change
@@ -325,6 +325,7 @@ html {
325325

326326
.histogram {
327327
max-height: calc(100vh - 40px);
328+
max-width: 600px;
328329
border: 1px solid var(--border-color);
329330
background-color: var(--vscode-sideBar-background, white);
330331
}

‎pip/qsharp/__init__.py

+9-1
Original file line numberDiff line numberDiff line change
@@ -1,7 +1,15 @@
11
# Copyright (c) Microsoft Corporation.
22
# Licensed under the MIT License.
33

4-
from ._qsharp import init, eval, eval_file, run, compile, estimate, dump_machine
4+
from ._qsharp import (
5+
init,
6+
eval,
7+
eval_file,
8+
run,
9+
compile,
10+
estimate,
11+
dump_machine,
12+
)
513

614
from ._native import Result, Pauli, QSharpError, TargetProfile, StateDump
715

‎pip/qsharp/_qsharp.py

+42-5
Original file line numberDiff line numberDiff line change
@@ -1,7 +1,7 @@
11
# Copyright (c) Microsoft Corporation.
22
# Licensed under the MIT License.
33

4-
from typing import Any, Dict, Optional, Union, List
4+
from typing import Any, Callable, Dict, Optional, TypedDict, Union, List
55
from ._native import Interpreter, Output, TargetProfile, StateDump
66
from .estimator._estimator import EstimatorResult, EstimatorParams
77
import json
@@ -61,6 +61,7 @@ def get_interpreter() -> Interpreter:
6161
global _interpreter
6262
if _interpreter is None:
6363
init()
64+
assert _interpreter is not None, "Failed to initialize the Q# interpreter."
6465
return _interpreter
6566

6667

@@ -93,23 +94,59 @@ def eval_file(path: str) -> Any:
9394
return eval(f.read())
9495

9596

96-
def run(entry_expr: str, shots: int) -> Any:
97+
class ShotResult(TypedDict):
98+
"""
99+
A single result of a shot.
100+
"""
101+
102+
events: List[Output]
103+
result: Any
104+
105+
106+
def run(
107+
entry_expr: str,
108+
shots: int,
109+
*,
110+
on_result: Optional[Callable[[ShotResult], None]] = None,
111+
save_events: bool = False,
112+
) -> List[Any]:
97113
"""
98114
Runs the given Q# expression for the given number of shots.
99115
Each shot uses an independent instance of the simulator.
100116
101117
:param entry_expr: The entry expression.
102118
:param shots: The number of shots to run.
119+
:param on_result: A callback function that will be called with each result.
120+
:param save_events: If true, the output of each shot will be saved. If false, they will be printed.
103121
104-
:returns values: A list of results or runtime errors.
122+
:returns values: A list of results or runtime errors. If `save_events` is true,
123+
a List of ShotResults is returned.
105124
106125
:raises QSharpError: If there is an error interpreting the input.
107126
"""
108127

109-
def callback(output: Output) -> None:
128+
results: List[ShotResult] = []
129+
130+
def print_output(output: Output) -> None:
110131
print(output)
111132

112-
return get_interpreter().run(entry_expr, shots, callback)
133+
def on_save_events(output: Output) -> None:
134+
# Append the output to the last shot's output list
135+
results[-1]["events"].append(output)
136+
137+
for _ in range(shots):
138+
results.append({"result": None, "events": []})
139+
run_results = get_interpreter().run(
140+
entry_expr, 1, on_save_events if save_events else print_output
141+
)
142+
results[-1]["result"] = run_results[0]
143+
if on_result:
144+
on_result(results[-1])
145+
146+
if save_events:
147+
return results
148+
else:
149+
return [shot["result"] for shot in results]
113150

114151

115152
# Class that wraps generated QIR, which can be used by

‎pip/tests/test_qsharp.py

+29
Original file line numberDiff line numberDiff line change
@@ -67,3 +67,32 @@ def test_compile_qir_str() -> None:
6767
operation = qsharp.compile("Program()")
6868
qir = str(operation)
6969
assert "define void @ENTRYPOINT__main()" in qir
70+
71+
72+
def test_run_with_result(capsys) -> None:
73+
qsharp.init()
74+
qsharp.eval('operation Foo() : Result { Message("Hello, world!"); Zero }')
75+
results = qsharp.run("Foo()", 3)
76+
assert results == [qsharp.Result.Zero, qsharp.Result.Zero, qsharp.Result.Zero]
77+
stdout = capsys.readouterr().out
78+
assert stdout == "Hello, world!\nHello, world!\nHello, world!\n"
79+
80+
81+
def test_run_with_result_callback(capsys) -> None:
82+
def on_result(result):
83+
nonlocal called
84+
called = True
85+
assert result["result"] == qsharp.Result.Zero
86+
assert str(result["events"]) == "[Hello, world!]"
87+
88+
called = False
89+
qsharp.init()
90+
qsharp.eval('operation Foo() : Result { Message("Hello, world!"); Zero }')
91+
results = qsharp.run("Foo()", 3, on_result=on_result, save_events=True)
92+
assert (
93+
str(results)
94+
== "[{'result': Zero, 'events': [Hello, world!]}, {'result': Zero, 'events': [Hello, world!]}, {'result': Zero, 'events': [Hello, world!]}]"
95+
)
96+
stdout = capsys.readouterr().out
97+
assert stdout == ""
98+
assert called

‎widgets/js/index.tsx

+27-1
Original file line numberDiff line numberDiff line change
@@ -2,7 +2,7 @@
22
// Licensed under the MIT License.
33

44
import { render as prender } from "preact";
5-
import { ReTable, SpaceChart } from "qsharp-lang/ux";
5+
import { ReTable, SpaceChart, Histogram } from "qsharp-lang/ux";
66
import markdownIt from "markdown-it";
77

88
// eslint-disable-next-line @typescript-eslint/ban-ts-comment
@@ -35,6 +35,9 @@ export function render({ model, el }: RenderArgs) {
3535
case "EstimateDetails":
3636
renderTable({ model, el });
3737
break;
38+
case "Histogram":
39+
renderHistogram({ model, el });
40+
break;
3841
default:
3942
throw new Error(`Unknown component type ${componentType}`);
4043
}
@@ -62,3 +65,26 @@ function renderChart({ model, el }: RenderArgs) {
6265
onChange();
6366
model.on("change:estimates", onChange);
6467
}
68+
69+
function renderHistogram({ model, el }: RenderArgs) {
70+
const onChange = () => {
71+
const buckets = model.get("buckets") as { [key: string]: number };
72+
const bucketMap = new Map(Object.entries(buckets));
73+
const shot_count = model.get("shot_count") as number;
74+
75+
prender(
76+
<Histogram
77+
data={bucketMap}
78+
shotCount={shot_count}
79+
filter={""}
80+
onFilter={() => undefined}
81+
shotsHeader={true}
82+
></Histogram>,
83+
el,
84+
);
85+
};
86+
87+
onChange();
88+
model.on("change:buckets", onChange);
89+
model.on("change:shot_count", onChange);
90+
}

‎widgets/src/qsharp_widgets/__init__.py

+60
Original file line numberDiff line numberDiff line change
@@ -3,6 +3,7 @@
33

44
import importlib.metadata
55
import pathlib
6+
import time
67

78
import anywidget
89
import traitlets
@@ -35,3 +36,62 @@ class EstimateDetails(anywidget.AnyWidget):
3536
def __init__(self, estimates):
3637
super().__init__()
3738
self.estimates = estimates
39+
40+
41+
class Histogram(anywidget.AnyWidget):
42+
_esm = pathlib.Path(__file__).parent / "static" / "index.js"
43+
_css = pathlib.Path(__file__).parent / "static" / "index.css"
44+
45+
comp = traitlets.Unicode("Histogram").tag(sync=True)
46+
buckets = traitlets.Dict().tag(sync=True)
47+
shot_count = traitlets.Integer().tag(sync=True)
48+
49+
def _update_ui(self):
50+
self.buckets = self._new_buckets.copy()
51+
self.shot_count = self._new_count
52+
self._last_message = time.time()
53+
54+
def _add_result(self, result):
55+
result_str = str(result["result"])
56+
old_value = self._new_buckets.get(result_str, 0)
57+
self._new_buckets.update({result_str: old_value + 1})
58+
self._new_count += 1
59+
60+
# Only update the UI max 10 times per second
61+
if time.time() - self._last_message >= 0.1:
62+
self._update_ui()
63+
64+
def __init__(self, results=None):
65+
super().__init__()
66+
67+
self._new_buckets = {}
68+
self._new_count = 0
69+
self._last_message = time.time()
70+
71+
# If provided a list of results, count the buckets and update.
72+
# Need to distinguish between the case where we're provided a list of results
73+
# or a list of ShotResults
74+
if results is not None:
75+
for result in results:
76+
if isinstance(result, dict) and "result" in result:
77+
self._add_result(result)
78+
else:
79+
# Convert the raw result to a ShotResult for the call
80+
self._add_result({"result": result, "events": []})
81+
82+
self._update_ui()
83+
84+
def run(self, entry_expr, shots):
85+
import qsharp
86+
87+
self._new_buckets = {}
88+
self._new_count = 0
89+
90+
# Note: For now, we don't care about saving the results, just counting
91+
# up the results for each bucket. If/when we add output details and
92+
# navigation, then we'll need to save the results. However, we pass
93+
# 'save_results=True' to avoid printing to the console.
94+
qsharp.run(entry_expr, shots, on_result=self._add_result, save_events=True)
95+
96+
# Update the UI one last time to make sure we show the final results
97+
self._update_ui()

0 commit comments

Comments
 (0)
Please sign in to comment.