diff --git a/README.md b/README.md index f93e2d4..97784f8 100644 --- a/README.md +++ b/README.md @@ -11,6 +11,9 @@ openWakeWord is an open-source wakeword library that can be used to create voice # Updates +**2023/11/09** +- Added example scripts under `examples/web` that demonstrate streaming audio from a web application into openWakeWord. + **2023/10/11** - Significant improvements to the process of [training new models](#training-new-models), including an example Google Colab notebook demonstrating how to train a basic wake word model in <1 hour. @@ -240,9 +243,11 @@ Future release road maps may have non-english support. In particular, [Mycroft.A **Can openWakeWord be run in a browser with javascript?** - While the ONNX runtime [does support javascript](https://onnxruntime.ai/docs/get-started/with-javascript.html), much of the other functionality required for openWakeWord models would need to be ported. This is not currently on the roadmap, but please open an issue/start a discussion if this feature is of particular interest. +- As a potential work-around for some applications, the example scripts in `examples/web` demonstrate how audio can be captured in a browser and streaming via websockets into openWakeWord running in a Python backend server. +- Other potential options could include projects like `pyodide` (see [here](https://github.com/pyodide/pyodide/issues/4220)) for a related issue. **Is there a C++ version of openWakeWord?** -- While the ONNX runtime [also has a C++ API](https://onnxruntime.ai/docs/get-started/with-cpp.html), there isn't an official C++ implementation of the full openWakeWord library. However, [@synesthesiam](https://github.com/synesthesiam) has created a [C++ version](https://github.com/rhasspy/openWakeWord-cpp) of openWakeWord with basic functionality implemented. +- While the ONNX runtime [also has a C++ API](https://onnxruntime.ai/docs/get-started/with-cpp.html), there isn't an official C++ implementation of the full openWakeWord library. However, [@synesthesiam](https://github.com/synesthesiam) has created a [C++ version of openWakeWord](https://github.com/rhasspy/openWakeWord-cpp) with basic functionality implemented. **Why are there three separate models instead of just one?** - Separating the models was an intentional choice to provide flexibility and optimize the efficiency of the end-to-end prediction process. For example, with separate melspectrogram, embedding, and prediction models, each one can operate on different size inputs of audio to optimize overall latency and share computations between models. It certainly is possible to make a combined model with all of the steps integrated, though, if that was a requirement of a particular use case. diff --git a/examples/capture_activations.py b/examples/capture_activations.py index fae900e..8f8e80d 100644 --- a/examples/capture_activations.py +++ b/examples/capture_activations.py @@ -68,10 +68,26 @@ default=False, required=False ) +parser=argparse.ArgumentParser() +parser.add_argument( + "--chunk_size", + help="How much audio (in number of 16khz samples) to predict on at once", + type=int, + default=1280, + required=False +) +parser.add_argument( + "--model_path", + help="The path of a specific model to load", + type=str, + default="", + required=False +) parser.add_argument( - "--model", - help="The model to use for openWakeWord, leave blank to use all available models", + "--inference_framework", + help="The inference framework to use (either 'onnx' or 'tflite'", type=str, + default='tflite', required=False ) parser.add_argument( @@ -87,25 +103,26 @@ FORMAT = pyaudio.paInt16 CHANNELS = 1 RATE = 16000 -CHUNK = 1280 +CHUNK = args.chunk_size audio = pyaudio.PyAudio() mic_stream = audio.open(format=FORMAT, channels=CHANNELS, rate=RATE, input=True, frames_per_buffer=CHUNK) # Load pre-trained openwakeword models -if args.model: +if args.model_path: model_paths = openwakeword.get_pretrained_model_paths() for path in model_paths: - if args.model in path: + if args.model_path in path: model_path = path if model_path: owwModel = Model( - wakeword_model_paths=[model_path], + wakeword_models=[model_path], enable_speex_noise_suppression=args.noise_suppression, - vad_threshold = args.vad_threshold - ) + vad_threshold = args.vad_threshold, + inference_framework=args.inference_framework + ) else: - print(f'Could not find model \"{args.model}\"') + print(f'Could not find model \"{args.model_path}\"') exit() else: owwModel = Model( diff --git a/examples/web/README.md b/examples/web/README.md new file mode 100644 index 0000000..bd4e970 --- /dev/null +++ b/examples/web/README.md @@ -0,0 +1,21 @@ +# Examples + +This folder contains examples of using openWakeWord with web applications. + +## Websocket Streaming + +As openWakeWord does not have a native Javascript port, using it within a web browswer is best accomplished with websocket streaming of the audio data from the browser to a simple Python application. To install the requirements for this example: + +``` +pip install aiohttp +pip install resampy +``` + +The `streaming_client.html` page shows a simple implementation of audio capture and streamimng from a microphone and streaming in a browser, and the `streaming_server.py` file is the corresponding websocket server that passes the audio into openWakeWord. + +To run the example, execute `python streaming_server.py` (add the `--help` argument to see options) and navigate to `localhost:9000` in your browser. + +Note that this example is illustrative only, and integration of this approach with other web applications may have different requirements. In particular, some key considerations: + +- This example captures PCM audio from the web browser and streams full 16-bit integer representations of ~250 ms audio chunks over the websocket connection. In practice, bandwidth efficient streams of compressed audio may be more suitable for some applications. +- The browser captures audio at the native sampling rate of the capture device, which can require re-sampling prior to passing the audio data to openWakeWord. This example uses the `resampy` library which has a good balance between performance and quality, but other resampling approaches that optimize different aspects may be more suitable for some applications. \ No newline at end of file diff --git a/examples/web/streaming_client.html b/examples/web/streaming_client.html new file mode 100644 index 0000000..c2df273 --- /dev/null +++ b/examples/web/streaming_client.html @@ -0,0 +1,197 @@ + + + + + + Websocket Microphone Streaming + + + +

