Let's define list type
list = forall 'a, 'x. ('a -> 'x -> 'x) -> 'x -> 'x
where for instance
nil = Λ'a . Λ'x . λ(c : 'a -> 'x -> 'x) . λ(e : 'x) . e
cons = Λ'a . Λ'x . λ(head : 'a) . λ(tail : list 'a 'x) . λ(c : 'a -> 'x -> 'x) . λ(e : 'x) . c head (tail c e)
I am trying to define function zip
of type
zip : forall 'a, 'b, 'c, 'x. ('a -> 'b -> 'c) -> list 'a 'x -> list 'b 'x -> list 'c 'x
That intuitively does
zip (+) [1,2,3] [4,5,6] = [5,7,9]
zip (λa . λb . a) [1,2] [2,3,4] = [1,2]
zip (λa . λb . a) [2,3,4] [1,2] = [2,3]
Note that it truncates the longer list to fit the shorter.
The main problem I encounter here is that I cannot "iterate" over two lists at once. How can implement such a function in system F? Is it even possible?
Okay, I managed to write solution for it. First of all let's define helper
option
type:Which has two constructors:
Next step are functions that will extract
head
andtail
of the list.head
will returnoption 'elemtype
to handle empty list case, buttail
will just return empty list on empty list (in similar manner to predecessor function on Church numerals)The idea of
head
is that we start aggregating our list starting withnone
on empty list and for each new element from the left we set this element as our result wrapped bysome
to preserve typing.tail
on the other hand does not needoption
to be well defined, because in case of empty list we may just return an empty list. It looks very ugly, but uses same technique as predecessor of natural numbers. I assumepair
interface is known.Next, let's define
listmatch
function that will pattern match on given listThis function helps us distinguish empty list and non-empty list and perform some actions after its destruction.
Almost finally, we would like to have
foldl2
function that given functionf
, empty caseem
and two lists[a,b,c]
and[x,y]
returns something like this:f(f(em a x) b y)
(shrinks lists to the shorter one cutting off the tail).It can be defined as
After this the
zip
is just in our hands: