Browse Source

More voice fixes

* More voice fixes

* Start socket reader paused and wait for socket creation

* Fix issues handling 4014 closures

Fixes code not handling disconnects from discord's end properly.  The
4014 code is shared between being disconnected and moved, so it has to
account for the uncertainty.  Also properly stops the voice_client audio
player when disconnecting.

* Fix sending (dropped) silence packets when not connected
pull/9794/head
Imayhaveborkedit 12 months ago
committed by GitHub
parent
commit
b8c29b0790
No known key found for this signature in database GPG Key ID: B5690EEEBB952194
  1. 3
      discord/player.py
  2. 4
      discord/voice_client.py
  3. 72
      discord/voice_state.py

3
discord/player.py

@ -763,7 +763,8 @@ class AudioPlayer(threading.Thread):
delay = max(0, self.DELAY + (next_time - time.perf_counter())) delay = max(0, self.DELAY + (next_time - time.perf_counter()))
time.sleep(delay) time.sleep(delay)
self.send_silence() if client.is_connected():
self.send_silence()
def run(self) -> None: def run(self) -> None:
try: try:

4
discord/voice_client.py

@ -337,7 +337,7 @@ class VoiceClient(VoiceProtocol):
Disconnects this voice client from voice. Disconnects this voice client from voice.
""" """
self.stop() self.stop()
await self._connection.disconnect(force=force) await self._connection.disconnect(force=force, wait=True)
self.cleanup() self.cleanup()
async def move_to(self, channel: Optional[abc.Snowflake], *, timeout: Optional[float] = 30.0) -> None: async def move_to(self, channel: Optional[abc.Snowflake], *, timeout: Optional[float] = 30.0) -> None:
@ -567,6 +567,6 @@ class VoiceClient(VoiceProtocol):
try: try:
self._connection.send_packet(packet) self._connection.send_packet(packet)
except OSError: except OSError:
_log.info('A packet has been dropped (seq: %s, timestamp: %s)', self.sequence, self.timestamp) _log.debug('A packet has been dropped (seq: %s, timestamp: %s)', self.sequence, self.timestamp)
self.checked_add('timestamp', opus.Encoder.SAMPLES_PER_FRAME, 4294967295) self.checked_add('timestamp', opus.Encoder.SAMPLES_PER_FRAME, 4294967295)

72
discord/voice_state.py

