Difference list

From HaskellWiki
Jump to navigation Jump to search
The printable version is no longer supported and may have rendering errors. Please update your browser bookmarks and please use the default browser print function instead.

Difference lists as functions

A difference list representation of a list xs :: [T] is a function f :: [T] -> [T], which when given another list ys :: [T], returns the list that f represents, prepended to ys. I.e. f ys = xs ++ ys. Whether this kind of difference list is more efficient than another list representations depends on usage patterns. If an algorithm builds a list by concatenating smaller lists, which are themselves built by concatenating still smaller lists, then use of difference lists can improve performance by effectively "flattening" the list building computations.

This can best be exemplified by show and shows of Prelude, where the first one implements the naive approach and the second one uses difference lists. Consider showing a binary tree.

L-T-R gives

  • (show L) ++ (show T ++ (show R))
  • ((show LL) ++ (show LT ++ (show LR))) ++ (show T ++ (show R))
  • (((show LLL) ++ (show LLT ++ (show LLR))) ++ (show LT ++ (show LR))) ++ (show T ++ (show R))

If the tree is large, you end up with a pretty large left association for the left subtree. True, there's lot of right association, too, but bad enough.

With difference lists you write

  • shows L . (shows T . shows R)
  • (shows LL . (shows LT . shows LR)) . (shows T . shows R)
  • ((shows LLL . (shows LLT . shows LLR)) . (shows LT . shows LR)) . (shows T . shows R)

You still need to resolve three (.) until you get to the first character of the result string, but for the subsequent characters you do not need to resolve those dots. In the end, resolution of all (.) may need some time but then concatenation is performed entirely right-associative.

Examples

  • ShowS type in the Prelude of Haskell
  • The Endo monoid from Data.Monoid allows a simple difference list implementation. E.g. Endo ("bla"++) represents the list "bla", mempty represents the empty list, mappend is list concatenation and appEndo dlist [] converts the difference list dlist to a regular list.
  • Donald Bruce Stewart's difference list library
  • Bas van Dijk's difference strings library (which is just a newtype wrapper around a DList Char)

See also