web-dev-qa-db-ja.com

プログラムでPythonでビデオまたはアニメーションGIFを生成しますか?

ビデオを作成したい一連の画像があります。理想的には、各フレームのフレーム期間を指定できますが、固定フレームレートでも問題ありません。これをwxPythonで行っているので、wxDCにレンダリングしたり、PNGなどのファイルに画像を保存したりできます。これらのフレームからビデオ(AVI、MPGなど)またはアニメーションGIFを作成できるPythonライブラリはありますか?

編集:私はすでにPILを試しましたが、うまくいかないようです。誰かがこの結論で私を修正したり、別のツールキットを提案したりできますか?このリンクは、PILに関する私の結論を裏付けているようです: http://www.somethinkodd.com/oddthinking/2005/12/06/python-imaging-library-pil-and-animated-gifs/

177
FogleBird

さて、今はImageMagickを使用しています。フレームをPNGファイルとして保存し、ImageMagickのconvert.exeをPythonから呼び出して、アニメーションGIFを作成します。このアプローチの良いところは、各フレームのフレーム期間を個別に指定できることです。残念ながら、これはImageMagickがマシンにインストールされていることに依存しています。これらにはPythonラッパーがありますが、かなりくだらないもので、サポートされていません。まだ他の提案を受け入れています。

38
FogleBird

PIL/Pillowに問題があり、アクティブにメンテナンスされていないため、visvisのimages2gifを使用しないことをお勧めします(著者であるため、知っておくべきです)。

代わりに、 imageio を使用してください。これは、この問題などを解決するために開発されたものであり、今後も使用される予定です。

迅速で汚れたソリューション:

import imageio
images = []
for filename in filenames:
    images.append(imageio.imread(filename))
imageio.mimsave('/path/to/movie.gif', images)

長い映画の場合は、ストリーミングアプローチを使用します。

import imageio
with imageio.get_writer('/path/to/movie.gif', mode='I') as writer:
    for filename in filenames:
        image = imageio.imread(filename)
        writer.append_data(image)
193
Almar

2009年6月現在、最初に引用されたブログ投稿には、アニメーションGIFを作成する方法があります コメント内 。スクリプトをダウンロードします images2gif.py (以前の images2gif.py 、@ geographikaの厚意により更新)。

次に、gifのフレームを反転するには、たとえば:

#!/usr/bin/env python

from PIL import Image, ImageSequence
import sys, os
filename = sys.argv[1]
im = Image.open(filename)
original_duration = im.info['duration']
frames = [frame.copy() for frame in ImageSequence.Iterator(im)]    
frames.reverse()

from images2gif import writeGif
writeGif("reverse_" + os.path.basename(filename), frames, duration=original_duration/1000.0, dither=0)
41
kostmo

images2gif.py を使用しましたが、これは使いやすかったです。ただし、ファイルサイズは2倍になったようです。

26個の110kb PNGファイル、26 * 110kb = 2860kbを期待していましたが、my_gif.GIFは5.7mbでした

また、GIFは8ビットであったため、GIFでNice pngが少しぼやけてしまいました。

私が使用したコードは次のとおりです。

__author__ = 'Robert'
from images2gif import writeGif
from PIL import Image
import os

file_names = sorted((fn for fn in os.listdir('.') if fn.endswith('.png')))
#['animationframa.png', 'animationframb.png', 'animationframc.png', ...] "

images = [Image.open(fn) for fn in file_names]

print writeGif.__doc__
# writeGif(filename, images, duration=0.1, loops=0, dither=1)
#    Write an animated gif from the specified images.
#    images should be a list of numpy arrays of PIL images.
#    Numpy images of type float should have pixels between 0 and 1.
#    Numpy images of other types are expected to have values between 0 and 255.


#images.extend(reversed(images)) #infinit loop will go backwards and forwards.

filename = "my_gif.GIF"
writeGif(filename, images, duration=0.2)
#54 frames written
#
#Process finished with exit code 0

26フレームのうち3フレームです。

Here are 3 of the 26 frames

画像を縮小するとサイズが小さくなります。

size = (150,150)
for im in images:
    im.thumbnail(size, Image.ANTIALIAS)

smaller gif

25
robert king

ビデオを作成するには、 opencv を使用できます。

