发布于 2015-06-14 01:48:47 | 122 次阅读 | 评论: 0 | 来源: 网络整理
扩展可以向已有的类、结构体和枚举添加新的嵌套类型:
extension Character {
enum Kind {
case Vowel, Consonant, Other
}
var kind: Kind {
switch String(self).lowercaseString {
case "a", "e", "i", "o", "u":
return .Vowel
case "b", "c", "d", "f", "g", "h", "j", "k", "l", "m",
"n", "p", "q", "r", "s", "t", "v", "w", "x", "y", "z":
return .Consonant
default:
return .Other
}
}
}
该例子向Character
添加了新的嵌套枚举。这个名为Kind
的枚举表示特定字符的类型。具体来说,就是表示一个标准的拉丁脚本中的字符是元音还是辅音(不考虑口语和地方变种),或者是其它类型。
这个类子还向Character
添加了一个新的计算实例属性,即kind
,用来返回合适的Kind
枚举成员。
现在,这个嵌套枚举可以和一个Character
值联合使用了:
func printLetterKinds(word: String) {
println("'\(word)' is made up of the following kinds of letters:")
for character in word {
switch character.kind {
case .Vowel:
print("vowel ")
case .Consonant:
print("consonant ")
case .Other:
print("other ")
}
}
print("n")
}
printLetterKinds("Hello")
// 'Hello' is made up of the following kinds of letters:
// consonant vowel consonant consonant vowel
函数printLetterKinds
的输入是一个String
值并对其字符进行迭代。在每次迭代过程中,考虑当前字符的kind
计算属性,并打印出合适的类别描述。所以printLetterKinds
就可以用来打印一个完整单词中所有字母的类型,正如上述单词"hello"
所展示的。
注意:
由于已知character.kind
是Character.Kind
型,所以Character.Kind
中的所有成员值都可以使用switch
语句里的形式简写,比如使用.Vowel
代替Character.Kind.Vowel