I'm trying to write a function called rotate-right
(: rotate-right : (All (A) (Vectorof A) Integer Integer -> Void))
(rotate right v lo hi)
Which modifies vector v, such that that the elements in the interval [lo..hi-1] are moved to the positions [lo+1..hi] and the element at index hi is moved to position lo. For example
(rotate-right (vector 0 1 2 3 4 5 6 7 8 9))
produces
#(0 1 5 2 3 4 6 7 8 9).
I've written this code
(: rotate-right : (All (a) (Vectorof a) Integer Integer -> Void))
(define (rotate-right v lo hi)
(local
{(define tmp v)
(: vector-scan : (All (a) (Vectorof a) Integer Integer Integer -> Void))
(define (vector-scan v lo hi c)
(cond
[(= c -1) (vector-set! v 0 (vector-ref v 0))]
[(and (< lo c) (>= hi c))
(vector-scan
(vector-set! v c (vector-ref tmp (- c 1)))
lo hi (- c 1))]
[(= c lo)
(vector-scan
(vector-set! v lo (vector-ref tmp hi))
lo hi (- c 1))]
[else
(vector-scan
(vector-set! v c (vector-ref v c))
lo hi (- c 1))]))}
(vector-scan v lo hi (vector-length v))))
however, this gives me type errors with vector-set!. Can anyone tell me what I'm doing wrong? Thanks.
I cannot help you with the typed part, but your algorithm doesn't work in regular Racket either. A more concise way to write this (while keeping using indexes as you do) would be:
then