iOS Take Multiple Screen Shots

前端 未结 2 2023
盖世英雄少女心
盖世英雄少女心 2020-12-28 23:18

I have an NSURL that contains a video, and I want to record a frame of that video ten times every seconds. And I have code that will capture an image of my

相关标签:
2条回答
  • 2020-12-28 23:31

    You are getting initial frame because you are trying to create CMTime with help of float value:

    CMTime time = CMTimeMake(i, 10);
    

    Since CMTimeMake function takes int64_t value as first parameter, your float value will be rounded to int, and you will get incorrect result.

    Lets change your code a bit:

    1) At first, you need to find total frames count that you need to get from the video. You wrote that you need 10 frames per second, so the code will be:

    int requiredFramesCount = seconds * 10;
    

    2) Next you need to find a value that will be increasing your CMTime value on each step:

    int64_t step = vidLength.value / requiredFramesCount;
    

    3) And lastly, you need to set requestedTimeToleranceBefore and requestedTimeToleranceAfter to kCMTimeZero, to get a frame at precise time:

    imageGenerator.requestedTimeToleranceAfter = kCMTimeZero;
    imageGenerator.requestedTimeToleranceBefore = kCMTimeZero;
    

    Here is how your code will look like:

    CMTime vidLength = asset.duration;
    float seconds = CMTimeGetSeconds(vidLength);
    
    int requiredFramesCount = seconds * 10;
    int64_t step = vidLength.value / requiredFramesCount;
    
    int value = 0;
    
    for (int i = 0; i < requiredFramesCount; i++) {
    
        AVAssetImageGenerator *imageGenerator = [[AVAssetImageGenerator alloc]initWithAsset:asset];
        imageGenerator.requestedTimeToleranceAfter = kCMTimeZero;
        imageGenerator.requestedTimeToleranceBefore = kCMTimeZero;
    
        CMTime time = CMTimeMake(value, vidLength.timescale);
    
        CGImageRef imageRef = [imageGenerator copyCGImageAtTime:time actualTime:NULL error:NULL];
        UIImage *thumbnail = [UIImage imageWithCGImage:imageRef];
        CGImageRelease(imageRef);
        NSString* filename = [NSString stringWithFormat:@"Documents/frame_%d.png", i];
        NSString* pngPath = [NSHomeDirectory() stringByAppendingPathComponent:filename];
    
        [UIImagePNGRepresentation(thumbnail) writeToFile: pngPath atomically: YES];
    
        value += step;
    }
    
    0 讨论(0)
  • 2020-12-28 23:43

    With CMTimeMake(A, B) you store a rational number, an exact fraction A / B seconds, and first parameter of this function takes int value. For 20 seconds video you will capture a frame with time ((int) 19.9) / 10 = 1.9 second in the last iteration of your cycle. Use CMTimeMakeWithSeconds(i, NSEC_PER_SEC) function to fix this time issue.

    0 讨论(0)
提交回复
热议问题