ОНОВЛЕНО ДО SWIFT 5
Ми можемо отримати досить описи імен типів за допомогою змінної екземпляра через String
ініціалізатор та створити нові об'єкти певного класу
Як, наприклад print(String(describing: type(of: object)))
. Де object
може бути змінна примірник, наприклад, масив, словник, an Int
, a NSDate
тощо.
Оскільки NSObject
це кореневий клас більшості ієрархій класів Objective-C, ви можете спробувати зробити розширення для NSObject
отримання імені класу кожного підкласу NSObject
. Подобається це:
extension NSObject {
var theClassName: String {
return NSStringFromClass(type(of: self))
}
}
Або ви можете зробити статичну функцію, параметр якої типу Any
(протокол, якому всі типи явно відповідають) і повертає ім'я класу як String. Подобається це:
class Utility{
class func classNameAsString(_ obj: Any) -> String {
//prints more readable results for dictionaries, arrays, Int, etc
return String(describing: type(of: obj))
}
}
Тепер ви можете зробити щось подібне:
class ClassOne : UIViewController{ /* some code here */ }
class ClassTwo : ClassOne{ /* some code here */ }
class ViewController: UIViewController {
override func viewDidLoad() {
super.viewDidLoad()
// Get the class name as String
let dictionary: [String: CGFloat] = [:]
let array: [Int] = []
let int = 9
let numFloat: CGFloat = 3.0
let numDouble: Double = 1.0
let classOne = ClassOne()
let classTwo: ClassTwo? = ClassTwo()
let now = NSDate()
let lbl = UILabel()
print("dictionary: [String: CGFloat] = [:] -> \(Utility.classNameAsString(dictionary))")
print("array: [Int] = [] -> \(Utility.classNameAsString(array))")
print("int = 9 -> \(Utility.classNameAsString(int))")
print("numFloat: CGFloat = 3.0 -> \(Utility.classNameAsString(numFloat))")
print("numDouble: Double = 1.0 -> \(Utility.classNameAsString(numDouble))")
print("classOne = ClassOne() -> \((ClassOne).self)") //we use the Extension
if classTwo != nil {
print("classTwo: ClassTwo? = ClassTwo() -> \(Utility.classNameAsString(classTwo!))") //now we can use a Forced-Value Expression and unwrap the value
}
print("now = Date() -> \(Utility.classNameAsString(now))")
print("lbl = UILabel() -> \(String(describing: type(of: lbl)))") // we use the String initializer directly
}
}
Крім того, як тільки ми зможемо отримати ім'я класу як String, ми можемо створити нові об'єкти цього класу :
// Instantiate a class from a String
print("\nInstantiate a class from a String")
let aClassName = classOne.theClassName
let aClassType = NSClassFromString(aClassName) as! NSObject.Type
let instance = aClassType.init() // we create a new object
print(String(cString: class_getName(type(of: instance))))
print(instance.self is ClassOne)
Можливо, це допомагає комусь там !.