Python JPEG to movie

前端 未结 4 1151
再見小時候
再見小時候 2020-12-29 10:20

I am looking for a way to concatenate a directory of images files (e.g., JPEGs) to a movie file (MOV, MP4, AVI) with Python. Ideally, this would also allow me to take multip

4条回答
  •  悲哀的现实
    2020-12-29 10:21

    I finally got into a working version of the project that got me into this question. Now I want to contribute with the knowledge I got. Here is my solution for getting all pictures in current directory and converting into a video having then centralized in a black background, so this solution works for different size images.

    import glob
    import cv2
    import numpy as np
    
    DESIRED_SIZE = (800, 600)
    SLIDE_TIME = 5 # Seconds each image
    FPS = 24
    
    fourcc = cv2.VideoWriter.fourcc(*'X264')
    writer = cv2.VideoWriter('output.avi', fourcc, FPS, DESIRED_SIZE)
    
    for file_name in glob.iglob('*.jpg'):
        img = cv2.imread(file_name)
    
        # Resize image to fit into DESIRED_SIZE
        height, width, _ = img.shape
        proportion = min(DESIRED_SIZE[0]/width, DESIRED_SIZE[1]/height)
        new_size = (int(width*proportion), int(height*proportion))
        img = cv2.resize(img, new_size)
    
        # Centralize image in a black frame with DESIRED_SIZE
        target_size_img = np.zeros((DESIRED_SIZE[1], DESIRED_SIZE[0], 3), dtype='uint8') 
        width_offset = (DESIRED_SIZE[0] - new_size[0]) // 2
        height_offset = (DESIRED_SIZE[1] - new_size[1]) // 2
        target_size_img[height_offset:height_offset+new_size[1], 
                        width_offset:width_offset+new_size[0]] = img
    
        
        for _ in range(SLIDE_TIME * FPS):
            writer.write(target_size_img)
    
    writer.release()
    

提交回复
热议问题