I have the following function that convert a list of counts to a discrete probability density function:
freq2prob l = [ (curr / (sum l))) | curr <- l ]
Unfortunately (sum l)
is computed for each of the l
elements making the computational complexity unnecessarily high.
What is the most concise, elegant, "haskellic" way to deal with this?
It's simple:
you can put it outside the list comprehension as well:
freq2prob l = let s = sum l in [ curr / s | curr <- l ]
(notice thein
). This is effectively the same computation.That is because the first is essentially translated into
and the second, obviously, to the same code,