Skip to content

Commit

Permalink
Backport PR bqplot#1505: Plotting Widgets
Browse files Browse the repository at this point in the history
  • Loading branch information
ChakriCherukuri authored and maartenbreddels committed Mar 14, 2023
1 parent 11492fd commit 6b96051
Show file tree
Hide file tree
Showing 4 changed files with 345 additions and 2 deletions.
1 change: 1 addition & 0 deletions bqplot/__init__.py
Original file line number Diff line number Diff line change
Expand Up @@ -66,6 +66,7 @@
from .marks import * # noqa
from .scales import * # noqa
from .toolbar import * # noqa
from .plotting_widgets import * # noqa
from .default_tooltip import * # noqa
from ._version import version_info, __version__ # noqa

Expand Down
207 changes: 207 additions & 0 deletions bqplot/plotting_widgets.py
Original file line number Diff line number Diff line change
@@ -0,0 +1,207 @@
from ipywidgets import Layout
from traitlets import List, Enum, Int, Bool
from traittypes import DataFrame
from bqplot import Figure, LinearScale, Lines, Label
from bqplot.marks import CATEGORY10
import numpy as np


class Radar(Figure):
"""
Radar chart created from a pandas Dataframe. Each column of the df will be
represented as a loop in the radar chart. Each row of the df will be
represented as a spoke of the radar chart
Attributes
----------
data: DataFrame
data for the radar
band_type: {"circle", "polygon"} (default: "circle")
type of bands to display in the radar
num_bands: Int (default: 5)
number of bands on the radar. As of now, this attribute is not
dynamic and it has to set in the constructor
data_range: List (default: [0, 1])
range of data
fill: Bool(default: True)
flag which lets us fill the radar loops or not
"""

data = DataFrame()
data_range = List([0, 1]).tag(sync=True)
band_type = Enum(
["circle", "polygon"], default_value="circle", allow_none=True
).tag(sync=True)
colors = List(default_value=CATEGORY10).tag(sync=True)
num_bands = Int(default_value=5).tag(sync=True)
fill = Bool(default_value=False).tag(sync=True)

def __init__(self, **kwargs):
super(Radar, self).__init__(**kwargs)
self.scales = {"x": LinearScale(), "y": LinearScale()}
# set some defaults for the figure
self.layout = Layout(min_width="600px", min_height="600px")
self.max_aspect_ratio = 1
self.preserve_aspect = True

# marks for the radar figure

# spokes (straight lines going away from the center)
self.spokes = Lines(
scales=self.scales, colors=["#ccc"], stroke_width=0.5
)

# bands
self.bands = Lines(
colors=["#ccc"], scales=self.scales, stroke_width=0.5
)

# loops of the radar
self.loops = Lines(
scales=self.scales,
display_legend=True,
colors=self.colors,
stroke_width=2,
fill="inside" if self.fill else "none",
marker="circle",
marker_size=50,
)

self.band_labels = Label(
scales=self.scales,
default_size=12,
font_weight="normal",
apply_clip=False,
colors=["#ccc"],
align="middle",
)

self.spoke_labels = Label(
scales=self.scales,
default_size=14,
font_weight="bold",
apply_clip=False,
colors=["#ccc"],
align="middle",
)

self.marks = [
self.spokes,
self.bands,
self.loops,
self.band_labels,
self.spoke_labels,
]

# handlers for data updates
self.observe(self.update_data, "data")
self.observe(self.update_bands, ["band_type", "num_bands"])
self.observe(self.update_fill, "fill")

self.loops.on_legend_click(self.on_legend_click)
self.loops.on_background_click(self.reset)

self.update_bands(None)
self.update_data(None)

def update_bands(self, *args):
band_data = np.linspace(
self.data_range[0], self.data_range[1], self.num_bands + 1
)
self.scaled_band_data = (
(band_data - self.data_range[0])
/ (self.data_range[1] - self.data_range[0])
)[:, np.newaxis]

n = len(self.data.index)

if self.band_type == "circle":
t = np.linspace(0, 2 * np.pi, 1000)
band_data_x, band_data_y = (
self.scaled_band_data * np.cos(t),
self.scaled_band_data * np.sin(t),
)
elif self.band_type == "polygon":
t = np.linspace(0, 2 * np.pi, n + 1)
band_data_x, band_data_y = (
self.scaled_band_data * np.sin(t),
self.scaled_band_data * np.cos(t),
)

with self.bands.hold_sync():
self.bands.x = band_data_x
self.bands.y = band_data_y

with self.band_labels.hold_sync():
self.band_labels.x = self.scaled_band_data[:, 0]
self.band_labels.y = [0.0] * (self.num_bands + 1)
self.band_labels.text = ["{:.0%}".format(b) for b in band_data]

def update_data(self, *args):
self.update_bands(None)
rows = list(self.data.index)
n = len(rows)

# spokes representing each data set
self.spoke_data_t = np.linspace(0, 2 * np.pi, n + 1)[:-1]
spoke_data_x, spoke_data_y = (
np.sin(self.spoke_data_t),
np.cos(self.spoke_data_t),
)

# Update mark data based on data changes
with self.spokes.hold_sync():
self.spokes.x = np.column_stack(
[self.scaled_band_data[1] * spoke_data_x, spoke_data_x]
)
self.spokes.y = np.column_stack(
[self.scaled_band_data[1] * spoke_data_y, spoke_data_y]
)

