有人说 Scala 的 For 推导实际上很慢。给我的原因是由于 Java 的限制,对于推导(例如下面使用的“reduce”)需要在每次迭代时生成一个临时对象,以便调用传入的函数。
这是真的?下面的测试似乎证实了这一点,但我不完全理解为什么会这样。
这可能对“lambdas”或匿名函数有意义,但对非匿名函数没有意义。
在我的测试中,我针对 list.reduce 运行 for 循环(参见下面的代码),发现它们的速度是原来的两倍多,即使每次迭代调用的函数与传递给 reduce 的函数完全相同!
我发现这非常违反直觉(曾经认为 Scala 库会经过精心创建以尽可能优化)。
在我进行的一项测试中,我以五种不同的方式运行了相同的循环(将数字 1 加到一百万,与溢出无关):
- for 循环遍历值数组
- for 循环,但调用函数而不是内联算术
- for循环,创建一个包含加法函数的对象
- list.reduce,传递我一个匿名函数
- list.reduce,传入一个对象成员函数
结果如下:测试:最小/最大/平均(毫秒)
1. 27/157/64.78
2. 27/192/65.77 <--- note the similarity between tests 1,2 and 4,5
3. 139/313/202.58
4. 63/342/150.18
5. 63/341/149.99
可以看出,“for comprehension”版本的顺序是“for with new for each instance”,这意味着实际上可以为匿名和非匿名函数版本执行“new”。
方法:下面的代码(删除了测试调用)被编译成一个 .jar 文件,以确保所有版本都运行相同的库代码。每次迭代中的每个测试都在一个新的 JVM 中调用(即每个测试的 scala -cp ...),以消除堆大小问题。
class t(val i: Int) {
def summit(j: Int) = j + i
}
object bar {
val biglist:List[Int] = (1 to 1000000).toList
def summit(i: Int, j:Int) = i+j
// Simple for loop
def forloop: Int = {
var result: Int = 0
for(i <- biglist) {
result += i
}
result
}
// For loop with a function instead of inline math
def forloop2: Int = {
var result: Int = 0
for(i <- biglist) {
result = summit(result,i)
}
result
}
// for loop with a generated object PER iteration
def forloop3: Int = {
var result: Int = 0
for(i <- biglist) {
val t = new t(result)
result = t.summit(i)
}
result
}
// list.reduce with an anonymous function passed in
def anonymousfunc: Int = {
biglist.reduce((i,j) => {i+j})
}
// list.reduce with a named function
def realfunc: Int = {
biglist.reduce(summit)
}
// test calling code excised for brevity. One example given:
args(0) match {
case "1" => {
val start = System.currentTimeMillis()
forloop
val end = System.currentTimeMillis()
println("for="+(end - start))
}
...
}