462 lines
13 KiB
Go
462 lines
13 KiB
Go
package main
|
|
|
|
import (
|
|
"context"
|
|
"encoding/csv"
|
|
"fmt"
|
|
"image"
|
|
"image/draw"
|
|
"log"
|
|
"os"
|
|
"strconv"
|
|
|
|
vidio "github.com/AlexEidt/Vidio"
|
|
"github.com/urfave/cli/v3"
|
|
)
|
|
|
|
func main() {
|
|
cmd := &cli.Command{
|
|
Commands: []*cli.Command{
|
|
{
|
|
Name: "count-frames",
|
|
Usage: "Count frames",
|
|
Action: func(ctx context.Context, cmd *cli.Command) error {
|
|
|
|
return count_video_frames(cmd.Args().First())
|
|
},
|
|
},
|
|
{
|
|
Name: "compare-frames",
|
|
Usage: "Are two frames different?",
|
|
Arguments: []cli.Argument{
|
|
&cli.StringArg{
|
|
Name: "frame1",
|
|
},
|
|
&cli.StringArg{
|
|
Name: "frame2",
|
|
},
|
|
},
|
|
|
|
Action: func(ctx context.Context, cmd *cli.Command) error {
|
|
|
|
first_frame, _ := getImageFromFilePath(cmd.StringArg("frame1"))
|
|
second_frame, _ := getImageFromFilePath(cmd.StringArg("frame2"))
|
|
|
|
first_rgba := imageToRGBA(first_frame)
|
|
second_rgba := imageToRGBA(second_frame)
|
|
return compare_frames(first_rgba, second_rgba)
|
|
},
|
|
},
|
|
{
|
|
Name: "count-frames-differing-pixels",
|
|
Usage: "Are two frames different?",
|
|
Arguments: []cli.Argument{
|
|
&cli.StringArg{
|
|
Name: "frame1",
|
|
},
|
|
&cli.StringArg{
|
|
Name: "frame2",
|
|
},
|
|
},
|
|
|
|
Action: func(ctx context.Context, cmd *cli.Command) error {
|
|
|
|
first_frame, _ := getImageFromFilePath(cmd.StringArg("frame1"))
|
|
second_frame, _ := getImageFromFilePath(cmd.StringArg("frame2"))
|
|
|
|
first_rgba := imageToRGBA(first_frame)
|
|
second_rgba := imageToRGBA(second_frame)
|
|
return compare_frames_alt(first_rgba, second_rgba)
|
|
},
|
|
},
|
|
{
|
|
Name: "count-unique-video-frames",
|
|
Usage: "Are two frames different?",
|
|
Arguments: []cli.Argument{
|
|
&cli.StringArg{
|
|
Name: "video1",
|
|
},
|
|
&cli.StringArg{
|
|
Name: "video2",
|
|
},
|
|
},
|
|
|
|
Action: func(ctx context.Context, cmd *cli.Command) error {
|
|
return countUniqueVideoFrames(cmd.StringArg("video1"), cmd.StringArg("video2"), 1, false)
|
|
},
|
|
},
|
|
{
|
|
Name: "analyze-frame-persistence",
|
|
Usage: "Analyze frame persistence in a single video",
|
|
Arguments: []cli.Argument{
|
|
&cli.StringArg{
|
|
Name: "video",
|
|
},
|
|
},
|
|
Flags: []cli.Flag{
|
|
&cli.Float64Flag{
|
|
Name: "tolerance",
|
|
Usage: "Pixel difference tolerance (0-255)",
|
|
Value: 0,
|
|
},
|
|
&cli.StringFlag{
|
|
Name: "csv-output",
|
|
Usage: "Path to CSV file for frame data output",
|
|
Value: "",
|
|
},
|
|
},
|
|
Action: func(ctx context.Context, cmd *cli.Command) error {
|
|
tolerance := uint64(cmd.Float64("tolerance"))
|
|
csvOutput := cmd.String("csv-output")
|
|
return analyzeFramePersistence(cmd.StringArg("video"), tolerance, csvOutput)
|
|
},
|
|
},
|
|
},
|
|
}
|
|
|
|
if err := cmd.Run(context.Background(), os.Args); err != nil {
|
|
log.Fatal(err)
|
|
}
|
|
}
|
|
|
|
// count_video_frames
|
|
// Prints out the total ammount of frames within `video`
|
|
//
|
|
// Parameters:
|
|
// - video string - path to video file
|
|
//
|
|
// Returns:
|
|
// - error
|
|
func count_video_frames(video string) error {
|
|
log.Default().Print("Trying to open video at: " + video)
|
|
video_file, _ := vidio.NewVideo(video)
|
|
count := 0
|
|
for video_file.Read() {
|
|
count++
|
|
}
|
|
log.Default().Println("Video total frames: " + strconv.Itoa(count))
|
|
return nil
|
|
}
|
|
|
|
func compare_frames(frame1 *image.RGBA, frame2 *image.RGBA) error {
|
|
accumError := int64(0)
|
|
for i := 0; i < len(frame1.Pix); i++ {
|
|
|
|
if isDiffUInt8WithTolerance(frame1.Pix[i], frame2.Pix[i], 0) { // Set tolerance to 0
|
|
accumError++
|
|
}
|
|
}
|
|
log.Default().Println("Total differing pixels: " + strconv.FormatInt(accumError, 10))
|
|
return nil
|
|
}
|
|
|
|
func compare_frames_alt(frame1 *image.RGBA, frame2 *image.RGBA) error {
|
|
// diff_frame := image.NewRGBA(frame1.Rect)
|
|
accumError := int64(0)
|
|
for i := 0; i < len(frame1.Pix); i++ {
|
|
if isDiffUInt8(frame1.Pix[i], frame2.Pix[i]) {
|
|
accumError++
|
|
}
|
|
}
|
|
log.Default().Println("Total differing pixels: " + strconv.FormatInt(accumError, 10))
|
|
return nil
|
|
}
|
|
|
|
func sqDiffUInt8(x, y uint8) uint64 {
|
|
d := uint64(x) - uint64(y)
|
|
return d * d
|
|
}
|
|
|
|
func isDiffUInt8(x, y uint8) bool {
|
|
d := uint64(x) - uint64(y)
|
|
sq := d * d
|
|
if sq > 0 {
|
|
return true
|
|
} else {
|
|
return false
|
|
}
|
|
}
|
|
|
|
func isDiffUInt8WithTolerance(x, y uint8, tolerance uint64) bool {
|
|
d := uint64(x) - uint64(y)
|
|
sq := d * d
|
|
if sq > tolerance {
|
|
return true
|
|
} else {
|
|
return false
|
|
}
|
|
}
|
|
|
|
func countUniqueVideoFrames(video_path1 string, video_path2 string, min_diff uint64, use_sq_diff bool) error {
|
|
video1, _ := vidio.NewVideo(video_path1)
|
|
video2, _ := vidio.NewVideo(video_path2)
|
|
video1_frame := image.NewRGBA(image.Rect(0, 0, video1.Width(), video1.Height()))
|
|
video2_frame := image.NewRGBA(image.Rect(0, 0, video2.Width(), video2.Height()))
|
|
video1.SetFrameBuffer(video1_frame.Pix)
|
|
video2.SetFrameBuffer(video2_frame.Pix)
|
|
total_frames := 0
|
|
unique_frames := 0
|
|
for video1.Read() {
|
|
total_frames++
|
|
video2.Read()
|
|
accumError := uint64(0)
|
|
for i := 0; i < len(video1_frame.Pix); i++ {
|
|
if use_sq_diff {
|
|
if isDiffUInt8WithTolerance(video1_frame.Pix[i], video2_frame.Pix[i], min_diff) {
|
|
accumError++
|
|
}
|
|
} else {
|
|
if isDiffUInt8(video1_frame.Pix[i], video2_frame.Pix[i]) {
|
|
accumError++
|
|
}
|
|
}
|
|
}
|
|
if min_diff <= accumError {
|
|
unique_frames++
|
|
log.Default().Println("[" + strconv.Itoa(total_frames) + "]Unique frame")
|
|
} else {
|
|
log.Default().Println("[" + strconv.Itoa(total_frames) + "]Non-unique frame")
|
|
}
|
|
}
|
|
video1.Close()
|
|
video2.Close()
|
|
log.Default().Println(strconv.Itoa(unique_frames) + "/" + strconv.Itoa(total_frames) + " are unique!")
|
|
return nil
|
|
}
|
|
|
|
func imageToRGBA(src image.Image) *image.RGBA {
|
|
|
|
// No conversion needed if image is an *image.RGBA.
|
|
if dst, ok := src.(*image.RGBA); ok {
|
|
return dst
|
|
}
|
|
|
|
// Use the image/draw package to convert to *image.RGBA.
|
|
b := src.Bounds()
|
|
dst := image.NewRGBA(image.Rect(0, 0, b.Dx(), b.Dy()))
|
|
draw.Draw(dst, dst.Bounds(), src, b.Min, draw.Src)
|
|
return dst
|
|
}
|
|
|
|
func getImageFromFilePath(filePath string) (image.Image, error) {
|
|
f, err := os.Open(filePath)
|
|
if err != nil {
|
|
return nil, err
|
|
}
|
|
defer f.Close()
|
|
image, _, err := image.Decode(f)
|
|
return image, err
|
|
}
|
|
|
|
func analyzeFramePersistence(videoPath string, tolerance uint64, csvOutput string) error {
|
|
video, err := vidio.NewVideo(videoPath)
|
|
if err != nil {
|
|
return err
|
|
}
|
|
defer video.Close()
|
|
|
|
fps := video.FPS()
|
|
frameTimeMs := 1000.0 / fps
|
|
|
|
log.Default().Printf("Video FPS: %.2f, Frame time: %.2f ms", fps, frameTimeMs)
|
|
|
|
var csvWriter *csv.Writer
|
|
var csvFile *os.File
|
|
if csvOutput != "" {
|
|
csvFile, err = os.Create(csvOutput)
|
|
if err != nil {
|
|
return fmt.Errorf("failed to create CSV file: %v", err)
|
|
}
|
|
defer csvFile.Close()
|
|
|
|
csvWriter = csv.NewWriter(csvFile)
|
|
defer csvWriter.Flush()
|
|
|
|
err = csvWriter.Write([]string{"frame", "average_fps", "frame_time", "unique_frame_count", "real_frame_time"})
|
|
if err != nil {
|
|
return fmt.Errorf("failed to write CSV header: %v", err)
|
|
}
|
|
}
|
|
|
|
// Data structures for frame analysis
|
|
type FrameData struct {
|
|
frameNumber int
|
|
uniqueFrameCount int
|
|
effectiveFPS float64
|
|
currentFrameTime float64
|
|
realFrameTime float64
|
|
}
|
|
|
|
var frameAnalysisData []FrameData
|
|
var uniqueFrameDurations []int // Duration of each unique frame
|
|
|
|
currentFrame := image.NewRGBA(image.Rect(0, 0, video.Width(), video.Height()))
|
|
previousFrame := image.NewRGBA(image.Rect(0, 0, video.Width(), video.Height()))
|
|
video.SetFrameBuffer(currentFrame.Pix)
|
|
|
|
// FIRST PASS: Analyze frame durations
|
|
var frameNumber int
|
|
var uniqueFramesPerSecond []int
|
|
var framePersistenceDurations []float64
|
|
|
|
currentSecond := 0
|
|
uniqueFramesInCurrentSecond := 0
|
|
consecutiveDuplicateCount := 0
|
|
totalUniqueFrames := 0
|
|
currentUniqueFrameDuration := 1
|
|
|
|
hasFirstFrame := false
|
|
|
|
for video.Read() {
|
|
frameNumber++
|
|
|
|
if !hasFirstFrame {
|
|
copy(previousFrame.Pix, currentFrame.Pix)
|
|
hasFirstFrame = true
|
|
uniqueFramesInCurrentSecond = 1
|
|
totalUniqueFrames = 1
|
|
currentUniqueFrameDuration = 1
|
|
|
|
// Store data for first frame
|
|
currentTime := float64(frameNumber) / fps
|
|
effectiveFPS := float64(totalUniqueFrames) / currentTime
|
|
actualFrameTimeMs := float64(currentUniqueFrameDuration) * frameTimeMs
|
|
frameAnalysisData = append(frameAnalysisData, FrameData{
|
|
frameNumber: frameNumber,
|
|
uniqueFrameCount: totalUniqueFrames,
|
|
effectiveFPS: effectiveFPS,
|
|
currentFrameTime: actualFrameTimeMs,
|
|
realFrameTime: 0, // Will be calculated in second pass
|
|
})
|
|
continue
|
|
}
|
|
|
|
isFrameDifferent := false
|
|
pixelDifferences := uint64(0)
|
|
|
|
for i := 0; i < len(currentFrame.Pix); i++ {
|
|
if isDiffUInt8WithTolerance(currentFrame.Pix[i], previousFrame.Pix[i], tolerance) {
|
|
pixelDifferences++
|
|
}
|
|
}
|
|
|
|
if pixelDifferences > 0 {
|
|
isFrameDifferent = true
|
|
}
|
|
|
|
if !isFrameDifferent {
|
|
consecutiveDuplicateCount++
|
|
currentUniqueFrameDuration++
|
|
} else {
|
|
// Record the duration of the previous unique frame
|
|
if totalUniqueFrames > 0 {
|
|
if len(uniqueFrameDurations) < totalUniqueFrames {
|
|
uniqueFrameDurations = append(uniqueFrameDurations, currentUniqueFrameDuration)
|
|
} else {
|
|
uniqueFrameDurations[totalUniqueFrames-1] = currentUniqueFrameDuration
|
|
}
|
|
}
|
|
|
|
if consecutiveDuplicateCount > 1 {
|
|
persistenceMs := float64(consecutiveDuplicateCount+1) * frameTimeMs
|
|
framePersistenceDurations = append(framePersistenceDurations, persistenceMs)
|
|
log.Default().Printf("Frame persisted for %.2f ms (%d consecutive duplicates)", persistenceMs, consecutiveDuplicateCount)
|
|
}
|
|
consecutiveDuplicateCount = 0
|
|
|
|
uniqueFramesInCurrentSecond++
|
|
totalUniqueFrames++
|
|
copy(previousFrame.Pix, currentFrame.Pix)
|
|
|
|
// Start tracking new unique frame
|
|
currentUniqueFrameDuration = 1
|
|
}
|
|
|
|
// Store data for EVERY frame
|
|
currentTime := float64(frameNumber) / fps
|
|
effectiveFPS := float64(totalUniqueFrames) / currentTime
|
|
actualFrameTimeMs := float64(currentUniqueFrameDuration) * frameTimeMs
|
|
frameAnalysisData = append(frameAnalysisData, FrameData{
|
|
frameNumber: frameNumber,
|
|
uniqueFrameCount: totalUniqueFrames,
|
|
effectiveFPS: effectiveFPS,
|
|
currentFrameTime: actualFrameTimeMs,
|
|
realFrameTime: 0, // Will be calculated in second pass
|
|
})
|
|
|
|
newSecond := int(float64(frameNumber-1) / fps)
|
|
if newSecond > currentSecond {
|
|
uniqueFramesPerSecond = append(uniqueFramesPerSecond, uniqueFramesInCurrentSecond)
|
|
log.Default().Printf("Second %d: %d unique frames", currentSecond+1, uniqueFramesInCurrentSecond)
|
|
currentSecond = newSecond
|
|
uniqueFramesInCurrentSecond = 0
|
|
}
|
|
}
|
|
|
|
// Record the final unique frame duration
|
|
if totalUniqueFrames > 0 {
|
|
if len(uniqueFrameDurations) < totalUniqueFrames {
|
|
uniqueFrameDurations = append(uniqueFrameDurations, currentUniqueFrameDuration)
|
|
} else {
|
|
uniqueFrameDurations[totalUniqueFrames-1] = currentUniqueFrameDuration
|
|
}
|
|
}
|
|
|
|
// SECOND PASS: Calculate real frame times and write CSV
|
|
if csvWriter != nil {
|
|
for i, frameData := range frameAnalysisData {
|
|
realFrameTimeMs := float64(uniqueFrameDurations[frameData.uniqueFrameCount-1]) * frameTimeMs
|
|
err := csvWriter.Write([]string{
|
|
strconv.Itoa(frameData.frameNumber),
|
|
fmt.Sprintf("%.2f", frameData.effectiveFPS),
|
|
fmt.Sprintf("%.2f", frameData.currentFrameTime),
|
|
strconv.Itoa(frameData.uniqueFrameCount),
|
|
fmt.Sprintf("%.2f", realFrameTimeMs),
|
|
})
|
|
if err != nil {
|
|
log.Default().Printf("Warning: failed to write CSV row %d: %v", i+1, err)
|
|
}
|
|
}
|
|
}
|
|
|
|
if consecutiveDuplicateCount > 1 {
|
|
persistenceMs := float64(consecutiveDuplicateCount+1) * frameTimeMs
|
|
framePersistenceDurations = append(framePersistenceDurations, persistenceMs)
|
|
log.Default().Printf("Final frame persisted for %.2f ms (%d consecutive duplicates)", persistenceMs, consecutiveDuplicateCount)
|
|
}
|
|
|
|
if uniqueFramesInCurrentSecond > 0 {
|
|
uniqueFramesPerSecond = append(uniqueFramesPerSecond, uniqueFramesInCurrentSecond)
|
|
log.Default().Printf("Second %d: %d unique frames", currentSecond+1, uniqueFramesInCurrentSecond)
|
|
}
|
|
|
|
log.Default().Printf("\n=== SUMMARY ===")
|
|
log.Default().Printf("Total frames analyzed: %d", frameNumber)
|
|
log.Default().Printf("Video duration: %.2f seconds", float64(frameNumber)/fps)
|
|
|
|
summaryUniqueFrames := 0
|
|
for i, count := range uniqueFramesPerSecond {
|
|
summaryUniqueFrames += count
|
|
log.Default().Printf("Second %d: %d unique frames", i+1, count)
|
|
}
|
|
|
|
log.Default().Printf("Total unique frames: %d", summaryUniqueFrames)
|
|
if len(uniqueFramesPerSecond) > 0 {
|
|
log.Default().Printf("Average unique frames per second: %.2f", float64(summaryUniqueFrames)/float64(len(uniqueFramesPerSecond)))
|
|
}
|
|
|
|
if len(framePersistenceDurations) > 0 {
|
|
log.Default().Printf("\nFrame persistence durations:")
|
|
totalPersistence := 0.0
|
|
for _, duration := range framePersistenceDurations {
|
|
totalPersistence += duration
|
|
}
|
|
avgPersistence := totalPersistence / float64(len(framePersistenceDurations))
|
|
log.Default().Printf("Average frame persistence: %.2f ms", avgPersistence)
|
|
log.Default().Printf("Number of persistence events: %d", len(framePersistenceDurations))
|
|
} else {
|
|
log.Default().Printf("No frame persistence detected (all frames are unique)")
|
|
}
|
|
|
|
return nil
|
|
}
|