4

跟进这个关于get性能的问题

在优化方面似乎有一些非常奇怪的事情。我们知道以下情况是正确的:

=> (def xa (int-array (range 100000)))
#'user/xa

=> (set! *warn-on-reflection* true)
true

=> (time (reduce + (for [x xa] (aget ^ints xa x))))
"Elapsed time: 42.80174 msecs"
4999950000

=> (time (reduce + (for [x xa] (aget xa x))))
"Elapsed time: 2067.673859 msecs"
4999950000
Reflection warning, NO_SOURCE_PATH:1 - call to aget can't be resolved.
Reflection warning, NO_SOURCE_PATH:1 - call to aget can't be resolved.

然而,一些进一步的实验真的让我很奇怪:

=> (for [f [get nth aget]] (time (reduce + (for [x xa] (f xa x)))))
("Elapsed time: 71.898128 msecs"
"Elapsed time: 62.080851 msecs"
"Elapsed time: 46.721892 msecs"
4999950000 4999950000 4999950000)

没有反射警告,不需要提示。通过将 get 绑定到根 var 或 let 可以看到相同的行为。

=> (let [f aget] (time (reduce + (for [x xa] (f xa x)))))
"Elapsed time: 43.912129 msecs"
4999950000

知道为什么绑定的 get 似乎“知道”如何优化,而核心功能不知道吗?

4

2 回答 2

2

它与扩展为的:inline指令有关,而正常的函数调用涉及. 试试这些:aget(. clojure.lang.RT (aget ~a (int ~i))Reflector

user> (time (reduce + (map #(clojure.lang.Reflector/prepRet 
       (.getComponentType (class xa)) (. java.lang.reflect.Array (get xa %))) xa)))
"Elapsed time: 63.484 msecs"
4999950000
user> (time (reduce + (map #(. clojure.lang.RT (aget xa (int %))) xa)))
Reflection warning, NO_SOURCE_FILE:1 - call to aget can't be resolved.
"Elapsed time: 2390.977 msecs"
4999950000

那么,您可能想知道内联的意义何在。好吧,看看这些结果:

user> (def xa (int-array (range 1000000))) ;; going to one million elements
#'user/xa
user> (let [f aget] (time (dotimes [n 1000000] (f xa n))))
"Elapsed time: 187.219 msecs"
user> (time (dotimes [n 1000000] (aget ^ints xa n)))
"Elapsed time: 8.562 msecs"

事实证明,在您的示例中,一旦您通过反射警告,您的新瓶颈就是reduce +部分而不是数组访问。此示例消除了这一点,并显示了类型提示、内联的数量级优势aget

于 2012-04-13T20:44:37.620 回答
1

当您通过高阶函数调用时,所有参数都被强制转换为对象。在这些情况下,编译器无法确定被调用函数的类型,因为在编译函数时它是未绑定的。只能确定它将是可以用一些参数调用的东西。不会打印任何警告,因为任何事情都会起作用。

user> (map aget (repeat xa) (range 100))
(0 1 2 3 4 5 6 7 8 9 10 11 12 13 14 15 16 17 18 19 20 21 22 23 24 25 26 27 28 29 30 31 32 33 34 35 36 37 38 39 40 41 42 43 44 45 46 47 48 49 50 51 52 53 54 55 56 57 58 59 60 61 62 63 64 65 66 67 68 69 70 71 72 73 74 75 76 77 78 79 80 81 82 83 84 85 86 87 88 89 90 91 92 93 94 95 96 97 98 99)

您已经找到了 clojure 编译器放弃的优势,而只是将对象用于所有内容。(这是一个过于简单的解释)

如果您将其包装在任何自行编译的内容中(例如匿名函数),则警告将再次可见,尽管它们来自编译匿名函数,而不是编译对 map 的调用。

user> (map #(aget %1 %2) (repeat xa) (range 100))
Reflection warning, NO_SOURCE_FILE:1 - call to aget can't be resolved.
(0 1 2 3 4 5 6 7 8 9 10 11 12 13 14 15 16 17 18 19 20 21 22 23 24 25 26 27 28 29 30 31 32 33 34 35 36 37 38 39 40 41 42 43 44 45 46 47 48 49 50 51 52 53 54 55 56 57 58 59 60 61 62 63 64 65 66 67 68 69 70 71 72 73 74 75 76 77 78 79 80 81 82 83 84 85 86 87 88 89 90 91 92 93 94 95 96 97 98 99)

然后当类型提示添加到匿名但不变的函数调用时,警告就会消失。

于 2012-04-13T17:05:48.770 回答