Swift 整理(三)——字串、集合型別

weixin_33866037發表於2017-05-06
  • 別名:typealias
typealias AudioSample = UInt16
// AudioSample 被定義為 UInt16 的一個別名
var maxAmplitudeFound = AudioSample.min 
// maxAmplitudeFound 現在是 0
  • 元組:(,,...)
let http404Error = (404, "Not Found","next")
// http404Error 的型別是 (Int, String,String),值是 (404, "Not Found","next")
//
//
let (statusCode, statusMessage,_) = http404Error
print("The status code is \(statusCode)")
// 輸出 "The status code is 404"
print("The status message is \(statusMessage)") 
// 輸出 "The status message is Not Found"
  • 可選型別:?
var serverResponseCode: Int? = 404
// serverResponseCode 包含一個可選的 Int 值 404
serverResponseCode = nil
// serverResponseCode 現在不包含值
//
var surveyAnswer: String?
// surveyAnswer 被自動設定為 nil,surveyAnswer的型別要麼為nil要麼為String
  • 隱式解析可選型別:!
    可選型別被第一次賦值之後就可以確定之後一直有值
let possibleString: String? = "An optional string."
let forcedString: String = possibleString! 
// 需要感嘆號來獲取值
let assumedString: String! = "An implicitly unwrapped optional string." 
let implicitString: String = assumedString 
// 不需要感嘆號
  • 錯誤處理:
func makeASandwich() throws {
     // ...
}
 do {
     try makeASandwich()
     eatASandwich()
 } catch SandwichError.outOfCleanDishes {
     washDishes()
 } catch SandwichError.missingIngredients(let ingredients) {
     buyGroceries(ingredients)
}
  • 斷言:assert(...) 結束程式碼執行並通過除錯來找到值缺失的原因。
let age = -3
assert(age >= 0, "A person's age cannot be less than zero") // 因為 age < 0,所以斷言會觸發
  • 三目運算子:問題 ? T答案1 : F答案2

  • 空合運算子:a??b

a??b
//等價於
a != nil ? a! : b
/*
當可選型別 a 的值不為空時,進行強制解封(a!),訪問 a 中的值;
反之返 回預設值 b 。
無疑空合運算子( ?? )提供了一種更為優 的方式
去封裝條件判斷和解封兩種行為,顯得簡潔以及更具可讀性。
*/
let defaultColorName = "red"
var userDefinedColorName: String? //預設值為 nil
var colorNameToUse = userDefinedColorName ?? defaultColorName
// userDefinedColorName 的值為空,所以 colorNameToUse 的值為 "red"
  • 字串:用characters屬性獲取每個值
for character in "Dog!?".characters {
    print(character)
}
// D
// o
// g
// !
// ?

可傳遞一個值型別為 Character 的陣列作為自變數來初始化

let catCharacters: [Character] = ["C", "a", "t", "!", "?"] 
let catString = String(catCharacters)
print(catString)
// 列印輸出:"Cat!?"

可以用 append() 方法將一個字元附加到一個字串變數的尾部

let exclamationMark: Character = "!" 
welcome.append(exclamationMark)
// welcome 現在等於 "hello there!"

字串插值: \ (...) 用於構建新字串

let multiplier = 3
let message = "\(multiplier) times 2.5 is \(Double(multiplier) * 2.5)" 
// message 是 "3 times 2.5 is 7.5"

你可以使用下標語法來訪問 String 特定索引的 Character 。

let greeting = "Guten Tag!"
 greeting[greeting.startIndex]
 // G (第一個索引)
 greeting[greeting.index(before: greeting.endIndex)]
 // !(最後一個索引的前一個索引)
 greeting[greeting.index(after: greeting.startIndex)]
 // u(第一個索引的後一個索引)
 let index = greeting.index(greeting.startIndex, offsetBy: 7)
 greeting[index]
 // a(第一個索引後7個的索引)
greeting[greeting.endIndex] 
// error
 greeting.index(after: endIndex) 
// error

使用 characters 屬性的 indices 屬性會建立一個包含全部索引的範圍(Range),用來在一個字串中訪問單個字元。

 for index in greeting.characters.indices {
    print("\(greeting[index]) ", terminator: "")
//terminator用字串取代換行
}
// 列印輸出 "G u t e n T a g ! "