Streaming Audio to openWakeWord Using Websockets

+ + + + + + + + + + + +
WakewordDetected
+ + + + \ No newline at end of file diff --git a/examples/web/streaming_server.py b/examples/web/streaming_server.py new file mode 100644 index 0000000..449d251 --- /dev/null +++ b/examples/web/streaming_server.py @@ -0,0 +1,112 @@ +# Copyright 2023 David Scripka. All rights reserved. +# +# Licensed under the Apache License, Version 2.0 (the "License"); +# you may not use this file except in compliance with the License. +# You may obtain a copy of the License at +# +# http://www.apache.org/licenses/LICENSE-2.0 +# +# Unless required by applicable law or agreed to in writing, software +# distributed under the License is distributed on an "AS IS" BASIS, +# WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. +# See the License for the specific language governing permissions and +# limitations under the License. + +####################################################################################### + +# This example scripts runs openWakeWord in a simple web server receiving audio +# from a web page using websockets. + +####################################################################################### + +# Imports +import aiohttp +from aiohttp import web +import numpy as np +from openwakeword import Model +import resampy +import argparse +import json + +# Define websocket handler +async def websocket_handler(request): + ws = web.WebSocketResponse() + await ws.prepare(request) + + # Send loaded models + await ws.send_str(json.dumps({"loaded_models": list(owwModel.models.keys())})) + + # Start listening for websocket messages + async for msg in ws: + # Get the sample rate of the microphone from the browser + if msg.type == aiohttp.WSMsgType.TEXT: + sample_rate = int(msg.data) + elif msg.type == aiohttp.WSMsgType.ERROR: + print(f"WebSocket error: {ws.exception()}") + else: + # Get audio data from websocket + audio_bytes = msg.data + + # Add extra bytes of silence if needed + if len(msg.data) % 2 == 1: + audio_bytes += (b'\x00') + + # Convert audio to correct format and sample rate + data = np.frombuffer(audio_bytes, dtype=np.int16) + if sample_rate != 16000: + data = resampy.resample(data, sample_rate, 16000) + + # Get openWakeWord predictions and set to browser client + predictions = owwModel.predict(data) + + activations = [] + for key in predictions: + if predictions[key] >= 0.5: + activations.append(key) + + if activations != []: + await ws.send_str(json.dumps({"activations": activations})) + + return ws + +# Define static file handler +async def static_file_handler(request): + return web.FileResponse('./streaming_client.html') + +app = web.Application() +app.add_routes([web.get('/ws', websocket_handler), web.get('/', static_file_handler)]) + +if __name__ == '__main__': + # Parse CLI arguments + parser=argparse.ArgumentParser() + parser.add_argument( + "--chunk_size", + help="How much audio (in number of samples) to predict on at once", + type=int, + default=1280, + required=False + ) + parser.add_argument( + "--model_path", + help="The path of a specific model to load", + type=str, + default="", + required=False + ) + parser.add_argument( + "--inference_framework", + help="The inference framework to use (either 'onnx' or 'tflite'", + type=str, + default='tflite', + required=False + ) + args=parser.parse_args() + + # Load openWakeWord models + if args.model_path != "": + owwModel = Model(wakeword_models=[args.model_path], inference_framework=args.inference_framework) + else: + owwModel = Model(inference_framework=args.inference_framework) + + # Start webapp + web.run_app(app, host='localhost', port=9000) \ No newline at end of file