
Recherche avancée
Médias (91)
-
Chuck D with Fine Arts Militia - No Meaning No
15 septembre 2011, par
Mis à jour : Septembre 2011
Langue : English
Type : Audio
-
Paul Westerberg - Looking Up in Heaven
15 septembre 2011, par
Mis à jour : Septembre 2011
Langue : English
Type : Audio
-
Le Tigre - Fake French
15 septembre 2011, par
Mis à jour : Septembre 2011
Langue : English
Type : Audio
-
Thievery Corporation - DC 3000
15 septembre 2011, par
Mis à jour : Septembre 2011
Langue : English
Type : Audio
-
Dan the Automator - Relaxation Spa Treatment
15 septembre 2011, par
Mis à jour : Septembre 2011
Langue : English
Type : Audio
-
Gilberto Gil - Oslodum
15 septembre 2011, par
Mis à jour : Septembre 2011
Langue : English
Type : Audio
Autres articles (66)
-
MediaSPIP v0.2
21 juin 2013, parMediaSPIP 0.2 est la première version de MediaSPIP stable.
Sa date de sortie officielle est le 21 juin 2013 et est annoncée ici.
Le fichier zip ici présent contient uniquement les sources de MediaSPIP en version standalone.
Comme pour la version précédente, il est nécessaire d’installer manuellement l’ensemble des dépendances logicielles sur le serveur.
Si vous souhaitez utiliser cette archive pour une installation en mode ferme, il vous faudra également procéder à d’autres modifications (...) -
MediaSPIP version 0.1 Beta
16 avril 2011, parMediaSPIP 0.1 beta est la première version de MediaSPIP décrétée comme "utilisable".
Le fichier zip ici présent contient uniquement les sources de MediaSPIP en version standalone.
Pour avoir une installation fonctionnelle, il est nécessaire d’installer manuellement l’ensemble des dépendances logicielles sur le serveur.
Si vous souhaitez utiliser cette archive pour une installation en mode ferme, il vous faudra également procéder à d’autres modifications (...) -
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
Sur d’autres sites (10593)
-
ffmpeg in server cant upload video over 4 minutes
12 octobre 2020, par Victor01288888here's my code


ffmpeg(stream)
 .output(videoPath)
 .on("start", function () {
 console.log("Starting video compression... please wait...");
 })
 .on("error", function (err) {
 console.log("Something went wrong: " + err.message + " " + err.name);
 })
 .outputOptions(
 "-vcodec",
 "libx264",
 "-crf",
 "35", // change the crf value: high = lower quality & size, low = higher quality & size
 "-format",
 "mp4"
 )
 .on("progress", function (progress) {
 console.log(
 "Processing: " +
 Math.round(progress.currentKbps / progress.targetSize) +
 "% done"
 );
 })
 .on("end", async function () {
 console.log("[ffmpeg] processing done");
 // finish compressing then upload to S3
 console.log("uploading to S3... please wait");
 // const stream2 = await fileType.stream(createReadStream());
 let stream2 = fs.createReadStream(videoPath);
 // saving data in aws(s3)
 let origin = uploadToS3(`${newFileName}`);
 stream2.pipe(origin.writeStream);

 origin && (await origin.promise);
 await Video.updateOne({ _id: video._id }, { status: "success" });

 // del tmp video
 fs.unlink(videoPath, (err) => {
 if (err) {
 console.error(err);
 }
 console.log("Converted file delete from tmp folder server");
 });
 })
 .run();



I uses this code in my server.
If I upload video in 1 minute it's ok.
But when I upload one more then 4 minute it just not appears in AWS.
and the journey only writes 0% without any error.


-
FFMPEG code is not trimming the videos properly
8 mai 2022, par michaelmuller20I am trying to trim videos from a specific folder using ffmpeg via powershell but it seems the out doesn't work. However, the files are being renamed as per the code.


<# 

This script trims videos with ffmpeg using a start and end time.
Code below that calls ffmpeg and ffprobe assumes those executables 
are included in the return for $env:path. If this is not the 
case, either add them to PATH or call the .exe using the full
path.

#>

 $files = Get-ChildItem -Filter "*.mp4" -LiteralPath "C:\Users\PC\Desktop\Sample" # create a list of files to process
 $bool_fast = $true # use a fast method to trim the video file. Set to $false to use the slow method.

 ForEach ($f in $files) {
 # set up file names
 $src = $dest = $f.FullName # store original file name
 $new_name = "$($f.BaseName)_LONGER$($f.Extension)" # create a new file name for original file by inserting "_LONGER" before the extension
 Rename-Item -Path $src -NewName $new_name # rename the original file so we can use its name for the output (ffmpeg can't overwrite files)
 $src = $dest.Replace($f.Name, $new_name) # store the new source file name

 # get the file length in seconds
 $strcmd = "ffprobe -v quiet -print_format compact=print_section=0:nokey=1:escape=csv -show_entries format=duration $src" # outputs seconds
 $len = Invoke-Expression $strcmd

 # set start and end times
 $start = 0 # where to start trim in seconds from the beginnning of original video
 $end = 4 # where to end trim in seconds from the beginnning of original video

 # trim the video
 If ($bool_fast) {
 # this method seeks to the nearest i-frame and copies ... fast
 $strcmd = "ffmpeg -i $src -ss $start -to $end -c:v copy -c:a copy $dest"
 } Else {
 # this method re-encodes the file ... slow, but more accurate adherence to a time specification
 $strcmd = "ffmpeg -i $src -ss $start -to $end $dest"
 }
 Invoke-Expression $strcmd
 }



