| Allegro CL version 10.1 Unrevised from 10.0 to 10.1. 10.0 version |
This document contains the following sections:
1.0 Implementation introductionThe Common Lisp standard is deliberately vague on many of the specifics of an implementation. The authors of that book were aware that implementation details are dependent on the nature of the hardware and the operating system, as well as the differing priorities of the implementors and the different user communities. This document details some of the specifics of the implementation of and extensions in Allegro CL.
Allegro CL contains all of the required Common Lisp data types. Fixnums are signed 30-bit quantities (29 bits of value, one sign bit) on 32-bit machines and signed 61-bit quantities (60 bits of value, one sign bit) on 64 bit machines. There are two distinct floating-point types on all platforms (32 bit and 64 bit floats). Short-float and single-float are equivalent and are 32 bit floats. Double-float and long-float are equivalent and are 64 bit floats.
The distinct array data types are shown in the following list (in the
case of the simple arrays, we use suspension points, `...', to
indicate that there may be any number of dimensions). When you specify
an element-type to make-array, you will get an array whose element
type is upgraded-array-element-type applied to the value
specified. Arrays of type t
are general
arrays and arrays of any other type are called specialized
arrays. After the list, we give some examples of the types of arrays
created with particular values for element-type.
The new short-array type is not mentioned in this list. See Section 3.0 Arrays and short arrays for information on short-arrays and also on maximum array sizes.
Allegro CL allows most types of arrays to be allocated in static space
(where they are never moved or even looked at by the garbage
collector). See Section 6.10 cl:make-array for
information on creating such arrays. Only (as noted) arrays of type
t
cannot be allocated in static space
(because such arrays usually contain pointers to other Lisp objects
whicxh must be looked at and updated by the garbage collector when the
objects pointed to are relocated).
(array t) ;; cannot have :allocation :static, ;; :malloc, or :static-reclaimable as noted above (array bit) (array (unsigned-byte 4)) (array (unsigned-byte 8)) (array (unsigned-byte 16)) (array (unsigned-byte 32)) (array (unsigned-byte 64)) [64-bit Lisps only] (array character) (array single-float) (array double-float) (array fixnum) (array (complex single-float)) (array (complex double-float)) (array (signed-byte 8)) (array (signed-byte 16)) (array (signed-byte 32)) (array (signed-byte 64)) [64-bit Lisps only] (array nil) (simple-array t (* ...)) (simple-array bit (* ...)) (simple-array (unsigned-byte 4) (* ...)) (simple-array (unsigned-byte 8) (* ...)) (simple-array (unsigned-byte 16) (* ...)) (simple-array (unsigned-byte 32) (* ...)) (simple-array (unsigned-byte 64) (* ...)) [64-bit Lisps only] (simple-array character (* ...)) (simple-array single-float (* ...)) (simple-array double-float (* ...)) (simple-array fixnum (* ...)) (simple-array (signed-byte 8) (* ...)) (simple-array (signed-byte 16) (* ...)) (simple-array (signed-byte 32) (* ...)) (simple-array (signed-byte 64) (* ...)) [64-bit Lisps only] (simple-array nil (* ...))
Now let us look at some examples. When we specify
(unsigned-byte 3)
as the value of
element-type, we get an array of type
(unsigned-byte 4)
:
cl-user(2): (setq fn-arr (make-array 5 :element-type '(unsigned-byte 3) :initial-element 0)) #(0 0 0 0 0) cl-user(3): (array-element-type fn-arr) (unsigned-byte 4) cl-user(4): (upgraded-array-element-type '(unsigned-byte 3)) (unsigned-byte 4) cl-user(5):
Note that upgraded-array-element-type applied to
(unsigned-byte 3)
returns (unsigned-byte
4)
. Note too that we have specified 0 as the value of the
initial-value. If we had not, the initial value
would be nil
, which is not of type
(unsigned-byte 4)
.
Here is what is returned by upgraded-array-element-type for some other common types:
cl-user(7): (upgraded-array-element-type 'single-float) single-float cl-user(8): (upgraded-array-element-type 'double-float) double-float cl-user(9): (upgraded-array-element-type 'float) t cl-user(10): (upgraded-array-element-type 'integer) t cl-user(11): (upgraded-array-element-type 'character) character cl-user(12): (upgraded-array-element-type '(signed-byte 6)) (signed-byte 8) cl-user(13): (upgraded-array-element-type '(unsigned-byte 100)) t
Note that specifying float
and
integer
both result in arrays of type t
, not in specialized arrays. Specifying signed or
unsigned bytes of particular sizes results in that size or bigger, or
possibly t
.
It is good programming practice to use upgraded-array-element-type to determine exactly what sort of array you will get.
Certain types of vectors can be stack allocated, thus saving space in applications. See Stack consing, avoiding consing using apply, and stack allocation in compiling.htm for details.
Arrays are stored internally as vectors. The underlying vector associated with an array is accessible with the macro excl:with-underlying-simple-vector.
Release 7.0 contains a new array implementation with larger array size
limits: now most-positive-fixnum
. In earlier releases, the
limit in 32-bit Lisps was (expt 2 24)
, a value 32
times smaller. In 64-bit images, the limit was (expt 2
56)
, 16 times smaller than the new most-positive-fixnum
limit.
Because the structure of arrays had to change in order to implement this change, and because there exists the possibility that users have done some coding which assumes a particular arrangement for arrays (such as is the case for the lisp.h file for compiling C code to recognize lisp structure), we have retained the older array types with their smaller limits, and have renamed them to be short arrays.
The make-array function now
accepts the additional :short keyword
argument. :short defaults to nil
and when nil
, a (long)
array is produced, and when specified true, a short array (that used
in earlier releases) is produced, with these exceptions:
nil
a (long) array is produced, regardless of
the value of :short.
excl::foreign
, a short array is produced,
regardless of the value of :short.
The next section discusses these and other anomalies.
The new functions short-vector and short-string create short vectors and short strings, analogously to the standard functions vector and string.
Most of the array set is symmetrical with respect to short-ness; i.e. a call to make-array for most element types will either produce a simple-array or short-simple-array of the specified element-type, based on the :short argument, (and, for specifications which normally create non-simple arrays, these results will be either arrays or short-arrays of the specified element-type) with the following exceptions:
(unsigned-byte 32)
in 32-bit images and
(unsigned-byte 64)
in 64-bit images. For example:
CL-USER(1): (featurep :64bit) NIL CL-USER(2): (type-of (make-array 10 :element-type 'fixnum)) (SIMPLE-ARRAY FIXNUM (10)) CL-USER(3): (type-of (make-array 10 :element-type 'fixnum :short t)) (SHORT-SIMPLE-ARRAY (SIGNED-BYTE 32) (10)) CL-USER(4): ;; and CL-USER(9): (featurep :64bit) (:64BIT :SMP-MACROS :SSL-SUPPORT) CL-USER(10): (type-of (make-array 10 :element-type 'fixnum)) (SIMPLE-ARRAY FIXNUM (10)) CL-USER(11): (type-of (make-array 10 :element-type 'fixnum :short t)) (SHORT-SIMPLE-ARRAY (SIGNED-BYTE 64) (10))
nil
always
results in a (long) array:
CL-USER(4): (type-of (make-array 0 :element-type nil)) (SIMPLE-ARRAY NIL (0)) CL-USER(5): (type-of (make-array 0 :element-type nil :short t)) (SIMPLE-ARRAY NIL (0)) CL-USER(6):
excl::foreign
always results in
a short array:
CL-USER(6): (type-of (make-array 5 :element-type 'excl::foreign)) (SHORT-SIMPLE-ARRAY FOREIGN (5)) CL-USER(7): (type-of (make-array 5 :element-type 'excl::foreign :short t)) (SHORT-SIMPLE-ARRAY FOREIGN (5)) CL-USER(8):
In all other cases, the "short-ness" of arrays depends only on the :short argument to make-array:
CL-USER(8): (type-of (make-array 5 :element-type 'double-float)) (SIMPLE-ARRAY DOUBLE-FLOAT (5)) CL-USER(9): (type-of (make-array 5 :element-type 'double-float :short nil)) (SIMPLE-ARRAY DOUBLE-FLOAT (5)) CL-USER(10): (type-of (make-array 5 :element-type 'double-float :short t)) (SHORT-SIMPLE-ARRAY DOUBLE-FLOAT (5)) CL-USER(11):
At a low level, and below the level most programmers will ever need to know, some other CL objects retain the same basic structure (and thus the allocation limitations) as short arrays, though these can certainly be reviewed and addressed as necessary in the future.
They are:
These objects should never be arguments to svref, even if they had been punned on simple-vectors in unsafe code (`punned' means declared to be simple-vectors even when they are not). If such punning is still needed for these objects, use ssvref.
Short-arrays are not Common Lisp standard types. Some of the
relationships between short-arrays and normal (long) arrays are
intuitive, but some are not. For example, a short-vector of
element-type character is arrayp, and is short-array-p, but is not stringp, though it is short-string-p (this is because only (array
character (*)) is stringp.
And a short-simple-vector (i.e. of (short-simple-array t
(*))
type) is short-simple-vector-p, but is not simple-vector-p, because only
(simple-array t (*))
is a simple-vector.
Most other relationships between short array types are consistent and type-of, typep, and subtypep know about them.
The list of short array types, classes, and utility functions
follows. The symbols naming them are the standard Common Lisp symbol
names with short-
prepended. All are in the
excl
package.
All short array types are subtypes of
array
, but not subtypes
of any other Common Lisp array type. Their type hierarchy is the same
as the corresponding Common Lisp array type hierarchy.
The various predicates also correspond to their standard Common Lisp counterparts. arrayp and (where appropriate) vectorp return true when applied to short arrays, but no other Common Lisp array predicate returns true when applied to a short array.
short-array
(a type, not documented on its
own page, see array
)
short-array-dimension-limit
short-array-total-size-limit
(a constant)
short-base-string
(a type, not documented on its
own page, see base-string
)
short-bit-vector
(a type, not documented on its
own page, see bit-vector
)
short-simple-array
(a type, not documented on its
own page, see simple-array
)
short-simple-base-string
(a type, not documented on
its own page, see simple-base-string
)
short-simple-bit-vector
(a type, not documented on
its own page, see simple-bit-vector
)
short-simple-string
(a type, not documented on
its own page, see simple-string
)
short-simple-vector
(a type, not documented on
its own page, see simple-vector
)
short-string
(a type, not documented on
its own page, see string
)
short-vector
(a type, not documented on
its own page, see vector
)
There are the following two types. Each is defined by a deftype form, the source is shown.
dual-simple-array
: a type, defined by the form
(deftype dual-simple-array (elem dims) `(or (simple-array ,elem ,dims) (excl:short-simple-array ,elem ,dims)))
dual-simple-vector
: a type, defined by the form
(deftype dual-simple-vector () `(or simple-vector excl:short-simple-vector))
aref and its setf works on short arrays and normal arrays. But the specialized accessors sbit, schar, and svref and their setf's only work on normal arrays (it is an error to pass a short array to them). The following three specialized short array accessors work, in the same way as their Common Lisp counterparts, on short arrays.
In optimized code, care must be taken to match the kind of array with
its accessor; svref will
open-code to a single instruction access that assumes a normal (long)
vector of type t
. If the vector is instead a
short vector, the access might be to a nonexistent slot beyond the
allocation of the short-simple-vector. In the other direction, ssvref will open-code to a single
instruction access that assumes a short array. An inverse-ssvref of
the zeroth "slot" of a normal (long) array will overwrite the length
word, and will result in eventual GC corruption.
An aref in optimized code will
generate the correct code if the declaration is missing or matches the
kind of array that will actually be accessed. If it is unknown
whether the array being accessed will be short or normal (long), then
a declaration of dual-simple-array
or
dual-simple-vector
will generate the right code
(but code which is still much faster than an out-of-line call to
aref or its inverse).
It is strongly recommended, in the face of all of these dangers, that use of short-arrays is kept at a minimum. The space-savings of short-arrays over normal arrays is on average one word per array (depending on the parity of the size; odd-sized short-arrays will save 2 words, and even-sized short-arrays will not save any memory) so the desirability of short arrays is very small when compared to the risks.
Because short strings are not true strings (i.e. are not stringp), short strings are not permitted as arguments to string comparison functions such as string= and string-lessp. An error will be signaled if you pass a short string as an argument to a string comparison function.
If you need to compare short strings with each other or with regular strings, you can use equalp for equality tests. You must write your own functions for greater than or less than tests, such as the following:
(defun my-string-lessp (s1 s2) (let ((l1 (length s1)) (l2 (length s2)) minl) (setq minl (min l1 l2)) (dotimes (i minl) (if (char-lessp (aref s1 i) (aref s2 i)) (return-from my-string-lessp i))) (cond ((>= l1 l2) (return-from my-string-lessp nil)) (t (return-from my-string-lessp l1)))))
X3J13, the ANSI subcommittee chartered to propose a specification for the forthcoming ANSI Common Lisp, has voted to make several changes to Common Lisp's treatment of characters. The intent of these changes is to clean up ideas that are felt not to have worked out in pre-ANSI Common Lisp as well as to allow for Common Lisp to be extensible to international languages. Unfortunately, some of these changes affect backward compatibility and storage efficiency. The result is that Franz Inc. has had to make some user-visible changes that may affect code which explicitly makes arrays or vectors of type character.
X3J13 has removed discussion of bit and font attributes of characters from the Common Lisp language. The string-char type specifier has also been removed from the language by X3J13. Finally, strings are now equivalent to (vector character) for creation purposes. X3J13 allows characters to be attributed with bit/font features as described in CLtL, but in an implementation-dependent way.
ANSI compatible Allegro CL continues to support font/bit attributes of characters. For example, the reader and printer acts on such characters in the pre-ANSI CL way (e.g., #\control-a is #\a with the control bit set, #3\meta-b is #\b with font 3 and the meta bit set). What's more, functions operating on bits and fonts from pre-ANSI CL (e.g., string-char-p, char-bits, char-font, make-char) are available in the cltl1 package, though the use of that package is deprecated.
Because Franz Inc. wants to achieve as much backward compatibility as possible with code using pre-ANSI font/bit attributed characters, and because Franz Inc. also wants to represent strings at least as efficiently as they have been in pre-ANSI versions of Allegro CL, difficulties arise in representing attributed characters in strings (which are now vectors of characters instead of vectors of string-chars). What ANSI-compatible Allegro CL does is to specify that it is an error to store attributed characters in a string. What in fact happens if one tries to do so is that the attributes are stripped. Thus an attributed character that has been stored in an array and extracted is no longer attributed and no longer EQL to its previous value.
Although this behavior violates the spirit of how elements are stored in arrays, this behavior was chosen by Franz Inc. because (a) pre-ANSI CL code using fonts/bits will not have been storing attributed characters into strings since it has always been an error to do so, and (b) representing strings as arrays that can hold attributed characters would have made strings less efficient and incompatible with existing foreign function code that uses strings.
In other words, portable ANSI CL code should not notice this
compromise and pre-ANSI CL code should mostly be able to run as before
with very little source change. The one area where portable pre-ANSI
CL may run into problems is in places where the character type
specifier is explicitly specified in calls to make-array, or to sequence functions that create
a vector. (Such sequence functions include coerce, map, concatenate,
etc.) These places in pre-ANSI CL where the character type specifier
is used should most likely be changed to specify the t
type specifier. In pre-ANSI versions of Allegro CL
(array character) was equivalent to (array t).
Allegro CL has the ability to autoload certain files and modules. In order to keep the size of the system down by excluding parts not always needed, some of Allegro CL is not included in the system when it is built. These parts must be loaded in when they are required. This section describes how that code is loaded in.
Autoloads are triggered by referencing certain objects associated with an unloaded module. Typically, calling a function triggers an autoload, but autoloads can also be triggered by referencing a package or a class associated with an unloaded module. Note that only certain objects associated with a module trigger autoloads. If you reference unloaded functionality that does not trigger an autoload, the functionality may seem to be undefined.
An autoload is an automated form of load. When an autoload occurs, a
message is printed unless *load-verbose*
is nil
, in which case the autoload is done silently. The
autoload message is sent to the stream specified by the variable
*system-messages*
.
All the fasl files which have the potential to be autoloaded are part of the Allegro CL library. All the files are collected into a single file called the bundle file. Its filename is files and its type depends on the version of Allegro CL, but is always some variant of [letter]bu, for example files.bu and files.ebu. The bundle file is located in the Allegro directory. It contains a set of fasl files which can be loaded individually (the whole file is not loaded when a part is). The function bundle-pathname returns the pathname of the bundle file.
Code for some Common Lisp functions and macros (notably
trace, inspect, and step) are contained in
modules separate from the default binary. (The modules are called
:trace, :inspect, and :step.) Whenever any Common Lisp function or
macro is called, the necessary module will be loaded
automatically. Note that using auxiliary features provided as
extensions (such as referring to the variable *trace-print-length*
) will not cause the
module to be loaded. Even though the modules can be automatically
loaded, we recommend explicitly loading those that you need with a
call to require, as described
below.
The code for major extensions, such as the foreign function interface or multiprocessing, also is loaded when needed instead of being in the default Lisp binary. Again, calls to some functions will cause the correct module to be loaded, but we recommend loading the module before using the facility, using require, as described next.
While most modules will be loaded automatically when an important function or macro defined in the module is called, you have to load modules explicitly to use some of the less central functionality. Some users also prefer to explicitly load modules in order to save waiting when the module is actually needed.
To load a module with require, simply enter the form:
(require :module-name)
It is useful to put this form at the beginning of any source file containing code which uses symbols in the module. It is not an error to call require when the module is already loaded.
This section describes implementation details and extensions to Common Lisp operators.
An extension is additional functionality beyond what is specified in the ANSI spec. The section Section 6.1 Extensions to cl:make-package, cl:intern, cl:disassemble, cl:truename, cl:probe-file, cl:open, cl:apropos, etc. describes extensions to a number of SL functions. Usually, these extensions use an additional (non-standard) argument. Portable programs should conditionalize any use of that argument so that it is only used when run in Allegro CL.
An implementation detail either clarifies some part of the spec that is intentionally or unintentionally under specified. The spec usually says that details are left to the implementation when it intentionally under specifies. Unintentional under specification is more subtle: the spec simply says nothing about what should be done in a particular situation. (So for example, should a defpackage call which defines an existing package completely redefine the package according to the new description or should it add features to the package without removing existing features -- see Section 6.12 cl:defpackage and cl:in-package for details on this issue.) A number of subsections discuss such details of various Common Lisp operators (and some variables).
Certain standard Common Lisp functions have been extended in minor ways in Allegro CL. Elsewhere we describe changes to load: Using the load function in loading.htm for the general implementation, Load foreign code with cl:load in foreign-functions.htm (for loading foreign code) and sleep (in Process functions and variables (both models) in multiprocessing.htm, making it work on a per-process basis). Those functions were extended to do something essentially new (load to load foreign functions and fasl files in libfasl mode, sleep to work on single processes). The extensions mentioned in this section refer to changes in the semantics of some Common Lisp functions which affect the way they are ordinarily used. The sort of changes done include allowing strings denoting objects as input as well as the object itself. In some cases we have added boolean variables which control the extended behavior, allowing you to decide exactly how you want Lisp to work.
The following Common Lisp operators are dicussed in subsections of this section:
Arguments: package-name &key use implementation-packages (internal-symbols 10) (external-symbols 10) alternate-name flat local-nicknames
We have added some additional keyword arguments to make-package. The implementation-packages keyword argument is an Allegro CL extension described fully in the section Implementation packages in packages.htm. Its value should be a list.
The local-nicknames keyword argument is an Allegro CL extension described fully in the section Package-local Nicknames in packages.htm.
The default for the use argument is implementation-dependent. The default in Allegro CL is a list containing one element, the common-lisp package.
The flat argument. Allegro CL supports
true hierarchical packages (see
Hierarchical
Packages in packages.htm). It will
treat nicknames containing dots as relative nicknames and ignore
everything up to the final dot. However, if this is not what is
desired, you can ensure that nicknames are not considered relative
by specifying the :flat
keyword argument as true
(it defaults to nil
). (Doing so also makes
the package name itself flat, but there are few user-visible
consequences to that.) defpackage has a
similar :flat
option, as described
in Section 6.12 cl:defpackage and cl:in-package.
rename-package does not:
rename-package does
not change the flat or hierarchical state of any package it renames.
See also the discussion of the defpackage implementation
in Section 6.12 cl:defpackage and cl:in-package
below. defpackage
also support a :flat
option. Note that if the
variable *regard-package-names-as-flat*
is
true, a warning will be printed whenever a package is defined with
make-package
or defpackage. See *regard-package-names-as-flat*
for details.
The alternate-name keyword argument: if
specified, the value must either be the package name or one of its
nicknames. The alternate name is used when *print-alternate-package-name*
is true. The
alternate name of a package is returned by
package-alternate-name. If
no alternate name is specified at package creation time, a default
alternate name is used, as described in the description
of package-alternate-name.
Arguments: string &optional packages
Allegro CL may allow a symbol as the first
(string) argument to intern. Standard Common Lisp requires
that the first argument be a string, but specifies no consequences if
it is not. Allegro CL controls the behavior with the variable
*intern-allows-symbol*
, which, if true,
causes intern to also
accept a symbol as its first argument. If *intern-allows-symbol*
is nil
, passing a symbol as the first
argument signals an error.
Arguments: name-or-compiled-function &key absolute references-only recurse print-header profile start end
The standard disassemble does not have any keyword arguments. The keyword arguments are extensions which are likely not supported in implementations of Common Lisp other than Allegro CL.
In standard CL, name-or-compiled-function should be a function-object, a lambda expression, or a symbol with a function definition. Allegro CL also accepts function names which are lists as well (see Section 10.0 Function specs (fspecs) for a discussion of function names which are lists).
name-or-compiled-function can also be a string. A string is interpreted as naming a foreign (C or Fortran) function. The string must match the name identified by applying nm (or similar system function) to the current symbol table. This is often the result of applying convert-to-lang to the routine name, but there are exceptions -- e.g. Lisp internal routines typically do not have a prepended underscore. name-or-compiled-function can also be a codevector. These are extensions to Common Lisp.
If the value of the absolute keyword argument is
nil
(the default), then relative pc addresses
are given, starting at 0. If the value of
absolute is true, addresses
are given as absolute addresses. Note that these addresses are
consistent within a single disassembly, but any gc activity may have
moved the code vector by the time the disassembly is done.
The recurse keyword argument, if true, causes
internal functions to be disassembled after the specified function. It
defaults to t
if the
name-or-compiled-function represents a function
and if
references-only is nil
,
and neither start, or end is
specified. Otherwise it defaults to nil
.
If the references-only keyword argument is
specified true (its default value is nil
)
then no disassembly is printed. Instead, a list is returned of all
references the function identified by the required argument makes
(from either the function object or the global table) to any Lisp
object. When references-only is
non-nil
, recurse
defaults to nil
.
If the print-header argument is given and
non-nil
, then information other than the pure
code in the function (including the header) is printed before and
after the code is disassembled. If nil
, then
no extra info is printed. The print-header
argument defaults to true if neither start nor
end have been specified, and defaults
to nil
if either start
or end are specified.
If the profile argument is given and is
either the name of a named profile (see prof:save-named-profile) or a profile object
(see prof:find-named-profile), then profile data are
looked up for the function being disassembled. If such data are found,
then the instructions in the function's code vector are annotated with
the profiler hits for the specified profile. The default value
for profile is nil
,
which causes no profile data to be searched for and/or annotated. The
current profile can be specified using a profile
argument of :current
.
If there are hits which aren't subsumed by the function, and if neither the start nor end keywords are given, then these hits are listed after the function has been disassembled - first any symbol-trampoline hits are shown in a similar style as for the function itself, with the first part (as a caller) and the second part (as a callee) are divided and hits are annotated. Then, if there are any hits which simply don't match any address which the profiler recognizes, then these are listed at the end.
If the profile argument is specified and represents a profile, and either the start or end argument are specified, then no extra hits are displayed other than those which are subsumed by the function.
disassemble with the profile argument specified replaces the function prof:disassemble-profile, whose use is now deprecated. That function did just call cl:disassemble but did not provide all the options that cl:disassemble itself offers in Allegro CL.
The start
and end keyword arguments act in the
spirit of the start and end
keyword argument to sequence functions, but the output of disassemble
is not a sequence so the arguments differ from those. Both values, if
specified, should be non-negative integers indicating the pc-offset
where printing of disassembled code should start and stop. The
absolute argument is ignored: start
and end work with respect to
a start of 0 regardless of what the absolute
address is. When start
or end or both are
specified, recurse defaults
to nil
.
Further:
:start 5
is
specified, then the instruction at 4 is printed as the first
instruction.
Here is an example:
cl-user(1): (defun foo (x y) (+ (sqrt (* 2 y)) (log x))) foo cl-user(2): (compile 'foo) foo nil nil cl-user(3): (disassemble 'foo) ;; disassembly of #<Function foo> ;; formals: x y ;; constant vector: 0: sqrt 1: log ;; code start: #x40e922c4: 0: 55 pushl ebp 1: 8b ec movl ebp,esp 3: 83 ec 30 subl esp,$48 6: 89 75 fc movl [ebp-4],esi 9: 89 5d e4 movl [ebp-28],ebx 12: 39 a3 be 00 cmpl [ebx+190],esp ; "thread: stacklim" 00 00 18: 76 02 jbe 22 20: cd 65 int $101 ; sys::trap-stack-ovfl 22: 83 f9 02 cmpl ecx,$2 25: 74 02 jz 29 27: cd 61 int $97 ; sys::trap-argerr 29: 89 45 dc movl [ebp-36],eax ; x 32: 80 7f cb 00 cmpb [edi-53],$0 ; sys::c_interrupt-pending 36: 74 02 jz 40 38: cd 64 int $100 ; sys::trap-signal-hit 40: 8b 9f af fd movl ebx,[edi-593] ; excl::*_2op ff ff 46: b8 08 00 00 movl eax,$8 ; 2 00 51: ff 57 27 call *[edi+39] ; sys::tramp-two 54: 8b 5e 12 movl ebx,[esi+18] ; sqrt 57: b1 01 movb cl,$1 59: ff d7 call *edi 61: 89 45 d8 movl [ebp-40],eax ; excl::local-1 64: 8b 45 dc movl eax,[ebp-36] ; x 67: 8b 5e 16 movl ebx,[esi+22] ; log 70: b1 01 movb cl,$1 72: ff d7 call *edi 74: 8b d8 movl ebx,eax 76: 0b 5d d8 orl ebx,[ebp-40] ; excl::local-1 79: f6 c3 03 testb bl,$3 82: 75 0f jnz 99 84: 8b d8 movl ebx,eax 86: 03 5d d8 addl ebx,[ebp-40] ; excl::local-1 89: 70 08 jo 99 91: 8b c3 movl eax,ebx 93: f8 clc 94: c9 leave 95: 8b 75 fc movl esi,[ebp-4] 98: c3 ret 99: 8b d0 movl edx,eax 101: 8b 45 d8 movl eax,[ebp-40] ; excl::local-1 104: 8b 5f 8f movl ebx,[edi-113] ; excl::+_2op 107: ff 57 27 call *[edi+39] ; sys::tramp-two 110: eb ee jmp 94 ;; Note the start is pc-offset = 3 even though 5 was specified ;; since that instruction includes location 5: cl-user(4): (disassemble 'foo :start 5 :end 34) ;; disassembly of #<Function foo> ;; formals: x y ;; constant vector: 0: sqrt 1: log ;; code start: #x40ed6464: 3: 83 ec 30 subl esp,$48 6: 89 75 fc movl [ebp-4],esi 9: 89 5d e4 movl [ebp-28],ebx 12: 39 a3 be 00 cmpl [ebx+190],esp ; "thread: stacklim" 00 00 18: 76 02 jbe 22 20: cd 65 int $101 ; sys::trap-stack-ovfl 22: 83 f9 02 cmpl ecx,$2 25: 74 02 jz 29 27: cd 61 int $97 ; sys::trap-argerr 29: 89 45 dc movl [ebp-36],eax ; x 32: 80 7f cb 00 cmpb [edi-53],$0 ; sys::c_interrupt-pending ;; When :absolute is true, start and end still use offsets with ;; respect to 0: cl-user(5): (disassemble 'foo :start 5 :end 34 :absolute t) ;; disassembly of #<Function foo> ;; formals: x y ;; constant vector: 0: sqrt 1: log 40ed6467: 83 ec 30 subl esp,$48 40ed646a: 89 75 fc movl [ebp-4],esi 40ed646d: 89 5d e4 movl [ebp-28],ebx 40ed6470: 39 a3 be 00 cmpl [ebx+190],esp ; "thread: stacklim" 00 00 40ed6476: 76 02 jbe 0x40ed647a 40ed6478: cd 65 int $101 ; sys::trap-stack-ovfl 40ed647a: 83 f9 02 cmpl ecx,$2 40ed647d: 74 02 jz 0x40ed6481 40ed647f: cd 61 int $97 ; sys::trap-argerr 40ed6481: 89 45 dc movl [ebp-36],eax ; x 40ed6484: 80 7f cb 00 cmpb [edi-53],$0 ; sys::c_interrupt-pending cl-user(6):
There are other keyword arguments to disassemble but they are not for programmer use.
Arguments: pathname &key (follow-symlinks t)
As specified by section 20.1.3.1 of the ANS, truename must follow symbolic links. Allegro CL
adds the follow-symlinks keyword argument to
control this behavior. truename follows symbolic links if
the follow-symlinks keyword arguments is true
(the default). It returns the symbolic link pathname
if follow-symlinks is
specified nil
.
Note that when pathname
evaluates to a pathname that
references a symbolic link, (delete-file (truename
pathname))
will delete the actual file while (delete-file
(truename pathname :follow-symlinks nil))
will delete the symbolic
link.
Arguments: filespec &key (follow-symlinks t)
probe-file checks to see
whether the file named by filespec exists and
returns its truename if it does. The value of the
follow-symlinks keyword argument is passed as the
value of that argument to truename in order to get the pathname to
return. If filespec evaluates to a pathname that
references a symbolic link, the symbolic link is returned if
follow-symlinks is nil
,
the canonical name of the file if follow-symlinks
is true, the default. See the description of the Allegro CL
implementation of truename just above.
Arguments: file &key direction element-type if-exists if-does-not-exist class follow-symlinks external-format &allow-other-keys
The specification of this Common Lisp function allows a great deal of latitude to the implementation since interfacing with file systems is hard to specify generally. Here we discuss the if-exists, class, and (briefly) the if-does-not-exist keyword arguments. For a discussion of the external-format keyword argument, see Streams in iacl.htm.
The if-exists argument is looked at only
if the
direction argument is specified as
:io
or :output
. In that case the
following values are allowed for if-exists and
have the effect described.
:error
signals an error.
:new-version
is treated just like
:supersede
, which is discussed below. (Unix does
not support file versions.)
:rename
renames the old file to a new file using
the function that is the value of the special symbol *open-rename-function*
. The
variables *open-rename-prefix*
and *open-rename-suffix*
are also
used.
:rename-and-delete
first renames the file following
the conventions of :rename
, then creates the new
file, then deletes the renamed file if the creation was successful.
:overwrite
opens the file for destructive
modification. Although the file pointer initially points to the
beginning of the file, the file is not truncated to zero length upon
opening.
:append
opens the file for destructive
modification. The file pointer initially points to the end of the
file.
:always-append
causes O_APPEND to be used
when opening the file. This means that concurrent writes by any number
of programs will always write to the end of the file. This is useful
for writing to log files. Be warned, however, that you cannot change
the writing file position of a stream opened with
:if-exists
specified to be
:always-append
. The setf of file-position will have no effect on where
writing will occur. The file position does specify where reading
occurs, however.
:supersede
creates a new file that replaces the
existing file.
nil
creates neither a file nor a
stream. nil
is returned.
The if-does-not-exist keyword argument
also accepts the value :always-append
when a file
is opened for output. This value causes the file to be created and
opened using O_APPEND. See the description of the
:always-append
value for
if-exists described just above for details of the
effect of specifying :always-append
.
The open function has been
further extended to take a class keyword
argument. open passes this
argument to make-instance when it creates the stream,
and as with make-instance, the
argument may be a stream class object or a symbol naming such a
class. If the class argument is not supplied or
is nil
, open selects one of the following built-in
classes according to the direction and
element-type arguments:
excl::character-input-file-stream excl::character-output-file-stream excl::character-bidirectional-file-stream excl::binary-input-file-stream excl::binary-output-file-stream excl::binary-bidirectional-file-stream
These classes all contain file-stream
and are
variously mixed with
fundamental-character-input-stream fundamental-character-output-stream fundamental-binary-input-stream fundamental-binary-output-stream
Although the file-stream subclasses returned by open are all instantiable, at present they require hidden initialization (for element-type upgrading, buffer allocation, etc.) and therefore they should only be created using open. It is fine to further specialize them, but you are required to create instances of your specializations of these stream classes using the :class keyword argument to open rather than by calling make-instance yourself.
open is also modified with &allow-other-keys and &rest to pass all keyword arguments as initialization arguments to make-instance. This has the unfortunate side effect of removing error checking for misspelled keyword arguments.
See streams.htm, particularly the discussion of using open to create streams in Implementation of Common Lisp Functions for simple-streams.
When called with :direction :probe
, open essentially works like probe-file and checks to see whether
the file named by file exists and returns its
truename if it does. The value of the
follow-symlinks keyword argument, which is
ignored unless direction is
:probe
, is passed as the value of that argument to
truename in order to get the
pathname to return. If file evaluates to a
pathname that references a symbolic link, the symbolic link is
returned if follow-symlinks is nil
, the canonical name of the file if
follow-symlinks is true, the default. See the
description of the Allegro CL implementation of truename just
above.
Arguments: string &optional package external-only (case-insensitive t)
apropos in Allegro CL accepts
two optional arguments in addition to the single standard optional
argument. The second optional argument is
external-only. If a package designator is
specified as the value of the first (standard) optional argument, only
symbols external in that package will be considered as candidates for
output. If package is specified nil
(some value must be given if
external-only is to be specified), the
external-only is
ignored. external-only defaults to nil
.
CL-USER(1): (apropos :defun nil t) DEFUN [macro] (name varlist &rest body) COMP::PA-DEFUN-PROTO-1 [function] (xform) COMP::QC-DEFUN-IN-RUNTIME [function] (node target cc) COMP::COMPILE-P-DEFUN [function] (form) EXCL::DEFUN-PROTO-1 EXCL::DEFUN-LIKE [function] (xp list &rest args) EXCL::RECORD-SOURCE-FILE-DEFUN [function] (fspec &optional icsp) DEFUN-PROTO [macro] (name varlist &rest body) FF::DEFUN-FOREIGN-CALLABLE-1 [function] (name arglist body) FF:DEFUN-FOREIGN-CALLABLE [macro] (name arglist &rest body) FF:DEFUN-C-CALLABLE [macro] (&whole form &rest args) :DEFUN value: :defun CL-USER(2): (apropos :defun (find-package :excl) t) DEFUN-PROTO [macro] (name varlist &rest body) CL-USER(3): (apropos :defun (find-package :excl) nil) EXCL::DEFUN-PROTO-1 EXCL::DEFUN-LIKE [function] (xp list &rest args) EXCL::RECORD-SOURCE-FILE-DEFUN [function] (fspec &optional icsp) DEFUN-PROTO [macro] (name varlist &rest body)
The third optional argument is case-insensitive. If true (which is the default), comparisons between string and symbol names are done in a case-insensitive fashion. Thus, in an ANSI (case-insensitive, symbols are named with uppercase strings) image,
(apropos "car" (find-package :common-lisp) nil nil) PRINTS nothing (as no symbols in the CL package have "car" in their names) (apropos "car" (find-package :common-lisp)) PRINTS: MAPCAR CAR
And in a modern image (case-senstive, symbols are named with lowercase strings),
(apropos "CaR" (find-package :common-lisp) nil nil) PRINTS nothing (as no symbols in the CL package have "CaR" in their names) (apropos "CaR" (find-package :common-lisp)) PRINTS: mapcar car
When printing output, apropos binds *print-alternate-package-name*
to true, so
package nicknames are always used when they exist. For example, the
alternate name of the foreign-functions
package is
"ff", and we have:
cg-user(5): *print-alternate-package-name* nil cg-user(6): (format t "~S~%" 'ff:def-foreign-call) foreign-functions:def-foreign-call nil cg-user(7): (apropos :def-foreign-call) ff:def-foreign-call [macro] (ff::name-and-options ff::args &key ff::call-direct ...) :def-foreign-call value: :def-foreign-call cg-user(8):
Arguments: string &optional package external-only case-insensitive
Like apropos, as described
just above, apropos-list
accepts two additional optional arguments,
external-only and
case-insensitive. If
external-only is true and a package designator is
specified for the standard optional argument
package, only external symbols in that package
are included in the result. If case-insensitive
is true (the default is nil
), comparisons between string
and symbol names are done in a case-insensitive fashion.
Arguments: stream
The Common Lisp function interactive-stream-p returns true if its argument is an interactive stream, which is a stream "on which it makes sense to perform interactive querying". Allegro CL extends this function so that it is setf'able.
When (setf (interactive-stream-p stream) t) is
evaluated, not only does (interactive-stream-p
stream)
return true, but also any writing that is done is
encapsulated into blocks of output that are forced out by a call to
force-output at the end of the
call. This makes the stream seem like it is unbuffered, yet without
sacrificing as much performance as a raw unbuffered stream would
require, since the actual output takes place only at the end of each
group of write operations.
Arguments: object &key stream [lots of print variable values] alternate-package-name
The Common Lisp function write has keyword arguments for the
various standard *print-[attribute]*
variables,
with the argument name being the attribute. So the keyword
argument circle sets the value of
*print-circle*
during the write, and defaults to the current value of
*print-circle*
. The complete list of
arguments is shown below.
Because Allegro CL has added a *print-alternate-package-name*
printer
variable, which specifies whether the package-name or its alternate name
should be used in printing when a package is printed (usually as a
package qualifier),
a package-alternate-name keyword argument
has been added to write. See also
package-alternate-name.
cg-user(9): (package-alternate-name (find-package :foreign-functions)) "ff" nil cg-user(10): (write 'ff:def-foreign-call :alternate-package-name nil) foreign-functions:def-foreign-call foreign-functions:def-foreign-call cg-user(11): (write 'ff:def-foreign-call :alternate-package-name t)) ff:def-foreign-call ff:def-foreign-call cg-user(12): cl-user(239): (pprint (arglist 'write)) (excl::object &key stream ((:array *print-array*)) ((:base *print-base*)) ((:case *print-case*)) ((:circle *print-circle*)) ((:escape *print-escape*)) ((:gensym *print-gensym*)) ((:length *print-length*)) ((:level *print-level*)) ((:lines *print-lines*)) ((:miser-width *print-miser-width*)) ((:pprint-dispatch *print-pprint-dispatch*)) ((:pretty *print-pretty*)) ((:radix *print-radix*)) ((:readably *print-readably*)) ((:right-margin *print-right-margin*)) ((alternate-package-name excl:*print-alternate-package-name*)) cl-user(240):
Arguments: sequence predicate &key key (strategy *simple-vector-sort-strategy*)
The Common Lisp sort
function returns a sequence, possibly new, possibly the argument
sequence modified, with all the elements of sequence ordered so that
if element1
precedes element2 in the result sequence,
then (predicate (apply key (list element1)) (apply key (list
element2)))
returns true.
When sequence is a vector, the merge sort
algorithm is used. This requires use of a temporary scratch vector of
the same size as sequence. Where this scratch
vector is created depends on the value of
the strategy keyword argument, whose value
defaults to the value of *simple-vector-sort-strategy*
. If specified,
strategy can have three allowable
values: :stack
, :alloc
, and a
vector. These values have the following effects:
:stack
: the scratch vector will be allocated on the
stack if possible. The stack will be examined to ensure (as far as is
possible) that there is sufficient room to allocate the scratch vector
on the stack. The scratch vector will be a simple vector and thus have
element type t
. Vectors with more than a
million (in computer speak so (* 1024 1024)
) elements
will not be stack allocated (and even fewer on Windows). If stack
allocation is not possible, the behavior is as
with :alloc
below. If stack allocation is possible,
the sort is done with comparatively little consing:
if sequence is a general vector or a vector with
element type fixnum
or various byte equivalents,
essentially no consing is done; if sequence is a
specialized array of other numeric types
(like single-float
or double-float
) approximately
the sequence size of elements of that type will
be consed.
:alloc
: the scratch vector will be allocated in the
Lisp heap. It will be a simple vector and thus have element
type t
. If sequence
also has element type
t
or has element
type fixnum
or various byte equivalents, little
additional consing will be done. If sequence is a
specialized array of other numeric types
(like single-float
or double-float
) approximately
the sequence size of elements of that type will
be consed in addition to the scratch vector.
sequence
. For most element types
of sequence, minimal consing will occur if the
vector is a simple vector (with
element-type t
), see the note below. If the
vector does not meet these requirements (i.e. is not big enough or its
element-type is not equivalent or a super type), it will be ignored
and a new vector will silently be allocated as if the value
were :alloc
. If the element type of sequence is a
smallish byte (like (unsigned-byte 8)
), then
specifying a vector of the same element type will minimize overall
space usage. If a vector is used repeatedly, be sure that it is only
used in one thread. Trying to use the same vector in multiple threads
can result in competing calls to sort interfering with one another and
can cause incorrect results.
It is not necessary to supply a value for
the strategy keyword argument. The right thing
will be done (that is the result will be a sorted vector of the same
element type as sequence) regardless of its value or the value
of *simple-vector-sort-strategy*
.
Unless the argument sequence is a specialized
vector with element type a small byte like (unsigned-byte
8)
, a simple vector is usually a better choice
for strategy if its value is a vector. Consider
if sequence has
element-type single-float
. If strategy
is also a single-float vector, then every time a value is extracted
from the startegy vector, it must be boxed
(converted to a single-float object). (Values extracted
from sequence also must be boxed but that happens
in any case.) Further, when strategy is a simple
vector, references to strategy use the faster svref rather than aref. Finally the copy of values from
sequence to strategy also
involves boxing even when both are specialized arrays because
the sort code cannot be compiled to handle such special cases
when element types are not known in advance.
with-open-file tries to guarantee that the file stream opened for the evaluation of its body is closed, thus avoiding open but unused files. (Such open files can cause an error if the number, set by the operating system, of allowable open files is reached.)
But note that there is a hazard between the time Lisp calls out to the operating system to open a file and the time Lisp sets the stream variable to the newly opened file stream. Between those events, an interruption that causes a non-local exit may leave the file open, but Lisp, lacking any handle on the newly opened stream object, cannot in fact close it.
The risk is small, but can be exacerbated by the following:
Allegro CL implements the time macro so that code in the body is compiled if necessary (and the compiler is present). The macro prints timing information and then the return valkue of the body:
cl-user(2): (defun foo (n) (let ((lis nil)) (dotimes (i 100000) (push (* n i) lis)) lis)) foo cl-user(3): (compile 'foo) foo nil nil ;; ;; This example run on an SMP Lisp so includes a 'cpu time (thread)' ;; line. That line will not appear in non-SMP Lisps. ;; cl-user(4): (time (foo 120034)) ; cpu time (non-gc) 0.003999 sec user, 0.001000 sec system ; cpu time (gc) 0.032995 sec user, 0.001000 sec system ; cpu time (total) 0.036994 sec user, 0.002000 sec system ; cpu time (thread) 0.003999 sec user, 0.000000 sec system ;; SMP Lisps only ; real time 0.038979 sec (100.0%) ; space allocation: ; 99,580 cons cells, 0 other bytes, 0 static bytes ; Page Faults: major: 0 (gc: 267), minor: 388 (gc: 267) (12003279966 12003159932 12003039898 12002919864 12002799830 12002679796 12002559762 12002439728 12002319694 12002199660 ...) cl-user(5):
The information reported is:
The garbage collector when doing global gc's can use multiple cores even in a non-SMP Lisp. As a result, total CPU time may be more than clock time, as in the following actual example:
; cpu time (non-gc) 230.788942 sec (00:03:50.788942) user, 0.135657 sec system ; cpu time (gc) 189.803826 sec (00:03:09.803826) user, 0.173186 sec system ; cpu time (total) 420.592768 sec (00:07:00.592768) user, 0.308843 sec system ; real time 289.965705 sec (00:04:49.965705) (145.2%)
In this example, four cores were used for global gcs, with approximately 50-60 msecs used by each core. The real time was thus non-gc-time plus max-core-gc-time for a total of 290 msecs.
The directory function has some keyword arguments added to it to assist in recursive walks down a directory tree. (Note that even though the new argument is not specified, Common Lisp: the Language says the following about directory: `It is anticipated that an implementation may need to provide additional parameters to control the directory search. Therefore directory is specified to take additional keyword arguments so that implementations may experiment with extensions, even though no particular keywords are specified here.')
Arguments: path &key (directories-are-files t) (follow-symbolic-links t)
Returns a list of pathnames matching path,
which may be a pathname, string, symbol or stream. Returns nil
if there is no match.
If the keyword argument directories-are-files
is specified true (the default), this function
will return directories as files (that is pathnames with name and/or
type components true). If the argument is nil
, directories are returned as directories
(pathnames with name and type components nil
). In the latter case it is possible to walk down
a directory tree recursively using directory.
The elements of the list returned by directory is in the same order as returned by the associated system function (e.g. readir() on UNIX).
If directory is given
wildcards, for example "*/*.cl", it will ignore files which are
symbolic links that point to other directories. This prevents directory recursing into these
symbolically named directories. For example, (directory
"*/*.cl")
will no longer, in the face of a `foo' symlink to
a directory, would descend into `foo'. However, When
follow-symbolic-links is non-nil
(the default), directory recurses into
directories pointed to by symlinks when the appropriate "**" (that is,
:wild-inferiors) directory component is used. (This issue
affects UNIX and UNIX like platforms only following symbolic links is
not supported on the Windows implementation.)
directory uses pathname-match-p, which, when presented with wildcards in path (when path is a string), converts the pathname into Allegro CL regular expressions, according to the rules given next. (See regexp.htm for information on regular expression handling.)
. turned into \. * turned into .* ? turned into . ^ prepended onto beginning $ appended onto end
. turned into \. * turned into .[^/]* (or .[^\\]* on windows) ** matches any number of directory levels ? turned into . ^ prepended onto beginning $ appended onto end
The ensure-directories-exist function has two additional keyword arguments: verbose and mode. If verbose is specified true, it prints the fact that a directory is created when one is. The default value for the mode argument is #o777. The value should be a non-negative integer less that or equal to #o777. Any directory cerated with be created with that mode.
The loop macro, cl:loop, is extended to
support for-as-in-sequence
subclauses, which is in
addition to the standard for-as-in-list
and
for-as-across
(for looping over vectors).
In the ANS Section 6.1.2.1 Iteration Control, descriptions are provided for several iteration controls over object types which are suited for iteration. Two of these are elements of lists (The for-as-in-list subclause) and vectors (The for-as-across subclause). But there is no single iterator which will work on either lists or vectors.
Allegro CL has introduced a new for-as-in-sequence
clause, which allows iteration over either lists or simple, general
vectors. It allows for implementational switches from lists to such
vectors and vice versa, and it does so with as little run-time expense
as possible (the restriction to simple vectors allows much faster
performance than would be possible if any type of vector was
allowed). It combines common aspects of the
for-as-in-list
and for-as-across
subclauses.
The template is simplified compared to templates
for for-as-in-list
and for-as-across
and vectors appearing in the
clause have certain restrictions:
for-as-across
and so also not for
for-as-in-sequence
.
(simple-array t (*))
-- a simple vector,
described here,
has no fill pointer, is not displaced to another array, is not
expressly adjustable, and is general, so may contain elements of any
type). Vectors in a for-as-across
clause need not
be simple.
(defun foo (x) (loop for y in-sequence x collect (1+ y))) (foo '(1 2 3)) => (2 3 4) (foo #(1 2 3)) => (2 3 4)
The for-as-in-sequence
only iterates over the top
level of a list or vector. Elements of the list or vector which are
themselves lists of vectors are treated as simple data, but destructuring
works in the
for-as-in-sequence
subclause but only for elements
which are lists:
CL-USER(2): (loop for (x y) in-sequence '((1 2) (3 4)) collect (list x y)) ((1 2) (3 4)) CL-USER(3: (loop for (x y) in-sequence #((1 2) (3 4)) collect (list x y)) ((1 2) (3 4)) CL-USER(4): ;; But this does not work CL-USER(4): (loop for (x y) in-sequence '(#(1 2) #(3 4)) collect (list x y)) Error: Attempt to take the car of #(1 2) which is not listp. [condition type: TYPE-ERROR]
The functions delete, delete-if, delete-if-not, and delete-duplicates have traditionally tried to shorten simple-vectors in-place, so that copies need not be made when items are deleted from these vectors. But to truly be SMP-safe these functions must act more like their remove* counterparts, due to the difficulty in synchonizing the use of the original object efficiently. However, this means that legacy code which assumed that the simple-vector was modified in-place might break.
Decisions can be made at various levels as to whether "in-place"
modification will be done or whether copying will be done instead.
This is controlled by the new variable *delete-in-place*
, and also by a
new in-place keyword argument to
delete,
delete-if,
and delete-if-not. (That
argument is not portable and so should be conditionalized in portable
code.) delete-duplicates
always follows the mandate of *delete-in-place*
and has no new argument.
Defaults have been set so that non-SMP Lisps will still perform the in-place modification, and SMP Lisps will do the copying. Programmers should only specify in-place deleting on SMP if they can guarantee that the vector is not being (and can not be) traversed simultaneously on multiple threads. The problem can (for example) arise when one thread changes the last elements of a vector without noticing another thread has shortened the vector. The change can then modify (illegally) the header of an entirely different Lisp object with the result that the Lisp heap becomes corrupted.
The new arguments to certain deletion functions and the
new *delete-in-place*
variable do not affect the behavior of these functions on list
arguments. However, (and this has always been true in a
multiprocessing Lisp) although failures are less likely when deleting
elements from a list compared to deleting elements from a vector (it
is easy, as noted in bold above, to modfy an illegal location when a
vector is shortened, but not when deleting elements from a list),
there are ways that deletion or modification in one thread and
accessing in another can cause unspecified (and unexpected) behavior
with lists.
Correct code should use the return value of the delete functions.
It is much less likely, but the same problem described in this section can occur in a non-SMP Lisp. Good coding practice says do not use in-place modification in any multiporcessing Lisp (SMP or not) where multiple threads can traverse the sequence.
We have extended the #+ and #- reader macros to accept
(version>= N [ M]) as an argument. It is interpreted to mean that
the form following will only be read if the version (also called
release) of Allegro CL is greater than or equal to N.M. The N must be
supplied. The M is optional. Both must be integers. With #+,
version>= signifies read the next form only if the version is
greater than or equal to N.M. With #-, it means read the next form
only is the version is less than N.M. For example, because of an X3J13
change, the element type for an array of characters is
character
starting in release 4.1 and
string-char
in earlier releases. To have code work
in all Allegro CL releases, do the following:
(make-array 3 :element-type #+(version>= 4 1) 'character #-(version>= 4 1) 'string-char)
Warning: while most Common Lisp implementations (including Allegro CL prior to version 4.1) ignore `(version>=...)', it is possible that an implementation would signal an error upon encountering it. As a workaround for truly portable code, use:
#+(and allegro-version>= (version>=...))
Because :allegro-version>= is (presumably) only on the *features* list of Allegro CL 4.1 and later, this will fail in all versions without version>= having to have a definition.
This standard Common Lisp variable can be used with the #+ and #-
reader macros to conditionalize code for different Lisp
implementations and releases. The exact value is different in every
version of Allegro CL. Here are some useful values which may or may
not be in your version. Please check the value of *features*
in your version to
see exactly what is there. The function featurep can be used to test whether a feature
is present or not.
This is a partial list.
Feature |
Meaning and use |
:allegro |
Unique to Allegro CL. Present in all versions on all platforms. Use this to distinguish Allegro CL from other Lisp implementations. |
:64bit |
Present in 64-bit images, absent in 32-bit images. |
:ignore |
Absent in all versions on all
platforms. Thus a form marked #+ignore
is never evaluated. Used, for example, in
custom.cl. |
:x3j13 |
Purports to conform to some version of Common Lisp specified by the ANSI X3J13 committee. Present in Allegro CL since version 4.2. |
:cltl2 |
Purports to conform to Common Lisp: the Language, 2nd ed. Since ANSI Lisp has diverged, :x3j13 and :cltl2 should not both be present. Not present in Allegro CL 4.2 or later. Present in some earlier versions. |
:draft-ansi-cl-2 |
Purports to conform to the second draft ANSI standard. Allegro CL does so, so :draft-ansi-cl-2 is present in Allegro CL 7.0 |
:ansi-cl |
Purports to conform to ANSI Common Lisp standard. The standard is now (since early 1996) final. Present in Allegro CL starting with version 4.3. |
:dynload |
Foreign loading is done by dynamic linking of shared libraries/objects. The next several features are types of dynamic loading. See foreign-functions.htm. |
:dlfcn |
Uses dlopen() to link foreign code. Present, for example, on Solaris. See foreign-functions.htm. |
:dlwin |
Uses LoadLibrary to link foreign code. Windows machines only. See foreign-functions.htm. |
:dlmac |
Uses the Mac OS X system loader NSLoadModule to link foreign code. Mac OS X machines only. See foreign-functions.htm. |
:dlld |
Loads .o files into image with ld. No Allegro CL version uses this. |
:ics |
Supports International Character sets. Characters are 16-bits (rather than 8 bits). Allegro CL comes in both International and non-International versions (the International version is standard). Use this feature to distinguish the versions. See iacl.htm. |
:os-threads |
When present, each Lisp thread
executes on a distinct os thread within the os
process. Stack-allocated data remains in place as long as it is
in scope. Thread-specific foreign initializations may need to be
done in each Lisp thread, depending on the requirements of the
specific foreign library. Always present when :smp is present.
When absent (:smp will also be absent), all lisp threads share one os thread. The stack data for the currently executing Lisp thread occupies the real os stack; stack data for other lisp threads is saved in other areas of memory until the other thread is to be executed again. Stack-allocated data (whether foreign or Lisp) is only guaranteed to be at its allocated address when the allocating lisp thread is executing. Thread-specific foreign initializations probably need to be done just once for the whole os process. See multiprocessing.htm and smp.htm. |
:smp |
When present, the Lisp allows true simultaneous execution of multiple Lisp
threads on multiple cpus. Even if the host os allocates a single
cpu to the lisp process, different Lisp threads can interleave
execution arbitrarily. Checks for signals, timeouts, and
process-interrupts happen at safe-points.
When absent, the Lisp allows execution of multiple Lisp threads, but only one such thread at a time can be executing Lisp code. Interleaving of thread execution happens at safe-points, as do checks for signals, timeouts, and process-interrupts directed at that thread. |
:smp-macros |
When present, macros associated with SMP are defined. Always present when :smp is present. Useful for conditionalizing code with the macros for versions prior to SMP implementation. |
:mswindows |
Appears in versions running on Windows machines. Use #-mswindows for Unix. |
:sparc |
This feature appears on versions that run on machines with a Sparc processor (e.g. Sun 4's and Sparcstations). A similar platform-naming feature appears in all implementations and allows differentiating between machines. Look for the feature in your version. |
:big-endian |
Platform uses the big-endian method of representing numbers. |
:little-endian |
The platform uses the little-endian method of representing numbers. |
:verify-stack |
Checking how close the stack is to
overflowing is expensive. See verify-stack-switch .
|
:allegro-vN.M |
Present in Allegro CL version N.M. (Examples :allegro-7.0, :allegro-8.0, :allegro-8.1, etc.) See also #+(version>=...) reader macro defined Section 6.7 Reader macros and cl:*features* above. Both it and this feature are useful for conditionalizing code to run on different releases of Allegro CL. |
Assume :allegro
is on the *features*
list and that
:foo
is not. Consider the following two forms and
their evaluations:
;; CASE 1 (list #+allegro :allegro #-allegro #+foo :foo #-foo :default) Versions of Allegro CL prior to 8.0 return (:allegro :default) Allegro CL 8.0 and many other implementations return (:allegro) ;; CASE 2 (list #+allegro :allegro #-allegro #+foo :foo) Versions of Allegro CL prior to 8.0 return (:allegro) Allegro CL 8.0 and many other implementation signal an error
We will explain these disparate behaviors below, but first we
recommend that conditions be nested using not, or, and
and within the #+
or #-
test expressions (the expression which follows the
#+
or #-
) as that is always
unambiguous in any Lisp. Thus the first conditional below implements
the old Allegro CL behavior and the second implement the current
behavior:
(list #+allegro :allegro #+(and (not allegro) foo) :foo #-foo :default) (list #+allegro :allegro #+(and (not allegro) foo) :foo #-(or allegro foo) :default)
Using nesting within the test expression for Case 2 should make clear
what is desired when :allegro
holds and
:foo
does not -- presumably:
(list #+allegro :allegro #+(and (not allegro) foo) :foo)
In older Allegro CL implementations, when a conditional fails (like
#-allegro fails), a conditional in the associated form (the one that
will be ignored) is not further considered. Thus that conditional and
its associated form are taken to be the form to be ignored. So in the
first example, #-allegro #+foo :foo
is considered
to be a (failing) conditional and its associated form. It is ignored
and the reader then encounters #-foo :default
. The
#-foo
conditional succeeds so the subsequent form
-- :default
-- is evaluated.
Other Lisp implementations resolve the conditionals following a
conditional as part of determining what the form associated with a
conditional is. Allegro CL has been changed to match that behavior. As
a result, conditionals following a conditional (i.e. nested
conditionals) are considered and resolved as part of determining the
form that follows a conditional, the form that should be ignored (when
the original conditional fails) or evaluated (when it succeeds). So in
#-allegro #+foo :foo #-foo :default
the inner
conditionals #+foo :foo #-foo :default
are resolved
to :default
. Thus #-allegro #+foo :foo
#-foo :default
resolves to #-allegro
:default
which is then ignored.
In the second example, #-allegro #+foo :foo
resolves to #-allegro
which signals an error
because no form follows the #-allegro
conditional,
and that is erroneous code. (The conditional doing the nesting within
the test expression, show above, does not error.)
We believe (although we do not present our analysis here) that the ANSI standard is ambiguous on the handling of these cases and so both the older Allegro CL behavior and the newer behavior are within standard. However, since the #+/#- conditonals are designed to allow for using the same code in various implementations of Common Lisp, we believe it is most important that all implementation do the same thing. Since other implementations of Common Lisp resolve inner conditionals to produce the form that outer conditionals apply to, Allegro CL has been changed (starting in release 8.0) to do that as well. Again, we recommend doing the nesting in the test expressions rather than nesting #+/#-'s.
The change in the handling of nested #+/#-'s is a
non-backward-compatible change in Allegro CL 8.0, and a rather obscure
one which may cause difficult to diagnose errors in user code which
has heretofore worked correctly. To mitigate this, in Allegro CL 8.0
(and later), a warning is signaled when nested conditionals are
detected. This warning remarks on the behavior change. The warning is
suppressed when the variable *warn-on-nested-reader-conditionals*
is set to
nil
(its initial value is t
). Users who want to revert to the old behavior (not
resolving inner conditionals before applying outer) can do so by
setting the variable *sharp-plus-de-facto-standard-compatible*
to
nil
(its initial value is also t
). We do recommend that user change their code to
conform to the new behavior where that is possible rather than
reverting to the old behavior.
Allegro CL uses the Mersenne-Twister algorithm, MT179937. MT179937 is described in detail in the paper "Mersenne Twister: A 623-dimensionally equidistributed uniform pseudorandom number generator" by Makoto Matsumoto (Keio University/Max-Planck-Institut fuer Mathematik) and Takuji Nishimura (Keio University), which appeared in the issue 1/1998 of the ACM Transactions on Modeling and Computer Simulation.
The required argument to random
must be a positive real (integer or float). In the Allegro CL
implementation, there are internal functions that are called based on
the type of the required argument. If the compiler trusts declarations
(see trust-declarations-switch
) and the type of
the required argument is known at compile time (because its type is
declared or it is a constant), the call to random will be transformed into a call to the
appropiate internal function in most cases. If the type is not known
at compile time or declarations are not trusted,
random is called directly and
dispatches to the correct internal function after determining the type
of the required argument.
Because random may be called by any Lisp function at any time, there can be no guarantee that the sequence of numbers seen by your calls to random will be the same each time you invoke Lisp even if your actions are seemingly identical. However, absent specific action on your part, often the values returned by random are the same from invocation to invocation. If either repeatability or ensuring different runs are different are important to you, you should manage random by specifying the optional random-state argument with random-state objects you have created and stored (see make-random-state). Printed versions of random-state objects are readable so values can be stored in text files.
When a new process is created, the value of *random-state*
may be bound as part of
the initial bindings for the process (see
mp:make-process and
mp:process-run-function). *random-state*
is one of the variables
included in the suggested list of bindings which is the value
of *required-top-level-bindings*
,
but that list
is used for processes you create only if you specify that it be
used. The binding is to a copy of an existing random-state
object. This means that if that list is used, different processes may
start with copies of the same random-state object or with
random-states that produce similar (i.e. slighly displaced) random
number sequences. This may or may not be what is required for your
application. As we suggest with managing random numbers in general, we
suggest that if the nature of random sequences is important to your
application, you manage the random sequences for processes that you
create by creating your own random-state objects
(with make-random-state) and using them in
the processes you create.
Arguments: number &optional state
Returns a pseudo-random number uniformly distributed between 0 and (- number 1) if number is an integer and between 0 (inclusive) and number (exclusive) if number is real but not an integer. number must be real and positive. state should be a random-state object. If supplied, it will be made the state while the returned value is calculated.
Arguments: &optional state seed
This standard Common Lisp function returns a random-state
object. In Allegro CL, it
is enhanced with an additional (now deprecated) optional
argument, seed, and with more allowable values
for the state argument.
Here are the allowable values for state (the first three are standard ANSI Common Lisp, the last two are Allegro CL extensions):
nil
(or unsupplied): return a copy of the
current value of *random-state*
.
t
: return a new random-state
object with a new seed
based on the time when called (the ANS says
when state is t
, return
"a fresh random state object that has been randomly initialized by
some means." The means in Allegro CL is to use the current time to
create a value. In earlier releases, there was a problem of repeating
the time-based seed value when this function was called in a tight
loop. That problem was fixed but there is a similar problem with
contemporaneous calls in separate threads (which can happen to run
simultaneously in SMP Lisps on multi-core machines). Rather than try
to solve that much more intractable issue, we recommend users use
the :entropy
value described below.
random-state
object. Only the lower 32
bits of the value is used, so #x123c00000001 and #x456b00000001
produce the same result (because their lower 32-bits are identical and
equal to 1).
:entropy
: return a
new random-state
object seeded as described below.
When state is :entropy
, a
value to create a seed will be taken from CryptGenRandom on
Windows, and /dev/urandom for non-Windows based
machines. /dev/random is not used by the system for any value
but you can use it, collecting values read into an integer and passing
the integer as the state argument. Allegro CL
does not use /dev/random because it can block for an
indeterminant amount of time.
The seed argument could be used in earlier
releases to allow users to specify their own seed value. That role is
now provided by allowing an integer value
for state. Use of seed is
deprecated. Using it will work but will also signal a
warning. seed should only be specified when state
is t
.
Arguments: &key test size rehash-size rehash-threshold hash-function values weak-keys
Hash tables with standard tests (eq, eql, equal, and equalp) have been optimized in Allegro CL to make putting values into and getting values from a hash table fast. eq hashtables are the fastest, followed closely by eql, and then equal and equalp.
The maximum size of a hash table is one less than the value of array-dimension-limit
. In safe
code, if the value specified by the size is
greater than or equal to array-dimension-limit
, then array-dimension-limit
minus 1
will be used instead and a warning will be signaled.
Allegro CL has also extended make-hash-table in several ways:
The hash-function keyword argument allows further specialization when standard functionality is inefficient (usually because of excessive collisions caused by bunching of the hash codes of the data). Code that uses the hash-function argument is not portable Common Lisp, of course.
If specified, the value from hash-function must be a symbol naming a function of one argument in the global environment which reproducibly returns an integer in the correct range when applied to any Lisp object intended to be used as a hash key. (The value must be a symbol, not a function object.)
The correct range is between 0 and (1- (expt 2 24)) (inclusive) in 32-bit Lisps and between 0 and (1- (expt 2 32)) (inclusive) in 64-bit Lisps. Reproducibly here means the function will return the same value on equivalent objects whenever it is called. The consequences of returning a value outside the correct range are undefined (and so may result in an incorrect answer or cause an error or program failure).
hash-function defaults to sxhash except when test is one of the four standard tests (eq, eql, equal, equalp) when hash-function defaults to an internal function optimized for that test. (For equal and equalp, the hash-function is an internal version of sxhash.)
A good hash-function will not only conform to the requrements of the
hash-function
argument, but will make efforts to
distribute the hash-codes evenly across the objects which will be used
as keys.
To aid in hash-code generation, an unexported function is provided which is otherwise undocumented: excl::hash-table-stats, which accepts as its only argument a hash-table, and which prints various statistics about that hash-table, including a histogram at the end of how hard it is to access each key (i.e. how far the key resides from its hash-code position). A long histogram is not good; the shortest histogram has only one entry at distance 0 (with all of the keys at that distance) which means that the current distribution of keys is perfect and the access is linear. A long histogram means that the hash code generation has poor distribution, likely either not as random as expected, or else bunched up close to zero.
The value of test must be a symbol naming
a function of two arguments in the global environment. This function
will be passed two keys, and should return t
if the keys are equivalent and nil
if the
keys are not equivalent. The standard values
for test are eq, eql,
equal,
and equalp (or, for these four
functions only, the associated function
objects #'eq
etc.) but any test function can be
specified. (But note (1) that symbol
is reserved
for internal use so test should not be specified
'symbol
in application or user code; and (2) the
value must be a symbol naming a function, not a function object; the
four standard function objects listed just above are accepted as
values but no other function objects.) If
hash-function is specified, it is the
programmer's responsibility to ensure the test function and the hash
function work together correctly and consistently.
weak-keys defaults to nil
, which specifies the default behavior. When
weak-keys is specified as t
, the keys of the resulting hash table are treated
specially by the garbage-collector: when a key in such a hash table
has no more references to it, the entire entry is removed from the
hash table, and the hash-table-count is decremented. This entry
removal will occur regardless of whether :values
:weak
is specified (which by itself will never affect the
hash-table-count, but only the value of an entry). See
gc.htm for information on weak objects.
If weak-keys is given the value
:tenurable
, then the key vector (the part of the
weak-key hash-table that is normally kept in newspace) is allowed to
be tenured. Any other true value for weak-keys
causes the key vector to be forced to stay in newspace (but it is best
to use t
as this allows other non-nil
values which have special meaning to be added
later). The :tenurable
option allows the amount of
data copied between newspace halves to remain smaller than if the key
vector were forced to remain in newspace. This difference can be large
if the hash-table is large. Allegro CL now uses this option
internally. If a tenurable weak-keys hash-table must be rehashed due
to growth, the new key vector is allocated in newspace, but is still
allowed to be tenured. (This means the vector is not created with
:allocation :old
described below.)
The downside of tenuring the weak-key vector is that
references to the values will remain until a global garbage collection
examines the weak-key vector. An untenured weak-key vector is examined
whenever there is a scavenge. Global gc's are typically rare, but
scavenges occur regularly. A decision to use the
:tenurable
option should take this into
consideration.
values can be t
(the default), :weak
, or nil
.
When values is t
, the
hash table will contain both a key and a value for each entry (that
is, it will be a normal hash table). As said above, t
is the default value for
values.
When :values :weak
is specified, then the
hash table will hold a value only as long as it is referenced
non-weakly by some other object. If no other objects reference the
value, it becomes nil
and a gethash on the key will return nil
for the value (the value is collected by
the gc).
;; We create a :values :weak hashtable: cl-user(26): (setq ht (make-hash-table :values :weak)) #<eql hash-table with weak values, 0 entries @ #x48aef52> ;; We create an object to store aa a value: cl-user(27): (setq a (list 1 2 3)) (1 2 3) ;; We store the list as the value of the key 100: cl-user(28): (setf (gethash 100 ht) a) (1 2 3) ;; And the list is returned when we ask for it: cl-user(29): (gethash 100 ht) (1 2 3) t ;; We break the link from the symbol A to the list: cl-user(30): (setq a nil) nil ;; We break the links from variables like *, **, and *** to the list ;; (this works here but be aware that links may exist that you are ;; unaware of, and it make take longer for those links to disappear). cl-user(31): t t cl-user(32): t t cl-user(33): t t cl-user(34): (gc) cl-user(35): (gc) ;; Now when we get the value associated with 100, it is NIL cl-user(36): (gethash 100 ht) nil t ;; Note, second value is T as 100 still has a value. But the ;; value is now NIL, not the list which was the original value. cl-user(37):
When :values nil
is specified, a sans
values hash table is created, and only keys are stored. gethash returns the key as its first
return if the key is in the table, and t
as
the second value in that case. As usual, gethash returns nil
and
nil
if the key is not in the table. You can
use setf and gethash to store a key. You must specify a value
but that value is ignored. You can also use the function excl:puthash-key to store a key in
the table.
On sans-value hash tables, maphash will call its argument function with the key as both arguments (as the key argument and as the value argument), as there is no value to pass.
One use of :values nil
(sans-value) hash tables is
to identify a set of objects, such as those objects which have a
particular property, in a space efficient way. Suppose, for example,
you have many instances (millions of them) of a particular class, and
only 20 are XYZ-positive. You could have an
xyz-positive
instance slot in the class, but that
could use megabytes of space. A sans-value hash table with the 20
objects as keys uses just a few hundred bytes. That table could be the
value of a class slot of the class and a method that looked to the user
like an ordinary reader could test whether an instance was in the hash
table or not, while a writer could add an instance to the hash table.
Sans-value hash tables are also a good way to store conses. If you
have a bunch of conses you will need many times, place each as you
first create it as a key into a sans-value hash table with the
appropriate test function (say equal). Then, if you need that
cons, create one and test it using excl:puthash-key or gethash, and always using the return value
(unless nil
in the case of gethash) and discarding the test value. Only one
permanent copy of the cons will then be stored no matter how may you
create. (See the second example below.)
;; We create a sans-value hashtable: cl-user(49): (setq svht (make-hash-table :values nil)) #<eql hash-table (sans values) with 0 entries @ #x4a94bb2> ;; We store as keys all CL symboles with more than 3 e's in ;; the symbol name. Note we use puthash-key to store the key. ;; We do not need a value because being in the hashtable indicates ;; the key has the desired property (more that 3 e's). ;; cl-user(50): (do-external-symbols (s (find-package :cl)) (if (> (count #\e (symbol-name s) :test 'char-equal) 3) (puthash-key s svht))) nil ;; There are 39 such symbols: #x4a94bb2 cl-user(51): svht #<eql hash-table (sans values) with 39 entries @ #x4a94bb2> ;; We use MAPHASH to print out the 39 symbols. Note the value ;; passed to the MAPHASH argument function is the key (that ;; is, the key is passed as both the K and the V arguments). ;; We have added line breaks for clarity in some cases cl-user(52): (maphash #'(lambda (k v) (format t "~S, value is ~S~%" k v)) svht) integer-decode-float, value is integer-decode-float least-negative-normalized-single-float, value is least-negative-normalized-single-float set-difference, value is set-difference update-instance-for-different-class, value is update-instance-for-different-class double-float-negative-epsilon, value is double-float-negative-epsilon make-sequence, value is make-sequence make-instances-obsolete, value is make-instances-obsolete stream-element-type, value is stream-element-type least-negative-normalized-double-float, value is least-negative-normalized-double-float delete-package, value is delete-package least-negative-normalized-long-float, value is least-negative-normalized-long-float delete-file, value is delete-file array-element-type, value is array-element-type upgraded-array-element-type, value is upgraded-array-element-type encode-universal-time, value is encode-universal-time least-negative-normalized-short-float, value is least-negative-normalized-short-float internal-time-units-per-second, value is internal-time-units-per-second type-error-expected-type, value is type-error-expected-type ensure-generic-function, value is ensure-generic-function delete-duplicates, value is delete-duplicates define-setf-expander, value is define-setf-expander least-negative-single-float, value is least-negative-single-float read-sequence, value is read-sequence get-decoded-time, value is get-decoded-time concatenated-stream-streams, value is concatenated-stream-streams invoke-restart-interactively, value is invoke-restart-interactively read-preserving-whitespace, value is read-preserving-whitespace get-internal-real-time, value is get-internal-real-time least-positive-normalized-double-float, value is least-positive-normalized-double-float decode-universal-time, value is decode-universal-time *compile-file-truename*, value is *compile-file-truename* least-negative-double-float, value is least-negative-double-float nset-difference, value is nset-difference ensure-directories-exist, value is ensure-directories-exist make-concatenated-stream, value is make-concatenated-stream update-instance-for-redefined-class, value is update-instance-for-redefined-class write-sequence, value is write-sequence least-positive-normalized-single-float, value is least-positive-normalized-single-float single-float-negative-epsilon, value is single-float-negative-epsilon nil ;; GETHASH works as usual but returns the KEY as if it ;; were the value: cl-user(53): (gethash 'write-sequence svht) write-sequence t ;; You can use SETF of GETHASH instead of PUTHASH-KEY. Note ;; the value specified (10 in this case) is discarded: cl-user(54): (setf (gethash nil svht) 10) nil ;; GETHASH returns the key as the value. The value specified ;; just above (10) is not stored so is not available: cl-user(55): (gethash nil svht) nil t ;; NIL is returned because the KEY is NIL. When the key is NIL, ;; you must look at the second return value to see if NIL is ;; in the hash table. cl-user(56): ;; In the second example, we create a EQUAL sans-value hash table ;; and store some conses in it. We create a new cons and use ;; PUTHASH-KEY to store it if necessary. PUTHASH-KEY returns ;; the stored cons if there, or the cons if just stored. cl-user(59): (setq cons-storer-ht (make-hash-table :test 'equal :values nil)) #<equal hash-table (sans values) with 0 entries @ #x4b78e3a%gt; ;; We put some conses in the hash table: cl-user(60): (puthash-key (list 'baltimore 'md) cons-storer-ht) (baltimore md) cl-user(61): (puthash-key (list 'boston 'ma) cons-storer-ht) (boston ma) cl-user(62): (puthash-key (list 'berkeley 'ca) cons-storer-ht) (berkeley ca) cl-user(63): (puthash-key (list 'reno 'nv) cons-storer-ht) (reno nv) ;; Here is a cons. We put it in the hashtable if necessary. ;; PUTHASH-KEY returns the one there if present: cl-user(64): (setq a (list 'boston 'ma)) (boston ma) cl-user(65): (puthash-key a cons-storer-ht) (boston ma) ;; Note the new one is not the one returned: cl-user(66): (eql a *) nil ;; So we break the link to the new one, and use the stored ;; one so only one copy is live in the image: cl-user(67): (setq a **) (boston ma)
Arguments: dims &key allocation element-type weak short [and other standard CL keyword args not listed here]
allocation is discussed first and then weak. short is discussed briefly after the discussion of weak and in detail in Section 3.0 Arrays and short arrays.
allocation: make-array, a standard Common Lisp function, has
been extended to accept the allocation keyword
argument. The value of this argument must be one of the following
keywords (the default is :new
, which produces the
behavior of earlier releases).
Value of allocation argument | Meaning |
:new |
Allocate the new array data in new space (the usual behavior). Any array element type accepted. This is the default. |
:old |
Try to allocate the new array data in old space
immediately (without waiting for
it to survive for the required number of scavenges).
Any array element type accepted.
If there is not enough contiguous oldspace available to allocate the array, it will be allocated in newspace. resize-areas can be used before the allocation in order to ensure that there is enough oldspace available. |
:static |
Allocate the new array in aclmalloc (foreign) space. The array will
never be touched by the garbage collector and must be deallocated
explicitly. The arrays must have a specialized element type since
arrays of type t may contain pointers that
the garbage collector may need to update. See the list of array types
in Section 2.0 Data types and array types for a list of
specialized array types. Note that if the upgraded-array-element-type of an
element type is t , that array may not be
allocated :static or :malloc .
You must explicitly free the space if it is no longer needed, as
described below. |
:malloc |
|
:static-reclaimable | Allocate the new array data in aclmalloc (foreign) space and the header in Lisp space. The data will never be touched by the garbage collector but it will be deallocated when there are no pointers from Lisp (using a finalization). Only specialized arrays (not arrays of type t) can be allocated in this way, as with :static/:malloc allocations. See the description of those allocation types for more details. |
:lispstatic-reclaimable
|
Allocate the new array in aclmalloc (foreign) space. The array will never be touched by the garbage collector (except to update pointers back into Lisp space) until there are no pointers from Lisp, at which point the whole array will be deallocated explicitly. Any element-type may be specified for the array. |
allocation is not a standard Common Lisp argument to make-array so programmers may wish to conditionalize it with #+allegro to preserve code portability.
Having created a static array, you may wish to free it. To do this, first pass the array to the function lispval-other-to-address, which will return an address (an integer). That address can be passed to aclfree. Note: if you reference the array after it has been freed, you will get garbage values. If you set a value in the array after it has been freed, you may cause Lisp to fail.
weak: make-array, a standard Common Lisp function, has
been extended to accept the weak keyword
argument. weak is not a standard Common Lisp
argument to make-array so
programmers may wish to conditionalize it with #+allegro to preserve
code portability. weak may be true (meaning
create a weak array) or nil
(meaning create a
standard array). The default is nil
.
A Lisp object becomes garbage when nothing points to or references it. The way the garbage collector works is it finds and identifies live objects (often then moving them somewhere). Whatever is left is garbage. Weak arrays allow pointers to objects which will not, however, keep them alive. If one of these pointers exists, the garbage collector will see the item and (depending on the circumstances), either keep it alive or abandon it.
If you specify weak true, you cannot specify
the non-standard allocation argument or the
standard displaced-to argument. The only values
accepted for the standard element-type argument
are those for which no specialized array type for that element-type is
defined (i.e. upgraded-array-element-type applied to
element-type should return t
, which
in essence means you should not specify element-type).
short: Allegro CL supports two fundamental kinds of arrays: standard and short. Short arrays (equivalent to the array type in releases prior to 7.0) have a smaller maximum size than standard arrays. See Section 3.0 Arrays and short arrays for details. When :short t is specified, a short array is produced. Otherwise a standard array is produced.
See Weak arrays and hashtables in gc.htm for more information on weak arrays.
Arguments: pathname &key syntax
cl:namestring takes a pathname
designator and returns the full namestring of the pathname. Allegro
CL adds an additional keyword argument:
syntax. The value of syntax
can be nil
or :unix
. The
behavior of the syntax argument is different on
Unix and Unix-like platforms and on Windows.
The syntax argument is ignored.
If syntax is :unix
, any
backward slashes in the pathname are converted to forward slashes. If
syntax is nil
(the
default), no slashes are converted and cl:namestring behaves normally.
Thus, on Windows only,
(namestring "\\ftp\\pub\\patches\\8.0\\ftp.001" :syntax :unix) returns "/ftp/pub/patches/8.0/ftp.001" while (namestring "\\ftp\\pub\\patches\\8.0\\ftp.001") returns "\\ftp\\pub\\patches\\8.0\\ftp.001"
The argument was added to assist ftp functions called from Windows. Functions like map-over-ftp-directory called on Windows generates pathnames of the files in an ftp directory, but these generated pathnames use Windows syntax (with backward slashes delimiting directories). In order for these pathnames to be used in calls to other ftp functions, such as ftp-stream-file-mod-time, they must be first converted to Unix syntax. Users writing their own mapping functions for ftp directories may find this added feature of cl:namestring useful. The ftp client module is described in ftp.htm.
Arguments: defined-package-name &rest options
The specification of defpackage is silent on whether, when there are two defpackage forms for the same package, the second should augment the first or the second should replace the first.
Consider, for example, the following two defpackage forms:
(defpackage :newpack (:use :excl :cl)) (defpackage :newpack (:use :net.uri))
What is the package-use-list after the second defpackage form returns: a list of three packages (excl, common-lisp, and net.uri) or a list of a single package (net.uri)? Allegro CL augments the package specification rather than replacing it, as illustrated by the following transcript:
cl-user(1): (defpackage :newpack (:use :excl :cl)) #<The newpack package> cl-user(2): (package-use-list (find-package :newpack)) (#<The excl package> #<The common-lisp package>) cl-user(3): (defpackage :newpack (:use :net.uri)) #<The newpack package> cl-user(4): (package-use-list (find-package :newpack)) (#<The net.uri package> #<The excl package> #<The common-lisp package>)
Allegro CL support an additional
option :implementation-packages
. This option helps
control whether a warning or error is signaled when a definition is
made using a symbol from the package being defined by
defpackage. See Implementation packages
in packages.htm for details and examples.
If
specified, the value must either be the package name or one of its
nicknames. The alternate name is used when *print-alternate-package-name*
is true. The
alternate name of a package is returned by
package-alternate-name. If
no alternate name is specified at package creation time, a default
alternate name is used, as described in the description
of package-alternate-name.
Allegro CL support an additional
option :local-nicknames
. This option takes lists of
the form (nickname package) as
arguments. nickname serves as a nickname for
package while the package being defined by defpackage is the value
of *package*
.
See Package-local
Nicknames in packages.htm for details and
examples.
If you use a symbol (other than a keyword) to specify a value which is
eventually converted into a string (such as the package
name foo
in (defpackage foo)
),
then the macroexpansion of the defpackage form will reference
the uninterned symbol named
foo
, not foo
internal in some
package. This makes little difference to the Lisp which processes,
either evaluating or compiling, the defpackage form
-- foo
will end up being interned in the current
package when the form is read -- but does make a difference to Lisp
images which simply read the fasl (compiled Lisp) file which contains
the defpackage form.
This means that you can use symbols for names in defpackage
forms in your application files, compile those files, and when you
later use the compiled files to build your application, it will not
have package name spaces cluttered by these symbols. Using a symbol
has the advantage that it finesses the case-mode
issue. (defpackage foo)
creates the "FOO" package
in an ANSI Lisp and the "foo" package in a modern Lisp
(see case.htm).
Allegro CL supports true hierarchical packages (see
Hierarchical
Packages
in packages.htm). Therefore, it will by default
treat package names containing dots (.) as hierarchical package
names. Hoever, if this is not what is desired, add (:flat
t)
to the defpackage
specification. With (:flat t)
, package names and
nicknames will not be treated as hierarical. make-package
(see Section 6.1.1 Extensions to cl:make-package) has
a similar :flat keyword
argument. rename-package does not:
rename-package does
not change the flat or hierarchical state of any package it renames.
Arguments: package-name
The Common Lisp macro in-package changes the value
of *package*
to the
package designated by package-name. If
package-name is a symbol, the macroexpansion of
the in-package form converts that symbol reference to an uninterned
symbol of that name. See the discussion under the heading Treatment
of string designator arguments named by symbols in the description
of defpackage above for why this is a useful feature.
Arguments: stream
Allegro CL allows stream to be a pathname or a namestring as well as a stream open to a file (ANSI CL specifies only a stream open to a file). For a pathname or a namestring argument, the file-length function returns the size (number of octets, that is 8-bit bytes) of the associated file.
However, a namestring is passed to the relevant system call unchanged. If you use shell abbreviations, like '~' to indicate your home directory it will likely fail because the OS system call may not know what is intended by '~' (which is a shell, not an OS, convention). Applying pathname to the namestring will perform the necessary conversions before making the system call.
We also do not signal an error when the argument to file-length is a string stream or a buffer stream (instead of just a stream open to a file). See the discussion of file-length in Section 12.0 Conformance with the ANSI specification for further details.
There are two implementation details for cl:file-write-date:
mtime
(the modification time on UNIX) of the
file. On Windows, the comparable value is set.
nil
is returned (rather than
an error being signaled).
The fact that nil
is returned when the
argument file does not exist is arguably an ANSI non-compliance. The
Spec says: "An error of type file-error is signaled if the file system
cannot perform the requested operation". But it also says: "returns
nil if such a time cannot be determined". Returning nil
in this situation is longstanding behavior in
Allegro CL and is being maintained.
In Allegro CL, cl:lisp-implementation-version returns two value. The first is a string which is of the form
"[Version number] [[Platform]] ([Date and time of build])"
For example
"8.1 [64-bit Linux (AMD64)] (Feb 7, 2007 14:55)"
The second return value is a list of strings (there may be only one) that identify the Allegro shared library build version. For example:
("lisp_build_NNN")
NNN
is an integer which is increased with each new
build. (The library is often updated between releases because of
patches.) So, a call looks like:
cl-user(2): (lisp-implementation-version) "8.1 [64-bit Linux (AMD64)] (Feb 7, 2007 14:55)" ("lisp_build_1") cl-user(3):
These examples are for illustration only. The values you see will be different. This information may be helpful when trying to identify a potential problem, allowing users at different sites to be sure they are running the same versions of all parts of Allegro CL.
cl:function-lambda-expression
returns three values: the defining lambda expression, if available
(nil
is returned if it is unavailable);
information on whether the function was or was not defined in the null
lexical environment; and information on the function's name. Here we
discuss when the first returned value might be
non-nil
:
*save-function-lambda-expression*
is true, the
source for the first returned value will be taken from there.
save-source-level-debug-info-switch
compiler switch is true), then it may be possible
for cl:function-lambda-expression to use that
information, but only if the source info has been loaded into the Lisp.
The source-debugger uses a lazy approach to load source debug info,
and
cl:function-lambda-expression
will not prompt to get file information if that information is
not already loaded in. If the fasl file that contains the source info
was loaded in while *load-source-file-info*
was true, then the
info will be present. Or, if any debugging commands have caused the
source info to be loaded, then it will already be available; the
easiest way to force this is to set a breakpoint somewhere in the
desired function. If source-file-recording was turned on when the
fasl file is loaded (that is, *record-source-file-info*
was true when the
file was compiled and *load-source-file-info*
was true when the file
was loaded), then the source-debug info will not normally be loaded,
but the Lisp will know where to get the information from and it will
happen automatically. (See also *load-source-debug-info*
.)
Often you wish to write floating point numbers to a file which is read later, perhaps in the same Lisp invocation but more likely in a different one. The simple way to do this, writing the decimal representation of the floats, suffers from being very inefficient and somewhat inexact. (It is expensive to convert the internal binary representation to decimal for writing, and then the decimal representation back to binary when the values are read.)
Allegro CL provides functions that write and read the binary representation of floats (rather than the decimal representation), thus saving the time and loss of accuracy associated with conversion to and from decimal format. The functions are single-float-to-shorts, double-float-to-shorts, shorts-to-single-float, and shorts-to-double-float. Note that machine binary representations are used by most languages, and so, just as Allegro CL can read the files produced by writing the integers returned by single-float-to-shorts and convert them back to floating point numbers, programs easily written in other languages can do so as well.
An additional version optional argument has been added to cl:provide and cl:require. It allows specifying a minimal version acceptable for loading a module.
Arguments: module-name &optional version
The non-standard version argument, if specified, should be a positive real number (a float or an integer). This value is checked when the module specified by module-name is loaded. If the cl:require form also specified a version, it is compared (numerically) with the version in the provide form. If the require version is less than the provide version, a continuable error is signaled. If either form does not have a version specified, there will be no error.
Arguments: module-name &optional pathname min-version
The non-standard min-version argument, if specified, should be a positive real number (a float or an integer). This value is compared with the version specified in the cl:provide form in the module. An error will be signaled if the cl:provide form has a version less than the value of min-version. If the cl:provide form has no version specified (or there is no cl:provide), no error will be signaled.
Both macroexpand and macroexpand-1 are enhanced to receive a new argument, special-operator-stop, and to add behavior for specific kinds of environments.
Arguments: form &optional environment special-operator-stop
A second (non-standard) optional argument, special-operator-stop, has been added to allow controlling behavior for specific kinds of environments.
If the environment passed in is a
:compiler
environment (as opposed to a
:compilation
, :interpreter
,
:evaluation
, or :macros-only
)
then compiler-macros will be expanded by both macroexpand and macroexpand-1. This is to simulate what
happens when the compiler does its macro expansions. Note that this
behavior is an extension to the ANSI Spec, which states that
compiler-macros are not expanded by
macroexpand/macroexpand-1. Note also that any portable
code-walker which expects to receive an ansi-compliant environment
must condition the environment by using sys:ensure-portable-walking-environment on
the argument.
If a :compiler
environment is passed in to macroexpand/macroexpand-1 and
special-operator-stop is true, then a
special-form (a form whose car is a special-operator) will not be
macroexpanded, as is otherwise usually the situation. This feature is
provided to allow a specialized code-walker (not necessarily a
portable one) to see what special forms the compiler sees. If the
walker then knows how to interpret the syntax of the special-operator,
it can do so in an implementation-dependent way; otherwise, it can
always do the macroexpansion again with the
special-operator-stop set to nil
, in order to get a full macroexpansion through
the special form.
cl-user(1): (setq env (sys:make-compilation-unit-environment)) #<Augmentable compiler environment @ #x40c916aa> cl-user(2): (macroexpand '(case num (1 (foo "one")) (2 (foo "two")) (3 (foo "three")) (otherwise (foo "unknown"))) ) (let () (cond ((eql '1 num) (foo "one")) ((eql '2 num) (foo "two")) ((eql '3 num) (foo "three")) (t (foo "unknown")))) t cl-user(3): (macroexpand '(case num (1 (foo "one")) (2 (foo "two")) (3 (foo "three")) (otherwise (foo "unknown"))) env) (let () (cond ((eql '1 num) (foo "one")) ((eql '2 num) (foo "two")) ((eql '3 num) (foo "three")) (t (foo "unknown")))) t cl-user(4): (macroexpand '(case num (1 (foo "one")) (2 (foo "two")) (3 (foo "three")) (otherwise (foo "unknown"))) env t) (excl::simple-case num (1 (foo "one")) (2 (foo "two")) (3 (foo "three")) (otherwise (foo "unknown"))) t cl-user(5): (macroexpand-1 * env t) (excl::simple-case num (1 (foo "one")) (2 (foo "two")) (3 (foo "three")) (otherwise (foo "unknown"))) nil cl-user(6): (macroexpand-1 * env) (let () (cond ((eql '1 num) (foo "one")) ((eql '2 num) (foo "two")) ((eql '3 num) (foo "three")) (t (foo "unknown")))) t cl-user(7):
Arguments: form &optional environment special-operator-stop
The effect of the second (non-standard) optional argument to macroexpand-1 is the same as described just above in the description of macroexpand in Allegro CL. See that description and the associated examples for further details.
The generic functions cl:simple-condition-format-control and cl:simple-condition-format-arguments take condition arguments and return the values of the respective slots. Allegro CL extends the condition system to define and sometimes bind the format-control and format-arguments slots in all conditions. That is, the slots always exist but are only sometimes bound. The slot names are internal in the excl package, and so are excl::format-control and excl::format-arguments.
Because the slots are not always bound (except for actual simple-conditions), code should check that there are bound before trying to access them, with tests like:
(slot-boundp instance 'excl::format-control) (slot-boundp instance 'excl::format-arguments)
Because these slots need not exist in Lisps other than Allegro CL (again except for simple-conditions) code which tries to access them should be conditionalized for Allegro CL.
Many conditions in Allegro CL which are not simple conditions bind
these slots (including, for example, undefined-function
and and unbound-variable
). We do
not give a list, however, because it will likely go out of date. Users
who wish to make use of the slot value should, again, test whether
they are bound before accessing them.
user-homedir-pathname is a Common Lisp function that "determines the pathname that corresponds to the user's home directory on host." host is an optional argument.
In Allegro CL, the host argument is ignored in all cases. Allegro CL simply polls the Operating system in which it is running asking for the current user's home directory. On UNIX, this concept is well defined. On Windows, the notion of a home directory is more murky. Here is what Allegro CL does on Windows.
If in step 1 or 2, an invalid pathname is constructed (typically a pathname naming a non-existent directory), a warning is signaled and the invalid pathname is not returned.
On Windows, you can change what user-homedir-pathname returns in a running Lisp by setting the values of the HOMEDRIVE and HOMEPATH environment variables to be strings which when concatenated name the desired existing directory, for example (here we leave HOMEDRIVE unchanged):
(setf (sys:getenv "HOMEPATH") "\\mydir\\")
Only the Lisp process see these new values. You are not setting them for all processes or permanently. See also username-to-home-directory.
The standard readtable, which is the initial value
of *readtable*
cannot be
modified. You can, of course, copy it and modify the copy as
desired.
The restriction on modifying the standard readtable can affect user code in the following cases:
*readtable*
,
to their initial or default values. An attempt in the body of a call
to with-standard-io-syntax to
modify the current readtable (the value of *readtable*
) will fail unless the value of
*readtable*
has been changed earlier in the body to
the macro to a non-read-only readtable.
*readtable*
during initialization is
the initial readtable and it is read-only. So if you have code which
tries to modify it, that code will error. You must create a copy of
the initial readtable and then modify that and use it elsewhere. We
discuss this in more detail below.
Suppose you want to make the { character into a reader macro which extracts a specified element from a list (this is the example in the ANS description of set-dispatch-macro-character), and you put the following form into your .clinit.cl file or with the -e command-line argument (see Initialization and the sys:siteinit.cl and [.]clinit.cl files and Command line arguments in startup.htm):
(set-dispatch-macro-character #\# #\{ ;dispatch on #{ #'(lambda(s c n) (let ((list (read s nil (values) t))) ;list is object after #n{ (when (consp list) ;return nth element of list (unless (and n (> 0 n (length list))) (setq n 0)) (setq list (nth n list))) list)))
Since the optional readtable argument is not specified, it defaults to
*readtable*
,
but while the init file is being processed, the value
of *readtable*
is the initial readtable and that is read-only, so that form will
signal an error. What you must do is create your own readtable and
modify it:
(defvar *my-rt* (copy-readtable nil)) (setq *readtable* *my-rt*)
Now the form will work, modifying the reatable which is the value of
*my-rt*
and (for now) the value of *readtable*.
The same forms work when evaluated with the -e command-line argument (see Command line arguments in startup.htm).
But when the listener starts up, it will bind *readtable*
to a value specified in the
association list which is the value of *cl-default-special-bindings*
(see Setting
global variables in initialization files
in startup.htm). The entry
for *readtable*
is initially (*readtable* copy-readtable nil)
,
which means the listener will see a copy of the default readtable, not
your modified one. (In earlier releases, you modified the default
readtable so the changes were propagated.)
You modify *required-top-level-bindings*
with a form like
the following which you put below the forms above in your init file or
as a later form passed with -e:
(setf (third (assoc '*readtable* *required-top-level-bindings*)) '*my-rt*)
If you specify an improper value as the value of
the end keyword argument to sequence functions
(or the end1 or
end2 arguments), no checking is done and you may
get an error or an incorrect result. In this example, you get an
incorrect result (the third returned value should also
be nil
because the effective end of array is
0, but end2 is specified as 3 so that value is
used):
cl-user(3): (let ((*print-array* t) (array (make-array 0 :fill-pointer 0 :adjustable t))) (vector-push-extend :a array) (vector-push-extend :b array) (vector-push-extend :c array) (vector-push-extend :d array) (setf (fill-pointer array) 0) (values array (search '(:b :c) array) (search '(:b :c) array :end2 3))) #() nil 1 cl-user(4):
This lack of checking is permitted by the ANS. Actually checking every case would burden legal code to protect against erroneous code. Users should check themselves if this is an issue.
While investigating ways to speed up Allegro CL, developers at Franz determined that pretty printing was a significant user of compute cycles, and that turning pretty printing off produced significant speedup of code that did output. This conclusion is not particularly suprising, of course. It takes work to produce pretty output. The question is, what to do about it. Turning off pretty printing sounds easier than it is.
Allegro CL starts with *print-pretty*
set to
t
and further, the value in *cl-default-special-bindings*
is (essentially) t
as well. So simply setting
*print-pretty*
to nil
will
not work because the true value will tend to return unexpectedly (in
new processes, for example).
Further, user code may depend on the initial value of
*print-pretty*
being t
, so
the initial value could not be changed.
However, we can make suggestions to users so that they can achieve the speedups when desired.
There are three steps.
(1) change the value of *print-pretty*
in *cl-default-special-bindings*
to nil
by evaluating
(setq *print-pretty* nil) (tpl:setq-default *print-pretty* nil)
(See setq-default.)
(2) avoid using format strings that are pretty-printing by nature
(such as ~< ... ~:$gt;
).
(3) Set the value of *pprint-gravity*
to
nil
. Code in Allegro CL that used to bind
*print-pretty*
to t
now
bind it to *pprint-gravity*
. That variable is
not set on the *cl-default-special-bindings*
list.
There is a module pprint.fasl. When loaded into
an image, it sets *print-pretty*
and
*pprint-gravity*
to t
. This module is loaded automatically when an image
is built with a standard top-level. However, when an image is built
with a minimal top-level (as described in Minimal top
levels in building-images.htm, the
pprint
module is not loaded.
So when building an image, you can include them for a development image (above), putting them in, say, custom.cl, or you can build the image with a minimal top-level.
Note that the guts of pretty-printing are in the
pprint
module. Whenever a format statement, or a
print statement with *print-pretty*
set to t
, is executed, the pprint module is required, so
that the machinery is present to do the pretty-printing. So you have
to be careful to avoid such cases. If you need pretty printing, you
should use the strategy presented above rather than a minimal
top-level strategy.
Starting in release 6.2, the new variable *print-circle-gravity*
acts
with respect to *print-circle*
as *pprint-gravity*
does with *print-pretty*
: no Allegro CL
code sets the value of *print-circle*
. Instead, Allegro CL code binds
it where necessary to the value of *print-circle-gravity*
, and *print-circle-gravity*
is only
set in two places: initially to nil
and in
the :pprint
module to t
.
Please check the Allegro CL FAQ from time to time to see if there is new information on this issue.
The class-precedence-list is calculated by mop:finalize-inheritance but it is not installed into the class until close to the end of finalization, as mop:class-precedece-list signals a program error when the class is not finalized. But the class-precedence-list is available much earlier and can be accessed with
(slot-value class 'mop:class-precedence-list)
after it is actually calculated (but before the operator mop:class-precedece-list can access it).
The IEEE floating-point standard calls for infinities and NaNs (Not-a-Number) to be represented and used. So division of a non-zero finite float by zero produces an infinity, while a division of zero by zero produces a NaN.
the Common Lisp standard does not call for these special floats (as they are often called), but does allow for implementation of IEEE. Further, compiled code which dispatches directly to an IEEE floating-point processor may get back a special float result which it may just return, particularly if it is compiled at high speed and low safety. So consider the following from Allegro CL:
cl-user(115): (defun foo-err (sf) (declare (single-float sf)) (declare (optimize (speed 1) (safety 1))) (/ 1.0 sf)) foo-err cl-user(116): (compile *) foo-err nil nil cl-user(117): (foo-err 0.0) Error: Attempt to divide 1.0 by zero. [condition type: division-by-zero] [1] cl-user(118): :reset cl-user(119): (defun foo-inf (sf) (declare (single-float sf)) (declare (optimize (speed 3) (safety 1))) (/ 1.0 sf)) foo-inf cl-user(120): (compile *) foo-inf nil nil cl-user(121): (foo-inf 0.0) #.excl::*infinity-single* cl-user(122):
In the safe code, we get an error. In the fast code, we (silently) get infinity. This is not unexpected. Fast code is supposed to be fast and it achieves speed by discarding checks. The fp processor on the machine where this was run is an IEEE processor and it does not set the error flag for division by zero. Instead, it retuns the legal IEEE float infinity.
There are predicate function that return true when an object is a floating-point infinity or a NaN. exceptional-floating-point-number-p returns true when passed an floating-point infinity or NaN. nanp returns true when passed a NaN and infinityp returns true when passed an infinity.
Because underflows and overflows often signal an error, code like
(expt most-positive-single-float 2)
will now error
rather than returning an infitity. Users who want infinite value
and who do something like:
(defvar +single-positive-infinity+ (expt most-positive-single-float 2))
should instead do
(defvar +single-positive-infinity+ excl:*infinity-single*)
The six special-float constants are:
*infinity-single*
*infinity-double*
*negative-infinity-single*
*negative-infinity-double*
*nan-single*
*nan-double*
Arithmetic operations with special floats are legal. Generally, the result of an operation with a special float is a special float, the exception being dividing by infinity which produces zero. The following table shows the result of operations. Note we do not cover all cases nor most floating-point coercion cases. An operation with a double and a single results in a double.
Operation |
Arg1 |
Arg2 |
result |
Any |
*nan-single* | Any single | *nan-single* |
Any |
*nan-single* | Any double | *nan-double* |
Any |
*nan-double* | Any | *nan-double* |
+ |
*infinity-single* | finite single-float | *infinity-single* |
+ |
*infinity-single* | finite double-float | *infinity-double* |
+ |
*infinity-double* | Any finite | *infinity-double* |
+ |
*infinity-single* | *negative-infinity-single* | *nan-single* |
- |
Any finite single-float | *infinity-single* | *negative-infinity-single* |
* |
*infinity-single* | Any positive single-float | *infinity-single* |
* |
*infinity-single* | Any negative single-float | *negative-infinity-single* |
* |
*infinity-single* | 0.0S0 | *nan-single* |
/ |
*infinity-single* | *infinity-single* | *nan-single* |
/ |
*infinity-single* | any positive finite single-float | *infinity-single* |
/ |
any finite single-float | *infinity-single* | 0.0S0 |
/ |
0.0S0 | *infinity-single* | 0.0S0 |
/ |
*infinity-single* | 0.0S0 | *infinity-single* |
/ |
Any positive single-float | 0.0S0 | *infinity-single* |
/ |
0.0S0 | 0.0S0 | *nan-single* |
Actually, we just discuss underflow errors. The same method will work
with overflow errors. Before handling the error, you must decide what
you want to do: for an underflow, do you want to return zero? Or (if
sorking in single-floats), switch to doubles and try again? Or return
least-positive-single-float
or least-positive-single-float
(assuming positives)? See also the function read-tiny-float which handles the underflow
error when reading a single float from a string, giving you the option
of returning zero or the least-positive/least-negative float of the
appropriate format.
Once you have decided that, code like the following will handle the error:
;; This read-from-string form will signal an underflow error: cl-user(1): (read-from-string "4.9e-324") Error: expt operation on (2.0 -723) resulted in floating point underflow. [condition type: floating-point-underflow] ;; This condition code will trap the error and return 0.0: (catch 'trap-error (handler-bind ((floating-point-underflow #'(lambda (c) (declare (ignore c)) (throw 'trap-error 0.0)))) (read-from-string "4.9e-324")))
That condition code can be adapted to other underflows and also
overflows (changing the condition type to
floating-point-overflow
).
Because the natural word size on 32-but machine is 32-bits and on
64-bit machines is 64-bit, we have defined new
types nat
and unsigned-nat
which
is a 32-bit integer on 32-bit machines and a 64-bit integer on 64-bit
machines. One can use nat
and unsigned-nat
in places
where int
and unsigned-int
(and
sometimes, long
and unsigned-long
) normally go. This allows
sources for both 32-bit and 64-bit lisps to be the same.
Functions that accept nat and unsigned-nat as values for arguments include memref and memref-int and stack-cushion and set-stack-cushion. See also ftype.htm (particularly The Syntax for Foreign Types) and lisp.h.
The #A reader macro is a standard Common Lisp reader macro, document here is the ANS. Allegro CL extends #A as we describe next. The usage template is:
#{n}A{t}data ;; The braces -- {} -- indicate the value is optional ;; data must be a sequence.
The standard CL usage template is #nAdata
. Allegro
CL makes the n parameter optional (it defaults to 1). The new optional
parameter t
can be used to specify the element-type
and can be one of u4, u8, u16, u32, u64 s8, s16, s32, or
s64. s
indicates signed-byte, u
unsigned-byte. the integer represents the number of bits per byte. So,
for example, #Au8(1 2 3 4)
reads as an
(unsigned-byte 8), 1-dimensional array (that is, a vector) with 4
elements, 1, 2, 3, and 4.
The reader will always read the new format correctly, but the printer
will only use the new format when the variable *print-simple-array-specialized*
is true. The
new format is, of course, not portable to other Common Lisp
implementations. When that variable is nil, the standard #nAdata
format is printed.
When n
is 0, it is assumed
that t
is not provided, so #0Au8123 produces a
0-dimensional array of type t
(not type
(unsigned-byte 8)).
Allegro CL has a number of printer variables which control the length
and level of particular kinds of
printing. Thus, tpl:*print-length*
controls the print-length
used when printing return values at the
top-level. cl:*print-length*
controls the print-length
used by the various print functions. This example illustrates the
difference. Recall print
returns its argument after printing it:
(setq *print-length* nil) (setq tpl:*print-length* 5) cl-user(16): (print '(1 2 3 4 5 6 7 8 9 10)) (1 2 3 4 5 6 7 8 9 10) (1 2 3 4 5 ...) cl-user(17):
The Allegro CL print variables can have the same values as the CL ones
(an integer or nil
). They may also have the
value :follow
. That value means use the value of
the corresponding CL variable. So if we
make :follow
the value of tpl:*print-length*
, we get this behavior:
cl-user(9): (setq *print-length* 5) 5 cl-user(10): (setq tpl:*print-length* :follow) :follow cl-user(11): (print '(1 2 3 4 5 6 7 8 9 10)) (1 2 3 4 5 ...) (1 2 3 4 5 ...) cl-user(12): (setq *print-length* nil) nil cl-user(13): (print '(1 2 3 4 5 6 7 8 9 10)) (1 2 3 4 5 6 7 8 9 10) (1 2 3 4 5 6 7 8 9 10) cl-user(14):
This facility should be used with care, especially with the tracing
print variables (*trace-print-level*
etc.), since it eliminates
the protection those variables provide by default when huge or
circular objects are encountered during tracing, or contrarily, it may
prevent trace from providing useful output. A traced function may be
called in a dynamic environment where some surrounding code has for
its own legitimate purposes bound some of these variables to extreme
values.
The Allegro CL print variables include:
*step-print-length*
*step-print-level*
*trace-print-array*
*trace-print-circle*
*trace-print-length*
*trace-print-level*
tpl:*zoom-print-length*
tpl:*zoom-print-level*
tpl:*zoom-print-circle*
tpl:*print-length*
tpl:*print-level*
Most platforms support 32-bit and 64-bit Lisps. (See Installation sizes and supported Operating System versions in installation.htm for a list of supported platforms and Lisps.)
For the most part there is no compatibility issue, especially when dealing with Lisp. The exceptions are:
-DAcl32Bit
or -DAcl64Bit
on the
cc line of any program which includes it, for any architectures for
which there are both 32-bit ports and 64-bit ports (Sun,
AIX, for example). It is a good idea to add the -DAcl32Bit option to cc
lines to be sure as additional platforms may be added later.
:int
, :long
,
:unsigned-int
, and
:unsigned-long
types always follow precisely the
sizes of the foreign modules that are successfully loaded into that
Lisp.
Again, most pure-lisp behavior will be completely portable between 32-bit and 64-bit lisps, and that at most a user is likely only to see wider values while inspecting objects, or larger addresses in room displays.
For operations that must deal with specific sizes but do not use the def-foreign-type interface, the natural type (in Lisp) and the nat type (in C) provides a simple method to allow compatibility between 32-bit and 64-bit lisp code and foreign modules.
Allegro CL is an implementation of Common Lisp as specified by the ANSI X3J13 committee. The standard of conformance has been accepted by ANSI as final. ANSI is the American National Standards Institute, and the X3J13 committee prepared the ANSI standard for Common Lisp.
Common Lisp was originally specified in Common Lisp: the Language, 1st edition (CLtL-1). That standard is now out of date. Common Lisp: the Language, 2nd edition (CLtL-2) describes an early version of the ANSI standard. It is still used but please understand that the final ANSI standard has diverged in a number of ways from CLtL-2, so CLtL-2 is no longer definitive.
Loading the cltl-1 module may affect ANSI compliance. Note compiler-let is available and exported from the excl package.
The several symbols removed from the language by X3J13 but preserved
by Allegro CL for backward compatibility are exported from the
cltl1
package. These generally retain their CLtL-1
definitions. We list the symbols exported from the
cltl1
package at the end of this section. Note that
the definitions are in the :cltl1
module.
Two symbols exported from the flavors
package conflict
with symbols now exported from the common-lisp package as part of
CLOS: defmethod and make-instance. This means that no
package can use the flavors package without shadowing these two
symbols. See the code at the beginning of
flavors.htm.
The following symbols in the cltl1 package have been deleted from standard Common Lisp by X3J13. They (for the most part) maintain their CLtL-1 functionality. You may use the cltl1 package to get backward compatibility but we recommend that you write all new code so that you do not use these symbols and that you modify all existing code as soon as practical.
Note that special-form-p is in the cltl1 package. That symbol was previously in the common-lisp package but has been replaced in that package with the symbol special-operator-p.
These symbols were in the cltl1
package since
release 4.0 and are still there:
*applyhook*
: (variable) along with applyhook,
*evalhook*, and evalhook, provided functionality to affect
evaluation.
*break-on-warnings*
: (variable) if true, go into a
break loop when a warning is signaled (essentially replaced by *break-on-signals*
).
*evalhook*
: (variable) along with applyhook,
*applyhook*, and evalhook, provided functionality to affect
evaluation.
string-char
: (class) the type of elements that
could be in a string. Essentially, in ANSI CL, strings contain
characters.
string-char
(see just above).
X3J13 made a number of improvements to the package system in order to facilitate portability and to regularize the handling of top-level forms in a file. The function in-package was changed to a macro, and its various keyword arguments were deleted. The macro expansion of in-package is defined to have effect at compile, load, and eval times, but no longer creates a package if it does not exist, nor modifies any existing package. These functionalities are subsumed by the new defpackage macro, along with that of the several other package-manipulating functions. The package name argument to in-package is no longer evaluated. Execution of an in-package form referencing an unknown package or containing optional arguments signals a continuable error.
The variable *cltl1-in-package-compatibility-p*
makes
in-package work as it did in CLtL-1 Common Lisp. Users porting
code from Allegro CL for Windows 3.0.x (which used CLtL-1 semantics in
this regard) may find this variable useful. We do recommend modifying
the code in the long run, however.
By compile-time-too behavior, we refer to the effect of certain top-level forms in a file being compiled. In CLtL-1, top-level forms which were calling the functions listed below were treated as if they were wrapped in an
(eval-when (compile))
form. That behavior has been changed in the new standard and you must wrap such forms in appropriate eval-when forms if they are to have effect while a file is being compiled. The affected functions are:
proclaim make-package shadow shadowing-import import export unexport use-package unuse-package require
The variable *cltl1-compile-file-toplevel-compatibility-p*
can be used to get CLtL-1 compile-time-too behavior when compiling
files. Users porting code from Allegro CL for Windows 3.0.x (which
used CLtL-1 semantics in this regard) may find this variable
useful. We do recommend modifying the code in the long run,
however.
X3J13 tightened the definition of the function data type, primarily
so generic functions could discriminate on functional arguments. It
was necessary that the type represented by the function datatype and
functionp predicate be disjoint from all other datatypes. Therefore,
in Allegro CL since version 4.2 the only objects that are type
function are those returned by the function special form, or by the
compile function given a first argument of nil
, or by coerce of a lambda expression to type
function, or functions loaded from a compiled file. X3J13 specifies
that the funcall and apply functions will continue to accept a
symbol for the first argument, but a symbol is no longer
functionp, nor are lists beginning with
lambda
, sometimes called lambda expressions. For
backward compatibility the funcall and apply functions
in Allegro CL will still accept a lambda expression, as is permitted
by X3J13, but as required by X3J13 lambda expressions no longer
satisfy functionp nor (typep function)
.
Previous versions of Allegro CL have used Portable Common Loops (PCL) as a substitute for the Common Lisp Object System (CLOS) which was adopted by X3J13 as a standard part of Common Lisp. The last several versions of PCL worked in most ways the same as CLOS and provided most of the required features. (Some unavoidable divergences of PCL from CLOS derived from the dependence of CLOS on certain other incompatible language changes.)
Since CLOS replaces PCL completely, there has been no attempt to port any version of PCL to Allegro CL since prior to release 4.3. Doing such a port would be difficult, and would not benefit from the significant speed advantages of the native CLOS implementation in Allegro CL. User code that depends on various details of PCL (especially internals) may have temporary difficulties, but in any case such code will someday need to be brought into conformance with CLOS. In addition to full conformance with CLOS, of course, the other advantage of the native CLOS implementation is its greatly enhanced runtime performance.
CLOS is documented in chapter 28 of CLtL-2. MOP is documented in the book The Art of MetaObject Protocol.
It is possible to trace, disassemble, and compile CLOS methods by name. Here is an example of tracing.
USER(14): (defmethod my-function ((x integer)) (cons x :integer)) #<clos:standard-method my-function ...> USER(15): (my-function 1) (1 . :integer) USER(16): (trace ((method my-function (integer)))) ((method my-function (integer))) USER(17): (my-function 1) 0: ((method my-function (integer)) 1) 0: returned (1 . :integer) (1 . :integer) USER(18): (untrace (method my-function (integer))) ((method my-function (integer))) USER(19): (my-function 1) (1 . :integer) USER(20):
Here is how to trace setf,
:before
, and :after
methods (the
names and argument types will likely be different in your case, of
course):
(trace ((method (setf slot-1) (t baz)))) (trace ((method foo :before (integer)))) (trace ((method foo :after (integer))))
The extra set of parentheses is required to avoid confusion with specifying trace options (they are specified with a list whose car is the function to be traced and whose cdr is a possibly empty list of options). Note that the extra set of parentheses is not used with untrace:
(untrace (method (setf slot-1) (t baz))) (untrace (method foo :before (integer))) (untrace (method foo :after (integer)))
A generic function itself can be traced exactly like any other function.
We list known non-conformances with CLOS and MOP. The basic format is to list the object that is unimplemented or only partially implemented with a brief description of the non-conformance. Unqualified symbols are part of CLOS and are exported from the common-lisp package. Symbols qualified with clos: are part of MOP (they are exported from the clos package).
[Generic function] clos:class-prototype
Implemented for clos::std-class only. clos::std-class (which is not part of the CLOS standard) is a superclass of funcallable-standard-class and standard-class but is not a superclass of forward-referenced-class, structure-class, and built-in-class. Therefore, methods are defined on the first two classes but not the next three. (This is not actually a non-conformance.)
[Special form] generic-flet
Removed from spec by X3J13 and not implemented.
[Macro]
generic-function
Removed from spec by X3J13 and not implemented.
[Special form] generic-labels
Removed from spec by X3J13 and not implemented.
[Generic function]
clos:make-method-lambda
Not implemented.
[Special form] with-added-methods
Removed from spec by X3J13 and not implemented.
Calls to make-instance where the class-name is a quoted constant and each of the keywords is a constant are transformed by the compiler into calls to constructor functions. A constructor function is a piece of code that is equivalent to the make-instance call except that it is significantly (10 to 100 times) faster.
The optimization is automatic when the call to make-instance is formed in a particular way. In order for an optimized constructor function to be used certain restrictions apply:
Generic function |
Condition for optimization |
make-instance | Only system supplied methods are applicable |
initialize-instance | Only system supplied standard method and user-supplied :after
methods are applicable |
shared-initialize | Only system supplied standard method and user-supplied :after
methods are applicable |
The calls to make-instance are replaced by calls to the constructor regardless of whether an optimized constructor can be used. The first time the constructor function is called, the restrictions are tested and if they do not apply, an optimized constructor is generated. When the restrictions are not obeyed the constructor calls make-instance. Redefining a class or one of its superclasses or adding/removing a method to one of the generic functions mentioned above causes the constructor function to be recomputed.
Object-oriented programming and specifically CLOS (the Common Lisp Object System) provide a powerful programming tool but it comes at a cost: the more complex the hierarchy of classes and the provision of methods, the longer it takes for the system to determine exactly what should be done in a specific method call. When a method is called, the class of every required argument must be determined and all methods associated with the class pattern of the arguments must be found.
If this was done from scratch for each method call, CLOS would run too slowly to be useful. Of course, that is not what is done. Effective method (EM) determination is done so that previously calculated methods are used when appropriate. See Appendix A Appendix: Effective-method selection in Allegro CL CLOS and Associated Optimizations for a detailed discussion of effective method determination.
The more information that the compiler has on effective methods when emitting compiled code, the faster that code will be. Note that changes in classes can change the effective methods and so all relevant compiled code (or, to be safe, all compiled code) must be recompiled when such changes are made.
In the next two subsections, we describe two particularly effective optimizations: (1) fixed index slots (see Section 9.1 Optimizing slot-value calls with fixed indices) and (2) defclass embellisher classes (see Section 9.2 Metaclasses for embellishing class definitions).
As described in Section 9.1 Optimizing slot-value calls with fixed indices, slot values for an instance of a class are stored in a vector. If the compiler knows what index in that vector holds a particular slot value, then getting the slot value is reduced to a simple vector access. Recent enhancements to Allegro CL (added by a patch released in July, 2019) allow programmers to specify the slot vector index for a slot.
Because class definitions are actually processed at run time rather than at compile time, it is complicated to add code to be executed when a class is actually created. Recent enhancements to Allegro CL (added by a patch released in July, 2019) allow programmers to specify an embellisher metaclass to a class definition and this metaclass will cause extra code to be executed when the class is created. This process is described in Section 9.2 Metaclasses for embellishing class definitions. An embellisher metaclass for specifying fixed indices for class slots is provided and described, and tools for adding additional embellisher metaclasses are described.
The slot values of a class instance are stored in a vector associated
with the instance. When asked for (slot-value instance
slot-name)
, the system, at its least optimized, finds from
the class definition the index in the vector used
by slot-name
and then accesses the value. Finding
that index is what takes the time in the slot-value access. Once the
index is known, the value comes from a simple vector access.
If one knew the index, slot-value would thus be very fast. The problem is that the index can change if classes are redefined, as other slots may be added and they must go somewhere in the value vector.
Allegro CL does permit specifying the index for a slot value. The class option
excl:fixed-index
when specified with an integer
value in a defclass
definition will ensure that a slot will always be at that location in
the slot values vector for instances of the class. The system will
then be able to access the value without having to first determine
its location in the slot values vector.
There are a couple of problems with specifying fixed indices. One is that some indices may end up not being used. See the first example below. This is a problem only because it wastes space: every instance will have an unused vector element. The second problem is that indices may already be used by superclasses, as in the second example. This is clearly more serious and is detected only when an instance is created, not when the classes are defined. Let us look at some examples:
;; EXAMPLE 1: (defclass foo () ((a :initarg :a fixed-index 2 :accessor foo-a) (b :initarg :b fixed-index 3 :accessor foo-b) (c :initarg :c :accessor foo-c))) (defvar *foo-inst* (make-instance 'foo :a 1 :b 2 :c 3)) ;; *VEC* is the slot values vector for *FOO-INST*. ;; The value of the 'A slot is index 2. (defvar *vec* (excl:std-instance-slots *foo-inst*)) ;; The slot value vector of *foo-inst* has four elements for three ;; values: ;; 0 - value if slot c ;; 1 - unused ;; 2 - value of slot a ;; 3 - value of slot b ;; Let's time some accesses. We define test functions in a file: ;; file sv.cl (in-package :user) (defun p1 () (dotimes (i 10000000) (foo-a *foo-inst*))) (defun p2 () (dotimes (i 10000000) (slot-value *foo-inst* 'a))) (defun p3 () (dotimes (i 10000000) (svref *vec* 2))) ;; sv.cl end ;; We compile with speed 3: Compiler optimize setting is (declaim (optimize (safety 1) (space 1) (speed 3) (debug 0) (compilation-speed 0))) cl-user(39): :cl sv.cl ;;; Compiling file sv.cl ;;; Writing fasl file sv.fasl ;;; Fasl write complete ; Fast loading sv.fasl ;; And we run timings: cl-user(41): (time (p1)) ;; USING THE FOO-A ACCESSOR: ; cpu time (non-gc) 0.127957 sec user, 0.000000 sec system ; cpu time (gc) 0.000000 sec user, 0.000000 sec system ; cpu time (total) 0.127957 sec user, 0.000000 sec system ; real time 0.127954 sec (100.0%) ; space allocation: ; 0 cons cells, 0 other bytes, 0 static bytes ; Page Faults: major: 0 (gc: 0), minor: 88 (gc: 0) nil cl-user(42): (time (p2)) ;; USING SLOT-VALUE: ; cpu time (non-gc) 0.274489 sec user, 0.000000 sec system ; cpu time (gc) 0.000000 sec user, 0.000000 sec system ; cpu time (total) 0.274489 sec user, 0.000000 sec system ; real time 0.274485 sec (100.0%) ; space allocation: ; 0 cons cells, 0 other bytes, 0 static bytes ; Page Faults: major: 0 (gc: 0), minor: 0 (gc: 0) nil cl-user(43): (time (p3)) ;; USING SVREF ON THE SLOT VALUE VECTOR: ; cpu time (non-gc) 0.005561 sec user, 0.000994 sec system ; cpu time (gc) 0.000000 sec user, 0.000000 sec system ; cpu time (total) 0.005561 sec user, 0.000994 sec system ; real time 0.006555 sec (100.0%) ; space allocation: ; 0 cons cells, 0 other bytes, 0 static bytes ; Page Faults: major: 0 (gc: 0), minor: 0 (gc: 0) ;; So accessing using the value vector is about 20 times faster ;; that using the FOO-A accessor and 40+ times faster than using ;; SLOT-VALUE. (While there will always be speedups, you may see ;; different values depending on other factors.) ;; EXAMPLE 2: using the same fixed index twice: ;; As above, we define the class FOO with two slots having fixed indices: (defclass foo () ((a :initarg :a fixed-index 2 :accessor foo-a) (b :initarg :b fixed-index 3 :accessor foo-b) (c :initarg :c :accessor foo-c))) ;; And we define a subclass of FOO which also uses fixed-index 2: (defclass bar (foo) ((x :initarg :x fixed-index 2 :accessor bar-z) )) ;; No error is signaled when class BAR is defined. However, ;; when we try to create an instance of BAR: cl-user(24): (setq *bi* (make-instance 'bar :x 5)) Error: one or more pairs of fixed slots conflict: ((#<aclmop:standard-effective-slot-definition a @ #x10001299a22> . 2) (#<aclmop:standard-effective-slot-definition x @ #x10001299bd2> . 2) (#<aclmop:standard-effective-slot-definition b @ #x10001299ab2> . 3)) [condition type: program-error]
Here are some of utility operators associated with the fixed-index feature:
(svref vec index)
.
A complete listing of utility function is in Appendix A.4 Appendix: Operators associated with effective methods.
Here is how defclass has been modified to allow for specification of fixed indices for class slots:
Arguments: name superclasses (slot-specifiers [excl:fixed-index non-negative-fixnum]) class-options
defclass is a standard Common
Lisp defining macro (follow the link for the ANS definition). Allegro
CL has added a slot option excl:fixed-index
to
slot-specifiers. When specified with a non-negative fixnum as a value,
then the slot value of an instance of the defined class will be at
that index of the slot-value vector.
All class instances have a vector
of slot values. Unless the slot is specified to be fixed index slot,
changes to the associated class hierarchy can change the index
associated with a particular slot. But if the slot is
specified excl:fixed-index n
, its value will be
at (svref slot-value-vector n)
regardless of
changes to classes in the class hierarchy.
No checking is done at class definition time to ensure that the specified index is actually available (that is that a superclass has not already reserved the specified index for a different slot). If that does happen, and error will be signaled when an instance of the class is created.
Specifying a fixed index location for slots is a useful tool which can
provide for significant speedups when executing many slot-value
accesses. However, for any complex class hierarchy, the programmer is
burdened with a good deal of bookkeeping, keeping track of which
indices are available and which have been used. Further it would be useful
if calls to a slot accessor could be automatically transformed to
(svref slot-value-vector index)
for fixed-index
slots. In the next
section, Section 9.2 Metaclasses for embellishing class definitions, we
describe defclass embellishers which will do precisely what is
desired: assign a fixed index to every slot and define compiler macros
for accessor functions. Also described are tools for writing additional
class embellishers.
See Section 9.2 Metaclasses for embellishing class definitions for a complete
description of class embellishers. In this brief note, we describe the
use of the excl:fixed-index-class
metaclass. When
specified in a defclass form, it adds code to be executed when
the class is created that adds fixed indices to slots and defines
compiler macros for accessors. Here is an example:
(defclass foo () ((a :initarg :a :accessor foo-a) (b :initarg :b :accessor foo-b) (c :initarg :c :accessor foo-c)) (:metaclass excl:fixed-index-class)) ;; If we macroexpand that form, we get: cl-user(56): (pprint (macroexpand '(defclass foo () ((a :initarg :a :accessor foo-a) (b :initarg :b :accessor foo-b) (c :initarg :c :accessor foo-c)) (:metaclass excl:fixed-index-class)))) (progn nil (eval-when (compile) (excl::check-lock-definitions-compile-time 'foo :type 'defclass (find-class 'foo nil))) (record-source-file 'foo :type :type) (excl::ensure-class-1 'foo :direct-superclasses 'nil :direct-slots (list (list ':name 'a ':initargs '(:a) ':readers '(foo-a) ':writers '((setf foo-a)) 'fixed-index '0) (list ':name 'b ':initargs '(:b) ':readers '(foo-b) ':writers '((setf foo-b)) 'fixed-index '1) (list ':name 'c ':initargs '(:c) ':readers '(foo-c) ':writers '((setf foo-c)) 'fixed-index '2)) :metaclass 'fixed-index-class) (define-compiler-macro foo-a (excl::instance) (excl::bq-list `slot-value-using-class-name (excl::bq-list `quote 'foo) excl::instance (excl::bq-list `quote 'a))) (define-compiler-macro foo-b (excl::instance) (excl::bq-list `slot-value-using-class-name (excl::bq-list `quote 'foo) excl::instance (excl::bq-list `quote 'b))) (define-compiler-macro foo-c (excl::instance) (excl::bq-list `slot-value-using-class-name (excl::bq-list `quote 'foo) excl::instance (excl::bq-list `quote 'c))) (find-class 'foo)) cl-user(57):
As can be seen, each slot has been defined with a fixed index, and each accessor has an associated compiler macro which transforms it to a call to slot-value-using-class-name. (Interpreting compiler macros is not easy, but that is what these are doing.)
See Section 9.2 Metaclasses for embellishing class definitions,
the excl:fixed-index-class
, and
excl:fixed-index-filling-class
documentation
for more information on this embellisher class.
The defclass macro expands to a set of forms enclosed in a progn form. These forms define the class at any of the eval-when times (compile-time, load-time, or eval-time). The basic forms tend to include the definition for the class, slot definitions, and other embellishments like package-lock checking and source-file recording forms.
A typical defclass form will expand like this (we use the excl:fixed-index slot option described in Section 9.1 Optimizing slot-value calls with fixed indices above):
cl-user(3): (pprint (macroexpand '(defclass foo () ((a :initarg :a :reader foo-a excl:fixed-index 1))))) (progn nil (eval-when (compile) (excl::check-lock-definitions-compile-time 'foo :type 'defclass (find-class 'foo nil))) (record-source-file 'foo :type :type) (excl::ensure-class-1 'foo :direct-superclasses 'nil :direct-slots (list (list ':name 'a ':initargs '(:a) ':readers '(foo-a) 'fixed-index '1)))) cl-user(4):
Included is a call to excl::ensure-class-1, an internal function which, among other things, calls mop:ensure-class.
The actions taken to define a class happen at run-time, when ensure-class is actually called (and not at macroexpand time). So there is no easy way to embellish the defclass macroexpansion with extra forms that might give the compiler clues as to how to build the class and its instances quickly and with efficient operation. In particular, such extra forms might depend on class and slot characteristics that won't be known until ensure-class has done its work.
Here are a couple of examples of what might be desired:
type
option, but it doesn't
tie to the accessors in the defclass definition, and so is not
automatic. It would be nice if a series of (declaim (ftype
(function () <type>))...)
forms were automatically
added for compilation after the call to excl::ensure-class-1,
so that compilation of accessors would automatically get the type
information inferred from the :type
options in
the defclass form.
A final wish on such a mechanism is that it be terse, only requiring a one (or few) line change to get all of this extra information to the compiler.
WARNING: Because changes to macroexpansions affect how the compiler compiles the expanded forms (if the compiler is involved), there is a danger of binding types, indexes, and offsets earlier than is usually the case in CLOS/MOP mechanisms. This could lead to unexpected and incorrect operations if changes are made to classes, methods, or their relationships with each other after compilation of code representing such accesses. The embellishment mechanism described below is intended only to be used when no new uses will be added in later. Failure to heed this warning may result in otherwise-correct code resulting in incorrect behavior.
A mechanism for automatically embellishing the form which defclass expands to is available in Allegro CL. It is called a defclass-expansion-embellisher or just a defclass-embellisher.
It consists of a hierarchy of metaclasses which originate from the
defclass-embellisher-class
, and these can be
combined and used as the :metaclass
option in
a defclass form and which, when
used, will cause one or more of the above desired embellishments to be
added to the macroexpanded defclass form.
So given a defclass form like this:
(defclass foo () ((a :initarg :a :accessor foo-a) (b :initarg :b :accessor foo-b) (c :initarg :c :accessor foo-c)) (:metaclass <embellisher-class>))
the intention is to cause the macroexpanded form to look like this:
(progn <package lock checks> <source-file-recording> (excl::ensure-class-1 ...) <extra embellishments> class)
What the embellishments are will be determined by what class is used as the metaclass. This documentation describes three such metaclasses, one of which will be provided, and the other two are documented but require programming on the part of the user.
The provided metaclasses are excl:fixed-index-class
and excl:fixed-index-filling-class
, which are
class metabjects that automatically embellishes the expanded form in
two ways:
excl:fixed-index
specifications.
So for example, a class defined this way:
(defclass foo () ((a :initarg :a :accessor foo-a) (b :initarg :b :accessor foo-b) (c :initarg :c :accessor foo-c)) (:metaclass excl:fixed-index-class))
will in fact behave as if it had looked like this
(progn (defclass foo () ((a :initarg :a excl:fixed-index 0 :accessor foo-a) (b :initarg :b excl:fixed-index 1 :accessor foo-b) (c :initarg :c excl:fixed-index 2 :accessor foo-c))) (define-compiler-macro foo-a (x) `(excl:slot-value-using-class-name 'foo ,x 'a)) (define-compiler-macro (setf foo-a) (v x) `(setf (excl:slot-value-using-class-name 'foo ,x 'a) ,v) ;; and additional compiler macro forms deleted here to save space ...)
The compiler macros defined for slot accessors when the
fixed-index-class
or
fixed-index-filling-class
metaclasses are specified cause, under the right compiler settings,
forms like (foo-a <foo-inst>)
to be
transformed to (svref slot-vector
slot-fixed-index)
. This can very significantly
speed up slot accesses but part of the speedup results from discarding
the usual method processes: if the compiler macro kicks in,
:around, :before, and :after methods on the slot accessors are
ignored. See the descriptions of
fixed-index-class
and
fixed-index-filling-class
for examples and further discussion (including a way to get full generic
function semantics combined with much of the speed improvement).
Here are two additional classes which are not defined in Allegro CL but for which code is provided which can be adapted if desired by the user:
(declaim (ftype (function () <slot-type>)
...))
forms after the call to
excl::defclass-1.
Example implementation:
(defclass typed-slot-class (defclass-embellisher-class) ()) (defmethod mop:ensure-class-using-class ((class typed-slot-class) name &rest args &key environment given-env-only &allow-other-keys) ;; this is very similar to the one for excl::clos-class (declare (ignore name)) (multiple-value-bind (meta initargs) (excl::ensure-class-values class args environment given-env-only) (if* (not (eq (class-of class) meta)) then (error "can't change the metaclass of ~s" class)) (apply #'reinitialize-instance class initargs) class)) (defclass typed-slot-direct-slot-definition (mop:standard-direct-slot-definition) ()) (defclass typed-slot-effective-slot-definition (mop:standard-effective-slot-definition) ()) (defmethod mop:direct-slot-definition-class ((class typed-slot-class) &rest initargs) (declare (ignore initargs)) (load-time-value (find-class 'typed-slot-direct-slot-definition))) (defmethod mop:effective-slot-definition-class ((class typed-slot-class) &rest initargs) (declare (ignore initargs)) (load-time-value (find-class 'typed-slot-effective-slot-definition))) (defmethod normalize-direct-slots ((metaclass typed-slot-class) direct-supers name direct-slots) (let ((dslots (do-typed-direct-slots direct-supers name direct-slots))) (call-next-method metaclass direct-supers name dslots))) (defun do-typed-direct-slots (direct-supers name direct-slots) (declare (ignore name direct-supers)) (let (accessors slot-type) (loop for dslot in direct-slots as new-slot = (copy-list dslot) do (setq slot-type nil accessors nil) (loop for pair on (cdr dslot) by #'cddr as key = (car pair) as value = (cadr pair) do (if* (eq key :type) then (setq slot-type value) elseif (or (eq key :reader) (eq key :accessor)) then (push value accessors))) (when (and slot-type accessors) (push-defclass-extra-form `(declaim (ftype (function () ,slot-type) ,@accessors)))) collect new-slot))) (mop:finalize-inheritance (find-class 'typed-slot-class)) #| ;; Here is a transcript of code using the defined embellisher class: cl-user(66): (defclass bar () ((a :initarg :a :reader bar-a :type fixnum) (b :initarg :b :reader bar-b :type list) (c :initarg :c :reader bar-c :type symbol)) (:metaclass typed-slot-class)) cl-user(67): (make-instance 'bar :a 10 :b (list 10 20) :c 'hi) cl-user(68): (describe 'bar-a) bar-a is a new symbol. It is unbound. It is internal in the common-lisp-user package. Its function binding is #<standard-generic-function bar-a> which function takes arguments (bar) Its property list has these indicator/value pairs: system::.ftype. (function nil (integer -1152921504606846976 1152921504606846975)) Its source-file location is: top-level cl-user(69): (describe 'bar-b) bar-b is a new symbol. It is unbound. It is internal in the common-lisp-user package. Its function binding is #<standard-generic-function bar-b> which function takes arguments (bar) Its property list has these indicator/value pairs: system::.ftype. (function nil list) Its source-file location is: top-level cl-user(70): (describe 'bar-c) bar-c is a new symbol. It is unbound. It is internal in the common-lisp-user package. Its function binding is #<standard-generic-function bar-c> which function takes arguments (bar) Its property list has these indicator/value pairs: system::.ftype. (function nil symbol) Its source-file location is: top-level cl-user(71): ;; Each of the reader gfs is described with an ftype peoperty ;; that is consistent with the type option in the class definition. |# (defclass combo-class (fixed-index-class typed-slot-class) ()) (mop:finalize-inheritance (find-class 'combo-class)) #| ;; Run this code to see the COMBO-CLASS effect (defclass bas () ((a :initarg :a :accessor bas-a :type fixnum) (b :initarg :b :accessor bas-b :type list) (c :initarg :c :accessor bas-c :type symbol)) (:metaclass combo-class)) (setq bas-inst (make-instance 'bas :a 10 :b (list 10 20) :c 'hi)) (compile (defun grab-bas-slots (x) (declare (optimize speed)) (list (bas-a x) (bas-b x) (bas-c x)))) (grab-bas-slots bas-inst) ;; Look at the disassembly and descriptions to see ;; that both embellisher classes have been applied. ;; (disassemble 'grab-bas-slots) (describe 'bas-a) (describe 'bas-b) (describe 'bas-c) |#
Here are the embellisher classes and associated operators:
excl:defclass-embellisher-class
excl:fixed-index-class
excl:fixed-index-filling-class
Function specs name and possibly locate functions not named or located
by symbols. Generally, a function spec is used and presented in the
same way as a symbol, although there are sometimes restrictions. Some
such functions like (setf foo)
can be located based
on the name, via (fdefinition '(setf foo))
or #'(setf foo)
, while others are intended only to
identify the function in a meaningful way, as
in (:top-level-form "bar.cl" 235)
. The extent of
the action that can be performed on a function spec depends on its
function spec handler, see def-function-spec-handler.
A function spec (fspec) is a list that denotes a place to store a
function. Function specs are useful for functions that don't otherwise
have obvious names. ANSI CL defines Function Names as either symbols
or the lists formed by (setf
[symbol])
[to denote a writer function to
pair with the reader function named by [symbol] which
may or may not itself be defined]. Allegro CL extends the Function
Name concept by defining function specs, and allows the user to create
new kinds of function specs. Some pre-defined function spec names in
Allegro CL are :discriminator
,
:effective-method
, method
,
flet
, labels
,
:internal
, :top-level-form
,
etc.
Function specs are normally kept in an internal form, which allows many of the cons cells in various fspecs to be shared. They are converted to the normal external format usually only when printing, or at other times when parsing the internal form is too complex. Handlers of fspecs must be aware of these internal formats and may use the following functions to access their components: fspec-first, fspec-second, fspec-third.
Each of these functions will work on either an internal or external fspec, and will for an external fspec return the first, second, or third element, respectively (i.e. just like first, second, and third). If the fspec is in internal form, the proper corresponding element is still returned, but without the overhead of first converting to an external fspec.
Users can define their own function specs with def-function-spec-handler. The function function-name-p returns true when passed a valid function spec defined with def-function-spec-handler. fboundp can be used to determine whether a valid function spec defined with def-function-spec-handler actually names an operator.
The following function specs are supported in Allegro CL. Note that some might only be recognized as function-specs when their appropriate modules are loaded. In all descriptions, the Available line describes when the function-spec is valid. The Elements line names the fspec-first element of the fspec, as well as fspec-second and, if applicable, fspec-third and elements beyond three.
Available: When compiler is present
Elements: (:anonymous-lambda index)
Names a compiled function that has not been given any other name. The index is an integer that is incremented for every new anonymous function created. This function-spec is not intended for defining or manipulation; it is recognized as a function name, but if for example the evaluation of
(compile nil (lambda (x) (1- x)))
returns#<Function (:ANONYMOUS-LAMBDA 2) @ #x406eae5a>
then(fdefinition '(:ANONYMOUS-LAMBDA 2))
will still result in an undefined function error. These names are not stored and not retrievable. They are also not recommended - instead, when compiling an anonymous lambda, it is easier to work with when given a name:CL-USER(10): (compile 'foobar (lambda (x) (1- x))) FOOBAR NIL NIL CL-USER(11): #'foobar #<Function FOOBAR> CL-USER(12):
Available: always
Elements: (:discriminator type)
Names any of the various discriminator functions, which memoize and select effective methods for particular calls. The type is a list whose car is the name of the kind of discriminator, and whose rest will have other parameterizations based on the discriminator kind. The various kinds of discriminators are listed below with their parameterizations and a short description. The parameterizations themselves are:
- class-slot-p: when true, the specializer is a class slot, otherwise, an instance slot
- metatypes: a list of items which correspond to arguments in the call; if the metatype is T then no discrimination is done; if the metatype is CLASS then the argument is specialized on that corresponding class.
- applyp: true if the generic function takes &rest args, otherwise nil.
Here are the actual discriminators:
(:one-index-reader class-slot-p) (:one-index-writer class-slot-p)For slot accessors, if the index is the same for every call (even though the specialized classes might be different) then the index, which is remembered by the discriminator, can simply be used to grab the slot value out of the instance based on the single index encountered. If the discriminator ever encounters a specialization whose slot is at a different index, the discriminator is replaced with the checking version.
(:few-class-reader class-slot-p) (:few-class-writer class-slot-p)If this discriminator's slot accessor has only ever been called with only one or two classes, both are noted and the appropriate one is used. If the call uses a third class, the discriminator is replaced with the n-n version.
(:n-n-reader) (:n-n-writer)For this discriminator's slot accessor, the specializer class and its index are stored in pairs into a cache, and looked up in subsequent calls.
(:checking metatypes applyp)This discrimator's specializers can be numerous, as long as they all result in the same method being called. That method is stored once, and all sets of specializers, one set per unique call, and if the specialiers match, the stored method is used. If a differnt method is required, the discriminator is replaced with the equivalent caching version.
(:caching metatypes applyp)This discriminator's specializers determine what method is to be called; if the set matches a set stored into the cache, the method becomes immediately available. If the specializers haven't been seen yet, the method is calculated and stored into the cache beore being called.
Available: always
Elements: (:effective-method num-req restp kwdcheck aroundp next-method-p)
Names a simple effective method function object, which is a closure over the applicable methods for a particular call to a generic function.
- num-req - the number of required arguments to the effective method
- restp - whether there is a &rest arg after the required args
- kwdcheck - whether the method will check for valid keywords
- aroundp - whether the effective method has around methods
- next-method-p - whether any of the methods in the effective method do either (next-method-p) or (call-next-method)
Note that kwdcheck implies restp, and aroundp implies next-method-p so the valid combinations are
restp kwdcheck aroundp next-method-p ----- -------- ------- ------------- nil nil nil nil nil nil nil t nil nil t t t nil nil nil t nil nil t t nil t t t t nil nil t t nil t t t t t
Available: always
Elements: (:internal outer-name index)
Provides a way of numbering compiled internal functions which serve the functions they are lodged within. The index is numbered in the order these functions are encountered within the compiler, so there is a loose top-to-bottom organization (e.g. #'(internal foo 0) is likely to textually preceed #'(:internal foo 1), etc). The outer-name is the name of the function which houses the internal function. It can itself be any fspec, including an :internal fspec, so :interal fspecs can be nested. :internal fspecs can't be used in defun, but can be found by fdefinition, as long as the outer-name can also be found by fdefinition.
Available: always
Elements: (:property symbol indicator)
Creates a convenient way to define functions which reside on property lists. The function object becomes the value of the indicator property on the symbol's plist. Example: typing
(defun (:property foo bar) (x) (list x))at the toplevel will result in the symbol 'foo having a 'bar property which is a function (and that functions name is '(:property foo bar)).
Available: always
Elements: (:top-level-form filename file-character-position)
Provides naming for random forms at the top level in a fasl file which refers back to its original source file. The file element is a string specifying the filename, and the position is the character count of the opening parenthesis of the form. The file-character-position is determined assuming the first character in the file has character position 0. See file-character-position.
Notes:
- Since progn forms are compiled as if separate forms, but they are all in fact part of the same form, there can be many function objects with the same :top-level-form fspec. Also, since a defmacro can expand into a progn form, a macro form might also result in numerous funtions with the same :top-level-form fspec, as well as other more standard fspecs such as those created by defun forms embedded in the macroexpansion.
- The position of :top-level-form fspecs must be adjusted on Windows, or in any situation where "CRLF" processing or any other ligature processing or stream encapsulation would cause the number of actual characters the lisp sees to be altered from the number of characters actually in the file. Usually, if the editor doesn't support counting the CR/LF line endings as two characters, the position in a Windows file can be "fixed" or at least mitigated by adding the current line number to the position. If that results in more lines being traversed, those lines should be added as well.
Available: When the Runtime Alalyzer is loaded (see runtime-analyzer.htm), and when a profile exists that has been created with the :interpret-closures option to with-profiling or start-profiler.
Elements: (prof:closure index)
When :interpret-closures is true during the creation of a profile, this function spec allows the user to see closure calls that otherwise are unrelated as separate hits in the profiling run. The flat-profile and the call-graph will both show closures as (prof:closure index) rather than by trying to interpret the function name of the template, which is sometimes not helpful. See Closures in runtime analysis output in runtime-analyzer.htm.
Elements: (compiler-macro function-spec)
Allows easy access to compiler macros as fspecs, rather than using the compiler-macro-function accessor. Function-spec is the same as the quoted function-spec required as an argument to compiler-macro-function.
Example:
(define-compiler-macro (setf foo) (x y) (setf x y))will define a compiler-macro for
(setf foo)
, and subsequently evaluating any of#'(compiler-macro (setf foo))
or(fdefinition '(compiler-macro (setf foo)))
or(compiler-macro-function '(setf foo))
will yield the compiler-macro-function just created.
Available: always
Elements: (flet outer-name inner-name)
Provides a way to directly name compiled internal flet functions, which are of course always lodged within other functions. The inner-name is the function-name element of the flet form, which serves lexically within the outer funcion as the identifier. The outer-name is the name of the function which houses the flet function. It can itself be any fspec. This fspec can't be used in defun, but can be used in fdefinition (as long as the flt and its outer-name function are compiled).
Available: always
Elements: (labels outer-name inner-name)
Like flet, only a labels function is described.
Available: always
Elements: (method name [qualifiers] specializers)
Allows a CLOS method to be named directly. Name is the name of the generic-function of the method. There can be multiple qualifiers which determine and are determined by the method combination type. Specializers is a list that corresponds to the names of class specializatoins for each argument in the method; if the argument is specialized, the specializer is the name of the class; if the argument is not specialized, the specializer is T. The method fspec cannot be used in defun, but can be used in fdefinition.
Available: always
Elements: (setf reader)
This is the only standard fspec. It defines the name of the setf version of the (possibly non-existent) reader function. This fspec can be used in defun or fdefinition.
The C function GetWinMainArgs2 in the Allegro CL dll (which has a name like acly7xxx.dll, where the y, if present, is a letter and the x's are digits) is used by the IDE to retrieve Windows handle information known by the ACL runtime system. This information may also be useful for applications written in Lisp. The information returned by this function should be used carefully and non-destructively as the ACL runtime system (i.e. the low-level routines in Allegro CL, unrelated to Allegro Runtime) depends on these handles to exist and behave in predictable ways.
In order to use this function you must use the foreign function interface to create a Lisp function to call the C function:
(ff:def-foreign-call (GetWinMainArgs2 "GetWinMainArgs2") ((vec (:array :int)) (count :int)) :returning :void)
Next create a vector of five raw integers for the function to fill in:
(setq myvec (make-array 5 :element-type '(unsigned-byte 32)))
Now call the function with the vector followed by the number of elements in the vector
(GetWinMainArgs2 myvec (length myvec))
The vector now contains the following information
index value 0: The Windows instance handle of the lisp process
index value 1: The previous Windows instance handle (which is always zero).
index value 2: unused
index value 3: The Windows handle of the console window (if there is one).
index value 4: The Windows handle of the splash window. Normally the splash window is gone by the time the application starts up, but the +B command-line argument to mlisp.exe can cause the splash window to stay up longer. If this value is non-zero then the application is permitted to call the Windows function DestroyWindow() on it to make the splash window disappear. If this value is zero then the splash window is already gone.
The following list describes the (mostly minor or obscure) known non-conformances of Allegro CL with the ANSI spec.
nil
when given a non-existent file as an
argument (rather than signaling an error), which is arguably a
non-conformance. See the discussion at
Section 6.14 cl:file-write-date. There is no plan
to change this behavior.
declared-fixnums-remain-fixnums-switch
, if
true, allows code to be generated by the compiler which will produce
the incorrect value when certain fixnums (those whose sum is a bignum)
are added. Allowing incorrect values from fixnum addition under any
circumstances is out of compliance with the ANSI specification. This
compiler switch may be set to nil (thus removing any non-compliance)
by evaluating (setf
comp:declared-fixnums-remain-fixnums-switch nil)
.
nil
.
*pathname-customary-case*
.
nil
signals an error, and it should not.
call-next-method
with changed
arguments does not check that the set of applicable methods has not
changed, though it should in safe (safety=3) code.
the
clause. The expansion should not literally
include the the
form, but the effect of the type
declaration may be effectuated by the compiler by some other
means. Allegro CL does not conform, and the expansion of a symbol-macrolet variable with a type
declaration includes a the
form.
nil
for purposes of type checking. In Allegro CL in
interpreted code, an error is signalled unless a the form agrees exactly with both the number and
types of the returned values. However, in compiled code, it does not
check values returned through a the form (although the type
declaration may be used for code optimization) and therefore complies.
Object-oriented programming and specifically CLOS (the Common Lisp Object System) provide a powerful programming tool but it comes at a cost: the more complex the hierarchy of classes and the provision of methods, the longer it takes for the system to determine exactly what should be done in a specific method call. When a method is called, the class of every required argument must be determined and all methods associated with the class pattern of the arguments must be found.
If this was done from scratch for each method call, CLOS would run too slowly to be useful. Of course, that is not what is done. The first subsection below, Appendix A.1 Appendix: Effective-method selection background briefly describes how the effective method (the one actually called) is determined. The second subsection, Appendix A.3 CLOS Effective-method selection: Fixed Slot Accesses, talk about a particular optimization for slot accessors available in compiled code when you know the code will not be modified without recompilation. (Modifying the code without recompilation can lead to errors or incorrect results.)
When a generic function ("gf") is invoked, the actual code which is executed (i.e. which methods and in what order) depends on the classes of all of its required arguments. Code which is calculated based on this set of aguments is called the "effective-method". An effective-method ("em") may simply be a single method (if no others are applicable), or in a standard-method-combination it may be a function which invokes optional around methods, optional before methods, a primary method, and optional after methods. The process of calculating what em to funcall in service to the gf invocation is called discrimination. A discriminator is a function which aids in the calculation of what em to use in a gf invocation.
Effective-method (EM) calculation is expensive - it takes significant time to analyze the arguments and figure out which methods are applicable (and how to combine those that are applicable). The most general em calculation is to perform this work every time the generic-function is called. This calculation is avoided whenever possible, because it is extremely slow.
The next most general style of effective-method calculation is to cache the results of previous calculations. If a set of argument classes has been seen in a previous call, and the effective-method has already been calculated, then it is possible to reuse that em and simply call it.
A discriminator is the glue that connects a gf and its
methods. A discriminator is the piece of code that checks the classes
of the generic-function call's actual arguments and selects the
correct action to take. The actions taken might be based on applicable
methods for the call (combinations of
primary, :before
, :after
, and
:around
methods) or they might be shortcuts taken
by the discriminators themselves. Thus a call to a generic-function
invokes a combination of a discriminator and zero or more methods.
From the MOP point of view, a discriminator is in fact a
funcallable-instance-function, or fin-fun, which is
installed in the generic-function as its implementation glue.
The theoretically simplest discriminator would, each time it was invoked, collect or create the set of applicable methods, select the most specific one, and call it. This would be easy to write but would be very slow (several orders of magnitude slower than a normal function call). Instead, the Lisp has generated a number of different kinds of discriminators and selects the most specific one appropriate to the call being made. In some cases the discriminator can do the work of the method (e.g in the case where the action of the method is a slot access or set).
A discriminator doesn't actually create new effective-methods, but instead uses em's which have already been created by mop:compute-effective-method. If the discriminator cannot find the correct em for the arguments, it traps out and allows mop:compute-effective-method to create a new em, which is then cached and used. During the process of calculating the em, the discriminator might be found to be inadequate for the now more-general cache of em's, and it may be swapped out for a more general discriminator.
In parts of this discussion and in the actual implementation, the class of each argument is described by the class's wrapper. The class wrapper aids in the update process - whenever a class is changed, its identity is not changed but any references to it must be invalidated. Classes are usually fairly stable, and are identifiable by address, but because classes might be invalidated for any number of reasons (e.g. change-class, updates to class hierarchies, etc.) and because the mechanism for updating classes is a lazy mechanism (waiting until a class is used rather than updating the whole system for each change), discrimination is always performed on each class's wrapper rather than on the class itself. Wrappers are somewhat temporary objects which represent the class, but which also contain extra information vital to the class. This includes a list of slot names for the class, and also a wrapper-number: a random number generated when the wrapper is created which serves as both a validation flag (0 means invalid) and also as a hash code to perform fast lookups in caches. Each wrapper points to its class, and although there may be more than one wrapper that points to a particular class, that class only points back to the currently-valid wrapper, and all others will have a 0 in their wrapper-numbers and will need to be updated when accessed. For this discussion, the term wrapper and class might be used interchangably, but when wrapper is used it means that a check is performed when the wrapper/class is accessed and an update is performed if necessary.
Because what is saved in a cache is not the class object itself but its wrapper, and the wrapper contains a quick way to determine that the class has been changed (i.e. the wrapper is "invalidated") the changing of a class can occur without having to sweep the entire Lisp heap, lazily updating references to the class when it (i.e. its wrapper) is referenced. The indicator for validity of a wrapper also serves a second purpose - when the wrapper was created and is thus initially valid, the wrapper number assigned to this wrapper is a random number which allows quick hashing of the wrapper and which allows lookups in caches to be efficient, rather than just a straight-through search like looking through a list. Note that a wrapper never goes from invalid to valid - a new wrapper is always created and stored in the class object. Thus, the class always holds the current wrapper and all others that reference the class are invalid.
The most general caching discriminator simply saves the class (wrapper) of each discriminated argument and also the calculated effective-method, all grouped together to form a single cache entry. If the same set of classes of arguments is encountered at a later time, the caching descriminator can simply perform the match and funcall the em it found in the cache. If the arguments' set of class wrappers do not match any set in the cache, then a new em is calculated and a new cache entry is stored before the new em is funcalled.
A bit more specific caching mechanism is the checking discriminator. This discriminator has captured the single method to call in a closed-over variable, and as long as the wrapper of the argument is of the specified class or a subclass of it, that method will be called. If the argument set does not match that of the method (or subclasses of the arguments) then the discriminator is replaced with the most general caching discriminator.
Other caching discriminators are described in more detail below.
The kinds of discriminating functions are:
In detail:
This is the most general discriminator, and, as such, is the slowest.
See Section 9.1 Optimizing slot-value calls with fixed indices for information on assigning fixed indices to slot value in an instance of a class. In this section, we give the full techincal background to that optimization.
A huge number of CLOS method calls are slot-value accesses [2]. A slot access may be in the form of a call to cl:slot-value, which is the most general form, or the slot can be defined with gfs to use as an accessor (either reader, writer or both).
A standard instance has two major components: a slot for its class's
wrapper, and a slot for its slots vector (also labelled "instance" by
the inspector). The slots vector holds all of the (instance)
effective-slots, but the order of those slots is only described by the
class-slots list in the class-wrapper - it is a list of names of slots
in the order in which they appear. If for example the class-slots
list consists of (name type plist)
then the
instance will have a slots vector of length 3 and
the name
value will be stored at index 0 of the
slots vector, the type
will be stored at index 1,
and the plist
will be stored at index 2, as
illustrated in Figure 1:
---------------------------------------------- instance object: | | ------------ \ wrapper | | wrapper | ----------> -------------- | +------------+ | ... | | | instance | ----- | hash/0 | | +------------+ | | slots layout | --> '(name type plist) | | internal | | | class-slots | | ------------ | | class | --- | | | ... | | | | -------------- | class | | --> -------- | | slots | ... | | ----> -------------- | wrapper | ---- | name | | ... | +--------------+ --------- | type | +--------------+ | plist | -------------- Figure 1: Example of an instance with three slots
The slot-value function is the general reader for a slot. Simplistically, it operates by accepting the instance and the slot-name as arguments, and it looks in the class-slots list of the instance's class-wrapper for the name. If it finds the name, then it notes at what index the name was seen and accesses that element in the slots vector. Slot-unbound and slot-missing protocols are not discussed here.
If a slot is defined with either :reader
or
:accessor
options, then the name associated with
that option causes a generic-function to be created (with
automatic setf functions to be created as appropriate). The
most simplistic operation of the reader gf is to
call slot-value on the instance with a constant name. But
since that name is in fact a constant and an intermediate goal of the
gf call is to get the index of the slot so that the slot vector can be
accessed, the majority of optimizations for slot-accesses are to try
to predict or control the index of each slot. Once the index is
known, the slot can be accessed trivially, without having to call
slot-value, via an svref on the slots vector using the
known index.
Caching slot indices for n-n-accessors: The most general slot-accessor is the n-n-accessor [4] which contains no assumptions about any of the slot accesses it has encountered; each cache line holds the wrapper of the instance argument and the index of the slot, which may be different for the same gf name described in two different classes - the gf will be the same, but will access the slot of the instances differently based on the index stored for each instance's class.
More specific accessors: Often, classes have their slots laid out in a pattern, which serendipitously causes all of the slots of the same name to reside at the same index in the slots vector, even perhaps in instances of unrelated classes. As long as instances are accessed with the same index, there are several more-specific discriminators which can handle these cached values:
Holding slot indexes to fixed locations: To keep the discriminator used by an accessor gf as specific as possible (and thus as fast as possible), with :one-index being the most specific (i.e. fastest) and :n-n or :caching being the most general (and thus the slowest), it is desirable to make constant the index locations for the same slot in various classes. As mentioned before, this might be done serendipitously, or pains can be taken to force the layout to include slots at the same location, but this might be hard to maintain because the odering might be brittle, especially when class mixins are added, which might change the order of slot assignments.
Instead, Allegro CL provides the excl:fixed-index
slot option for all classes
(see Section 9.1 Optimizing slot-value calls with fixed indices).
The value of the option is the zero-based index that will become the
position of the slot in the slots vector. As a simple example:
(defclass foo () ((a :initarg :a fixed-index 2 :accessor foo-a) (b :initarg :b fixed-index 3 :accessor foo-b) (c :initarg :c :accessor foo-c)))
will create a class which has two fixed-index slots and one floating slot. And
(defvar *foo-inst* (make-instance 'foo :a 1 :b 2 :c 3))
will create and save an instance into *foo-inst*
that has three accessible slots. But note that the slot
named 'a
is stored at index 2 in the slots vector
(because of the fixed-index specification) and the slot
named 'b
is stored at index 3. What about index 0
and 1? Well, there is only one slot left to fill these two slots: the
slot named 'c
[5]. So the slot
named 'c
is given the index 0 and the location at
index 1 is unassigned. Normally this can't be seen - inspecting
*foo-inst*
normally will show just the slots that
are defined. But if the :raw
option to :istep is
used and the slots vector is shown, it will eveal that there are
actually 4 slots, with values 3, nil, 1, and 2, respectively.
Conflicts in fixed-index assignments: If two classes define slots of different names but with the same fixed-index, they cannot be both used as superclasses of another class. This is because the fixed-index specification is paramount, and placing two different slots at the same index is prohibited. An attempt to do so will result in a program-error when an make-instance is called on such a class. Care should be taken to not assign fixed-index values that might conflict with each other.
Here are operators associated with effective method determination and potential optimizations.
(generic-function)
.
(generic-function &optional print)
.
(generic-function)
.
(generic-function)
.
(instance)
.
(instance)
.
(class-name object slotd-name &optional
slots-vector)
.
Consider the following source file:
;; ------------- file fixed.cl start ----------------- (defclass foo () ((a :initarg :a fixed-index 2 :accessor foo-a) (b :initarg :b fixed-index 3 :accessor foo-b) (c :initarg :c :accessor foo-c))) (defclass bar (foo) ((d :initarg :d :accessor bar-d))) (defclass bas (foo) ((e :initarg :e :accessor bas-e))) (defclass baz (foo) ((f :initarg :f fixed-index 0 :accessor baz-f))) (defclass bam (foo) ((g :initarg :g :accessor bam-g))) (defclass foo1 () ((a :initarg :a :accessor foo-a) (b :initarg :b :accessor foo-b) (c :initarg :c :accessor foo-c))) (defclass not-foo () ((a :initarg :a fixed-index 2 :accessor foo-a))) (defclass xxx (foo) ((a excl::fixed-index 2))) (defclass yyy (foo) ((x excl::fixed-index 3))) (defvar *foo-inst* (make-instance 'foo :a 1 :b 2 :c 3)) (defvar *bar-inst* (make-instance 'bar :a 10 :b 20 :c 30 :d 40)) (defvar *bas-inst* (make-instance 'bas :a 100 :b 200 :c 300 :e 500)) (defvar *baz-inst* (make-instance 'baz :a 1000 :b 2000 :c 3000 :f 6000)) (defvar *bam-inst* (make-instance 'bam :a 10000 :b 20000 :c 30000 :g 70000)) (defvar *foo1-inst* (make-instance 'foo1 :a -1 :b -2 :c -3)) (defvar *not-foo-inst* (make-instance 'not-foo :a 'oops)) ;----------------------- file fixed.cl end ------------------
In it there are a number of classes defined, mostly as subclasses of
the base class named foo
.
The foo
class defines three slots, one of
which is named
a and is accessed
by #'foo-a
. Note that most of the other classes
inherit from foo
, except
for foo1
, which does not, and which happens also to
have a slot named a
accessed
by foo-a
.
But foo
's a
slot is fixed at
index 2, and foo1
's a
slot is
not (and it is likely, without any other mixins, that this slot will
be placed at index 0 in the slots vector for a foo1
object). Also note that two extra classes are
defined, xxx
and yyy
which are
both subclasses of foo
; xxx
defines a slot named a
and accessed
by foo-a
, and which also has the fixed-index of 2
which foo
's a
slot
has. But yyy
defines a slot
named x
that has a fixed index of 3, which clashes
with foo
's b
slot which also has
a fixed-index of 3.
Finally, there are a number of instances created, for demonstration
purposes. Most of these instances are subclasses
of 'foo
, with the exception
of *foo1-inst*
which is not.
After compiling fixed.cl and loading fixed.fasl,
note that an instance can easily be made of 'xxx
,
because its index locations are compatible with its superclass:
cl-user(4): (make-instance 'xxx :a 'hi :b 'bye :c nil) #<xxx @ #x10003d24242> cl-user(5): :i * A new xxx @ #x10003d24242 = #<xxx @ #x10003d24242> 0 Class --------> #<standard-class xxx> 1 b ------------> symbol bye 2 c ------------> symbol nil 3 a ------------> symbol hi cl-user(6):
Not so with yyy
: an instance cannot be made because
of fixed-index clashes:
cl-user(6): (make-instance 'yyy) Error: one or more pairs of fixed slots conflict: ((#<aclmop:standard-effective-slot-definition a @ #x10003d2f942> . 2) (#<aclmop:standard-effective-slot-definition b @ #x10003d2f9d2> . 3) (#<aclmop:standard-effective-slot-definition x @ #x10003d2faf2> . 3)) [condition type: program-error] Restart actions (select using :continue): 0: Return to Top Level (an "abort" restart). 1: Abort entirely from this (lisp) process. [1] cl-user(7): :res cl-user(8):
Now, let's concentrate on looking at the caches of one accessor:
#'foo-a
. We'll use the gf-discriminator-cache function. Without the
optional argument, nil
is returned, but with
the print argument the fact that foo-a has
never been called is seen:
cl-user(8): (gf-discriminator-cache #'foo-a) nil cl-user(9): (gf-discriminator-cache #'foo-a t) never called cl-user(10):
So let's call foo-a:
cl-user(10): (foo-a *foo-inst*) 1 cl-user(11): (gf-discriminator-cache #'foo-a t) one-class-reader: common index: 2 first call: class foo cl-user(12): (foo-a *foo-inst*) 1 cl-user(13): (gf-discriminator-cache #'foo-a t) one-class-reader: common index: 2 first call: class foo cl-user(14): (gf-discriminator-cache #'foo-a) (#<standard-class foo>) cl-user(15):
Note some things above:
foo
, and the discriminator is yielding a value of 2
- the index of the a slot in the instance.
Next, we call foo-a on an instance of a bar
,
which is a subclass of foo
:
cl-user(15): (foo-a *bar-inst*) 10 cl-user(16): (gf-discriminator-cache #'foo-a t) two-class-reader: common index: 2 first call: class foo second call: class bar cl-user(17): (gf-discriminator-cache #'foo-a) (#<standard-class foo> #<standard-class bar>) cl-user(18): (gf-discriminator-value #'foo-a) 2 cl-user(19):
Note that the call with a bar
has now caused a new
discriminator to be stored into the generic-function. If foo-a
were only called with foo
instances and bar
instances, the discriminator would remain as a two-class-reader.
The reference to the common index makes sense now, since accesses using two classes have resulted in slot accesses using the same index. Note however, that calling gf-discriminator-cache is returning a representation of the cache that does not include the value - instead the discriminator's value (i.e. that common index) can be seen using the gf-discriminator-value function.
If we add another class to the mix (this one is yet another subclass
of foo
) we see the progression to a
three-class-reader:
cl-user(19): (foo-a *bas-inst*) 100 cl-user(20): (gf-discriminator-cache #'foo-a t) three-class-reader: common index: 2 first call: class foo second call: class bar third call: class bas cl-user(21):
and if we call with an instance of a class that is not a subclass of
foo
, but which has a slot accessed via foo-a
at index 2, we see the same progression to four-class-reader (the
class of the argument need not be of the foo
hierarchy - the index being the same is what keeps it on track for
one-value reader discriminators being installed):
cl-user(21): (foo-a *not-foo-inst*) oops cl-user(22): (gf-discriminator-cache #'foo-a t) four-class-reader: common index: 2 first call: class foo second call: class bar third call: class bas fourth call: class not-foo cl-user(23):
What then happens if we call with a fifth class? Up to this point, the "cache" has really been just a closed-over set of variables that hold up to 4 wrappers for comparison. But after 4, it is inefficient to keep a linear series of classes to test, so we move to a cache-based discriminator:
cl-user(23): (foo-a *baz-inst*) 1000 cl-user(24): (gf-discriminator-cache #'foo-a t) one-index-reader: 1 discriminated argument empty cache cl-user(25):
Note that the one-index-reader has an empty cache. It is unclear whether declining to bring over entries from prior discriminators is helpful or harmful - on one hand the wrappers are already available and have already been vetted for use. On the other hand, it is not clear how many times, a particular class will be used in a generic-function call, so starting with an empty cache will tend to act as a sort of garbage-collector for older once-called accesses. It is also fairly trivial to repopulate the cache with one more call with each of the classes:
cl-user(25): (foo-a *foo-inst*) 1 cl-user(26): (foo-a *bar-inst*) 10 cl-user(27): (foo-a *bas-inst*) 100 cl-user(28): (foo-a *not-foo-inst*) oops cl-user(29): (foo-a *baz-inst*) 1000 cl-user(30): (gf-discriminator-cache #'foo-a t) one-index-reader: 1 discriminated argument common index: 2 ix class 1 bar 3 bas 6 foo 9 not-foo 15 baz cl-user(31):
Note that the cache is now printed differently than before. It still mentions the discriminator type, which is now one-index-reader, and it also shows the common index, but it also presents the classes of the arguments in order of their appearence in the cache, and it also notes the index within the cache where the cache line has been stored. This index is important because it is no longer ordinal like the N-class-readers, but the value is hashed from the wrapper-number, which allows the desired cache line to be found with few probes into the cache.
But what happens when the "common" index is broken up by a different index? The next access, using *foo1-inst*, shows the story:
cl-user(31): (foo-a *foo1-inst*) -1 cl-user(32): (gf-discriminator-cache #'foo-a t) n-n-reader: 1 discriminated argument empty cache cl-user(33): (foo-a *foo-inst*) 1 cl-user(34): (foo-a *bar-inst*) 10 cl-user(35): (foo-a *bas-inst*) 100 cl-user(36): (foo-a *not-foo-inst*) oops cl-user(37): (foo-a *baz-inst*) 1000 cl-user(38): (foo-a *foo1-inst*) -1 cl-user(39): (gf-discriminator-cache #'foo-a t) n-n-reader: 1 discriminated argument ix class index 2 bar 2 8 not-foo 2 10 foo1 0 18 bas 2 22 foo 2 30 baz 2 cl-user(40):
Note here that there is no longer a common index - instead the index is part of the cache line. In this case, most of the calls have resulted in the same index, but because the foo1 class places its a slot into a different location, it has a different index.
Finally, what happens when a method on a generic-function is not even a slot accessor? Here's what happens when we define a random method on foo-a:
cl-user(40): (defmethod foo-a ((x list)) x) #<standard-method foo-a (list)> cl-user(41): (foo-a '(help)) (help) cl-user(42): (gf-discriminator-cache #'foo-a t) caching: 1 discriminated argument empty cache cl-user(43): (foo-a *foo-inst*) 1 cl-user(44): (foo-a *bar-inst*) 10 cl-user(45): (foo-a *bas-inst*) 100 cl-user(46): (foo-a *baz-inst*) 1000 cl-user(47): (foo-a *not-foo-inst*) oops cl-user(48): (gf-discriminator-cache #'foo-a t) caching: 1 discriminated argument ix class effective-method 2 bar #<Closure (:internal excl::add-reader-method 0) @ #x10003d83b52> 8 not-foo #<Closure (:internal excl::add-reader-method 0) @ #x10003d844b2> 18 bas #<Closure (:internal excl::add-reader-method 0) @ #x10003d83e72> 22 foo #<Closure (:internal excl::add-reader-method 0) @ #x10003d83832> 30 baz #<Closure (:internal excl::add-reader-method 0) @ #x10003d84192> cl-user(49):
Note now that the discriminator has changed to a caching discriminator, and the values of the discriminators are no longer index locations to access in the slots-vector, but are instead effective-methods which actually do the work of looking up the slots. The caching discriminator is the most general one, and is thus the slowest, and should be avoided if possible.
Consider a hierarchy of classes on which we define methods that do no slot accesses at all:
cl-user(1): (defclass xyz () ()) #<standard-class xyz> cl-user(2): (defclass zyx () ()) #<standard-class zyx> cl-user(3): (defclass xyz1 (xyz) ()) #<standard-class xyz1> cl-user(4): (defclass zyx1 (zyx) ()) #<standard-class zyx1> cl-user(5): (defmethod do-xyz-zyx ((one xyz) (two zyx)) 'hello) #<standard-method do-xyz-zyx (xyz zyx)> cl-user(6): (do-xyz-zyx (make-instance 'xyz) (make-instance 'zyx)) hello cl-user(7): (do-xyz-zyx (make-instance 'xyz) (make-instance 'zyx)) hello cl-user(8): (do-xyz-zyx (make-instance 'xyz1) (make-instance 'zyx)) hello cl-user(9): (do-xyz-zyx (make-instance 'xyz) (make-instance 'zyx1)) hello cl-user(10): (do-xyz-zyx (make-instance 'xyz1) (make-instance 'zyx1)) hello cl-user(11): (gf-discriminator-cache #'do-xyz-zyx t) checking: 2 discriminated arguments common effective-method: #<Interpreted Function (method do-xyz-zyx (xyz zyx))> at ix 17, classes: xyz, zyx1 at ix 21, classes: xyz, zyx at ix 23, classes: xyz1, zyx at ix 25, classes: xyz1, zyx1 cl-user(12):
Note that this discriminator's "value" is an effective-method (in this
case it is the do-xyz--zyx method we just defined). And once
the cache-line of the xyz zyx
pair is stored into
the cache, it is printed similarly to the one-index-reader, with a
common effective-method, indexes in the cache, but in this case there
are two arguments being discriminated, so those are listed in the
entry.
If a wrench is thrown into the mix, by adding another method, the cache is emptied again, but after repopulating we see a caching discriminator that has an effective-method for each cache line:
cl-user(12): (defmethod do-xyz-zyx ((one xyz) (two integer)) 'goodbye) #<standard-method do-xyz-zyx (xyz integer)> cl-user(13): (do-xyz-zyx (make-instance 'xyz1) 10) goodbye cl-user(14): (gf-discriminator-cache #'do-xyz-zyx t) checking: 2 discriminated arguments empty cache cl-user(15): (do-xyz-zyx (make-instance 'xyz) (make-instance 'zyx)) hello cl-user(16): (do-xyz-zyx (make-instance 'xyz1) (make-instance 'zyx)) hello cl-user(17): (do-xyz-zyx (make-instance 'xyz) (make-instance 'zyx1)) hello cl-user(18): (do-xyz-zyx (make-instance 'xyz1) (make-instance 'zyx1)) hello cl-user(19): (do-xyz-zyx (make-instance 'xyz1) 10) goodbye cl-user(20): (gf-discriminator-cache #'do-xyz-zyx t) caching: 2 discriminated arguments for effective-method: #<Interpreted Function (method do-xyz-zyx (xyz zyx))> at ix 17, classes: xyz, zyx1 for effective-method: #<Interpreted Function (method do-xyz-zyx (xyz zyx))> at ix 21, classes: xyz1, zyx1 for effective-method: #<Interpreted Function (method do-xyz-zyx (xyz integer))> at ix 25, classes: xyz1, fixnum for effective-method: #<Interpreted Function (method do-xyz-zyx (xyz zyx))> at ix 53, classes: xyz1, zyx cl-user(21):
Using an internal function available in all Allegro CL Lisps, we can get cache dumps of every legitimate generic-function in the Lisp using the CLOS class lattice (and thus not using a heap-walker and then weeding out invalid or special-case generic-functions). The form to execute is shown below, but not most of the results, which are too large for documentation and which will vary anyway:
cl-user(1): (dolist (gf (excl::list-all-generic-functions)) (when (mop:generic-function-name gf) (format t "Generic function: #'~s:~%" (mop:generic-function-name gf)) (gf-discriminator-cache (mop:generic-function-name gf) t))) Generic function: #'excl::short-combination-operator: nil: ... ... Generic function: #'net.uri:render-uri: never called Generic function: #'print-object: caching: 1 discriminated argument ix class effective-method 2 null #<Function (method print-object (t t))> 8 function #<Function (method print-object (t t))> 12 string #<Function (method print-object (t t))> 16 symbol #<Function (method print-object (t t))> 22 fixnum #<Function (method print-object (t t))> nil cl-user(2):
Listed within the above elided output are several generic functions for "fi-defsystem", a subclassing of the defsystem class lattice which is used by Franz Inc for internal usage. The listing provides clues as to how to optimize the classes defined in such a way that the discriminators can be selected which are more efficient. As an example, there is a "named-module-group" slot within a couple of classes at least which cause an n-n-reader to be used:
Generic function: #'defsystem:named-module-groups: n-n-reader: 1 discriminated argument ix class index 2 system::fi-module-group 6 22 system::fi-system 11
If the slot definitions in the fi-system and fi-module-group classes had been specified with fixed-index values of either 6 or 11, then this generic-function would have instead been a two-class-reader, a very fast discriminator.
A second example is a "target" slot:
Generic function: #'system::target: n-n-reader: 1 discriminated argument ix class index 2 system::fi-module-group 13 4 system::fi-text-module 16 10 system::fi-quad-rs-module 16 22 system::fi-system 15 24 system::fi-lisp-module 16
Note that several classes end up with the same index values (some of them have common ancestors in the class hierarchy). If the layout of the classes had been planned with a fixed-index of, say, 16 for the target slot in each class, then all of the accesses would have resolved to the same index and the discriminator would have settled on the one-class-reader. Care must be taken, of course, to ensure that none of the fixed-index values clash with each other, and it may be that there will be dead/wasted slots in some instances, but if the entire class hierarchy of a subsystem is considered at once then a good balance can be made between space efficiency and dicriminator simplicity.
Copyright (c) 1998-2022, Franz Inc. Lafayette, CA., USA. All rights reserved.
This page was not revised from the 10.0 page.
Created 2019.8.20.
| Allegro CL version 10.1 Unrevised from 10.0 to 10.1. 10.0 version |