Swift之字符串常用知识点
本文重点讲了Swift中字符串的新特性,以及常用的知识点
字符串支持隐式多行赋值 “”" “”"
字符串可以直接换行了,使用成对的三个双引号来包括,注意,这样的形式必须从第二行开始定义字符串
//incorrect
let string0 = """this is me
"""
//correct
let string0 = """
this is me
"""
//"this is me"
如果想要换行,直接更换一行即可,前后想多一行换行,直接留空一行
//"this is me\n"
let string1 = """
this is me
"""
//"\nthis is me\n"
let string2 = """
this is me
"""
如果使用这种写法,不想换行怎么办呢,还可以使用\
作为续行符,则改行不会自动换行,如:
let string4 = """
this is me, ok, this is next \
line
"""
这里的对齐逻辑还有个有意思的地方,就是第二个"""对齐的符号的其他行的空白是忽略的,什么意思呢?先看下文档中给的
文档中没有写第二个""",这个是我写代码不小心对齐出错之后发现的,看下例子:
"\nthis is me,\nok"
let string = """
this is me,
ok
"""
//这里this 和 ok 前面的空白是被忽略的
" \n this is me,\n ok"
let string1 = """
this is me,
ok
"""
//而在string1中,this和ok的前面是有空白的,所以我推测这里的空白是根据第二个"""来对齐忽略的
特殊字符串
在字符串中,有很多的特殊字符,Swift中也使用/
来表示特殊字符,如\0(空字符)、\(反斜线)、\t(水平制表符)、\n(换行符)、\r(回车符)、"(双引号)、’(单引号)。
也可以直接使用unicode编码,写成 \u{n}(u 为小写),其中 n 为任意一到八位十六进制数且可用的 Unicode 位码。
而因为有了"""换行,所以其中的双引号就不需要标识了,如:
//"this is "me","
let string = """
this is "me",
"""
如果希望使用特殊字符串呢? 比如我就想字符串中包含\n, 这种情况就可以使用##来包含字符串,其中的特殊字符不会被转义
let string = #"\n"#
let string1 = "\\n"
使用字符串
初始化字符串
这里不再赘述,直接使用简单初始化即可
var emptyString = "" // 空字符串字面量
var anotherEmptyString = String() // 初始化方法
修改字符串
在OC中,我们使用NSString和NSMutableString来表示是否可以修改字符串,而在Swift中,直接使用let和var就可以识别
var variableString = "Horse"
variableString += " and carriage"
// variableString 现在为 "Horse and carriage"
let constantString = "Highlander"
constantString += " and another Highlander"
// 这会报告一个编译错误(compile-time error) - 常量字符串不可以被修改。
而在拼接字符串的时候,再也不用OC中痛苦地使用%@来标记,而是直接嵌入变量即可,使用()包含变量,如
let multiplier = 3
let message = "\(multiplier) times 2.5 is \(Double(multiplier) * 2.5)"
// message 是 "3 times 2.5 is 7.5"
甚至可以直接在字符串中进行一些函数计算,如
print(#"6 times 7 is \#(6 * 7)."#)
// 打印 "6 times 7 is 42."
注意: Swift中String为值类型,当作为函数的参数传递时,不会被修改,只会被copy使用
比如在OC中,如果参数中传入一个string,我们是可以在函数中修改这个string的
NSString a = "string";
[self changeString:a];
NSLog(a);//new string
- (void)changeString:(NSString *)string
{
string = "new string";
}
而在Swift中,函数中是无法直接修改参数的,除非使用inout等关键字实现
var b = "b"
//error
addString(string: b)
func addString(string: String) -> Void {
string += "aaa"
}
//correct
addString(string: &b)
func addString(string:inout String) -> Void {
string += "aaa"
}
遍历字符串
for character in "Dog!????" {
print(character)
}
// D
// o
// g
// !
// ????
注意,Swift中字符串不仅包含上述内容,还包括诸如字符串索引、子字符串、unicode等内容,我这只是挑了常用的知识进行总结,感兴趣的直接看教程 字符串和字符