HomeDashboard/.venv/lib/python3.12/site-packages/nicegui/elements/interactive_image.py
2026-01-03 14:54:18 +01:00

165 lines
7.6 KiB
Python

from __future__ import annotations
import time
from collections.abc import Callable
from pathlib import Path
from typing import Literal, cast
from typing_extensions import Self
from .. import helpers, optional_features
from ..events import GenericEventArguments, Handler, MouseEventArguments, handle_event
from ..logging import log
from .image import pil_to_base64
from .mixins.content_element import ContentElement
from .mixins.source_element import SourceElement
try:
from PIL.Image import Image as PIL_Image
optional_features.register('pillow')
except ImportError:
pass
class InteractiveImage(SourceElement, ContentElement, component='interactive_image.js'):
CONTENT_PROP = 'content'
PIL_CONVERT_FORMAT = 'PNG'
def __init__(self,
source: str | Path | PIL_Image = '', *,
content: str = '',
size: tuple[float, float] | None = None,
on_mouse: Handler[MouseEventArguments] | None = None,
events: list[str] = ['click'], # noqa: B006
cross: bool | str = False,
sanitize: Callable[[str], str] | Literal[False] | None = None,
) -> None:
"""Interactive Image
Create an image with an SVG overlay that handles mouse events and yields image coordinates.
It is also the best choice for non-flickering image updates.
If the source URL changes faster than images can be loaded by the browser, some images are simply skipped.
Thereby repeatedly updating the image source will automatically adapt to the available bandwidth.
See `OpenCV Webcam <https://github.com/zauberzeug/nicegui/tree/main/examples/opencv_webcam/main.py>`_ for an example.
The mouse event handler is called with mouse event arguments containing
- `type` (the name of the JavaScript event),
- `image_x` and `image_y` (image coordinates in pixels),
- `button` and `buttons` (mouse button numbers from the JavaScript event), as well as
- `alt`, `ctrl`, `meta`, and `shift` (modifier keys from the JavaScript event).
You can also pass a tuple of width and height instead of an image source.
This will create an empty image with the given size.
Note that since NiceGUI 3.4.0, you need to specify how to ``sanitize`` the SVG content (if any).
Especially if you are displaying user input, you should sanitize the content to prevent XSS attacks.
We recommend ``Sanitizer().sanitize`` which requires the html-sanitizer package to be installed.
If you are not displaying user input, you can pass ``False`` to disable sanitization.
:param source: the source of the image; can be an URL, local file path, a base64 string or just an image size
:param content: SVG content which should be overlaid; viewport has the same dimensions as the image
:param size: size of the image (width, height) in pixels; only used if `source` is not set
:param on_mouse: callback for mouse events (contains image coordinates `image_x` and `image_y` in pixels)
:param events: list of JavaScript events to subscribe to (default: `['click']`)
:param cross: whether to show crosshairs or a color string (default: `False`)
:param sanitize: a sanitize function to be applied to the content, ``False`` to deactivate sanitization (default ``None``: warns if content is provided, *added in version 3.4.0*)
"""
self._sanitize = sanitize
super().__init__(source=source, content=content)
self._props['events'] = events[:]
self._props['cross'] = cross
self._props['size'] = size
if on_mouse:
self.on_mouse(on_mouse)
def set_source(self, source: str | Path | PIL_Image) -> None:
return super().set_source(source)
def on_mouse(self, on_mouse: Handler[MouseEventArguments]) -> Self:
"""Add a callback to be invoked when a mouse event occurs."""
def handle_mouse(e: GenericEventArguments) -> None:
args = cast(dict, e.args)
arguments = MouseEventArguments(
sender=self,
client=self.client,
type=args.get('mouse_event_type', ''),
image_x=args.get('image_x', 0.0),
image_y=args.get('image_y', 0.0),
button=args.get('button', 0),
buttons=args.get('buttons', 0),
alt=args.get('altKey', False),
ctrl=args.get('ctrlKey', False),
meta=args.get('metaKey', False),
shift=args.get('shiftKey', False),
)
handle_event(on_mouse, arguments)
self.on('mouse', handle_mouse)
return self
def _set_props(self, source: str | Path | PIL_Image) -> None:
if optional_features.has('pillow') and isinstance(source, PIL_Image):
source = pil_to_base64(source, self.PIL_CONVERT_FORMAT)
super()._set_props(source)
def force_reload(self) -> None:
"""Force the image to reload from the source."""
if self._props['src'].startswith('data:'):
log.warning('ui.interactive_image: force_reload() only works with network sources (not base64)')
return
self._props['t'] = time.time()
def add_layer(self, *, content: str = '') -> InteractiveImageLayer:
"""Add a new layer with its own content.
*Added in version 2.17.0*
"""
with self:
layer = InteractiveImageLayer(
source=self.source,
content=content,
size=self._props['size'],
sanitize=self._sanitize,
).classes('nicegui-interactive-image-layer')
self.on('loaded', lambda e: layer.run_method('updateViewbox', e.args['width'], e.args['height']))
return layer
def _handle_content_change(self, content: str) -> None:
if content and self._sanitize is None:
helpers.warn_once('ui.interactive_image: content provided but no explicit sanitize function set; '
'to avoid XSS vulnerabilities, please provide a sanitize function or set sanitize=False')
return super()._handle_content_change(self._sanitize(content) if self._sanitize else content)
class InteractiveImageLayer(SourceElement, ContentElement, component='interactive_image.js'):
CONTENT_PROP = 'content'
PIL_CONVERT_FORMAT = 'PNG'
def __init__(self, *,
source: str,
content: str,
size: tuple[float, float] | None,
sanitize: Callable[[str], str] | Literal[False] | None = None,
) -> None:
"""Interactive Image Layer
This element is created when adding a layer to an ``InteractiveImage``.
*Added in version 2.17.0*
"""
self._sanitize = sanitize
super().__init__(source=source, content=content)
self._props['size'] = size
def _set_props(self, source: str | Path | PIL_Image) -> None:
if optional_features.has('pillow') and isinstance(source, PIL_Image):
source = pil_to_base64(source, self.PIL_CONVERT_FORMAT)
super()._set_props(source)
def _handle_content_change(self, content: str) -> None:
if self._sanitize is None:
helpers.warn_once('ui.interactive_image layer: content provided but no explicit sanitize function set; '
'to avoid XSS vulnerabilities, please provide a sanitize function or set sanitize=False')
return super()._handle_content_change(self._sanitize(content) if self._sanitize else content)