下面的所有示例都使用
var str = "Hello, playground"
斯威夫特4
在Swift 4中,字符串进行了相当大的修改。当你从String中获取子字符串时,你得到的是substring类型而不是String类型。为什么会这样?字符串是Swift中的值类型。这意味着如果你使用一个字符串来创建一个新的字符串,那么它必须被复制。这有利于稳定性(没有人会在你不知情的情况下改变它),但不利于效率。
另一方面,Substring是返回到它所来自的原始String的引用。下面是文档中的一张图片说明了这一点。
不需要复制,所以使用起来更有效率。但是,假设您从100万个字符字符串中获得了10个字符的子字符串。因为Substring引用了String,只要Substring存在,系统就必须保留整个String。因此,当你完成对Substring的操作时,将其转换为String。
let myString = String(mySubstring)
这将只复制子字符串,保留旧字符串的内存可以被回收。子字符串(作为一种类型)意味着生命周期很短。
Swift 4的另一个重大改进是字符串是集合(再次)。这意味着你可以对Collection做什么,也可以对String做什么(使用下标、遍历字符、过滤器等)。
下面的例子展示了如何在Swift中获取子字符串。
获得子字符串
您可以通过使用下标或许多其他方法(例如,前缀、后缀、split)从字符串中获得子字符串。您仍然需要使用String。索引,而不是范围的Int索引。(如果你需要帮助,请参阅我的另一个答案。)
字符串的开头
你可以使用下标(注意Swift 4的单边范围):
let index = str.index(str.startIndex, offsetBy: 5)
let mySubstring = str[..<index] // Hello
或前缀:
let index = str.index(str.startIndex, offsetBy: 5)
let mySubstring = str.prefix(upTo: index) // Hello
或者更简单:
let mySubstring = str.prefix(5) // Hello
字符串的结尾
使用下标:
let index = str.index(str.endIndex, offsetBy: -10)
let mySubstring = str[index...] // playground
或后缀:
let index = str.index(str.endIndex, offsetBy: -10)
let mySubstring = str.suffix(from: index) // playground
或者更简单:
let mySubstring = str.suffix(10) // playground
注意,当使用后缀(from: index)时,我必须使用-10从末尾开始计数。当只使用后缀(x)时,这是不必要的,它只接受字符串的最后x个字符。
字符串中的范围
同样,我们在这里使用了下标。
let start = str.index(str.startIndex, offsetBy: 7)
let end = str.index(str.endIndex, offsetBy: -6)
let range = start..<end
let mySubstring = str[range] // play
将子字符串转换为字符串
不要忘记,当你准备保存你的子字符串时,你应该把它转换成一个字符串,这样旧的字符串的内存就可以被清理。
let myString = String(mySubstring)
使用Int索引扩展?
在阅读Airspeed Velocity和Ole Begemann的文章《Strings in Swift 3》后,我犹豫是否要使用基于Int的索引扩展。虽然在Swift 4中,字符串是集合,但Swift团队故意没有使用Int索引。它仍然是String.Index。这与Swift字符由不同数量的Unicode码点组成有关。实际索引必须为每个字符串唯一地计算。
我不得不说,我希望Swift团队能找到一种方法来抽象String。未来的指数。但在那之前,我选择使用他们的API。它帮助我记住String操作不仅仅是简单的Int索引查找。