#load your frames
frames = ...
#create a video writer
writer = cvCreateVideoWriter(filename, -1, fps, frame_size, is_color=1)
#and write your frames in a loop if you want
cvWriteFrame(writer, frames[i])
18
attwad

それはpythonライブラリではありませんが、mencoderはそれを行うことができます: 複数の入力画像ファイルからのエンコーディング 。次のようにpythonからmencoderを実行できます。

import os

os.system("mencoder ...")
5
willurd

私はこの投稿に出会いましたが、どのソリューションも機能していませんでしたので、ここに私の機能するソリューション

これまでの他のソリューションの問題:
1)期間の変更方法に関する明確な解決策はありません
2)順不同のディレクトリ反復には解決策がありません。これはGIFに不可欠です
python 3のimageioのインストール方法の説明はありません

このようにimageioをインストール: python3 -m pip install imageio

注:並べ替えられるように、フレームのファイル名に何らかのインデックスがあることを確認する必要があります。そうしないと、GIFの開始位置または終了位置を知る方法がありません。

import imageio
import os

path = '/Users/myusername/Desktop/Pics/' # on Mac: right click on a folder, hold down option, and click "copy as pathname"

image_folder = os.fsencode(path)

filenames = []

for file in os.listdir(image_folder):
    filename = os.fsdecode(file)
    if filename.endswith( ('.jpeg', '.png', '.gif') ):
        filenames.append(filename)

filenames.sort() # this iteration technique has no built in order, so sort the frames

images = list(map(lambda filename: imageio.imread(filename), filenames))

imageio.mimsave(os.path.join('movie.gif'), images, duration = 0.04) # modify duration as needed
5
Daniel McGrath

ウォーレンが言ったように昨年、これは古い質問です。人々はまだページを閲覧しているように見えるので、私は彼らをより現代的なソリューションにリダイレクトしたいと思います。 blakevが here に言ったように、 github にPillowの例があります。

 import ImageSequence
 import Image
 import gifmaker
 sequence = []

 im = Image.open(....)

 # im is your original image
 frames = [frame.copy() for frame in ImageSequence.Iterator(im)]

 # write GIF animation
 fp = open("out.gif", "wb")
 gifmaker.makedelta(fp, frames)
 fp.close()

注:この例は時代遅れです(gifmakerはインポート可能なモジュールではなく、スクリプトのみです)。 Pillowには GifImagePlugin (ソースは GitHubで )がありますが、 ImageSequenceのドキュメント は限定的なサポートを示しているようです(読み取り専用)

5
Nathan

これまでに投稿されたすべてよりも簡単なので、もう1つの回答を投稿しています。

from PIL import Image

width = 300
height = 300
im1 = Image.new("RGBA", (width, height), (255, 0, 0))
im2 = Image.new("RGBA", (width, height), (255, 255, 0))
im3 = Image.new("RGBA", (width, height), (255, 255, 255))
im1.save("out.gif", save_all=True, append_images=[im2, im3], duration=100, loop=0)

既存の画像を使用する:

from PIL import Image

im1 = Image.open('a.png')
im2 = Image.open('b.png')
im3 = Image.open('c.png')
im1.save("out.gif", save_all=True, append_images=[im2, im3], duration=100, loop=0)

そして、枕の低すぎるバージョンが静かに失敗しているので、ライブラリバージョンチェック付きのボーナスバージョンとしてここにあります:

from packaging import version
from PIL import Image

im1 = Image.open('a.png')
im2 = Image.open('b.png')
im3 = Image.open('c.png')
if version.parse(Image.PILLOW_VERSION) < version.parse("3.4"):
    print("Pillow in version not supporting making animated gifs")
    print("you need to upgrade library version")
    print("see release notes in")
    print("https://pillow.readthedocs.io/en/latest/releasenotes/3.4.0.html#append-images-to-gif")
else:
    im1.save("out.gif", save_all=True, append_images=[
             im2, im3], duration=100, loop=0)
4

Windows7、python2.7、opencv 3.0では、次のように動作します。

import cv2
import os

