IOS自定義相機總結(jié)

自定義相機分一下幾個步驟

1,判斷當(dāng)前相機設(shè)備是否可用與是否授權(quán)

2,自定義相機的相關(guān)參數(shù)

3,相機切換與閃光燈

4,拍照處理

授權(quán)及設(shè)備判斷

1,攝像頭是否可用

//相機是否可用
func isCameraAvailable() -> Bool {
    return UIImagePickerController.isSourceTypeAvailable(UIImagePickerControllerSourceType.camera)
}
//前置攝像頭是否可用
func isFrontCameraAvailable() -> Bool {
    return UIImagePickerController.isCameraDeviceAvailable(UIImagePickerControllerCameraDevice.front)
}
//后置攝像頭是否可用
func isBackCameraAvailable() -> Bool {
    return UIImagePickerController.isCameraDeviceAvailable(UIImagePickerControllerCameraDevice.rear)
}

2,用戶是否授權(quán)

   //判斷相機是否授權(quán)
    func isCanUseCamera()->Bool{
        let status = AVCaptureDevice.authorizationStatus(for: AVMediaType.video)
        if status == AVAuthorizationStatus.authorized {
            return true
        }
        return false
    }

相機參數(shù)配置

1,基礎(chǔ)配置

    //設(shè)備
    device = AVCaptureDevice.default(for: AVMediaType.video)
    //輸入源
    input = try! AVCaptureDeviceInput.init(device: device)
    //輸出
    output = AVCaptureStillImageOutput.init();
    //會話
    session = AVCaptureSession.init()

    if (session.canAddInput(input)) {
        session.addInput(input)
    }
    if session.canAddOutput(output) {
        session.addOutput(output)
    }
    let layer = AVCaptureVideoPreviewLayer.init(session: session)
    
    session .startRunning()

2,可選配置

    if session .canSetSessionPreset(AVCaptureSession.Preset.photo) {
    //該項用來設(shè)置輸出圖像的質(zhì)量
        session.sessionPreset = AVCaptureSession.Preset.photo
    }


    try! device.lockForConfiguration()  //鎖住設(shè)備

    if device.isFlashModeSupported(AVCaptureDevice.FlashMode.auto) {
    //設(shè)置閃光燈樣式
        device.flashMode = AVCaptureDevice.FlashMode.auto
    }
    
    if device.isWhiteBalanceModeSupported(AVCaptureDevice.WhiteBalanceMode.autoWhiteBalance) {
    //設(shè)置白平衡樣式
        device.whiteBalanceMode = AVCaptureDevice.WhiteBalanceMode.autoWhiteBalance
    }
    //解鎖設(shè)備
    device.unlockForConfiguration()

拍攝

func takePhoto(){
    let connection = output.connection(with: AVMediaType.video)
    if connection == nil {
        print("拍攝失敗")
        return
    }
    output.captureStillImageAsynchronously(from: connection!) { (buffer, error) in
        let data = AVCaptureStillImageOutput.jpegStillImageNSDataRepresentation(buffer!)

    }
}

實時濾鏡相機

要實現(xiàn)實時濾鏡效果,則需要獲得相機捕獲的每一幀,并進行加濾鏡的操作

1,改變輸出源頭

    output = AVCaptureVideoDataOutput.init()
    //設(shè)置代理與回調(diào)隊列
    output.setSampleBufferDelegate(self, queue: queue)
    //設(shè)置回調(diào)獲得的圖像參數(shù)(這里設(shè)置為32位BGR格式)還可以設(shè)置寬高等等
    output.videoSettings = [kCVPixelBufferPixelFormatTypeKey as String:NSNumber.init(value: kCVPixelFormatType_32BGRA)]

2,回調(diào)代理方法

func captureOutput(_ output: AVCaptureOutput, didOutput sampleBuffer: CMSampleBuffer, from connection: AVCaptureConnection) {
    //這里獲得當(dāng)前幀的圖像 可以對其進行加工展示 實現(xiàn) 實時濾鏡的效果(在這里我使用的GPUImage2的濾鏡)
    let im = self.imageFromSampleBuffer(sampleBuffer: sampleBuffer)
    // 創(chuàng)建圖片輸入
    let brightnessAdjustment = BrightnessAdjustment()
    brightnessAdjustment.brightness = 0.2
    let pictureInput = PictureInput(image: im)
    // 創(chuàng)建圖片輸出
    let pictureOutput = PictureOutput()
    // 給閉包賦值
    pictureOutput.imageAvailableCallback = { image in
        // 這里的image是處理完的數(shù)據(jù),UIImage類型
        OperationQueue.main.addOperation {

            self.imv.image = image.imageRotatedByDegrees(degrees: 90, flip: false)
        }
    }
    // 綁定處理鏈
    pictureInput --> brightnessAdjustment --> pictureOutput
    // 開始處理 synchronously: true 同步執(zhí)行 false 異步執(zhí)行军俊,處理完畢后會調(diào)用imageAvailableCallback這個閉包
    pictureInput.processImage(synchronously: true)

}

