aryaxt
aryaxt

Reputation: 77596

Casting to protocol and using value?

Basically the issue is the RawRepresentable part of the code, I need to be able to get the value of it, but because I need to cast to a protocol it doesn't allow me to use the rawValue. Any workaround for this?

public protocol Serializable {
    func dictionary() -> [String: Any]
}

extension Serializable {
    func dictionary() -> [String: Any] {
        var result = [String: Any]()
        let mirror = Mirror(reflecting: self)

        for child in mirror.children {
            guard let label = child.label else { continue }

            switch child.value {
            case let serializable as Serializable:
                result[label] = serializable.dictionary()

            // Compile error here
            case let rawRepresentable as RawRepresentable:
                result[label] = rawRepresentable.rawValue

            default:
                result[label] = child.value
            }
        }

        return result
    }
}

Upvotes: 0

Views: 151

Answers (1)

GetSwifty
GetSwifty

Reputation: 7746

I think this comes down to issues trying to use an associatedType outside of the enum.

I fixed it like this:

public protocol Serializable {
    func dictionary() -> [String: Any]
}

extension Serializable {
    func dictionary() -> [String: Any] {
        var result = [String: Any]()
        let mirror = Mirror(reflecting: self)

        for child in mirror.children {
            guard let label = child.label else { continue }

            switch child.value {
            case let serializable as Serializable:
                result[label] = serializable.dictionary()

            case let rawRepresentable as RawRepresentable:
                let value = rawRepresentable.getValueAsAny()
                result[label] = value

            default:
                result[label] = child.value
            }
        }

        return result
    }
}

extension RawRepresentable {
    func getValueAsAny() -> Any {
        return rawValue as Any
    }
}

Upvotes: 1

Related Questions