Захват видео и сохранение его через AVAssetWriter - PullRequest
0 голосов
/ 03 января 2019

Я хочу сохранить AVAssetWriter вывод в рулон камеры, в настоящее время я сохраняю его в каталог документов.

Я пытался использовать UISaveVideoAtPathToSavedPhotosAlbum(_:_:_:_:).В настоящее время я использую AVAssetWriter для записи в .documentsdirectotry.Тем не менее, когда я пытаюсь написать, он молча терпит неудачу.Чтобы написать, я позвоню startRecording() и позвоню stopRecording(), чтобы закончить писать.

let captureSession = AVCaptureSession()
var videoOutput = AVCaptureVideoDataOutput()
var assetWriter: AVAssetWriter!
var assetWriterInput: AVAssetWriterInput!
var isCameraSetup = false
var hasStartedWritingCurrentVideo  = false
var isWriting = false
let queue = DispatchQueue(label: "com.name.camera-queue") 


// Camera preview setup code

//Setting up Asset Writer to save videos
public func setUpAssetWriter() {
    do {
        let documentsPath = NSSearchPathForDirectoriesInDomains(.documentDirectory, .userDomainMask, true).first
        let outputURL = URL(fileURLWithPath: documentsPath!).appendingPathComponent("test.m4v")
        assetWriter = try! AVAssetWriter(outputURL: outputURL, fileType: .mp4)
        assetWriterInput = AVAssetWriterInput(mediaType: .video, outputSettings: videoOutput.recommendedVideoSettingsForAssetWriter(writingTo: .mp4))
        assetWriterInput.expectsMediaDataInRealTime = true

        if assetWriter.canAdd(assetWriterInput) {
            assetWriter.add(assetWriterInput)
        } else {
            print("no input added")
        }
        assetWriter.startWriting()
        } catch let error {
        debugPrint(error.localizedDescription)
    }
}
public func tearDownAssetWriter() {
    assetWriter = nil
    assetWriterInput = nil
}
public func startWriting(){
    if isWriting{ return }
        setUpAssetWriter()
        hasStartedWritingCurrentVideo = false
        isWriting = true
}
public func finishWriting(_ completion: @escaping (URL) -> Void) {
    if isWriting == false { return }
    isWriting = false
    assetWriterInput.markAsFinished()
    let url = self.assetWriter.outputURL
    assetWriter.finishWriting {
        completion(url)
        self.tearDownAssetWriter()
    }
    hasStartedWritingCurrentVideo = false
}

// MARK: Starts the capture session
public func start() {
    if !captureSession.isRunning {
        captureSession.startRunning()
    }
}

public func stop() {
    if captureSession.isRunning {
        captureSession.stopRunning()
    }
}
// MARK: Records after camera is set up
public func startRecording() {
    startWriting()
    isWriting = true
}

public func stopRecording() {
    assetWriterInput.markAsFinished()
    assetWriter.finishWriting {
        [weak self] in return
    }
}
}

extension VideoCapture: AVCaptureVideoDataOutputSampleBufferDelegate {
    public func captureOutput(_ output: AVCaptureOutput, didOutput sampleBuffer: CMSampleBuffer, from connection: AVCaptureConnection) {
        // Because lowering the capture device's FPS looks ugly in the preview,
        // we capture at full speed but only call the delegate at its desired
        // framerate.
        let timestamp = CMSampleBufferGetPresentationTimeStamp(sampleBuffer)
        let deltaTime = timestamp - lastTimestamp
        if deltaTime >= CMTimeMake(value: 1, timescale: Int32(fps)) {
            lastTimestamp = timestamp
            let imageBuffer = CMSampleBufferGetImageBuffer(sampleBuffer)
            delegate?.videoCapture(self, didCaptureVideoFrame: imageBuffer, timestamp: timestamp)
        }
    // Asset Writer
        guard let assetWriter = assetWriter, let assetWriterInput = assetWriterInput else { return }
        if isWriting == false{ return }
        if self.assetWriter.status == .failed {
            setUpAssetWriter()
            hasStartedWritingCurrentVideo = false
        }
        if hasStartedWritingCurrentVideo == false && output === videoOutput { return }
        if hasStartedWritingCurrentVideo == false {
            hasStartedWritingCurrentVideo = true
            let sourceTime = CMSampleBufferGetPresentationTimeStamp(sampleBuffer)
            assetWriter.startSession(atSourceTime: sourceTime)
        }
        if output === videoOutput && assetWriterInput.isReadyForMoreMediaData{
            if isWriting == false{return}
            assetWriterInput.append(sampleBuffer)
        }
    }
}

Текущая реализация настраивает камеру и предварительный просмотр, но затем ничего не сохраняется на выходе.Следует сохранить в .documentDirectory, однако это не сохранение.Я хотел бы вместо этого получить его, чтобы сохранить в рулон камеры, но я не уверен, куда именно я должен позвонить UISaveVideoAtPathToSavedPhotosAlbum(_:_:_:_:).Скорее всего, проблема в моем дополнительном делегате.

Заранее благодарю за помощь.

1 Ответ

0 голосов
/ 21 января 2019

Я не знаком с UISaveVideoAtPathToSavedPhotosAlbum.Но переполнение стека и git, многие люди используют PHPhotoLibrary и я тоже. Независимо от URL, код ниже добавляет видео в photoLibrary.

https://developer.apple.com/documentation/photokit/phassetchangerequest/1624057-creationrequestforassetfromvideo

1) Info.plist Добавить новыйпара ключ-значение с помощью кнопки +.Выберите «Приватный - Описание использования библиотеки фотографий» в качестве ключа.Установите значение что-то вроде «сохранить видео в библиотеке фотографий»

2) код

fileWriter.finishWriting(completionHandler: {
    let status = PHPhotoLibrary.authorizationStatus()

    //no access granted yet
    if status == .notDetermined || status == .denied{
        PHPhotoLibrary.requestAuthorization({auth in
            if auth == .authorized{
                saveInPhotoLibrary(url)
            }else{
                print("user denied access to photo Library")
            }
        })

    //access granted by user already
    }else{
        saveInPhotoLibrary(url)
    }
})

private func saveInPhotoLibrary(_ url:URL){
    PHPhotoLibrary.shared().performChanges({

        //add video to PhotoLibrary here
        PHAssetChangeRequest.creationRequestForAssetFromVideo(atFileURL: url)
    }) { completed, error in
        if completed {
            print("save complete! path : " + url.absoluteString)
        }else{
            print("save failed")
        }
    }
}

Надеюсь, это поможет.GW

...