From 3bf4a437fb93521b1f31002c9931f93b2152c36a Mon Sep 17 00:00:00 2001 From: Freddy Boulton Date: Wed, 30 Oct 2024 13:08:09 -0400 Subject: [PATCH] Audio in only (#15) * Audio + Video / test Audio * Add code * Fix demo * support additional inputs * Add code * Add code --- .gitignore | 3 +- backend/gradio_webrtc/reply_on_pause.py | 63 +++- backend/gradio_webrtc/utils.py | 2 + backend/gradio_webrtc/webrtc.py | 122 ++++++-- demo/also_return_text.py | 105 +++++++ demo/app.py | 138 +++++++-- demo/app_.py | 367 +++++++++++++++++++++++ demo/audio_out.py | 3 +- demo/audio_out_2.py | 3 +- demo/docs.py | 99 ++++++ demo/echo_conversation.py | 15 +- demo/old_app.py | 74 +++++ demo/stream_whisper.py | 67 +++++ demo/video_send_output.py | 97 ++++++ frontend/Index.svelte | 12 +- frontend/gradio.config.js | 2 +- frontend/package-lock.json | 18 +- frontend/package.json | 3 +- frontend/shared/AudioWave.svelte | 5 +- frontend/shared/InteractiveAudio.svelte | 239 ++++++++++++--- frontend/shared/InteractiveVideo.svelte | 4 +- frontend/shared/StaticAudio.svelte | 4 +- frontend/shared/StaticVideo.svelte | 2 +- frontend/shared/Webcam.svelte | 8 +- frontend/shared/WebcamPermissions.svelte | 7 +- frontend/shared/stream_utils.ts | 65 ++-- frontend/shared/utils.ts | 220 +++++++------- frontend/shared/webrtc_utils.ts | 280 ++++++++--------- pyproject.toml | 2 +- 29 files changed, 1613 insertions(+), 416 deletions(-) create mode 100644 demo/also_return_text.py create mode 100644 demo/app_.py create mode 100644 demo/docs.py create mode 100644 demo/old_app.py create mode 100644 demo/stream_whisper.py create mode 100644 demo/video_send_output.py diff --git a/.gitignore b/.gitignore index 44ced21..5a9f2b3 100644 --- a/.gitignore +++ b/.gitignore @@ -13,4 +13,5 @@ backend/**/templates/ demo/MobileNetSSD_deploy.caffemodel demo/MobileNetSSD_deploy.prototxt.txt .DS_Store -test/ \ No newline at end of file +test/ +.env \ No newline at end of file diff --git a/backend/gradio_webrtc/reply_on_pause.py b/backend/gradio_webrtc/reply_on_pause.py index e429ecc..bc23111 100644 --- a/backend/gradio_webrtc/reply_on_pause.py +++ b/backend/gradio_webrtc/reply_on_pause.py @@ -2,11 +2,14 @@ from dataclasses import dataclass from functools import lru_cache from logging import getLogger from threading import Event -from typing import Callable, Generator, Literal, cast +import inspect +from typing import Any, Callable, Generator, Literal, Union, cast +import asyncio import numpy as np from gradio_webrtc.pause_detection import SileroVADModel, SileroVadOptions +from gradio_webrtc.utils import AdditionalOutputs from gradio_webrtc.webrtc import StreamHandler logger = getLogger(__name__) @@ -40,12 +43,29 @@ class AppState: buffer: np.ndarray | None = None -ReplyFnGenerator = Callable[ - [tuple[int, np.ndarray]], - Generator[ - tuple[int, np.ndarray] | tuple[int, np.ndarray, Literal["mono", "stereo"]], - None, - None, +ReplyFnGenerator = Union[ + # For two arguments + Callable[ + [tuple[int, np.ndarray], list[dict[Any, Any]]], + Generator[ + tuple[int, np.ndarray] + | tuple[int, np.ndarray, Literal["mono", "stereo"]] + | AdditionalOutputs + | tuple[tuple[int, np.ndarray], AdditionalOutputs], + None, + None, + ], + ], + Callable[ + [tuple[int, np.ndarray]], + Generator[ + tuple[int, np.ndarray] + | tuple[int, np.ndarray, Literal["mono", "stereo"]] + | AdditionalOutputs + | tuple[tuple[int, np.ndarray], AdditionalOutputs], + None, + None, + ], ], ] @@ -71,6 +91,12 @@ class ReplyOnPause(StreamHandler): self.generator = None self.model_options = model_options self.algo_options = algo_options or AlgoOptions() + self.latest_args: list[Any] = [] + self.args_set = Event() + + @property + def _needs_additional_inputs(self) -> bool: + return len(inspect.signature(self.fn).parameters) > 1 def copy(self): return ReplyOnPause( @@ -130,17 +156,38 @@ class ReplyOnPause(StreamHandler): self.event.set() def reset(self): + self.args_set.clear() self.generator = None self.event.clear() self.state = AppState() + def set_args(self, args: list[Any]): + super().set_args(args) + self.args_set.set() + + async def fetch_args( + self, + ): + if self.channel: + self.channel.send("tick") + logger.debug("Sent tick") + def emit(self): if not self.event.is_set(): return None else: if not self.generator: + if self._needs_additional_inputs and not self.args_set.is_set(): + asyncio.run_coroutine_threadsafe(self.fetch_args(), self.loop) + self.args_set.wait() + logger.debug("Creating generator") audio = cast(np.ndarray, self.state.stream).reshape(1, -1) - self.generator = self.fn((self.state.sampling_rate, audio)) + if self._needs_additional_inputs: + self.latest_args[0] = (self.state.sampling_rate, audio) + self.generator = self.fn(*self.latest_args) + else: + self.generator = self.fn((self.state.sampling_rate, audio)) # type: ignore + logger.debug("Latest args: %s", self.latest_args) self.state.responding = True try: return next(self.generator) diff --git a/backend/gradio_webrtc/utils.py b/backend/gradio_webrtc/utils.py index 6e27fe6..3d1f446 100644 --- a/backend/gradio_webrtc/utils.py +++ b/backend/gradio_webrtc/utils.py @@ -22,6 +22,8 @@ class DataChannel(Protocol): def split_output(data: tuple | Any) -> tuple[Any, AdditionalOutputs | None]: + if isinstance(data, AdditionalOutputs): + return None, data if isinstance(data, tuple): # handle the bare audio case if 2 <= len(data) <= 3 and isinstance(data[1], np.ndarray): diff --git a/backend/gradio_webrtc/webrtc.py b/backend/gradio_webrtc/webrtc.py index 3989b00..be608e3 100644 --- a/backend/gradio_webrtc/webrtc.py +++ b/backend/gradio_webrtc/webrtc.py @@ -72,6 +72,7 @@ class VideoCallback(VideoStreamTrack): event_handler: Callable, channel: DataChannel | None = None, set_additional_outputs: Callable | None = None, + mode: Literal["send-receive", "send"] = "send-receive", ) -> None: super().__init__() # don't forget this! self.track = track @@ -79,6 +80,14 @@ class VideoCallback(VideoStreamTrack): self.latest_args: str | list[Any] = "not_set" self.channel = channel self.set_additional_outputs = set_additional_outputs + self.thread_quit = asyncio.Event() + self.mode = mode + + def set_channel(self, channel: DataChannel): + self.channel = channel + + def set_args(self, args: list[Any]): + self.latest_args = ["__webrtc_value__"] + list(args) def add_frame_to_payload( self, args: list[Any], frame: np.ndarray | None @@ -94,11 +103,29 @@ class VideoCallback(VideoStreamTrack): def array_to_frame(self, array: np.ndarray) -> VideoFrame: return VideoFrame.from_ndarray(array, format="bgr24") + async def process_frames(self): + while not self.thread_quit.is_set(): + try: + await self.recv() + except TimeoutError: + continue + + def start( + self, + ): + asyncio.create_task(self.process_frames()) + + def stop(self): + super().stop() + logger.debug("video callback stop") + self.thread_quit.set() + async def recv(self): try: try: frame = cast(VideoFrame, await self.track.recv()) except MediaStreamError: + self.stop() return frame_array = frame.to_ndarray(format="bgr24") @@ -115,6 +142,8 @@ class VideoCallback(VideoStreamTrack): ): self.set_additional_outputs(outputs) self.channel.send("change") + if array is None and self.mode == "send": + return new_frame = self.array_to_frame(array) if frame: @@ -142,7 +171,25 @@ class StreamHandler(ABC): self.expected_layout = expected_layout self.output_sample_rate = output_sample_rate self.output_frame_size = output_frame_size + self.latest_args: str | list[Any] = "not_set" self._resampler = None + self._channel: DataChannel | None = None + self._loop: asyncio.AbstractEventLoop + + @property + def loop(self) -> asyncio.AbstractEventLoop: + return cast(asyncio.AbstractEventLoop, self._loop) + + @property + def channel(self) -> DataChannel | None: + return self._channel + + def set_channel(self, channel: DataChannel): + self._channel = channel + + def set_args(self, args: list[Any]): + logger.debug("setting args in audio callback %s", args) + self.latest_args = ["__webrtc_value__"] + list(args) @abstractmethod def copy(self) -> "StreamHandler": @@ -190,6 +237,13 @@ class AudioCallback(AudioStreamTrack): self.set_additional_outputs = set_additional_outputs super().__init__() + def set_channel(self, channel: DataChannel): + self.channel = channel + self.event_handler.set_channel(channel) + + def set_args(self, args: list[Any]): + self.event_handler.set_args(args) + async def process_input_frames(self) -> None: while not self.thread_quit.is_set(): try: @@ -284,6 +338,13 @@ class ServerToClientVideo(VideoStreamTrack): def array_to_frame(self, array: np.ndarray) -> VideoFrame: return VideoFrame.from_ndarray(array, format="bgr24") + def set_channel(self, channel: DataChannel): + self.channel = channel + + def set_args(self, args: list[Any]): + self.latest_args = list(args) + self.args_set.set() + async def recv(self): try: pts, time_base = await self.next_timestamp() @@ -338,6 +399,13 @@ class ServerToClientAudio(AudioStreamTrack): self._start: float | None = None super().__init__() + def set_channel(self, channel: DataChannel): + self.channel = channel + + def set_args(self, args: list[Any]): + self.latest_args = list(args) + self.args_set.set() + def next(self) -> tuple[int, np.ndarray] | None: self.args_set.wait() if self.generator is None: @@ -447,7 +515,7 @@ class WebRTC(Component): rtc_configuration: dict[str, Any] | None = None, track_constraints: dict[str, Any] | None = None, time_limit: float | None = None, - mode: Literal["send-receive", "receive"] = "send-receive", + mode: Literal["send-receive", "receive", "send"] = "send-receive", modality: Literal["video", "audio"] = "video", ): """ @@ -549,17 +617,11 @@ class WebRTC(Component): """ return value - def set_output(self, webrtc_id: str, *args): + def set_input(self, webrtc_id: str, *args): if webrtc_id in self.connections: - if self.mode == "send-receive": - self.connections[webrtc_id].latest_args = ["__webrtc_value__"] + list( - args - ) - elif self.mode == "receive": - self.connections[webrtc_id].latest_args = list(args) - self.connections[webrtc_id].args_set.set() # type: ignore + self.connections[webrtc_id].set_args(list(args)) - def change( + def on_additional_outputs( self, fn: Callable[Concatenate[P], R], inputs: Block | Sequence[Block] | set[Block] | None = None, @@ -628,7 +690,7 @@ class WebRTC(Component): "In the send-receive mode for audio, the event handler must be an instance of StreamHandler." ) - if self.mode == "send-receive": + if self.mode == "send-receive" or self.mode == "send": if cast(list[Block], inputs)[0] != self: raise ValueError( "In the webrtc stream event, the first input component must be the WebRTC component." @@ -642,7 +704,7 @@ class WebRTC(Component): "In the webrtc stream event, the only output component must be the WebRTC component." ) return self.tick( # type: ignore - self.set_output, + self.set_input, inputs=inputs, outputs=None, concurrency_id=concurrency_id, @@ -669,7 +731,7 @@ class WebRTC(Component): ) trigger(lambda: "start_webrtc_stream", inputs=None, outputs=self) self.tick( # type: ignore - self.set_output, + self.set_input, inputs=[self] + list(inputs), outputs=None, concurrency_id=concurrency_id, @@ -680,6 +742,12 @@ class WebRTC(Component): await asyncio.sleep(time_limit) await pc.close() + def clean_up(self, webrtc_id: str): + connection = self.connections.pop(webrtc_id, None) + self.additional_outputs.pop(webrtc_id, None) + self.data_channels.pop(webrtc_id, None) + return connection + @server async def offer(self, body): logger.debug("Starting to handle offer") @@ -707,7 +775,7 @@ class WebRTC(Component): logger.debug("pc.connectionState %s", pc.connectionState) if pc.connectionState in ["failed", "closed"]: await pc.close() - connection = self.connections.pop(body["webrtc_id"], None) + connection = self.clean_up(body["webrtc_id"]) if connection: connection.stop() self.pcs.discard(pc) @@ -723,20 +791,26 @@ class WebRTC(Component): relay.subscribe(track), event_handler=cast(Callable, self.event_handler), set_additional_outputs=set_outputs, + mode=cast(Literal["send", "send-receive"], self.mode), ) elif self.modality == "audio": + handler = cast(StreamHandler, self.event_handler).copy() + handler._loop = asyncio.get_running_loop() cb = AudioCallback( relay.subscribe(track), - event_handler=cast(StreamHandler, self.event_handler).copy(), + event_handler=handler, set_additional_outputs=set_outputs, ) self.connections[body["webrtc_id"]] = cb if body["webrtc_id"] in self.data_channels: - self.connections[body["webrtc_id"]].channel = self.data_channels[ - body["webrtc_id"] - ] - logger.debug("Adding track to peer connection %s", cb) - pc.addTrack(cb) + self.connections[body["webrtc_id"]].set_channel( + self.data_channels[body["webrtc_id"]] + ) + if self.mode == "send-receive": + logger.debug("Adding track to peer connection %s", cb) + pc.addTrack(cb) + elif self.mode == "send": + cast(AudioCallback | VideoCallback, cb).start() if self.mode == "receive": if self.modality == "video": @@ -753,21 +827,19 @@ class WebRTC(Component): logger.debug("Adding track to peer connection %s", cb) pc.addTrack(cb) self.connections[body["webrtc_id"]] = cb - cb.on("ended", lambda: self.connections.pop(body["webrtc_id"], None)) + cb.on("ended", lambda: self.clean_up(body["webrtc_id"])) @pc.on("datachannel") def on_datachannel(channel): - print("data channel established") logger.debug(f"Data channel established: {channel.label}") self.data_channels[body["webrtc_id"]] = channel async def set_channel(webrtc_id: str): - print("webrtc_id", webrtc_id) while not self.connections.get(webrtc_id): await asyncio.sleep(0.05) - print("setting channel") - self.connections[webrtc_id].channel = channel + logger.debug("setting channel for webrtc id %s", webrtc_id) + self.connections[webrtc_id].set_channel(channel) asyncio.create_task(set_channel(body["webrtc_id"])) diff --git a/demo/also_return_text.py b/demo/also_return_text.py new file mode 100644 index 0000000..85a682a --- /dev/null +++ b/demo/also_return_text.py @@ -0,0 +1,105 @@ +import logging +import os + +import gradio as gr +import numpy as np +from gradio_webrtc import AdditionalOutputs, WebRTC +from pydub import AudioSegment +from twilio.rest import Client + +# Configure the root logger to WARNING to suppress debug messages from other libraries +logging.basicConfig(level=logging.WARNING) + +# Create a console handler +console_handler = logging.FileHandler("gradio_webrtc.log") +console_handler.setLevel(logging.DEBUG) + +# Create a formatter +formatter = logging.Formatter("%(asctime)s - %(name)s - %(levelname)s - %(message)s") +console_handler.setFormatter(formatter) + +# Configure the logger for your specific library +logger = logging.getLogger("gradio_webrtc") +logger.setLevel(logging.DEBUG) +logger.addHandler(console_handler) + + +account_sid = os.environ.get("TWILIO_ACCOUNT_SID") +auth_token = os.environ.get("TWILIO_AUTH_TOKEN") + +if account_sid and auth_token: + client = Client(account_sid, auth_token) + + token = client.tokens.create() + + rtc_configuration = { + "iceServers": token.ice_servers, + "iceTransportPolicy": "relay", + } +else: + rtc_configuration = None + + +def generation(num_steps): + for i in range(num_steps): + segment = AudioSegment.from_file( + "/Users/freddy/sources/gradio/demo/scratch/audio-streaming/librispeech.mp3" + ) + yield ( + ( + segment.frame_rate, + np.array(segment.get_array_of_samples()).reshape(1, -1), + ), + AdditionalOutputs( + f"Hello, from step {i}!", + "/Users/freddy/sources/gradio/demo/scratch/audio-streaming/librispeech.mp3", + ), + ) + + +css = """.my-group {max-width: 600px !important; max-height: 600 !important;} + .my-column {display: flex !important; justify-content: center !important; align-items: center !important};""" + + +with gr.Blocks() as demo: + gr.HTML( + """ +

+ Audio Streaming (Powered by WebRTC ⚡️) +

+ """ + ) + with gr.Column(elem_classes=["my-column"]): + with gr.Group(elem_classes=["my-group"]): + audio = WebRTC( + label="Stream", + rtc_configuration=rtc_configuration, + mode="receive", + modality="audio", + ) + num_steps = gr.Slider( + label="Number of Steps", + minimum=1, + maximum=10, + step=1, + value=5, + ) + button = gr.Button("Generate") + textbox = gr.Textbox(placeholder="Output will appear here.") + audio_file = gr.Audio() + + audio.stream( + fn=generation, inputs=[num_steps], outputs=[audio], trigger=button.click + ) + audio.on_additional_outputs( + fn=lambda t, a: (f"State changed to {t}.", a), + outputs=[textbox, audio_file], + ) + + +if __name__ == "__main__": + demo.launch( + allowed_paths=[ + "/Users/freddy/sources/gradio/demo/scratch/audio-streaming/librispeech.mp3" + ] + ) diff --git a/demo/app.py b/demo/app.py index 6dfb4e4..378a8a5 100644 --- a/demo/app.py +++ b/demo/app.py @@ -1,27 +1,92 @@ - import os import gradio as gr -_docs = {'WebRTC': - {'description': 'Stream audio/video with WebRTC', - 'members': {'__init__': - { - 'rtc_configuration': {'type': 'dict[str, Any] | None', 'default': 'None', 'description': "The configration dictionary to pass to the RTCPeerConnection constructor. If None, the default configuration is used."}, - 'height': {'type': 'int | str | None', 'default': 'None', 'description': 'The height of the component, specified in pixels if a number is passed, or in CSS units if a string is passed. This has no effect on the preprocessed video file, but will affect the displayed video.'}, - 'width': {'type': 'int | str | None', 'default': 'None', 'description': 'The width of the component, specified in pixels if a number is passed, or in CSS units if a string is passed. This has no effect on the preprocessed video file, but will affect the displayed video.'}, - 'label': {'type': 'str | None', 'default': 'None', 'description': 'the label for this component. Appears above the component and is also used as the header if there are a table of examples for this component. If None and used in a `gr.Interface`, the label will be the name of the parameter this component is assigned to.'}, - 'show_label': {'type': 'bool | None', 'default': 'None', 'description': 'if True, will display label.'}, 'container': {'type': 'bool', 'default': 'True', 'description': 'if True, will place the component in a container - providing some extra padding around the border.'}, - 'scale': {'type': 'int | None', 'default': 'None', 'description': 'relative size compared to adjacent Components. For example if Components A and B are in a Row, and A has scale=2, and B has scale=1, A will be twice as wide as B. Should be an integer. scale applies in Rows, and to top-level Components in Blocks where fill_height=True.'}, - 'min_width': {'type': 'int', 'default': '160', 'description': 'minimum pixel width, will wrap if not sufficient screen space to satisfy this value. If a certain scale value results in this Component being narrower than min_width, the min_width parameter will be respected first.'}, - 'interactive': {'type': 'bool | None', 'default': 'None', 'description': 'if True, will allow users to upload a video; if False, can only be used to display videos. If not provided, this is inferred based on whether the component is used as an input or output.'}, 'visible': {'type': 'bool', 'default': 'True', 'description': 'if False, component will be hidden.'}, - 'elem_id': {'type': 'str | None', 'default': 'None', 'description': 'an optional string that is assigned as the id of this component in the HTML DOM. Can be used for targeting CSS styles.'}, - 'elem_classes': {'type': 'list[str] | str | None', 'default': 'None', 'description': 'an optional list of strings that are assigned as the classes of this component in the HTML DOM. Can be used for targeting CSS styles.'}, - 'render': {'type': 'bool', 'default': 'True', 'description': 'if False, component will not render be rendered in the Blocks context. Should be used if the intention is to assign event listeners now but render the component later.'}, - 'key': {'type': 'int | str | None', 'default': 'None', 'description': 'if assigned, will be used to assume identity across a re-render. Components that have the same key across a re-render will have their value preserved.'}, - 'mirror_webcam': {'type': 'bool', 'default': 'True', 'description': 'if True webcam will be mirrored. Default is True.'}, - }, - 'events': {'tick': {'type': None, 'default': None, 'description': ''}}}, '__meta__': {'additional_interfaces': {}, 'user_fn_refs': {'WebRTC': []}}} +_docs = { + "WebRTC": { + "description": "Stream audio/video with WebRTC", + "members": { + "__init__": { + "rtc_configuration": { + "type": "dict[str, Any] | None", + "default": "None", + "description": "The configration dictionary to pass to the RTCPeerConnection constructor. If None, the default configuration is used.", + }, + "height": { + "type": "int | str | None", + "default": "None", + "description": "The height of the component, specified in pixels if a number is passed, or in CSS units if a string is passed. This has no effect on the preprocessed video file, but will affect the displayed video.", + }, + "width": { + "type": "int | str | None", + "default": "None", + "description": "The width of the component, specified in pixels if a number is passed, or in CSS units if a string is passed. This has no effect on the preprocessed video file, but will affect the displayed video.", + }, + "label": { + "type": "str | None", + "default": "None", + "description": "the label for this component. Appears above the component and is also used as the header if there are a table of examples for this component. If None and used in a `gr.Interface`, the label will be the name of the parameter this component is assigned to.", + }, + "show_label": { + "type": "bool | None", + "default": "None", + "description": "if True, will display label.", + }, + "container": { + "type": "bool", + "default": "True", + "description": "if True, will place the component in a container - providing some extra padding around the border.", + }, + "scale": { + "type": "int | None", + "default": "None", + "description": "relative size compared to adjacent Components. For example if Components A and B are in a Row, and A has scale=2, and B has scale=1, A will be twice as wide as B. Should be an integer. scale applies in Rows, and to top-level Components in Blocks where fill_height=True.", + }, + "min_width": { + "type": "int", + "default": "160", + "description": "minimum pixel width, will wrap if not sufficient screen space to satisfy this value. If a certain scale value results in this Component being narrower than min_width, the min_width parameter will be respected first.", + }, + "interactive": { + "type": "bool | None", + "default": "None", + "description": "if True, will allow users to upload a video; if False, can only be used to display videos. If not provided, this is inferred based on whether the component is used as an input or output.", + }, + "visible": { + "type": "bool", + "default": "True", + "description": "if False, component will be hidden.", + }, + "elem_id": { + "type": "str | None", + "default": "None", + "description": "an optional string that is assigned as the id of this component in the HTML DOM. Can be used for targeting CSS styles.", + }, + "elem_classes": { + "type": "list[str] | str | None", + "default": "None", + "description": "an optional list of strings that are assigned as the classes of this component in the HTML DOM. Can be used for targeting CSS styles.", + }, + "render": { + "type": "bool", + "default": "True", + "description": "if False, component will not render be rendered in the Blocks context. Should be used if the intention is to assign event listeners now but render the component later.", + }, + "key": { + "type": "int | str | None", + "default": "None", + "description": "if assigned, will be used to assume identity across a re-render. Components that have the same key across a re-render will have their value preserved.", + }, + "mirror_webcam": { + "type": "bool", + "default": "True", + "description": "if True webcam will be mirrored. Default is True.", + }, + }, + "events": {"tick": {"type": None, "default": None, "description": ""}}, + }, + "__meta__": {"additional_interfaces": {}, "user_fn_refs": {"WebRTC": []}}, + } } @@ -37,16 +102,19 @@ with gr.Blocks( ), ) as demo: gr.Markdown( -""" + """

Gradio WebRTC ⚡️

Static Badge Static Badge
-""", elem_classes=["md-custom"], header_links=True) +""", + elem_classes=["md-custom"], + header_links=True, + ) gr.Markdown( -""" + """ ## Installation ```bash @@ -242,17 +310,24 @@ with gr.Blocks() as demo: rtc = WebRTC(rtc_configuration=rtc_configuration, ...) ... ``` -""", elem_classes=["md-custom"], header_links=True) +""", + elem_classes=["md-custom"], + header_links=True, + ) - - gr.Markdown(""" + gr.Markdown( + """ ## -""", elem_classes=["md-custom"], header_links=True) +""", + elem_classes=["md-custom"], + header_links=True, + ) gr.ParamViewer(value=_docs["WebRTC"]["members"]["__init__"], linkify=[]) - - demo.load(None, js=r"""function() { + demo.load( + None, + js=r"""function() { const refs = {}; const user_fn_refs = { WebRTC: [], }; @@ -286,6 +361,7 @@ with gr.Blocks() as demo: }) } -""") +""", + ) -demo.launch() \ No newline at end of file +demo.launch() diff --git a/demo/app_.py b/demo/app_.py new file mode 100644 index 0000000..378a8a5 --- /dev/null +++ b/demo/app_.py @@ -0,0 +1,367 @@ +import os + +import gradio as gr + +_docs = { + "WebRTC": { + "description": "Stream audio/video with WebRTC", + "members": { + "__init__": { + "rtc_configuration": { + "type": "dict[str, Any] | None", + "default": "None", + "description": "The configration dictionary to pass to the RTCPeerConnection constructor. If None, the default configuration is used.", + }, + "height": { + "type": "int | str | None", + "default": "None", + "description": "The height of the component, specified in pixels if a number is passed, or in CSS units if a string is passed. This has no effect on the preprocessed video file, but will affect the displayed video.", + }, + "width": { + "type": "int | str | None", + "default": "None", + "description": "The width of the component, specified in pixels if a number is passed, or in CSS units if a string is passed. This has no effect on the preprocessed video file, but will affect the displayed video.", + }, + "label": { + "type": "str | None", + "default": "None", + "description": "the label for this component. Appears above the component and is also used as the header if there are a table of examples for this component. If None and used in a `gr.Interface`, the label will be the name of the parameter this component is assigned to.", + }, + "show_label": { + "type": "bool | None", + "default": "None", + "description": "if True, will display label.", + }, + "container": { + "type": "bool", + "default": "True", + "description": "if True, will place the component in a container - providing some extra padding around the border.", + }, + "scale": { + "type": "int | None", + "default": "None", + "description": "relative size compared to adjacent Components. For example if Components A and B are in a Row, and A has scale=2, and B has scale=1, A will be twice as wide as B. Should be an integer. scale applies in Rows, and to top-level Components in Blocks where fill_height=True.", + }, + "min_width": { + "type": "int", + "default": "160", + "description": "minimum pixel width, will wrap if not sufficient screen space to satisfy this value. If a certain scale value results in this Component being narrower than min_width, the min_width parameter will be respected first.", + }, + "interactive": { + "type": "bool | None", + "default": "None", + "description": "if True, will allow users to upload a video; if False, can only be used to display videos. If not provided, this is inferred based on whether the component is used as an input or output.", + }, + "visible": { + "type": "bool", + "default": "True", + "description": "if False, component will be hidden.", + }, + "elem_id": { + "type": "str | None", + "default": "None", + "description": "an optional string that is assigned as the id of this component in the HTML DOM. Can be used for targeting CSS styles.", + }, + "elem_classes": { + "type": "list[str] | str | None", + "default": "None", + "description": "an optional list of strings that are assigned as the classes of this component in the HTML DOM. Can be used for targeting CSS styles.", + }, + "render": { + "type": "bool", + "default": "True", + "description": "if False, component will not render be rendered in the Blocks context. Should be used if the intention is to assign event listeners now but render the component later.", + }, + "key": { + "type": "int | str | None", + "default": "None", + "description": "if assigned, will be used to assume identity across a re-render. Components that have the same key across a re-render will have their value preserved.", + }, + "mirror_webcam": { + "type": "bool", + "default": "True", + "description": "if True webcam will be mirrored. Default is True.", + }, + }, + "events": {"tick": {"type": None, "default": None, "description": ""}}, + }, + "__meta__": {"additional_interfaces": {}, "user_fn_refs": {"WebRTC": []}}, + } +} + + +abs_path = os.path.join(os.path.dirname(__file__), "css.css") + +with gr.Blocks( + css_paths=abs_path, + theme=gr.themes.Default( + font_mono=[ + gr.themes.GoogleFont("Inconsolata"), + "monospace", + ], + ), +) as demo: + gr.Markdown( + """ +

Gradio WebRTC ⚡️

+ +
+Static Badge +Static Badge +
+""", + elem_classes=["md-custom"], + header_links=True, + ) + gr.Markdown( + """ +## Installation + +```bash +pip install gradio_webrtc +``` + +## Examples: +1. [Object Detection from Webcam with YOLOv10](https://huggingface.co/spaces/freddyaboulton/webrtc-yolov10n) 📷 +2. [Streaming Object Detection from Video with RT-DETR](https://huggingface.co/spaces/freddyaboulton/rt-detr-object-detection-webrtc) 🎥 +3. [Text-to-Speech](https://huggingface.co/spaces/freddyaboulton/parler-tts-streaming-webrtc) 🗣️ +4. [Conversational AI](https://huggingface.co/spaces/freddyaboulton/omni-mini-webrtc) 🤖🗣️ + +## Usage + +The WebRTC component supports the following three use cases: +1. [Streaming video from the user webcam to the server and back](#h-streaming-video-from-the-user-webcam-to-the-server-and-back) +2. [Streaming Video from the server to the client](#h-streaming-video-from-the-server-to-the-client) +3. [Streaming Audio from the server to the client](#h-streaming-audio-from-the-server-to-the-client) +4. [Streaming Audio from the client to the server and back (conversational AI)](#h-conversational-ai) + + +## Streaming Video from the User Webcam to the Server and Back + +```python +import gradio as gr +from gradio_webrtc import WebRTC + + +def detection(image, conf_threshold=0.3): + ... your detection code here ... + + +with gr.Blocks() as demo: + image = WebRTC(label="Stream", mode="send-receive", modality="video") + conf_threshold = gr.Slider( + label="Confidence Threshold", + minimum=0.0, + maximum=1.0, + step=0.05, + value=0.30, + ) + image.stream( + fn=detection, + inputs=[image, conf_threshold], + outputs=[image], time_limit=10 + ) + +if __name__ == "__main__": + demo.launch() + +``` +* Set the `mode` parameter to `send-receive` and `modality` to "video". +* The `stream` event's `fn` parameter is a function that receives the next frame from the webcam +as a **numpy array** and returns the processed frame also as a **numpy array**. +* Numpy arrays are in (height, width, 3) format where the color channels are in RGB format. +* The `inputs` parameter should be a list where the first element is the WebRTC component. The only output allowed is the WebRTC component. +* The `time_limit` parameter is the maximum time in seconds the video stream will run. If the time limit is reached, the video stream will stop. + +## Streaming Video from the server to the client + +```python +import gradio as gr +from gradio_webrtc import WebRTC +import cv2 + +def generation(): + url = "https://download.tsi.telecom-paristech.fr/gpac/dataset/dash/uhd/mux_sources/hevcds_720p30_2M.mp4" + cap = cv2.VideoCapture(url) + iterating = True + while iterating: + iterating, frame = cap.read() + yield frame + +with gr.Blocks() as demo: + output_video = WebRTC(label="Video Stream", mode="receive", modality="video") + button = gr.Button("Start", variant="primary") + output_video.stream( + fn=generation, inputs=None, outputs=[output_video], + trigger=button.click + ) + +if __name__ == "__main__": + demo.launch() +``` + +* Set the "mode" parameter to "receive" and "modality" to "video". +* The `stream` event's `fn` parameter is a generator function that yields the next frame from the video as a **numpy array**. +* The only output allowed is the WebRTC component. +* The `trigger` parameter the gradio event that will trigger the webrtc connection. In this case, the button click event. + +## Streaming Audio from the Server to the Client + +```python +import gradio as gr +from pydub import AudioSegment + +def generation(num_steps): + for _ in range(num_steps): + segment = AudioSegment.from_file("/Users/freddy/sources/gradio/demo/audio_debugger/cantina.wav") + yield (segment.frame_rate, np.array(segment.get_array_of_samples()).reshape(1, -1)) + +with gr.Blocks() as demo: + audio = WebRTC(label="Stream", mode="receive", modality="audio") + num_steps = gr.Slider( + label="Number of Steps", + minimum=1, + maximum=10, + step=1, + value=5, + ) + button = gr.Button("Generate") + + audio.stream( + fn=generation, inputs=[num_steps], outputs=[audio], + trigger=button.click + ) +``` + +* Set the "mode" parameter to "receive" and "modality" to "audio". +* The `stream` event's `fn` parameter is a generator function that yields the next audio segment as a tuple of (frame_rate, audio_samples). +* The numpy array should be of shape (1, num_samples). +* The `outputs` parameter should be a list with the WebRTC component as the only element. + +## Conversational AI + +```python +import gradio as gr +import numpy as np +from gradio_webrtc import WebRTC, StreamHandler +from queue import Queue +import time + + +class EchoHandler(StreamHandler): + def __init__(self) -> None: + super().__init__() + self.queue = Queue() + + def receive(self, frame: tuple[int, np.ndarray] | np.ndarray) -> None: + self.queue.put(frame) + + def emit(self) -> None: + return self.queue.get() + + +with gr.Blocks() as demo: + with gr.Column(): + with gr.Group(): + audio = WebRTC( + label="Stream", + rtc_configuration=None, + mode="send-receive", + modality="audio", + ) + + audio.stream(fn=EchoHandler(), inputs=[audio], outputs=[audio], time_limit=15) + + +if __name__ == "__main__": + demo.launch() +``` + +* Instead of passing a function to the `stream` event's `fn` parameter, pass a `StreamHandler` implementation. The `StreamHandler` above simply echoes the audio back to the client. +* The `StreamHandler` class has two methods: `receive` and `emit`. The `receive` method is called when a new frame is received from the client, and the `emit` method returns the next frame to send to the client. +* An audio frame is represented as a tuple of (frame_rate, audio_samples) where `audio_samples` is a numpy array of shape (num_channels, num_samples). +* You can also specify the audio layout ("mono" or "stereo") in the emit method by retuning it as the third element of the tuple. If not specified, the default is "mono". +* The `time_limit` parameter is the maximum time in seconds the conversation will run. If the time limit is reached, the audio stream will stop. +* The `emit` method SHOULD NOT block. If a frame is not ready to be sent, the method should return None. + +## Deployment + +When deploying in a cloud environment (like Hugging Face Spaces, EC2, etc), you need to set up a TURN server to relay the WebRTC traffic. +The easiest way to do this is to use a service like Twilio. + +```python +from twilio.rest import Client +import os + +account_sid = os.environ.get("TWILIO_ACCOUNT_SID") +auth_token = os.environ.get("TWILIO_AUTH_TOKEN") + +client = Client(account_sid, auth_token) + +token = client.tokens.create() + +rtc_configuration = { + "iceServers": token.ice_servers, + "iceTransportPolicy": "relay", +} + +with gr.Blocks() as demo: + ... + rtc = WebRTC(rtc_configuration=rtc_configuration, ...) + ... +``` +""", + elem_classes=["md-custom"], + header_links=True, + ) + + gr.Markdown( + """ +## +""", + elem_classes=["md-custom"], + header_links=True, + ) + + gr.ParamViewer(value=_docs["WebRTC"]["members"]["__init__"], linkify=[]) + + demo.load( + None, + js=r"""function() { + const refs = {}; + const user_fn_refs = { + WebRTC: [], }; + requestAnimationFrame(() => { + + Object.entries(user_fn_refs).forEach(([key, refs]) => { + if (refs.length > 0) { + const el = document.querySelector(`.${key}-user-fn`); + if (!el) return; + refs.forEach(ref => { + el.innerHTML = el.innerHTML.replace( + new RegExp("\\b"+ref+"\\b", "g"), + `${ref}` + ); + }) + } + }) + + Object.entries(refs).forEach(([key, refs]) => { + if (refs.length > 0) { + const el = document.querySelector(`.${key}`); + if (!el) return; + refs.forEach(ref => { + el.innerHTML = el.innerHTML.replace( + new RegExp("\\b"+ref+"\\b", "g"), + `${ref}` + ); + }) + } + }) + }) +} + +""", + ) + +demo.launch() diff --git a/demo/audio_out.py b/demo/audio_out.py index 879ba67..72dffc2 100644 --- a/demo/audio_out.py +++ b/demo/audio_out.py @@ -21,8 +21,6 @@ if account_sid and auth_token: else: rtc_configuration = None -import time - def generation(num_steps): for _ in range(num_steps): @@ -34,6 +32,7 @@ def generation(num_steps): np.array(segment.get_array_of_samples()).reshape(1, -1), ) + css = """.my-group {max-width: 600px !important; max-height: 600 !important;} .my-column {display: flex !important; justify-content: center !important; align-items: center !important};""" diff --git a/demo/audio_out_2.py b/demo/audio_out_2.py index 8a8238f..eda279f 100644 --- a/demo/audio_out_2.py +++ b/demo/audio_out_2.py @@ -1,4 +1,5 @@ import os +import time import gradio as gr import numpy as np @@ -21,8 +22,6 @@ if account_sid and auth_token: else: rtc_configuration = None -import time - def generation(num_steps): for _ in range(num_steps): diff --git a/demo/docs.py b/demo/docs.py new file mode 100644 index 0000000..dde0b2e --- /dev/null +++ b/demo/docs.py @@ -0,0 +1,99 @@ +_docs = { + "WebRTC": { + "description": "Stream audio/video with WebRTC", + "members": { + "__init__": { + "rtc_configuration": { + "type": "dict[str, Any] | None", + "default": "None", + "description": "The configration dictionary to pass to the RTCPeerConnection constructor. If None, the default configuration is used.", + }, + "height": { + "type": "int | str | None", + "default": "None", + "description": "The height of the component, specified in pixels if a number is passed, or in CSS units if a string is passed. This has no effect on the preprocessed video file, but will affect the displayed video.", + }, + "width": { + "type": "int | str | None", + "default": "None", + "description": "The width of the component, specified in pixels if a number is passed, or in CSS units if a string is passed. This has no effect on the preprocessed video file, but will affect the displayed video.", + }, + "label": { + "type": "str | None", + "default": "None", + "description": "the label for this component. Appears above the component and is also used as the header if there are a table of examples for this component. If None and used in a `gr.Interface`, the label will be the name of the parameter this component is assigned to.", + }, + "show_label": { + "type": "bool | None", + "default": "None", + "description": "if True, will display label.", + }, + "container": { + "type": "bool", + "default": "True", + "description": "if True, will place the component in a container - providing some extra padding around the border.", + }, + "scale": { + "type": "int | None", + "default": "None", + "description": "relative size compared to adjacent Components. For example if Components A and B are in a Row, and A has scale=2, and B has scale=1, A will be twice as wide as B. Should be an integer. scale applies in Rows, and to top-level Components in Blocks where fill_height=True.", + }, + "min_width": { + "type": "int", + "default": "160", + "description": "minimum pixel width, will wrap if not sufficient screen space to satisfy this value. If a certain scale value results in this Component being narrower than min_width, the min_width parameter will be respected first.", + }, + "interactive": { + "type": "bool | None", + "default": "None", + "description": "if True, will allow users to upload a video; if False, can only be used to display videos. If not provided, this is inferred based on whether the component is used as an input or output.", + }, + "visible": { + "type": "bool", + "default": "True", + "description": "if False, component will be hidden.", + }, + "elem_id": { + "type": "str | None", + "default": "None", + "description": "an optional string that is assigned as the id of this component in the HTML DOM. Can be used for targeting CSS styles.", + }, + "elem_classes": { + "type": "list[str] | str | None", + "default": "None", + "description": "an optional list of strings that are assigned as the classes of this component in the HTML DOM. Can be used for targeting CSS styles.", + }, + "render": { + "type": "bool", + "default": "True", + "description": "if False, component will not render be rendered in the Blocks context. Should be used if the intention is to assign event listeners now but render the component later.", + }, + "key": { + "type": "int | str | None", + "default": "None", + "description": "if assigned, will be used to assume identity across a re-render. Components that have the same key across a re-render will have their value preserved.", + }, + "mirror_webcam": { + "type": "bool", + "default": "True", + "description": "if True webcam will be mirrored. Default is True.", + }, + "postprocess": { + "value": { + "type": "typing.Any", + "description": "Expects a {str} or {pathlib.Path} filepath to a video which is displayed, or a {Tuple[str | pathlib.Path, str | pathlib.Path | None]} where the first element is a filepath to a video and the second element is an optional filepath to a subtitle file.", + } + }, + "preprocess": { + "return": { + "type": "str", + "description": "Passes the uploaded video as a `str` filepath or URL whose extension can be modified by `format`.", + }, + "value": None, + }, + }, + "events": {"tick": {"type": None, "default": None, "description": ""}}, + }, + "__meta__": {"additional_interfaces": {}, "user_fn_refs": {"WebRTC": []}}, + } +} diff --git a/demo/echo_conversation.py b/demo/echo_conversation.py index 7a8879d..be58de7 100644 --- a/demo/echo_conversation.py +++ b/demo/echo_conversation.py @@ -1,4 +1,9 @@ import logging +from queue import Queue + +import gradio as gr +import numpy as np +from gradio_webrtc import StreamHandler, WebRTC # Configure the root logger to WARNING to suppress debug messages from other libraries logging.basicConfig(level=logging.WARNING) @@ -17,14 +22,6 @@ logger.setLevel(logging.DEBUG) logger.addHandler(console_handler) -import time -from queue import Queue - -import gradio as gr -import numpy as np -from gradio_webrtc import StreamHandler, WebRTC - - class EchoHandler(StreamHandler): def __init__(self) -> None: super().__init__() @@ -35,7 +32,7 @@ class EchoHandler(StreamHandler): def emit(self) -> None: return self.queue.get() - + def copy(self) -> StreamHandler: return EchoHandler() diff --git a/demo/old_app.py b/demo/old_app.py new file mode 100644 index 0000000..fe697b0 --- /dev/null +++ b/demo/old_app.py @@ -0,0 +1,74 @@ +import os + +import cv2 +import gradio as gr +from gradio_webrtc import WebRTC +from huggingface_hub import hf_hub_download +from inference import YOLOv10 +from twilio.rest import Client + +model_file = hf_hub_download( + repo_id="onnx-community/yolov10n", filename="onnx/model.onnx" +) + +model = YOLOv10(model_file) + +account_sid = os.environ.get("TWILIO_ACCOUNT_SID") +auth_token = os.environ.get("TWILIO_AUTH_TOKEN") + +if account_sid and auth_token: + client = Client(account_sid, auth_token) + + token = client.tokens.create() + + rtc_configuration = { + "iceServers": token.ice_servers, + "iceTransportPolicy": "relay", + } +else: + rtc_configuration = None + + +def detection(frame, conf_threshold=0.3): + frame = cv2.flip(frame, 0) + return cv2.cvtColor(frame, cv2.COLOR_BGR2RGB) + + +css = """.my-group {max-width: 600px !important; max-height: 600 !important;} + .my-column {display: flex !important; justify-content: center !important; align-items: center !important};""" + + +with gr.Blocks(css=css) as demo: + gr.HTML( + """ +

+ YOLOv10 Webcam Stream (Powered by WebRTC ⚡️) +

+ """ + ) + gr.HTML( + """ +

+ arXiv | github +

+ """ + ) + with gr.Column(elem_classes=["my-column"]): + with gr.Group(elem_classes=["my-group"]): + image = WebRTC(label="Stream", rtc_configuration=rtc_configuration) + conf_threshold = gr.Slider( + label="Confidence Threshold", + minimum=0.0, + maximum=1.0, + step=0.05, + value=0.30, + ) + number = gr.Number() + + image.stream( + fn=detection, inputs=[image, conf_threshold], outputs=[image], time_limit=10 + ) + image.on_additional_outputs(lambda n: n, outputs=[number]) + +if __name__ == "__main__": + demo.launch() diff --git a/demo/stream_whisper.py b/demo/stream_whisper.py new file mode 100644 index 0000000..a92ccd6 --- /dev/null +++ b/demo/stream_whisper.py @@ -0,0 +1,67 @@ +import logging +import tempfile + +import gradio as gr +import numpy as np +from dotenv import load_dotenv +from gradio_webrtc import AdditionalOutputs, ReplyOnPause, WebRTC +from openai import OpenAI +from pydub import AudioSegment + +load_dotenv() + + +# Configure the root logger to WARNING to suppress debug messages from other libraries +logging.basicConfig(level=logging.WARNING) + +# Create a console handler +console_handler = logging.StreamHandler() +console_handler.setLevel(logging.DEBUG) + +# Create a formatter +formatter = logging.Formatter("%(name)s - %(levelname)s - %(message)s") +console_handler.setFormatter(formatter) + +# Configure the logger for your specific library +logger = logging.getLogger("gradio_webrtc") +logger.setLevel(logging.DEBUG) +logger.addHandler(console_handler) + + +client = OpenAI() + + +def transcribe(audio: tuple[int, np.ndarray], transcript: list[dict]): + segment = AudioSegment( + audio[1].tobytes(), + frame_rate=audio[0], + sample_width=audio[1].dtype.itemsize, + channels=1, + ) + + with tempfile.NamedTemporaryFile(suffix=".mp3") as temp_audio: + segment.export(temp_audio.name, format="mp3") + next_chunk = client.audio.transcriptions.create( + model="whisper-1", file=open(temp_audio.name, "rb") + ).text + transcript.append({"role": "user", "content": next_chunk}) + yield AdditionalOutputs(transcript) + + +with gr.Blocks() as demo: + with gr.Row(): + with gr.Column(): + audio = WebRTC( + label="Stream", + mode="send", + modality="audio", + ) + with gr.Column(): + transcript = gr.Chatbot(label="transcript", type="messages") + + audio.stream(ReplyOnPause(transcribe), inputs=[audio, transcript], outputs=[audio], + time_limit=30) + audio.on_additional_outputs(lambda s: s, outputs=transcript) + +if __name__ == "__main__": + demo.launch() diff --git a/demo/video_send_output.py b/demo/video_send_output.py new file mode 100644 index 0000000..5f583c9 --- /dev/null +++ b/demo/video_send_output.py @@ -0,0 +1,97 @@ +import logging +import os +import random + +import cv2 +import gradio as gr +from gradio_webrtc import AdditionalOutputs, WebRTC +from huggingface_hub import hf_hub_download +from inference import YOLOv10 +from twilio.rest import Client + +# Configure the root logger to WARNING to suppress debug messages from other libraries +logging.basicConfig(level=logging.WARNING) + +# Create a console handler +console_handler = logging.FileHandler("gradio_webrtc.log") +console_handler.setLevel(logging.DEBUG) + +# Create a formatter +formatter = logging.Formatter("%(asctime)s - %(name)s - %(levelname)s - %(message)s") +console_handler.setFormatter(formatter) + +# Configure the logger for your specific library +logger = logging.getLogger("gradio_webrtc") +logger.setLevel(logging.DEBUG) +logger.addHandler(console_handler) + + +model_file = hf_hub_download( + repo_id="onnx-community/yolov10n", filename="onnx/model.onnx" +) + +model = YOLOv10(model_file) + +account_sid = os.environ.get("TWILIO_ACCOUNT_SID") +auth_token = os.environ.get("TWILIO_AUTH_TOKEN") + +if account_sid and auth_token: + client = Client(account_sid, auth_token) + + token = client.tokens.create() + + rtc_configuration = { + "iceServers": token.ice_servers, + "iceTransportPolicy": "relay", + } +else: + rtc_configuration = None + + +def detection(frame, conf_threshold=0.3): + frame = cv2.flip(frame, 0) + global count + if random.random() > 0.98: + return AdditionalOutputs(count) + count += 1 + + +css = """.my-group {max-width: 600px !important; max-height: 600 !important;} + .my-column {display: flex !important; justify-content: center !important; align-items: center !important};""" + + +with gr.Blocks(css=css) as demo: + gr.HTML( + """ +

+ YOLOv10 Webcam Stream (Powered by WebRTC ⚡️) +

+ """ + ) + gr.HTML( + """ +

+ arXiv | github +

+ """ + ) + with gr.Column(elem_classes=["my-column"]): + with gr.Group(elem_classes=["my-group"]): + image = WebRTC( + label="Stream", rtc_configuration=rtc_configuration, mode="send" + ) + conf_threshold = gr.Slider( + label="Confidence Threshold", + minimum=0.0, + maximum=1.0, + step=0.05, + value=0.30, + ) + number = gr.Number() + + image.stream( + fn=detection, inputs=[image, conf_threshold], outputs=[image], time_limit=10 + ) + image.change(lambda n: n, outputs=[number]) + +demo.launch() diff --git a/frontend/Index.svelte b/frontend/Index.svelte index 2ea0362..0bf4069 100644 --- a/frontend/Index.svelte +++ b/frontend/Index.svelte @@ -31,11 +31,11 @@ export let rtc_configuration: Object; export let time_limit: number | null = null; export let modality: "video" | "audio" = "video"; - export let mode: "send-receive" | "receive" = "send-receive"; + export let mode: "send-receive" | "receive" | "send" = "send-receive"; export let track_constraints: MediaTrackConstraints = {}; - const on_change_cb = () => { - gradio.dispatch("state_change"); + const on_change_cb = (msg: "change" | "tick") => { + gradio.dispatch(msg === "change" ? "state_change" : "tick"); } let dragging = false; @@ -87,7 +87,7 @@ on:tick={() => gradio.dispatch("tick")} on:error={({ detail }) => gradio.dispatch("error", detail)} /> - {:else if mode === "send-receive" && modality === "video"} + {:else if (mode === "send-receive" || mode == "send") && modality === "video"} - {:else if mode === "send-receive" && modality === "audio"} + {:else if (mode === "send-receive" || mode === "send") && modality === "audio"} gradio.dispatch("tick")} on:error={({ detail }) => gradio.dispatch("error", detail)} diff --git a/frontend/gradio.config.js b/frontend/gradio.config.js index 19f8f32..c096bf5 100644 --- a/frontend/gradio.config.js +++ b/frontend/gradio.config.js @@ -6,4 +6,4 @@ export default { build: { target: "modules", }, -}; \ No newline at end of file +}; diff --git a/frontend/package-lock.json b/frontend/package-lock.json index bd606ac..27915b3 100644 --- a/frontend/package-lock.json +++ b/frontend/package-lock.json @@ -24,7 +24,8 @@ "mrmime": "^2.0.0" }, "devDependencies": { - "@gradio/preview": "0.12.0" + "@gradio/preview": "0.12.0", + "prettier": "3.3.3" }, "peerDependencies": { "svelte": "^4.0.0" @@ -4112,6 +4113,21 @@ "node": "^10 || ^12 || >=14" } }, + "node_modules/prettier": { + "version": "3.3.3", + "resolved": "https://registry.npmjs.org/prettier/-/prettier-3.3.3.tgz", + "integrity": "sha512-i2tDNA0O5IrMO757lfrdQZCc2jPNDVntV0m/+4whiDfWaTKfMNgR7Qz0NAeGz/nRqF4m5/6CLzbP4/liHt12Ew==", + "dev": true, + "bin": { + "prettier": "bin/prettier.cjs" + }, + "engines": { + "node": ">=14" + }, + "funding": { + "url": "https://github.com/prettier/prettier?sponsor=1" + } + }, "node_modules/prismjs": { "version": "1.29.0", "resolved": "https://registry.npmjs.org/prismjs/-/prismjs-1.29.0.tgz", diff --git a/frontend/package.json b/frontend/package.json index ea8bc24..616a7db 100644 --- a/frontend/package.json +++ b/frontend/package.json @@ -22,7 +22,8 @@ "mrmime": "^2.0.0" }, "devDependencies": { - "@gradio/preview": "0.12.0" + "@gradio/preview": "0.12.0", + "prettier": "3.3.3" }, "exports": { "./package.json": "./package.json", diff --git a/frontend/shared/AudioWave.svelte b/frontend/shared/AudioWave.svelte index 1821817..bd76e9e 100644 --- a/frontend/shared/AudioWave.svelte +++ b/frontend/shared/AudioWave.svelte @@ -3,13 +3,12 @@ export let numBars = 16; export let stream_state: "open" | "closed" | "waiting" = "closed"; - export let audio_source: HTMLAudioElement; + export let audio_source_callback: () => MediaStream; let audioContext: AudioContext; let analyser: AnalyserNode; let dataArray: Uint8Array; let animationId: number; - let is_muted = false; $: containerWidth = `calc((var(--boxSize) + var(--gutter)) * ${numBars})`; @@ -27,7 +26,7 @@ function setupAudioContext() { audioContext = new (window.AudioContext || window.webkitAudioContext)(); analyser = audioContext.createAnalyser(); - const source = audioContext.createMediaStreamSource(audio_source.srcObject); + const source = audioContext.createMediaStreamSource(audio_source_callback()); // Only connect to analyser, not to destination source.connect(analyser); diff --git a/frontend/shared/InteractiveAudio.svelte b/frontend/shared/InteractiveAudio.svelte index e79cf82..aec2899 100644 --- a/frontend/shared/InteractiveAudio.svelte +++ b/frontend/shared/InteractiveAudio.svelte @@ -5,19 +5,25 @@ import type { I18nFormatter } from "@gradio/utils"; import { createEventDispatcher } from "svelte"; import { onMount } from "svelte"; + import { fade } from "svelte/transition"; import { StreamingBar } from "@gradio/statustracker"; import { Circle, Square, Spinner, - Music + Music, + DropdownArrow, + Microphone } from "@gradio/icons"; import { start, stop } from "./webrtc_utils"; + import { get_devices, set_available_devices } from "./stream_utils"; import AudioWave from "./AudioWave.svelte"; + import WebcamPermissions from "./WebcamPermissions.svelte"; + export let mode: "send-receive" | "send"; export let value: string | null = null; export let label: string | undefined = undefined; export let show_label = true; @@ -25,7 +31,9 @@ export let i18n: I18nFormatter; export let time_limit: number | null = null; export let track_constraints: MediaTrackConstraints = {}; - export let on_change_cb: () => void; + export let on_change_cb: (mg: "tick" | "change") => void; + + let options_open = false; let _time_limit: number | null = null; @@ -37,6 +45,16 @@ let audio_player: HTMLAudioElement; let pc: RTCPeerConnection; let _webrtc_id = null; + let stream: MediaStream; + let available_audio_devices: MediaDeviceInfo[]; + let selected_device: MediaDeviceInfo | null = null; + let mic_accessed = false; + + const audio_source_callback = () => { + console.log("stream in callback", stream); + if(mode==="send") return stream; + else return audio_player.srcObject as MediaStream + } const dispatch = createEventDispatcher<{ @@ -48,22 +66,41 @@ }>(); - - - onMount(() => { - window.setInterval(() => { - if (stream_state == "open") { - dispatch("tick"); + async function access_mic(): Promise { + + try { + const constraints = selected_device ? { deviceId: { exact: selected_device.deviceId }, ...track_constraints } : track_constraints; + const stream_ = await navigator.mediaDevices.getUserMedia({ audio: constraints }); + stream = stream_; + } catch (err) { + if (!navigator.mediaDevices) { + dispatch("error", i18n("audio.no_device_support")); + return; } - }, 1000); + if (err instanceof DOMException && err.name == "NotAllowedError") { + dispatch("error", i18n("audio.allow_recording_access")); + return; + } + throw err; } - ) + available_audio_devices = set_available_devices(await get_devices(), "audioinput"); + mic_accessed = true; + const used_devices = stream + .getTracks() + .map((track) => track.getSettings()?.deviceId)[0]; + + selected_device = used_devices + ? available_audio_devices.find((device) => device.deviceId === used_devices) || + available_audio_devices[0] + : available_audio_devices[0]; + } async function start_stream(): Promise { if( stream_state === "open"){ stop(pc); stream_state = "closed"; _time_limit = null; + await access_mic(); return; } _webrtc_id = Math.random().toString(36).substring(2); @@ -89,10 +126,10 @@ } ) stream_state = "waiting" - let stream = null + stream = null try { - stream = await navigator.mediaDevices.getUserMedia({ audio: track_constraints }); + await access_mic(); } catch (err) { if (!navigator.mediaDevices) { dispatch("error", i18n("audio.no_device_support")); @@ -106,13 +143,51 @@ } if (stream == null) return; - start(stream, pc, audio_player, server.offer, _webrtc_id, "audio", on_change_cb).then((connection) => { + start(stream, pc, mode === "send" ? null: audio_player, server.offer, _webrtc_id, "audio", on_change_cb).then((connection) => { pc = connection; }).catch(() => { console.info("catching") dispatch("error", "Too many concurrent users. Come back later!"); }); } + + function handle_click_outside(event: MouseEvent): void { + event.preventDefault(); + event.stopPropagation(); + options_open = false; + } + + function click_outside(node: Node, cb: any): any { + const handle_click = (event: MouseEvent): void => { + if ( + node && + !node.contains(event.target as Node) && + !event.defaultPrevented + ) { + cb(event); + } + }; + + document.addEventListener("click", handle_click, true); + + return { + destroy() { + document.removeEventListener("click", handle_click, true); + } + }; + } + + const handle_device_change = async (event: InputEvent): Promise => { + const target = event.target as HTMLInputElement; + const device_id = target.value; + + stream = await navigator.mediaDevices.getUserMedia({ audio: {deviceId: { exact: device_id }, ...track_constraints }}); + selected_device = + available_audio_devices.find( + (device) => device.deviceId === device_id + ) || null; + options_open = false; + }; @@ -133,37 +208,83 @@ on:ended={() => dispatch("stop")} on:play={() => dispatch("play")} /> - - -
-
- {:else if stream_state === "open"} -
-
- + {:else if stream_state === "open"} +
+
+ +
+ {i18n("audio.stop")}
- {i18n("audio.stop")} -
- {:else} -
-
- + {:else} +
+
+ +
+ {i18n("audio.record")}
- {i18n("audio.record")} -
+ {/if} + + {#if stream_state === "closed"} + {/if} - -
+ {#if options_open && selected_device} + + {/if} +
+ {/if} \ No newline at end of file diff --git a/frontend/shared/InteractiveVideo.svelte b/frontend/shared/InteractiveVideo.svelte index 1971c97..512c721 100644 --- a/frontend/shared/InteractiveVideo.svelte +++ b/frontend/shared/InteractiveVideo.svelte @@ -21,7 +21,8 @@ }; export let rtc_configuration: Object; export let track_constraints: MediaTrackConstraints = {}; - export let on_change_cb: () => void; + export let mode: "send" | "send-receive"; + export let on_change_cb: (msg: "change" | "tick") => void; const dispatch = createEventDispatcher<{ change: FileData | null; @@ -51,6 +52,7 @@ {include_audio} {time_limit} {track_constraints} + {mode} {on_change_cb} on:error on:start_recording diff --git a/frontend/shared/StaticAudio.svelte b/frontend/shared/StaticAudio.svelte index d2155e4..7d9b4e5 100644 --- a/frontend/shared/StaticAudio.svelte +++ b/frontend/shared/StaticAudio.svelte @@ -17,7 +17,7 @@ export let show_label = true; export let rtc_configuration: Object | null = null; export let i18n: I18nFormatter; - export let on_change_cb: () => void; + export let on_change_cb: (msg: "change" | "tick") => void; export let server: { offer: (body: any) => Promise; @@ -103,7 +103,7 @@ /> {#if value !== "__webrtc_value__"}
- + audio_player.srcObject} {stream_state}/>
{/if} {#if value === "__webrtc_value__"} diff --git a/frontend/shared/StaticVideo.svelte b/frontend/shared/StaticVideo.svelte index cb1c14b..8f23699 100644 --- a/frontend/shared/StaticVideo.svelte +++ b/frontend/shared/StaticVideo.svelte @@ -13,7 +13,7 @@ export let label: string | undefined = undefined; export let show_label = true; export let rtc_configuration: Object | null = null; - export let on_change_cb: () => void; + export let on_change_cb: (msg: "change" | "tick") => void; export let server: { offer: (body: any) => Promise; }; diff --git a/frontend/shared/Webcam.svelte b/frontend/shared/Webcam.svelte index 59f81f2..6af0f65 100644 --- a/frontend/shared/Webcam.svelte +++ b/frontend/shared/Webcam.svelte @@ -24,9 +24,12 @@ let _time_limit: number | null = null; export let time_limit: number | null = null; let stream_state: "open" | "waiting" | "closed" = "closed"; - export let on_change_cb: () => void; + export let on_change_cb: (msg: "tick" | "change") => void; + export let mode: "send-receive" | "send"; const _webrtc_id = Math.random().toString(36).substring(2); + console.log("mode", mode); + export const modify_stream: (state: "open" | "closed" | "waiting") => void = ( state: "open" | "closed" | "waiting" ) => { @@ -131,6 +134,7 @@ case "disconnected": stream_state = "closed"; _time_limit = null; + stop(pc); await access_webcam(); break; default: @@ -140,7 +144,7 @@ ) stream_state = "waiting" webrtc_id = Math.random().toString(36).substring(2); - start(stream, pc, video_source, server.offer, webrtc_id, "video", on_change_cb).then((connection) => { + start(stream, pc, mode === "send" ? null: video_source, server.offer, webrtc_id, "video", on_change_cb).then((connection) => { pc = connection; }).catch(() => { console.info("catching") diff --git a/frontend/shared/WebcamPermissions.svelte b/frontend/shared/WebcamPermissions.svelte index f9bd28e..287d4ee 100644 --- a/frontend/shared/WebcamPermissions.svelte +++ b/frontend/shared/WebcamPermissions.svelte @@ -2,6 +2,9 @@ import { Webcam } from "@gradio/icons"; import { createEventDispatcher } from "svelte"; + export let icon = Webcam; + $: text = icon === Webcam ? "Click to Access Webcam" : "Click to Access Microphone"; + const dispatch = createEventDispatcher<{ click: undefined; }>(); @@ -10,9 +13,9 @@ diff --git a/frontend/shared/stream_utils.ts b/frontend/shared/stream_utils.ts index ce51233..b603fa2 100644 --- a/frontend/shared/stream_utils.ts +++ b/frontend/shared/stream_utils.ts @@ -1,50 +1,53 @@ export function get_devices(): Promise { - return navigator.mediaDevices.enumerateDevices(); + return navigator.mediaDevices.enumerateDevices(); } export function handle_error(error: string): void { - throw new Error(error); + throw new Error(error); } export function set_local_stream( - local_stream: MediaStream | null, - video_source: HTMLVideoElement + local_stream: MediaStream | null, + video_source: HTMLVideoElement, ): void { - video_source.srcObject = local_stream; - video_source.muted = true; - video_source.play(); + video_source.srcObject = local_stream; + video_source.muted = true; + video_source.play(); } export async function get_video_stream( - include_audio: boolean, - video_source: HTMLVideoElement, - device_id?: string, - track_constraints?: MediaTrackConstraints, + include_audio: boolean, + video_source: HTMLVideoElement, + device_id?: string, + track_constraints?: MediaTrackConstraints, ): Promise { - const fallback_constraints = track_constraints || { - width: { ideal: 500 }, - height: { ideal: 500 } - }; + const fallback_constraints = track_constraints || { + width: { ideal: 500 }, + height: { ideal: 500 }, + }; - const constraints = { - video: device_id ? { deviceId: { exact: device_id }, ...fallback_constraints } : fallback_constraints, - audio: include_audio - }; + const constraints = { + video: device_id + ? { deviceId: { exact: device_id }, ...fallback_constraints } + : fallback_constraints, + audio: include_audio, + }; - return navigator.mediaDevices - .getUserMedia(constraints) - .then((local_stream: MediaStream) => { - set_local_stream(local_stream, video_source); - return local_stream; - }); + return navigator.mediaDevices + .getUserMedia(constraints) + .then((local_stream: MediaStream) => { + set_local_stream(local_stream, video_source); + return local_stream; + }); } export function set_available_devices( - devices: MediaDeviceInfo[] + devices: MediaDeviceInfo[], + kind: "videoinput" | "audioinput" = "videoinput", ): MediaDeviceInfo[] { - const cameras = devices.filter( - (device: MediaDeviceInfo) => device.kind === "videoinput" - ); + const cameras = devices.filter( + (device: MediaDeviceInfo) => device.kind === kind, + ); - return cameras; -} \ No newline at end of file + return cameras; +} diff --git a/frontend/shared/utils.ts b/frontend/shared/utils.ts index 89a85de..45946ca 100644 --- a/frontend/shared/utils.ts +++ b/frontend/shared/utils.ts @@ -3,144 +3,144 @@ import { FFmpeg } from "@ffmpeg/ffmpeg"; import { lookup } from "mrmime"; export const prettyBytes = (bytes: number): string => { - let units = ["B", "KB", "MB", "GB", "PB"]; - let i = 0; - while (bytes > 1024) { - bytes /= 1024; - i++; - } - let unit = units[i]; - return bytes.toFixed(1) + " " + unit; + let units = ["B", "KB", "MB", "GB", "PB"]; + let i = 0; + while (bytes > 1024) { + bytes /= 1024; + i++; + } + let unit = units[i]; + return bytes.toFixed(1) + " " + unit; }; export const playable = (): boolean => { - // TODO: Fix this - // let video_element = document.createElement("video"); - // let mime_type = mime.lookup(filename); - // return video_element.canPlayType(mime_type) != ""; - return true; // FIX BEFORE COMMIT - mime import causing issues + // TODO: Fix this + // let video_element = document.createElement("video"); + // let mime_type = mime.lookup(filename); + // return video_element.canPlayType(mime_type) != ""; + return true; // FIX BEFORE COMMIT - mime import causing issues }; export function loaded( - node: HTMLVideoElement, - { autoplay }: { autoplay: boolean } + node: HTMLVideoElement, + { autoplay }: { autoplay: boolean }, ): any { - async function handle_playback(): Promise { - if (!autoplay) return; - await node.play(); - } + async function handle_playback(): Promise { + if (!autoplay) return; + await node.play(); + } - node.addEventListener("loadeddata", handle_playback); + node.addEventListener("loadeddata", handle_playback); - return { - destroy(): void { - node.removeEventListener("loadeddata", handle_playback); - } - }; + return { + destroy(): void { + node.removeEventListener("loadeddata", handle_playback); + }, + }; } export default async function loadFfmpeg(): Promise { - const ffmpeg = new FFmpeg(); - const baseURL = "https://unpkg.com/@ffmpeg/core@0.12.4/dist/esm"; + const ffmpeg = new FFmpeg(); + const baseURL = "https://unpkg.com/@ffmpeg/core@0.12.4/dist/esm"; - await ffmpeg.load({ - coreURL: await toBlobURL(`${baseURL}/ffmpeg-core.js`, "text/javascript"), - wasmURL: await toBlobURL(`${baseURL}/ffmpeg-core.wasm`, "application/wasm") - }); + await ffmpeg.load({ + coreURL: await toBlobURL(`${baseURL}/ffmpeg-core.js`, "text/javascript"), + wasmURL: await toBlobURL(`${baseURL}/ffmpeg-core.wasm`, "application/wasm"), + }); - return ffmpeg; + return ffmpeg; } export function blob_to_data_url(blob: Blob): Promise { - return new Promise((fulfill, reject) => { - let reader = new FileReader(); - reader.onerror = reject; - reader.onload = () => fulfill(reader.result as string); - reader.readAsDataURL(blob); - }); + return new Promise((fulfill, reject) => { + let reader = new FileReader(); + reader.onerror = reject; + reader.onload = () => fulfill(reader.result as string); + reader.readAsDataURL(blob); + }); } export async function trimVideo( - ffmpeg: FFmpeg, - startTime: number, - endTime: number, - videoElement: HTMLVideoElement + ffmpeg: FFmpeg, + startTime: number, + endTime: number, + videoElement: HTMLVideoElement, ): Promise { - const videoUrl = videoElement.src; - const mimeType = lookup(videoElement.src) || "video/mp4"; - const blobUrl = await toBlobURL(videoUrl, mimeType); - const response = await fetch(blobUrl); - const vidBlob = await response.blob(); - const type = getVideoExtensionFromMimeType(mimeType) || "mp4"; - const inputName = `input.${type}`; - const outputName = `output.${type}`; + const videoUrl = videoElement.src; + const mimeType = lookup(videoElement.src) || "video/mp4"; + const blobUrl = await toBlobURL(videoUrl, mimeType); + const response = await fetch(blobUrl); + const vidBlob = await response.blob(); + const type = getVideoExtensionFromMimeType(mimeType) || "mp4"; + const inputName = `input.${type}`; + const outputName = `output.${type}`; - try { - if (startTime === 0 && endTime === 0) { - return vidBlob; - } + try { + if (startTime === 0 && endTime === 0) { + return vidBlob; + } - await ffmpeg.writeFile( - inputName, - new Uint8Array(await vidBlob.arrayBuffer()) - ); + await ffmpeg.writeFile( + inputName, + new Uint8Array(await vidBlob.arrayBuffer()), + ); - let command = [ - "-i", - inputName, - ...(startTime !== 0 ? ["-ss", startTime.toString()] : []), - ...(endTime !== 0 ? ["-to", endTime.toString()] : []), - "-c:a", - "copy", - outputName - ]; + let command = [ + "-i", + inputName, + ...(startTime !== 0 ? ["-ss", startTime.toString()] : []), + ...(endTime !== 0 ? ["-to", endTime.toString()] : []), + "-c:a", + "copy", + outputName, + ]; - await ffmpeg.exec(command); - const outputData = await ffmpeg.readFile(outputName); - const outputBlob = new Blob([outputData], { - type: `video/${type}` - }); + await ffmpeg.exec(command); + const outputData = await ffmpeg.readFile(outputName); + const outputBlob = new Blob([outputData], { + type: `video/${type}`, + }); - return outputBlob; - } catch (error) { - console.error("Error initializing FFmpeg:", error); - return vidBlob; - } + return outputBlob; + } catch (error) { + console.error("Error initializing FFmpeg:", error); + return vidBlob; + } } const getVideoExtensionFromMimeType = (mimeType: string): string | null => { - const videoMimeToExtensionMap: { [key: string]: string } = { - "video/mp4": "mp4", - "video/webm": "webm", - "video/ogg": "ogv", - "video/quicktime": "mov", - "video/x-msvideo": "avi", - "video/x-matroska": "mkv", - "video/mpeg": "mpeg", - "video/3gpp": "3gp", - "video/3gpp2": "3g2", - "video/h261": "h261", - "video/h263": "h263", - "video/h264": "h264", - "video/jpeg": "jpgv", - "video/jpm": "jpm", - "video/mj2": "mj2", - "video/mpv": "mpv", - "video/vnd.ms-playready.media.pyv": "pyv", - "video/vnd.uvvu.mp4": "uvu", - "video/vnd.vivo": "viv", - "video/x-f4v": "f4v", - "video/x-fli": "fli", - "video/x-flv": "flv", - "video/x-m4v": "m4v", - "video/x-ms-asf": "asf", - "video/x-ms-wm": "wm", - "video/x-ms-wmv": "wmv", - "video/x-ms-wmx": "wmx", - "video/x-ms-wvx": "wvx", - "video/x-sgi-movie": "movie", - "video/x-smv": "smv" - }; + const videoMimeToExtensionMap: { [key: string]: string } = { + "video/mp4": "mp4", + "video/webm": "webm", + "video/ogg": "ogv", + "video/quicktime": "mov", + "video/x-msvideo": "avi", + "video/x-matroska": "mkv", + "video/mpeg": "mpeg", + "video/3gpp": "3gp", + "video/3gpp2": "3g2", + "video/h261": "h261", + "video/h263": "h263", + "video/h264": "h264", + "video/jpeg": "jpgv", + "video/jpm": "jpm", + "video/mj2": "mj2", + "video/mpv": "mpv", + "video/vnd.ms-playready.media.pyv": "pyv", + "video/vnd.uvvu.mp4": "uvu", + "video/vnd.vivo": "viv", + "video/x-f4v": "f4v", + "video/x-fli": "fli", + "video/x-flv": "flv", + "video/x-m4v": "m4v", + "video/x-ms-asf": "asf", + "video/x-ms-wm": "wm", + "video/x-ms-wmv": "wmv", + "video/x-ms-wmx": "wmx", + "video/x-ms-wvx": "wvx", + "video/x-sgi-movie": "movie", + "video/x-smv": "smv", + }; - return videoMimeToExtensionMap[mimeType] || null; + return videoMimeToExtensionMap[mimeType] || null; }; diff --git a/frontend/shared/webrtc_utils.ts b/frontend/shared/webrtc_utils.ts index 1079c34..9cdd438 100644 --- a/frontend/shared/webrtc_utils.ts +++ b/frontend/shared/webrtc_utils.ts @@ -1,162 +1,166 @@ export function createPeerConnection(pc, node) { - // register some listeners to help debugging - pc.addEventListener( - "icegatheringstatechange", - () => { - console.debug(pc.iceGatheringState); - }, - false - ); + // register some listeners to help debugging + pc.addEventListener( + "icegatheringstatechange", + () => { + console.debug(pc.iceGatheringState); + }, + false, + ); - pc.addEventListener( - "iceconnectionstatechange", - () => { - console.debug(pc.iceConnectionState); - }, - false - ); + pc.addEventListener( + "iceconnectionstatechange", + () => { + console.debug(pc.iceConnectionState); + }, + false, + ); - pc.addEventListener( - "signalingstatechange", - () => { - console.debug(pc.signalingState); - }, - false - ); + pc.addEventListener( + "signalingstatechange", + () => { + console.debug(pc.signalingState); + }, + false, + ); - // connect audio / video from server to local - pc.addEventListener("track", (evt) => { - console.debug("track event listener"); - if (node.srcObject !== evt.streams[0]) { - console.debug("streams", evt.streams); - node.srcObject = evt.streams[0]; - console.debug("node.srcOject", node.srcObject); - if (evt.track.kind === 'audio') { - node.volume = 1.0; // Ensure volume is up - node.muted = false; - node.autoplay = true; - // Attempt to play (needed for some browsers) - node.play().catch(e => console.debug("Autoplay failed:", e)); - } - } - }); + // connect audio / video from server to local + pc.addEventListener("track", (evt) => { + console.debug("track event listener"); + if (node && node.srcObject !== evt.streams[0]) { + console.debug("streams", evt.streams); + node.srcObject = evt.streams[0]; + console.debug("node.srcOject", node.srcObject); + if (evt.track.kind === "audio") { + node.volume = 1.0; // Ensure volume is up + node.muted = false; + node.autoplay = true; + // Attempt to play (needed for some browsers) + node.play().catch((e) => console.debug("Autoplay failed:", e)); + } + } + }); - return pc; + return pc; } -export async function start(stream, pc: RTCPeerConnection, node, server_fn, webrtc_id, - modality: "video" | "audio" = "video", on_change_cb: () => void = () => {}) { - pc = createPeerConnection(pc, node); - const data_channel = pc.createDataChannel("text"); +export async function start( + stream, + pc: RTCPeerConnection, + node, + server_fn, + webrtc_id, + modality: "video" | "audio" = "video", + on_change_cb: (msg: "change" | "tick") => void = () => {}, +) { + pc = createPeerConnection(pc, node); + const data_channel = pc.createDataChannel("text"); - data_channel.onopen = () => { - console.debug("Data channel is open"); - data_channel.send("handshake"); - }; + data_channel.onopen = () => { + console.debug("Data channel is open"); + data_channel.send("handshake"); + }; - data_channel.onmessage = (event) => { - console.debug("Received message:", event.data); - if (event.data === "change") { - console.debug("Change event received"); - on_change_cb(); - } - }; + data_channel.onmessage = (event) => { + console.debug("Received message:", event.data); + if (event.data === "change" || event.data === "tick") { + console.debug(`${event.data} event received`); + on_change_cb(event.data); + } + }; - if (stream) { - stream.getTracks().forEach((track) => { - console.debug("Track stream callback", track); - pc.addTrack(track, stream); - }); - } else { - console.debug("Creating transceiver!"); - pc.addTransceiver(modality, { direction: "recvonly" }); - } + if (stream) { + stream.getTracks().forEach((track) => { + console.debug("Track stream callback", track); + pc.addTrack(track, stream); + }); + } else { + console.debug("Creating transceiver!"); + pc.addTransceiver(modality, { direction: "recvonly" }); + } - await negotiate(pc, server_fn, webrtc_id); - return pc; + await negotiate(pc, server_fn, webrtc_id); + return pc; } function make_offer(server_fn: any, body): Promise { - return new Promise((resolve, reject) => { - server_fn(body).then((data) => { - console.debug("data", data) - if(data?.status === "failed") { - console.debug("rejecting") - reject("error") - } - resolve(data); - }) - }) + return new Promise((resolve, reject) => { + server_fn(body).then((data) => { + console.debug("data", data); + if (data?.status === "failed") { + console.debug("rejecting"); + reject("error"); + } + resolve(data); + }); + }); } async function negotiate( - pc: RTCPeerConnection, - server_fn: any, - webrtc_id: string, + pc: RTCPeerConnection, + server_fn: any, + webrtc_id: string, ): Promise { - return pc - .createOffer() - .then((offer) => { - return pc.setLocalDescription(offer); - }) - .then(() => { - // wait for ICE gathering to complete - return new Promise((resolve) => { - console.debug("ice gathering state", pc.iceGatheringState); - if (pc.iceGatheringState === "complete") { - resolve(); - } else { - const checkState = () => { - if (pc.iceGatheringState === "complete") { - console.debug("ice complete"); - pc.removeEventListener("icegatheringstatechange", checkState); - resolve(); - } - }; - pc.addEventListener("icegatheringstatechange", checkState); - } - }); - }) - .then(() => { - var offer = pc.localDescription; - return make_offer( - server_fn, - { - sdp: offer.sdp, - type: offer.type, - webrtc_id: webrtc_id - }, - ); - }) - .then((response) => { - return response; - }) - .then((answer) => { - return pc.setRemoteDescription(answer); - }) + return pc + .createOffer() + .then((offer) => { + return pc.setLocalDescription(offer); + }) + .then(() => { + // wait for ICE gathering to complete + return new Promise((resolve) => { + console.debug("ice gathering state", pc.iceGatheringState); + if (pc.iceGatheringState === "complete") { + resolve(); + } else { + const checkState = () => { + if (pc.iceGatheringState === "complete") { + console.debug("ice complete"); + pc.removeEventListener("icegatheringstatechange", checkState); + resolve(); + } + }; + pc.addEventListener("icegatheringstatechange", checkState); + } + }); + }) + .then(() => { + var offer = pc.localDescription; + return make_offer(server_fn, { + sdp: offer.sdp, + type: offer.type, + webrtc_id: webrtc_id, + }); + }) + .then((response) => { + return response; + }) + .then((answer) => { + return pc.setRemoteDescription(answer); + }); } export function stop(pc: RTCPeerConnection) { - console.debug("Stopping peer connection"); - // close transceivers - if (pc.getTransceivers) { - pc.getTransceivers().forEach((transceiver) => { - if (transceiver.stop) { - transceiver.stop(); - } - }); - } + console.debug("Stopping peer connection"); + // close transceivers + if (pc.getTransceivers) { + pc.getTransceivers().forEach((transceiver) => { + if (transceiver.stop) { + transceiver.stop(); + } + }); + } - // close local audio / video - if (pc.getSenders()) { - pc.getSenders().forEach((sender) => { - console.log("sender", sender); - if (sender.track && sender.track.stop) sender.track.stop(); - }); - } + // close local audio / video + if (pc.getSenders()) { + pc.getSenders().forEach((sender) => { + console.log("sender", sender); + if (sender.track && sender.track.stop) sender.track.stop(); + }); + } - // close peer connection - setTimeout(() => { - pc.close(); - }, 500); + // close peer connection + setTimeout(() => { + pc.close(); + }, 500); } diff --git a/pyproject.toml b/pyproject.toml index c318662..cc6769e 100644 --- a/pyproject.toml +++ b/pyproject.toml @@ -8,7 +8,7 @@ build-backend = "hatchling.build" [project] name = "gradio_webrtc" -version = "0.0.10" +version = "0.0.11" description = "Stream images in realtime with webrtc" readme = "README.md" license = "apache-2.0"