scaled_data = (self.data.values - self.data_range[0]) / (
self.data_range[1] - self.data_range[0]
)
data_x = scaled_data * np.sin(self.spoke_data_t)[:, np.newaxis]
data_y = scaled_data * np.cos(self.spoke_data_t)[:, np.newaxis]

# update data lines
with self.loops.hold_sync():
self.loops.x = np.column_stack([data_x.T, data_x.T[:, 0]])
self.loops.y = np.column_stack([data_y.T, data_y.T[:, 0]])
if self.fill:
self.loops.fill = "inside"
self.loops.fill_opacities = [0.2] * len(self.loops.y)
else:
self.loops.fill = "none"
self.loops.fill_opacities = [0.0] * len(self.loops.y)
self.loops.labels = [str(c) for c in self.data.columns]

# update spoke labels
t = np.linspace(0, 2 * np.pi, n + 1)
with self.spoke_labels.hold_sync():
self.spoke_labels.text = [str(row) for row in rows]
self.spoke_labels.x = np.sin(t)
self.spoke_labels.y = np.cos(t)

def update_fill(self, *args):
if self.fill:
with self.loops.hold_sync():
self.loops.fill = "inside"
self.loops.fill_opacities = [0.2] * len(self.loops.y)
else:
self.loops.fill = "none"
self.loops.fill_opacities = [0.0] * len(self.loops.y)

def on_legend_click(self, line, target):
selected_ix = target["data"]["index"]
n = len(line.y)
opacities = line.opacities
if opacities is None or len(opacities) == 0:
opacities = [1.0] * n

new_opacities = [0.1] * n
new_opacities[selected_ix] = 1
line.opacities = new_opacities

def reset(self, line, target):
line.opacities = [1.0] * len(line.y)
135 changes: 135 additions & 0 deletions examples/Plotting Widgets/Radar.ipynb
Original file line number Diff line number Diff line change
@@ -0,0 +1,135 @@
{
"cells": [
{
"cell_type": "code",
"execution_count": null,
"id": "aa2c2c2a",
"metadata": {},
"outputs": [],
"source": [
"from bqplot import Radar"
]
},
{
"cell_type": "code",
"execution_count": null,
"id": "e24060e0",
"metadata": {},
"outputs": [],
"source": [
"import pandas as pd\n",
"import numpy as np\n",
"\n",
"df = pd.DataFrame(np.random.rand(7, 4), columns=list(\"ABCD\"),\n",
" index=[f\"R{i+1}\" for i in range(7)])\n",
"radar = Radar(data=df, data_range=[0, 1], fill=True, num_bands=5, band_type=\"circle\", animation_duration=1000)\n",
"\n",
"# radar is a figure so we can update its title\n",
"radar.title = \"Radar\"\n",
"\n",
"# since radar is a figure (which is a DOM widget) we can directly render it\n",
"radar"
]
},
{
"cell_type": "code",
"execution_count": null,
"id": "bb23866d",
"metadata": {},
"outputs": [],
"source": [
"#update data\n",
"radar.data = pd.DataFrame(np.random.rand(10, 5), columns=list(\"ABCDE\"),\n",
" index=[f\"R{i+1}\" for i in range(10)])"
]
},
{
"cell_type": "code",
"execution_count": null,
"id": "6e27b684",
"metadata": {},
"outputs": [],
"source": [
"# change radar type\n",
"radar.band_type = \"polygon\""
]
},
{
"cell_type": "code",
"execution_count": null,
"id": "9ad12e64",
"metadata": {},
"outputs": [],
"source": [
"# no fill\n",
"radar.fill = False"
]
},
{
"cell_type": "code",
"execution_count": null,
"id": "a460a607",
"metadata": {},
"outputs": [],
"source": [
"# set number of bands to 8\n",
"radar.num_bands = 8"
]
},
{
"cell_type": "code",
"execution_count": null,
"id": "27719f18",
"metadata": {},
"outputs": [],
"source": [
"# since radar is a figure composed of primitive marks we can directly change the internals\n",
"# update loop colors\n",
"radar.loops.colors = [\"red\", \"magenta\", \"green\", \"orange\"]"
]
},
{
"cell_type": "code",
"execution_count": null,
"id": "f35dff18",
"metadata": {},
"outputs": [],
"source": [
"# remove the band labels\n",
"radar.band_labels.text = []"
]
},
{
"cell_type": "code",
"execution_count": null,
"id": "42d98577",
"metadata": {},
"outputs": [],
"source": [
"# remove the spoke labels\n",
"radar.spoke_labels.text = []"
]
}
],
"metadata": {
"kernelspec": {
"display_name": "Python 3 (ipykernel)",
"language": "python",
"name": "python3"
},
"language_info": {
"codemirror_mode": {
"name": "ipython",
"version": 3
},
"file_extension": ".py",
"mimetype": "text/x-python",
"name": "python",
"nbconvert_exporter": "python",
"pygments_lexer": "ipython3",
"version": "3.7.12"
}
},
"nbformat": 4,
"nbformat_minor": 5
}
4 changes: 2 additions & 2 deletions pytest.ini
Original file line number Diff line number Diff line change
@@ -1,5 +1,5 @@
[pytest]
addopts = --nbval --current-env

filterwarnings =
error:::bqplot
; filterwarnings =
; error:::bqplot

0 comments on commit 6b96051

Please sign in to comment.