需要脚本:将最新的 JPEG 添加到视频中,然后删除旧的 JPEG

需要脚本:将最新的 JPEG 添加到视频中,然后删除旧的 JPEG

我有一个 IP 摄像头,每当它检测到它正在查看的房间中有移动时,它就会将 JPEG 图片上传到我的 Arch Linux 盒子上的 FTP 文件夹。它每秒上传一张 JPEG,直到所有运动活动停止。

它按以下方式命名 JPEG 文件: 在此输入图像描述

剖析一下,意思是:

name-of-camera(inside)_1_YEAR-MONTH-DATE-TIME-SECONDS_imagenumber.jpg

我想要一个可以从它们中制作每秒 1 帧的视频的脚本(ffmpeg我知道很容易),但是,它必须足够聪明,只能从彼此相距不超过 2 秒的图像制作视频,然后删除它使用的那些 jpeg。我说“彼此相隔 2 秒”是为了防止网络延迟而丢失一帧。

任何未来拍摄后 2 秒内的图像都应成为自己的视频。因此,它基本上应该能够从摄像机看到的每个运动“事件”中制作视频。

zoneminder我知道类似和 的程序motion可以做到这一点,但我想设计一个脚本。任何想法都非常感激。

答案1

您可以根据日期生成时间戳并检查每个文件之间的跨度。正如评论中已经提到的,一个问题是夏令时——假设日期/时间是特定于区域设置的。

使用stat而不是文件名作为基础可能会有所帮助。但是,这种增益取决于文件的上传方式(是否保留时间戳等)

作为起点(这比预期的要长得多)你可以尝试这样的事情:

#!/bin/bash

declare -a fa_tmp=()    # Array holding tmp files with jpg collections.
declare dd=""           # Date extracted form file name.
declare -i ts=0         # Time stamp from date.
declare -i pre=0        # Previous time stamp.
declare -i lim=2        # Limit in seconds triggering new collection.
fmt_base='+%F-%H_%M_%S' # Format for date to generate video file name.

# Perhaps better using date from file-name:
# export TZ=UTC
# stat --printf=%Y $f

# Loop all jpg files
for f in *.jpg; do
    # Extract date, optionally use mktime() with gawk.
    # This assumes XX_XX_DATETIME_XXX... by split on underscore.
    dd=$(printf "$f" | tr '_' ' ' | awk '{
    printf("%d-%02d-%02d %02d:%02d:%02d",
        substr($3,  1, 4),
        substr($3,  5, 2),
        substr($3,  7, 2),
        substr($3,  9, 2),
        substr($3, 11, 2),
        substr($3, 13, 2))
    }')

    # Create time stamp from date.
    ts=$(date +%s -d "$dd")

    # If duration is greater then lim, create new tmp file.
    if ((ts - pre > lim)); then
        f_tmp="$(mktemp)"
        fa_tmp+=("$f_tmp")
        # First line in tmp file is first time stamp.
        printf "%s\n" "$ts" >> "$f_tmp"
    fi

    # Add filename to current tmp file.
    printf "%s\n" "$f" >> "$f_tmp"

    # Previous is current.
    pre="$ts"
done

declare -i i=1
# Loop tmp files.
for f_tmp in "${fa_tmp[@]}"; do
    printf "PROCESSING: %s\n---------------------------\n" "$f_tmp"
    base=""
    i=1

    # Rename files.
    while read -r img; do
        # First line is time stamp and is used as base for name.
        if [[ "$base" == "" ]]; then
            base=$(date "$fmt_base" -d "@$img")
            continue
        fi
        # New image name.
        iname=$(printf "%s-%04d.jpg" "$base" "$i")
        echo "mv '$img' => '$iname'"
        mv "$img" "$iname"
        ((++i))
    done <"$f_tmp"

    # Generate video.
    if ffmpeg -f image2 \
        -framerate 3 \
        -pattern_type sequence \
        -start_number 1 \
        -i "$base-%04d.jpg" \
        -vcodec mpeg4 \
        -r 6 \
        "$base.mp4"; then

        # Iff success, move jpg's to backup folder.
        mkdir "$base"
        mv $base-*.jpg "$base"
    else
        printf "FAILED:\n" >&2
        ls $base-*.jpg >&2
    fi

    # Remove tmp file.
    rm "$f_tmp"
done

相关内容