The mapcan function 'mapcar' applies the 'function' to the succesive cars of each of the lists 'listN'. Each of the lists supplies one of the arguments to 'function'. The 'mapcar' function returns a list that is constructed from the results of the 'function' applications. If the lists are of different lengths, the shortest list will determine the number of applications of 'function'.
> (mapcar #'+ '(1 2 3) '(1 2 3)) (2 4 6) > (mapcar #'princ '(1 2 3)) 123 ; screen output (1 2 3) ; return value > (mapcar #'+ '(1 2 3) '(1 2 3 4 5 6) ; different length lists (2 4 6)
Note: The use of the 'function' will work properly when it is a
Bug: The proper syntax for 'function' when 'function' is a lambda expression is, for example:
(mapcar #'(lambda (arg1 arg2) (+ arg1 arg2)) '(1 2))
and not:
(mapcar '(lambda (arg1 arg2) (+ arg1 arg2)) '(1 2))
That is, the #' [function] read macro must be
present. This error should be caught by the XLISP interpreter, but it is
not, with the result that very obscure garbage collection bugs occur.
In XLISP, a '
(defmacro mapcar* (function &rest args)
  (if (eq (type-of (symbol-function (second function))) 'fsubr)
      (let ((rest (gensym)))
        `(mapcar #'(lambda (&rest ,rest) 
                     (eval (cons ,function ,rest)))
                 ,@args))
      `(mapcar ,function ,@args)))
Examples:
(type-of #'eql)  => SUBR   ; built-in function
(type-of #'and)  => FSUBR  ; built-in special form
> (macroexpand-1 '(mapcar* #'eql '(1 2 3) '(t nil 3)))
(MAPCAR (FUNCTION EQL)
        (QUOTE (1 2 3))
        (QUOTE (T NIL 3)))
> (macroexpand-1 '(mapcar* #'and '(1 2 3) '(t nil 3)))
(MAPCAR (FUNCTION (LAMBDA (&REST G7)
                    (EVAL (CONS (FUNCTION AND) G7))))
        (QUOTE (1 2 3))
        (QUOTE (T NIL 3)))
(mapcar  #'eql '(1 2 3) '(t nil 3)))  => (NIL NIL T)
(mapcar* #'eql '(1 2 3) '(t nil 3)))  => (NIL NIL T)
(mapcar  #'and '(1 2 3) '(t nil 3)))  => error: bad function
(mapcar* #'and '(1 2 3) '(t nil 3)))  => (T NIL 3)