Essentially the point of the project is to define a single function sum. Sum takes in a list of integers and decides whether there are any 2 integers in the list that when added together equal any other integer in the list. Some examples : (sum ‘(1 2 3)) returns #t
(sum ‘(15 10 30 7 11 50 21)) returns #t
(sum ‘(20 7 1 10 42 15 36 10 52)) returns #t
(sum ‘(55 99 21 100 37 37 101 77 57 102 10)) returns #f
(sum ‘(15 36 16 40 82 65)) returns #f
No matter what I do I can only get the first list to return true or (#t)
I'm using R5RS in the DrRacket scheme application. The code may also only be one function "sum" no helper functions are allowed.
Here is my code so far :
(define sum(lambda (list)
(cond
((null? list) #f)
((null? (cdr list)) #f)
((null? (cddr list)) #f)
((or (= (+ (car list) (cadr list)) (caddr list))
(= (+ (car list) (caddr list)) (cadr list))
(= (+ (cadr list) (caddr list)) (car list)))
#t)
(else (sum (cdr list))))))`
Any advice is helpful just really struggling with thanks.
I've tried changing the Cond statements and every time I always end up back here, Again I'm really struggling any advice is welcome. `
From your code it looks like you only compare the 3 consecutive and do that in 3 takes to cover where any of these 3 are the sum of the two other and then you're sliding so that you do it to the 3 next after the first as a sliding window until you don't have 3 elements no more. So this list here:
But this one should be
#t
, but your code:In practice you can make a function
sum2
that gets a list of all combinations of 2 elements and returns their sum. You then can iterate over that one and search each element in the original list. When all the sums has failed to be found in the source list the result is#f
, but you have early exit with the first found.