Memory Leaks Debug 记录

以下代码的开发环境:Swift 2.3 in Xcode 8.0(8A218a)

基于Leaked Object分类成以下几种:

(1) _ContiguousArrayStorage
问题1:使用 Alamofire 3.5,请求时会有 Memory Leak。在这份 issue中,作者表示这是 Swift 2.3 的问题,Swift 3.0已修复。

    if let request = URLString as? NSMutableURLRequest {
        mutableURLRequest = URLString as! NSMutableURLRequest
    } else if let request = URLString as? NSURLRequest {
        mutableURLRequest = (URLString as! NSURLRequest).URLRequest
    } else {
        mutableURLRequest = NSMutableURLRequest(URL: NSURL(string: URLString.URLString)!)
    }

解决方法:
更新到 Alamofire 3.5.1。其中,3.5.1 将 if let ... { }改写成对dynamicType的判断。

    if URLString.dynamicType == NSMutableURLRequest.self {
        mutableURLRequest = URLString as! NSMutableURLRequest
    } else if URLString.dynamicType == NSURLRequest.self {
        mutableURLRequest = (URLString as! NSURLRequest).URLRequest
    } else {
        mutableURLRequest = NSMutableURLRequest(URL: NSURL(string: URLString.URLString)!)
    }

问题2:在 SwiftyJSON.JSON 的 Struct 实例中取出数据后,赋值给 myLabel.text 时,会发生Memory Leaks。如:

 struct MyJSON {
   let json: JSON
   var age: Int {
     return json["age"].intValue
   }
 }
// 实例化一个 myJSON...
myLabel.text = "年龄\(myJSON.age)"  // 此处内存泄露

解决方法:不要直接使用"年龄\(myJSON.age)",而是将它封装起来。如,写进 MyJSON中,作为一个计算属性,再使用它。

 struct MyJSON {
   let json: JSON
   var age: Int {
     return json["age"].intValue
   }
  var ageAsText: String {
    return "年龄\(age)"
  }
 }

(2) _ContiguousArrayStorage<(String, AnyObject)>
问题代码1:

let menuBottomHairline : UIView = UIView()
let menuHeight: CGFloat = 34
let menuBottomHairline_constraint_V = NSLayoutConstraint.constraintsWithVisualFormat(
    "V:|-\(menuHeight)-[menuBottomHairline(0.5)]",
    options: NSLayoutFormatOptions(rawValue: 0),
    metrics: nil,
    views: ["menuBottomHairline":menuBottomHairline])

解决方法:封装起VisualFormat

var menuBottomHairline_constraint_V_format: String {
    let i = Int(menuHeight)
    return "V:|-\(i)-[menuBottomHairline(0.5)]"
}
let menuBottomHairline_constraint_V = NSLayoutConstraint.constraintsWithVisualFormat(
    menuBottomHairline_constraint_V_format,
    options: NSLayoutFormatOptions(rawValue: 0),
    metrics: nil,
    views: ["menuBottomHairline":menuBottomHairline])

推测原因:print(menuHeight)的结果是"34.0",因此如果直接用"V:|-\(menuHeight)-[menuBottomHairline(0.5)]"的话,并不等价于"V:|-34-[menuBottomHairline(0.5)]",从而造成Memory Leak。

问题2:
在某一个方法中设置一个字典,如下

func updateIdentifiers() {
  var dic = [Int: AnyObject?]()
  dic[0] = ...
  dic[1] = ...
  // 逐个 key 设置dic,value 也还是集合类型,涉及到 String 的处理...
}

然后就会有内存泄漏了。
解决方法:
把这个逐个设置的过程分成几个子方法,再去调这些子方法,然后就能很诡异地修复了这个泄露……原因无法理解……

你可能感兴趣的:(Memory Leaks Debug 记录)