如何计算数组中唯一项的数量?
示例:
let array:Array<Int> = [1,3,2,4,6,1,3,2]
计数功能:
array.count
会给8
但我想计算独特的项目,这将给出 5
从 Swift 1.2 开始,Swift 有原生
Set
类型。 使用 Set
构造函数从数组创建一个集合,然后 count
属性将告诉您有多少个唯一项目:
let array = [1,3,2,4,6,1,3,2]
let set = Set(array)
print(set.count) // prints "5"
对于 Swift 1.1 及更早版本:
将你的数组变成
NSSet
:
let array = [1,3,2,4,6,1,3,2]
let set = NSSet(array: array)
println(set.count) // prints "5"
您可以在此处阅读更多相关信息。
如果您对每个项目有多少感兴趣,您可以使用字典来计算项目:
var counts = [Int:Int]()
for item in array {
counts[item] = (counts[item] ?? 0) + 1
}
print(counts) // prints "[6: 1, 2: 2, 3: 2, 1: 2, 4: 1]"
print(counts.count) // prints "5"
print("There are \(counts[1] ?? 0) ones.") // prints "There are 2 ones."
print("There are \(counts[7] ?? 0) sevens.") // prints "There are 0 sevens."
您可以使用 NSSet 丢弃重复项:
let array:Array<Int> = [1,3,2,4,6,1,3,2]
let count = NSSet(array: array).count
println(count)
打印:
5
实现功能 countDistinct(numbers: [Int]) 返回中不同元素的数量 数组。 Swift 的 NSSet 文档 https://developer.apple.com/documentation/foundation/nsset
func countDistinct(numbers: [Int]) -> Int {
let array:Array<Int> = numbers
let count = NSSet(array: array).count
return count
}
print(countDistinct(numbers: [20, 10, 10, 30, 20]))
如果您更喜欢坚持使用pure swift,可能的解决方案包括:
翻译成代码:
let start: (Int, Int?) = (0, nil)
let count = array.sorted(<).reduce(start) { initial, value in
(initial.0 + (initial.1 == value ? 0 : 1), value)
}
let uniqueElements = count.0
结果存储在
count
元组的元素 0 中。
说明:
start
元组使用0
和nil
进行初始化,并作为初始值传递给reduce
方法,在数组的排序副本上调用。
每次迭代时,都会返回一个新元组,其中包含当前数组元素和当前计数器,如果当前元素与前一个元素不同,则加一。
您还可以使用以下通用方法来计算数组内的唯一值。
func countUniques<T: Comparable>(_ array: Array<T>) -> Int {
let sorted = array.sorted()
let initial: (T?, Int) = (.none, 0)
let reduced = sorted.reduce(initial) {
($1, $0.0 == $1 ? $0.1 : $0.1 + 1)
}
return reduced.1
}
let numbersInArray = [1, 2, 3, 4, 5, 1, 2, 3]
let uniqueNumbers = Array(Set(numbersInArray))
print(uniqueNumbers.count)