插入和刪除:
呼叫 insert(_:at:) 方法可以在一個字串的指定索引插入一個字元
呼叫 insert(contentsOf:at:) 方法可以在一個字串的指定索引插入一個段字串。

var welcome = "hello"
welcome.insert("!", at: welcome.endIndex) // welcome 變數現在等於 "hello!"
welcome.insert(contentsOf:" there".characters, at: welcome.index(before: welcome.endIndex)) // welcome 變數現在等於 "hello there!"

呼叫 remove(at:) 方法可以在一個字串的指定索引刪除一個字元
呼叫 removeSubrange(_:) 方法可以在一 個字串的指定索引刪除一個子字串。

welcome.remove(at: welcome.index(before: welcome.endIndex))
 // welcome 現在等於 "hello there"
let range = welcome.index(welcome.endIndex, offsetBy: -6)..<welcome.endIndex welcome.removeSubrange(range)
// welcome 現在等於 "hello"
  • Unicode是一個國際標準,用於文字的編碼和表示。
    它使您可以用標準格式表示來自任意語言幾乎所有的字元,
    並能夠對文字檔案或網頁這樣的外部資源中的字元進行讀寫操作。

  • Swift 語言提供 Arrays、Sets和Dictionaries三種基本的合型別用來儲存合資料。
    陣列(Arrays)是有序資料的。
    集合(Sets)是無序無重複資料的。
    字典(Dictionaries)是無序的鍵值對的。
    Arrays 、 Sets 和 Dictionaries 型別被實現為泛型集合。
    儲存的資料型別必須明確

  • Array陣列:使用有序列表儲存同一型別的多個值。
    例:字串陣列

var shoppingList: [String] = ["Eggs", "Milk"] 
var shoppingList = ["Eggs", "Milk"]
// shoppingList 已經被構造並且擁有兩個初始項。
shoppingList.append("Flour")
// shoppingList 現在追加了第3個資料項,有人在攤煎餅
shoppingList += ["Baking Powder"]
// shoppingList 現在有四項了
shoppingList += ["Chocolate Spread", "Cheese", "Butter"]
 // shoppingList 現在有七項了
var firstItem = shoppingList[0] 
// 第一項是 "Eggs"
shoppingList[0] = "Six eggs"
// 其中的第一項現在是 "Six eggs" 而不是 "Eggs"
shoppingList[4...6] = ["Bananas", "Apples"] 
//下標為4到6 替換成Bananas和Apples 現在有6項
shoppingList.insert("Maple Syrup", at: 0) 
// shoppingList 現在有7項
// 在下標為0前新增"Maple Syrup" 
let mapleSyrup = remove(at: 0)
// 索引值為0的資料項被移除
// shoppingList 現在只有6項,而且不包括 Maple Syrup
// mapleSyrup 常量的值等於被移除資料項的值 "Maple Syrup"
let apples = shoppingList.removeLast()
// 陣列的最後一項被移除了
// shoppingList 現在只有5項,不包括 Apples 
// apples 常量的值現在等於 "Apples" 字串
//
//陣列的遍歷:
 for item in shoppingList {
     print(item)
 }
 // Six eggs
 // Milk
 // Flour
 // Baking Powder
 // Bananas
//
//陣列元組遍歷
for (index, value) in shoppingList. enumerated() {
     print("Item \(String(index + 1)): \(value)")
 }
 // Item 1: Six eggs
 // Item 2: Milk
 // Item 3: Flour
 // Item 4: Baking Powder
 // Item 5: Bananas
  • Set集合:用來儲存相同型別並且沒有確定順序的值。
var favoriteGenres: Set<String> = ["Rock", "Classical", "Hip hop"] 
// favoriteGenres 被構造成含有三個初始值的集合
print("I have \(favoriteGenres.count) favorite music genres.") 
// 列印 "I have 3 favorite music genres."
favoriteGenres.insert("Jazz")
// favoriteGenres 現在包含4個元素
if let removedGenre = favoriteGenres.remove("Rock") {
     print("\(removedGenre)? I'm over it.")
 } else {
     print("I never much cared for that.")
}
// 列印 "Rock? I'm over it."
//
 if favoriteGenres.contains("Funk") {
     print("I get up on the good foot.")
 } else {
     print("It's too funky in here.")
}
// 列印 "It's too funky in here."
//
/*
遍歷一個集合
*/
//1.for-in迴圈
for genre in favoriteGenres {
     print("\(genre)")
 }
 // 無序:
 // Classical
 // Jazz
 // Hip hop
