51.8k views
5 votes
I want to write a flip function that receives an slist elements and returns flip of each element of that list. My slist includes "i o n z". I want to flip n to z, z to n, i to o and o to i.

For example:

(flip '(i i o n)) should result: '(o o i z)

(flip ' (o i i o i z)) should be: '(i o o i o n)

Here is my code:

(define (flip s)
(cond
[(eq? s 'n) '(z)]
[(eq? s 'z) '(n)]
[(eq? (first s) 'o) (list 'i (flip (rest s)))]
[(eq? (first s) 'i) (list 'o (flip (rest s)))]))

But when I run the following: > (flip '(i i o n))

It gives me the following mistake information:

cond: all question results were false

Could anyone help on this?

User Mpn
by
7.9k points

1 Answer

3 votes

Final answer:

To fix the mistake in your code, you need to change the order of your conditions in the 'cond' statement. Prioritize flipping 'o' and 'i' before handling 'n' and 'z'. Here's the corrected code: (define (flip s) (cond [(eq? (first s) 'o) (list 'i (flip (rest s)))] [(eq? (first s) 'i) (list 'o (flip (rest s)))] [(eq? s 'n) '(z)] [(eq? s 'z) '(n)]))

Step-by-step explanation:

To fix the mistake in your code, you can change the order of your conditions in the cond statement. Currently, the first condition checks if s is equal to 'n' and the second condition checks if s is equal to 'z'. However, you need to prioritize the conditions for 'o' and 'i' before checking for 'n' and 'z'. By changing the order of your conditions, you can correctly handle flipping 'n' and 'z' as well.

Here's the corrected code:

(define (flip s)
(cond
[(eq? (first s) 'o) (list 'i (flip (rest s)))]
[(eq? (first s) 'i) (list 'o (flip (rest s)))]
[(eq? s 'n) '(z)]
[(eq? s 'z) '(n)]))

Now, when you run (flip '(i i o n)), it should give the correct result: '(o o i z).

User Nicowernli
by
7.7k points