Peter Siebel - Practical Common Lisp
Здесь есть возможность читать онлайн «Peter Siebel - Practical Common Lisp» весь текст электронной книги совершенно бесплатно (целиком полную версию без сокращений). В некоторых случаях можно слушать аудио, скачать через торрент в формате fb2 и присутствует краткое содержание. Год выпуска: 2005, ISBN: 2005, Издательство: Apress, Жанр: Программирование, на английском языке. Описание произведения, (предисловие) а так же отзывы посетителей доступны на портале библиотеки ЛибКат.
- Название:Practical Common Lisp
- Автор:
- Издательство:Apress
- Жанр:
- Год:2005
- ISBN:1-59059-239-5
- Рейтинг книги:4 / 5. Голосов: 1
-
Избранное:Добавить в избранное
- Отзывы:
-
Ваша оценка:
- 80
- 1
- 2
- 3
- 4
- 5
Practical Common Lisp: краткое содержание, описание и аннотация
Предлагаем к чтению аннотацию, описание, краткое содержание или предисловие (зависит от того, что написал сам автор книги «Practical Common Lisp»). Если вы не нашли необходимую информацию о книге — напишите в комментариях, мы постараемся отыскать её.
Practical Common Lisp — читать онлайн бесплатно полную книгу (весь текст) целиком
Ниже представлен текст книги, разбитый по страницам. Система сохранения места последней прочитанной страницы, позволяет с удобством читать онлайн бесплатно книгу «Practical Common Lisp», без необходимости каждый раз заново искать на чём Вы остановились. Поставьте закладку, и сможете в любой момент перейти на страницу, на которой закончили чтение.
Интервал:
Закладка:
(with-accessors ((balance2 balance)) account2
(incf balance1 balance2)
(setf balance2 0))))
The choice of whether to use WITH-SLOTS
versus WITH-ACCESSORS
is the same as the choice between SLOT-VALUE
and an accessor function: low-level code that provides the basic functionality of a class may use SLOT-VALUE
or WITH-SLOTS
to directly manipulate slots in ways not supported by accessor functions or to explicitly avoid the effects of auxiliary methods that may have been defined on the accessor functions. But you should generally use accessor functions or WITH-ACCESSORS
unless you have a specific reason not to.
Class-Allocated Slots
The last slot option you need to know about is :allocation
. The value of :allocation
can be either :instance
or :class
and defaults to :instance
if not specified. When a slot has :class
allocation, the slot has only a single value, which is stored in the class and shared by all instances.
However, :class
slots are accessed the same as :instance
slots—they're accessed with SLOT-VALUE
or an accessor function, which means you can access the slot value only through an instance of the class even though it isn't actually stored in the instance. The :initform
and :initarg
options have essentially the same effect except the initform is evaluated once when the class is defined rather than each time an instance is created. On the other hand, passing an initarg to MAKE-INSTANCE
will set the value, affecting all instances of the class.
Because you can't get at a class-allocated slot without an instance of the class, class-allocated slots aren't really equivalent to static or class fields in languages such as Java, C++, and Python. [191] The Meta Object Protocol (MOP), which isn't part of the language standard but is supported by most Common Lisp implementations, provides a function, class-prototype , that returns an instance of a class that can be used to access class slots. If you're using an implementation that supports the MOP and happen to be translating some code from another language that makes heavy use of static or class fields, this may give you a way to ease the translation. But it's not all that idiomatic.
Rather, class-allocated slots are used primarily to save space; if you're going to create many instances of a class and all instances are going to have a reference to the same object—say, a pool of shared resources—you can save the cost of each instance having its own reference by making the slot class-allocated.
Slots and Inheritance
As I discussed in the previous chapter, classes inherit behavior from their superclasses thanks to the generic function machinery—a method specialized on class A
is applicable not only to direct instances of A
but also to instances of A
's subclasses. Classes also inherit slots from their superclasses, but the mechanism is slightly different.
In Common Lisp a given object can have only one slot with a particular name. However, it's possible that more than one class in the inheritance hierarchy of a given class will specify a slot with a particular name. This can happen either because a subclass includes a slot specifier with the same name as a slot specified in a superclass or because multiple superclasses specify slots with the same name.
Common Lisp resolves these situations by merging all the specifiers with the same name from the new class and all its superclasses to create a single specifier for each unique slot name. When merging specifiers, different slot options are treated differently. For instance, since a slot can have only a single default value, if multiple classes specify an :initform
, the new class uses the one from the most specific class. This allows a subclass to specify a different default value than the one it would otherwise inherit.
On the other hand, :initarg
s needn't be exclusive—each :initarg
option in a slot specifier creates a keyword parameter that can be used to initialize the slot; multiple parameters don't create a conflict, so the new slot specifier contains all the :initarg
s. Callers of MAKE-INSTANCE
can use any of the :initarg
s to initialize the slot. If a caller passes multiple keyword arguments that initialize the same slot, then the leftmost argument in the call to MAKE-INSTANCE
is used.
Inherited :reader
, :writer
, and :accessor
options aren't included in the merged slot specifier since the methods created by the superclass's DEFCLASS
will already apply to the new class. The new class can, however, create its own accessor functions by supplying its own :reader
, :writer
, or :accessor
options.
Finally, the :allocation
option is, like :initform
, determined by the most specific class that specifies the slot. Thus, it's possible for all instances of one class to share a :class
slot while instances of a subclass may each have their own :instance
slot of the same name. And a sub-subclass may then redefine it back to :class
slot, so all instances of that class will again share a single slot. In the latter case, the slot shared by instances of the sub-subclass is different than the slot shared by the original superclass.
For instance, suppose you have these classes:
(defclass foo ()
((a :initarg :a :initform "A" :accessor a)
(b :initarg :b :initform "B" :accessor b)))
(defclass bar (foo)
((a :initform (error "Must supply a value for a"))
(b :initarg :the-b :accessor the-b :allocation :class)))
When instantiating the class bar
, you can use the inherited initarg, :a
, to specify a value for the slot a
and, in fact, must do so to avoid an error, since the :initform
supplied by bar
supersedes the one inherited from foo
. To initialize the b
slot, you can use either the inherited initarg : b
or the new initarg :the-b
. However, because of the :allocation
option on the b
slot in bar
, the value specified will be stored in the slot shared by all instances of bar
. That same slot can be accessed either with the method on the generic function b
that specializes on foo
or with the new method on the generic function the-b
that specializes directly on bar
. To access the a
slot on either a foo
or a bar
, you'll continue to use the generic function a
.
Usually merging slot definitions works quite nicely. However, it's important to be aware when using multiple inheritance that two unrelated slots that happen to have the same name can be merged into a single slot in the new class. Thus, methods specialized on different classes could end up manipulating the same slot when applied to a class that extends those classes. This isn't much of a problem in practice since, as you'll see in Chapter 21, you can use the package system to avoid collisions between names in independently developed pieces of code.
Читать дальшеИнтервал:
Закладка:
Похожие книги на «Practical Common Lisp»
Представляем Вашему вниманию похожие книги на «Practical Common Lisp» списком для выбора. Мы отобрали схожую по названию и смыслу литературу в надежде предоставить читателям больше вариантов отыскать новые, интересные, ещё непрочитанные произведения.
Обсуждение, отзывы о книге «Practical Common Lisp» и просто собственные мнения читателей. Оставьте ваши комментарии, напишите, что Вы думаете о произведении, его смысле или главных героях. Укажите что конкретно понравилось, а что нет, и почему Вы так считаете.