Richard Topchii
Richard Topchii

Reputation: 8165

Property wrapper: change empty to Optional

I've created the following extension:

import Foundation

extension Collection {
    /// Returns `nil` if empty
    var nonEmptyValue: Self? {
        isEmpty ? nil : self
    }
}

Now I'd like to make it a property wrapper so I could use it like this:

final class MyClass {
    @NonEmpty
    var string: String? = "test"
}

The idea is that whenever an empty string is assigned to the property, it gets replaced with nil.

Is it even possible to create such a property wrapper (since String? and String are of different type) and how would I go about it?

Upvotes: 2

Views: 897

Answers (1)

Reza Khonsari
Reza Khonsari

Reputation: 466

I'm using your extension:

import Foundation

@propertyWrapper
struct NonEmpty<T: Collection> {
    
    var wrappedValue: T? {
        didSet {
            self.wrappedValue = wrappedValue?.nonEmptyValue
        }
    }
    
    init(wrappedValue: T?) {
        self.wrappedValue = wrappedValue?.nonEmptyValue
    }
}

extension Collection {
    /// Returns `nil` if empty
    var nonEmptyValue: Self? {
        isEmpty ? nil : self
    }
}

and the result is just like image below:

enter image description here

Upvotes: 4

Related Questions