-
ffmpeg concat work in one order but not the other
11 octobre 2023, par user3083171So I took a video and cut it two ways, one with reencoding and one without reencoding, call them R and C (cut). Im trying to do concatenation without reencoding, and I'm able to concat the video in all orders , , , , but the sound disappears for and I have no idea why.


I know I can concatenate with reencoding, but my question is specifically if someone knows why the sound drops in and maybe how to fix it. Here is some code in python


import os
import json
import subprocess

video_file = 'yourpath/vid.mp4'
# get the time between frames

ffprobe_command = f"ffprobe -v error -select_streams v:0 -show_entries stream=width,height,r_frame_rate,duration,nb_frames,codec_name -of json {video_file}"
result = subprocess.run(ffprobe_command, shell=True, stdout=subprocess.PIPE, stderr=subprocess.PIPE, text=True)

# Parse the JSON output from ffprobe
json_data = json.loads(result.stdout)

# Extract video information from the JSON data
video_info = {
 'length': int(json_data['streams'][0]['nb_frames']),
 'frames': int(json_data['streams'][0]['nb_frames']),
 'duration_seconds': float(json_data['streams'][0]['duration']),
 'fps': eval(json_data['streams'][0]['r_frame_rate']),
 'codec': json_data['streams'][0]['codec_name'],
 'time_between_frames': 1 / eval(json_data['streams'][0]['r_frame_rate'])
}
# get the time between frames
delta = video_info['time_between_frames']

directory, filename_with_extension = os.path.split(video_file)
filename, extension = os.path.splitext(filename_with_extension)
tag = "_reencode"
new_filename = f"{filename}{tag}{extension}"
reencode_file = directory + "/" + new_filename

tag = "_justcut"
new_filename = f"{filename}{tag}{extension}"
justcut_file = directory + "/" + new_filename

tag = "_concat"
new_filename = f"{filename}{tag}{extension}"
concat_file = directory + "/" + new_filename

start_time = 0.0 + 108 * delta
end_time = start_time + 180 * delta
end_frame = round(end_time / delta)
start_frame = round(start_time / delta)

# Reencode
cmd = [
 "ffmpeg",
 "-i", video_file,
 "-ss", str(start_time),
 "-to", str(end_time),
 # "-c:a", "copy",
 "-c:v", "libx264",
 "-bf", str(0), # no B frames
 "-crf", str(18), # new
 "-preset", "slow", # new
 # "-g", str(60), #forces key_frames
 # "-force_key_frames expr:gte(t, n_forced * GOP_LEN_IN_SECONDS)"
 # "-c:v", "mpeg4", #"copy", #"mpeg4"
 # "-q:v", "2",
 "-c:a", "copy",
 # "video_track_timescale", str(90)+"K",
 reencode_file
]
subprocess.run(cmd, check=True)

# Just Cut
cmd = [
 'ffmpeg',
 '-i', video_file,
 '-c', 'copy',
 '-ss', str(start_time),
 '-to', str(end_time),
 justcut_file
]
subprocess.run(cmd, check=True)

# Concat without reencoding
def concatenate_videos_without_reencoding(video1, video2, output_file):
 try:
 # Create a text file listing the videos to concatenate
 with open('input.txt', 'w') as f:
 f.write(f"file '{video1}'\n")
 f.write(f"file '{video2}'\n")

 # Run ffmpeg command to concatenate videos without re-encoding
 # subprocess.run(['ffmpeg', '-f', 'concat', '-safe', '0', '-i', 'input.txt', '-c', 'copy', output_file])

 subprocess.run(
 ['ffmpeg', '-f', 'concat', '-safe', '0', '-i', 'input.txt', '-vcodec', 'copy',
 '-acodec', 'copy', "-strict", "experimental", output_file])

 print(f"Videos concatenated successfully without re-encoding. Output saved to {output_file}")
 except Exception as e:
 print(f"An error occurred: {e}")
 finally:
 # Remove the temporary input file
 if os.path.exists('input.txt'):
 os.remove('input.txt')
# Has sound
concatenate_videos_without_reencoding(justcut_file, justcut_file, concat_file)
os.remove(concat_file)
# Has sound
concatenate_videos_without_reencoding(reencode_file, reencode_file, concat_file)
os.remove(concat_file)
# Has sound
concatenate_videos_without_reencoding(justcut_file, reencode_file, concat_file)
os.remove(concat_file)
# Has NO sound
concatenate_videos_without_reencoding(reencode_file, justcut_file, concat_file)
os.remove(concat_file)



As you can see I tried a bunch of stuff but I have no clue why the audio is not working. I've tried to force the two input videos to be as similar as possible in term of specs and keyframes and fps etc. Nothing seems to work, kinda frustrating.


I've also tried this with both mpeg4 and h264 and different framerates, but still get this behavior.