The questions is: Write a function (repeat x) which, given a value x, produces a stream that repeats x ad infinitum. For instance, the call (take (repeat 42) 5) produces (42 42 42 42 42).
My problem is that my repeat function doesn't know what to stop... so it runs forever.
This is the code I have so far.
#lang R5RS
;; Repeat your solution for take
(define (integer-stream x)
(cons x (delay (integer-stream (+ 1 x)))))
(define nat (integer-stream 0))
(define (stream-car stream)
(car stream))
(define (stream-cdr stream)
(force (cdr stream)))
(define (head stream) (car stream))
(define (rest stream) (force (cdr stream)))
(define (take s k)
(cond ((= k 0) '())
(else (cons (car s) (take (stream-cdr s) (- k 1))))))
;;;;;;;;;
(define (stream-map f s)
(if (null? s) '()
(cons (f (car s))
(delay (stream-map f (rest s))))))
(define (squares x)
(* x x))
(define (square s)
(cond ((null? s) '())
(else (stream-map squares s))))
;;;;;;;;;;;
(define (cubess x)
(* x x x))
(define (cube s)
(cond ((null? s) '())
(else (stream-map cubess s))))
;;;;
(define (merge-streams s t)
(cond ((null? s) t)
((null? t) s)
((< (stream-car s) (stream-car t))
(cons (stream-car s)
(delay (merge-streams (stream-cdr s) t))))
(else (cons (stream-car t) (delay (merge-streams s (stream-cdr t)))))))
;;;;;
(define (repeat x)
(cons x (repeat x)))
You're close- you just have to use
delay
in yourrepeat
function:Rest of code should be the same- so this will be the full code:
Test: