confusion with Lisp "if" and 'cons' command

475 Views Asked by At

I am reading Land of Lisp by Conrad Barski and I am a bit confused on the use of the 'if' command (to name a few)..

So, I understand that writing if '() means that the list is empty and condition is false and if '(1) means the list is non empty and condition is true.

The question is how does lisp know which expression to choose and output based on the nature (True/False) of the if(1) condition? for example in the code below the statement if '(1) is true but then how and why does lisp choose expression I-AM-TRUE as an output?

(if '(1)
    'i-am-true
    'i-am-false)
I-AM-TRUE

similarly how and why does it output How-does-this-happen in example below..

(if '(1)
    'how-does-this-happen
    'any-guesses)
HOW-DOES-THIS-HAPPEN
2

There are 2 best solutions below

1
On BEST ANSWER

The structure of an if statement is:

(if condition true-stament false-statement)

In other words, the first statement (true-statement) always happens when condition evals to true, and the second statement (false-statement) happens when the condition evals to false.

1
On

if special form is used like this:

(if predicate consequent alternative)

In Common Lisp the false value is the empty list nil, represented by either nil or (). The truth value is T and every other value that is not nil. If the predicate evaluates anything except nil it's true and the consequent gets evaluated. If not the alternative is evaluated.

(defun my-not (x)
  (if x nil t))

(my-not ())   ; ==> t
(my-not nil)  ; ==> t
(my-not '())  ; ==> t
(my-not 'nil) ; ==> t
(my-not t)    ; ==> nil
(my-not 'this-is-atruth-value) ; ==> nil