補充buffer轉(zhuǎn)換為UIImage 和 UIImage進行旋轉(zhuǎn)(因為得到處理的圖片需要旋轉(zhuǎn)才正確)的方法 (代碼為Swift4.0版本)

extension UIImage {
    //  false為旋轉(zhuǎn)(面向圖片順時針) true為逆時針
    public func imageRotatedByDegrees(degrees: CGFloat, flip: Bool) -> UIImage {
        let radiansToDegrees: (CGFloat) -> CGFloat = {
            return $0 * (180.0 / CGFloat(M_PI))
        }
        let degreesToRadians: (CGFloat) -> CGFloat = {
            return $0 / 180.0 * CGFloat(M_PI)
        }

        // calculate the size of the rotated view's containing box for our drawing space
        let rotatedViewBox = UIView(frame: CGRect(origin: CGPoint.zero, size: size))
        let t = CGAffineTransform(rotationAngle: degreesToRadians(degrees));
        rotatedViewBox.transform = t
        let rotatedSize = rotatedViewBox.frame.size

        // Create the bitmap context
        UIGraphicsBeginImageContext(rotatedSize)
        let bitmap = UIGraphicsGetCurrentContext()

        // Move the origin to the middle of the image so we will rotate and scale around the center.
        bitmap?.translateBy(x: rotatedSize.width / 2.0, y: rotatedSize.height / 2.0)
        //   // Rotate the image context
        bitmap?.rotate(by: degreesToRadians(degrees))

        // Now, draw the rotated/scaled image into the context
        var yFlip: CGFloat

        if(flip){
            yFlip = CGFloat(-1.0)
        } else {
            yFlip = CGFloat(1.0)
        }
        bitmap?.scaleBy(x: yFlip, y: -1.0)
        bitmap?.draw(self.cgImage!, in: CGRect.init(x: -size.width / 2, y: -size.height / 2, width: size.width, height: size.height))

        let newImage = UIGraphicsGetImageFromCurrentImageContext()
        UIGraphicsEndImageContext()

        return newImage!
    }
}
func imageFromSampleBuffer(sampleBuffer : CMSampleBuffer) -> UIImage
{
    // Get a CMSampleBuffer's Core Video image buffer for the media data
    let  imageBuffer = CMSampleBufferGetImageBuffer(sampleBuffer);
    // Lock the base address of the pixel buffer
    CVPixelBufferLockBaseAddress(imageBuffer!, CVPixelBufferLockFlags.readOnly);


    // Get the number of bytes per row for the pixel buffer
    let baseAddress = CVPixelBufferGetBaseAddress(imageBuffer!);

    // Get the number of bytes per row for the pixel buffer
    let bytesPerRow = CVPixelBufferGetBytesPerRow(imageBuffer!);
    // Get the pixel buffer width and height
    let width = CVPixelBufferGetWidth(imageBuffer!);
    let height = CVPixelBufferGetHeight(imageBuffer!);

    // Create a device-dependent RGB color space
    let colorSpace = CGColorSpaceCreateDeviceRGB();

    // Create a bitmap graphics context with the sample buffer data
    var bitmapInfo: UInt32 = CGBitmapInfo.byteOrder32Little.rawValue
    bitmapInfo |= CGImageAlphaInfo.premultipliedFirst.rawValue & CGBitmapInfo.alphaInfoMask.rawValue
    //let bitmapInfo: UInt32 = CGBitmapInfo.alphaInfoMask.rawValue
    let context = CGContext.init(data: baseAddress, width: width, height: height, bitsPerComponent: 8, bytesPerRow: bytesPerRow, space: colorSpace, bitmapInfo: bitmapInfo)
    // Create a Quartz image from the pixel data in the bitmap graphics context
    let quartzImage = context?.makeImage();
    // Unlock the pixel buffer
    CVPixelBufferUnlockBaseAddress(imageBuffer!, CVPixelBufferLockFlags.readOnly);

    // Create an image object from the Quartz image
    let image = UIImage.init(cgImage: quartzImage!);

    return image
}
最后編輯于
?著作權(quán)歸作者所有,轉(zhuǎn)載或內(nèi)容合作請聯(lián)系作者
  • 序言:七十年代末寺渗,一起剝皮案震驚了整個濱河市颠放,隨后出現(xiàn)的幾起案子,更是在濱河造成了極大的恐慌八千,老刑警劉巖,帶你破解...
    沈念sama閱讀 211,561評論 6 492
  • 序言:濱河連續(xù)發(fā)生了三起死亡事件,死亡現(xiàn)場離奇詭異策添,居然都是意外死亡,警方通過查閱死者的電腦和手機毫缆,發(fā)現(xiàn)死者居然都...
    沈念sama閱讀 90,218評論 3 385
  • 文/潘曉璐 我一進店門唯竹,熙熙樓的掌柜王于貴愁眉苦臉地迎上來,“玉大人苦丁,你說我怎么就攤上這事浸颓。” “怎么了旺拉?”我有些...
    開封第一講書人閱讀 157,162評論 0 348
  • 文/不壞的土叔 我叫張陵产上,是天一觀的道長。 經(jīng)常有香客問我蛾狗,道長晋涣,這世上最難降的妖魔是什么? 我笑而不...
    開封第一講書人閱讀 56,470評論 1 283
  • 正文 為了忘掉前任沉桌,我火速辦了婚禮谢鹊,結(jié)果婚禮上,老公的妹妹穿的比我還像新娘留凭。我一直安慰自己佃扼,他們只是感情好,可當(dāng)我...
    茶點故事閱讀 65,550評論 6 385
  • 文/花漫 我一把揭開白布蔼夜。 她就那樣靜靜地躺著兼耀,像睡著了一般。 火紅的嫁衣襯著肌膚如雪挎扰。 梳的紋絲不亂的頭發(fā)上翠订,一...
    開封第一講書人閱讀 49,806評論 1 290
  • 那天巢音,我揣著相機與錄音,去河邊找鬼尽超。 笑死官撼,一個胖子當(dāng)著我的面吹牛,可吹牛的內(nèi)容都是我干的似谁。 我是一名探鬼主播傲绣,決...
    沈念sama閱讀 38,951評論 3 407
  • 文/蒼蘭香墨 我猛地睜開眼,長吁一口氣:“原來是場噩夢啊……” “哼巩踏!你這毒婦竟也來了秃诵?” 一聲冷哼從身側(cè)響起,我...
    開封第一講書人閱讀 37,712評論 0 266
  • 序言:老撾萬榮一對情侶失蹤塞琼,失蹤者是張志新(化名)和其女友劉穎菠净,沒想到半個月后,有當(dāng)?shù)厝嗽跇淞掷锇l(fā)現(xiàn)了一具尸體彪杉,經(jīng)...
    沈念sama閱讀 44,166評論 1 303
  • 正文 獨居荒郊野嶺守林人離奇死亡毅往,尸身上長有42處帶血的膿包…… 初始之章·張勛 以下內(nèi)容為張勛視角 年9月15日...
    茶點故事閱讀 36,510評論 2 327
  • 正文 我和宋清朗相戀三年,在試婚紗的時候發(fā)現(xiàn)自己被綠了派近。 大學(xué)時的朋友給我發(fā)了我未婚夫和他白月光在一起吃飯的照片攀唯。...
    茶點故事閱讀 38,643評論 1 340
  • 序言:一個原本活蹦亂跳的男人離奇死亡,死狀恐怖渴丸,靈堂內(nèi)的尸體忽然破棺而出侯嘀,到底是詐尸還是另有隱情,我是刑警寧澤谱轨,帶...
    沈念sama閱讀 34,306評論 4 330
  • 正文 年R本政府宣布戒幔,位于F島的核電站,受9級特大地震影響碟嘴,放射性物質(zhì)發(fā)生泄漏溪食。R本人自食惡果不足惜,卻給世界環(huán)境...
    茶點故事閱讀 39,930評論 3 313
  • 文/蒙蒙 一娜扇、第九天 我趴在偏房一處隱蔽的房頂上張望错沃。 院中可真熱鬧,春花似錦雀瓢、人聲如沸枢析。這莊子的主人今日做“春日...
    開封第一講書人閱讀 30,745評論 0 21
  • 文/蒼蘭香墨 我抬頭看了看天上的太陽醒叁。三九已至,卻和暖如春,著一層夾襖步出監(jiān)牢的瞬間把沼,已是汗流浹背啊易。 一陣腳步聲響...
    開封第一講書人閱讀 31,983評論 1 266
  • 我被黑心中介騙來泰國打工, 沒想到剛下飛機就差點兒被人妖公主榨干…… 1. 我叫王不留饮睬,地道東北人租谈。 一個月前我還...
    沈念sama閱讀 46,351評論 2 360
  • 正文 我出身青樓,卻偏偏與公主長得像捆愁,于是被迫代替她去往敵國和親割去。 傳聞我的和親對象是個殘疾皇子,可洞房花燭夜當(dāng)晚...
    茶點故事閱讀 43,509評論 2 348

推薦閱讀更多精彩內(nèi)容