我使用枚举来存储这样的字符串值:
enum Animals: String { case descCat = "I has attitude" case descDog = "how can I help" case descGator = "I will eat you" var s: String { get { return self.rawValue as String } } }
然后我访问他们:
print("Dogs be like:" + Animals.descDog.s)
您要为其原始值是字符串的所有枚举添加属性?这听起来像是受约束的协议扩展的情况!
原文链接:https://www.f2er.com/swift/320307.htmlextension RawRepresentable where RawValue == String { var description: String { return rawValue } }
这是因为具有原始值的所有枚举自动符合RawRepresentable协议,并且所述协议具有关联的类型RawValue,它告诉您原始值的类型。
现在你的动物枚举会自动继承它:
print(Animals.descCat.description) // -> "I has attitude"
请注意,字符串枚举本身已经是CustomStringConvertible,因此它们已经具有描述属性(返回枚举大小写的名称),并且您的代码不会覆盖它:
print(Animals.descCat) // -> "descCat"
如果您希望您的描述覆盖默认值,只需添加一个CustomStringConvertible一致性声明到您的枚举:
private enum Animals: String,CustomStringConvertible { /*...*/ } print(Animals.descCat) // -> "I has attitude"
您也可以扩展这个想法来涵盖其他原始值类型。例如:
extension RawRepresentable where RawValue: CustomStringConvertible { var description: String { return rawValue.description } }