mirror of
https://github.com/sunnypilot/sunnypilot.git
synced 2026-02-18 20:03:53 +08:00
* WebRTCClient and WebRTCServer abstractions
* webrtc client implementation
* Interactive test scripts
* Send localDescriptions as offer/asnwer, as they are different
* Tracks need to be added after setting remote description for multi-cam streaming to work
* Remove WebRTCStreamingMetadata
* Wait for tracks
* Move stuff to separate files, rename some things
* Refactor everything, create WebRTCStreamBuilder for both offer and answers
* ta flight done time to grind
* wait for incoming tracks and channels
* Dummy track and frame reader track. Fix timing.
* dt based on camera type
* first trial of the new api
* Fix audio track
* methods for checking for incoming tracks
* Web migration part 2
* Fixes for stream api
* use rtc description for web.py
* experimental cereal proxy
* remove old code from bodyav
* fix is_started
* serialize session description
* fix audio
* messaging channel wrapper
* fix audiotrack
* h264 codec preference
* Add codec preference to tracks
* override sdp codecs
* add logging
* Move cli stuff to separate file
* slight cleanup
* Fix audio track
* create codec_mime inside force_codec function
* fix incoming media estimation
* move builders to __init__
* stream updates following builders
* Update example script
* web.py support for new builder
* web speaker fixes
* StreamingMediaInfo API
* Move things around
* should_add_data_channel rename
* is_connected_and_ready
* fix linter errors
* make cli executable
* remove dumb comments
* logging support
* fix parse_info_from_offer
* improve type annotations
* satisfy linters
* Support for waiting for disconnection
* Split device tracks into video/audio files. Move audio speaker to audio.py
* default dt for dummy video track
* Fix cli
* new speaker fixes
* Remove almost all functionality from web.py
* webrtcd
* continue refactoring web.py
* after handling joystick reset in controlsd with #30409, controls are not necessary anymore
* ping endpoint
* Update js files to at least support what worked previously
* Fixes after some tests on the body
* Streaming fixes
* Remove the use of WebRTCStreamBuilder. Subclass use is now required
* Add todo
* delete all streams on shutdown
* Replace lastPing with lastChannelMessageTime
* Update ping text only if rtc is still on
* That should affect the chart too
* Fix paths in web
* use protocol in SSLContext
* remove warnings since aiortc is not used directly anymore
* check if task is done in stop
* remove channel handler wrapper, since theres only one channel
* Move things around
* Moved webrtc abstractions to separate repository
* Moved webrtcd to tools/webrtc
* Update imports
* Add bodyrtc as dependency
* Add webrtcd to process_config
* Remove usage of DummyVideoStreamTrack
* Add main to webrtcd
* Move webrtcd to system
* Fix imports
* Move cereal proxy logic outside of runner
* Incoming proxy abstractions
* Add some tests
* Make it executable
* Fix process config
* Fix imports
* Additional tests. Add tests to pyproject.toml
* Update poetry lock
* New line
* Bump aiortc to 1.6.0
* Added teleoprtc_repo as submodule, and linked its source dir
* Add init file to webrtc module
* Handle aiortc warnings
* Ignore deprecation warnings
* Ignore resource warning too
* Ignore the warnings
* find free port for test_webrtcd
* Start process inside the test case
* random sleep test
* test 2
* Test endpoint function instead
* Update comment
* Add system/webrtc to release
* default arguments for body fields
* Add teleoprtc to release
* Bump teleoprtc
* Exclude teleoprtc from static analysis
* Use separate event loop for stream session tests
old-commit-hash: f058b5d64e
109 lines
3.7 KiB
Python
Executable File
109 lines
3.7 KiB
Python
Executable File
#!/usr/bin/env python3
|
|
import asyncio
|
|
import unittest
|
|
from unittest.mock import Mock, MagicMock, patch
|
|
import json
|
|
# for aiortc and its dependencies
|
|
import warnings
|
|
warnings.filterwarnings("ignore", category=DeprecationWarning)
|
|
|
|
from aiortc import RTCDataChannel
|
|
from aiortc.mediastreams import VIDEO_CLOCK_RATE, VIDEO_TIME_BASE
|
|
import capnp
|
|
import pyaudio
|
|
|
|
from cereal import messaging, log
|
|
|
|
from openpilot.system.webrtc.webrtcd import CerealOutgoingMessageProxy, CerealIncomingMessageProxy
|
|
from openpilot.system.webrtc.device.video import LiveStreamVideoStreamTrack
|
|
from openpilot.system.webrtc.device.audio import AudioInputStreamTrack
|
|
from openpilot.common.realtime import DT_DMON
|
|
|
|
|
|
class TestStreamSession(unittest.TestCase):
|
|
def setUp(self):
|
|
self.loop = asyncio.new_event_loop()
|
|
|
|
def tearDown(self):
|
|
self.loop.stop()
|
|
self.loop.close()
|
|
|
|
def test_outgoing_proxy(self):
|
|
test_msg = log.Event.new_message()
|
|
test_msg.logMonoTime = 123
|
|
test_msg.valid = True
|
|
test_msg.customReservedRawData0 = b"test"
|
|
expected_dict = {"type": "customReservedRawData0", "logMonoTime": 123, "valid": True, "data": "test"}
|
|
expected_json = json.dumps(expected_dict).encode()
|
|
|
|
channel = Mock(spec=RTCDataChannel)
|
|
mocked_submaster = messaging.SubMaster(["customReservedRawData0"])
|
|
def mocked_update(t):
|
|
mocked_submaster.update_msgs(0, [test_msg])
|
|
|
|
with patch.object(messaging.SubMaster, "update", side_effect=mocked_update):
|
|
proxy = CerealOutgoingMessageProxy(mocked_submaster)
|
|
proxy.add_channel(channel)
|
|
|
|
proxy.update()
|
|
|
|
channel.send.assert_called_once_with(expected_json)
|
|
|
|
def test_incoming_proxy(self):
|
|
tested_msgs = [
|
|
{"type": "customReservedRawData0", "data": "test"}, # primitive
|
|
{"type": "can", "data": [{"address": 0, "busTime": 0, "dat": "", "src": 0}]}, # list
|
|
{"type": "testJoystick", "data": {"axes": [0, 0], "buttons": [False]}}, # dict
|
|
]
|
|
|
|
mocked_pubmaster = MagicMock(spec=messaging.PubMaster)
|
|
|
|
proxy = CerealIncomingMessageProxy(mocked_pubmaster)
|
|
|
|
for msg in tested_msgs:
|
|
proxy.send(json.dumps(msg).encode())
|
|
|
|
mocked_pubmaster.send.assert_called_once()
|
|
mt, md = mocked_pubmaster.send.call_args.args
|
|
self.assertEqual(mt, msg["type"])
|
|
self.assertIsInstance(md, capnp._DynamicStructBuilder)
|
|
self.assertTrue(hasattr(md, msg["type"]))
|
|
|
|
mocked_pubmaster.reset_mock()
|
|
|
|
def test_livestream_track(self):
|
|
fake_msg = messaging.new_message("livestreamDriverEncodeData")
|
|
|
|
config = {"receive.return_value": fake_msg.to_bytes()}
|
|
with patch("cereal.messaging.SubSocket", spec=True, **config):
|
|
track = LiveStreamVideoStreamTrack("driver")
|
|
|
|
self.assertTrue(track.id.startswith("driver"))
|
|
self.assertEqual(track.codec_preference(), "H264")
|
|
|
|
for i in range(5):
|
|
packet = self.loop.run_until_complete(track.recv())
|
|
self.assertEqual(packet.time_base, VIDEO_TIME_BASE)
|
|
self.assertEqual(packet.pts, int(i * DT_DMON * VIDEO_CLOCK_RATE))
|
|
self.assertEqual(packet.size, 0)
|
|
|
|
def test_input_audio_track(self):
|
|
packet_time, rate = 0.02, 16000
|
|
sample_count = int(packet_time * rate)
|
|
mocked_stream = MagicMock(spec=pyaudio.Stream)
|
|
mocked_stream.read.return_value = b"\x00" * 2 * sample_count
|
|
|
|
config = {"open.side_effect": lambda *args, **kwargs: mocked_stream}
|
|
with patch("pyaudio.PyAudio", spec=True, **config):
|
|
track = AudioInputStreamTrack(audio_format=pyaudio.paInt16, packet_time=packet_time, rate=rate)
|
|
|
|
for i in range(5):
|
|
frame = self.loop.run_until_complete(track.recv())
|
|
self.assertEqual(frame.rate, rate)
|
|
self.assertEqual(frame.samples, sample_count)
|
|
self.assertEqual(frame.pts, i * sample_count)
|
|
|
|
|
|
if __name__ == "__main__":
|
|
unittest.main()
|