3.6. Наследование
Наследование — это концепция, взятая из объектно-ориентированных баз данных. Она открывает множество интересных возможностей при проектировании баз данных.
Давайте создадим две таблицы: cities
(города) и capitals
(столицы штатов). Естественно, столицы штатов также являются городами, поэтому нам нужно явным образом добавлять их в результат, когда мы хотим просмотреть все города. Если вы проявите смекалку, вы можете предложить, например, такое решение:
CREATE TABLE capitals ( name text, population real, elevation int, -- (высота в футах) state char(2) ); CREATE TABLE non_capitals ( name text, population real, elevation int -- (высота в футах) ); CREATE VIEW cities AS SELECT name, population, elevation FROM capitals UNION SELECT name, population, elevation FROM non_capitals;
Оно может устраивать, пока мы извлекаем данные, но если нам потребуется изменить несколько строк, это будет выглядеть некрасиво.
Поэтому есть лучшее решение:
CREATE TABLE cities ( name text, population real, elevation int -- (высота в футах) ); CREATE TABLE capitals ( state char(2) UNIQUE NOT NULL ) INHERITS (cities);
В данном случае строка таблицы capitals
наследует все столбцы (name
, population
и elevation
) от родительской таблицы cities
. Столбец name
имеет тип text
, собственный тип Postgres Pro для текстовых строк переменной длины. А в таблицу capitals
добавлен дополнительный столбец state
, в котором будет указан буквенный код штата. В Postgres Pro таблица может наследоваться от ноля или нескольких других таблиц.
Например, следующий запрос выведет названия всех городов, включая столицы, находящихся выше 500 футов над уровнем моря:
SELECT name, elevation FROM cities WHERE elevation > 500;
Результат его выполнения:
name | elevation -----------+---------- Las Vegas | 2174 Mariposa | 1953 Madison | 845 (3 rows)
А следующий запрос находит все города, которые не являются столицами штатов, но также находятся выше 500 футов:
SELECT name, elevation FROM ONLY cities WHERE elevation > 500;
name | elevation -----------+---------- Las Vegas | 2174 Mariposa | 1953 (2 rows)
Здесь слово ONLY
перед названием таблицы cities
указывает, что запрос следует выполнять только для строк таблицы cities
, не включая таблицы, унаследованные от cities
. Многие операторы, которые мы уже обсудили — SELECT
, UPDATE
и DELETE
— поддерживают указание ONLY
.
Примечание
Хотя наследование часто бывает полезно, оно не интегрировано с ограничениями уникальности и внешними ключами, что ограничивает его применимость. Подробнее это описывается в Разделе 5.10.
7.6. LIMIT
and OFFSET
LIMIT
and OFFSET
allow you to retrieve just a portion of the rows that are generated by the rest of the query:
SELECTselect_list
FROMtable_expression
[ ORDER BY ... ] [ LIMIT {number
| ALL } ] [ OFFSETnumber
]
If a limit count is given, no more than that many rows will be returned (but possibly fewer, if the query itself yields fewer rows). LIMIT ALL
is the same as omitting the LIMIT
clause, as is LIMIT
with a NULL argument.
OFFSET
says to skip that many rows before beginning to return rows. OFFSET 0
is the same as omitting the OFFSET
clause, as is OFFSET
with a NULL argument.
If both OFFSET
and LIMIT
appear, then OFFSET
rows are skipped before starting to count the LIMIT
rows that are returned.
When using LIMIT
, it is important to use an ORDER BY
clause that constrains the result rows into a unique order. Otherwise you will get an unpredictable subset of the query's rows. You might be asking for the tenth through twentieth rows, but tenth through twentieth in what ordering? The ordering is unknown, unless you specified ORDER BY
.
The query optimizer takes LIMIT
into account when generating query plans, so you are very likely to get different plans (yielding different row orders) depending on what you give for LIMIT
and OFFSET
. Thus, using different LIMIT
/OFFSET
values to select different subsets of a query result will give inconsistent results unless you enforce a predictable result ordering with ORDER BY
. This is not a bug; it is an inherent consequence of the fact that SQL does not promise to deliver the results of a query in any particular order unless ORDER BY
is used to constrain the order.
The rows skipped by an OFFSET
clause still have to be computed inside the server; therefore a large OFFSET
might be inefficient.