NSRange变量是否可能包含多个范围?类似的东西:
var multipleRanges: NSRange = [NSMakeRange(0, 2), NSMakeRange(10, 1), ...]
或许可能有多种范围的另一种可变类型?
答案 0 :(得分:6)
或许可能有多种范围的另一种可变类型?
是的,NS(Mutable)IndexSet
将(唯一的)无符号整数的集合存储为一系列范围。
示例:创建可变索引集并添加两个范围和一个索引:
let indexSet = NSMutableIndexSet()
indexSet.addIndexesInRange(NSMakeRange(0, 2))
indexSet.addIndexesInRange(NSMakeRange(10, 3))
indexSet.addIndex(5)
println(indexSet)
// <NSMutableIndexSet: 0x10050a510>[number of indexes: 6 (in 3 ranges), indexes: (0-1 5 10-12)]
枚举所有索引:
indexSet.enumerateIndexesUsingBlock { (index, stop) -> Void in
println(index)
}
// Output: 0 1 5 10 11 12
枚举所有范围:
indexSet.enumerateRangesUsingBlock { (range, stop) -> Void in
println(range)
}
// Output: (0,2) (5,1) (10,3)
测试会员资格:
if indexSet.containsIndex(11) {
// ...
}
但请注意NSIndexSet
表示集,即没有重复的元素,
元素的顺序无关紧要。这可能会也可能不会
根据您的需要有用。例如:
let indexSet = NSMutableIndexSet()
indexSet.addIndexesInRange(NSMakeRange(0, 4))
indexSet.addIndexesInRange(NSMakeRange(2, 4))
indexSet.enumerateRangesUsingBlock { (range, stop) -> Void in
println(range)
}
// Output: (0,6)
答案 1 :(得分:1)
单个NSRange
变量可以包含单个范围。如果您需要存储多个范围,请创建一个数组:
var multipleRanges: [NSRange] = [NSMakeRange(0, 2), NSMakeRange(10, 1)]
// ^ ^
// | |
// This tells Swift that you are declaring an array, and that array elements
// are of NSRange type.
您也可以省略类型,让编译器为您推断:
// This is the same declaration as above, but now the type of array element
// is specified implicitly through the type of initializer elements:
var multipleRanges = [NSMakeRange(0, 2), NSMakeRange(10, 1)]