First example
fiveSquares :: [Integer]
= [x^2 | x <- [1..5]]
fiveSquares
-- >>> fiveSquares
-- [1,4,9,16,25]
Second example with two generators
somePairs :: [(Integer, Integer)]
= [(x,y) | x <- [1,2,3], y <- [4, 5]]
somePairs
-- >>> somePairs
-- [(1,4),(1,5),(2,4),(2,5),(3,4),(3,5)]
Same example with generators swapped - note it influences the ordering of the result
someOtherPairs :: [(Integer, Integer)]
= [(x,y) | y <- [4,5], x <- [1,2,3]]
someOtherPairs
-- >>> someOtherPairs
-- [(1,4),(2,4),(3,4),(1,5),(2,5),(3,5)]
Third example - dependent generators
yetAnotherListOfPairs :: [(Integer, Integer)]
= [ (x,y) | x <- [1..3], y <- [x..3] ]
yetAnotherListOfPairs
-- >>> yetAnotherListOfPairs
-- [(1,1),(1,2),(1,3),(2,2),(2,3),(3,3)]
re-implementation of concat using dependent generators
myConcat :: [[a]] -> [a]
= [ x | xs <- xss, x <- xs ]
myConcat xss
-- >>> myConcat [[1..3],[0..10],[2..5]]
-- [1,2,3,0,1,2,3,4,5,6,7,8,9,10,2,3,4,5]
Examples of using guards
someEvenNumbers :: [Integer]
= [ x | x <- [1..10], even x]
someEvenNumbers
myFilter :: (a -> Bool) -> [a] -> [a]
= [ x | x <- xs, p x ]
myFilter p xs
-- >>> someEvenNumbers
-- [2,4,6,8,10]
some of the more advanced examples
prime :: Int -> Bool
= factorsUpTo (iSqrt n) == [1]
prime n where factorsUpTo k = [x | x <- [1..k], n `mod` x == 0]
= ceiling . sqrt . fromIntegral
iSqrt
sorted :: Ord a => [a] -> Bool
= all (uncurry (<=)) pairs
sorted xs where pairs = zip xs $ safeTail xs
= []
safeTail [] : xs) = xs
safeTail (_
positions :: Eq a => a -> [a] -> [Int]
= [i | (y, i) <- zip xs [0..n], x == y]
positions x xs where n = length xs
one can define two helpful combinators for that. The first one is defined in the base and is called (>>=) (prononced “bind”). This is in fact part of a rather scary typeclass
-- >>> :t (>>=)
-- (>>=) :: Monad m => m a -> (a -> m b) -> m b
Over list, the type is as follows
-- >>> :t (>>=) :: [a] -> (a -> [b]) -> [b]
-- (>>=) :: [a] -> (a -> [b]) -> [b] :: [a] -> (a -> [b]) -> [b]
Exercise: after experimenting, like with e.g.
-- >>> [1..5] >>= \x -> replicate x (show x)
-- ["1","2","2","3","3","3","4","4","4","4","5","5","5","5","5"]
find out how to write your own definition for (>>=) over lists
Another useful function for the translation would be the following
(?>) :: Bool -> [a] -> [a]
True ?> xs = xs
False ?> _ = []
With those, we can easily rewrite the examples above without list comprehension; here are a few examples
fiveSquares2 :: [Integer]
= [1..5] >>= \x -> [x^2]
fiveSquares2
somePairs2 :: [(Integer, Integer)]
= [1,2,3] >>= \x -> [4,5] >>= \y -> [(x,y)]
somePairs2
myConcat2 :: [[a]] -> [a]
= xss >>= id
myConcat2 xss
someEvenNumbers2 :: [Integer]
= [1..10] >>= \x -> even x ?> [x]
someEvenNumbers2
myFilter2 :: (b -> Bool) -> [b] -> [b]
= xs >>= \x -> p x ?> [x] myFilter2 p xs