vvw           =   cv2.VideoWriter('mymovie.avi',cv2.VideoWriter_fourcc('X','V','I','D'),24,(640,480))
frameslist    =   os.listdir('.\\frames')
howmanyframes =   len(frameslist)
print('Frames count: '+str(howmanyframes)) #just for debugging

for i in range(0,howmanyframes):
    print(i)
    theframe = cv2.imread('.\\frames\\'+frameslist[i])
    vvw.write(theframe)
4
Jacek Słoma

古い質問、たくさんの良い答えですが、まだ別の選択肢に興味があるかもしれません...

最近githubに追加したnumpngwモジュール( https://github.com/WarrenWeckesser/numpngw )は、numpy配列からアニメーションPNGファイルを書き込むことができます。 (Updatenumpngwは現在pypiにあります: https://pypi.python.org/pypi/numpngw 。)

たとえば、次のスクリプト:

import numpy as np
import numpngw


img0 = np.zeros((64, 64, 3), dtype=np.uint8)
img0[:32, :32, :] = 255
img1 = np.zeros((64, 64, 3), dtype=np.uint8)
img1[32:, :32, 0] = 255
img2 = np.zeros((64, 64, 3), dtype=np.uint8)
img2[32:, 32:, 1] = 255
img3 = np.zeros((64, 64, 3), dtype=np.uint8)
img3[:32, 32:, 2] = 255
seq = [img0, img1, img2, img3]
for img in seq:
    img[16:-16, 16:-16] = 127
    img[0, :] = 127
    img[-1, :] = 127
    img[:, 0] = 127
    img[:, -1] = 127

numpngw.write_apng('foo.png', seq, delay=250, use_palette=True)

作成:

animated png

アニメーションを表示するには、(直接またはプラグインを使用して)アニメーションPNGをサポートするブラウザーが必要です。

4

前述のメンバーの1人として、imageioはこれを行うための優れた方法です。 imageioでは、フレームレートを設定することもできます。実際、Pythonで関数を作成し、最終フレームにホールドを設定できます。この関数は、ループは便利ですが、即時の再起動は役に立たない科学的なアニメーションに使用します。リンクと機能は次のとおりです。

Pythonを使用してGIFを作成する方法

import matplotlib.pyplot as plt
import os
import imageio

def gif_maker(gif_name,png_dir,gif_indx,num_gifs,dpi=90):
    # make png path if it doesn't exist already
    if not os.path.exists(png_dir):
        os.makedirs(png_dir)

    # save each .png for GIF
    # lower dpi gives a smaller, grainier GIF; higher dpi gives larger, clearer GIF
    plt.savefig(png_dir+'frame_'+str(gif_indx)+'_.png',dpi=dpi)
    plt.close('all') # comment this out if you're just updating the x,y data

    if gif_indx==num_gifs-1:
        # sort the .png files based on index used above
        images,image_file_names = [],[]
        for file_name in os.listdir(png_dir):
            if file_name.endswith('.png'):
                image_file_names.append(file_name)       
        sorted_files = sorted(image_file_names, key=lambda y: int(y.split('_')[1]))

        # define some GIF parameters

        frame_length = 0.5 # seconds between frames
        end_pause = 4 # seconds to stay on last frame
        # loop through files, join them to image array, and write to GIF called 'wind_turbine_dist.gif'
        for ii in range(0,len(sorted_files)):       
            file_path = os.path.join(png_dir, sorted_files[ii])
            if ii==len(sorted_files)-1:
                for jj in range(0,int(end_pause/frame_length)):
                    images.append(imageio.imread(file_path))
            else:
                images.append(imageio.imread(file_path))
        # the duration is the time spent on each image (1/duration is frame rate)
        imageio.mimsave(gif_name, images,'GIF',duration=frame_length)

Example GIF using this method

PyMedia を試しましたか? 100%確信はありませんが、 このチュートリアルの例 はあなたの問題を対象としています。

4
Jakub Šturc

私にとってそれを機能させる最も簡単なことは、Pythonでシェルコマンドを呼び出すことです。

Dummy_image_1.png、dummy_image_2.png ... dummy_image_N.pngなどの画像が保存されている場合、次の関数を使用できます。

import subprocess
def grid2gif(image_str, output_gif):
    str1 = 'convert -delay 100 -loop 1 ' + image_str  + ' ' + output_gif
    subprocess.call(str1, Shell=True)

実行するだけです:

grid2gif("dummy_image*.png", "my_output.gif")

これにより、gifファイルmy_output.gifが作成されます。

3
Pkjain

タスクは、一連の画像ファイルと同じフォルダーから2行のpythonスクリプトを実行することで完了できます。 png形式のファイルの場合、スクリプトは-

from scitools.std import movie
movie('*.png',fps=1,output_file='thisismygif.gif')
2
ArKE

私は単一行コードを探していましたが、私のアプリケーションで以下が機能することがわかりました。ここに私がやったことがあります:

最初のステップ:下のリンクからImageMagickをインストールします

https://www.imagemagick.org/script/download.php

enter image description here

2番目のステップ:画像(私の場合は.png形式)が配置されているフォルダーをcmd行にポイントします

enter image description here

3番目のステップ:次のコマンドを入力します

magick -quality 100 *.png outvideo.mpeg

enter image description here

FogleBirdのアイデアに感謝します!

1
MedImage

私は次のことを試してみましたが、とても役に立ちました。

最初にライブラリFigtodatおよびimages2gifをローカルディレクトリにダウンロードします。

次に、図を配列に収集し、アニメーションGIFに変換します。

import sys
sys.path.insert(0,"/path/to/your/local/directory")
import Figtodat
from images2gif import writeGif
import matplotlib.pyplot as plt
import numpy

figure = plt.figure()
plot   = figure.add_subplot (111)

plot.hold(False)
    # draw a cardinal sine plot
images=[]
y = numpy.random.randn(100,5)
for i in range(y.shape[1]):
    plot.plot (numpy.sin(y[:,i]))  
    plot.set_ylim(-3.0,3)
    plot.text(90,-2.5,str(i))
    im = Figtodat.fig2img(figure)
    images.append(im)

writeGif("images.gif",images,duration=0.3,dither=0)
0
Cro-Magnon

PILのImageSequenceモジュールに出会いました。このモジュールは、より優れた(より標準的な)GIFアニメーションを提供します。また、今回はTkのafter()メソッドを使用します。これはtime.sleep()よりも優れています。

from Tkinter import * 
from PIL import Image, ImageTk, ImageSequence

def stop(event):
  global play
  play = False
  exit() 

root = Tk()
root.bind("<Key>", stop) # Press any key to stop
GIFfile = {path_to_your_GIF_file}
im = Image.open(GIFfile); img = ImageTk.PhotoImage(im)
delay = im.info['duration'] # Delay used in the GIF file 
lbl = Label(image=img); lbl.pack() # Create a label where to display images
play = True;
while play:
  for frame in ImageSequence.Iterator(im):
    if not play: break 
    root.after(delay);
    img = ImageTk.PhotoImage(frame)
    lbl.config(image=img); root.update() # Show the new frame/image

root.mainloop()
0
Apostolos

GIFを作成する単純な関数:

import imageio
import pathlib
from datetime import datetime


def make_gif(image_directory: pathlib.Path, frames_per_second: float, **kwargs):
    """
    Makes a .gif which shows many images at a given frame rate.
    All images should be in order (don't know how this works) in the image directory

    Only tested with .png images but may work with others.

    :param image_directory:
    :type image_directory: pathlib.Path
    :param frames_per_second:
    :type frames_per_second: float
    :param kwargs: image_type='png' or other
    :return: nothing
    """
    assert isinstance(image_directory, pathlib.Path), "input must be a pathlib object"
    image_type = kwargs.get('type', 'png')

    timestampStr = datetime.now().strftime("%y%m%d_%H%M%S")
    gif_dir = image_directory.joinpath(timestampStr + "_GIF.gif")

    print('Started making GIF')
    print('Please wait... ')

    images = []
    for file_name in image_directory.glob('*.' + image_type):
        images.append(imageio.imread(image_directory.joinpath(file_name)))
    imageio.mimsave(gif_dir.as_posix(), images, fps=frames_per_second)

    print('Finished making GIF!')
    print('GIF can be found at: ' + gif_dir.as_posix())


def main():
    fps = 2
    png_dir = pathlib.Path('C:/temp/my_images')
    make_gif(png_dir, fps)

if __== "__main__":
    main()
0
Willem