
Recherche avancée
Médias (91)
-
999,999
26 septembre 2011, par
Mis à jour : Septembre 2011
Langue : English
Type : Audio
-
The Slip - Artworks
26 septembre 2011, par
Mis à jour : Septembre 2011
Langue : English
Type : Texte
-
Demon seed (wav version)
26 septembre 2011, par
Mis à jour : Avril 2013
Langue : English
Type : Audio
-
The four of us are dying (wav version)
26 septembre 2011, par
Mis à jour : Avril 2013
Langue : English
Type : Audio
-
Corona radiata (wav version)
26 septembre 2011, par
Mis à jour : Avril 2013
Langue : English
Type : Audio
-
Lights in the sky (wav version)
26 septembre 2011, par
Mis à jour : Avril 2013
Langue : English
Type : Audio
Autres articles (54)
-
Mise à jour de la version 0.1 vers 0.2
24 juin 2013, parExplications des différents changements notables lors du passage de la version 0.1 de MediaSPIP à la version 0.3. Quelles sont les nouveautés
Au niveau des dépendances logicielles Utilisation des dernières versions de FFMpeg (>= v1.2.1) ; Installation des dépendances pour Smush ; Installation de MediaInfo et FFprobe pour la récupération des métadonnées ; On n’utilise plus ffmpeg2theora ; On n’installe plus flvtool2 au profit de flvtool++ ; On n’installe plus ffmpeg-php qui n’est plus maintenu au (...) -
Publier sur MédiaSpip
13 juin 2013Puis-je poster des contenus à partir d’une tablette Ipad ?
Oui, si votre Médiaspip installé est à la version 0.2 ou supérieure. Contacter au besoin l’administrateur de votre MédiaSpip pour le savoir -
Le plugin : Podcasts.
14 juillet 2010, parLe problème du podcasting est à nouveau un problème révélateur de la normalisation des transports de données sur Internet.
Deux formats intéressants existent : Celui développé par Apple, très axé sur l’utilisation d’iTunes dont la SPEC est ici ; Le format "Media RSS Module" qui est plus "libre" notamment soutenu par Yahoo et le logiciel Miro ;
Types de fichiers supportés dans les flux
Le format d’Apple n’autorise que les formats suivants dans ses flux : .mp3 audio/mpeg .m4a audio/x-m4a .mp4 (...)
Sur d’autres sites (7475)
-
Why doesn't the ffmpeg output display the stream in the browser ? [closed]
10 mai 2024, par TebyyWhy is it that when I create a livestream in Python using ffmpeg, and then I open the browser and visit the page, the page keeps loading continuously, and in PyCharm logs, I see binary data ? There are no errors displayed, and the code seems correct to me. I even tried saving to a file for testing purposes, and when I play the video, everything works fine. Does anyone know what might be wrong here ?


Code :


def generate_frames():
 cap = cv2.VideoCapture(os.path.normpath(app_root_dir().joinpath("data/temp", "video-979257305707693982.mp4")))
 while cap.isOpened():
 ret, frame = cap.read()
 if not ret:
 break

 yield frame


@app.route('/video_feed')
def video_feed():
 ffmpeg_command = [
 'ffmpeg', '-f', 'rawvideo', '-pix_fmt', 'bgr24',
 '-s:v', '1920x1080', '-r', '60',
 '-i', '-', '-vf', 'setpts=2.5*PTS', # Video Speed
 '-c:v', 'libvpx-vp9', '-g', '60', '-keyint_min', '60',
 '-b:v', '6M', '-minrate', '4M', '-maxrate', '12M', '-bufsize', '8M',
 '-crf', '0', '-deadline', 'realtime', '-tune', 'psnr', '-quality', 'good',
 '-tile-columns', '6', '-threads', '8', '-lag-in-frames', '16',
 '-f', 'webm', '-'
 ]
 ffmpeg_process = subprocess.Popen(ffmpeg_command, stdin=subprocess.PIPE, stderr=subprocess.PIPE, bufsize=-1)
 frames_generator = generate_frames()
 for frame in frames_generator:
 ffmpeg_process.stdin.write(frame)
 ffmpeg_process.stdin.flush()

 ffmpeg_process.stdin.close()
 ffmpeg_process.wait()

 def generate_video_stream(process):
 startTime = time.time()
 buffer = []
 sentBurst = False
 for chunk in iter(lambda: process.stderr.read(4096), b''):
 buffer.append(chunk)

 # Minimum buffer time, 3 seconds
 if sentBurst is False and time.time() > startTime + 3 and len(buffer) > 0:
 sentBurst = True
 for i in range(0, len(buffer) - 2):
 print("Send initial burst #", i)
 yield buffer.pop(0)

 elif time.time() > startTime + 3 and len(buffer) > 0:
 yield buffer.pop(0)

 process.poll()
 if isinstance(process.returncode, int):
 if process.returncode > 0:
 print('FFmpeg Error', process.returncode)

 break

 return Response(stream_with_context(generate_video_stream(ffmpeg_process)), mimetype='video/webm', content_type="video/webm; codecs=vp9", headers=Headers([("Connection", "close")]))




