I'm trying to produce a typed Racket procedure that for some type A
, takes a Tree
, and a function from two A
s to an A
, another parameter of type A
, and returns a value of type A
. I'm not very familiar with the (All)
syntax, but I tried using it. Unfortunately, my code produces the following error message at build-time:
Type Checker: Polymorphic function `foldr' could not be applied to arguments:
Types: (-> a b b) b (Listof a) -> b
(-> a b c c) c (Listof a) (Listof b) -> c
(-> a b c d d) d (Listof a) (Listof b) (Listof c) -> d
Arguments: (-> A A A) A (Listof Any)
Expected result: A
My code:
(: fold : (All (A) (Instance Tree) (A A -> A) A -> A))
(define (fold tree f base)
(foldr
f
base
(cons
(value tree)
(map
(lambda
([tree : (Instance Tree)])
(fold tree f base)
)
(children tree)
)
)
)
)
I tried to simplify the function until it started to work, and this was where it started working:
(: fold : (All (A) (Instance Tree) (A A -> A) A -> A))
(define (fold tree f base)
(foldr f base (list base))
)
I think what's happening is that the type checker doesn't know that (value tree)
is also of type A
. Is there any way I can (Cast)
it to be of type A
? If not, how would I approach getting this to work?
Without the definition of the
Tree
type it's hard to answer this question. But the answer in general is not to cast, but to have a type which is a tree of nodes which are of some type. I don't understand classes in Racket, least of all their interaction with typed Racket (which seems to be all subject to change), but here is how you do that withstruct
s, which are well-supported in typed Racket:And now I can check this:
OK, the types its working out are a little unhelpful, but they're correct.
Once you've done this, then it knows nice things about
tree-value
andtree-children
:And that's enough to write your function (I'm not sure it is correct, but its types now makes sense):
Note that for some reason it can't work out that
child
in(map (λ (child) ...) (tree-children tree))
is a(Treeof A)
even though it knows thattree
is and it knows whattree-children
does. So I had to tell it that (an older version was buggy and usedtree
instead ofchild
, which concealed this problem.