Fixes/improvements to FFmpegAudio and subclasses

This commit is contained in:
Imayhaveborkedit
2023-08-23 07:49:55 -04:00
committed by GitHub
parent 673bedd285
commit 62c1ab21b2
2 changed files with 67 additions and 17 deletions

View File

@@ -99,7 +99,7 @@ class OggStream:
elif not head: elif not head:
return None return None
else: else:
raise OggError('invalid header magic') raise OggError(f'invalid header magic {head}')
def _iter_pages(self) -> Generator[OggPage, None, None]: def _iter_pages(self) -> Generator[OggPage, None, None]:
page = self._next_page() page = self._next_page()

View File

@@ -25,6 +25,7 @@ from __future__ import annotations
import threading import threading
import subprocess import subprocess
import warnings
import audioop import audioop
import asyncio import asyncio
import logging import logging
@@ -145,6 +146,8 @@ class FFmpegAudio(AudioSource):
.. versionadded:: 1.3 .. versionadded:: 1.3
""" """
BLOCKSIZE: int = io.DEFAULT_BUFFER_SIZE
def __init__( def __init__(
self, self,
source: Union[str, io.BufferedIOBase], source: Union[str, io.BufferedIOBase],
@@ -153,12 +156,25 @@ class FFmpegAudio(AudioSource):
args: Any, args: Any,
**subprocess_kwargs: Any, **subprocess_kwargs: Any,
): ):
piping = subprocess_kwargs.get('stdin') == subprocess.PIPE piping_stdin = subprocess_kwargs.get('stdin') == subprocess.PIPE
if piping and isinstance(source, str): if piping_stdin and isinstance(source, str):
raise TypeError("parameter conflict: 'source' parameter cannot be a string when piping to stdin") raise TypeError("parameter conflict: 'source' parameter cannot be a string when piping to stdin")
stderr: Optional[IO[bytes]] = subprocess_kwargs.pop('stderr', None)
if stderr == subprocess.PIPE:
warnings.warn("Passing subprocess.PIPE does nothing", DeprecationWarning, stacklevel=3)
stderr = None
piping_stderr = False
if stderr is not None:
try:
stderr.fileno()
except Exception:
piping_stderr = True
args = [executable, *args] args = [executable, *args]
kwargs = {'stdout': subprocess.PIPE} kwargs = {'stdout': subprocess.PIPE, 'stderr': subprocess.PIPE if piping_stderr else stderr}
kwargs.update(subprocess_kwargs) kwargs.update(subprocess_kwargs)
# Ensure attribute is assigned even in the case of errors # Ensure attribute is assigned even in the case of errors
@@ -166,15 +182,24 @@ class FFmpegAudio(AudioSource):
self._process = self._spawn_process(args, **kwargs) self._process = self._spawn_process(args, **kwargs)
self._stdout: IO[bytes] = self._process.stdout # type: ignore # process stdout is explicitly set self._stdout: IO[bytes] = self._process.stdout # type: ignore # process stdout is explicitly set
self._stdin: Optional[IO[bytes]] = None self._stdin: Optional[IO[bytes]] = None
self._pipe_thread: Optional[threading.Thread] = None self._stderr: Optional[IO[bytes]] = None
self._pipe_writer_thread: Optional[threading.Thread] = None
self._pipe_reader_thread: Optional[threading.Thread] = None
if piping: if piping_stdin:
n = f'popen-stdin-writer:{id(self):#x}' n = f'popen-stdin-writer:{id(self):#x}'
self._stdin = self._process.stdin self._stdin = self._process.stdin
self._pipe_thread = threading.Thread(target=self._pipe_writer, args=(source,), daemon=True, name=n) self._pipe_writer_thread = threading.Thread(target=self._pipe_writer, args=(source,), daemon=True, name=n)
self._pipe_thread.start() self._pipe_writer_thread.start()
if piping_stderr:
n = f'popen-stderr-reader:{id(self):#x}'
self._stderr = self._process.stderr
self._pipe_reader_thread = threading.Thread(target=self._pipe_reader, args=(stderr,), daemon=True, name=n)
self._pipe_reader_thread.start()
def _spawn_process(self, args: Any, **subprocess_kwargs: Any) -> subprocess.Popen: def _spawn_process(self, args: Any, **subprocess_kwargs: Any) -> subprocess.Popen:
_log.debug('Spawning ffmpeg process with command: %s', args)
process = None process = None
try: try:
process = subprocess.Popen(args, creationflags=CREATE_NO_WINDOW, **subprocess_kwargs) process = subprocess.Popen(args, creationflags=CREATE_NO_WINDOW, **subprocess_kwargs)
@@ -207,8 +232,7 @@ class FFmpegAudio(AudioSource):
def _pipe_writer(self, source: io.BufferedIOBase) -> None: def _pipe_writer(self, source: io.BufferedIOBase) -> None:
while self._process: while self._process:
# arbitrarily large read size data = source.read(self.BLOCKSIZE)
data = source.read(8192)
if not data: if not data:
if self._stdin is not None: if self._stdin is not None:
self._stdin.close() self._stdin.close()
@@ -222,9 +246,27 @@ class FFmpegAudio(AudioSource):
self._process.terminate() self._process.terminate()
return return
def _pipe_reader(self, dest: IO[bytes]) -> None:
while self._process:
if self._stderr is None:
return
try:
data: bytes = self._stderr.read(self.BLOCKSIZE)
except Exception:
_log.debug('Read error for %s, this is probably not a problem', self, exc_info=True)
return
if data is None:
return
try:
dest.write(data)
except Exception:
_log.exception('Write error for %s', self)
self._stderr.close()
return
def cleanup(self) -> None: def cleanup(self) -> None:
self._kill_process() self._kill_process()
self._process = self._stdout = self._stdin = MISSING self._process = self._stdout = self._stdin = self._stderr = MISSING
class FFmpegPCMAudio(FFmpegAudio): class FFmpegPCMAudio(FFmpegAudio):
@@ -250,7 +292,6 @@ class FFmpegPCMAudio(FFmpegAudio):
to the stdin of ffmpeg. Defaults to ``False``. to the stdin of ffmpeg. Defaults to ``False``.
stderr: Optional[:term:`py:file object`] stderr: Optional[:term:`py:file object`]
A file-like object to pass to the Popen constructor. A file-like object to pass to the Popen constructor.
Could also be an instance of ``subprocess.PIPE``.
before_options: Optional[:class:`str`] before_options: Optional[:class:`str`]
Extra command line arguments to pass to ffmpeg before the ``-i`` flag. Extra command line arguments to pass to ffmpeg before the ``-i`` flag.
options: Optional[:class:`str`] options: Optional[:class:`str`]
@@ -268,7 +309,7 @@ class FFmpegPCMAudio(FFmpegAudio):
*, *,
executable: str = 'ffmpeg', executable: str = 'ffmpeg',
pipe: bool = False, pipe: bool = False,
stderr: Optional[IO[str]] = None, stderr: Optional[IO[bytes]] = None,
before_options: Optional[str] = None, before_options: Optional[str] = None,
options: Optional[str] = None, options: Optional[str] = None,
) -> None: ) -> None:
@@ -280,7 +321,14 @@ class FFmpegPCMAudio(FFmpegAudio):
args.append('-i') args.append('-i')
args.append('-' if pipe else source) args.append('-' if pipe else source)
args.extend(('-f', 's16le', '-ar', '48000', '-ac', '2', '-loglevel', 'warning'))
# fmt: off
args.extend(('-f', 's16le',
'-ar', '48000',
'-ac', '2',
'-loglevel', 'warning',
'-blocksize', str(self.BLOCKSIZE)))
# fmt: on
if isinstance(options, str): if isinstance(options, str):
args.extend(shlex.split(options)) args.extend(shlex.split(options))
@@ -348,7 +396,6 @@ class FFmpegOpusAudio(FFmpegAudio):
to the stdin of ffmpeg. Defaults to ``False``. to the stdin of ffmpeg. Defaults to ``False``.
stderr: Optional[:term:`py:file object`] stderr: Optional[:term:`py:file object`]
A file-like object to pass to the Popen constructor. A file-like object to pass to the Popen constructor.
Could also be an instance of ``subprocess.PIPE``.
before_options: Optional[:class:`str`] before_options: Optional[:class:`str`]
Extra command line arguments to pass to ffmpeg before the ``-i`` flag. Extra command line arguments to pass to ffmpeg before the ``-i`` flag.
options: Optional[:class:`str`] options: Optional[:class:`str`]
@@ -381,7 +428,7 @@ class FFmpegOpusAudio(FFmpegAudio):
args.append('-i') args.append('-i')
args.append('-' if pipe else source) args.append('-' if pipe else source)
codec = 'copy' if codec in ('opus', 'libopus') else 'libopus' codec = 'copy' if codec in ('opus', 'libopus', 'copy') else 'libopus'
bitrate = bitrate if bitrate is not None else 128 bitrate = bitrate if bitrate is not None else 128
# fmt: off # fmt: off
@@ -391,7 +438,10 @@ class FFmpegOpusAudio(FFmpegAudio):
'-ar', '48000', '-ar', '48000',
'-ac', '2', '-ac', '2',
'-b:a', f'{bitrate}k', '-b:a', f'{bitrate}k',
'-loglevel', 'warning')) '-loglevel', 'warning',
'-fec true',
'-packet_loss 15',
'-blocksize', str(self.BLOCKSIZE)))
# fmt: on # fmt: on
if isinstance(options, str): if isinstance(options, str):