为什么foldl'使用大量的RAM与复杂的数据结构?
懒惰的折叠使用了很多RAM。在data.list
中,foldl'
提供了使用严格评估的左折。例如,以下计算1000万个零的总和,而RAM使用率几乎没有增加。
sum0 = foldl' (+) 0 (replicate 10000000 0)
但是,这似乎不存在复杂的数据结构。例如,如果我们为成对的数字定义添加并计算零对的总和,则RAM使用情况大大增加:
(x1,y1) <+> (x2,y2) = (x1 + x2,y1 + y2)
sum00 = foldl' (<+>) (0,0) (replicate 10000000 (0,0))
为什么会发生这种情况?有没有办法减少RAM使用情况?
Lazy fold uses a lot of RAM. In Data.List
, foldl'
provides a left fold that uses strict evaluation. For example, the following computes the sum of 10 million zeros with little increase in RAM usage.
sum0 = foldl' (+) 0 (replicate 10000000 0)
However, this does not seem to hold with complex data structures. For example, if we define addition for pairs of numbers and compute the sum of zero pairs, there is significant increase in RAM usage:
(x1,y1) <+> (x2,y2) = (x1 + x2,y1 + y2)
sum00 = foldl' (<+>) (0,0) (replicate 10000000 (0,0))
Why does that happen? Is there a way to decrease RAM usage?
如果你对这篇内容有疑问,欢迎到本站社区发帖提问 参与讨论,获取更多帮助,或者扫码二维码加入 Web 技术交流群。
data:image/s3,"s3://crabby-images/d5906/d59060df4059a6cc364216c4d63ceec29ef7fe66" alt="扫码二维码加入Web技术交流群"
绑定邮箱获取回复消息
由于您还没有绑定你的真实邮箱,如果其他用户或者作者回复了您的评论,将不能在第一时间通知您!
发布评论
评论(1)
foldl'
仅评估中间状态到弱的正态形式,即以第一个构造函数为单位。这是最通用的函数 can 的功能,以及所谓的“严格”通常可以使用的功能。评估(x1,y1)&lt;+&gt; (x2,y2)
直到看起来像构造函数给出(x1 + x2,y1 + y2)
,其中零件仍未被估算(它们已被(,))。通过迭代,
foldl'
严格将状态保持在(_,_)
而不是(_,_,_)&lt;+&gt; (_,_)&lt;+&gt; ...
,但是_
s成长为形式的巨大未评估条款_ + _ + _ + _ + ...
。修改
&lt;+&gt;
在公开构造函数之前评估添加剂。foldl'
only evaluates the intermediate state to weak head normal form—i.e. up to the first constructor. That's the most a generic function can do, and what functions that are called "strict" generally do. Evaluating(x1, y1) <+> (x2, y2)
until it looks like a constructor gives(x1 + x2, y1 + y2)
, where the parts are still unevaluated (they have been "protected" by the(,)
). Through the iteration,foldl'
being strict keeps the state in the form(_, _)
instead of(_, _) <+> (_, _) <+> ...
, but the_
s grow into huge unevaluated terms of form_ + _ + _ + ...
.Modify
<+>
to evaluate the additions before it exposes the constructor.