因此,我已经在Swift 3中编写了一些代码作为CLI来练习使用Grand Central Dispatch。
这个想法是,有三个数组,每个数组都填充了100000000个值。然后我有一个函数来总结数组的所有数字并打印出来。然后还有两个函数来计算这些数组的总和。一个在每个阵列上运行sum函数三次。另一个在每个数组上运行sum函数自己的异步(thread?,dispatch ?,不知道在这里使用什么单词。) 这是代码:
import Foundation
func sum(array a: [Int]) {
var suma = 0
for n in a {
suma += n
}
print(suma)
}
func gcd(a: [Int], b: [Int], c: [Int]) {
let queue = DispatchQueue(label: "com.apple.queue")
let group = DispatchGroup()
let methodStart = Date()
queue.async(group: group, execute: {
sum(array: a)
})
queue.async(group: group, execute: {
sum(array: b)
})
queue.async(group: group, execute: {
sum(array: c)
})
group.notify(queue: .main) {
let methodFinish = Date()
let executionTime = methodFinish.timeIntervalSince(methodStart)
print("GCD Exectuion Time: \(executionTime)")
}
}
func non_gcd(a: [Int], b: [Int], c: [Int]) {
let methodStart = Date()
sum(array: a)
sum(array: b)
sum(array: c)
let methodFinish = Date()
let executionTime = methodFinish.timeIntervalSince(methodStart)
print("Non_GCD Exectuion Time: \(executionTime)")
}
var a = [Int]()
var b = [Int]()
var c = [Int]()
// fill each array with 0 to 1 mil - 1
for i in 0..<100000000 {
a.append(i)
b.append(i+1)
c.append(i+2)
}
non_gcd(a: a, b: b, c: c)
gcd(a: a, b: b, c: c)
dispatchMain()
这是输出,你可以看到它在同一时间运行:
4999999950000000
5000000050000000
5000000150000000
Non_GCD Execution Time: 1.15053302049637
4999999950000000
5000000050000000
5000000150000000
GCD Execution Time: 1.16769099235535
我好奇为什么几乎同一时间? 我认为并发编程使事情变得更快。我想我错过了一些重要的事情。
答案 0 :(得分:4)
您正在创建一个串行队列,因此您的“gcd”代码不会利用多线程。
变化:
let queue = DispatchQueue(label: "com.apple.queue")
为:
let queue = DispatchQueue(label: "com.apple.queue", attributes: .concurrent)
然后再次运行测试。您应该看到一个改进,因为对async
的三次调用现在可以利用多线程。