WebGear_RTC API Advanced Usage:⚓
This is a continuation of the WebGear_RTC doc ➶. Thereby, It's advised to first get familiarize with this API, and its requirements.
After going through following Usage Examples, Checkout more bonus examples here ➶
Using WebGear_RTC as Real-time Broadcaster⚓
WebGear_RTC by default only supports one-to-one peer connection with a single consumer or client. But you can use enable_live_broadcast
boolean attribute through its options dictionary parameter to easily enable live broadcast/stream to multiple peer consumers/clients at the same time.
Let's implement a bare-minimum example using WebGear_RTC as Real-time Broadcaster:
enable_infinite_frames
is enforced by default with this(enable_live_broadcast
) attribute.
For accessing WebGear_RTC on different Client Devices on the network, we use "0.0.0.0"
as host value instead of "localhost"
on Host Machine. More information can be found here ➶
# import required libraries
import uvicorn
from vidgear.gears.asyncio import WebGear_RTC
# various performance tweaks and enable live broadcasting
options = {
"frame_size_reduction": 25,
"enable_live_broadcast": True,
}
# initialize WebGear_RTC app
web = WebGear_RTC(source="foo.mp4", logging=True, **options)
# run this app on Uvicorn server at address http://0.0.0.0:8000/
uvicorn.run(web(), host="0.0.0.0", port=8000)
# close app safely
web.shutdown()
And that's all, Now you can see output at http://localhost:8000/
address on your local machine.
Using WebGear_RTC with a Custom Source(OpenCV)⚓
WebGear_RTC provides custom_stream
attribute with its options
parameter that allows you to easily define your own Custom Streaming Class with suitable source that you want to use to transform your frames before sending them onto the browser.
Let's implement a bare-minimum example with a Custom Source using WebGear_RTC API and OpenCV:
New in v0.2.4
This implementation was added in v0.2.4
.
Auto-Reconnection or Auto-Refresh works out-of-the-box with this implementation.
Make sure your Custom Streaming Class at-least implements read()
and stop()
methods as shown in following example, otherwise WebGear_RTC will throw ValueError!
Using Vidgear's VideoCapture APIs instead of OpenCV
You can directly replace Custom Streaming Class(Custom_Stream_Class
in following example) with any VideoCapture APIs. These APIs implements read()
and stop()
methods by-default, so they're also supported out-of-the-box.
See this example ➶ for more information.
# import necessary libs
import uvicorn, cv2
from vidgear.gears.asyncio import WebGear_RTC
# create your own custom streaming class
class Custom_Stream_Class:
"""
Custom Streaming using OpenCV
"""
def __init__(self, source=0):
# !!! define your own video source here !!!
self.source = cv2.VideoCapture(source)
# define running flag
self.running = True
def read(self):
# don't forget this function!!!
# check if source was initialized or not
if self.source is None:
return None
# check if we're still running
if self.running:
# read frame from provided source
(grabbed, frame) = self.source.read()
# check if frame is available
if grabbed:
# do something with your OpenCV frame here
# lets convert frame to gray for this example
gray = cv2.cvtColor(frame, cv2.COLOR_BGR2GRAY)
# return our gray frame
return gray
else:
# signal we're not running now
self.running = False
# return None-type
return None
def stop(self):
# don't forget this function!!!
# flag that we're not running
self.running = False
# close stream
if not self.source is None:
self.source.release()
# assign your Custom Streaming Class with adequate source (for e.g. foo.mp4)
# to `custom_stream` attribute in options parameter
options = {"custom_stream": Custom_Stream_Class(source="foo.mp4")}
# initialize WebGear_RTC app without any source
web = WebGear_RTC(logging=True, **options)
# run this app on Uvicorn server at address http://localhost:8000/
uvicorn.run(web(), host="localhost", port=8000)
# close app safely
web.shutdown()
And that's all, Now you can see output at http://localhost:8000/
address.
Using WebGear_RTC with Custom Mounting Points⚓
With our highly extensible WebGear_RTC API, you can add your own mounting points, where additional files located, as follows:
# import libs
import uvicorn
from starlette.routing import Mount
from starlette.staticfiles import StaticFiles
from vidgear.gears.asyncio import WebGear_RTC
# various performance tweaks
options = {
"frame_size_reduction": 25,
}
# initialize WebGear_RTC app
web = WebGear_RTC(
source="foo.mp4", logging=True, **options
) # enable source i.e. `test.mp4` and enable `logging` for debugging
# append new route i.e. mount another folder called `test` located at `/home/foo/.vidgear/test` directory
web.routes.append(
Mount("/test", app=StaticFiles(directory="/home/foo/.vidgear/test"), name="test")
)
# run this app on Uvicorn server at address http://localhost:8000/
uvicorn.run(web(), host="localhost", port=8000)
# close app safely
web.shutdown()
Then you can use this folder in your HTML page, to host data-files. For example, if we have jQuery script jquery-3.3.1.slim.min.js
in this folder and want to integrate it, then, we can do something like this:
Using WebGear_RTC with Custom Webpage Routes⚓
With Webgear_RTC's flexible API, you can even add your additional HTML Static webpages without any extra efforts.
Suppose we want to add a simple hello world
webpage to our WebGear_RTC server. So let's create a bare-minimum hello.html
file with HTML code as follows:
<html>
<header>
<title>This is Hello world page</title>
</header>
<body>
<h1>Hello World</h1>
<p>how ya doing?</p>
</body>
</html>
Then in our application code, we can integrate this webpage route, as follows:
# import libs
import uvicorn, asyncio
from starlette.templating import Jinja2Templates
from starlette.routing import Route
from vidgear.gears.asyncio import WebGear_RTC
# Build out Jinja2 template render at `/home/foo/.vidgear/custom_template` path in which our `hello.html` file is located
template = Jinja2Templates(directory="/home/foo/.vidgear/custom_template")
# render and return our webpage template
async def hello_world(request):
page = "hello.html"
context = {"request": request}
return template.TemplateResponse(page, context)
# add various performance tweaks as usual
options = {
"frame_size_reduction": 25,
}
# initialize WebGear_RTC app with a valid source
web = WebGear_RTC(
source="/home/foo/foo1.mp4", logging=True, **options
) # enable source i.e. `test.mp4` and enable `logging` for debugging
# append new route to point our rendered webpage
web.routes.append(Route("/hello", endpoint=hello_world))
# run this app on Uvicorn server at address http://localhost:8000/
uvicorn.run(web(), host="localhost", port=8000)
# close app safely
web.shutdown()
http://localhost:8000/hello
address.
Using WebGear_RTC with MiddleWares⚓
WebGear_RTC also natively supports ASGI middleware classes with Starlette for implementing behavior that is applied across your entire ASGI application easily.
New in v0.2.2
This example was added in v0.2.2
.
All supported middlewares can be found here ➶
For this example, let's use CORSMiddleware
for implementing appropriate CORS headers to outgoing responses in our application in order to allow cross-origin requests from browsers, as follows:
The default parameters used by the CORSMiddleware implementation are restrictive by default, so you'll need to explicitly enable particular origins, methods, or headers, in order for browsers to be permitted to use them in a Cross-Domain context.
Starlette provides several arguments for enabling origins, methods, or headers for CORSMiddleware API. More information can be found here ➶
# import libs
import uvicorn, asyncio
from starlette.middleware import Middleware
from starlette.middleware.cors import CORSMiddleware
from vidgear.gears.asyncio import WebGear_RTC
# add various performance tweaks as usual
options = {
"frame_size_reduction": 25,
}
# initialize WebGear_RTC app with a valid source
web = WebGear_RTC(
source="/home/foo/foo1.mp4", logging=True, **options
) # enable source i.e. `test.mp4` and enable `logging` for debugging
# define and assign suitable cors middlewares
web.middleware = [
Middleware(
CORSMiddleware,
allow_origins=["*"],
allow_credentials=True,
allow_methods=["*"],
allow_headers=["*"],
)
]
# run this app on Uvicorn server at address http://localhost:8000/
uvicorn.run(web(), host="localhost", port=8000)
# close app safely
web.shutdown()
And that's all, Now you can see output at http://localhost:8000
address.
Rules for Altering WebGear_RTC Files and Folders⚓
WebGear_RTC gives us complete freedom of altering data files generated in Auto-Generation Process, But you've to keep the following rules in mind:
Rules for Altering Data Files⚓
- You allowed to alter/change code in all existing default downloaded files at your convenience without any restrictions.
- You allowed to delete/rename all existing data files, except remember NOT to delete/rename three critical data-files (i.e
index.html
,404.html
&500.html
) present intemplates
folder inside thewebgear_rtc
directory at the default location, otherwise, it will trigger Auto-generation process, and it will overwrite the existing files with Server ones. - You're allowed to add your own additional
.html
,.css
,.js
, etc. files in the respective folders at the default location and custom mounted Data folders.
Rules for Altering Data Folders⚓
- You're allowed to add/mount any number of additional folder as shown in this example above.
- You're allowed to delete/rename existing folders at the default location except remember NOT to delete/rename
templates
folder in thewebgear_rtc
directory where critical data-files (i.eindex.html
,404.html
&500.html
) are located, otherwise, it will trigger Auto-generation process.
Bonus Examples⚓
Checkout more advanced WebGear_RTC examples with unusual configuration here ➶