在Swift中将字节数组转换为UIImage

时间:2016-07-11 13:54:00

标签: ios arrays swift uiimage bytearray

我想在项目中将字节数组转换为UIImage
为此,我发现了一些here 之后我尝试在swift中转换代码,但失败了。

这是我的代码的快速版本。

func convierteImagen(cadenaImagen: NSMutableString) -> UIImage {
        var strings: [AnyObject] = cadenaImagen.componentsSeparatedByString(",")
        let c: UInt = UInt(strings.count)
        var bytes = [UInt8]()
        for (var i = 0; i < Int(c); i += 1) {
            let str: String = strings[i] as! String
            let byte: Int = Int(str)!
            bytes.append(UInt8(byte))
//            bytes[i] = UInt8(byte)
        }
        let datos: NSData = NSData(bytes: bytes as [UInt8], length: Int(c))
        let image: UIImage = UIImage(data: datos)!
        return image
    }

但我收到了错误:

  

EXC_BAD_INSTRUCTION

在屏幕截图中显示如下。

EXC_BAD_INSTRUCTION

请帮助解决这个问题。

1 个答案:

答案 0 :(得分:3)

如果您使用的是您引用的示例数据,则这些值不是UInt s - 它们已经过签名Int。将负数传递给UInt8()确实会导致运行时崩溃 - 我原以为它应该返回一个可选项。答案是使用bitPattern:签名使用初始化,如下面的Playground示例所示:

let o = Int8("-127")
print(o.dynamicType) // Optional(<Int8>)
// It's optional, so we need to unwrap it...
if let x = o {
    print(x) // -127, as expected
    //let b = UInt8(x) // Run time crash
    let b = UInt8(bitPattern: x) // 129, as it should be
}

因此你的功能应该是

func convierteImagen(cadenaImagen: String) -> UIImage? {
    var strings = cadenaImagen.componentsSeparatedByString(",")
    var bytes = [UInt8]()
    for i in 0..< strings.count {
        if let signedByte = Int8(strings[i]) {
            bytes.append(UInt8(bitPattern: signedByte))
        } else {
            // Do something with this error condition
        }
    }
    let datos: NSData = NSData(bytes: bytes, length: bytes.count)
    return UIImage(data: datos) // Note it's optional. Don't force unwrap!!!
}