//
//for-in用sorted()方法
 for genre in favoriteGenres.sorted() {
     print("(genre)")
 }
// 有序:
 // prints "Classical"
 // prints "Hip hop"
 // prints "Jazz
//
 let oddDigits: Set = [1, 3, 5, 7, 9]
 let evenDigits: Set = [0, 2, 4, 6, 8]
 let singleDigitPrimeNumbers: Set = [2, 3, 5, 7]
//集合並集:
 oddDigits.union(evenDigits).sort()
 // [0, 1, 2, 3, 4, 5, 6, 7, 8, 9]
//
//集合交集:
 oddDigits. intersection(evenDigits).sorted()
 // []
//
//在oddDigits結合裡 不在single集合裡
 oddDigits.subtracting(singleDigitPrimeNumbers).sorted()
 // [1, 9]
//
//在oddDigits/single集合裡 但不在並集合裡
 oddDigits. symmetricDifference(singleDigitPrimeNumbers).sorted()
 // [1, 2, 9]
//
/*
集合成員關係:
*/
 let houseAnimals: Set = ["?", "?"]
 let farmAnimals: Set = ["?", "?", "?", "?", "?"]
 let cityAnimals: Set = ["?", "?"]
//isSubset(of:) 方法來判斷一個集合中的值是否也被包含在另外一個集合中
 houseAnimals.isSubset(of: farmAnimals)
 // true
//isSuperset(of:) 方法來判斷一個集合中包含另一個集合中所有的值
 farmAnimals.isSuperset(of: houseAnimals)
 // true
//isStrictSubset(of:) 或者 isStrictSuperset(of:) 方法來判斷一個集合是否是另外一個集合的子集合或者父集合並且兩個集合並不相等
//
//isDisjoint(with:) 方法來判斷兩個集合是否不含有相同的值(是否沒有交集)
 farmAnimals.isDisjoint(with: cityAnimals)
 // true
  • Dictionary字典:一種儲存多個相同型別的值的容器。
    每個值(value)都關聯唯一的鍵(key)
var namesOfIntegers = Int: String
// namesOfIntegers 是一個空的 [Int: String] 字典
namesOfIntegers[16] = "sixteen"
// namesOfIntegers 現在包含一個鍵值對
namesOfIntegers = [:]
// namesOfIntegers 又成為了一個 [Int: String] 型別的空字典
var airports: [String: String] = ["YYZ": "Toronto Pearson", "DUB": "Dublin"]
var airports = ["YYZ": "Toronto Pearson", "DUB": "Dublin"]
airports["LHR"] = "London"
// airports 字典現在有三個資料項
airports["LHR"] = "London Heathrow"
// "LHR"對應的值 被改為 "London Heathrow
 if let oldValue = airports.updateValue("Dublin Airport", forKey: "DUB") {
     print("The old value for DUB was (oldValue).")
}
// 輸出 "The old value for DUB was Dublin."
//
 if let airportName = airports["DUB"] {
     print("The name of the airport is (airportName).")
 } else {
     print("That airport is not in the airports dictionary.")
}
// 列印 "The name of the airport is Dublin Airport."
airports["APL"] = "Apple Internation"
// "Apple Internation" 不是真的 APL 機場, 刪除它 
airports["APL"] = nil
// APL 現在被移除了
//
 if let removedValue = airports. removeValue(forKey: "DUB") {
     print("The removed airport's name is (removedValue).")
 } else {
     print("The airports dictionary does not contain a value for DUB.")
 }
 // prints "The removed airport's name is Dublin Airport."
//
/*
字典遍歷:
*/
//1. for-in元組
for (airportCode, airportName) in airports {
     print("(airportCode): (airportName)")
 }
 // YYZ: Toronto Pearson
 // LHR: London Heathrow
//
//2.keys或value屬性
 for airportCode in airports.keys {
     print("Airport code: (airportCode)")
 }
 // Airport code: YYZ
 // Airport code: LHR
 for airportName in airports.values {
     print("Airport name: (airportName)")
 }
 // Airport name: Toronto Pearson
 // Airport name: London Heathrow
//
//用key或者value直接建立一個Array例項的API引數
let airportCodes = String
// airportCodes 是 ["YYZ", "LHR"]
let airportNames = String
// airportNames 是 ["Toronto Pearson", "London Heathrow"]

相關文章