25.

The first section of this chapter explains how programs can handle errors, by means of condition handlers. It also explains how a program can signal an error if it detects something it doesn't like. The second explains how users can handle errors, by means of an interactive debugger; that is, it explains how to recover if you do something wrong. For a new user of the Lisp Machine, the second section is probably much more useful; you may want to skip the first. The remaining sections describe some other debugging facilities. Anyone who is going to be writing programs for the Lisp machine should familiarize himself with these. The trace facility provides the ability to perform certain actions at the time a function is called or at the time it returns. The actions may be simple typeout, or more sophisticated debugging functions. The step facility allows the evaluation of a form to be intercepted at every step so that the user may examine just what is happening throughout the execution of the form. The MAR facility provides the ability to cause a trap on any memory reference to a word (or a set of words) in memory. If something is getting clobbered by agents unknown, this can help track down the source of the clobberage.

25.1
25.1.1

Programmers often want to control what action is taken by their programs when errors or other exceptional situations occur. Usually different situations are handled in different ways, and in order to express what kind of handling each situation should have, each situation must have an associated name. In Lisp Machine Lisp there is the concept of a condition . Every condition has a name, which is a symbol. When an unusual situation occurs, some condition is signalled , and a handler for that condition is invoked. When a condition is signalled, the system (essentially) searches up the stack of nested function invocations looking for a handler established to handle that condition. The handler is a function which gets called to deal with the condition. The condition mechanism itself is just a convenient way for finding an appropriate handler function given the name of an exceptional situation. On top of this is built the error-condition system, which defines what arguments are passed to a handler function and what is done with the values returned by a handler function. Almost all current use of the condition mechanism is for errors, but the user may find other uses for the underlying mechanism. .page

The search for an appropriate handler is done by the function signal :

signal condition-name &rest args
signal searches through all currently-established condition handlers, starting with the most recent. If it finds one that will handle the condition condition-name , then it calls that handler with a first argument of condition-name , and with args as the rest of the arguments. If the first value returned by the handler is nil , signal will continue searching for another handler; otherwise, it will return the first two values returned by the handler. If signal doesn't find any handler that returns a non-nil value, it will return nil .

Condition handlers are established through the condition-bind special form:

condition-bind Special Form
The condition-bind special form is used for establishing handlers for conditions. It looks like:
(condition-bind ((cond-1  hand-1 )
                 (cond-2  hand-2 )
                 ...)
  body )
