The postmodern Reference Manual

Table of Contents

Next: , Previous: , Up: (dir)   [Contents][Index]

The postmodern Reference Manual

This is the postmodern Reference Manual, generated automatically by Declt version 3.0 "Montgomery Scott" on Wed Feb 19 21:21:21 2020 GMT+0.


Next: , Previous: , Up: Top   [Contents][Index]

1 Introduction

Postmodern

A Common Lisp PostgreSQL programming interface

Postmodern is a Common Lisp library for interacting with PostgreSQL databases. It is under active development. Features are:

The biggest differences between this library and CLSQL/CommonSQL or cl-dbi are that Postmodern has no intention of being portable across different SQL implementations (it embraces non-standard PostgreSQL features), and approaches extensions like lispy SQL and database access objects in a quite different way. This library was written because the CLSQL approach did not really work for me, your mileage may vary.

Contents


Dependencies


The library depends on usocket (except on SBCL and ACL, where the built-in socket library is used), md5, closer-mop, bordeaux-threads if you want thread-safe connection pools, and CL+SSL when SSL connections are needed.

Postmodern itself is split into four different packages, some of which can be used independently. Simple-date is a very basic implementation of date and time objects, used to support storing and retrieving time-related SQL types. CL-postgres is the low-level library used for interfacing with a PostgreSQL server over a socket. S-SQL is used to compile s-expressions to strings of SQL code, escaping any Lisp values inside, and doing as much as possible of the work at compile time. Finally, Postmodern itself is the library that tries to put all these things together into a convenient programming interface.

License


Postmodern is released under a zlib-style license. Which approximately means you can use the code in whatever way you like, except for passing it off as your own or releasing a modified version without indication that it is not the original.

Download and installation


We suggest using quicklisp for installation.

A git repository with the most recent changes can be viewed or checked out at https://github.com/marijnh/Postmodern

Quickstart


This quickstart is intended to give you a feel of the way coding with Postmodern works. Further details about the workings of the library can be found in the reference manual.

Assuming you have already installed it, first load and use the system:

(ql:quickload :postmodern)
(use-package :postmodern)

If you have a PostgreSQL server running on localhost, with a database called 'testdb' on it, which is accessible for user 'foucault' with password 'surveiller', you can connect like this:

(connect-toplevel "testdb" "foucault" "surveiller" "localhost")

Which will establish a connection to be used by all code, except for that wrapped in a with-connection form, which takes the same arguments but only establishes the connection locally.

Now for a basic sanity test:

(query "select 22, 'Folie et déraison', 4.5")
;; => ((22 "Folie et déraison" 9/2))

That should work. query is the basic way to send queries to the database. The same query can be expressed like this:

(query (:select 22 "Folie et déraison" 4.5))
;; => ((22 "Folie et déraison" 9/2))

In many contexts, query strings and lists starting with keywords can be used interchangeably. The lists will be compiled to SQL. The S-SQL manual describes the syntax used by these expressions. Lisp values occurring in them are automatically escaped. In the above query, only constant values are used, but it is possible to transparently use run-time values as well:

(defun database-powered-addition (a b)
  (query (:select (:+ a b)) :single))
(database-powered-addition 1030 204)
;; => 1234

That last argument, :single, indicates that we want the result not as a list of lists (for the result rows), but as a single value, since we know that we are only selecting one value. Some other options are :rows, :row, :column, :alists, and :none. Their precise effect is documented in the reference manual.

You do not have to pull in the whole result of a query at once, you can also iterate over it with the doquery macro:

