Szukaj…


Składnia

  • Lustro (odzwierciedlające: instancja) // Inicjuje lustro z przedmiotem do odbicia
  • mirror.displayStyle // Styl wyświetlania używany na placach zabaw Xcode
  • mirror.description // Tekstowa reprezentacja tego wystąpienia, patrz CustomStringConvertible
  • mirror.subjectType // Zwraca typ odbijanego obiektu
  • mirror.superclassMirror // Zwraca lustro superklasy odbijanego obiektu

Uwagi

  1. Uwagi ogólne:

Mirror jest struct używaną w introspekcji obiektu w Swift. Jego najważniejszą właściwością jest tablica dzieci. Jednym z możliwych przypadków użycia jest serializacja struktury dla Core Data . Odbywa się to poprzez konwersję struct na NSManagedObject .

  1. Podstawowe użycie lustrzanych uwag:

children właściwością Mirror jest tablicą obiektów dzieci z obiektu wystąpienie lustra odbijającej. child obiekt posiada dwie właściwości label i value . Na przykład dziecko może być własnością o title imienia i wartości Game of Thrones: A Song of Ice and Fire .

Podstawowe użycie lustra

Tworzenie klasy będącej przedmiotem Mirror

class Project {
    var title: String = ""
    var id: Int = 0
    var platform: String = ""
    var version: Int = 0
    var info: String?
}

Tworzenie instancji, która faktycznie będzie przedmiotem lustra. Również tutaj możesz dodać wartości do właściwości klasy Project.

let sampleProject = Project()
sampleProject.title = "MirrorMirror"
sampleProject.id = 199
sampleProject.platform = "iOS"
sampleProject.version = 2
sampleProject.info = "test app for Reflection"

Poniższy kod pokazuje tworzenie instancji Mirror. Właściwością AnyForwardCollection<Child> lustra jest AnyForwardCollection<Child> gdzie Child jest typową krotką dla właściwości i wartości podmiotu. Child miało label: String i value: Any .

let projectMirror = Mirror(reflecting: sampleProject)
let properties = projectMirror.children

print(properties.count)        //5
print(properties.first?.label) //Optional("title")
print(properties.first!.value) //MirrorMirror
print()

for property in properties {
    print("\(property.label!):\(property.value)")
}

Wyjście w Playground lub Console w Xcode dla pętli for powyżej.

title:MirrorMirror
id:199
platform:iOS
version:2
info:Optional("test app for Reflection")

Testowane w Playground na Xcode 8 beta 2

Pobieranie typu i nazw właściwości dla klasy bez konieczności jej tworzenia

Korzystanie z klasy Swift Mirror działa, jeśli chcesz wyodrębnić nazwę , wartość i typ (Swift 3: type(of: value) , Swift 2: value.dynamicType ) właściwości dla instancji określonej klasy.

Jeśli klasa dziedziczy po NSObject , możesz użyć metody class_copyPropertyList wraz z property_getAttributes aby znaleźć nazwę i typy właściwości dla klasy - bez jej wystąpienia . W tym celu stworzyłem projekt w Github , ale oto kod:

func getTypesOfProperties(in clazz: NSObject.Type) -> Dictionary<String, Any>? {
    var count = UInt32()
    guard let properties = class_copyPropertyList(clazz, &count) else { return nil }
    var types: Dictionary<String, Any> = [:]
    for i in 0..<Int(count) {
        guard let property: objc_property_t = properties[i], let name = getNameOf(property: property) else { continue }
        let type = getTypeOf(property: property)
        types[name] = type
    }
    free(properties)
    return types
}

func getTypeOf(property: objc_property_t) -> Any {
    guard let attributesAsNSString: NSString = NSString(utf8String: property_getAttributes(property)) else { return Any.self }
    let attributes = attributesAsNSString as String
    let slices = attributes.components(separatedBy: "\"")
    guard slices.count > 1 else { return getPrimitiveDataType(withAttributes: attributes) }
    let objectClassName = slices[1]
    let objectClass = NSClassFromString(objectClassName) as! NSObject.Type
    return objectClass
}
    
   func getPrimitiveDataType(withAttributes attributes: String) -> Any {
        guard let letter = attributes.substring(from: 1, to: 2), let type = primitiveDataTypes[letter] else { return Any.self }
        return type
    }