Each cond-n is either the name of a condition, or a list of names of conditions, or nil . If it is nil , a handler is set up for all conditions (this does not mean that the handler really has to handle all conditions, but it will be offered the chance to do so, and can return nil for conditions which it is not interested in). Each hand-n is a form which is evaluated to produce a handler function. The handlers are established sequentially such that the cond-1 handler would be looked at first.
Example:
(condition-bind ((:wrong-type-argument 'my-wta-handler)
                 ((lossage-1 lossage-2) lossage-handler))
    (princ "Hello there.")
    (= t 69))
This first sets up the function my-wta-handler to handle the :wrong-type-argument condition. Then, it sets up the binding of the symbol lossage-handler to handle both the lossage-1 and lossage-2 conditions. With these handlers set up, it prints out a message and then runs headlong into a wrong-type-argument error by calling the function = with an argument which is not a number. The condition handler my-wta-handler will be given a chance to handle the error. condition-bind makes use of ordinary variable binding, so that if the condition-bind form is thrown through, the handlers will be disestablished. This also means that condition handlers are established only within the current stack.
25.1.2
The use of the condition mechanism by the error system defines an additional protocol for what arguments are passed to error-condition handlers and what values they may return. There are basically four possible responses to an error: proceeding , restarting , throwing , or entering the debugger . The default action, taken if no handler exists or deigns to handle the error (returns non-nil ), is to enter the debugger. A handler may give up on the execution that produced the error by throwing (see *throw , LINK:(*throw-fun)). Proceeding means to repair the error and continue execution. The exact meaning of this depends on the particular error, but it generally takes the form of supplying a replacement for an unacceptable argument to some function, and retrying the invocation of that function. Restarting means throwing to a special standard catch-tag, error-restart . Handlers cause proceeding and restarting by returning certain special values, described below. Each error condition is signalled with some parameters, the meanings of which depend on the condition. For example, the condition :unbound-variable , which means that something tried to find the value of a symbol which was unbound, is signalled with one parameter, the unbound symbol. It is always all right to signal an error condition with extra parameters. An error condition handler is applied to several arguments. The first argument is the name of the condition that was signalled (a symbol). This allows the same function to handle several different conditions, which is useful if the handling of those conditions is very similar. (The first argument is also the name of the condition for non-error conditions.) The second argument is a format control string (see the description of format , on LINK:(format-fun)). The third argument is t if the error is proceedable ; otherwise it is nil . The fourth argument is t if the error is restartable ; otherwise it is nil . The fifth argument is the name of the function that signalled the error, or nil if the signaller can't figure out the correct name to pass. The rest of the arguments are the parameters with which the condition was signalled. If the format control string is used with these parameters, a readable English message should be produced. Since more information than just the parameters might be needed to print a reasonable message, the program signalling the condition is free to pass any extra parameters it wants to, after the parameters which the condition is defined to take. This means that every handler must expect to be called with an arbitrarily high number of arguments, so every handler should have a &rest argument (see LINK:(&rest)). An error condition handler may return any of several values. If it returns nil , then it is stating that it does not wish to handle the condition after all; the process of signalling will continue looking for a prior handler (established farther down on the stack) as if the handler which returned nil had not existed at all. (This is also true for non-error conditions.) If the handler does wish to handle the condition, it can try to proceed from the error if it is proceedable, or restart from it if it is restartable, or it can throw to a catch tag. Proceeding and restarting are done by returning two values. To proceed, return the symbol return as the first value, and the value to be returned by the function cerror as the second. To restart, return the symbol error-restart as the first value, and the value to be thrown to the tag error-restart as the second. The condition handler must not return any other sort of values. However, it can legitimately throw to any tag instead of returning at all. If a handler tries to proceed an unproceedable error or restart an unrestartable one, an error is signalled. Note that if the handler returns nil , it is not said to have handled the error; rather, it has decided not to handle it, but to "continue to signal" it so that someone else may handle it. If an error is signalled and none of the handlers for the condition decide to handle it, the debugger is entered. Here is an example of an excessively simple handler for the :wrong-type-argument condition.
;;; This function handles the :wrong-type-argument condition,
;;; which takes two defined parameters: a symbol indicating
;;; the correct type, and the bad value.
(defun sample-wta-handler (condition control-string proceedable-flag
                           restartable-flag function
                           correct-type bad-value &rest rest)
 (prog ()
   (format error-output "~%There was an error in ~S~%" function)
   (lexpr-funcall (function format) 
		  control-string correct-type bad-value rest)
   (cond ((and proceedable-flag
	       (yes-or-no-p query-io "Do you want use nil instead?"))
	  (return 'return nil))
	 (t (return nil))))) ;don't handle
If an error condition reaches the error handler, the control-C command may be used to continue from it. If the condition name has a si:eh-proceed property, that property is called as a function with two arguments, the stack and the "ete" (an internal error-handler data structure). Usually it will ignore these arguments. If this function returns, its value will be returned from the ferror or cerror that signalled the condition. If no such property exists, the error-handler asks the user for a form, evaluates it, and causes ferror or cerror to return that value. Putting such a property on can be used to change the prompt for this form, avoid asking the user, or change things in more far-reaching ways.
25.1.3

Some error conditions are signalled by the Lisp system when it detects that something has gone wrong. Lisp programs can also signal errors, by using any of the functions ferror , cerror , or error . ferror is the most commonly used of these. cerror is used if the signaller of the error wishes to make the error be proceedable or restartable , or both. error is provided for Maclisp compatibility. A ferror or cerror that doesn't have any particular condition to signal should use nil as the condition name. The only kind of handler that will be invoked by the signaller in this case is the kind that handles all conditions, such as is set up by

(condition-bind ((nil something ) ...) ...)
In practice, the nil condition is used a great deal.

ferror condition-name control-string &rest params
ferror signals the condition condition-name . Any handler(s) invoked will be passed condition-name and control-string as their first and second arguments, nil and nil for the third and fourth arguments (i.e. the error will be neither proceedable nor restartable), the name of the function that called ferror for the fifth argument, and params as the rest of their arguments. Note that condition-name can be nil , in which case no handler will probably be found and the debugger will be entered.
Examples:
(cond ((> sz 60)
       (ferror nil
	       "The size, ~S, was greater then the maximum"
	       sz))
      (t (foo sz)))

(defun func (a b)
   (cond ((and (> a 3) (not (symbolp b)))
          (ferror ':wrong-type-argument
                  "The name, ~1G~S, must be a symbol"
                  'symbolp
                  b))
         (t (func-internal a b))))
cerror proceedable-flag restartable-flag condition-name control-string &rest params
cerror is just like ferror (see LINK:(ferror-fun)) except that the handler is passed proceedable-flag and restartable-flag as its third and fourth arguments. If cerror is called with a non-nil proceedable-flag , the caller should be prepared to accept the returned value of cerror and use it to restart the error. Similarly, if he passes cerror a non-nil restartable-flag , he should be sure that there is a *catch above him for the tag error-restart . If proceedable-flag is t , the user will be asked for a replacement object which cerror will return. If proceedable-flag is not t and not nil , cerror will return without asking for any particular object. Note: Many programs that want to signal restartable errors will want to use the error-restart special form; see LINK:(error-restart-fun).
Example:
(do ()
    ((symbolp a))
  ; Do this stuff until  a becomes a symbol. 
  (setq a (cerror t nil ':wrong-type-argument
	     "The argument ~2G~A was ~1G~S, which is not ~3G~A"
	     'symbolp a 'a "a symbol")))
Note: the form in this example is so useful that there is a standard special form to do it, called check-arg (see LINK:(check-arg-fun)).
error message &optional object interrupt
error is provided for Maclisp compatibility. In Maclisp, the functionality of error is, essentially, that message gets printed, preceeded by object if present, and that interrupt , if present, is a user interrupt channel to be invoked. In order to fit this definition into the Lisp Machine way of handling errors, error is defined to be:
(cerror (not (null interrupt ))
        nil
        (or (get interrupt  'si:condition-name)
            interrupt )
        (cond ((missing object ) ;If no object given 
	       "~*~a")
              (t "~s ~a"))
        object 
        message )
Here is what that means in English: first of all, the condition to be signalled is nil if interrupt is nil . If there is some condition whose meaning is close to that of one of the Maclisp user interrupt channels, the name of that channel has an si:condition-name property, and the value of that property is the name of the condition to signal. Otherwise, interrupt is the name of the condition to signal; probably there will be no handler and the debugger will be entered. If interrupt is specified, the error will be proceedable. The error will not be restartable. The format control string and the arguments are chosen so that the right error message gets printed, and the handler is passed everything there is to pass.
error-restart Macro
error-restart is useful for denoting a section of a program that can be restarted if certain errors occur during its execution. An error-restart form looks like:
(error-restart
  form-1 
  form-2 
  ... )
The forms of the body are evaluated sequentially. If an error occurs within the evaluation of the body and is restarted (by a condition handler or the debugger), the evaluation resumes at the beginning of the error-restart 's body.
Example: 
(error-restart
  (setq a (* b d))
  (cond ((> a maxtemp)
         (cerror nil t 'overheat
		 "The frammistat will overheat by ~D. degrees!"
		 (- a maxtemp))))
  (setq q (cons a a)))
If the cerror happens, and the handler invoked (or the debugger) restarts the error, then evaluation will continue with the (setq a (* b d)) , and the condition (> a maxtemp) will get checked again.
error-restart is implemented as a macro that expands into: 
(prog ()
 loop (*catch 'error-restart
              (return (progn
                         form-1 
                         form-2 
                         ... )))
      (go loop))
check-arg Macro
The check-arg form is useful for checking arguments to make sure that they are valid. A simple example is:
(check-arg foo stringp "a string")
foo is the name of an argument whose value should be a string. stringp is a predicate of one argument, which returns t if the argument is a string. "a string" is an English description of the correct type for the variable. The general form of check-arg is
(check-arg var-name 
           predicate 
           description 
	   type-symbol )
var-name is the name of the variable whose value is of the wrong type. If the error is proceeded this variable will be setq 'ed to a replacement value. predicate is a test for whether the variable is of the correct type. It can be either a symbol whose function definition takes one argument and returns non-nil if the type is correct, or it can be a non-atomic form which is evaluated to check the type, and presumably contains a reference to the variable var-name . description is a string which expresses predicate in English, to be used in error messages. type-symbol is a symbol which is used by condition handlers to determine what type of argument was expected. It may be omitted if it is to be the same as predicate , which must be a symbol in that case. The use of the type-symbol is not really well-defined yet, but the intention is that if it is numberp (for example), the condition handlers can tell that a number was needed, and might try to convert the actual supplied value to a number and proceed. [We need to establish a conventional way of "registering" the type-symbols to be used for various expected types. It might as well be in the form of a table right here.] The predicate is usually a symbol such as fixp , stringp , listp , or closurep , but when there isn't any convenient predefined predicate, or when the condition is complex, it can be a form. In this case you should supply a type-symbol which encodes the type. For example:
(check-arg a
           (and (numberp a) (≤ a 10.) (> a 0.))
           "a number from one to ten"
           one-to-ten)
If this error got to the debugger, the message
The argument a was 17, which is not a number from one to ten.
would be printed. In general, what constitutes a valid argument is specified in three ways in a check-arg . description is human-understandable, type-symbol is program-understandable, and predicate is executable. It is up to the user to ensure that these three specifications agree. check-arg uses predicate to determine whether the value of the variable is of the correct type. If it is not, check-arg signals the :wrong-type-argument condition, with four parameters. First, type-symbol if it was supplied, or else predicate if it was atomic, or else nil . Second, the bad value. Third, the name of the argument (var-name ). Fourth, a string describing the proper type (description ). If the error is proceeded, the variable is set to the value returned, and check-arg starts over, checking the type again. Note that only the first two of these parameters are defined for the :wrong-type-argument condition, and so :wrong-type-argument handlers should only depend on the meaning of these two.
25.1.4
Some condition names are used by the kernel Lisp system, and are documented below; since they are of global interest, they are on the keyword package. Programs outside the kernel system are free to define their own condition names; it is intended that the description of a function include a description of any conditions that it may signal, so that people writing programs that call that function may handle the condition if they desire. When you decide what package your condition names should be in, you should apply the same criteria you would apply for determining which package a function name should be in; if a program defines its own condition names, they should not be on the keyword package. For example, the condition names chaos:bad-packet-format and arpa:bad-packet-format should be distinct. For further discussion, see LINK:(package). The following table lists all standard conditions and the parameters they take; more will be added in the future. These are all error-conditions, so in addition to the condition name and the parameters, the handler receives the other arguments described above.
:wrong-type-argument type-name value
value is the offending argument, and type-name is a symbol for what type is required. Often, type-name is a predicate which returns non-nil if applied to an acceptable value. If the error is proceeded, the value returned by the handler should be a new value for the argument to be used instead of the one which was of the wrong type.
:inconsistent-arguments list-of-inconsistent-argument-values
These arguments were inconsistent with each other, but the fault does not belong to any particular one of them. This is a catch-all, and it would be good to identify subcases in which a more specific categorization can be made. If the error is proceeded, the value returned by the handler will be returned by the function whose arguments were inconsistent.
:wrong-number-of-arguments function number-of-args-supplied list-of-args-supplied
function was invoked with the wrong number of arguments. The elements of list-of-args-supplied have already been evaluated. If the error is proceeded, the value returned should be a value to be returned by function .
:invalid-function function-name
The name had a function definition but it was no good for calling. You can proceed, supplying a value to return as the value of the call to the function.
:invalid-form form
The so-called form was not a meaningful form for eval . Probably it was of a bad data type. If the error is proceeded, the value returned should be a new form; eval will use it instead.
:undefined-function function-name
The symbol function-name was not defined as a function. If the error is proceeded, then the symbol will be defined to the function returned, and that function will be used to continue execution.
:unbound-variable variable-name
The symbol variable-name had no value. If the error is proceeded, then the symbol will be set to the value returned by the handler, and that value will be used to continue execution.
Currently, errors detected by microcode do not signal conditions. Generally this means that errors in interpreted code signal conditions and some errors in compiled code do not. This will be corrected some time in the future.
25.1.5 Errset
As in Maclisp, there is an errset facility which allows a very simple form of error handling. If an error occurs inside an errset, and no condition handler handles it, i.e. the debugger would be entered, control is returned (thrown ) to the errset. The errset can control whether or not the debugger's error message is printed. A problem with errset is that it is too powerful; it will apply to any unhandled error at all. If you are writing code that anticipates some specific error, you should find out what condition that error signals and set up a handler. If you use errset and some unanticipated error crops up, you may not be told--this can cause very strange bugs.
errset Special Form
The special form (errset form flag) catches errors during the evaluation of form . If an error occurs, the usual error message is printed unless flag is nil ; then, control is thrown and the errset-form returns nil . flag is evaluated first and is optional, defaulting to t . If no error occurs, the value of the errset-form is a list of one element, the value of form .
errset Variable
If this variable is non-nil , errset-forms are not allowed to trap errors. The debugger is entered just as if there was no errset. This is intended mainly for debugging errsets. The initial value of errset is nil .
err Special Form
This is for Maclisp compatibility. (err) is a dumb way to cause an error. If executed inside an errset, that errset returns nil , and no message is printed. Otherwise an unseen throw-tag error occurs. (err form) evaluates form and causes the containing errset to return the result. If executed when not inside an errset, an unseen throw-tag error occurs. (err form flag) , which exists in Maclisp, is not supported.
25.2

When an error condition is signalled and no handlers decide to handle the error, an interactive debugger is entered to allow the user to look around and see what went wrong, and to help him continue the program or abort it. This section describes how to use the debugger. The user interface described herein is not thought too well of, and we hope to redesign it sometime soon.

25.2.6 Errset
There are two kinds of errors; those generated by the Lisp Machine's microcode, and those generated by Lisp programs (by using ferror or related functions). When there is a microcode error, the debugger prints out a message such as the following:
>>TRAP 5543 (TRANS-TRAP)
The symbol FOOBAR is unbound.
While in the function *EVAL ← SI:LISP-TOP-LEVEL1
The first line of this error message indicates entry to the debugger and contains some mysterious internal microcode information: the micro program address, the microcode trap name and parameters, and a microcode backtrace. Users can ignore this line in most cases. The second line contains a description of the error in English. The third line indicates where the error happened by printing a very abbreviated "backtrace" of the stack (see below); in the example, it is saying that the error was signalled inside the function *eval , which was called by si:lisp-top-level1 . Here is an example of an error from Lisp code:
>>ERROR: The argument X was 1, which is not a symbol,
While in the function { FERROR ← } FOO ← *EVAL
Here the first line contains the English description of the error message, and the second line contains the abbreviated backtrace. The backtrace indicates that the function which actually entered the error handler was ferror , but that function is enclosed in braces because it is not very important; the useful information here is that the function foo is what called ferror and thus signalled the error. There is not any good way to manually get into the debugger; the interface will someday be fixed so that you can enter it at any time if you want to use its facilities to examine the state of the Lisp environment and so on. In the meantime, just type an unbound symbol at Lisp top level.
25.2.7 Errset
Once inside the debugger, the user may give a wide variety of commands. This section describes how to give the commands, and then explains them in approximate order of usefulness. A summary is provided at the end of the listing. When the error hander is waiting for a command, it prompts with an arrow:
At this point, you may either type in a Lisp expression, or type a command (a Control or Meta character is interpreted as a command, whereas a normal character is interpreted as the first character of an expression). If you type a Lisp expression, it will be interpreted as a Lisp form, and will be evaluated in the context of the function which got the error. (That is, all bindings which were in effect at the time of the error will be in effect when your form is evaluated.) The result of the evaluation will be printed, and the debugger will prompt again with an arrow. If, during the typing of the form, you change your mind and want to get back to the debugger's command level, type a Control-Z; the debugger will respond with an arrow prompt. In fact, at any time that typein is expected from you, you may type a Control-Z to flush what you are doing and get back to command level. This read-eval-print loop maintains the values of + , * , and - SAIL just as the top-level one does. Various debugger commands ask for Lisp objects, such as an object to return, or the name of a catch-tag. Whenever it tries to get a Lisp object from you, it expects you to type in a form ; it will evaluate what you type in. This provides greater generality, since there are objects to which you might want to refer that cannot be typed in (such as arrays). If the form you type is non-trivial (not just a constant form), the debugger will show you the result of the evaluation, and ask you if it is what you intended. It expects a Y or N answer (see the function y-or-n-p , LINK:(y-or-n-p-fun)), and if you answer negatively it will ask you for another form. To quit out of the command, just type Control-Z.
25.2.8 Debugger Commands
All debugger commands are single characters, usually with the Control or Meta bits. The single most useful command is Control-Z, which exits from the debugger and throws back to the Lisp top level loop. ITS users should note that Control-Z is not Call. Often you are not interested in using the debugger at all and just want to get back to Lisp top level; so you can do this in one character. This is similar to Control-G in Maclisp. Self-documentation is provided by the Help (top-H) or "?" command, which types out some documentation on the debugger commands. Often you want to try to continue from the error. To do this, use the Control-C command. The exact way Control-C works depends on the kind of error that happened. For some errors, there is no standard way to continue at all, and Control-C will just tell you this and return to the debugger's command level. For the very common "unbound symbol" error, it will get a Lisp object from you, which it will store back into the symbol. Then it will continue as if the symbol had been bound to that object in the first place. For unbound-variable or undefined-function errors, you can also just type Lisp forms to set the variable or define the function, and then type Control-C; it will proceed without asking anything. Several commands are provided to allow you to examine the Lisp control stack (regular pdl), which keeps a record of all functions which are currently active. If you call foo at Lisp's top level, and it calls bar , which in turn calls baz , and baz gets an error, then a backtrace (a backwards trace of the stack) would show all of this information. The debugger has two backtrace commands. Control-B simply prints out the names of the functions on the stack; in the above example it would print
BAZ ← BAR ← FOO ← *SI:EVAL ← SI:LISP-TOP-LEVEL1 ← SI:LISP-TOP-LEVEL
The arrows indicate the direction of calling. The Meta-B command prints a more extensive backtrace, indicating the names of the arguments to the functions and their current values, and also the saved address at which the function was executing (in case you want to look at the code generated by the compiler); for the example above it might look like:
FOO: (P.C. = 23)
   Arg 0 (X): 13
   Arg 1 (Y): 1

BAR: (P.C. = 120)
   Arg 0 (ADDEND): 13
and so on. This means that foo was executing at instruction 23, and was called with two arguments, whose names (in the Lisp source code) are x and y . The current values of x and y are 13 and 1 respectively. The debugger knows about a "current stack frame", and there are several commands which use it. The initially "current" stack frame is the one which signalled the error; either the one which got the microcode error, or the one which called ferror or error . The command Control-L (or Form) clears the screen, retypes the error message that was initially printed when the debugger was entered, and then prints out a description of the current frame, in the format used by Meta-B. The Control-N command moves "down" to the "next" frame (that is, it changes the current frame to be the frame which called it), and prints out the frame in this same format. Control-P moves "up" to the "previous" frame (the one which this one called), and prints out the frame in the same format. Meta-< moves to the top of the stack, and Meta-> to the bottom; both print out the new current frame. Control-S asks you for a string, and searches the stack for a frame whose executing function's name contains that string. That frame becomes current and is printed out. These commands are easy to remember since they are analogous to editor commands. Meta-L prints out the current frame in "full screen" format, which shows the arguments and their values, the local variables and their values, and the machine code with an arrow pointing to the next instruction to be executed. Meta-N moves to the next frame and prints it out in full-screen format, and Meta-P moves to the previous frame and prints it out in full-screen format. Meta-S is like Control-S but does a full-screen display. Control-A prints out the argument list for the function of the current frame, as would be returned by the function arglist (see LINK:(arglist-fun)). Control-R is used to return a value from the current frame; the frame that called that frame continues running as if the function of the current frame had returned. This command prompts you for a form, which it will evaluate; it returns the resulting value, possibly after confirming it with you. Meta-R is used to return multiple values from the current frame, but it is not currently implemented. The Control-T command does a throw to a given tag with a given value; you are prompted for the tag and the value. Commands such as Control-N and meta-N, which are meaningful to repeat, take a prefix numeric argument and repeat that many types. The numeric argument is typed by using Control- or Meta- and the number keys, as in the editor. Control-Meta-A takes a numeric argument n , and prints out the value of the n th argument of the current frame. It leaves * set to the value of the argument, so that you can use the Lisp read-eval-print loop to examine it. It also leaves + set to a locative pointing to the argument on the stack, so that you can change that argument (by calling rplaca or rplacd on the locative). Control-Meta-L is similar, but refers to the n th local variable of the frame.
25.2.9 Summary of Commands
Control-APrint argument list of function in current frame.
Control-Meta-AExamine or change the n th argument of the current frame.
Control-BPrint brief backtrace.
Meta-BPrint longer backtrace.
Control-CAttempt to continue.
Meta-CAttempt to restart.
Control-GQuit to command level.
Control-LRedisplay error message and current frame.
Meta-LFull-screen typeout of current frame.
Control-NMove to next frame. With argument, move down n frames.
Meta-NMove to next frame with full-screen typeout. With argument, move down n frames.
Control-PMove to previous frame. With argument, move up n frames.
Meta-PMove to previous frame with full-screen typeout. With argument, move up n frames.
Control-RReturn a value from the current frame.
Meta-RReturn several values from the current frame. (doesn't work)
Control-SSearch for a frame containing a specified function.
Meta-SSame as control-S but does a full display.
Control-TThrow a value to a tag.
Control-ZThrow back to Lisp top level.
? or HelpPrint a help message.
Meta-<Go to top of stack.
Meta->Go to bottom of stack.
FormSame as Control-L.
LineMove to next frame. With argument, move down n frames. Same as Control-N.
ReturnMove to previous frame. With argument, move up n frames. Same as control-P.
25.2.10 Miscellany
Sometimes, e.g. when the debugger is running, microcode trapping is "disabled": any attempt by the microcode to trap will cause the machine to halt.
trapping-enabled-p message &optional object interrupt
This predicate returns t if trapping is enabled; otherwise it returns nil .
enable-trapping &optional (arg 1 )
If arg is 1 , trapping is enabled. If it is 0 , trapping is disabled.