字符串转类:通用AnyClass版在文末
在OC中,利用
NSClassFromString("XXXTableViewCell")
就可以轻松得到一个类实例。
在Swift中,如果直接使用这个方法却会得到nil
。
作者想要达到的实现:在使用纯Model搭建组件的时候,程序在底层框架构建Cell的时候只需要一个类名(String类型)就可以完成所有事情,而不需要把cell先初始化出来。
-
字符串转类
/// 字符串转类type
func cellClassFromString(_ className:String) -> AnyClass {
// 1、获swift中的命名空间名
var name = Bundle.main.object(forInfoDictionaryKey: "CFBundleExecutable") as? String
// 2、如果包名中有'-'横线这样的字符,在拿到包名后,还需要把包名的'-'转换成'_'下横线
name = name?.replacingOccurrences(of: "-", with: "_")
// 3、拼接命名空间和类名,”包名.类名“
let fullClassName = name! + "." + className
// 4、因为NSClassFromString()返回的AnyClass?,需要给个默认值返回!
let classType: AnyClass = NSClassFromString(fullClassName) ?? VEBTableViewCell.self
// 类type
return classType
}
在用cellClassFromString(_ className:String)
得到类Type之后,既能使用classType.self
或者 classType.ClassForCorde()
来进行重用Cell的注册。
// 注册cell方法
tableView.register(cellClassFromString("类名").self, forCellReuseIdentifier: "\("类名")!)")
又能直接使用类Type来进行tableViewCell的初始化
override func tableView(_ tableView: UITableView, cellForRowAt indexPath: IndexPath) -> UITableViewCell {
// 得到AnyClass
let anyClass: AnyClass = cellClassFromString(str)
// 强转自己需要的类,使用类方法 .cell来得到一个实例对象
let classType = anyClass as! VEBTableViewCell.Type
let cell = classType.cell(tableView)
return cell
}
-
(通用)最后也可以把这个方法封装到String+里面,作为通用方法:
/// 字符串转类
func classFromString(_ className:String) -> AnyClass? {
// 1、获swift中的命名空间名
var name = Bundle.main.object(forInfoDictionaryKey: "CFBundleExecutable") as? String
// 2、如果包名中有'-'横线这样的字符,在拿到包名后,还需要把包名的'-'转换成'_'下横线
name = name?.replacingOccurrences(of: "-", with: "_")
// 3、拼接命名空间和类名,”包名.类名“
let fullClassName = name! + "." + className
// 通过NSClassFromString获取到最终的类
let anyClass: AnyClass? = NSClassFromString(fullClassName)
// 本类type
return anyClass
}