1.數(shù)字字面量
整形字面量可以被寫成如下的形式:
- 十進(jìn)制(decimal)數(shù)字泵殴,不需要加前綴
- 二進(jìn)制(binary)數(shù)字蚀乔,需要加 0b 作為前綴
- 八進(jìn)制(octal)數(shù)字蒋纬,需要加 0o 作為前綴
- 十六進(jìn)制(hexadecimal)數(shù)字泊愧,需要加 0x 作為前綴
示例:
let decimalInteger = 17
let binaryInteger = 0b10001 // 17 in binary notation
let octalInteger = 0o21 // 17 in octal notation
let hexadecimalInteger = 0x11 // 17 in hexadecimal notation
2.指數(shù)表達(dá)式
十進(jìn)制數(shù)字表示方式:
//e搭配后面的數(shù)子村视,表示10的多少次方
1.25e2 代表 1.25 x 10^2 或者 125.0
1.25e-2 代表 1.25 x 10^-2 或者 0.0125
十六進(jìn)制數(shù)字表示方式:
//0x 表示 16進(jìn)制官套,F(xiàn) 為16進(jìn)制的數(shù)字15,p搭配后面的數(shù)字蚁孔,表示2的多少次方
0xFp2 代表 15 x 2^2 或者 60.0
0xFp-2 代表 15 x 2^-2 或者 3.75
看一下幾個(gè)例子:
let decimalDouble = 12.1875
let exponentDouble = 1.21875e1
let hexadecimalDouble = 0xC.3p0
//他們的值都是 12.1875
為了增加大數(shù)字的可讀性奶赔,swift新添了一樣數(shù)字表示格式
let paddedDouble = 000123.456
let oneMillion = 1_000_000
let justOverOneMillion = 1_000_000.000_000_1
3.bool類型做條件判斷
在 if 條件語句中我們都知道,凡是能夠表達(dá) 真(非0) 或者 假(0) 的表達(dá)式都可以作為條件進(jìn)行判斷處理,但是在 Swift 中做了一些改進(jìn)杠氢,因?yàn)?Swift 是類型安全的站刑,在使用條件語句時(shí),會(huì)阻止 非 Boolean 值的表達(dá)式作為邏輯語句鼻百,看一下下面的例子:
//錯(cuò)誤的條件語句
let i = 1
if i {
// this example will not compile, and will report an error
}
//正確的條件語句
let j = 1
if j == 1 {
// this example will compile successfully
}
4.元組
元組:包含多個(gè)值到一個(gè)復(fù)合值里绞旅,即值的集合(有點(diǎn)像數(shù)組摆尝,但跟數(shù)組還是有很大區(qū)別)。
例如:(404, "Not Found")
就是一個(gè)元組,是我們常用來描述HTTP狀態(tài)嗎的信息因悲,404 Not Found
常被用來表示網(wǎng)頁不存在堕汞。
let http404Error = (404, "Not Found")
// http404Error 類型是 (Int, String), 等價(jià)于 (404, "Not Found")
(404, "Not Found")
作為一個(gè)元組,集合了 Int
和 String
兩個(gè)分離的值作為HTTP
的狀態(tài)碼晃琳,元組類型則是:(Int, String)
讯检,當(dāng)然我們可以創(chuàng)建一組任意類型的值,例如:(Int, Int, Int)
or (String, Bool)
我們也可以把元組的內(nèi)容分解為 常量(constants)或者 變量(variables)卫旱,如下:
let http404error = (404,"Not Found")
let (statusCode,statusMessage) = http404error
print("status code is \(statusCode)")
print("status message is \(statusMessage)")
如果我們只需要一部分元組的值视哑,而想要忽略掉另外一部分值,可以使用下劃線_
進(jìn)行忽略誊涯,分解如下:
let http404error = (404,"Not Found")
let (statusCode,_) = http404error
print("status code is \(statusCode)")
對(duì)于一個(gè)已經(jīng)初始化的元組,我們可以使用下表訪問的方式蒜撮,進(jìn)行訪問元組內(nèi)部的值暴构,如下:
let http404error = (404,"Not Found")
print("status code is \(http404error.0)")
print("status message is \(http404error.1)")
在初始化元組時(shí)也可以給每個(gè)元組的值命名,這樣使元組更易讀段磨,如下:
let http404error = (statusCode:404,description:"Not Found")
print("status code is \(http404error.statusCode)")
print("status message is \(http404error.description)")
元組作為函數(shù)的返回值是比較有用的取逾,返回的一個(gè)值能夠具體的描述處理結(jié)果的信息,有利于我們對(duì)邏輯的處理苹支,后續(xù)會(huì)談到砾隅。