Write a function dropNth
that takes an integer N and
a list. The function should return a copy of the list in which every
Nth element is omitted.
> dropNth 3 "spiderman" "spdema"
zipWith
is a generalized version of zip
that combines corresponding elements using a function, rather than
forming pairs. For example:
> zipWith (+) [1, 2, 3] [10, 11, 12] [11,13,15]
What is the type of zipWith
?
Write zipWith
. For efficiency, do not call zip
or otherwise form pairs of elements.
Write a function altMap
that takes two functions and
a list. altMap
should apply the two functions
alternately to list elements. For example:
altMap (\i -> i + 1) (\i ->
i - 1) [1..10] == [2, 1, 4, 3, 6, 5, 8, 7, 10, 9]
Rewrite this function without using a list comprehension:
pairs xs ys = [(x, y) | x <-
xs, y <- ys, x < y]
What are the values of these expressions?
foldl (-) 0 [1, 2, 3]
foldr (-) 0 [1, 2, 3]
What are the types of foldl
and foldr
?
Write foldl
and foldr
.