Сохранение захваченного изображения в массиве UIImage (AVFoundation) - PullRequest
0 голосов
/ 04 февраля 2019

Я работаю над приложением камеры, которое захватывает 10 изображений после нажатия одной кнопки.Я хочу иметь в виду сложить эти 10 фотографий с помощью CIAdditionCompositing CIFilter.Однако я не могу добавлять изображения в массив.Когда я удаляю код, который я написал для фильтров, камера записывает и сохраняет 10 изображений в библиотеку фотографий без каких-либо ошибок.

Кажется, что проблема в:

 uiImages.insert(image, at: index) //this might be the cause of the error

Поскольку изображение не сохраняется в массиве.

В настоящее время я получаю эту ошибку: «Поток 1: Неустранимая ошибка: индекс выходит за пределы диапазона»

Это фрагмент кода

@IBAction func handleShutterButton(sender: UIButton) {
    var uiImages: [UIImage] = []
    var ciImages: [CIImage] = []
    var resultImages: [CIImage] = []


    let filter = CIFilter(name: "CIAdditionCompositing")!
    filter.setDefaults()

    var index = 0
    while index < 10{
          self.cameraController.captureStillImage { (image, metadata) -> Void in
          self.view.layer.contents = image
          UIImageWriteToSavedPhotosAlbum(image, nil, nil, nil);

          uiImages.insert(image, at: index) //this might be the cause of the error
        }
        index = index + 1

    }


    ciImages[0] = CIImage(image: uiImages[0])!
    ciImages[1] = CIImage(image: uiImages[1])!
    ciImages[2] = CIImage(image: uiImages[2])!
    ciImages[3] = CIImage(image: uiImages[3])!
    ciImages[4] = CIImage(image: uiImages[4])!
    ciImages[5] = CIImage(image: uiImages[5])!
    ciImages[6] = CIImage(image: uiImages[6])!
    ciImages[7] = CIImage(image: uiImages[7])!
    ciImages[8] = CIImage(image: uiImages[8])!



    filter.setValue(ciImages[0], forKey: "inputImage")
    filter.setValue(ciImages[1], forKey: "inputBackgroundImage")

    resultImages[0] = filter.outputImage!


    filter.setValue(ciImages[2], forKey: "inputImage")
    filter.setValue(resultImages[0], forKey: "inputBackgroundImage")

    resultImages[1] = filter.outputImage!


    filter.setValue(ciImages[3], forKey: "inputImage")
    filter.setValue(resultImages[1], forKey: "inputBackgroundImage")

    resultImages[2] = filter.outputImage!


    filter.setValue(ciImages[4], forKey: "inputImage")
    filter.setValue(resultImages[2], forKey: "inputBackgroundImage")

    resultImages[3] = filter.outputImage!


    filter.setValue(ciImages[5], forKey: "inputImage")
    filter.setValue(resultImages[3], forKey: "inputBackgroundImage")

    resultImages[4] = filter.outputImage!


    filter.setValue(ciImages[6], forKey: "inputImage")
    filter.setValue(resultImages[4], forKey: "inputBackgroundImage")

    resultImages[5] = filter.outputImage!


    filter.setValue(ciImages[7], forKey: "inputImage")
    filter.setValue(resultImages[5], forKey: "inputBackgroundImage")

    resultImages[6] = filter.outputImage!


    filter.setValue(ciImages[8], forKey: "inputImage")
    filter.setValue(resultImages[6], forKey: "inputBackgroundImage")

    resultImages[7] = filter.outputImage!


    filter.setValue(ciImages[9], forKey: "inputImage")
    filter.setValue(resultImages[7], forKey: "inputBackgroundImage")

    resultImages[8] = filter.outputImage!


    let finalImage = UIImage(ciImage: resultImages[8])
    UIImageWriteToSavedPhotosAlbum(finalImage, nil, nil, nil);


}

Фрагмент кода для CameraController.swift (для captureStillImage)

func captureSingleStillImage(completionHandler handler: @escaping ((_ image:UIImage, _ metadata:NSDictionary) -> Void)) {
    sessionQueue.async() { () -> Void in

        let connection = self.stillCameraOutput.connection(with: AVMediaType.video)

        connection?.videoOrientation = AVCaptureVideoOrientation(rawValue: UIDevice.current.orientation.rawValue)!

        self.stillCameraOutput.captureStillImageAsynchronously(from: connection!) {
            (imageDataSampleBuffer, error) -> Void in


            if error == nil {



                let imageData = AVCaptureStillImageOutput.jpegStillImageNSDataRepresentation(imageDataSampleBuffer!)

                let metadata = CMCopyDictionaryOfAttachments(allocator: nil, target: imageDataSampleBuffer!, attachmentMode: CMAttachmentMode(kCMAttachmentMode_ShouldPropagate))

                if let metadata = metadata, let image = UIImage(data: imageData!) {
                    DispatchQueue.main.async() { () -> Void in
                        handler(image, metadata)
                    }
                }
            }
            else {
                NSLog("error while capturing still image: \(String(describing: error))")
            }
        }
    }
}

Обновление: следует ли вместо этого переписать AVCaptureStillImageOutput в AVCapturePhotoOutput?Я попытался сделать это, но он дал мне еще одну ошибку, заявив, что я получаю ноль.

Если нет, то является ли проблема синтаксисом добавления изображения в uiImages []?XCode показывает, что при нажатии кнопки нет данных внутри массива uiImages, хотя индексная переменная меняется

1 Ответ

0 голосов
/ 04 февраля 2019

Вы должны начать свой индекс с 0. или сделать определение числа массивов раньше.Найдите комментарии «// Вот ваше решение».

var index = 1 // Array's index should start form 0.
var index = 0 // Here is your solution.
while index < 11{
        self.cameraController.captureStillImage { (image, metadata) -> Void in
            self.view.layer.contents = image
            UIImageWriteToSavedPhotosAlbum(image, nil, nil, nil);

            uiImages.insert(image, at: index) // Here is your solution.
            uiImages[index] = image //I think i'm having problems here
    }
    index = index + 1

}
...