(doquery (:select 'x 'y :from 'some-imaginary-table) (x y)
  (format t "On this row, x = ~A and y = ~A.~%" x y))

You can work directly with the database or you can use a database-access-class (aka dao). This is what a database-access class looks like:

(defclass country ()
  ((name :col-type string :initarg :name
         :reader country-name)
   (inhabitants :col-type integer :initarg :inhabitants
                :accessor country-inhabitants)
   (sovereign :col-type (or db-null string) :initarg :sovereign
              :accessor country-sovereign))
  (:metaclass dao-class)
  (:keys name))

The above defines a class that can be used to handle records in a table with three columns: name, inhabitants, and sovereign. In simple cases, the information above is enough to define the table as well:

(dao-table-definition 'country)
;; => "CREATE TABLE country (
;;      name TEXT NOT NULL,
;;      inhabitants INTEGER NOT NULL,
;;      sovereign TEXT,
;;      PRIMARY KEY (name))"
(execute (dao-table-definition 'country))

This defines our table in the database. execute works like query, but does not expect any results back.

You can create tables directly without the need to define a class, and in more complicated cases, you will need to use the create-table operator. One example would be the following:

(query (:create-table so-items
         ((item-id :type integer)
          (so-id :type (or integer db-null) :references ((so-headers id)))
          (product-id :type (or integer db-null))
          (qty :type (or integer db-null))
          (net-price :type (or numeric db-null)))
         (:primary-key item-id so-id)))

In the above case, the new table's name will be so-items (actually in the database it will be so_items because sql does not allow hyphens. The column item-id is an integer and cannot be null. The column so-id is also an integer, but is allowed to be null and is a foreign key to the id field in the so-headers table so-headers. The primary key is actually a composite of item-id and so-id. (If we wanted the primary key to be just item-id, we could have specified that in the form defining item-id.)

Let us go back to our approach using a dao class and add a few countries:

(insert-dao (make-instance 'country :name "The Netherlands"
                                    :inhabitants 16800000
                                    :sovereign "Willem-Alexander"))
(insert-dao (make-instance 'country :name "Croatia"
                                    :inhabitants 4400000))

Then, to update Croatia's population, we could do this:

(let ((croatia (get-dao 'country "Croatia")))
  (setf (country-inhabitants croatia) 4500000)
  (update-dao croatia))
(query (:select '* :from 'country))
;; => (("The Netherlands" 16800000 "Willem-Alexander")
;;     ("Croatia" 4500000 :NULL))

Next, to demonstrate a bit more of the S-SQL syntax, here is the query the utility function list-tables uses to get a list of the tables in a database:

(sql (:select 'relname :from 'pg-catalog.pg-class
      :inner-join 'pg-catalog.pg-namespace :on (:= 'relnamespace 'pg-namespace.oid)
      :where (:and (:= 'relkind "r")
                   (:not-in 'nspname (:set "pg_catalog" "pg_toast"))
                   (:pg-catalog.pg-table-is-visible 'pg-class.oid))))
;; => "(SELECT relname FROM pg_catalog.pg_class
;;      INNER JOIN pg_catalog.pg_namespace ON (relnamespace = pg_namespace.oid)
;;      WHERE ((relkind = 'r') and (nspname NOT IN ('pg_catalog', 'pg_toast'))
;;             and pg_catalog.pg_table_is_visible(pg_class.oid)))"

sql is a macro that will simply compile a query, it can be useful for seeing how your queries are expanded or if you want to do something unexpected with them.

As you can see, lists starting with keywords are used to express SQL commands and operators (lists starting with something else will be evaluated and then inserted into the query). Quoted symbols name columns or tables (keywords can also be used but might introduce ambiguities). The syntax supports subqueries, multiple joins, stored procedures, etc. See the S-SQL reference manual for a complete treatment.

Finally, here is an example of the use of prepared statements:

(defprepared sovereign-of
  (:select 'sovereign :from 'country :where (:= 'name '$1))
  :single!)
(sovereign-of "The Netherlands")
;; => "Willem-Alexander"

The defprepared macro creates a function that takes the same amount of arguments as there are $X placeholders in the given query. The query will only be parsed and planned once (per database connection), which can be faster, especially for complex queries.

(disconnect-toplevel)

Running tests


Postmodern uses FiveAM for testing. The different component systems of Postmodern have tests defined in corresponding test systems, each defining a test suite. The test systems and corresponding top-level test suites are:

Before running the tests make sure PostgreSQL is running and a test database is created. By default tests use the following connection parameters to run the tests:

If connection with these parameters fails then you will be asked to provide the connection parameters interactively. The parameters will be stored in cl-postgres-tests:*test-connection* variable and automatically used on successive test runs. This variable can also be set manually before running the tests.

To test a particular component one would first load the corresponding test system, and then run the test suite. For example, to test the postmodern system in the REPL one would do the following:

(ql:quickload "postmodern/tests")
(5am:run! :postmodern)
;; ... test output ...

It is also possible to test multiple components at once by first loading test systems and then running all tests:

(ql:quickload '("cl-postgres/tests" "s-sql/tests"))
(5am:run-all-tests)
;; ... test output ...

To run the tests from command-line specify the same forms using your implementation's command-line syntax. For instance, to test all Postmodern components on SBCL, use the following command:

env DB_USER=$USER sbcl --noinform \
    --eval '(ql:quickload "postmodern/tests")' \
    --eval '(ql:quickload "cl-postgres/tests")' \
    --eval '(ql:quickload "s-sql/tests")' \
    --eval '(ql:quickload "simple-date/tests")' \
    --eval '(progn (setq 5am:*print-names* nil) (5am:run-all-tests))' \
    --eval '(sb-ext:exit)'

As you can see from above, database connection parameters can be provided using environment variables:

Reference


The reference manuals for the different components of Postmodern are kept in separate files. For using the library in the most straightforward way, you only really need to read the Postmodern reference and glance over the S-SQL reference. The simple-date reference explains the time-related data types included in Postmodern, and the CL-postgres reference might be useful if you just want a low-level library for talking to a PostgreSQL server.

Caveats and to-dos


Timezones

It is important to understand how postgresql (not postmodern) handles timestamps and timestamps with time zones. Postgresql keeps everything in UTC, it does not store a timezone even in a timezone aware column. If you use a timestamp with timezone column, postgresql will calculate the UTC time and will normalize the timestamp data to UTC. When you later select the record, postgresql will look at the timezone for the postgresql session, retrieve the data and then provide the data recalculated from UTC to the timezone for that postgresql session. There is a good writeup of timezones at http://blog.untrod.com/2016/08/actually-understanding-timezones-in-postgresql.html and http://phili.pe/posts/timestamps-and-time-zones-in-postgresql/.

Keeping that in mind, Simple-date has no concept of time zones. If you really need your time-keeping to be reliable and/or universal you might consider using local-time, which solves the same problem as simple-date, but does understand time zones. We are considering the best ways to make life easier for users of the two libraries.

Portability

The Lisp code in Postmodern is theoretically portable across implementations, and seems to work on all major ones and even less major ones such as Genera. Implementations that do not have meta-object protocol support will not have DAOs, but all other parts of the library should work (all widely used implementations do support this).

The library is not likely to work for PostgreSQL versions older than 8.4. Other features only work in newer Postgresql versions as the features were only introduced in those newer versions.

Things that should be implemented

Postmodern is under active development so Issues and feature requests should be flagged on [[https://github.com/marijnh/Postmodern][Postmodern's site on github]].

It would be a nice feature if Postmodern could help you with defining your database schemas and, more importantly, updating your databases when your code changes. It would theoretically not be hard to build a function that compares a schema on the Lisp side with the state of the database, and helps you to interactively update your database. PostgreSQL has a quite complete introspection system. Unfortunately it would be a lot of work to implement this, since databases can contain so many different types of entities (tables, views, indices, procedures, constraints, sequences, etc.) which are all created, changed, and dropped in different ways.

Some areas that are currently under consideration can be found in the ROADMAP.md file.

Resources



Next: , Previous: , Up: Top   [Contents][Index]

2 Systems

The main system appears first, followed by any subsystem dependency.


Next: , Previous: , Up: Systems   [Contents][Index]

2.1 postmodern

Maintainer

Sabra Crolleton <sabra.crolleton@gmail.com>

Author

Marijn Haverbeke <marijnh@gmail.com>

License

zlib

Description

PostgreSQL programming API

Dependencies
Source

postmodern.asd (file)

Component

postmodern (module)


Next: , Previous: , Up: Systems   [Contents][Index]

2.2 s-sql

Maintainer

Sabra Crolleton <sabra.crolleton@gmail.com>

Author

Marijn Haverbeke <marijnh@gmail.com>

License

zlib

Description

Lispy DSL for SQL

Dependencies
Source

s-sql.asd (file)

Component

s-sql (module)


Previous: , Up: Systems   [Contents][Index]

2.3 cl-postgres

Maintainer

Sabra Crolleton <sabra.crolleton@gmail.com>

Author

Marijn Haverbeke <marijnh@gmail.com>

License

zlib

Description

Low-level client library for PostgreSQL

Dependencies
Source

cl-postgres.asd (file)

Component

cl-postgres (module)


Next: , Previous: , Up: Top   [Contents][Index]

3 Modules

Modules are listed depth-first from the system components tree.


Next: , Previous: , Up: Modules   [Contents][Index]

3.1 postmodern/postmodern

Parent

postmodern (system)

Location

postmodern/

Components

Next: , Previous: , Up: Modules   [Contents][Index]

3.2 s-sql/s-sql

Parent

s-sql (system)

Location

s-sql/

Components

Previous: , Up: Modules   [Contents][Index]

3.3 cl-postgres/cl-postgres

Parent

cl-postgres (system)

Location

cl-postgres/

Components

Next: , Previous: , Up: Top   [Contents][Index]

4 Files

Files are sorted by type and then listed depth-first from the systems components trees.


Previous: , Up: Files   [Contents][Index]

4.1 Lisp


Next: , Previous: , Up: Lisp files   [Contents][Index]

4.1.1 postmodern.asd

Location

postmodern.asd

Systems

postmodern (system)

Packages

postmodern-system


Next: , Previous: , Up: Lisp files   [Contents][Index]

4.1.2 s-sql.asd

Location

s-sql.asd

Systems

s-sql (system)

Packages

s-sql-system


Next: , Previous: , Up: Lisp files   [Contents][Index]

4.1.3 cl-postgres.asd

Location

cl-postgres.asd

Systems

cl-postgres (system)

Packages

cl-postgres-system

Internal Definitions

Next: , Previous: , Up: Lisp files   [Contents][Index]

4.1.4 postmodern/postmodern/package.lisp

Parent

postmodern (module)

Location

postmodern/package.lisp

Packages

postmodern


Next: , Previous: , Up: Lisp files   [Contents][Index]

4.1.5 postmodern/postmodern/connect.lisp

Dependency

package.lisp (file)

Parent

postmodern (module)

Location

postmodern/connect.lisp

Exported Definitions
Internal Definitions

Next: , Previous: , Up: Lisp files   [Contents][Index]

4.1.6 postmodern/postmodern/query.lisp

Dependency

connect.lisp (file)

Parent

postmodern (module)

Location

postmodern/query.lisp

Exported Definitions
Internal Definitions

Next: , Previous: , Up: Lisp files   [Contents][Index]

4.1.7 postmodern/postmodern/prepare.lisp

Dependency

query.lisp (file)

Parent

postmodern (module)

Location

postmodern/prepare.lisp

Exported Definitions
Internal Definitions

Next: , Previous: , Up: Lisp files   [Contents][Index]

4.1.8 postmodern/postmodern/util.lisp

Dependency

query.lisp (file)

Parent

postmodern (module)

Location

postmodern/util.lisp

Exported Definitions
Internal Definitions

Next: , Previous: , Up: Lisp files   [Contents][Index]

4.1.9 postmodern/postmodern/transaction.lisp

Dependency

query.lisp (file)

Parent

postmodern (module)

Location

postmodern/transaction.lisp

Exported Definitions
Internal Definitions

Next: , Previous: , Up: Lisp files   [Contents][Index]

4.1.10 postmodern/postmodern/namespace.lisp

Dependency

query.lisp (file)

Parent

postmodern (module)

Location

postmodern/namespace.lisp

Exported Definitions
Internal Definitions

do-with-schema (function)


Next: , Previous: , Up: Lisp files   [Contents][Index]

4.1.11 postmodern/postmodern/execute-file.lisp

Dependency

query.lisp (file)

Parent

postmodern (module)

Location

postmodern/execute-file.lisp

Exported Definitions
Internal Definitions

Next: , Previous: , Up: Lisp files   [Contents][Index]

4.1.12 postmodern/postmodern/table.lisp

If Feature

postmodern-use-mop

Dependencies
Parent

postmodern (module)

Location

postmodern/table.lisp

Exported Definitions
Internal Definitions

Next: , Previous: , Up: Lisp files   [Contents][Index]

4.1.13 postmodern/postmodern/deftable.lisp

Dependencies
Parent

postmodern (module)

Location

postmodern/deftable.lisp

Exported Definitions
Internal Definitions

Next: , Previous: , Up: Lisp files   [Contents][Index]

4.1.14 s-sql/s-sql/package.lisp

Parent

s-sql (module)

Location

s-sql/package.lisp

Packages

s-sql


Next: , Previous: , Up: Lisp files   [Contents][Index]

4.1.15 s-sql/s-sql/s-sql.lisp

Parent

s-sql (module)

Location

s-sql/s-sql.lisp

Exported Definitions
Internal Definitions

Next: , Previous: , Up: Lisp files   [Contents][Index]

4.1.16 cl-postgres/cl-postgres/package.lisp

Parent

cl-postgres (module)

Location

cl-postgres/package.lisp

Packages
Internal Definitions

*optimize* (special variable)


Next: , Previous: , Up: Lisp files   [Contents][Index]

4.1.17 cl-postgres/cl-postgres/features.lisp

Parent

cl-postgres (module)

Location

cl-postgres/features.lisp


Next: , Previous: , Up: Lisp files   [Contents][Index]

4.1.18 cl-postgres/cl-postgres/errors.lisp

Dependency

package.lisp (file)

Parent

cl-postgres (module)

Location

cl-postgres/errors.lisp

Exported Definitions
Internal Definitions

Next: , Previous: , Up: Lisp files   [Contents][Index]

4.1.19 cl-postgres/cl-postgres/sql-string.lisp

Dependency

package.lisp (file)

Parent

cl-postgres (module)

Location

cl-postgres/sql-string.lisp

Exported Definitions
Internal Definitions

Next: , Previous: , Up: Lisp files   [Contents][Index]

4.1.20 cl-postgres/cl-postgres/trivial-utf-8.lisp

Dependency

package.lisp (file)

Parent

cl-postgres (module)

Location

cl-postgres/trivial-utf-8.lisp

Exported Definitions
Internal Definitions

Next: , Previous: , Up: Lisp files   [Contents][Index]

4.1.21 cl-postgres/cl-postgres/strings-utf-8.lisp

Dependencies
Parent

cl-postgres (module)

Location

cl-postgres/strings-utf-8.lisp

Internal Definitions

Next: , Previous: , Up: Lisp files   [Contents][Index]

4.1.22 cl-postgres/cl-postgres/communicate.lisp

Dependencies
Parent

cl-postgres (module)

Location

cl-postgres/communicate.lisp

Internal Definitions

Next: , Previous: , Up: Lisp files   [Contents][Index]

4.1.23 cl-postgres/cl-postgres/messages.lisp

Dependency

communicate.lisp (file)

Parent

cl-postgres (module)

Location

cl-postgres/messages.lisp

Internal Definitions

Next: , Previous: , Up: Lisp files   [Contents][Index]

4.1.24 cl-postgres/cl-postgres/oid.lisp

Dependency

package.lisp (file)

Parent

cl-postgres (module)

Location

cl-postgres/oid.lisp

Exported Definitions

Next: , Previous: , Up: Lisp files   [Contents][Index]

4.1.25 cl-postgres/cl-postgres/ieee-floats.lisp

Parent

cl-postgres (module)

Location

cl-postgres/ieee-floats.lisp

Exported Definitions

Next: , Previous: , Up: Lisp files   [Contents][Index]

4.1.26 cl-postgres/cl-postgres/interpret.lisp

Dependencies
Parent

cl-postgres (module)

Location

cl-postgres/interpret.lisp

Exported Definitions
Internal Definitions

Next: , Previous: , Up: Lisp files   [Contents][Index]

4.1.27 cl-postgres/cl-postgres/protocol.lisp

Dependencies
Parent

cl-postgres (module)

Location

cl-postgres/protocol.lisp

Exported Definitions
Internal Definitions

Next: , Previous: , Up: Lisp files   [Contents][Index]

4.1.28 cl-postgres/cl-postgres/public.lisp

Dependencies
Parent

cl-postgres (module)

Location

cl-postgres/public.lisp

Exported Definitions
Internal Definitions

Previous: , Up: Lisp files   [Contents][Index]

4.1.29 cl-postgres/cl-postgres/bulk-copy.lisp

Dependency

public.lisp (file)

Parent

cl-postgres (module)

Location

cl-postgres/bulk-copy.lisp

Exported Definitions
Internal Definitions

Next: , Previous: , Up: Top   [Contents][Index]

5 Packages

Packages are listed by definition order.


Next: , Previous: , Up: Packages   [Contents][Index]

5.1 postmodern-system

Source

postmodern.asd

Use List

Next: , Previous: , Up: Packages   [Contents][Index]

5.2 postmodern

Source

package.lisp (file)

Nickname

pomo

Use List
Exported Definitions
Internal Definitions

Next: , Previous: , Up: Packages   [Contents][Index]

5.3 s-sql-system

Source

s-sql.asd

Use List

Next: , Previous: , Up: Packages   [Contents][Index]

5.4 s-sql

Source

package.lisp (file)

Use List

common-lisp

Used By List

postmodern

Exported Definitions
Internal Definitions

Next: , Previous: , Up: Packages   [Contents][Index]

5.5 cl-postgres-system

Source

cl-postgres.asd

Use List
Internal Definitions

Next: , Previous: , Up: Packages   [Contents][Index]

5.6 cl-postgres-error

Source

package.lisp (file)

Use List
Exported Definitions
Internal Definitions

Next: , Previous: , Up: Packages   [Contents][Index]

5.7 cl-postgres-oid

Source

package.lisp (file)

Nickname

oid

Use List

common-lisp

Exported Definitions

Next: , Previous: , Up: Packages   [Contents][Index]

5.8 cl-postgres

Source

package.lisp (file)

Use List

common-lisp

Used By List
Exported Definitions
Internal Definitions

Next: , Previous: , Up: Packages   [Contents][Index]

5.9 cl-postgres.features

Source

package.lisp (file)

Use List

common-lisp


Next: , Previous: , Up: Packages   [Contents][Index]

5.10 cl-postgres-ieee-floats

Source

package.lisp (file)

Use List

common-lisp

Exported Definitions

Previous: , Up: Packages   [Contents][Index]

5.11 cl-postgres-trivial-utf-8

Source

package.lisp (file)

Use List

common-lisp

Exported Definitions
Internal Definitions

Next: , Previous: , Up: Top   [Contents][Index]

6 Definitions

Definitions are sorted by export status, category, package, and then by lexicographic order.


Next: , Previous: , Up: Definitions   [Contents][Index]

6.1 Exported definitions


Next: , Previous: , Up: Exported definitions   [Contents][Index]

6.1.1 Constants

Constant: +abstime+
Package

cl-postgres-oid

Source

oid.lisp (file)

Constant: +aclitem+
Package

cl-postgres-oid

Source

oid.lisp (file)

Constant: +any+
Package

cl-postgres-oid

Source

oid.lisp (file)

Constant: +any-array+
Package

cl-postgres-oid

Source

oid.lisp (file)

Constant: +anyelement+
Package

cl-postgres-oid

Source

oid.lisp (file)

Constant: +anyenum+
Package

cl-postgres-oid

Source

oid.lisp (file)

Constant: +anynon-array+
Package

cl-postgres-oid

Source

oid.lisp (file)

Constant: +anyrange+
Package

cl-postgres-oid

Source

oid.lisp (file)

Constant: +bit+
Package

cl-postgres-oid

Source

oid.lisp (file)

Constant: +bit-array+
Package

cl-postgres-oid

Source

oid.lisp (file)

Constant: +bool+
Package

cl-postgres-oid

Source

oid.lisp (file)

Constant: +bool-array+
Package

cl-postgres-oid

Source

oid.lisp (file)

Constant: +box+
Package

cl-postgres-oid

Source

oid.lisp (file)

Constant: +box-array+
Package

cl-postgres-oid

Source

oid.lisp (file)

Constant: +bpchar+
Package

cl-postgres-oid

Source

oid.lisp (file)

Constant: +bpchar-array+
Package

cl-postgres-oid

Source

oid.lisp (file)

Constant: +bytea+
Package

cl-postgres-oid

Source

oid.lisp (file)

Constant: +bytea-array+
Package

cl-postgres-oid

Source

oid.lisp (file)

Constant: +cash+
Package

cl-postgres-oid

Source

oid.lisp (file)

Constant: +char+
Package

cl-postgres-oid

Source

oid.lisp (file)

Constant: +char-array+
Package

cl-postgres-oid

Source

oid.lisp (file)

Constant: +cid+
Package

cl-postgres-oid

Source

oid.lisp (file)

Constant: +cidr+
Package

cl-postgres-oid

Source

oid.lisp (file)

Constant: +circle+
Package

cl-postgres-oid

Source

oid.lisp (file)

Constant: +cstring+
Package

cl-postgres-oid

Source

oid.lisp (file)

Constant: +cstring-array+
Package

cl-postgres-oid

Source

oid.lisp (file)

Constant: +date+
Package

cl-postgres-oid

Source

oid.lisp (file)

Constant: +date-array+
Package

cl-postgres-oid

Source

oid.lisp (file)

Constant: +evttrigger+
Package

cl-postgres-oid

Source

oid.lisp (file)

Constant: +fdw-handler+
Package

cl-postgres-oid

Source

oid.lisp (file)

Constant: +float4+
Package

cl-postgres-oid

Source

oid.lisp (file)

Constant: +float4-array+
Package

cl-postgres-oid

Source

oid.lisp (file)

Constant: +float8+
Package

cl-postgres-oid

Source

oid.lisp (file)

Constant: +float8-array+
Package

cl-postgres-oid

Source

oid.lisp (file)

Constant: +gtsvector+
Package

cl-postgres-oid

Source

oid.lisp (file)

Constant: +index-am-handler+
Package

cl-postgres-oid

Source

oid.lisp (file)

Constant: +inet+
Package

cl-postgres-oid

Source

oid.lisp (file)

Constant: +int2+
Package

cl-postgres-oid

Source

oid.lisp (file)

Constant: +int2-array+
Package

cl-postgres-oid

Source

oid.lisp (file)

Constant: +int2vector+
Package

cl-postgres-oid

Source

oid.lisp (file)

Constant: +int4+
Package

cl-postgres-oid

Source

oid.lisp (file)

Constant: +int4-array+
Package

cl-postgres-oid

Source

oid.lisp (file)

Constant: +int4range+
Package

cl-postgres-oid

Source

oid.lisp (file)

Constant: +int8+
Package

cl-postgres-oid

Source

oid.lisp (file)

Constant: +int8-array+
Package

cl-postgres-oid

Source

oid.lisp (file)

Constant: +internal+
Package

cl-postgres-oid

Source

oid.lisp (file)

Constant: +interval+
Package

cl-postgres-oid

Source

oid.lisp (file)

Constant: +interval-array+
Package

cl-postgres-oid

Source

oid.lisp (file)

Constant: +json+
Package

cl-postgres-oid

Source

oid.lisp (file)

Constant: +jsonb+
Package

cl-postgres-oid

Source

oid.lisp (file)

Constant: +language-handler+
Package

cl-postgres-oid

Source

oid.lisp (file)

Constant: +line+
Package

cl-postgres-oid

Source

oid.lisp (file)

Constant: +lseg+
Package

cl-postgres-oid

Source

oid.lisp (file)

Constant: +lseg-array+
Package

cl-postgres-oid

Source

oid.lisp (file)

Constant: +lsn+
Package

cl-postgres-oid

Source

oid.lisp (file)

Constant: +macaddr+
Package

cl-postgres-oid

Source

oid.lisp (file)

Constant: +name+
Package

cl-postgres-oid

Source

oid.lisp (file)

Constant: +name-array+
Package

cl-postgres-oid

Source

oid.lisp (file)

Constant: +numeric+
Package

cl-postgres-oid

Source

oid.lisp (file)

Constant: +numeric-array+
Package

cl-postgres-oid

Source

oid.lisp (file)

Constant: +oid+
Package

cl-postgres-oid

Source

oid.lisp (file)

Constant: +oid-array+
Package

cl-postgres-oid

Source

oid.lisp (file)

Constant: +oid-vector+
Package

cl-postgres-oid

Source

oid.lisp (file)

Constant: +opaque+
Package

cl-postgres-oid

Source

oid.lisp (file)

Constant: +path+
Package

cl-postgres-oid

Source

oid.lisp (file)

Constant: +pgddlcommand+
Package

cl-postgres-oid

Source

oid.lisp (file)

Constant: +pgnodetree+
Package

cl-postgres-oid

Source

oid.lisp (file)

Constant: +point+
Package

cl-postgres-oid

Source

oid.lisp (file)

Constant: +point-array+
Package

cl-postgres-oid

Source

oid.lisp (file)

Constant: +polygon+
Package

cl-postgres-oid

Source

oid.lisp (file)

Constant: +record+
Package

cl-postgres-oid

Source

oid.lisp (file)

Constant: +record-array+
Package

cl-postgres-oid

Source

oid.lisp (file)

Constant: +refcursor+
Package

cl-postgres-oid

Source

oid.lisp (file)

Constant: +regclass+
Package

cl-postgres-oid

Source

oid.lisp (file)

Constant: +regconfig+
Package

cl-postgres-oid

Source

oid.lisp (file)

Constant: +regdictionary+
Package

cl-postgres-oid

Source

oid.lisp (file)

Constant: +regnamespace+
Package

cl-postgres-oid

Source

oid.lisp (file)

Constant: +regoper+
Package

cl-postgres-oid

Source

oid.lisp (file)

Constant: +regoperator+
Package

cl-postgres-oid

Source

oid.lisp (file)

Constant: +regproc+
Package

cl-postgres-oid

Source

oid.lisp (file)

Constant: +regprocedure+
Package

cl-postgres-oid

Source

oid.lisp (file)

Constant: +regrole+
Package

cl-postgres-oid

Source

oid.lisp (file)

Constant: +regtype+
Package

cl-postgres-oid

Source

oid.lisp (file)

Constant: +regtype-array+
Package

cl-postgres-oid

Source

oid.lisp (file)

Constant: +reltime+
Package

cl-postgres-oid

Source

oid.lisp (file)

Constant: +text+
Package

cl-postgres-oid

Source

oid.lisp (file)

Constant: +text-array+
Package

cl-postgres-oid

Source

oid.lisp (file)

Constant: +tid+
Package

cl-postgres-oid

Source

oid.lisp (file)

Constant: +time+
Package

cl-postgres-oid

Source

oid.lisp (file)

Constant: +time-array+
Package

cl-postgres-oid

Source

oid.lisp (file)

Constant: +timestamp+
Package

cl-postgres-oid

Source

oid.lisp (file)

Constant: +timestamp-array+
Package

cl-postgres-oid

Source

oid.lisp (file)

Constant: +timestamptz+
Package

cl-postgres-oid

Source

oid.lisp (file)

Constant: +timestamptz-array+
Package

cl-postgres-oid

Source

oid.lisp (file)

Constant: +timetz+
Package

cl-postgres-oid

Source

oid.lisp (file)

Constant: +tinterval+
Package

cl-postgres-oid

Source

oid.lisp (file)

Constant: +trigger+
Package

cl-postgres-oid

Source

oid.lisp (file)

Constant: +tsm-handler+
Package

cl-postgres-oid

Source

oid.lisp (file)

Constant: +tsquery+
Package

cl-postgres-oid

Source

oid.lisp (file)

Constant: +tsvector+
Package

cl-postgres-oid

Source

oid.lisp (file)

Constant: +unknown+
Package

cl-postgres-oid

Source

oid.lisp (file)

Constant: +uuid+
Package

cl-postgres-oid

Source

oid.lisp (file)

Constant: +v-oid+
Package

cl-postgres-oid

Source

oid.lisp (file)

Constant: +varbit+
Package

cl-postgres-oid

Source

oid.lisp (file)

Constant: +varbit-array+
Package

cl-postgres-oid

Source

oid.lisp (file)

Constant: +varchar+
Package

cl-postgres-oid

Source

oid.lisp (file)

Constant: +varchar-array+
Package

cl-postgres-oid

Source

oid.lisp (file)

Constant: +xid+
Package

cl-postgres-oid

Source

oid.lisp (file)

Constant: +xml+
Package

cl-postgres-oid

Source

oid.lisp (file)


Next: , Previous: , Up: Exported definitions   [Contents][Index]

6.1.2 Special variables

Special Variable: *allow-overwriting-prepared-statements*

When set to t, ensured-prepared will overwrite prepared statements having the same name if the query statement itself in the postmodern meta connection is different than the query statement provided to ensure-prepared.

Package

postmodern

Source

prepare.lisp (file)

Special Variable: *current-logical-transaction*
Package

postmodern

Source

transaction.lisp (file)

Special Variable: *database*

Special holding the current database. Most functions and macros operating on a database assume this contains a connected database.

Package

postmodern

Source

connect.lisp (file)

Special Variable: *default-use-ssl*
Package

postmodern

Source

connect.lisp (file)

Special Variable: *downcase-symbols*
Package

s-sql

Source

s-sql.lisp (file)

Special Variable: *escape-sql-names-p*

Setting this to T will make S-SQL add double quotes around identifiers in queries. Setting it :auto will turn on this behaviour only for reserved words. Setting it to :literal will cause to-sql-name to escape reserved words,but will not make other changes such as changing forward slash to underscore.

Package

s-sql

Source

s-sql.lisp (file)

Special Variable: *ignore-unknown-columns*
Package

postmodern

Source

table.lisp (file)

Special Variable: *isolation-level*
Package

postmodern

Source

transaction.lisp (file)

Special Variable: *max-pool-size*

The maximum amount of connection that will be kept in a single pool, or NIL for no maximum.

Package

postmodern

Source

connect.lisp (file)

Special Variable: *query-callback*
Package

cl-postgres

Source

errors.lisp (file)

Special Variable: *query-log*
Package

cl-postgres

Source

errors.lisp (file)

Special Variable: *read-row-values-as-binary*

Controls whether row values (as in select row(1, ’foo’) ) should be received from the database in text or binary form. The default value is nil, specifying that the results be sent back as text. Set this to t to cause the results to be read as binary.

Package

cl-postgres

Source

interpret.lisp (file)

Special Variable: *retry-connect-delay*

How many seconds to wait before trying to connect again. Borrowed from pgloader

Package

cl-postgres

Source

public.lisp (file)

Special Variable: *retry-connect-times*

How many times to we try to connect again. Borrowed from pgloader

Package

cl-postgres

Source

public.lisp (file)

Special Variable: *silently-truncate-rationals*
Package

cl-postgres

Source

sql-string.lisp (file)

Special Variable: *silently-truncate-ratios*
Package

cl-postgres

Source

sql-string.lisp (file)

Special Variable: *sql-readtable*

The exported special var holding the current read table, a hash mapping OIDs to instances of the type-interpreter class that contain functions for retreiving values from the database in text, and possible binary, form.

Package

cl-postgres

Source

interpret.lisp (file)

Special Variable: *ssl-certificate-file*

When set to a filename, this file will be used as client certificate for SSL connections.

Package

cl-postgres

Source

protocol.lisp (file)

Special Variable: *ssl-key-file*

When set to a filename, this file will be used as client key for SSL connections.

Package

cl-postgres

Source

protocol.lisp (file)

Special Variable: *standard-sql-strings*

Indicate whether S-SQL will use standard SQL strings (just use ” for #’), or backslash-style escaping. Setting this to NIL is always safe, but when the server is configured to allow standard strings (parameter ’standard_conforming_strings’ is ’on’), the noise in queries can be reduced by setting this to T.

Package

s-sql

Source

s-sql.lisp (file)

Special Variable: *table-name*

Used inside deftable to find the name of the table being defined.

Package

postmodern

Source

deftable.lisp (file)

Special Variable: *table-symbol*

Used inside deftable to find the symbol naming the table being defined.

Package

postmodern

Source

deftable.lisp (file)

Special Variable: *unix-socket-dir*

Directory where the Unix domain socket for PostgreSQL be found.

Package

cl-postgres

Source

public.lisp (file)


Next: , Previous: , Up: Exported definitions   [Contents][Index]

6.1.3 Macros

Macro: def-row-reader NAME (FIELDS) &body BODY

Create a row reader, as in the row-reader macro, and assign a name to it.

Package

cl-postgres

Source

protocol.lisp (file)

Macro: define-dao-finalization ((DAO-NAME CLASS) &rest KEYWORD-ARGS) &body BODY
Package

postmodern

Source

table.lisp (file)

Macro: defprepared NAME QUERY &optional FORMAT

Like prepare, but gives the function a name instead of returning it. The name should not be a string but may be quoted.

Package

postmodern

Source

prepare.lisp (file)

Macro: defprepared-with-names NAME (&rest ARGS) (QUERY &rest QUERY-ARGS) &optional FORMAT

Like defprepared, but with lambda list for statement arguments.

Package

postmodern

Source

prepare.lisp (file)

Macro: deftable NAME &body DEFINITIONS

Define a table. name can be either a symbol or a (symbol string) list. In the first case, the table name is derived from the symbol by S-SQL’s rules, in the second case, the name is given explicitly. The body of definitions can contain anything that evaluates to a string, as well as S-SQL expressions. In this body, the variables *table-name* and *table-symbol* are bound to the relevant values.

Package

postmodern

Source

deftable.lisp (file)

Macro: do-query-dao ((TYPE TYPE-VAR) QUERY) &body BODY

Like query-dao, but rather than returning a list of results, executes BODY once for each result, with TYPE-VAR bound to the DAO representing that result.

Package

postmodern

Source

table.lisp (file)

Macro: do-select-dao ((TYPE TYPE-VAR) &optional TEST &rest ORDERING) &body BODY

Like select-dao, but rather than returning a list of results, executes BODY once for each result, with TYPE-VAR bound to the DAO representing that result.

Package

postmodern

Source

table.lisp (file)

Macro: doquery QUERY (&rest NAMES) &body BODY

Iterate over the rows in the result of a query, binding the given names to the results and executing body for every row. Query can be a string, an s-sql query, or a list starting with one of those, followed by the arguments to parameterize the query with.

Package

postmodern

Source

query.lisp (file)

Macro: ensure-transaction &body BODY

Executes body within a with-transaction form if and only if no transaction is already in progress.

Package

postmodern

Source

transaction.lisp (file)

Macro: ensure-transaction-with-isolation-level ISOLATION-LEVEL &body BODY

Executes body within a with-transaction form if and only if no
transaction is already in progress. This adds the ability to specify an isolatin level other than the current default

Package

postmodern

Source

transaction.lisp (file)

Macro: execute QUERY &rest ARGS

Execute a query, ignore the results.

Package

postmodern

Source

query.lisp (file)

Macro: make-float-converters ENCODER-NAME DECODER-NAME EXPONENT-BITS SIGNIFICAND-BITS SUPPORT-NAN-AND-INFINITY-P

Writes an encoder and decoder function for floating point numbers with the given amount of exponent and significand bits (plus an extra sign bit). If support-nan-and-infinity-p is true, the decoders will also understand these special cases. NaN is represented as :not-a-number, and the infinities as :positive-infinity and :negative-infinity. Note that this means that the in- or output of these functions is not just floating point numbers anymore, but also keywords.

Package

cl-postgres-ieee-floats

Source

ieee-floats.lisp (file)

Macro: prepare QUERY &optional FORMAT

Wraps a query into a function that will prepare it once for a connection, and then execute it with the given parameters. The query should contain a placeholder ($1, $2, etc) for every parameter.

Package

postmodern

Source

prepare.lisp (file)

Macro: query QUERY &rest ARGS/FORMAT

Execute a query, optionally with arguments to put in the place of
$X elements. If one of the arguments is a known result style or a class name, it specifies the format in which the results should be returned.

Package

postmodern

Source

query.lisp (file)

Macro: query-dao TYPE QUERY &rest ARGS

Execute a query and return the result as daos of the given type. The fields returned by the query must match the slots of the dao, both by type and by name.

Package

postmodern

Source

table.lisp (file)

Macro: register-sql-operators ARITY &rest NAMES

Define simple operators. Arity is one of :unary (like
’not’), :unary-postfix (the operator comes after the operand), :n-ary (like ’+’: the operator falls away when there is only one operand), :2+-ary (like ’=’, which is meaningless for one operand), or :n-or-unary (like ’-’, where the operator is kept in the unary case). After the arity follow any number of operators, either just a keyword, in which case the downcased symbol name is used as the operator, or a two-element list containing a keyword and a name string.

Package

s-sql

Source

s-sql.lisp (file)

Macro: row-reader (FIELDS) &body BODY

Create a row-reader, using the given name for the fields argument and the given body for reading the rows. A row reader is a function that is used to do something with the results of a query. It has two local functions: next-row and next-field, the first should be called once per row and will return a boolean indicating whether there are any more rows, the second should be called once for every element in the fields vector, with that field as argument, to read a single value in a row. See list-row-reader in public.lisp for an example.

Package

cl-postgres

Source

protocol.lisp (file)

Macro: select-dao TYPE &optional TEST &rest ORDERING

Select daos for the rows in its table for which the given test holds, order them by the given criteria.

Package

postmodern

Source

table.lisp (file)

Macro: sql FORM

Compile form to a sql expression as far as possible.

Package

s-sql

Source

s-sql.lisp (file)

Macro: with-binary-row-values &body BODY

Helper macro to locally set *read-row-values-as-binary* to t while executing body so that row values will be returned as binary.

Package

cl-postgres

Source

interpret.lisp (file)

Macro: with-column-writers (&rest DEFS) &body BODY
Package

postmodern

Source

table.lisp (file)

Macro: with-connection SPEC &body BODY

Locally establish a database connection, and bind *database* to it.

Package

postmodern

Source

connect.lisp (file)

Macro: with-logical-transaction (&optional NAME ISOLATION-LEVEL) &body BODY

Executes the body within a with-transaction (if no transaction is already in progress) or a with-savepoint (if one is), binding the transaction or savepoint to NAME (if supplied)

Package

postmodern

Source

transaction.lisp (file)

Macro: with-savepoint NAME &body BODY

Execute the body within a savepoint, releasing savepoint when the body exits normally, and rolling back otherwise. NAME is both the variable that can be used to release or rolled back before the body unwinds, and the SQL name of the savepoint.

Package

postmodern

Source

transaction.lisp (file)

Macro: with-schema (SCHEMA &key STRICT IF-NOT-EXIST DROP-AFTER) &body FORM

A macro to set the schema search path of the postgresql
database to include as first entry a specified schema.

calling with strict ’t only the specified schema is set as current
search path. All other schema are then not searched any more.

calling with if-not-exist set to :create the schema is created if
this schema did not exist.

calling with drop-after set to ’t the schema is removed after the execution of the body form.

example :
(with-schema (:schema-name :strict nil :drop-after nil :if-not-exist :error) (foo 1)
(foo 2))

Package

postmodern

Source

namespace.lisp (file)

Macro: with-text-row-values &body BODY

Helper macro to locally set *read-row-values-as-binary* to nil while executing body so that row values will be returned as t.

Package

cl-postgres

Source

interpret.lisp (file)

Macro: with-transaction (&optional NAME ISOLATION-LEVEL) &body BODY

Execute the body within a database transaction, committing when the body exits normally, and aborting otherwise. An optional name and/or isolation-level can be given to the transaction. The name can be used to force a commit or abort before the body unwinds. The isolation-level will set the isolation-level used by the transaction.

Package

postmodern

Source

transaction.lisp (file)


Next: , Previous: , Up: Exported definitions   [Contents][Index]

6.1.4 Functions

Function: !dao-def ()

Used inside a deftable form. Define this table using the corresponding DAO class’ slots.

Package

postmodern

Source

deftable.lisp (file)

Function: !foreign TARGET FIELDS &rest TARGET-FIELDS/ON-DELETE/ON-UPDATE/DEFERRABLE/INITIALLY-DEFERRED

Used inside a deftable form. Define a foreign key on this table. Pass a table the index refers to, a list of fields or single field in *this* table, and, if the fields have different names in the table referred to, another field or list of fields for the target table, or :primary-key to indicate that the other table’s primary key should be referenced.

Package

postmodern

Source

deftable.lisp (file)

Function: !index &rest FIELDS

Used inside a deftable form. Define an index on the defined table.

Package

postmodern

Source

deftable.lisp (file)

Function: !unique TARGET-FIELDS &key DEFERRABLE INITIALLY-DEFERRED
Package

postmodern

Source

deftable.lisp (file)

Function: !unique-index &rest FIELDS

Used inside a deftable form. Define a unique index on the defined table.

Package

postmodern

Source

deftable.lisp (file)

Function: abort-transaction TRANSACTION

Immediately abort an open transaction.

Package

postmodern

Source

transaction.lisp (file)

Function: alist-row-reader G0 FIELDS
Package

cl-postgres

Source

public.lisp (file)

Function: bloat-measurement ()

Bloat measurement of unvacuumed dead tuples. Borrowed from: https://www.citusdata.com/blog/2019/03/29/health-checks-for-your-postgres-database/

Package

postmodern

Source

util.lisp (file)

Function: cache-hit-ratio ()

The cache hit ratio shows data on serving the data from memory compared to how often you have to go to disk. This function returns a list of heapblocks read from disk, heapblocks hit from memory and the ratio of heapblocks hit from memory / total heapblocks hit.
Borrowed from: https://www.citusdata.com/blog/2019/03/29/health-checks-for-your-postgres-database/

Package

postmodern

Source

util.lisp (file)

Function: call-with-connection SPEC THUNK

Binds *database* to a new connection, as specified by the spec argument, which should be a list of arguments that can be passed to connect, and runs the function given as a second argument with that database.

Package

postmodern

Source

connect.lisp (file)

Function: cancel-backend PID &optional DATABASE

Polite way of terminating a query at the database (as opposed to calling close-database). Slower than (terminate-backend pid) and does not always work.

Package

postmodern

Source

prepare.lisp (file)

Function: change-toplevel-database NEW-DATABASE USER PASSWORD HOST

Just changes the database assuming you are using a toplevel connection. Recommended only for development work.

Package

postmodern

Source

util.lisp (file)

Function: check-query-performance &optional OB NUM-CALLS LIMIT

This function requires that postgresql extension pg_stat_statements must be loaded via shared_preload_libraries.
It is borrowed from https://www.citusdata.com/blog/2019/03/29/health-checks-for-your-postgres-database/.
Optional parameters OB allow order-by to be ’calls’, ’total-time’, ’rows-per’ or ’time-per’, defaulting to time-per. num-calls to require that the number of calls exceeds a certain threshold, and limit to limit the number of rows returned. It returns a list of lists, each row containing the query, number of calls, total_time, total_time/calls, stddev_time, rows, rows/calls and the cache hit percentage.

Package

postmodern

Source

util.lisp (file)

Function: clear-connection-pool ()

Disconnect and remove all connections in the connection pool.

Package

postmodern

Source

connect.lisp (file)

Function: close-database CONNECTION

Gracefully disconnect a database connection.

Package

cl-postgres

Source

public.lisp (file)

Function: close-db-writer SELF &key ABORT
Package

cl-postgres

Source

bulk-copy.lisp (file)

Function: coalesce &rest ARGS

Returns t if any argument is not nil or :null.

Package

postmodern

Source

util.lisp (file)

Function: column-exists-p TABLE-NAME COLUMN-NAME

Determine if a particular column exists. Table name and column-name can be either strings or symbols.

Package

postmodern

Source

util.lisp (file)

Function: commit-transaction TRANSACTION

Immediately commit an open transaction.

Package

postmodern

Source

transaction.lisp (file)

Function: connect DATABASE USER PASSWORD HOST &key PORT POOLED-P USE-SSL SERVICE

Create and return a database connection.

Package

postmodern

Source

connect.lisp (file)

Function: connect-toplevel DATABASE USER PASSWORD HOST &key PORT USE-SSL

Set *database* to a new connection. Use this if you only need one connection, or if you want a connection for debugging from the REPL.

Package

postmodern

Source

connect.lisp (file)

Function: connected-p DATABASE

Test whether a database connection is still connected.

Package

postmodern

Source

connect.lisp (file)

Function: connection-meta CONNECTION

Retrieves the meta field of a connection, the primary purpose of which is to store information about the prepared statements that exists for it.

Package

cl-postgres

Source

public.lisp (file)

Function: copy-sql-readtable &optional TABLE
Package

cl-postgres

Source

interpret.lisp (file)

Function: create-all-tables ()

Create all defined tables.

Package

postmodern

Source

deftable.lisp (file)

Function: create-index NAME &key UNIQUE IF-NOT-EXISTS CONCURRENTLY ON USING FIELDS

Create an index. Slightly less sophisticated than the query version because it does not have a where clause capability.

Package

postmodern

Source

util.lisp (file)

Function: create-package-tables PACKAGE

Create all tables whose identifying symbol is interned in the given package.

Package

postmodern

Source

deftable.lisp (file)

Function: create-schema SCHEMA

Creating a non existing schema.
If the schema exists an error is raised.

Package

postmodern

Source

namespace.lisp (file)

Function: create-sequence NAME &key TEMP IF-NOT-EXISTS INCREMENT MIN-VALUE MAX-VALUE START CACHE

Create a sequence. Available additional key parameters are
:temp :if-not-exists :increment :min-value :max-value :start and :cache. See https://www.postgresql.org/docs/current/static/sql-createsequence.html for details on usage.

Package

postmodern

Source

util.lisp (file)

Function: create-table NAME

Create a defined table.

Package

postmodern

Source

deftable.lisp (file)

Function: current-database ()

Returns the string name of the current database.

Package

postmodern

Source

util.lisp (file)

Function: dao-table-definition TABLE

Generate the appropriate CREATE TABLE query for this class.

Package

postmodern

Source

table.lisp (file)

Function: dao-table-name CLASS
Package

postmodern

Source

table.lisp (file)

Function: database-error-constraint-name ERR

Given a database-error for an integrity violation, will attempt to extract the constraint name.

Package

cl-postgres

Source

errors.lisp (file)

Function: database-error-extract-name ERR

Given a database-error, will extract the critical name from the error message.

Package

cl-postgres

Source

errors.lisp (file)

Function: database-exists-p DATABASE-NAME

Determine if a particular database exists.

Package

postmodern

Source

util.lisp (file)

Function: database-open-p CONNECTION

Returns a boolean indicating whether the given connection is currently connected.

Package

cl-postgres

Source

public.lisp (file)

Function: database-size &optional NAME

Given the name of a database, will return the name, a pretty-print string of the size of the database and the size in bytes. If a database name is not provided, it will return the result for the currently connected database.

Package

postmodern

Source

util.lisp (file)

Function: database-version ()

Returns the version of the current postgresql database.

Package

postmodern

Source

util.lisp (file)

Function: db-write-row SELF ROW &optional DATA
Package

cl-postgres

Source

bulk-copy.lisp (file)

Function: decode-float32 BITS
Package

cl-postgres-ieee-floats

Source

ieee-floats.lisp (file)

Function: decode-float64 BITS
Package

cl-postgres-ieee-floats

Source

ieee-floats.lisp (file)

Function: default-sql-readtable ()
Package

cl-postgres

Source

interpret.lisp (file)

Function: describe-constraint TABLE-NAME CONSTRAINT-NAME

Return a list of alists of the descriptions a particular constraint given the table-name and the constraint name using the information_schema table.

Package

postmodern

Source

util.lisp (file)

Function: describe-foreign-key-constraints ()

Generates a list of lists of information on the foreign key constraints

Package

postmodern

Source

util.lisp (file)

Function: describe-views &optional SCHEMA

Describe the current views in the specified schema. Takes an optional schema name but defaults to public schema.

Package

postmodern

Source

util.lisp (file)

Function: disconnect-toplevel ()

Disconnect *database*.

Package

postmodern

Source

connect.lisp (file)

Function: drop-index NAME &key CONCURRENTLY IF-EXISTS CASCADE

Drop an index. Available keys are :concurrently, :if-exists, and :cascade.

Package

postmodern

Source

util.lisp (file)

Function: drop-prepared-statement NAME &key LOCATION DATABASE REMOVE-FUNCTION

Prepared statements are stored both in the meta slot in the postmodern connection and in postgresql session information. In the case of prepared statements generated with defprepared, there is also a lisp function with the same name.

If you know the prepared statement name, you can delete the prepared statement from both locations (the default behavior), just from postmodern by passing :postmodern to the location key parameter or just from postgresql by passing :postgresql to the location key parameter.

If you pass the name ’All’ as the statement name, it will
delete all prepared statements.

The default behavior is to also remove any lisp function of the same name. This behavior is controlled by the remove-function key parameter.

Package

postmodern

Source

prepare.lisp (file)

Function: drop-schema SCHEMA &key IF-EXISTS CASCADE

Drops an existing database schema ’schema’
A notice instead of an error is raised with the is-exists parameter.

Package

postmodern

Source

namespace.lisp (file)

Function: drop-sequence NAME &key IF-EXISTS CASCADE

Drop a sequence. Name should be quoted. Available key parameters are :if-exists and :cascade

Package

postmodern

Source

util.lisp (file)

Function: enable-s-sql-syntax &optional CHAR

Enable a syntactic shortcut #Q(...) for (sql (...)). Optionally takes a character to use instead of #\Q.

Package

s-sql

Source

s-sql.lisp (file)

Function: encode-float32 FLOAT
Package

cl-postgres-ieee-floats

Source

ieee-floats.lisp (file)

Function: encode-float64 FLOAT
Package

cl-postgres-ieee-floats

Source

ieee-floats.lisp (file)

Function: exec-prepared CONNECTION NAME PARAMETERS &optional ROW-READER

Execute a previously prepared query with the given parameters, apply a row-reader to the result.

Package

cl-postgres

Source

public.lisp (file)

Function: exec-query CONNECTION QUERY &optional ROW-READER

Execute a query string and apply the given row-reader to the result.

Package

cl-postgres

Source

public.lisp (file)

Function: execute-file PATHNAME &optional PRINT

Executes all queries in the provided SQL file. If print is set to t, format will print the count of query and the query.

Package

postmodern

Source

execute-file.lisp (file)

Function: find-postgresql-prepared-statement NAME

Returns the specified named prepared statement (if any) that postgresql has for this session.

Package

postmodern

Source

prepare.lisp (file)

Function: find-postmodern-prepared-statement NAME

Returns the specified named prepared statement (if any) that postmodern has put in the meta slot in the connection.

Package

postmodern

Source

prepare.lisp (file)

Function: find-primary-key-info TABLE &optional JUST-KEY

Returns a list of sublists where the sublist contains two strings.
If a table primary key consists of only one column, such as ’id’ there will be a single sublist where the first string is the name of the column and the second string is the string name for the datatype for that column. If the primary key for the table consists of more than one column, there will be a sublist for each column subpart of the key. The sublists will be in the order they are used in the key, not in the order they appear in the table. If just-key is set to t, the list being returned will contain just the column names in the primary key as string names
with no sublists. If the table is not in the public schema, provide the fully qualified table name e.g. schema-name.table-name.

Package

postmodern

Source

util.lisp (file)

Function: from-sql-name STR

Convert a string to something that might have been its original lisp name. Does not work if this name contains non-alphanumeric characters other than #-

Package

s-sql

Source

s-sql.lisp (file)

Function: get-pid ()

Get the process id used by postgresql for this connection.

Package

postmodern

Source

prepare.lisp (file)

Function: get-pid-from-postmodern ()

Get the process id used by postgresql for this connection, but get it from the postmodern connection parameters.

Package

postmodern

Source

prepare.lisp (file)

Function: get-postgresql-version CONNECTION

Returns the version of the connected postgresql instance.

Package

cl-postgres

Source

public.lisp (file)

Function: get-search-path ()

Returns the default schema search path for the current session.

Package

postmodern

Source

namespace.lisp (file)

Function: ignore-row-reader G0 FIELDS
Package

cl-postgres

Source

public.lisp (file)

Function: index-exists-p INDEX-NAME

Check whether a index exists. Takes either a string or a symbol for the index name.

Package

postmodern

Source

util.lisp (file)

Function: list-all-constraints TABLE-NAME

Uses information_schema to list all the constraints in a table. Table-name can be either a string or quoted.

Package

postmodern

Source

util.lisp (file)

Function: list-available-extensions ()

Returns available postgresql extensions per pg_available_extensions

Package

postmodern

Source

util.lisp (file)

Function: list-available-types ()

List the available types in this postgresql version.

Package

postmodern

Source

util.lisp (file)

Function: list-columns TABLE-NAME

Returns a list of strings of just the column names in a table. Pulls info from the postmodern table-description function rather than directly.

Package

postmodern

Source

util.lisp (file)

Function: list-columns-with-types TABLE-NAME

Return a list of (name type) lists for the fields of a table. Goes directly to the pg-catalog tables.

Package

postmodern

Source

util.lisp (file)

Function: list-connections ()

Returns info from pg_stat_activity on open connections

Package

postmodern

Source

util.lisp (file)

Function: list-database-functions ()

Returns a list of the functions in the database from the information_schema.

Package

postmodern

Source

util.lisp (file)

Function: list-database-users ()

List database users.

Package

postmodern

Source

util.lisp (file)

Function: list-databases &key ORDER-BY-SIZE SIZE

Returns a list of lists where each sub-list contains the name of the
database, a pretty-print string of the size of that database and the size in bytes.
The default order is by database name. Pass t as a parameter to :order-by-size for order by size. Setting size to nil will return just the database names in a single list
ordered by name. This function excludes the template databases.

Package

postmodern

Source

util.lisp (file)

Function: list-detailed-triggers ()

List detailed information on the triggers from the information_schema table.

Package

postmodern

Source

util.lisp (file)

Function: list-foreign-keys TABLE SCHEMA

Returns a list of sublists of foreign key info in the form of ’((constraint-name local-table local-table-column foreign-table-name foreign-column-name))

Package

postmodern

Source

util.lisp (file)

Function: list-index-definitions TABLE-NAME

Returns a list of the definitions used to create the current indexes for the table.

Package

postmodern

Source

util.lisp (file)

Function: list-indexed-column-and-attributes TABLE-NAME

List the indexed columns and their attributes in a table. Includes primary key.

Package

postmodern

Source

util.lisp (file)

Function: list-indices &optional STRINGS-P

Return a list of the indexs in a database. Turn them into keywords if strings-p is not true.

Package

postmodern

Source

util.lisp (file)

Function: list-installed-extensions ()

Returns postgresql extensions actually installed in the database per pg_available_extensions

Package

postmodern

Source

util.lisp (file)

Function: list-postmodern-prepared-statements &optional NAMES-ONLY

List the prepared statements that postmodern has put in the meta slot in the connection. It will return a list of alists of form:
((:NAME . "SNY24")
(:STATEMENT . "(SELECT name, salary FROM employee WHERE (city = $1))") (:PREPARE-TIME . #<TIMESTAMP 25-11-2018T15:36:43,385>) (:PARAMETER-TYPES . "{text}") (:FROM-SQL).

If the names-only parameter is set to t, it will only return a list of the names of the prepared statements.

Package

postmodern

Source

prepare.lisp (file)

Function: list-prepared-statements &optional NAMES-ONLY

Syntactic sugar. A query that lists the prepared statements in the session in which the function is run. If the optional names-only parameter is set to t, it will only return a list of the names of the prepared statements.

Package

postmodern

Source

prepare.lisp (file)

Function: list-roles &optional LT

Returns a list of alists of rolenames, role attributes and membership in roles. See https://www.postgresql.org/docs/current/role-membership.html for an explanation. The optional parameter can be used to set the return list types to :alists or :plists.

Package

postmodern

Source

util.lisp (file)

Function: list-row-reader G0 FIELDS
Package

cl-postgres

Source

public.lisp (file)

Function: list-schemas ()

List schemas in the current database, excluding the pg_* system schemas.

Package

postmodern

Source

namespace.lisp (file)

Function: list-schemata ()

List all existing user defined schemata.

Note: The query uses the portable information_schema relations instead of pg_tables relations
SELECT schema_name FROM information_schema.schemata where schema_name !~ ’(pg_*)|information_schema’ ORDER BY schema_name ;

Package

postmodern

Source

namespace.lisp (file)

Function: list-sequences &optional STRINGS-P

Return a list of the sequences in a database. Turn them into keywords if strings-p is not true.

Package

postmodern

Source

util.lisp (file)

Function: list-table-indices TABLE-NAME &optional STRINGS-P

List the index names and the related columns in a single table.

Package

postmodern

Source

util.lisp (file)

Function: list-table-sizes &key SCHEMA ORDER-BY-SIZE SIZE

Returns a list of lists (table-name, size in 8k pages) of tables in the current database.
Providing a name to the schema parameter will return just the information for tables in that schema.
It defaults to just the tables in the public schema. Setting schema to nil will return all tables, indexes etc in the database in descending order of size. This would include system tables, so there
are a lot more than you would expect. If :size is set to nil, it returns only a flat list of table names. Setting order-by-size to t will return the result in order of size instead of by table name.

Package

postmodern

Source

util.lisp (file)

Function: list-tables &optional STRINGS-P

Return a list of the tables in a database. Turn them into keywords if strings-p is not true.

Package

postmodern

Source

util.lisp (file)

Function: list-tables-in-schema &optional SCHEMA-NAME LISP-STRINGS-P

Returns a list of tables in a particular schema, defaulting to public.

Package

postmodern

Source

util.lisp (file)

Function: list-tablespaces ()

Lists the tablespaces in the currently connected database.

Package

postmodern

Source

util.lisp (file)

Function: list-triggers &optional TABLE-NAME

List distinct trigger names from the information_schema table. Table-name can be either quoted or string.

Package

postmodern

Source

util.lisp (file)

Function: list-unique-or-primary-constraints TABLE-NAME

List constraints on a table.

Package

postmodern

Source

util.lisp (file)

Function: list-views &optional STRINGS-P

Return a list of the views in a database. Turn them into keywords if strings-p is not true.

Package

postmodern

Source

util.lisp (file)

Function: log-query QUERY TIME-UNITS
Package

cl-postgres

Source

errors.lisp (file)

Function: more-table-info TABLE-NAME

Returns more table info than table-description. Table can be either a string or quoted. Specifically returns ordinal-position, column-name, data-type, character-maximum-length, modifier, whether it is not-null and the default value.

Package

postmodern

Source

util.lisp (file)

Function: num-records-in-database ()

Returns a list of lists with schema, table name and approximate number of records in the currently connected database.

Package

postmodern

Source

util.lisp (file)

Function: open-database DATABASE USER PASSWORD HOST &optional PORT USE-SSL SERVICE

Create and connect a database object. use-ssl may be :no, :try, :yes, or :full (NOTE: :yes only verifies that the server cert is issued by a trusted CA, but does not verify the server hostname; use :full to also verify the hostname).

Package

cl-postgres

Source

public.lisp (file)

Function: open-db-writer DB-SPEC TABLE COLUMNS
Package

cl-postgres

Source

bulk-copy.lisp (file)

Function: parse-queries FILE-CONTENT

read SQL queries in given string and split them, returns a list

Package

postmodern

Source

execute-file.lisp (file)

Function: prepare-query CONNECTION NAME QUERY

Prepare a query string and store it under the given name.

Package

cl-postgres

Source

public.lisp (file)

Function: prepared-statement-exists-p NAME

Returns t if the prepared statement exists in the current postgresql session, otherwise nil.

Package

postmodern

Source

prepare.lisp (file)

Function: read-queries FILENAME

read SQL queries in given file and split them, returns a list

Package

postmodern

Source

execute-file.lisp (file)

Function: read-utf-8-string INPUT &key NULL-TERMINATED STOP-AT-EOF CHAR-LENGTH BYTE-LENGTH

Read utf-8 encoded data from a byte stream and construct a string with the characters found. When null-terminated is given it will stop reading at a null character, stop-at-eof tells it to stop at the end of file without raising an error, and the char-length and byte-length parameters can be used to specify the max amount of characters or bytes to read.

Package

cl-postgres-trivial-utf-8

Source

trivial-utf-8.lisp (file)

Function: release-savepoint SAVEPOINT

Immediately release a savepoint, commiting its results.

Package

postmodern

Source

transaction.lisp (file)

Function: reopen-database CONN

Reconnect a disconnected database connection.

Package

cl-postgres

Source

public.lisp (file)

Function: reset-prepared-statement CONDITION

If you have received an invalid-prepared-statement error or a prepared-statement already exists error but the prepared statement is still in the meta slot in the postmodern connection, try to regenerate the prepared statement at the database connection level and restart the connection.

Package

postmodern

Source

prepare.lisp (file)

Function: rollback-savepoint SAVEPOINT

Immediately roll back a savepoint, aborting it results.

Package

postmodern

Source

transaction.lisp (file)

Function: save-dao DAO

Try to insert the content of a DAO. If this leads to a unique key violation, update it instead.

Package

postmodern

Source

table.lisp (file)

Function: save-dao/transaction DAO
Package

postmodern

Source

table.lisp (file)

Function: schema-exists-p NAME

Predicate for schema existence. More consistent with naming scheme for other functions.

Package

postmodern

Source

namespace.lisp (file)

Function: sequence-exists-p SEQUENCE

Check whether a sequence exists. Takes either a string or a symbol for the sequence name.

Package

postmodern

Source

util.lisp (file)

Function: sequence-next SEQUENCE

Shortcut for getting the next value from a sequence.

Package

postmodern

Source

util.lisp (file)

Function: set-search-path PATH

This changes the postgresql runtime parameter controlling what order schemas are searched. You can always use fully qualified names [schema.table]. By default, this function only changes the search path for the current session.

Package

postmodern

Source

namespace.lisp (file)

Function: set-sql-datetime-readers &key DATE TIMESTAMP TIMESTAMP-WITH-TIMEZONE INTERVAL TIME TABLE
Package

cl-postgres

Source

interpret.lisp (file)

Function: set-sql-reader OID FUNCTION &key TABLE BINARY-P

Add an sql reader to a readtable. When the reader is not binary, it is wrapped by a function that will read the string from the socket.

Package

cl-postgres

Source

interpret.lisp (file)

Function: split-fully-qualified-tablename NAME

Take a tablename of the form database.schema.table or schema.table and return the tablename and the schema name. The name can be a symbol or a string. Returns a list of form ’(table schema database

Package

postmodern

Source

util.lisp (file)

Function: sql-compile FORM
Package

s-sql

Source

s-sql.lisp (file)

Function: sql-error CONTROL &rest ARGS
Package

s-sql

Source

s-sql.lisp (file)

Function: sql-escape-string STRING &optional PREFIX

Escape string data so it can be used in a query.

Package

s-sql

Source

s-sql.lisp (file)

Function: sql-template FORM
Package

s-sql

Source

s-sql.lisp (file)

Function: string-to-utf-8-bytes STRING &key NULL-TERMINATE

Convert a string into an array of unsigned bytes containing its utf-8 representation.

Package

cl-postgres-trivial-utf-8

Source

trivial-utf-8.lisp (file)

Function: table-description TABLE-NAME &optional SCHEMA-NAME

Return a list of (name type null-allowed) lists for the fields of a table.

Package

postmodern

Source

util.lisp (file)

Function: table-exists-p TABLE-NAME &optional SCHEMA-NAME

Check whether a table exists in a particular schema. Defaults to the search path. Takes either a string or a symbol for the table name. The table-name can be fully qualified in the form of schema.table-name or database.schema.table-name. If the schema is specified either in a qualified table-name or in the optional schema-name parameter, we look directly to the information schema tables. Otherwise we use the search path which can be controlled by being within a with-schema form.

Package

postmodern

Source

util.lisp (file)

Function: table-size TABLE-NAME

Return the size of a postgresql table in k or m. Table-name can be either a string or quoted.

Package

postmodern

Source

util.lisp (file)

Function: terminate-backend PID &optional DATABASE

Less polite way of terminating at the database (as opposed to calling close-database). Faster than (cancel-backend pid) and more reliable.

Package

postmodern

Source

prepare.lisp (file)

Function: to-sql-name ()

Convert a symbol or string into a name that can be a sql table,
column, or operation name. Add quotes when escape-p is true, or
escape-p is :auto and the name contains reserved words.
Quoted or delimited identifiers can be used by passing :literal as
the value of escape-p. If escape-p is :literal, and the name is a string then the string is still escaped but the symbol or string is not downcased, regardless of the setting for *downcase-symbols* and the hyphen
and forward slash characters are not replaced with underscores.

Ignore-reserved-words is only used internally for column names which are allowed to be reserved words, but it is not recommended.

Package

s-sql

Source

s-sql.lisp (file)

Function: unprepare-query CONNECTION NAME

Close the prepared query given by name by closing the session connection. Does not remove the query from the meta slot in connection

Package

cl-postgres

Source

public.lisp (file)

Function: unused-indexes ()

Returns a list of lists showing schema.table, indexname, index_size and number of scans. The code was borrowed from: https://www.citusdata.com/blog/2019/03/29/health-checks-for-your-postgres-database/

Package

postmodern

Source

util.lisp (file)

Function: utf-8-byte-length STRING

Calculate the amount of bytes needed to encode a string.

Package

cl-postgres-trivial-utf-8

Source

trivial-utf-8.lisp (file)

Function: utf-8-bytes-to-string BYTES-IN &key START END

Convert a byte array containing utf-8 encoded characters into the string it encodes.

Package

cl-postgres-trivial-utf-8

Source

trivial-utf-8.lisp (file)

Function: utf-8-group-size BYTE

Determine the amount of bytes that are part of the character starting with a given byte.

Package

cl-postgres-trivial-utf-8

Source

trivial-utf-8.lisp (file)

Function: vector-row-reader G0 FIELDS
Package

cl-postgres

Source

public.lisp (file)

Function: view-exists-p VIEW

Check whether a view exists. Takes either a string or a symbol for the view name.

Package

postmodern

Source

util.lisp (file)

Function: wait-for-notification CONNECTION

Perform a blocking wait for asynchronous notification. Return the channel string, the payload and notifying pid as multiple values.

Package

cl-postgres

Source

public.lisp (file)

Function: write-utf-8-bytes STRING OUTPUT &key NULL-TERMINATE

Write a string to a byte-stream, encoding it as utf-8.

Package

cl-postgres-trivial-utf-8

Source

trivial-utf-8.lisp (file)


Next: , Previous: , Up: Exported definitions   [Contents][Index]

6.1.5 Generic functions

Generic Function: abort-hooks OBJECT
Generic Function: (setf abort-hooks) NEW-VALUE OBJECT
Package

postmodern

Methods
Method: abort-hooks (TRANSACTION-HANDLE transaction-handle)

automatically generated reader method

Source

transaction.lisp (file)

Method: (setf abort-hooks) NEW-VALUE (TRANSACTION-HANDLE transaction-handle)

automatically generated writer method

Source

transaction.lisp (file)

Generic Function: commit-hooks OBJECT
Generic Function: (setf commit-hooks) NEW-VALUE OBJECT
Package

postmodern

Methods
Method: commit-hooks (TRANSACTION-HANDLE transaction-handle)

automatically generated reader method

Source

transaction.lisp (file)

Method: (setf commit-hooks) NEW-VALUE (TRANSACTION-HANDLE transaction-handle)

automatically generated writer method

Source

transaction.lisp (file)

Generic Function: connection-parameters OBJECT
Generic Function: (setf connection-parameters) NEW-VALUE OBJECT
Package

cl-postgres

Methods
Method: connection-parameters (DATABASE-CONNECTION database-connection)

automatically generated reader method

Source

public.lisp (file)

Method: (setf connection-parameters) NEW-VALUE (DATABASE-CONNECTION database-connection)

automatically generated writer method

Source

public.lisp (file)

Generic Function: dao-exists-p DAO

Return a boolean indicating whether the given dao exists in the database.

Package

postmodern

Source

table.lisp (file)

Generic Function: dao-keys CLASS

Returns list of slot names that are the primary key of DAO
class. This is likely interesting if you have primary keys which are composed of more than one slot. Pay careful attention to situations where the primary key not only has more than one column, but they are actually in a different order than they are in the database table itself. You can check this with the find-primary-key-info function.

Package

postmodern

Source

table.lisp (file)

Methods
Method: dao-keys DAO
Method: dao-keys (CLASS-NAME symbol)
Method: dao-keys (CLASS dao-class) before
Method: dao-keys (DAO-CLASS dao-class)

automatically generated reader method

Generic Function: database-error-cause CONDITION
Package

cl-postgres

Methods
Method: database-error-cause (CONDITION database-error)
Source

errors.lisp (file)

Generic Function: database-error-code CONDITION
Package

cl-postgres

Methods
Method: database-error-code (CONDITION database-error)
Source

errors.lisp (file)

Generic Function: database-error-detail CONDITION
Package

cl-postgres

Methods
Method: database-error-detail (CONDITION database-error)
Source

errors.lisp (file)

Generic Function: database-error-message CONDITION
Generic Function: (setf database-error-message) NEW-VALUE CONDITION
Package

cl-postgres

Methods
Method: database-error-message (CONDITION database-error)
Method: (setf database-error-message) NEW-VALUE (CONDITION database-error)
Source

errors.lisp (file)

Generic Function: database-error-query CONDITION
Package

cl-postgres

Methods
Method: database-error-query (CONDITION database-error)
Source

errors.lisp (file)

Generic Function: delete-dao DAO

Delete the given dao from the database.

Package

postmodern

Source

table.lisp (file)

Generic Function: disconnect DATABASE

Close a database connection. Returns it to a pool if it is a pooled connection.

Package

postmodern

Source

connect.lisp (file)

Methods
Method: disconnect (CONNECTION pooled-database-connection)

Add the connection to the corresponding pool, or drop it when the pool is full.

Method: disconnect (CONNECTION database-connection)
Generic Function: field-name OBJECT
Generic Function: (setf field-name) NEW-VALUE OBJECT
Package

cl-postgres

Methods
Method: field-name (FIELD-DESCRIPTION field-description)

automatically generated reader method

Source

protocol.lisp (file)

Method: (setf field-name) NEW-VALUE (FIELD-DESCRIPTION field-description)

automatically generated writer method

Source

protocol.lisp (file)

Generic Function: field-type OBJECT
Generic Function: (setf field-type) NEW-VALUE OBJECT
Package

cl-postgres

Methods
Method: field-type (FIELD-DESCRIPTION field-description)

automatically generated reader method

Source

protocol.lisp (file)

Method: (setf field-type) NEW-VALUE (FIELD-DESCRIPTION field-description)

automatically generated writer method

Source

protocol.lisp (file)

Generic Function: get-dao TYPE &rest ARGS

Get the object corresponding to the given primary key, or return nil if it does not exist.

Package

postmodern

Source

table.lisp (file)

Methods
Method: get-dao (CLASS-NAME symbol) &rest ARGS
Generic Function: insert-dao DAO

Insert the given object into the database.

Package

postmodern

Source

table.lisp (file)

Generic Function: make-dao TYPE &rest ARGS &key &allow-other-keys

Make the instance of the given class and insert it into the database

Package

postmodern

Source

table.lisp (file)

Methods
Method: make-dao (CLASS-NAME symbol) &rest ARGS &key &allow-other-keys
Method: make-dao (CLASS dao-class) &rest ARGS &key &allow-other-keys
Generic Function: postgresql-notification-channel CONDITION
Generic Function: (setf postgresql-notification-channel) NEW-VALUE CONDITION
Package

cl-postgres

Methods
Method: postgresql-notification-channel (CONDITION postgresql-notification)
Method: (setf postgresql-notification-channel) NEW-VALUE (CONDITION postgresql-notification)
Source

protocol.lisp (file)

Generic Function: postgresql-notification-payload CONDITION
Generic Function: (setf postgresql-notification-payload) NEW-VALUE CONDITION
Package

cl-postgres

Methods
Method: postgresql-notification-payload (CONDITION postgresql-notification)
Method: (setf postgresql-notification-payload) NEW-VALUE (CONDITION postgresql-notification)
Source

protocol.lisp (file)

Generic Function: postgresql-notification-pid CONDITION
Generic Function: (setf postgresql-notification-pid) NEW-VALUE CONDITION
Package

cl-postgres

Methods
Method: postgresql-notification-pid (CONDITION postgresql-notification)
Method: (setf postgresql-notification-pid) NEW-VALUE (CONDITION postgresql-notification)
Source

protocol.lisp (file)

Generic Function: reconnect DATABASE

Reconnect a database connection.

Package

postmodern

Source

connect.lisp (file)

Methods
Method: reconnect (DATABASE database-connection)
Method: reconnect (CONNECTION pooled-database-connection)
Generic Function: serialize-for-postgres ARG

Conversion function used to turn a lisp value into a value that PostgreSQL understands when sent through its socket connection. May return a string or a (vector (unsigned-byte 8)).

Package

cl-postgres

Source

sql-string.lisp (file)

Methods
Method: serialize-for-postgres ARG
Generic Function: sql-escape ARG

Get the representation of a Lisp value so that it can be used in a query.

Package

s-sql

Source

s-sql.lisp (file)

Methods
Method: sql-escape (ARG symbol)
Method: sql-escape (ARG vector)
Method: sql-escape ARG
Generic Function: sql-type-name LISP-TYPE &rest ARGS

Transform a lisp type into a string containing
something SQL understands. Default is to just use the type symbol’s name.

Package

s-sql

Source

s-sql.lisp (file)

Methods
Method: sql-type-name (LISP-TYPE symbol) &rest ARGS
Method: sql-type-name (LISP-TYPE (eql string)) &rest ARGS
Method: sql-type-name (LISP-TYPE (eql varchar)) &rest ARGS
Method: sql-type-name (LISP-TYPE (eql numeric)) &rest ARGS
Method: sql-type-name (LISP-TYPE (eql float)) &rest ARGS
Method: sql-type-name (LISP-TYPE (eql double-float)) &rest ARGS
Method: sql-type-name (LISP-TYPE (eql double-precision)) &rest ARGS
Method: sql-type-name (LISP-TYPE (eql serial)) &rest ARGS
Method: sql-type-name (LISP-TYPE (eql serial8)) &rest ARGS
Method: sql-type-name (LISP-TYPE (eql array)) &rest ARGS
Method: sql-type-name (LISP-TYPE (eql db-null)) &rest ARGS
Generic Function: text CONDITION
Package

s-sql

Methods
Method: text (CONDITION malformed-composite-type-error)
Source

s-sql.lisp (file)

Generic Function: to-sql-string ARG

Turn a lisp value into a string containing its SQL representation. Returns an optional second value that indicates whether the string should be escaped before being put into a query. Generally any string is going to be designated to be escaped

Package

cl-postgres

Source

sql-string.lisp (file)

Methods
Method: to-sql-string (ARG string)
Method: to-sql-string (ARG vector)
Method: to-sql-string (ARG array)
Method: to-sql-string (ARG integer)
Method: to-sql-string (ARG float)
Method: to-sql-string (ARG double-float)
Method: to-sql-string (ARG ratio)
Method: to-sql-string (ARG (eql t))
Method: to-sql-string (ARG (eql nil))
Method: to-sql-string (ARG (eql null))
Method: to-sql-string ARG
Generic Function: update-dao DAO

Update the object’s representation in the database with the values in the given instance.

Package

postmodern

Source

table.lisp (file)

Generic Function: upsert-dao DAO

Update or insert the given dao. If its primary key
is already in the database and all slots are bound, an update will occur. Otherwise it tries to insert it.

Package

postmodern

Source

table.lisp (file)


Next: , Previous: , Up: Exported definitions   [Contents][Index]

6.1.6 Conditions

Condition: admin-shutdown ()
Package

cl-postgres-error

Source

errors.lisp (file)

Direct superclasses

server-shutdown (condition)

Condition: cannot-connect-now ()
Package

cl-postgres-error

Source

errors.lisp (file)

Direct superclasses

operator-intervention (condition)

Condition: check-violation ()
Package

cl-postgres-error

Source

errors.lisp (file)

Direct superclasses

integrity-violation (condition)

Condition: columns-error ()
Package

cl-postgres-error

Source

errors.lisp (file)

Direct superclasses

syntax-error-or-access-violation (condition)

Condition: crash-shutdown ()
Package

cl-postgres-error

Source

errors.lisp (file)

Direct superclasses

server-shutdown (condition)

Condition: data-exception ()
Package

cl-postgres-error

Source

errors.lisp (file)

Direct superclasses

database-error (condition)

Direct subclasses
Condition: database-connection-error ()

Conditions of this type are signalled when an error
occurs that breaks the connection socket. They offer a :reconnect restart.

Package

cl-postgres

Source

errors.lisp (file)

Direct superclasses

database-error (condition)

Direct subclasses
Condition: database-connection-lost ()

Raised when a query is initiated on a disconnected connection object.

Package

cl-postgres

Source

errors.lisp (file)

Direct superclasses

database-connection-error (condition)

Condition: database-error ()

This is the condition type that will be used to
signal virtually all database-related errors (though in some cases socket errors may be raised when a connection fails on the IP level).

Package

cl-postgres

Source

errors.lisp (file)

Direct superclasses

error (condition)

Direct subclasses
Direct methods
Direct slots
Slot: error-code

Code: the SQLSTATE code for the error (see Appendix A). Not localizable. Always present.

Initargs

:code

Initform

(quote nil)

Readers

database-error-code (generic function)

Slot: message

Message: the primary human-readable error message. This should be accurate but terse (typically one line). Always present.

Initargs

:message

Readers

database-error-message (generic function)

Writers

(setf database-error-message) (generic function)

Slot: detail

Detail: an optional secondary error message carrying more detail about the problem. Might run to multiple lines.

Initargs

:detail

Initform

(quote nil)

Readers

database-error-detail (generic function)

Slot: hint

Hint: an optional suggestion what to do about the problem.

Initargs

:hint

Initform

(quote nil)

Readers

database-error-hint (generic function)

Slot: context

Where: an indication of the context in which the error occurred. Presently this includes a call stack traceback of active procedural language functions and internally-generated queries. The trace is one entry per line, most recent first.

Initargs

:context

Initform

(quote nil)

Readers

database-error-context (generic function)

Slot: query

Query that led to the error, if any.

Initform

(quote cl-postgres::*current-query*)

Readers

database-error-query (generic function)

Slot: position

Position: the field value is a decimal ASCII integer, indicating an error cursor position as an index into the original query string. The first character has index 1, and positions are measured in characters not bytes.

Initargs

:position

Initform

(quote nil)

Readers

database-error-position (generic function)

Slot: cause
Initargs

:cause

Initform

(quote nil)

Readers

database-error-cause (generic function)

Condition: database-socket-error ()

Used to wrap stream-errors and socket-errors, giving them a database-connection-error superclass.

Package

cl-postgres

Source

errors.lisp (file)

Direct superclasses

database-connection-error (condition)

Condition: db-division-by-zero ()
Package

cl-postgres-error

Source

errors.lisp (file)

Direct superclasses

data-exception (condition)

Condition: deadlock-detected ()
Package

cl-postgres-error

Source

errors.lisp (file)

Direct superclasses

transaction-rollback (condition)

Condition: duplicate-alias ()
Package

cl-postgres-error

Source

errors.lisp (file)

Direct superclasses

syntax-error-or-access-violation (condition)

Condition: duplicate-column ()
Package

cl-postgres-error

Source

errors.lisp (file)

Direct superclasses

syntax-error-or-access-violation (condition)

Condition: duplicate-cursor ()
Package

cl-postgres-error

Source

errors.lisp (file)

Direct superclasses

syntax-error-or-access-violation (condition)

Condition: duplicate-database ()
Package

cl-postgres-error

Source

errors.lisp (file)

Direct superclasses

syntax-error-or-access-violation (condition)

Condition: duplicate-function ()
Package

cl-postgres-error

Source

errors.lisp (file)

Direct superclasses

syntax-error-or-access-violation (condition)

Condition: duplicate-object ()
Package

cl-postgres-error

Source

errors.lisp (file)

Direct superclasses

syntax-error-or-access-violation (condition)

Condition: duplicate-prepared-statement ()
Package

cl-postgres-error

Source

errors.lisp (file)

Direct superclasses

syntax-error-or-access-violation (condition)

Condition: duplicate-schema ()
Package

cl-postgres-error

Source

errors.lisp (file)

Direct superclasses

syntax-error-or-access-violation (condition)

Condition: duplicate-table ()
Package

cl-postgres-error

Source

errors.lisp (file)

Direct superclasses

syntax-error-or-access-violation (condition)

Condition: feature-not-supported ()
Package

cl-postgres-error

Source

errors.lisp (file)

Direct superclasses

database-error (condition)

Condition: floating-point-exception ()
Package

cl-postgres-error

Source

errors.lisp (file)

Direct superclasses

data-exception (condition)

Condition: foreign-key-violation ()
Package

cl-postgres-error

Source

errors.lisp (file)

Direct superclasses

integrity-violation (condition)

Condition: insufficient-privilege ()
Package

cl-postgres-error

Source

errors.lisp (file)

Direct superclasses

syntax-error-or-access-violation (condition)

Condition: insufficient-resources ()
Package

cl-postgres-error

Source

errors.lisp (file)

Direct superclasses

database-error (condition)

Condition: integrity-violation ()
Package

cl-postgres-error

Source

errors.lisp (file)

Direct superclasses

database-error (condition)

Direct subclasses
Condition: internal-error ()
Package

cl-postgres-error

Source

errors.lisp (file)

Direct superclasses

database-error (condition)

Condition: invalid-datetime-format ()
Package

cl-postgres-error

Source

errors.lisp (file)

Direct superclasses

data-exception (condition)

Condition: invalid-sql-statement-name ()
Package

cl-postgres-error

Source

errors.lisp (file)

Direct superclasses

database-error (condition)

Condition: lock-not-available ()
Package

cl-postgres-error

Source

errors.lisp (file)

Direct superclasses

object-state-error (condition)

Condition: not-null-violation ()
Package

cl-postgres-error

Source

errors.lisp (file)

Direct superclasses

integrity-violation (condition)

Condition: numeric-value-out-of-range ()
Package

cl-postgres-error

Source

errors.lisp (file)

Direct superclasses

data-exception (condition)

Condition: object-in-use ()
Package

cl-postgres-error

Source

errors.lisp (file)

Direct superclasses

object-state-error (condition)

Condition: object-state-error ()
Package

cl-postgres-error

Source

errors.lisp (file)

Direct superclasses

database-error (condition)

Direct subclasses
Condition: operator-intervention ()
Package

cl-postgres-error

Source

errors.lisp (file)

Direct superclasses

database-error (condition)

Direct subclasses
Condition: postgresql-notification ()
Package

cl-postgres

Source

protocol.lisp (file)

Direct superclasses

simple-warning (condition)

Direct methods
Direct slots
Slot: pid
Initargs

:pid

Readers

postgresql-notification-pid (generic function)

Writers

(setf postgresql-notification-pid) (generic function)

Slot: channel
Initargs

:channel

Readers

postgresql-notification-channel (generic function)

Writers

(setf postgresql-notification-channel) (generic function)

Slot: payload
Initargs

:payload

Readers

postgresql-notification-payload (generic function)

Writers

(setf postgresql-notification-payload) (generic function)

Condition: postgresql-warning ()
Package

cl-postgres

Source

protocol.lisp (file)

Direct superclasses

simple-warning (condition)

Condition: program-limit-exceeded ()
Package

cl-postgres-error

Source

errors.lisp (file)

Direct superclasses

database-error (condition)

Condition: query-canceled ()
Package

cl-postgres-error

Source

errors.lisp (file)

Direct superclasses

operator-intervention (condition)

Condition: restrict-violation ()
Package

cl-postgres-error

Source

errors.lisp (file)

Direct superclasses

integrity-violation (condition)

Condition: serialization-failure ()
Package

cl-postgres-error

Source

errors.lisp (file)

Direct superclasses

transaction-rollback (condition)

Condition: server-shutdown ()
Package

cl-postgres-error

Source

errors.lisp (file)

Direct superclasses
Direct subclasses
Condition: sql-error ()
Package

s-sql

Source

s-sql.lisp (file)

Direct superclasses

simple-error (condition)

Condition: statement-completion-unknown ()
Package

cl-postgres-error

Source

errors.lisp (file)

Direct superclasses

transaction-rollback (condition)

Condition: syntax-error-or-access-violation ()
Package

cl-postgres-error

Source

errors.lisp (file)

Direct superclasses

database-error (condition)

Direct subclasses
Condition: system-error ()
Package

cl-postgres-error

Source

errors.lisp (file)

Direct superclasses

database-error (condition)

Condition: transaction-integrity-constraint-violation ()
Package

cl-postgres-error

Source

errors.lisp (file)

Direct superclasses

transaction-rollback (condition)

Condition: transaction-rollback ()
Package

cl-postgres-error

Source

errors.lisp (file)

Direct superclasses

database-error (condition)

Direct subclasses
Condition: undefined-column ()
Package

cl-postgres-error

Source

errors.lisp (file)

Direct superclasses

syntax-error-or-access-violation (condition)

Condition: unique-violation ()
Package

cl-postgres-error

Source

errors.lisp (file)

Direct superclasses

integrity-violation (condition)

Condition: utf-8-decoding-error ()
Package

cl-postgres-trivial-utf-8

Source

trivial-utf-8.lisp (file)

Direct superclasses

simple-error (condition)

Direct slots
Slot: message
Initargs

:message

Slot: byte
Initargs

:byte

Initform

(quote nil)


Next: , Previous: , Up: Exported definitions   [Contents][Index]

6.1.7 Classes

Class: dao-class ()

Metaclass for database-access-object classes.

Package

postmodern

Source

table.lisp (file)

Direct superclasses

standard-class (class)

Direct methods
  • make-dao (method)
  • effective-slot-definition-class (method)
  • compute-effective-slot-definition (method)
  • direct-slot-definition-class (method)
  • finalize-inheritance (method)
  • shared-initialize (method)
  • validate-superclass (method)
  • dao-keys (method)
  • dao-column-map (method)
  • dao-keys (method)
  • direct-keys (method)
Direct slots
Slot: direct-keys
Initargs

:keys

Readers

direct-keys (generic function)

Slot: effective-keys
Readers

dao-keys (generic function)

Slot: table-name
Slot: column-map
Readers

dao-column-map (generic function)

Class: database-connection ()

Representation of a database connection. Contains
login information in order to be able to automatically re-establish a connection when it is somehow closed.

Package

cl-postgres

Source

public.lisp (file)

Direct superclasses

standard-object (class)

Direct subclasses

pooled-database-connection (class)

Direct methods
Direct slots
Slot: host
Initargs

:host

Readers

connection-host (generic function)

Slot: port
Initargs

:port

Readers

connection-port (generic function)

Slot: database
Initargs

:db

Readers

connection-db (generic function)

Slot: user
Initargs

:user

Readers

connection-user (generic function)

Slot: password
Initargs

:password

Readers

connection-password (generic function)

Slot: use-ssl
Initargs

:ssl

Readers

connection-use-ssl (generic function)

Slot: service
Initargs

:service

Readers

connection-service (generic function)

Writers

(setf connection-service) (generic function)

Slot: socket
Initargs

:socket

Readers

connection-socket (generic function)

Writers

(setf connection-socket) (generic function)

Slot: meta
Slot: available
Initform

t

Readers

connection-available (generic function)

Writers

(setf connection-available) (generic function)

Slot: parameters
Readers

connection-parameters (generic function)

Writers

(setf connection-parameters) (generic function)

Slot: timestamp-format
Readers

connection-timestamp-format (generic function)

Writers

(setf connection-timestamp-format) (generic function)


Previous: , Up: Exported definitions   [Contents][Index]

6.1.8 Types

Type: bigint ()
Package

s-sql

Source

s-sql.lisp (file)

Type: bytea ()
Package

s-sql

Source

s-sql.lisp (file)

Type: db-null ()

Type for representing NULL values. Use like (or integer db-null) for declaring a type to be an integer that may be null.

Package

s-sql

Source

s-sql.lisp (file)

Type: double-precision ()
Package

s-sql

Source

s-sql.lisp (file)

Type: numeric &optional PRECISION/SCALE SCALE
Package

s-sql

Source

s-sql.lisp (file)

Type: smallint ()
Package

s-sql

Source

s-sql.lisp (file)

Type: text ()
Package

s-sql

Source

s-sql.lisp (file)

Type: varchar LENGTH
Package

s-sql

Source

s-sql.lisp (file)


Previous: , Up: Definitions   [Contents][Index]

6.2 Internal definitions


Next: , Previous: , Up: Internal definitions   [Contents][Index]

6.2.1 Constants

Constant: +seconds-in-day+
Package

cl-postgres

Source

interpret.lisp (file)

Constant: +start-of-2000+
Package

cl-postgres

Source

interpret.lisp (file)


Next: , Previous: , Up: Internal definitions   [Contents][Index]

6.2.2 Special variables

Special Variable: *class-finalize-lock*
Package

postmodern

Source

query.lisp (file)

Special Variable: *client-encoding*
Package

cl-postgres

Source

strings-utf-8.lisp (file)

Special Variable: *connection-params*

Bound to the current connection’s parameter table when executing a query.

Package

cl-postgres

Source

protocol.lisp (file)

Special Variable: *connection-pools*

Maps pool specifiers to lists of pooled connections.

Package

postmodern

Source

connect.lisp (file)

Special Variable: *current-query*
Package

cl-postgres

Source

errors.lisp (file)

Special Variable: *custom-column-writers*

A hook for locally overriding/adding behaviour to DAO row readers. Should be an alist mapping strings (column names) to symbols or functions. Symbols are interpreted as slot names that values should be written to, functions are called with the new object and the value as arguments.

Package

postmodern

Source

table.lisp (file)

Special Variable: *default-sql-readtable*

A copy of the default readtable that client code can fall back on.

Package

cl-postgres

Source

interpret.lisp (file)

Special Variable: *direct-column-slot*

This is used to communicate the fact that a slot is a column to effective-slot-definition-class.

Package

postmodern

Source

table.lisp (file)

Special Variable: *effected-rows*
Package

cl-postgres

Source

protocol.lisp (file)

Special Variable: *error-table*
Package

cl-postgres-error

Source

errors.lisp (file)

Special Variable: *expand-runtime*
Package

s-sql

Source

s-sql.lisp (file)

Special Variable: *optimize*
Package

cl-postgres

Source

package.lisp (file)

Special Variable: *optimize*
Package

cl-postgres-trivial-utf-8

Source

trivial-utf-8.lisp (file)

Special Variable: *pool-lock*

A lock to prevent multiple threads from messing with the connection pool at the same time.

Package

postmodern

Source

connect.lisp (file)

Special Variable: *postgres-reserved-words*

A set of all PostgreSQL’s reserved words, for automatic escaping.

Package

s-sql

Source

s-sql.lisp (file)

Special Variable: *result-styles*

Mapping from keywords identifying result styles to the row-reader that should be used and whether all values or only one value should be returned.

Package

postmodern

Source

query.lisp (file)

Special Variable: *string-file*
Package

cl-postgres-system

Source

cl-postgres.asd

Special Variable: *tables*

Unexported ordered list containing the known table definitions.

Package

postmodern

Source

deftable.lisp (file)

Special Variable: *timestamp-format*

This is used to communicate the format (integer or float) used for timestamps and intervals in the current connection, so that the interpreters for those types know how to parse them.

Package

cl-postgres

Source

interpret.lisp (file)

Special Variable: *transaction-level*
Package

postmodern

Source

transaction.lisp (file)

Special Variable: *unicode*
Package

cl-postgres-system

Source

cl-postgres.asd


Next: , Previous: , Up: Internal definitions   [Contents][Index]

6.2.3 Macros

Macro: all-rows FORM
Package

postmodern

Source

query.lisp (file)

Macro: as-utf-8-bytes CHAR WRITER

Given a character, calls the writer function for every byte in the encoded form of that character.

Package

cl-postgres-trivial-utf-8

Source

trivial-utf-8.lisp (file)

Macro: binary-reader FIELDS &body VALUE

A slightly convoluted macro for defining interpreter functions. It allows two forms. The first is to pass a single type identifier, in which case a value of this type will be read and returned directly. The second is to pass a list of lists containing names and types, and then a body. In this case the names will be bound to values read from the socket and interpreted as the given types, and then the body will be run in the resulting environment. If the last field is of type bytes, string, or uint2s, all remaining data will be read and interpreted as an array of the given type.

Package

cl-postgres

Source

interpret.lisp (file)

Macro: dao-row-reader-with-body (TYPE TYPE-VAR) &body BODY
Package

postmodern

Source

table.lisp (file)

Macro: def-drop-op OP-NAME WORD
Package

s-sql

Source

s-sql.lisp (file)

Macro: def-sql-op NAME ARGLIST &body BODY

Macro to make defining syntax a bit more straightforward. Name should be the keyword identifying the operator, arglist a lambda list to apply to the arguments, and body something that produces a list of strings and forms that evaluate to strings.

Package

s-sql

Source

s-sql.lisp (file)

Macro: deferror CODE TYPENAME &optional SUPERCLASS
Package

cl-postgres-error

Source

errors.lisp (file)

Macro: define-interpreter OID NAME FIELDS &body VALUE

Shorthand for defining binary readers.

Package

cl-postgres

Source

interpret.lisp (file)

Macro: define-message NAME ID (&rest ARGLIST) &body PARTS

This macro synthesizes a function to send messages of a specific type. It takes care of the plumbing – calling writer functions on a stream, keeping track of the length of the message – so that the message definitions themselves stay readable.

Package

cl-postgres

Source

messages.lisp (file)

Macro: integer-reader BYTES

Create a function to read integers from a binary stream.

Package

cl-postgres

Source

communicate.lisp (file)

Macro: integer-writer BYTES

Create a function to write integers to a binary stream.

Package

cl-postgres

Source

communicate.lisp (file)

Macro: make-exists-query RELKIND NAME

Helper macro for the functions that check whether an object exists.

Package

postmodern

Source

util.lisp (file)

Macro: make-list-query RELKIND

Helper macro for the functions that list tables, sequences, and views.

Package

postmodern

Source

util.lisp (file)

Macro: message-case SOCKET &body CLAUSES

Helper macro for reading messages from the server. A list of cases (characters that identify the message) can be given, each with a body that handles the message, or the keyword :skip to skip the message. Cases for error and warning messages are always added.

The body may contain an initial parameter of the form :LENGTH-SYM SYMBOL where SYMBOL is a symbol to which the remaining length of the packet is bound. This value indicates the number of bytes that have to be read from the socket.

Package

cl-postgres

Source

protocol.lisp (file)

Macro: returning-effected-rows VALUE &body BODY

Computes a value, then runs a body, then returns, as multiple values, that value and the amount of effected rows, if any (see *effected rows*).

Package

cl-postgres

Source

protocol.lisp (file)

Macro: single-row FORM
Package

postmodern

Source

query.lisp (file)

Macro: single-row! FORM
Package

postmodern

Source

query.lisp (file)

Macro: split-on-keywords WORDS FORM &body BODY

Handles arguments to some complex SQL operations. Arguments
are divided by keywords, which are interned with the name of the non-keyword symbols in words, and bound to these symbols. After the naming symbols, a ? can be used to indicate this argument group is optional, an * to indicate it can consist of more than one element, and a - to indicate it does not take any elements. When used, keywords must appear in the order defined.

Package

s-sql

Source

s-sql.lisp (file)

Macro: using-connection CONNECTION &body BODY

This is used to prevent a row-reader from recursively calling some query function. Because the connection is still returning results from the previous query when a row-reading is being executed, starting another query will not work as expected (or at all, in general). This might also raise an error when you are using a single database connection from multiple threads, but you should not do that at all. Also binds *timestamp-format* and *connection-params*, which might be needed by the code interpreting the query results.

Package

cl-postgres

Source

public.lisp (file)

Macro: with-pool-lock &body BODY

Aquire a lock for the pool when evaluating body (if thread support is present).

Package

postmodern

Source

connect.lisp (file)

Macro: with-query (QUERY) &body BODY
Package

cl-postgres

Source

errors.lisp (file)

Macro: with-reconnect-restart CONNECTION &body BODY

When, inside the body, an error occurs that breaks the connection socket, a condition of type database-connection-error is raised, offering a :reconnect restart.

Package

cl-postgres

Source

public.lisp (file)

Macro: with-syncing &body BODY

Macro to wrap a block in a handler that will try to re-sync the connection if something in the block raises a condition. Not hygienic at all, only used right below here.

Package

cl-postgres

Source

protocol.lisp (file)


Next: , Previous: , Up: Internal definitions   [Contents][Index]

6.2.4 Functions

Function: %build-foreign-reference TARGET ON-DELETE ON-UPDATE MATCH
Package

s-sql

Source

s-sql.lisp (file)

Function: %eval CODE
Package

postmodern

Source

table.lisp (file)

Function: add-table-definition SYMBOL FUNC
Package

postmodern

Source

deftable.lisp (file)

Function: alter-table-column COLUMN-NAME ARGS

Generates the sql string for the portion of altering a column.

Package

s-sql

Source

s-sql.lisp (file)

Function: array-hash-row-reader G0 FIELDS
Package

postmodern

Source

query.lisp (file)

Function: authenticate SOCKET CONN

Try to initiate a connection. Caller should close the socket if this raises a condition.

Package

cl-postgres

Source

protocol.lisp (file)

Function: begin-transaction &optional ISOLATION-LEVEL
Package

postmodern

Source

transaction.lisp (file)

Function: bind-message SOCKET NAME RESULT-FORMATS PARAMETERS

Bind a prepared statement, ask for the given formats, and pass the given parameters, that can be either string or byte vector.
(vector (unsigned-byte 8)) parameters will be sent as binary data, useful for binding data for binary long object columns.

Package

cl-postgres

Source

messages.lisp (file)

Function: build-dao-methods CLASS

Synthesise a number of methods for a newly defined DAO class. (Done this way because some of them are not defined in every situation, and each of them needs to close over some pre-computed values. Notes for future maintenance: Fields are the slot names in a dao class. Field-sql-name returns the col-name for the postgresql table, which may or may not be the same as the slot names in the class and also may have no relation to the initarg or accessor or reader.)

Package

postmodern

Source

table.lisp (file)

Function: build-row-reader FUNCTION-FORM FIELDS BODY

Helper for the following two macros.

Package

cl-postgres

Source

protocol.lisp (file)

Function: bytes-to-hex-string BYTES

Convert an array of 0-255 numbers into the corresponding string of (lowercase) hex codes.

Package

cl-postgres

Source

messages.lisp (file)

Function: call-with-ensured-transaction THUNK &optional ISOLATION-LEVEL
Package

postmodern

Source

transaction.lisp (file)

Function: call-with-logical-transaction NAME BODY &optional ISOLATION-LEVEL
Package

postmodern

Source

transaction.lisp (file)

Function: call-with-savepoint NAME BODY
Package

postmodern

Source

transaction.lisp (file)

Function: call-with-transaction BODY &optional ISOLATION-LEVEL
Package

postmodern

Source

transaction.lisp (file)

Function: close-prepared-message G0 NAME
Package

cl-postgres

Source

messages.lisp (file)

Function: column-row-reader G0 FIELDS
Package

postmodern

Source

query.lisp (file)

Function: connection-pid CONNECTION

Retrieves a list consisting of the pid and the secret-key from the connection, not from the database itself. These are needed for cancelling connections and error processing with respect to prepared statements.

Package

cl-postgres

Source

public.lisp (file)

Function: cons-to-sql-name-strings ITEM

Takes a list of two items and returns a single string separated by a space. The items will be converted to sql compatible namestrings.

Package

s-sql

Source

s-sql.lisp (file)

Function: copier-write-sequence S VECTOR
Package

cl-postgres

Source

bulk-copy.lisp (file)

Function: copier-write-value S VAL
Package

cl-postgres

Source

bulk-copy.lisp (file)

Function: copy-data-message SOCKET DATA
Package

cl-postgres

Source

messages.lisp (file)

Function: copy-done-message G0
Package

cl-postgres

Source

messages.lisp (file)

Function: copy-fail-message G0 REASON
Package

cl-postgres

Source

messages.lisp (file)

Function: copy-parser INSTANCE
Package

postmodern

Source

execute-file.lisp (file)

Function: copy-query SELF
Package

cl-postgres

Source

bulk-copy.lisp (file)

Function: dao-column-fields CLASS
Package

postmodern

Source

table.lisp (file)

Function: dao-column-slots CLASS

Enumerate the slots in a class that refer to table rows.

Package

postmodern

Source

table.lisp (file)

Function: dao-from-fields CLASS COLUMN-MAP QUERY-FIELDS RESULT-NEXT-FIELD-GENERATOR-FN
Package

postmodern

Source

table.lisp (file)

Function: dao-row-reader CLASS

Defines a row-reader for objects of a given class.

Package

postmodern

Source

table.lisp (file)

Function: dao-spec-for-format FORMAT
Package

postmodern

Source

query.lisp (file)

Function: dao-superclasses CLASS

Build a list of superclasses of a given class that are DAO classes.

Package

postmodern

Source

table.lisp (file)

Function: dequote VAL

Helper function for macros which look for ’something but that has been converted to (quote something).

Package

s-sql

Source

s-sql.lisp (file)

Function: describe-prepared-message G0 NAME
Package

cl-postgres

Source

messages.lisp (file)

Function: dissect-type TYPE

Return the type and whether it may be NULL. TYPE may be a list starting with ’or’ containing two, and only two, potential types to test.

Package

s-sql

Source

s-sql.lisp (file)

Function: do-with-schema SCHEMA THUNK &key STRICT IF-NOT-EXIST DROP-AFTER
Package

postmodern

Source

namespace.lisp (file)

Function: drop-table NAME &key IF-EXISTS CASCADE

Drop a table. Available additional key parameters are :if-exists and :cascade.

Package

postmodern

Source

util.lisp (file)

Function: enc-byte-length SEQUENCE
Package

cl-postgres

Source

strings-utf-8.lisp (file)

Function: enc-read-string INPUT &key NULL-TERMINATED BYTE-LENGTH
Package

cl-postgres

Source

strings-utf-8.lisp (file)

Function: enc-string-bytes STRING &key NULL-TERMINATE
Package

cl-postgres

Source

strings-utf-8.lisp (file)

Function: enc-write-string STRING OUTPUT &key NULL-TERMINATE
Package

cl-postgres

Source

strings-utf-8.lisp (file)

Function: ensure-connection CONN

Used to make sure a connection object is connected before doing anything with it.

Package

cl-postgres

Source

public.lisp (file)

Function: ensure-prepared CONNECTION ID QUERY &optional OVERWRITE

Make sure a statement has been prepared for this connection. If overwrite is set to t (not the default), it will overwrite the existing query of the same name.

Package

postmodern

Source

prepare.lisp (file)

Function: ensure-socket-is-closed SOCKET &key ABORT
Package

cl-postgres

Source

communicate.lisp (file)

Function: escape-bytes BYTES

Escape an array of octets in PostgreSQL’s horribly inefficient textual format for binary data.

Package

cl-postgres

Source

sql-string.lisp (file)

Function: escape-sql-expression EXPR

Try to escape an expression at compile-time, if not possible, delay to runtime. Used to create stored procedures.

Package

s-sql

Source

s-sql.lisp (file)

Function: expand-composite-table-name FRM

Helper function for building a composite table name

Package

s-sql

Source

s-sql.lisp (file)

Function: expand-create-index NAME ARGS

Available parameters - in order after name - are :concurrently, :on, :using, :fields and :where.The advantage to using the keyword :concurrently is that writes to the table from other sessions are not locked out while the index is is built. The disadvantage is that the table will need to be scanned twice. Everything is a trade-off.

Package

s-sql

Source

s-sql.lisp (file)

Function: expand-extended-table-constraint OPTION ARGS

Process table constraints that follow the closing parentheses in the table definition.

Package

s-sql

Source

s-sql.lisp (file)

Function: expand-foreign-on* ACTION
Package

s-sql

Source

s-sql.lisp (file)

Function: expand-identity KEYWD
Package

s-sql

Source

s-sql.lisp (file)

Function: expand-interval OPTION

Provide interval limit options

Package

s-sql

Source

s-sql.lisp (file)

Function: expand-joins ARGS

Helper for the select operator. Turns the part following :from into the proper SQL syntax for joining tables.

Package

s-sql

Source

s-sql.lisp (file)

Function: expand-rows ROWS LENGTH
Package

s-sql

Source

s-sql.lisp (file)

Function: expand-table-column COLUMN-NAME ARGS
Package

s-sql

Source

s-sql.lisp (file)

Function: expand-table-constraint OPTION ARGS

Process table constraints that precede the closing parentheses in the table definition for the base level create table.
The difference between this and the expand-table-constraint-sok function is the parameter list
signature. This expects to receive no sublists. The expand-table-constraint-sok function expects to list of sublists.
This is done to maintain backwards compatibility and most general users do not need the extended version.

Foreign keys have defaults on-delete restrict, on-update restrict, and match simple. If you want
to change those defaults, you need to specify them in that order.

Per the postgresql documentation at https://www.postgresql.org/docs/10/static/sql-createtable.html

A value inserted into the referencing column(s) is matched against the values of the referenced table and referenced columns using the given match type. There are three match types: MATCH FULL, MATCH PARTIAL, and MATCH SIMPLE (which is the default). MATCH FULL will not allow one column of a multicolumn foreign key to be null unless all foreign key columns are null; if they are all null, the row is not required to have a match in the referenced table. MATCH SIMPLE allows any of the foreign key columns to be null; if any of them are null, the row is not required to have a match in the referenced table. MATCH PARTIAL is not yet implemented. (Of course, NOT NULL constraints can be applied to the referencing column(s) to prevent these cases from arising.)

Package

s-sql

Source

s-sql.lisp (file)

Function: expand-table-constraint-sok ARGS

Expand-table-constraint for the create-extended-table sql-op. The difference between the two is the parameter list signature. This expects a list of sublists. The regular expand-table-constraint expects to receive no sublists. DOES NOT IMPLEMENT POSTGRESQL FUNCTION EXCLUDE.

Package

s-sql

Source

s-sql.lisp (file)

Function: expand-table-name NAME &optional TABLESET
Package

s-sql

Source

s-sql.lisp (file)

Function: flat-table-name &optional TABLE
Package

postmodern

Source

deftable.lisp (file)

Function: flush-message G0
Package

cl-postgres

Source

messages.lisp (file)

Function: for-update/share SHARE-OR-UPDATE FORM &rest ARGS
Package

s-sql

Source

s-sql.lisp (file)

Function: formats-to-bytes FORMATS

Formats have to be passed as arrays of 2-byte integers, with 1 indicating binary and 0 indicating plain text.

Package

cl-postgres

Source

messages.lisp (file)

Function: generate-dao-query TYPE &optional TEST ORDERING
Package

postmodern

Source

table.lisp (file)

Function: generate-prepared FUNCTION-FORM NAME QUERY FORMAT

Helper function for the following two macros. Note that it will attempt to automatically reconnect if database-connection-error, or admin-shutdown. It will reset any prepared statements triggering an invalid-sql-statement-name error. The generated function will overwrite old prepared statements triggering a duplicate-prepared-statement error and will pre-emptively overwrite an existing prepared statement of the same name the first time generate-prepared is called for this function name. Subsequent calls to the generated function will not overwrite unless postgresql throws a duplicate-prepared-statement error.

Package

postmodern

Source

prepare.lisp (file)

Function: get-error SOCKET

Read an error message from the socket and raise the corresponding database-error condition.

Package

cl-postgres

Source

protocol.lisp (file)

Function: get-error-type CODE
Package

cl-postgres-error

Source

errors.lisp (file)

Function: get-from-pool TYPE

Get a database connection from the specified pool, returns nil if no connection was available.

Package

postmodern

Source

connect.lisp (file)

Function: get-host-address HOST

Returns valid IPv4 or IPv6 address for the host.

Package

cl-postgres

Source

public.lisp (file)

Function: get-notification SOCKET

Read an asynchronous notification message from the socket and signal a condition for it.

Package

cl-postgres

Source

protocol.lisp (file)

Function: get-type-interpreter OID

Returns a type-interpreter containing interpretation rules for this type.

Package

cl-postgres

Source

interpret.lisp (file)

Function: get-utf-8-character BYTES GROUP-SIZE &optional START

Given an array of bytes and the amount of bytes to use, extract the character starting at the given start position.

Package

cl-postgres-trivial-utf-8

Source

trivial-utf-8.lisp (file)

Function: get-warning SOCKET

Read a warning from the socket and emit it.

Package

cl-postgres

Source

protocol.lisp (file)

Function: gss-auth-buffer-message G0 BUF
Package

cl-postgres

Source

messages.lisp (file)

Function: implode SEP LIST

Reduce a list of strings to a single string, inserting a separator between them.

Package

s-sql

Source

s-sql.lisp (file)

Function: inet-socket-connect HOST PORT
Package

cl-postgres

Source

public.lisp (file)

Function: initialize-copier SELF
Package

cl-postgres

Source

bulk-copy.lisp (file)

Function: initiate-connection CONN

Check whether a connection object is connected, try to connect it if it isn’t.

Package

cl-postgres

Source

public.lisp (file)

Function: initiate-ssl SOCKET REQUIRED HOSTNAME

Initiate SSL handshake with the PostgreSQL server, and wrap the socket in an SSL stream. When require is true, an error will be raised when the server does not support SSL. When hostname is supplied, the server’s certificate will be matched against it.

Package

cl-postgres

Source

protocol.lisp (file)

Function: integer-reader-name BYTES SIGNED
Package

cl-postgres

Source

communicate.lisp (file)

Function: integer-writer-name BYTES SIGNED
Package

cl-postgres

Source

communicate.lisp (file)

Function: interpret-as-text STREAM SIZE

This interpreter is used for types that we have no specific interpreter for – it just reads the value as a string. (Values of unknown types are passed in text form.)

Package

cl-postgres

Source

interpret.lisp (file)

Function: interpret-usec-bits BITS

Decode a 64 bit time-related value based on the timestamp format used. Correct for sign bit when using integer format.

Package

cl-postgres

Source

interpret.lisp (file)

Function: interpreter-binary-p INTERP

If the interpreter’s use-binary field is a function, call it and return the value, otherwise, return T or nil as appropriate.

Package

cl-postgres

Source

interpret.lisp (file)

Function: interpreter-reader INTERP

Determine if we went the text or binary reader for this type interpreter and return the appropriate reader.

Package

cl-postgres

Source

interpret.lisp (file)

Function: isolation-level-p ITEM

Checks whether a variable is a valid isolation-level keyword.

Package

postmodern

Source

transaction.lisp (file)

Function: look-for-row SOCKET

Read server messages until either a new row can be read, or there are no more results. Return a boolean indicating whether any more results are available, and, if available, stores the amount of effected rows in *effected-rows*. Also handle getting out of copy-in/copy-out states (which are not supported).

Package

cl-postgres

Source

protocol.lisp (file)

Function: make-expander ARITY NAME

Generates an appropriate expander function for a given operator with a given arity.

Package

s-sql

Source

s-sql.lisp (file)

Function: make-parser &key (FILENAME FILENAME) (STREAM STREAM) (STATE STATE) (TAGS TAGS)
Package

postmodern

Source

execute-file.lisp (file)

Function: md5-password PASSWORD USER SALT

Apply the hashing that PostgreSQL expects to a password.

Package

cl-postgres

Source

messages.lisp (file)

Function: md5-password-message G0 PASSWORD USER SALT
Package

cl-postgres

Source

messages.lisp (file)

Function: next-statement-id ()

Provide unique statement names.

Package

postmodern

Source

prepare.lisp (file)

Function: parse-message G0 NAME QUERY
Package

cl-postgres

Source

messages.lisp (file)

Function: parse-query STREAM &optional STATE

Read a SQL query from STREAM, starting at whatever the current position is.

Returns another SQL query each time it’s called, or NIL when EOF is
reached expectedly. Signal end-of-file condition when reaching EOF in the
middle of a query.

See the following docs for some of the parser complexity background:

http://www.postgresql.org/docs/9.3/static/sql-syntax-lexical.html#SQL-SYNTAX-DOLLAR-QUOTING

Parser states are:

- EAT reading the query
- TAG reading a tag that could be an embedded $x$ tag or a closing tag
- EOT End Of Tag
- EQT Eat Quoted Text
- EDQ Eat Double-Quoted Text (identifiers)
- EOQ done reading the query
- ESC read espaced text (with backslash)

Package

postmodern

Source

execute-file.lisp (file)

Function: parser-filename INSTANCE
Function: (setf parser-filename) VALUE INSTANCE
Package

postmodern

Source

execute-file.lisp (file)

Function: parser-p OBJECT
Package

postmodern

Source

execute-file.lisp (file)

Function: parser-state INSTANCE
Function: (setf parser-state) VALUE INSTANCE
Package

postmodern

Source

execute-file.lisp (file)

Function: parser-stream INSTANCE
Function: (setf parser-stream) VALUE INSTANCE
Package

postmodern

Source

execute-file.lisp (file)

Function: parser-tags INSTANCE
Function: (setf parser-tags) VALUE INSTANCE
Package

postmodern

Source

execute-file.lisp (file)

Function: plain-password-message G0 PASSWORD
Package

cl-postgres

Source

messages.lisp (file)

Function: query-dao% TYPE QUERY ROW-READER &rest ARGS
Package

postmodern

Source

table.lisp (file)

Function: query-message G0 QUERY
Package

cl-postgres

Source

messages.lisp (file)

Function: quoted-name-p NAME

Helper function which may be useful for certain macros.
Takes what might be a string, a symbol or a quoted-name in the form ’(quote name) and returns the string version of the name.

Package

s-sql

Source

s-sql.lisp (file)

Function: read-array-value TRANSFORM
Package

cl-postgres

Source

interpret.lisp (file)

Function: read-binary-array-value STREAM SIZE
Package

cl-postgres

Source

interpret.lisp (file)

Function: read-binary-bits STREAM SIZE
Package

cl-postgres

Source

interpret.lisp (file)

Function: read-byte-delimited SOCKET

Read the fields of a null-terminated list of byte + string values and put them in an alist.

Package

cl-postgres

Source

protocol.lisp (file)

Function: read-bytes SOCKET LENGTH

Read a byte array of the given length from a stream.

Package

cl-postgres

Source

communicate.lisp (file)

Function: read-field-descriptions SOCKET

Read the field descriptions for a query result and put them into an array of field-description objects.

Package

cl-postgres

Source

protocol.lisp (file)

Function: read-int1 SOCKET
Package

cl-postgres

Source

communicate.lisp (file)

Function: read-int2 SOCKET
Package

cl-postgres

Source

communicate.lisp (file)

Function: read-int4 SOCKET
Package

cl-postgres

Source

communicate.lisp (file)

Function: read-int8 SOCKET
Package

cl-postgres

Source

communicate.lisp (file)

Function: read-lines FILENAME &optional Q

Read lines from given filename and return them in a stream. Recursively apply i include instructions.

Package

postmodern

Source

execute-file.lisp (file)

Function: read-row-value STREAM SIZE
Package

cl-postgres

Source

interpret.lisp (file)

Function: read-simple-str SOCKET

Read a null-terminated string from a stream. Interprets it as ASCII.

Package

cl-postgres

Source

communicate.lisp (file)

Function: read-str SOCKET

Read a null-terminated string from a stream. Takes care of encoding when UTF-8 support is enabled.

Package

cl-postgres

Source

communicate.lisp (file)

Function: read-uint1 SOCKET
Package

cl-postgres

Source

communicate.lisp (file)

Function: read-uint2 SOCKET
Package

cl-postgres

Source

communicate.lisp (file)

Function: read-uint4 SOCKET
Package

cl-postgres

Source

communicate.lisp (file)

Function: read-uint8 SOCKET
Package

cl-postgres

Source

communicate.lisp (file)

Function: reader-for-format FORMAT
Package

postmodern

Source

query.lisp (file)

Function: real-query QUERY

Used for supporting both plain string queries and S-SQL constructs. Looks at the argument at compile-time and wraps it in (sql ...) if it looks like an S-SQL query.

Package

postmodern

Source

query.lisp (file)

Function: reduce-strings LIST

Join adjacent strings in a list; leave other values intact.

Package

s-sql

Source

s-sql.lisp (file)

Function: replace-non-alphanumeric-chars STR &optional REPLACEMENT

Takes a string and a replacement char and replaces any character which is not alphanumeric or an asterisk with a specified character - by default an underscore and returns the modified string.

Package

postmodern

Source

util.lisp (file)

Function: s-sql-reader STREAM CHAR MIN-ARGS
Package

s-sql

Source

s-sql.lisp (file)

Function: send-close SOCKET NAME

Send a close command to the server, giving it a name.

Package

cl-postgres

Source

protocol.lisp (file)

Function: send-copy-done SOCKET
Package

cl-postgres

Source

bulk-copy.lisp (file)

Function: send-copy-start SOCKET QUERY
Package

cl-postgres

Source

bulk-copy.lisp (file)

Function: send-execute SOCKET NAME PARAMETERS ROW-READER

Execute a previously parsed query, and apply the given row-reader to the result.

Package

cl-postgres

Source

protocol.lisp (file)

Function: send-parse SOCKET NAME QUERY

Send a parse command to the server, giving it a name.

Package

cl-postgres

Source

protocol.lisp (file)

Function: send-query SOCKET QUERY ROW-READER

Send a query to the server, and apply the given row-reader to the results.

Package

cl-postgres

Source

protocol.lisp (file)

Function: set-date-reader F TABLE
Package

cl-postgres

Source

interpret.lisp (file)

Function: set-interval-reader F TABLE
Package

cl-postgres

Source

interpret.lisp (file)

Function: set-usec-reader OID F TABLE
Package

cl-postgres

Source

interpret.lisp (file)

Function: simple-bind-message G0 FORMATS
Package

cl-postgres

Source

messages.lisp (file)

Function: simple-describe-message G0
Package

cl-postgres

Source

messages.lisp (file)

Function: simple-execute-message G0
Package

cl-postgres

Source

messages.lisp (file)

Function: simple-parse-message G0 QUERY
Package

cl-postgres

Source

messages.lisp (file)

Function: skip-bytes SOCKET LENGTH

Skip a given number of bytes in a binary stream.

Package

cl-postgres

Source

communicate.lisp (file)

Function: skip-str SOCKET

Skip a null-terminated string.

Package

cl-postgres

Source

communicate.lisp (file)

Function: split-on-keywords% SHAPE LIST

Helper function for split-on-keywords. Extracts the values associated with the keywords from an argument list, and checks for errors.

Package

s-sql

Source

s-sql.lisp (file)

Function: sql-expand ARG

Compile-time expansion of forms into lists of stuff that evaluate to strings (which will form a SQL query when concatenated).

Package

s-sql

Source

s-sql.lisp (file)

Function: sql-expand-list ELTS &optional SEP

Expand a list of elements, adding a separator between them.

Package

s-sql

Source

s-sql.lisp (file)

Function: sql-expand-names NAMES &optional SEP

Takes a list of elements (symbols or strings) and returns a separated list of strings. If the element is a cons, then

Package

s-sql

Source

s-sql.lisp (file)

Function: ssl-request-message G0
Package

cl-postgres

Source

messages.lisp (file)

Function: startup-message G0 USER DATABASE
Package

cl-postgres

Source

messages.lisp (file)

Function: strcat ARGS

Concatenate a list of strings into a single one.

Package

s-sql

Source

s-sql.lisp (file)

Function: symbol-alist-row-reader G0 FIELDS
Package

postmodern

Source

query.lisp (file)

Function: symbol-plist-row-reader G0 FIELDS