我必须在Racket中编写一个函数,它接受一个数字列表,并返回列表中最小的数字。min和max都不允许。我想我从这里开始,显然需要递归。
最后,我将使用这个函数来创建一个抽象函数。
(check-expect (find-smallest (list 3 8 4 9 2 0 1)) 0)
(check-expect (find-smallest (list 2 3 4 5 6)) 2)
(check-expect (find-smallest (list 58 37 28 37 58 92 24)) 24)
(check-expect (find-smallest (list 19 38 46 85 19 38 19)) 19)
;; find-smallest: list of numbers -> number
;; consumes a list of numbers and returns the
;; smallest number in the list
(define (find-smallest lon)
(cond
[(empty? (rest lon)) (first lon)]
[(发布于 2016-12-07 00:31:10
看来你的基本情况很好。默认情况可以如下所示:使用find-smallest查找列表其余部分中最小的一个,并将其与第一个元素进行比较,例如。用<。结果应该是最小的。
发布于 2016-12-07 09:21:44
还可以使用内部名为let循环和临时变量来存储最小值,以查找列表中的最小数目:
(define (find-smallest l)
(let loop ((l l)
(sm (first l))) ; start with first of list as smallest
(cond
[(empty? l) sm]
[(< sm (first l))
(loop (rest l) sm)]
[else
(loop (rest l) (first l))]))) https://stackoverflow.com/questions/41006586
复制相似问题