Recherche avancée

Médias (0)

Mot : - Tags -/diogene

Aucun média correspondant à vos critères n’est disponible sur le site.

Autres articles (31)

  • Personnaliser les catégories

    21 juin 2013, par

    Formulaire de création d’une catégorie
    Pour ceux qui connaissent bien SPIP, une catégorie peut être assimilée à une rubrique.
    Dans le cas d’un document de type catégorie, les champs proposés par défaut sont : Texte
    On peut modifier ce formulaire dans la partie :
    Administration > Configuration des masques de formulaire.
    Dans le cas d’un document de type média, les champs non affichés par défaut sont : Descriptif rapide
    Par ailleurs, c’est dans cette partie configuration qu’on peut indiquer le (...)

  • HTML5 audio and video support

    13 avril 2011, par

    MediaSPIP uses HTML5 video and audio tags to play multimedia files, taking advantage of the latest W3C innovations supported by modern browsers.
    The MediaSPIP player used has been created specifically for MediaSPIP and can be easily adapted to fit in with a specific theme.
    For older browsers the Flowplayer flash fallback is used.
    MediaSPIP allows for media playback on major mobile platforms with the above (...)

  • Support audio et vidéo HTML5

    10 avril 2011

    MediaSPIP utilise les balises HTML5 video et audio pour la lecture de documents multimedia en profitant des dernières innovations du W3C supportées par les navigateurs modernes.
    Pour les navigateurs plus anciens, le lecteur flash Flowplayer est utilisé.
    Le lecteur HTML5 utilisé a été spécifiquement créé pour MediaSPIP : il est complètement modifiable graphiquement pour correspondre à un thème choisi.
    Ces technologies permettent de distribuer vidéo et son à la fois sur des ordinateurs conventionnels (...)

Sur d’autres sites (8051)

  • FFmpeg export codec not supported by Samsung

    21 juillet 2021, par Coski

    I am using FFmpeg to render videos (concatenating image files with audio and then applying speed and volume filters) to export videos to upload to TikTok. As a result, I must first move the videos to my phone.

    


    I do not understand why my phone (S20) will happily play one of the videos (codec information pictured first), but presents an error "Codec not supported" when playing the other (information second).

    


    The Supported File

    


    The unsupported file

    


    The codec information is from VLC, and as you can see, both videos have identical Codecs (H264-MPEG4).

    


    From analysing the information, the only conclusion I come to is that it has something to do with the fact that the "Decoded Format" differs across the videos. How can I change my export command on the latter so my phone supports the codec ?

    


    CONCATENATION CODE
ffmpeg -f concat -safe 0 -i {path_temp}\\clips.txt -c copy -y "{path_temp}\\{title}_a.mp4

    


    FILTER CODE
ffmpeg -i input.mp4 -filter:a "volume={volume}" -y temp.mp4"

    


    SECOND FILTER
ffmpeg -i temp.mp4 -filter_complex "[0:v]setpts={1/speed}*PTS[v];[0:a]atempo={speed}[a]" -map "[v]" -map "[a]" -y output.mp4

    


  • python [WinError 2] the System Cannot Find the File Specified

    15 août 2024, par user26831166

    Code cant create a certain file
The thing is code isn't mine a took it from a friend and my friend get it from another person
and this 2 person can run code without any problem
but i have.

    


    import os
import random
import shutil
import subprocess

# Путь к папке с видео
video_folder = r'D:\bots\ttvidads\VID\Videorez'

# Путь к папке для сохранения результатов
output_folder = r'D:\bots\ttvidads\VID\ZAGOTOVKI\Videopod1'

# Очищаем содержимое конечной папки перед сохранением
for file in os.listdir(output_folder):
    file_path = os.path.join(output_folder, file)
    try:
        if os.path.isfile(file_path):
            os.unlink(file_path)
    except Exception as e:
        print(f"Failed to delete {file_path}. Reason: {e}")

# Получаем список видеофайлов
video_files = [os.path.join(video_folder, file) for file in os.listdir(video_folder) if file.endswith(('.mp4', '.avi'))]

# Выбираем случайное видео
random_video = random.choice(video_files)

# Получаем длительность видео в секундах
video_duration_command = f'ffprobe -v error -show_entries format=duration -of default=noprint_wrappers=1:nokey=1 "{random_video}"'
video_duration_process = subprocess.Popen(video_duration_command, stdout=subprocess.PIPE, stderr=subprocess.PIPE, shell=True)
video_duration_output, _ = video_duration_process.communicate()
video_duration = float(video_duration_output)

# Выбираем случайное начальное время для вырезания
random_start = random.randrange(0, int(video_duration) - 19, 8)

# Получаем ширину и высоту исходного видео
video_info_command = f'ffprobe -v error -select_streams v:0 -show_entries stream=width,height -of csv=s=x:p=0 "{random_video}"'
video_info_process = subprocess.Popen(video_info_command, stdout=subprocess.PIPE, stderr=subprocess.PIPE, shell=True)
video_info_output, _ = video_info_process.communicate()
video_width, video_height = map(int, video_info_output.strip().split(b'x'))

# Вычисляем новые координаты x1 и x2 для обрезки
max_x1 = video_width - int(video_height * 9 / 16)
random_x1 = random.randint(0, max_x1)
random_x2 = random_x1 + int(video_height * 9 / 16)

# Формируем команду для FFmpeg для выборки случайного отрезка видео с соотношением 9:16
ffmpeg_command = f'ffmpeg -hwaccel cuda -ss {random_start} -i "{random_video}" -t 19 -vf "crop={random_x2-random_x1}:{video_height}:{random_x1}:0" -c:v h264_nvenc -preset default -an -c:a aac -b:a 128k "{output_folder}\\temp.mp4"'

# Выполняем команду с помощью subprocess
subprocess.run(ffmpeg_command, shell=True)

# Изменяем яркость, контрастность и размываем видео
brightness_factor = random.uniform(-0.18, -0.12)  # Случайный коэффициент яркости
contrast_factor = random.uniform(0.95, 1.05)  # Случайный коэффициент контрастности
blur_factor = random.uniform(4, 5)  # Случайный коэффициент размытия

# Формируем команду для FFmpeg для изменения яркости, контрастности и размытия видео
ffmpeg_modify_command = f'ffmpeg -hwaccel cuda -i "{output_folder}\\temp.mp4" -vf "eq=brightness={brightness_factor}:contrast={contrast_factor},boxblur={blur_factor}:{blur_factor}" -c:v h264_nvenc -preset default -an -c:a aac -b:a 128k "{output_folder}\\temp_modify.mp4"'

# Выполняем команду с помощью subprocess
subprocess.run(ffmpeg_modify_command, shell=True)

# Растягиваем видео до нужного разрешения (1080x1920)
ffmpeg_stretch_command = f'ffmpeg -hwaccel cuda -i "{output_folder}\\temp_modify.mp4" -vf "scale=1080:1920" -c:v h264_nvenc -preset default -an -c:a aac -b:a 128k -r 30 "{output_folder}\\final_output.mp4"'

# Выполняем команду с помощью subprocess
subprocess.run(ffmpeg_stretch_command, shell=True)

# Удаляем временные файлы
os.remove(os.path.join(output_folder, 'temp.mp4'))
os.remove(os.path.join(output_folder, 'temp_modify.mp4'))

print("Видеофайл успешно обработан и сохранен.")


    


    Error i got after run the code

    


    = RESTART: D:\Bots\2vidpod.py&#xA;Traceback (most recent call last):&#xA;  File "D:\Bots\2vidpod.py", line 71, in <module>&#xA;    os.remove(os.path.join(output_folder, &#x27;temp.mp4&#x27;))&#xA;FileNotFoundError: [WinError 2] Не удается найти указанный файл: &#x27;D:\\bots\\ttvidads\\VID\\ZAGOTOVKI\\Videopod1\\temp.mp4&#x27;&#xA;</module>

    &#xA;

    so things i checked is&#xA;path is right&#xA;programs is installed FFMPEG and PYTHON all additional libraries downloaded&#xA;i pretty sure error caused by regular path and i wanna know if absolute path can do the thing

    &#xA;

  • 2023-04-18 18:25:05 INFO discord.player ffmpeg process ##### successfully terminated with return code of 0

    19 avril 2023, par I_am_thing

    I am making a discord music bot with discord.py and ctx, it uses Spotify

    &#xA;

    I am using FFmpeg for my music feature. This is my !play code

    &#xA;

    client_id = &#x27;&#x27;&#xA;client_secret = &#x27;&#x27;&#xA;client_credentials_manager = SpotifyClientCredentials(client_id=client_id, client_secret=client_secret)&#xA;sp = spotipy.Spotify(client_credentials_manager=client_credentials_manager)&#xA;&#xA;bot.volume = 0.5 # initial volume of the bot (can be changed)&#xA;&#xA;@bot.command()&#xA;async def play(ctx, *, track_query):&#xA;    # check if the query is a valid Spotify link&#xA;    if &#x27;open.spotify.com/track/&#x27; in track_query:&#xA;        track_id = track_query.split(&#x27;/&#x27;)[-1] # extract the track ID from the link&#xA;    else:&#xA;        # search for tracks with the given name&#xA;        track_results = sp.search(q=track_query, type=&#x27;track&#x27;, limit=1)&#xA;        if len(track_results[&#x27;tracks&#x27;][&#x27;items&#x27;]) == 0:&#xA;            await ctx.send(f&#x27;Sorry, I could not find any track with the name "{track_query}".&#x27;)&#xA;            return&#xA;        track_id = track_results[&#x27;tracks&#x27;][&#x27;items&#x27;][0][&#x27;id&#x27;] # get the track ID for the first search result&#xA;    track_info = sp.track(track_id) # get the track information for the given ID&#xA;    track_name = track_info[&#x27;name&#x27;]&#xA;    track_artist = track_info[&#x27;artists&#x27;][0][&#x27;name&#x27;]&#xA;    track_duration = time.strftime(&#x27;%M:%S&#x27;, time.gmtime(track_info[&#x27;duration_ms&#x27;]//1000))&#xA;    track_preview_url = track_info[&#x27;preview_url&#x27;] # get the preview URL for the track&#xA;    if track_preview_url is None:&#xA;        await ctx.send(f&#x27;Sorry, the track "{track_name}" by {track_artist} cannot be played.&#x27;)&#xA;        return&#xA;    voice_channel = ctx.author.voice.channel&#xA;    if voice_channel is None:&#xA;        await ctx.send(&#x27;Please join a voice channel first.&#x27;)&#xA;        return&#xA;    voice_client = await voice_channel.connect()&#xA;    audio_source = discord.FFmpegPCMAudio(track_preview_url, options="-b:a 128k -bufsize 512k")&#xA;    voice_client.play(audio_source, after=lambda e: print(&#x27;Player error: %s&#x27; % e) if e else None)&#xA;    voice_client.source = discord.PCMVolumeTransformer(voice_client.source)&#xA;    voice_client.source.volume = bot.volume&#xA;&#xA;    # format the embed message&#xA;    embed = discord.Embed(title=track_name, description=track_artist, color=0xff8c00)&#xA;    embed.add_field(name=&#x27;Duration&#x27;, value=track_duration, inline=True)&#xA;    embed.set_thumbnail(url=track_info[&#x27;album&#x27;][&#x27;images&#x27;][0][&#x27;url&#x27;])&#xA;    embed.set_footer(text=&#x27;This music is from https://www.spotify.com/&#x27;)&#xA;    await ctx.send(embed=embed)&#xA;&#xA;    while voice_client.is_playing():&#xA;        await asyncio.sleep(1)&#xA;    await voice_client.disconnect()&#xA;

    &#xA;

    I joined the unofficial ffmpeg discord server no one could find a fix I searched for ages and I couldn't fix it

    &#xA;