@ -81,9 +81,10 @@ _log = logging.getLogger(__name__)
class SocketReader(threading.Thread): class SocketReader(threading.Thread):
def __init__(self, state: VoiceConnectionState) -> None: def __init__(self, state: VoiceConnectionState, *, start_paused: bool = True) -> None:
super().__init__(daemon=True, name=f'voice-socket-reader:{id(self):#x}') super().__init__(daemon=True, name=f'voice-socket-reader:{id(self):#x}')
self.state: VoiceConnectionState = state self.state: VoiceConnectionState = state
self.start_paused = start_paused
self._callbacks: List[SocketReaderCallback] = [] self._callbacks: List[SocketReaderCallback] = []
self._running = threading.Event() self._running = threading.Event()
self._end = threading.Event() self._end = threading.Event()
@ -130,6 +131,8 @@ class SocketReader(threading.Thread):
def run(self) -> None: def run(self) -> None:
self._end.clear() self._end.clear()
self._running.set() self._running.set()
if self.start_paused:
self.pause()
try: try:
self._do_run() self._do_run()
except Exception: except Exception:
@ -148,7 +151,10 @@ class SocketReader(threading.Thread):
# Since this socket is a non blocking socket, select has to be used to wait on it for reading. # Since this socket is a non blocking socket, select has to be used to wait on it for reading.
try: try:
readable, _, _ = select.select([self.state.socket], [], [], 30) readable, _, _ = select.select([self.state.socket], [], [], 30)
except (ValueError, TypeError): except (ValueError, TypeError, OSError) as e:
_log.debug(
"Select error handling socket in reader, this should be safe to ignore: %s: %s", e.__class__.__name__, e
)
# The socket is either closed or doesn't exist at the moment # The socket is either closed or doesn't exist at the moment
continue continue
@ -305,6 +311,10 @@ class VoiceConnectionState:
_log.debug('Ignoring unexpected voice_state_update event') _log.debug('Ignoring unexpected voice_state_update event')
async def voice_server_update(self, data: VoiceServerUpdatePayload) -> None: async def voice_server_update(self, data: VoiceServerUpdatePayload) -> None:
previous_token = self.token
previous_server_id = self.server_id
previous_endpoint = self.endpoint
self.token = data['token'] self.token = data['token']
self.server_id = int(data['guild_id']) self.server_id = int(data['guild_id'])
endpoint = data.get('endpoint') endpoint = data.get('endpoint')
@ -338,6 +348,10 @@ class VoiceConnectionState:
self.state = ConnectionFlowState.got_voice_server_update self.state = ConnectionFlowState.got_voice_server_update
elif self.state is not ConnectionFlowState.disconnected: elif self.state is not ConnectionFlowState.disconnected:
# eventual consistency
if previous_token == self.token and previous_server_id == self.server_id and previous_token == self.token:
return
_log.debug('Unexpected server update event, attempting to handle') _log.debug('Unexpected server update event, attempting to handle')
await self.soft_disconnect(with_state=ConnectionFlowState.got_voice_server_update) await self.soft_disconnect(with_state=ConnectionFlowState.got_voice_server_update)
@ -422,7 +436,7 @@ class VoiceConnectionState:
if not self._runner: if not self._runner:
self._runner = self.voice_client.loop.create_task(self._poll_voice_ws(reconnect), name='Voice websocket poller') self._runner = self.voice_client.loop.create_task(self._poll_voice_ws(reconnect), name='Voice websocket poller')
async def disconnect(self, *, force: bool = True, cleanup: bool = True) -> None: async def disconnect(self, *, force: bool = True, cleanup: bool = True, wait: bool = False) -> None:
if not force and not self.is_connected(): if not force and not self.is_connected():
return return
@ -433,23 +447,26 @@ class VoiceConnectionState:
except Exception: except Exception:
_log.debug('Ignoring exception disconnecting from voice', exc_info=True) _log.debug('Ignoring exception disconnecting from voice', exc_info=True)
finally: finally:
self.ip = MISSING
self.port = MISSING
self.state = ConnectionFlowState.disconnected self.state = ConnectionFlowState.disconnected
self._socket_reader.pause() self._socket_reader.pause()
# Stop threads before we unlock waiters so they end properly
if cleanup:
self._socket_reader.stop()
self.voice_client.stop()
# Flip the connected event to unlock any waiters # Flip the connected event to unlock any waiters
self._connected.set() self._connected.set()
self._connected.clear() self._connected.clear()
if cleanup:
self._socket_reader.stop()
if self.socket: if self.socket:
self.socket.close() self.socket.close()
self.ip = MISSING
self.port = MISSING
# Skip this part if disconnect was called from the poll loop task # Skip this part if disconnect was called from the poll loop task
if self._runner and asyncio.current_task() != self._runner: if wait and not self._inside_runner():
# Wait for the voice_state_update event confirming the bot left the voice channel. # Wait for the voice_state_update event confirming the bot left the voice channel.
# This prevents a race condition caused by disconnecting and immediately connecting again. # This prevents a race condition caused by disconnecting and immediately connecting again.
# The new VoiceConnectionState object receives the voice_state_update event containing channel=None while still # The new VoiceConnectionState object receives the voice_state_update event containing channel=None while still
@ -458,7 +475,9 @@ class VoiceConnectionState:
async with atimeout(self.timeout): async with atimeout(self.timeout):
await self._disconnected.wait() await self._disconnected.wait()
except TimeoutError: except TimeoutError:
_log.debug('Timed out waiting for disconnect confirmation event') _log.debug('Timed out waiting for voice disconnection confirmation')
except asyncio.CancelledError:
pass
if cleanup: if cleanup:
self.voice_client.cleanup() self.voice_client.cleanup()
@ -476,23 +495,26 @@ class VoiceConnectionState:
except Exception: except Exception:
_log.debug('Ignoring exception soft disconnecting from voice', exc_info=True) _log.debug('Ignoring exception soft disconnecting from voice', exc_info=True)
finally: finally:
self.ip = MISSING
self.port = MISSING
self.state = with_state self.state = with_state
self._socket_reader.pause() self._socket_reader.pause()
if self.socket: if self.socket:
self.socket.close() self.socket.close()
self.ip = MISSING
self.port = MISSING
async def move_to(self, channel: Optional[abc.Snowflake], timeout: Optional[float]) -> None: async def move_to(self, channel: Optional[abc.Snowflake], timeout: Optional[float]) -> None:
if channel is None: if channel is None:
await self.disconnect() # This function should only be called externally so its ok to wait for the disconnect.
await self.disconnect(wait=True)
return return
if self.voice_client.channel and channel.id == self.voice_client.channel.id: if self.voice_client.channel and channel.id == self.voice_client.channel.id:
return return
previous_state = self.state previous_state = self.state
# this is only an outgoing ws request # this is only an outgoing ws request
# if it fails, nothing happens and nothing changes (besides self.state) # if it fails, nothing happens and nothing changes (besides self.state)
await self._move_to(channel) await self._move_to(channel)
@ -504,7 +526,6 @@ class VoiceConnectionState:
_log.warning('Timed out trying to move to channel %s in guild %s', channel.id, self.guild.id) _log.warning('Timed out trying to move to channel %s in guild %s', channel.id, self.guild.id)
if self.state is last_state: if self.state is last_state:
_log.debug('Reverting to previous state %s', previous_state.name) _log.debug('Reverting to previous state %s', previous_state.name)
self.state = previous_state self.state = previous_state
def wait(self, timeout: Optional[float] = None) -> bool: def wait(self, timeout: Optional[float] = None) -> bool:
@ -527,6 +548,9 @@ class VoiceConnectionState:
_log.debug('Unregistering socket listener callback %s', callback) _log.debug('Unregistering socket listener callback %s', callback)
self._socket_reader.unregister(callback) self._socket_reader.unregister(callback)
def _inside_runner(self) -> bool:
return self._runner is not None and asyncio.current_task() == self._runner
async def _wait_for_state( async def _wait_for_state(
self, state: ConnectionFlowState, *other_states: ConnectionFlowState, timeout: Optional[float] = None self, state: ConnectionFlowState, *other_states: ConnectionFlowState, timeout: Optional[float] = None
) -> None: ) -> None:
@ -590,11 +614,21 @@ class VoiceConnectionState:
break break
if exc.code == 4014: if exc.code == 4014:
# We were disconnected by discord
# This condition is a race between the main ws event and the voice ws closing
if self._disconnected.is_set():
_log.info('Disconnected from voice by discord, close code %d.', exc.code)
await self.disconnect()
break
# We may have been moved to a different channel
_log.info('Disconnected from voice by force... potentially reconnecting.') _log.info('Disconnected from voice by force... potentially reconnecting.')
successful = await self._potential_reconnect() successful = await self._potential_reconnect()
if not successful: if not successful:
_log.info('Reconnect was unsuccessful, disconnecting from voice normally...') _log.info('Reconnect was unsuccessful, disconnecting from voice normally...')
await self.disconnect() # Don't bother to disconnect if already disconnected
if self.state is not ConnectionFlowState.disconnected:
await self.disconnect()
break break
else: else:
continue continue
@ -626,10 +660,16 @@ class VoiceConnectionState:
async def _potential_reconnect(self) -> bool: async def _potential_reconnect(self) -> bool:
try: try:
await self._wait_for_state( await self._wait_for_state(
ConnectionFlowState.got_voice_server_update, ConnectionFlowState.got_both_voice_updates, timeout=self.timeout ConnectionFlowState.got_voice_server_update,
ConnectionFlowState.got_both_voice_updates,
ConnectionFlowState.disconnected,
timeout=self.timeout,
) )
except asyncio.TimeoutError: except asyncio.TimeoutError:
return False return False
else:
if self.state is ConnectionFlowState.disconnected:
return False
previous_ws = self.ws previous_ws = self.ws
try: try:

Loading…
Cancel
Save