(define cart-product
(lambda (sos1 sos2)
(if (null? sos1) '()
(cons
(cart-prod-sexpr (car sos1) sos2)
(cart-product (cdr sos1) sos2)))))
(define cart-prod-sexpr
(lambda (s sos)
(if (null? sos) '()
(cons
(list s (car sos))
(cart-prod-sexpr s (cdr sos))))))
Calling (cart-product '(q w) '(x y))
produces (((q x) (q y)) ((w x) (w y)))
.
How I can produce ((q x) (q y) (w x) (w y))
instead?
Untested. Note that the
append-list
procedure I defined actually returns a list ending insos2
. That is appropriate (and the right thing to do) here, but is not in general.Note that if the lists are of size n then this will take time O(n3) to produce a list of size O(n2).
Using regularI just implemented the regularappend
would take O(n4) instead.append
without realizing it. If you want to take O(n2) you have to be more clever. As in this untested code.In case I have a bug, the idea is to recursively loop through all combinations of elements in the first and the second, with each one replacing
answer-current
with acons
with one more combination, followed by everything else we have found already. Thanks to tail-call optimization, this should be efficient.