-
Merge commit ’7a745f014f528d1001394ae4d2f4ed1a20bf7fa2’
13 novembre 2016, par Hendrik Leppkes -
wav file from fluent-ffmpeg not working for asterisk if returned as stream nodejs
7 mars 2023, par Sunil GargI am using aws polly for text to speech and generating mp3 out of it, to get the certain wav as asterisk needs wav with specific paramters, I am using
fluent-ffmpeg
npm package.

I generated the file by providing the destination path, and returned from the api using
sendFile
method onresponse
. Here is the code

_convertMp3ToWav(mp3Buffer, destPath) {
 const { options } = this;
 return new Promise((resolve, reject) => {
 ffmpeg(mp3Buffer)
 .audioFilter(`highpass=f=300, lowpass=f=3400`)
 .outputOptions([`-ar 8000`, `-ac 1`]
 .output(destPath)
 .on('error', (err) => {
 log.error(`An error occured: ${err?.message || err?.stack}`);
 reject({ err: 'Failed to convert from mp3 to wav' });
 })
 .on('end', async () => {
 log.info(`successfully converted mp3 to wav at ${destPath}`);
 resolve({ msg: "voice file generated" });
 }).run();
 });
 }

res.status(200).sendFile(wavFilePath)



file is playable on local machine as well as working on asterisk server.


But i tried to avoid intermediate file generation, generated the stream and returned that stream using
res.send(buffer)


Here is the code


_convertMp3ToWav(mp3Buffer) {
 return new Promise((resolve, reject) => {
 // create a writable output stream to store wav stream
 const outputStream = new Stream.Writable();
 const buffer = [];
 // redefining _write function to write wav stream
 outputStream._write = function (chunk, encoding, done) {
 buffer.push(chunk);
 done();
 };
 // convert mp3 buffer to wav buffer 
 ffmpeg(mp3Buffer)
 .audioFilter(`highpass=f=300, lowpass=f=3400`)
 .outputOptions([`-ar 8000`, `-ac 1`])
 .output(outputStream)
 .format('wav')
 .on('error', (err) => {
 log.error(`An error occured: ${err?.message || err?.stack}`);
 reject({ err: 'Failed to convert from mp3 to wav' });
 })
 .on('end', async () => {
 try {
 // create wav buffer 
 const wavBuffer = Buffer.concat(buffer);
 log.info(`successfully converted mp3 to wav buffer`);
 
 resolve({ wavBuffer });
 }
 catch (err) {
 log.error(`failed to create wav buffer : ${err?.message || err?.stack}`);
 reject({ err: 'Failed to create wav buffer' });
 }
 }).run();
 });
 }

const buffer = await this._convertMp3ToWav(bufferStream);
res.send(buffer.wavBuffer);



I tried using as well


// set content type to audio/wav
res.set('Content-Type', 'audio/wav');



the file is playable on local but not working on asterisk.


Is there any problem with sending or encoding issues ?


Update1


tried writing directly to the res like this


_convertMp3ToWav(mp3Buffer, res) {
 return new Promise((resolve, reject) => {
 // create a writable output stream to send wav stream in response
 const outputStream = new Stream.Writable();
 outputStream._write = function (chunk, encoding, done) {
 res.write(chunk, encoding);
 done();
 };
 // convert mp3 buffer to wav buffer
 ffmpeg(mp3Buffer)
 .audioFilter(`highpass=f=300, lowpass=f=3400`)
 .outputOptions([`-ar 8000`, `-ac 1`])
 .output(outputStream)
 .format('wav')
 .on('error', (err) => {
 reject({ err: 'Failed to convert from mp3 to wav' });
 })
 .on('end', async () => {
 try {
 // end the response stream
 res.end();
 resolve();
 }
 catch (err) {
 reject({ err: 'Failed to send wav buffer in response' });
 }
 }).run();
 });
}



files generated from both functions mentioned in questions are not playable on asterisk, I checked the properties of these files using this website


and both files are showing


at least one of the list chunks has an incorrect length



other properties that asterisk understands are the same




and this file i can play on windows machine. Any help ?