Gdzie primitiveDataTypes jest słownikiem odwzorowującym literę w ciągu atrybutu na typ wartości:

let primitiveDataTypes: Dictionary<String, Any> = [
    "c" : Int8.self,
    "s" : Int16.self,
    "i" : Int32.self,
    "q" : Int.self, //also: Int64, NSInteger, only true on 64 bit platforms
    "S" : UInt16.self,
    "I" : UInt32.self,
    "Q" : UInt.self, //also UInt64, only true on 64 bit platforms
    "B" : Bool.self,
    "d" : Double.self,
    "f" : Float.self,
    "{" : Decimal.self
]
    
   func getNameOf(property: objc_property_t) -> String? {
        guard let name: NSString = NSString(utf8String: property_getName(property)) else { return nil }
        return name as String
    }

Można go wyodrębnić NSObject.Type wszystkich właściwości, które Typ klasa dziedziczy z NSObject takie jak NSDate (Swift3: Date ), NSString (Swift3: String ?) I NSNumber , jednak jest to sklep w rodzaju Any (jak widać jak typ wartości Słownika zwracanej przez metodę). Wynika to z ograniczeń value types takich jak Int, Int32, Bool. Ponieważ te typy nie dziedziczą po NSObject, wywołanie .self np. Na Int - Int.self nie zwraca NSObject.Type, a raczej typ Any . Zatem metoda zwraca Dictionary<String, Any>? a nie Dictionary<String, NSObject.Type>? .

Możesz użyć tej metody w następujący sposób:

class Book: NSObject {
    let title: String
    let author: String?
    let numberOfPages: Int
    let released: Date
    let isPocket: Bool

    init(title: String, author: String?, numberOfPages: Int, released: Date, isPocket: Bool) {
        self.title = title
        self.author = author
        self.numberOfPages = numberOfPages
        self.released = released
        self.isPocket = isPocket
    }
}

guard let types = getTypesOfProperties(in: Book.self) else { return }
for (name, type) in types {
    print("'\(name)' has type '\(type)'")
}
// Prints:
// 'title' has type 'NSString'
// 'numberOfPages' has type 'Int'
// 'author' has type 'NSString'
// 'released' has type 'NSDate'
// 'isPocket' has type 'Bool'

Możesz także spróbować rzutować Any na NSObject.Type , co zakończy się powodzeniem dla wszystkich właściwości dziedziczących po NSObject , a następnie możesz sprawdzić typ za pomocą standardowego operatora == :

func checkPropertiesOfBook() {
    guard let types = getTypesOfProperties(in: Book.self) else { return }
    for (name, type) in types {
        if let objectType = type as? NSObject.Type {
            if objectType == NSDate.self {
                print("Property named '\(name)' has type 'NSDate'")
            } else if objectType == NSString.self {
                print("Property named '\(name)' has type 'NSString'")
            }
        }
    }
}

Jeśli zadeklarujesz tego niestandardowego operatora == :

func ==(rhs: Any, lhs: Any) -> Bool {
    let rhsType: String = "\(rhs)"
    let lhsType: String = "\(lhs)"
    let same = rhsType == lhsType
    return same
}

Następnie możesz nawet sprawdzić typ value types takich jak ten:

func checkPropertiesOfBook() {
    guard let types = getTypesOfProperties(in: Book.self) else { return }
    for (name, type) in types {
        if type == Int.self {
            print("Property named '\(name)' has type 'Int'")
        } else if type == Bool.self {
            print("Property named '\(name)' has type 'Bool'")
        }
    }
}

OGRANICZENIA To rozwiązanie nie działa, gdy value types są opcjonalne. Jeśli zadeklarowałeś w swojej właściwości podklasę NSObject, taką jak ta: var myOptionalInt: Int? , powyższy kod nie znajdzie tej właściwości, ponieważ metoda class_copyPropertyList nie zawiera opcjonalnych typów wartości.



Modified text is an extract of the original Stack Overflow Documentation
Licencjonowany na podstawie CC BY-SA 3.0
Nie związany z Stack Overflow