Now you can implement methods on this generic function that specialize on type
with **EQL**
specializers and return column
objects with the slots filled in with appropriate values. Here’s the generic function and methods that define column types for the type names string
and number
:
(defmethod make-column (name (type (eql 'string)) &optional default-value)
(make-instance
'column
:name name
:comparator #'string<
:equality-predicate #'string=
:default-value default-value
:value-normalizer #'not-nullable))
'column
:name name
:comparator #'<
:equality-predicate #'=
:default-value default-value))
The following function, not-nullable
, used as the value-normalizer
for string
columns, simply returns the value it’s given unless the value is **NIL**
, in which case it signals an error:
Another column type you’ll need for the MP3 database is an interned-string
whose values are interned as discussed previously. Since you need a hash table in which to intern values, you should define a subclass of column
, interned-values-column
, that adds a slot whose value is the hash table you use to intern.
To implement the actual interning, you’ll also need to provide an :initform
for value-normalizer
of a function that interns the value in the column’s interned-values
hash table. And because one of the main reasons to intern values is to allow you to use **EQL**
as the equality predicate, you should also add an :initform
for the equality-predicate
of .
(defclass interned-values-column (column)
((interned-values
:reader interned-values
(equality-predicate :initform #'eql)
(value-normalizer :initform #'intern-for-column)))
(defun intern-for-column (value column)
(let ((hash (interned-values column)))
(or (gethash (not-nullable value column) hash)
(setf (gethash value hash) value))))
With these methods defined on make-column
, you can now define a function, make-schema
, that builds a list of column
objects from a list of column specifications consisting of a column name, a column type name, and, optionally, a default value.
(defun make-schema (spec)
(mapcar #'(lambda (column-spec) (apply #'make-column column-spec)) spec))
For instance, you can define the schema for the table you’ll use to store data extracted from MP3s like this: