While it is impossible to write any real applications without any side effects (you could never write anything to the user, and you could never save anything to disk), functional programming is still a very important way of programming large parts of an application.
We can get most of the benefits of functional programming while still allowing some kinds of side effects, for instance:
If the function is not without side effects, the following can happen:
  > (setq *l* (list 1 2 3 4 5))
  (1 2 3 4 5)
  > (defun fun (l)
      (setq *l* (cdr l))
      (length l))
  fun
  > (fun *l*)
  5
  > (fun *l*)
  4
  > (fun *l*)
  3
Notice that fun is by definition 
autonomous, but we lose
because it has a side effect on the global variable *l*.
If instead, we had written:
  > (defun fun (l)
      (setq *l* (cdr l))
      (length l))
  fun
  > (fun '(1 2 3 4 5))
  5
  > (fun '(1 2 3 4 5))
  5
  > (fun '(1 2 3 4 5))
  5