Release 12.16Release date:2023-08-10
This release contains a variety of fixes from 12.15.
For information about new features in major release 12, see
.
Migration to Version 12.16
A dump/restore is not required for those running 12.X.
However, if you use BRIN indexes, it may be advisable to reindex them;
see the second changelog entry below.
Also, if you are upgrading from a version earlier than 12.10,
see .
Changes
Disallow substituting a schema or owner name into an extension script
if the name contains a quote, backslash, or dollar sign (Noah Misch)
This restriction guards against SQL-injection hazards for trusted
extensions.
The PostgreSQL Project thanks Micah Gate,
Valerie Woolard, Tim Carey-Smith, and Christoph Berg for reporting
this problem.
(CVE-2023-39417)
Fix confusion between empty (no rows) ranges and all-NULL ranges in
BRIN indexes, as well as incorrect merging of all-NULL summaries
(Tomas Vondra)
Each of these oversights could result in forgetting that a BRIN
index range contains any NULL values, potentially allowing
subsequent queries that should return NULL values to miss doing so.
This fix will not in itself correct faulty BRIN entries.
It's recommended to REINDEX any BRIN indexes that
may be used to search for nulls.
Avoid leaving a corrupted database behind when DROP
DATABASE is interrupted (Andres Freund)
If DROP DATABASE was interrupted after it had
already begun taking irreversible steps, the target database
remained accessible (because the removal of
its pg_database row would roll back),
but it would have corrupt contents. Fix by marking the database
as inaccessible before we begin to perform irreversible operations.
A failure after that will leave the database still partially
present, but nothing can be done with it except to issue
another DROP DATABASE.
Ensure that partitioned indexes are correctly marked as valid or not
at creation (Michael Paquier)
If a new partitioned index matches an existing but invalid index on
one of the partitions, the partitioned index could end up being
marked valid prematurely. This could lead to misbehavior or
assertion failures in subsequent queries on the partitioned table.
Ignore invalid child indexes when matching partitioned indexes to
child indexes during ALTER TABLE ATTACH PARTITION
(Michael Paquier)
Such an index will now be ignored, and a new child index created
instead.
Fix possible failure when marking a partitioned index valid after
all of its partitions have been attached (Michael Paquier)
The update of the index's pg_index entry
could use stale data for other columns. One reported symptom is
an attempted to update invisible tuple error.
Fix ALTER EXTENSION SET SCHEMA to complain if the
extension contains any objects outside the extension's schema
(Michael Paquier, Heikki Linnakangas)
Erroring out if the extension contains objects in multiple schemas
was always intended; but the check was mis-coded so that it would
fail to detect some cases, leading to surprising behavior.
Don't use partial unique indexes for uniqueness proofs in the
planner (David Rowley)
This could give rise to incorrect plans, since the presumed
uniqueness of rows read from a table might not hold if the index in
question isn't used to scan the table.
Avoid producing incorrect plans for foreign joins with
pseudoconstant join clauses (Etsuro Fujita)
The planner currently lacks support for attaching pseudoconstant
join clauses to a pushed-down remote join, so disable generation
of remote joins in such cases. (A better solution will require
ABI-breaking changes of planner data structures, so it will have to
wait for a future major release.)
Correctly handle sub-SELECTs in RLS policy expressions and
security-barrier views when expanding rule actions (Tom Lane)
Fix race conditions in conflict detection
for SERIALIZABLE isolation mode
(Thomas Munro)
Conflicts could be missed when using bitmap heap scans, when using
GIN indexes, and when examining an initially-empty btree index.
All these cases could lead to serializability failures due to
improperly allowing conflicting transactions to commit.
Fix hash join with an inner-side hash key that contains Params
coming from an outer nested loop (Tom Lane)
When rescanning the join after the values of such Params have
changed, we must rebuild the hash table, but neglected to do so.
This could result in missing join output rows.
Fix intermittent failures when trying to update a field of a
composite column (Tom Lane)
If the overall value of the composite column is wide enough to
require out-of-line toasting, then an unluckily-timed cache flush
could cause errors or server crashes.
Prevent query-lifespan memory leaks in some UPDATE
queries with triggers (Tomas Vondra)
Prevent stack-overflow crashes with very complex text search
patterns (Tom Lane)
Allow tokens up to 10240 bytes long
in pg_hba.conf
and pg_ident.conf (Tom Lane)
The previous limit of 256 bytes has been found insufficient for some
use-cases.
Fix mishandling of C++ out-of-memory conditions (Heikki Linnakangas)
If JIT is in use, running out of memory in a
C++ new call would lead to
a PostgreSQL FATAL error, instead of the
expected C++ exception.
Avoid losing track of possibly-useful shared memory segments when a
page free results in coalescing ranges of free space (Dongming Liu)
Ensure that the segment is moved into the
appropriate bin for its new amount of free space, so
that it will be found by subsequent searches.
Allow VACUUM to continue after detecting certain
types of b-tree index corruption (Peter Geoghegan)
If an invalid sibling-page link is detected, log the issue and press
on, rather than throwing an error as before. Nothing short
of REINDEX will fix the broken index, but
preventing VACUUM from completing until that is
done risks making matters far worse.
Ensure that WrapLimitsVacuumLock is released
after VACUUM detects invalid data
in pg_database.datfrozenxid
or pg_database.datminmxid
(Andres Freund)
Failure to release this lock could lead to a deadlock later,
although the lock would be cleaned up if the session exits or
encounters some other error.
Avoid double replay of prepared transactions during crash
recovery (suyu.cmj, Michael Paquier)
After a crash partway through a checkpoint with some two-phase
transaction state data already flushed to disk by this checkpoint,
crash recovery could attempt to replay the prepared transaction(s)
twice, leading to a fatal error such as lock is already
held in the startup process.
Ensure that a newly created, but still empty table
is fsync'ed at the next checkpoint (Heikki
Linnakangas)
Without this, if there is an operating system crash causing the
empty file to disappear, subsequent operations on the table might
fail with could not open file errors.
Ensure that creation of the init fork of an unlogged index is
WAL-logged (Heikki Linnakangas)
While an unlogged index's main data fork is not WAL-logged, its init
fork should be, to ensure that we have a consistent state to restore
the index to after a crash. This step was missed if the init fork
contains no data, which is a case not used by any standard index AM;
but perhaps some extension behaves that way.
Fix missing reinitializations of delay-checkpoint-end flags
(suyu.cmj)
This could result in unnecessary delays of checkpoints, or in
assertion failures in assert-enabled builds.
Fix overly strict assertion in jsonpath code
(David Rowley)
This assertion failed if a query applied
the .type() operator to
a like_regex result.
There was no bug in non-assert builds.
Avoid assertion failure when processing an empty statement via the
extended query protocol in an already-aborted transaction (Tom Lane)
Fix contrib/fuzzystrmatch's
Soundex difference() function to handle empty
input sanely (Alexander Lakhin, Tom Lane)
An input string containing no alphabetic characters resulted in
unpredictable output.
Tighten whitespace checks in contrib/hstore
input (Evan Jones)
In some cases, characters would be falsely recognized as whitespace
and hence discarded.
Disallow oversize input arrays
with contrib/intarray's
gist__int_ops index opclass (Ankit Kumar Pandey,
Alexander Lakhin)
Previously this code would report a NOTICE but
press on anyway, creating an invalid index entry that presents a
risk of crashes when the index is read.
Avoid useless double decompression of GiST index entries
in contrib/intarray (Konstantin Knizhnik,
Matthias van de Meent, Tom Lane)
Ensure
that pg_index.indisreplident
is kept up-to-date in relation cache entries (Shruthi Gowda)
This value could be stale in some cases. There is no core code that
relies on the relation cache's copy, so this is only a latent bug as
far as Postgres itself is concerned; but there may be extensions for
which it is a live bug.
Silence deprecation warnings when compiling with OpenSSL 3.0.0 or
later (Peter Eisentraut)
Release 12.15Release date:2023-05-11
This release contains a variety of fixes from 12.14.
For information about new features in major release 12, see
.
Migration to Version 12.15
A dump/restore is not required for those running 12.X.
However, if you are upgrading from a version earlier than 12.10,
see .
Changes
Prevent CREATE SCHEMA from defeating changes
in search_path (Alexander Lakhin)
Within a CREATE SCHEMA command, objects in the
prevailing search_path, as well as those in the
newly-created schema, would be visible even within a called
function or script that attempted to set a
secure search_path. This could allow any user
having permission to create a schema to hijack the privileges of a
security definer function or extension script.
The PostgreSQL Project thanks
Alexander Lakhin for reporting this problem.
(CVE-2023-2454)
Enforce row-level security policies correctly after inlining a
set-returning function (Stephen Frost, Tom Lane)
If a set-returning SQL-language function refers to a table having
row-level security policies, and it can be inlined into a calling
query, those RLS policies would not get enforced properly in some
cases involving re-using a cached plan under a different role.
This could allow a user to see or modify rows that should have been
invisible.
The PostgreSQL Project thanks
Wolfgang Walther for reporting this problem.
(CVE-2023-2455)
Avoid crash when the new schema name is omitted
in CREATE SCHEMA (Michael Paquier)
The SQL standard allows writing CREATE SCHEMA AUTHORIZATION
owner_name, with the schema
name defaulting to owner_name. However
some code paths expected the schema name to be present and would
fail.
Disallow altering composite types that are stored in indexes
(Tom Lane)
ALTER TYPE disallows non-binary-compatible
modifications of composite types if they are stored in any table
columns. (Perhaps that will be allowed someday, but it hasn't
happened yet; the locking implications of rewriting many tables are
daunting.) We overlooked the possibility that an index might
contain a composite type that doesn't also appear in its table.
Disallow system columns as elements of foreign keys (Tom Lane)
Since the removal of OID as a system column, there is no plausible
use-case for this, and various bits of code no longer support it.
Disallow it rather than trying to fix all the cases.
Ensure that COPY TO from an RLS-enabled parent
table does not copy any rows from child tables (Antonin Houska)
The documentation is quite clear that COPY TO
copies rows from only the named table, not any inheritance children
it may have. However, if row-level security was enabled on the table
then this stopped being true.
Avoid possible crash when array_position()
or array_positions() is passed an empty array
(Tom Lane)
Fix possible out-of-bounds fetch in to_char()
(Tom Lane)
With bad luck this could have resulted in a server crash.
Avoid buffer overread in translate() function
(Daniil Anisimov)
When using the deletion feature, the function might fetch the byte
just after the input string, creating a small risk of crash.
Fix error cursor setting for parse errors in JSON string literals
(Tom Lane)
Most cases in which a syntax error is detected in a string literal
within a JSON value failed to set the error cursor appropriately.
This led at least to an unhelpful error message (pointing to the
token before the string, rather than the actual trouble spot), and
could even result in a crash in v14 and later.
Fix data corruption due to vacuum_defer_cleanup_age
being larger than the current 64-bit xid (Andres Freund)
In v14 and later with non-default settings
of vacuum_defer_cleanup_age, it was possible to
compute a very large vacuum cleanup horizon xid, leading to vacuum
removing rows that are still live. v12 and v13 have a lesser form
of the same problem affecting only GiST indexes, which could lead to
index pages getting recycled too early.
Fix parser's failure to detect some cases of improperly-nested
aggregates (Tom Lane)
This oversight could lead to executor failures for queries that
should have been rejected as invalid.
Fix data structure corruption during parsing of
serial SEQUENCE NAME options (David Rowley)
This can lead to trouble if an event trigger captures the corrupted
parse tree.
Correctly update plan nodes' parallel-safety markings when moving
initplans from one node to another (Tom Lane)
This planner oversight could lead to subplan was not
initialized errors at runtime.
Disable the inverse-transition optimization for window aggregates
when the call contains sub-SELECTs (David Rowley)
This optimization requires that the aggregate's argument expressions
have repeatable results, which might not hold for a sub-SELECT.
Fix oversights in execution of nested ARRAY[]
constructs (Alexander Lakhin, Tom Lane)
Correctly detect overflow of the total space needed for the result
array, avoiding a possible crash due to undersized output
allocation. Also ensure that any trailing padding space in the
result array is zeroed; while leaving garbage there is harmless for
most purposes, it can result in odd behavior later.
Prevent crash when updating a field within an
array-of-domain-over-composite-type column (Dmitry Dolgov)
Fix partition pruning logic for partitioning on boolean columns
(David Rowley)
Pruning with a condition like boolcol IS NOT TRUE
was done incorrectly, leading to possibly not returning rows in
which boolcol is NULL. Also, the rather unlikely
case of partitioning on NOT boolcol was handled
incorrectly.
Fix race condition in per-batch cleanup during parallel hash join
(Thomas Munro, Melanie Plageman)
A crash was possible given unlucky timing and
parallel_leader_participation
= off (which is not the default).
Recalculate GENERATED columns after an
EvalPlanQual check (Tom Lane)
In READ COMMITTED isolation mode, the effects of
a row update might need to get reapplied to a newer version of the
row than the query found originally. If so, we need to recompute
any GENERATED columns, in case they depend on
columns that were changed by the concurrent update.
Don't balance vacuum cost delay when a table has a
per-relation vacuum_cost_delay setting of zero
(Masahiko Sawada)
Delay balancing is supposed to be disabled whenever autovacuum is
processing a table with a
per-relation vacuum_cost_delay setting, but this
was done only for positive settings, not zero.
Fix corner-case crashes when columns have been added to the end of a
view (Tom Lane)
Repair rare failure of MULTIEXPR_SUBLINK subplans in partitioned
updates (Andres Freund, Tom Lane)
Use of the syntax INSERT ... ON CONFLICT DO UPDATE SET (c1,
...) = (SELECT ...) with a partitioned target table could
result in failure if any child table is dissimilar from the parent
(for example, different physical column order).
This typically manifested as failure of consistency checks in the
executor; but a crash or incorrect data updates are also possible.
Fix handling of DEFAULT markers within a
multi-row INSERT ... VALUES query on a view that
has a DO ALSO INSERT ... SELECT rule (Dean
Rasheed)
Such cases typically failed with unrecognized node
type errors or assertion failures.
Support references to OLD
and NEW within subqueries in rule actions
(Dean Rasheed, Tom Lane)
Such references are really lateral references, but the server could
crash if the subquery wasn't explicitly marked
with LATERAL. Arrange to do that implicitly when
necessary.
When decompiling a rule or SQL function body
containing INSERT/UPDATE/DELETE
within WITH, take care to print the correct alias
for the target table (Tom Lane)
Fix glitches in SERIALIZABLE READ ONLY
optimization (Thomas Munro)
Transactions already marked as doomed confused the
safe-snapshot optimization for SERIALIZABLE READ
ONLY transactions. The optimization was unnecessarily
skipped in some cases. In other cases an assertion failure occurred
(but there was no problem in non-assert builds).
Avoid leaking cache callback slots in
the pgoutput logical decoding plugin (Shi Yu)
Multiple cycles of starting up and shutting down the plugin within a
single session would eventually lead to an out of
relcache_callback_list slots error.
Fix dereference of dangling pointer during buffering build of a GiST
index (Alexander Lakhin)
This error seems to usually be harmless in production builds, as the
fetched value is noncritical; but in principle it could cause a
server crash.
Ignore dropped columns and generated columns during logical
replication of an update or delete action (Onder Kalaci, Shi Yu)
Replication with the REPLICA IDENTITY FULL option
failed if the table contained such columns.
Support RSA-PSS certificates with SCRAM-SHA-256 channel binding
(Jacob Champion, Heikki Linnakangas)
This feature requires building with OpenSSL 1.1.1 or newer. Both
the server and libpq are affected.
Avoid race condition with process ID tracking on Windows (Thomas Munro)
The operating system could recycle a PID before the postmaster
observed that that child process was gone. This could lead to
tracking more than one child with the same PID, resulting in
confusion.
Add missing cases to SPI_result_code_string()
(Dean Rasheed)
Fix erroneous Valgrind markings
in AllocSetRealloc() (Karina Litskevich)
In the unusual case where the size of a large (>8kB) palloc chunk
is decreased, a Valgrind-aware build would mismark the defined-ness
state of the memory released from the chunk, possibly causing
incorrect results during Valgrind testing.
Avoid assertion failure when decoding a transactional logical
replication message (Tomas Vondra)
Avoid locale sensitivity when processing regular expression escapes
(Jeff Davis)
A backslash followed by a non-ASCII character could sometimes cause
an assertion failure, depending on the prevailing locale.
Avoid trying to write an empty WAL record
in log_newpage_range() when the last few pages
in the specified range are empty (Matthias van de Meent)
It is not entirely clear whether this case is reachable in released
branches, but if it is then an assertion failure could occur.
Fix session-lifespan memory leakage in plpgsqlDO blocks that use cast expressions
(Ajit Awekar, Tom Lane)
Tighten array dimensionality checks when converting Perl
list structures to multi-dimensional SQL arrays (Tom Lane)
plperl could misbehave when the nesting
of sub-lists is inconsistent so that the data does not represent a
rectangular array of values. Such cases now produce errors, but
previously they could result in a crash or garbage output.
Tighten array dimensionality checks when converting Python
list structures to multi-dimensional SQL arrays (Tom Lane)
plpython could misbehave when dealing
with empty sub-lists, or when the nesting of sub-lists is
inconsistent so that the data does not represent a rectangular array
of values. The former should result in an empty output array, and
the latter in an error. But some cases resulted in a crash, and
others in unexpected output.
Fix unwinding of exception stack
in plpython (Xing Guo)
Some rare failure cases could return without cleaning up the PG_TRY
exception stack, risking a crash if another error was raised before
the next stack level was unwound.
Fix inconsistent GSS-encryption error handling
in libpq's
PQconnectPoll()
(Michael Paquier)
With set to require,
the connection was not marked dead after a GSS initialization
failure. Make it fail immediately, as the equivalent case for TLS
encryption has long done.
Fix possible data corruption in ecpg
programs built with the option
(Kyotaro Horiguchi)
When ecpg_get_data() is called
with varcharsize set to zero, it could write a
terminating zero character into the last byte of the preceding
field, truncating the data in that field.
Fix pg_dump so that partitioned tables
that are hash-partitioned on an enum-type column can be restored
successfully (Tom Lane)
Since the hash codes for enum values depend on the OIDs assigned to
the enum, they are typically different after a dump and restore,
meaning that rows often need to go into a different partition than
they were in originally. Users can work around that by specifying
the option; but since
there is very little chance of success without that,
teach pg_dump to apply it automatically
to such tables.
Also, fix pg_restore to not try
to TRUNCATE target tables before restoring into
them when mode is used.
This avoids a hazard of deadlocks and lost data.
In contrib/hstore_plpython, avoid crashing if
the Python value to be transformed isn't a mapping (Dmitry Dolgov,
Tom Lane)
This should give an error, but Python 3 changed some APIs in a way
that caused the check to misbehave, allowing a crash to ensue.
Fix misbehavior in contrib/pg_trgm with an
unsatisfiable regular expression (Tom Lane)
A regex such as $foo is legal but unsatisfiable;
the regex compiler recognizes that and produces an empty NFA graph.
Attempting to optimize such a graph into a pg_trgm GIN or GiST index
qualification resulted in accessing off the end of a work array,
possibly leading to crashes.
Use the option when stripping
static libraries with
GNU-compatible strip (Tom Lane)
Previously, make install-strip used
the option in this case. This change avoids
misbehavior of llvm-strip, and gives
slightly smaller output as well.
Stop recommending auto-download of DTD files for building the
documentation, and indeed disable it (Aleksander Alekseev, Peter
Eisentraut, Tom Lane)
It appears no longer possible to build the SGML documentation
without a local installation of the DocBook DTD files.
Formerly xsltproc could download those
files on-the-fly from sourceforge.net; but sourceforge.net now
permits only HTTPS access, and no common version
of xsltproc supports that. Hence, remove
the bits of our documentation suggesting that that's possible or
useful, and instead
add xsltproc's
option to the build recipes.
When running TAP tests in PGXS builds, use a saner location for the
temporary portlock directory (Peter Eisentraut)
Place it under tmp_check in the build
directory. With the previous coding, a PGXS build would try to place
it in the installation directory, which is not necessarily writable.
Update time zone data files to tzdata
release 2023c for DST law changes in Egypt, Greenland, Morocco, and
Palestine.
When observing Moscow time, Europe/Kirov and Europe/Volgograd now
use the abbreviations MSK/MSD instead of numeric abbreviations,
for consistency with other timezones observing Moscow time.
Also, America/Yellowknife is no longer distinct from America/Edmonton;
this affects some pre-1948 timestamps in that area.
Release 12.14Release date:2023-02-09
This release contains a variety of fixes from 12.13.
For information about new features in major release 12, see
.
Migration to Version 12.14
A dump/restore is not required for those running 12.X.
However, if you are upgrading from a version earlier than 12.10,
see .
Changeslibpq can leak memory contents after
GSSAPI transport encryption initiation fails (Jacob Champion)
A modified server, or an unauthenticated man-in-the-middle, can
send a not-zero-terminated error message during setup of GSSAPI
(Kerberos) transport encryption. libpq
will then copy that string, as well as following bytes in
application memory up to the next zero byte, to its error report.
Depending on what the calling application does with the error
report, this could result in disclosure of application memory
contents. There is also a small probability of a crash due to
reading beyond the end of memory. Fix by properly zero-terminating
the server message.
(CVE-2022-41862)
Allow REPLICA IDENTITY
to be set on an index that's not (yet) valid (Tom Lane)
When pg_dump dumps a partitioned index
that's marked REPLICA IDENTITY, it generates a
command sequence that applies REPLICA IDENTITY
before the partitioned index has been marked valid, causing restore
to fail. There seems no very good reason to prohibit doing it in
that order, so allow it. The marking will have no effect anyway
until the index becomes valid.
Fix handling of DEFAULT markers in rules that
perform an INSERT from a
multi-row VALUES list (Dean Rasheed)
In some cases a DEFAULT marker would not get
replaced with the proper default-value expression, leading to
an unrecognized node type error.
Reject uses of undefined variables in jsonpath
existence checks (Alexander Korotkov, David G. Johnston)
While jsonpath match operators threw an error for an
undefined variable in the path pattern, the existence operators
silently treated it as a match.
Fix edge-case data corruption in parallel hash joins (Dmitry Astapov)
If the final chunk of a large tuple being written out to a temporary
file was exactly 32760 bytes, it would be corrupted due to a
fencepost bug. The query would typically fail later with
corrupted-data symptoms.
Honor non-default settings
of checkpoint_completion_target
(Bharath Rupireddy)
Internal state was not updated after a change
in checkpoint_completion_target, possibly
resulting in performing checkpoint I/O faster or slower than
desired, especially if that setting was changed on-the-fly.
Log the correct ending timestamp
in recovery_target_xid mode (Tom Lane)
When ending recovery based on the recovery_target_xid
setting with recovery_target_inclusive
= off, we printed an incorrect timestamp (always
2000-01-01) in the recovery stopping before
... transaction log message.
Prevent wrong tuple length failure
at the end of VACUUM (Ashwin Agrawal, Junfeng Yang)
This occurred if VACUUM needed to update the
current database's datfrozenxid value and
the database has so many granted privileges that
its datacl value has been pushed
out-of-line.
In extended query protocol, avoid an immediate commit
after ANALYZE if we're running a pipeline
(Tom Lane)
If there's not been an explicit BEGIN
TRANSACTION, ANALYZE would take it on
itself to commit, which should not happen within a pipelined series
of commands.
Reject cancel request packets having the wrong length
(Andrey Borodin)
The server would process a cancel request even if its length word
was too small. This led to reading beyond the end of the allocated
buffer. In theory that could cause a segfault, but it seems quite
unlikely to happen in practice, since the buffer would have to be
very close to the end of memory. The more likely outcome was a bogus
log message about wrong backend PID or cancel code. Complain about
the wrong length, instead.
Add recursion and looping defenses in subquery pullup (Tom Lane)
A contrived query can result in deep recursion and unreasonable
amounts of time spent trying to flatten subqueries. A proper fix
for that seems unduly invasive for a back-patch, but we can at least
add stack depth checks and an interrupt check to allow the query to
be cancelled.
Fix partitionwise-join code to tolerate failure to produce a plan for
each partition (Tom Lane)
This could result in could not devise a query plan for the
given query errors.
Limit the amount of cleanup work done
by get_actual_variable_range (Simon Riggs)
Planner runs occurring just after deletion of a large number of
tuples appearing at the end of an index could expend significant
amounts of work setting the killed bits for those
index entries. Limit the amount of work done in any one query by
giving up on this process after examining 100 heap pages. All the
cleanup will still happen eventually, but without so large a
performance hiccup.
Ensure that execution of full-text-search queries can be cancelled
while they are performing phrase matches (Tom Lane)
Fix memory leak in hashing strings with nondeterministic collations
(Jeff Davis)
Clean up the libpq connection object
after a failed replication connection attempt (Andres Freund)
The previous coding leaked the connection object. In background
code paths that's pretty harmless because the calling process will
give up and exit. But in commands such as CREATE
SUBSCRIPTION, such a failure resulted in a small
session-lifespan memory leak.
In hot-standby servers, reduce processing effort for tracking XIDs
known to be active on the primary (Simon Riggs, Michail Nikolaev)
Insufficiently-aggressive cleanup of the KnownAssignedXids array
could lead to poor performance, particularly
when max_connections is set to a large value on
the standby.
Fix uninitialized-memory usage in logical decoding (Masahiko Sawada)
In certain cases, resumption of logical decoding could try to re-use
XID data that had already been freed, leading to unpredictable
behavior.
Avoid rare failed to acquire cleanup lock panic
during WAL replay of hash-index page split operations (Robert Haas)
Advance a heap page's LSN when setting its all-visible bit during
WAL replay (Jeff Davis)
Failure to do this left the page possibly different on standby
servers than the primary, and violated some other expectations about
when the LSN changes. This seems only a theoretical hazard so
far as PostgreSQL itself is concerned,
but it could upset third-party tools.
Prevent unsafe usage of a relation cache
entry's rd_smgr pointer (Amul Sul)
Remove various assumptions that rd_smgr
would stay valid over a series of operations, by wrapping all uses
of it in a function that will recompute it if needed. This prevents
bugs occurring when an unexpected cache flush occurs partway through
such a series.
Fix latent buffer-overrun problem in WaitEventSet
logic (Thomas Munro)
The epoll-based
and kqueue-based implementations could ask the
kernel for too many events if the size of their internal buffer was
different from the size of the caller's output buffer. That case is
not known to occur in released PostgreSQL
versions, but this error is a hazard for external modules and future
bug fixes.
Avoid nominally-undefined behavior when accessing shared memory in
32-bit builds (Andres Freund)
clang's undefined-behavior sanitizer complained about use of a
pointer that was less aligned than it should be. It's very unlikely
that this would cause a problem in non-debug builds, but it's worth
fixing for testing purposes.
Remove faulty assertion in useless-RESULT-RTE optimization logic
(Tom Lane)
Fix copy-and-paste errors in cache-lookup-failure messages for ACL
checks (Justin Pryzby)
In principle these errors should never be reached. But if they are,
some of them reported the wrong type of object.
In pg_dump,
avoid calling unsafe server functions before we have locks on the
tables to be examined (Tom Lane, Gilles Darold)
pg_dump uses certain server functions
that can fail if examining a table that gets dropped concurrently.
Avoid this type of failure by ensuring that we obtain access share
lock before inquiring too deeply into a table's properties, and that
we don't apply such functions to tables we don't intend to dump at
all.
Fix tab completion of ALTER
FUNCTION/PROCEDURE/ROUTINE ... SET
SCHEMA (Dean Rasheed)
Fix faulty assertion in contrib/postgres_fdw
(Etsuro Fujita)
Fix contrib/seg to not crash or print garbage
if an input number has more than 127 digits (Tom Lane)
In contrib/sepgsql, avoid deprecation warnings
with recent libselinux (Michael Paquier)
Fix build on Microsoft Visual Studio 2013 (Tom Lane)
A previous patch supposed that all platforms of interest
have snprintf(), but MSVC 2013 isn't quite
there yet. Revert to using sprintf() on that
platform.
Fix compile failure in building PL/Perl with MSVC when using
Strawberry Perl (Andrew Dunstan)
Fix mismatch of PL/Perl built with MSVC versus a Perl library built
with gcc (Andrew Dunstan)
Such combinations could previously fail with loadable library
and perl binaries are mismatched errors.
Suppress compiler warnings from Perl's header files (Andres Freund)
Our preferred compiler options provoke warnings about constructs
appearing in recent versions of Perl's header files. When using
gcc, we can suppress these warnings with
a pragma.
Fix pg_waldump to build on compilers that
don't discard unused static-inline functions (Tom Lane)
Update time zone data files to tzdata
release 2022g for DST law changes in Greenland and Mexico,
plus historical corrections for northern Canada, Colombia, and
Singapore.
Notably, a new timezone America/Ciudad_Juarez has been split off
from America/Ojinaga.
Release 12.13Release date:2022-11-10
This release contains a variety of fixes from 12.12.
For information about new features in major release 12, see
.
Migration to Version 12.13
A dump/restore is not required for those running 12.X.
However, if you are upgrading from a version earlier than 12.10,
see .
Changes
Avoid rare PANIC during updates occurring concurrently
with VACUUM (Tom Lane, Jeff Davis)
If a concurrent VACUUM sets the all-visible flag
bit in a page that UPDATE
or DELETE is in process of modifying, the
updating command needs to clear that bit again; but some code paths
failed to do so, ending in a PANIC exit and database restart.
This is known to be possible in versions 14 and 15. It may be only
latent in previous branches.
Fix VACUUM to press on if an attempted page
deletion in a btree index fails to find the page's parent downlink
(Peter Geoghegan)
Rather than throwing an error, just log the issue and continue
without deleting the empty page. Previously, a buggy operator class
or corrupted index could indefinitely prevent completion of
vacuuming of the index, eventually leading to transaction wraparound
problems.
Fix handling of DEFAULT tokens that appear
in a multi-row VALUES clause of an
INSERT on an updatable view (Tom Lane)
This oversight could lead to cache lookup failed for
type errors, or in older branches even to crashes.
Disallow rules named _RETURN that are
not ON SELECT (Tom Lane)
This avoids confusion between a view's ON SELECT
rule and any other rules it may have.
Fix resource management bug in saving tuples
for AFTER triggers (Tom Lane)
Given the right circumstances, this manifested as a tupdesc
reference NNNN is not owned by resource
owner error followed by a PANIC exit.
Repair rare failure of MULTIEXPR_SUBLINK subplans in inherited
updates (Tom Lane)
Use of the syntax UPDATE tab SET (c1, ...) = (SELECT
...) with an inherited or partitioned target table could
result in failure if the child tables are sufficiently dissimilar.
This typically manifested as failure of consistency checks in the
executor; but a crash or incorrect data updates are also possible.
Fix construction of per-partition foreign key constraints while
doing ALTER TABLE ATTACH PARTITION
(Jehan-Guillaume de Rorthais, Álvaro Herrera)
Previously, incorrect or duplicate constraints could be constructed
for the newly-added partition.
Fix generation of constraint names for per-partition foreign key
constraints (Jehan-Guillaume de Rorthais)
If the initially-given name is already in use for some constraint of
the partition, a new one is selected; but it wasn't being spelled as
intended.
Fix incorrect matching of index expressions and predicates when
creating a partitioned index (Richard Guo, Tom Lane)
While creating a partitioned index, we try to identify any existing
indexes on the partitions that match the partitioned index, so that
we can absorb those as child indexes instead of building new ones.
Matching of expressions was not done right, so that a usable child
index might be ignored, leading to creation of a duplicative index.
Prevent WAL corruption after a standby promotion (Dilip Kumar,
Robert Haas)
When a PostgreSQL instance performing
archive recovery (but not using standby mode) is promoted, and the
last WAL segment that it attempted to read ended in a partial
record, the instance would write an invalid WAL segment on the new
timeline.
Fix mis-ordering of WAL operations in fast insert path for GIN
indexes (Matthias van de Meent, Zhang Mingli)
This mistake is not known to have any negative consequences within
core PostgreSQL, but it did cause issues
for some extensions.
Fix bugs in logical decoding when replay starts from a point
between the beginning of a transaction and the beginning of its
subtransaction (Masahiko Sawada, Kuroda Hayato)
These errors could lead to assertion failures in debug builds, and
otherwise to memory leaks.
Prevent examining system catalogs with the wrong snapshot during
logical decoding (Masahiko Sawada)
If decoding begins partway through a transaction that modifies
system catalogs, the decoder may not recognize that, causing it to
fail to treat that transaction as in-progress for catalog lookups.
Accept interrupts in more places during logical decoding (Amit
Kapila, Masahiko Sawada)
This ameliorates problems with slow shutdown of replication workers.
Avoid crash after function syntax error in replication workers
(Maxim Orlov, Anton Melnikov, Masahiko Sawada, Tom Lane)
If a syntax error occurred in a SQL-language or PL/pgSQL-language
CREATE FUNCTION or DO command
executed in a logical replication worker, the worker process would
crash with a null pointer dereference or assertion failure.
Fix handling of read-write expanded datums that are passed to SQL
functions (Tom Lane)
If a non-inlined SQL function uses a parameter in more than one
place, and one of those functions expects to be able to modify
read-write datums in place, then later uses of the parameter would
observe the wrong value. (Within
core PostgreSQL, the expanded-datum
mechanism is only used for array and composite-type values; but
extensions might use it for other structured types.)
Fix type circle's equality comparator to handle NaNs
properly (Ranier Vilela)
If the left-hand circle had a floating-point NaN for its radius,
it would be considered equal to a circle with the same center and
any radius.
In Snowball dictionaries, don't try to stem excessively-long words
(Olly Betts, Tom Lane)
If the input word exceeds 1000 bytes, return it as-is after case
folding, rather than trying to run it through the Snowball code.
This restriction protects against a known
recursion-to-stack-overflow problem in the Turkish stemmer, and it
seems like good insurance against any other safety or performance
issues that may exist in the Snowball stemmers. Such a long string
is surely not a word in any human language, so it's doubtful that
the stemmer would have done anything desirable with it anyway.
Fix use-after-free hazard in string comparisons (Tom Lane)
Improper memory management in the string comparison functions
could result in scribbling on no-longer-allocated buffers,
potentially breaking things for whatever is using that memory
now. This would only happen with fairly long strings (more than
1kB), and only if an ICU collation is in use.
Add plan-time check for attempted access to a table that has no
table access method (Tom Lane)
This prevents a crash in some catalog-corruption scenarios, for
example use of a view whose ON SELECT rule is
missing.
Prevent postmaster crash when shared-memory state is corrupted
(Tom Lane)
The postmaster process is supposed to survive and initiate a
database restart if shared memory becomes corrupted, but one
bit of code was being insufficiently cautious about that.
Add some more defenses against recursion till stack overrun
(Richard Guo, Tom Lane)
Avoid long-term memory leakage in the autovacuum launcher process
(Reid Thompson)
The lack of field reports suggests that this problem is only latent
in pre-v15 branches; but it's not very clear why, so back-patch the
fix anyway.
Improve PL/pgSQL's ability to handle
parameters declared as RECORD (Tom Lane)
Build a separate function cache entry for each concrete type passed
to the RECORD parameter during a session, much as we do
for polymorphic parameters. This allows some usages to work that
previously failed with errors such as type of parameter does
not match that when preparing the plan.
Add missing guards for NULL connection pointer
in libpq (Daniele Varrazzo, Tom Lane)
There's a convention that libpq functions
should check for a NULL PGconn argument, and fail gracefully instead
of crashing. PQflush()
and PQisnonblocking() didn't get that memo, so
fix them.
In ecpg, fix omission of variable storage
classes when multiple varchar or bytea
variables are declared in the same declaration (Andrey Sokolov)
For example, ecpg
translated static varchar str1[10], str2[20],
str3[30]; in such a way that only str1
was marked static.
Allow cross-platform tablespace relocation
in pg_basebackup (Robert Haas)
Allow the remote path in to be
either a Unix-style or Windows-style absolute path, since the source
server could be on a different OS than the local system.
In pg_stat_statements, fix access to
already-freed memory (zhaoqigui)
This occurred if pg_stat_statements
tracked a ROLLBACK command issued via extended
query protocol. In debug builds it consistently led to an assertion
failure. In production builds there would often be no visible ill
effect; but if the freed memory had already been reused, the likely
result would be to store garbage for the query string.
In postgres_fdw, ensure that target lists
constructed for EvalPlanQual plans will have all required columns
(Richard Guo, Etsuro Fujita)
This avoids variable not found in subplan target list
errors in rare cases.
Reject unwanted output from the platform's
uuid_create() function (Nazir Bilal Yavuz)
The uuid-ossp module expects
libc's uuid_create() to produce a version-1
UUID, but recent NetBSD releases produce a version-4 (random) UUID
instead. Check for that, and complain if so. Drop the
documentation's claim that the NetBSD implementation is usable
for uuid-ossp.
(If a version-4 UUID is okay for your purposes, you don't
need uuid-ossp at all; just
use gen_random_uuid().)
Include new Perl test modules in standard installations
(Álvaro Herrera)
Add PostgreSQL/Test/Cluster.pm and
PostgreSQL/Test/Utils.pm to the standard
installation file set in pre-version-15 branches. This is for the
benefit of extensions that want to use newly-written test code in
older branches.
On NetBSD, force dynamic symbol resolution at postmaster start
(Andres Freund, Tom Lane)
This avoids a risk of deadlock in the dynamic linker on NetBSD 10.
Fix incompatibilities with LLVM 15 (Thomas Munro, Andres Freund)
Allow use of __sync_lock_test_and_set() for
spinlocks on any machine (Tom Lane)
This eases porting to new machine architectures, at least if you're
using a compiler that supports this GCC builtin function.
Rename symbol REF to REF_P to
avoid compile failure on recent macOS (Tom Lane)
Avoid using sprintf, to avoid compile-time
deprecation warnings (Tom Lane)
Silence assorted compiler warnings from clang 15 and later (Tom Lane)
Update time zone data files to tzdata
release 2022f for DST law changes in Chile, Fiji, Iran, Jordan,
Mexico, Palestine, and Syria, plus historical corrections for Chile,
Crimea, Iran, and Mexico.
Also, the Europe/Kiev zone has been renamed to Europe/Kyiv.
Also, the following zones have been merged into nearby,
more-populous zones whose clocks have agreed with them since 1970:
Antarctica/Vostok, Asia/Brunei,
Asia/Kuala_Lumpur, Atlantic/Reykjavik, Europe/Amsterdam,
Europe/Copenhagen, Europe/Luxembourg, Europe/Monaco, Europe/Oslo,
Europe/Stockholm, Indian/Christmas, Indian/Cocos, Indian/Kerguelen,
Indian/Mahe, Indian/Reunion, Pacific/Chuuk, Pacific/Funafuti,
Pacific/Majuro, Pacific/Pohnpei, Pacific/Wake and Pacific/Wallis.
(This indirectly affects zones that were already links to one of
these: Arctic/Longyearbyen, Atlantic/Jan_Mayen, Iceland,
Pacific/Ponape, Pacific/Truk, and Pacific/Yap.) America/Nipigon,
America/Rainy_River, America/Thunder_Bay, Europe/Uzhgorod, and
Europe/Zaporozhye were also merged into nearby zones after
discovering that their claimed post-1970 differences from those
zones seem to have been errors.
In all these cases, the previous zone name remains as an alias;
but the actual data is that of the zone that was merged into.
These zone mergers result in loss of pre-1970 timezone history for
the merged zones, which may be troublesome for applications
expecting consistency of timestamptz display. As an
example, the stored value 1944-06-01 12:00 UTC
would previously display as 1944-06-01
13:00:00+01 if the Europe/Stockholm zone is selected, but
now it will read out as 1944-06-01 14:00:00+02.
It is possible to build the time zone data files with options that
will restore the older zone data, but that choice also inserts a lot
of other old (and typically poorly-attested) zone data, resulting in
more total changes from the previous release than accepting these
upstream changes does. PostgreSQL has
chosen to ship the tzdb data
as-recommended, and so far as we are aware most major operating
system distributions are doing likewise. However, if these changes
cause significant problems for your application, a possible solution
is to install a local build of the time zone data files using
tzdb's backwards-compatibility options
(see their PACKRATDATA
and PACKRATLIST options).
Release 12.12Release date:2022-08-11
This release contains a variety of fixes from 12.11.
For information about new features in major release 12, see
.
Migration to Version 12.12
A dump/restore is not required for those running 12.X.
However, if you are upgrading from a version earlier than 12.10,
see .
Changes
Do not let extension scripts replace objects not already belonging
to the extension (Tom Lane)
This change prevents extension scripts from doing CREATE
OR REPLACE if there is an existing object that does not
belong to the extension. It also prevents CREATE IF NOT
EXISTS in the same situation. This prevents a form of
trojan-horse attack in which a hostile database user could become
the owner of an extension object and then modify it to compromise
future uses of the object by other users. As a side benefit, it
also reduces the risk of accidentally replacing objects one did
not mean to.
The PostgreSQL Project thanks
Sven Klemm for reporting this problem.
(CVE-2022-2625)
Fix replay of CREATE DATABASE WAL
records on standby servers
(Kyotaro Horiguchi, Asim R Praveen, Paul Guo)
Standby servers may encounter missing tablespace directories
when replaying database-creation WAL records. Prior to this
patch, a standby would fail to recover in such a case;
however, such directories could be legitimately missing.
Create the tablespace (as a plain directory), then check that it
has been dropped again once replay reaches a consistent state.
Support in place tablespaces
(Thomas Munro, Michael Paquier, Álvaro Herrera)
Normally a Postgres tablespace is a symbolic link to a directory on
some other filesystem. This change allows it to just be a plain
directory. While this has no use for separating tables onto
different filesystems, it is a convenient setup for testing.
Moreover, it is necessary to support the CREATE
DATABASE replay fix, which transiently creates a missing
tablespace as an in place tablespace.
Fix permissions checks in CREATE INDEX (Nathan
Bossart, Noah Misch)
The fix for CVE-2022-1552 caused CREATE INDEX to
apply the table owner's permissions while performing lookups of
operator classes and other objects, where formerly the calling
user's permissions were used. This broke dump/restore scenarios,
because pg_dump issues CREATE
INDEX before re-granting permissions.
In extended query protocol, force an immediate commit
after CREATE DATABASE and other commands that
can't run in a transaction block (Tom Lane)
If the client does not send a Sync message immediately after such a
command, but instead sends another command, any failure in that
command would lead to rolling back the preceding command, typically
leaving inconsistent state on-disk (such as a missing or extra
database directory). The mechanisms intended to prevent that
situation turn out to work for multiple commands in a simple-Query
message, but not for a series of extended-protocol messages. To
prevent inconsistency without breaking use-cases that work today,
force an implicit commit after such commands.
Fix race condition when checking transaction visibility (Simon Riggs)
TransactionIdIsInProgress could
report false before the subject transaction is
considered visible, leading to various misbehaviors. The race
condition window is normally very narrow, but use of synchronous
replication makes it much wider, because the wait for a synchronous
replica happens in that window.
Fix queries in which a whole-row variable references
the result of a function that returns a domain over composite type
(Tom Lane)
Fix variable not found in subplan target list planner
error when pulling up a sub-SELECT that's
referenced in a GROUPING function (Richard Guo)
Fix ALTER TABLE ... ENABLE/DISABLE TRIGGER to
handle recursion correctly for triggers on partitioned tables
(Álvaro Herrera, Amit Langote)
In certain cases, a trigger does not exist failure
would occur because the command would try to adjust the trigger on a
child partition that doesn't have it.
Improve syntax error messages for type jsonpath
(Andrew Dunstan)
Prevent pg_stat_get_subscription() from
possibly returning an extra row containing garbage values
(Kuntal Ghosh)
Ensure that pg_stop_backup() cleans up session
state properly (Fujii Masao)
This omission could lead to assertion failures or crashes later in
the session.
Fix join alias matching in FOR [KEY] UPDATE/SHARE
clauses (Dean Rasheed)
In corner cases, a misleading error could be reported.
Avoid crashing if too many column aliases are attached to
an XMLTABLE or JSON_TABLE
construct (Álvaro Herrera)
Reject ROW() expressions and functions
in FROM that have too many columns (Tom Lane)
Cases with more than about 1600 columns are unsupported, and
have always failed at execution. However, it emerges that some
earlier code could be driven to assertion failures or crashes by
queries with more than 32K columns. Add a parse-time check to
prevent that.
When decompiling a view or rule, show a SELECT
output column's AS "?column?" alias clause
if it could be referenced elsewhere (Tom Lane)
Previously, this auto-generated alias was always hidden; but there
are corner cases where doing so results in a non-restorable view or
rule definition.
Fix dumping of a view using a function in FROM
that returns a composite type, when column(s) of the composite type
have been dropped since the view was made (Tom Lane)
This oversight could lead to dump/reload
or pg_upgrade failures, as the dumped
view would have too many column aliases for the function.
Report implicitly-created operator families to event triggers
(Masahiko Sawada)
If CREATE OPERATOR CLASS results in the implicit
creation of an operator family, that object was not reported to
event triggers that should capture such events.
Fix control file updates made when a restartpoint is running during
promotion of a standby server (Kyotaro Horiguchi)
Previously, when the restartpoint completed it could incorrectly
update the last-checkpoint fields of the control file, potentially
leading to PANIC and failure to restart if the server crashes before
the next normal checkpoint completes.
Prevent triggering of
standby's wal_receiver_timeout during logical
replication of large transactions (Wang Wei, Amit Kapila)
If a large transaction on the primary server sends no data to the
standby (perhaps because no table it changes is published), it was
possible for the standby to timeout. Fix that by ensuring we send
keepalive messages periodically in such situations.
Disallow nested backup operations in logical replication walsenders
(Fujii Masao)
Fix memory leak in logical replication subscribers (Hou Zhijie)
Prevent open-file leak when reading an invalid timezone abbreviation
file (Kyotaro Horiguchi)
Such cases could result in harmless warning messages.
Allow custom server parameters to have short descriptions that are
NULL (Steve Chavez)
Previously, although extensions could choose to create such
settings, some code paths would crash while processing them.
Fix WAL consistency checking logic to correctly
handle BRIN_EVACUATE_PAGE flags (Haiyang Wang)
Fix erroneous assertion checks in shared hashtable management
(Thomas Munro)
Arrange to clean up after commit-time errors
within SPI_commit(), rather than expecting
callers to do that (Peter Eisentraut, Tom Lane)
Proper cleanup is complicated and requires use of low-level
facilities, so it's not surprising that no known caller got it
right. This led to misbehaviors when a PL procedure
issued COMMIT but a failure occurred (such as a
deferred constraint check). To improve matters,
redefine SPI_commit() as starting a new
transaction, so that it becomes equivalent
to SPI_commit_and_chain() except that you get
default transaction characteristics instead of preserving the prior
transaction's characteristics. To make this somewhat transparent
API-wise, redefine SPI_start_transaction() as a
no-op. All known callers of SPI_commit()
immediately call SPI_start_transaction(), so
they will not notice any change. Similar remarks apply
to SPI_rollback().
Also fix PL/Python, which omitted any handling of such errors at all,
resulting in jumping out of the Python interpreter. This is
reported to crash Python 3.11. Older Python releases leak some
memory but seem okay with it otherwise.
Remove misguided SSL key file ownership check
in libpq (Tom Lane)
In the previous minor releases, we copied the server's permission
checking rules for SSL private key files into libpq. But we should
not have also copied the server's file-ownership check. While that
works in normal use-cases, it can result in an unexpected failure
for clients running as root, and perhaps in other cases.
Ensure ecpg reports server connection loss
sanely (Tom Lane)
Misprocessing of a libpq-generated error result, such as a report of
lost connection, would lead to printing (null)
instead of a useful error message; or in older releases it would
lead to a crash.
Avoid core dump in ecpglib with
unexpected orders of operations (Tom Lane)
Certain operations such as EXEC SQL PREPARE would
crash (rather than reporting an error as expected) if called before
establishing any database connection.
In ecpglib, avoid
redundant newlocale() calls (Noah Misch)
Allocate a C locale object once per process when first connecting,
rather than creating and freeing locale objects once per query.
This mitigates a libc memory leak on AIX, and may offer some
performance benefit everywhere.
In psql's \watch
command, echo a newline after cancellation with control-C
(Pavel Stehule)
This prevents libedit (and possibly also libreadline) from becoming
confused about which column the cursor is in.
Fix possible report of wrong error condition
after clone() failure
in pg_upgrade
with option (Justin Pryzby)
Fix contrib/pg_stat_statements to avoid
problems with very large query-text files on 32-bit platforms
(Tom Lane)
Ensure that contrib/postgres_fdw sends
constants of regconfig and other reg*
types with proper schema qualification (Tom Lane)
Block signals while allocating dynamic shared memory on Linux
(Thomas Munro)
This avoids problems when a signal
interrupts posix_fallocate().
Detect unexpected EEXIST error
from shm_open() (Thomas Munro)
This avoids a possible crash on Solaris.
Adjust PL/Perl test case so it will work under Perl 5.36
(Dagfinn Ilmari Mannsåker)
Avoid incorrectly using an
out-of-date libldap_r library when
multiple OpenLDAP installations are
present while building PostgreSQL
(Tom Lane)
Release 12.11Release date:2022-05-12
This release contains a variety of fixes from 12.10.
For information about new features in major release 12, see
.
Migration to Version 12.11
A dump/restore is not required for those running 12.X.
However, if you are upgrading from a version earlier than 12.10,
see .
Changes
Confine additional operations within security restricted
operation sandboxes (Sergey Shinderuk, Noah Misch)
Autovacuum, CLUSTER, CREATE
INDEX, REINDEX, REFRESH
MATERIALIZED VIEW,
and pg_amcheck activated
the security restricted operation protection
mechanism too late, or even not at all in some code paths.
A user having permission to create non-temporary objects within a
database could define an object that would execute arbitrary SQL
code with superuser permissions the next time that autovacuum
processed the object, or that some superuser ran one of the affected
commands against it.
The PostgreSQL Project thanks
Alexander Lakhin for reporting this problem.
(CVE-2022-1552)
Stop using query-provided column aliases for the columns of
whole-row variables that refer to plain tables (Tom Lane)
The column names in tuples produced by a whole-row variable (such
as tbl.* in contexts other than the top level of
a SELECT list) are now always those of the
associated named composite type, if there is one. We'd previously
attempted to make them track any column aliases that had been
applied to the FROM entry the variable refers to.
But that's semantically dubious, because really then the output of
the variable is not at all of the composite type it claims to be.
Previous attempts to deal with that inconsistency had bad results up
to and including storing unreadable data on disk, so just give up on
the whole idea.
In cases where it's important to be able to relabel such columns,
a workaround is to introduce an extra level of
sub-SELECT, so that the whole-row variable is
referring to the sub-SELECT's output and not to a
plain table. Then the variable is of type record
to begin with and there's no issue.
Fix incorrect output for types timestamptz
and timetz in table_to_xmlschema()
and allied functions (Renan Soares Lopes)
The xmlschema output for these types included a malformed regular
expression.
Avoid core dump in parser for a VALUES clause with
zero columns (Tom Lane)
Fix planner errors for GROUPING() constructs
that reference outer query levels (Richard Guo, Tom Lane)
Fix plan generation for index-only scans on indexes with
both returnable and non-returnable columns (Tom Lane)
The previous coding could try to read non-returnable columns
in addition to the returnable ones. This was fairly harmless
because it didn't actually do anything with the bogus values,
but it fell foul of a recently-added error check that rejected
such a plan.
Avoid accessing a no-longer-pinned shared buffer while attempting
to lock an outdated tuple during EvalPlanQual (Tom Lane)
The code would touch the buffer a couple more times after releasing
its pin. In theory another process could recycle the buffer (or
more likely, try to defragment its free space) as soon as the pin is
gone, probably leading to failure to find the newer version of the
tuple.
Fix query-lifespan memory leak in an IndexScan node that is
performing reordering (Aliaksandr Kalenik)
Fix ALTER FUNCTION to support changing a
function's parallelism property and
its SET-variable list in the same command (Tom
Lane)
The parallelism property change was lost if the same command also
updated the function's SET clause.
Fix bogus errors from attempts to alter system columns of tables
(Tom Lane)
The system should just tell you that you can't do it, but sometimes
it would report no owned sequence found instead.
Fix mis-sorting of table rows when CLUSTERing
using an index whose leading key is an expression (Peter Geoghegan,
Thomas Munro)
The table would be rebuilt with the correct data, but in an order
having little to do with the index order.
Fix risk of deadlock failures while dropping a partitioned index
(Jimmy Yih, Gaurab Dey, Tom Lane)
Ensure that the required table and index locks are taken in the
standard order (parents before children, tables before indexes).
The previous coding for DROP INDEX did it
differently, and so could deadlock against concurrent queries taking
these locks in the standard order.
Fix race condition between DROP TABLESPACE and
checkpointing (Nathan Bossart)
The checkpoint forced by DROP TABLESPACE could
sometimes fail to remove all dead files from the tablespace's
directory, leading to a bogus tablespace is not empty
error.
Fix possible trouble in crash recovery after
a TRUNCATE command that overlaps a checkpoint
(Kyotaro Horiguchi, Heikki Linnakangas, Robert Haas)
TRUNCATE must ensure that the table's disk file
is truncated before the checkpoint is allowed to complete.
Otherwise, replay starting from that checkpoint might find
unexpected data in the supposedly-removed pages, possibly causing
replay failure.
Fix unsafe toast-data accesses during temporary object cleanup
(Andres Freund)
Temporary-object deletion during server process exit could fail
with FATAL: cannot fetch toast data without an active
snapshot. This was usually harmless since the next use of
that temporary schema would clean up successfully.
Improve wait logic in RegisterSyncRequest (Thomas Munro)
If we run out of space in the checkpointer sync request queue (which
is hopefully rare on real systems, but is common when testing with a
very small buffer pool), we wait for it to drain. While waiting, we
should report that as a wait event so that users know what is going
on, and also watch for postmaster death, since otherwise the loop might
never terminate if the checkpointer has already exited.
Fix PANIC: xlog flush request is not satisfied
failure during standby promotion when there is a missing WAL
continuation record (Sami Imseih)
Fix possibility of self-deadlock in hot standby conflict handling
(Andres Freund)
With unlucky timing, the WAL-applying process could get stuck
while waiting for some other process to release a buffer lock.
Ensure that logical replication apply workers can be restarted even
when we're up against
the max_sync_workers_per_subscription limit
(Amit Kapila)
Faulty coding of the limit check caused a restarted worker to exit
immediately, leaving fewer workers than there should be.
Include unchanged replica identity key columns in the WAL log for an
update, if they are stored out-of-line (Dilip Kumar, Amit Kapila)
Otherwise subscribers cannot see the values and will fail to
replicate the update.
Improve logical replication subscriber's error message for an
unsupported relation kind (Tom Lane)
v13 and later servers support publishing partitioned tables. Older
server versions cannot handle subscribing to such a table, and they
gave a very misleading error message: table XYZ not found on
publisher. Arrange to deliver a more on-point message.
Disallow execution of SPI functions during PL/Perl function
compilation (Tom Lane)
Perl can be convinced to execute user-defined code during compilation
of a PL/Perl function. However, it's not okay for such code to try
to invoke SQL operations via SPI. That results in a crash, and if
it didn't crash it would be a security hazard, because we really
don't want code execution during function validation. Put in a
check to give a friendlier error message instead.
Make libpq accept root-owned SSL private
key files (David Steele)
This change synchronizes libpq's rules
for safe ownership and permissions of SSL key files with the rules
the server has used since release 9.6. Namely, in addition to the
current rules, allow the case where the key file is owned by root
and has permissions rw-r----- or less. This is
helpful for system-wide management of key files.
Fix behavior of libpq's
PQisBusy() function after a connection failure
(Tom Lane)
If we'd detected a write failure, PQisBusy()
would always return true, which is the wrong thing: we want input
processing to carry on normally until we've read whatever is
available from the server. The practical effect of this error is
that applications using libpq's
async-query API would typically detect connection loss only
when PQconsumeInput() returns a hard failure.
With this fix, a connection loss will normally be reported via an
error PGresult object, which is a much
cleaner behavior for most applications.
Make pg_ctl recheck postmaster aliveness
while waiting for stop/restart/promote actions (Tom Lane)
pg_ctl would verify that the postmaster
is alive as a side-effect of sending the stop or promote signal, but
then it just naively waited to see the on-disk state change. If the
postmaster died uncleanly without having removed its PID file or
updated the control file, pg_ctl would
wait until timeout. Instead make it recheck every so often that the
postmaster process is still there.
Fix error handling in pg_waldump (Kyotaro
Horiguchi, Andres Freund)
While trying to read a WAL file to determine the WAL segment size,
pg_waldump would report an incorrect
error for the case of a too-short file. In addition, the file name
reported in this and related error messages could be garbage.
Ensure that contrib/pageinspect functions cope
with all-zero pages (Michael Paquier)
This is a legitimate edge case, but the module was mostly unprepared
for it. Arrange to return nulls, or no rows, as appropriate; that
seems more useful than raising an error.
In contrib/pageinspect, add defenses against
incorrect page special space contents, tighten checks
for correct page size, and add some missing checks that an index is
of the expected type (Michael Paquier, Justin Pryzby, Julien
Rouhaud)
These changes make it less likely that the module will crash on bad
data.
In contrib/postgres_fdw, verify
that ORDER BY clauses are safe to ship before
requesting a remotely-ordered query, and include
a USING clause if necessary (Ronan Dunklau)
This fix prevents situations where the remote server might sort in a
different order than we intend. While sometimes that would be only
cosmetic, it could produce thoroughly wrong results if the remote
data is used as input for a locally-performed merge join.
Update JIT code to work with LLVM 14
(Thomas Munro)
Clean up assorted failures under clang's
-fsanitize=undefined checks (Tom Lane, Andres
Freund, Zhihong Yu)
Most of these changes are just for pro-forma compliance with the
letter of the C and POSIX standards, and are unlikely to have any
effect on production builds.
Fix PL/Perl so it builds on C compilers that don't support statements
nested within expressions (Tom Lane)
Fix possible build failure of pg_dumpall
on Windows, when not using MSVC to build (Andres Freund)
In Windows builds, use gendef instead
of pexports to build DEF files (Andrew
Dunstan)
This adapts the build process to work on recent MSys tool chains.
Prevent extra expansion of shell wildcard patterns in programs built
under MinGW (Andrew Dunstan)
For some reason the C library provided by MinGW will expand shell
wildcard characters in a program's command-line arguments by
default. This is confusing, not least because it doesn't happen
under MSVC, so turn it off.
Update time zone data files to tzdata
release 2022a for DST law changes in Palestine, plus historical
corrections for Chile and Ukraine.
Release 12.10Release date:2022-02-10
This release contains a variety of fixes from 12.9.
For information about new features in major release 12, see
.
Migration to Version 12.10
A dump/restore is not required for those running 12.X.
However, if you have applied REINDEX CONCURRENTLY
to a TOAST table's index, or observe failures to access TOAST datums,
see the first changelog entry below.
Also, if you are upgrading from a version earlier than 12.9,
see .
Changes
Enforce standard locking protocol for TOAST table updates, to prevent
problems with REINDEX CONCURRENTLY (Michael Paquier)
If applied to a TOAST table or TOAST table's index, REINDEX
CONCURRENTLY tended to produce a corrupted index. This
happened because sessions updating TOAST entries released
their ROW EXCLUSIVE locks immediately, rather
than holding them until transaction commit as all other updates do.
The fix is to make TOAST updates hold the table lock according to the
normal rule. Any existing corrupted indexes can be repaired by
reindexing again.
Fix incorrect plan creation for parallel single-child Append nodes
(David Rowley)
In some cases the Append would be simplified away when it should not
be, leading to wrong query results (duplicated rows).
Fix index-only scan plans for cases where not all index columns can
be returned (Tom Lane)
If an index has both returnable and non-returnable columns, and one
of the non-returnable columns is an expression using a table column
that appears in a returnable index column, then a query using that
expression could result in an index-only scan plan that attempts to
read the non-returnable column, instead of recomputing the
expression from the returnable column as intended. The
non-returnable column would read as NULL, resulting in wrong query
results.
Ensure that casting to an unspecified typmod generates a RelabelType
node rather than a length-coercion function call (Tom Lane)
While the coercion function should do the right thing (nothing),
this translation is undesirably inefficient.
Fix WAL replay failure when database consistency is reached exactly
at a WAL page boundary (Álvaro Herrera)
Fix startup of a physical replica to tolerate transaction ID
wraparound (Abhijit Menon-Sen, Tomas Vondra)
If a replica server is started while the set of active transactions
on the primary crosses a wraparound boundary (so that there are some
newer transactions with smaller XIDs than older ones), the replica
would fail with out-of-order XID insertion in
KnownAssignedXids. The replica would retry, but could never
get past that error.
Remove lexical limitations for SQL commands issued on a logical
replication connection (Tom Lane)
The walsender process would fail for a SQL command containing an
unquoted semicolon, or with dollar-quoted literals containing odd
numbers of single or double quote marks, or when the SQL command
starts with a comment. Moreover, faulty error recovery could lead
to unexpected errors in later commands too.
Fix possible loss of the commit timestamp for the last
subtransaction of a transaction (Alex Kingsborough, Kyotaro Horiguchi)
Be sure to fsync
the pg_logical/mappings subdirectory during
checkpoints (Nathan Bossart)
On some filesystems this oversight could lead to losing logical
rewrite status files after a system crash.
Build extended statistics for partitioned tables (Justin Pryzby)
A previous bug fix disabled building of extended statistics for
old-style inheritance trees, but it also prevented building them for
partitioned tables, which was an unnecessary restriction.
This change allows ANALYZE to compute values for
statistics objects for partitioned tables. (But note that
autovacuum does not process partitioned tables as such, so you must
periodically issue manual ANALYZE on the
partitioned table if you want to maintain such statistics.)
Ignore extended statistics for inheritance trees (Justin Pryzby)
Currently, extended statistics values are only computed locally for
each table, not for entire inheritance trees. However the values
were mistakenly consulted when planning queries across inheritance
trees, possibly resulting in worse-than-default estimates.
Disallow altering data type of a partitioned table's columns when
the partitioned table's row type is used as a composite type
elsewhere (Tom Lane)
This restriction has long existed for regular tables, but through an
oversight it was not checked for partitioned tables.
Disallow ALTER TABLE ... DROP NOT NULL for a
column that is part of a replica identity index (Haiying Tang, Hou
Zhijie)
The same prohibition already existed for primary key indexes.
Correctly update cached table state during ALTER TABLE ADD
PRIMARY KEY USING INDEX (Hou Zhijie)
Concurrent sessions failed to update their opinion of whether the
table has a primary key, possibly causing incorrect logical
replication behavior.
Correctly update cached table state when switching REPLICA
IDENTITY index (Tang Haiying, Hou Zhijie)
Concurrent sessions failed to update their opinion of which index is
the replica identity one, possibly causing incorrect logical
replication behavior.
Avoid leaking memory during REASSIGN OWNED BY
operations that reassign ownership of many objects (Justin Pryzby)
Fix display of cert authentication method's
options in pg_hba_file_rules view (Magnus
Hagander)
The cert authentication method implies
clientcert=verify-full, but the
pg_hba_file_rules view incorrectly reported
clientcert=verify-ca.
Fix display of whole-row variables appearing
in INSERT ... VALUES rules (Tom Lane)
A whole-row variable would be printed as var.*,
but that allows it to be expanded to individual columns when
the rule is reloaded, resulting in different semantics.
Attach an explicit cast to prevent that, as we do elsewhere.
Fix or remove some incorrect assertions (Simon Riggs, Michael
Paquier, Alexander Lakhin)
These errors should affect only debug builds, not production.
Fix race condition that could lead to failure to localize error
messages that are reported early in multi-threaded use
of libpq
or ecpglib (Tom Lane)
Avoid calling strerror
from libpq's PQcancel
function (Tom Lane)
PQcancel is supposed to be safe to call from a
signal handler, but strerror is not safe. The
faulty usage only occurred in the unlikely event of failure to
send the cancel message to the server, perhaps explaining the lack
of reports.
Make psql's \password
command default to setting the password
for CURRENT_USER, not the connection's original
user name (Tom Lane)
This agrees with the documented behavior, and avoids probable
permissions failure if SET ROLE or SET
SESSION AUTHORIZATION has been done since the session began.
To prevent confusion, the role name to be acted on is now
included in the password prompt.
In psql and some other client programs,
avoid trying to invoke gettext() from a
control-C signal handler (Tom Lane)
While no reported failures have been traced to this mistake, it seems
highly unlikely to be a safe thing to do.
Allow canceling the initial password prompt
in pg_receivewal
and pg_recvlogical (Tom Lane, Nathan
Bossart)
Previously it was impossible to terminate these programs via control-C
while they were prompting for a password.
Fix pg_dump's dump ordering for
user-defined casts (Tom Lane)
In rare cases, the output script might refer to a user-defined cast
before it had been created.
Fix pg_dump's
and modes to handle tables
containing both generated columns and dropped columns (Tom Lane)
Fix possible mis-reporting of errors
in pg_dump
and pg_basebackup (Tom Lane)
The previous code failed to check for errors from some kernel calls,
and could report the wrong errno values in other cases.
Fix results of index-only scans
on contrib/btree_gist indexes
on char(N) columns (Tom Lane)
Index-only scans returned column values with trailing spaces
removed, which is not the expected behavior. That happened because
that's how the data was stored in the index. This fix changes the
code to store char(N) values
with the expected amount of space padding.
The behavior of such an index will not change immediately unless
you REINDEX it; otherwise space-stripped values
will be gradually replaced over time during updates. Queries that
do not use index-only scan plans will be unaffected in any case.
Change configure to use
Python's sysconfig module, rather than
the deprecated distutils module, to
determine how to build PL/Python (Peter Eisentraut, Tom Lane, Andres
Freund)
With Python 3.10, this
avoids configure-time warnings
about distutils being deprecated and
scheduled for removal in Python 3.12. Presumably, once 3.12 is
out, configure --with-python would fail
altogether. This future-proofing does come at a
cost: sysconfig did not exist before
Python 2.7, nor before 3.2 in the Python 3 branch, so it is no
longer possible to build PL/Python against long-dead Python
versions.
Fix PL/Perl compile failure on Windows with Perl 5.28 and later
(Victor Wagner)
Fix PL/Python compile failure with Python 3.11 and later (Peter
Eisentraut)
Add support for building with Visual Studio 2022 (Hans Buschmann)
Allow the .bat wrapper scripts in our MSVC
build system to be called without first changing into their
directory (Anton Voloshin, Andrew Dunstan)
Release 12.9Release date:2021-11-11
This release contains a variety of fixes from 12.8.
For information about new features in major release 12, see
.
Migration to Version 12.9
A dump/restore is not required for those running 12.X.
However, note that installations using physical replication should
update standby servers before the primary server, as explained in
the third changelog entry below.
Also, several bugs have been found that may have resulted in corrupted
indexes, as explained in the next several changelog entries. If any
of those cases apply to you, it's recommended to reindex
possibly-affected indexes after updating.
Also, if you are upgrading from a version earlier than 12.6,
see .
Changes
Make the server reject extraneous data after an SSL or GSS
encryption handshake (Tom Lane)
A man-in-the-middle with the ability to inject data into the TCP
connection could stuff some cleartext data into the start of a
supposedly encryption-protected database session.
This could be abused to send faked SQL commands to the server,
although that would only work if the server did not demand any
authentication data. (However, a server relying on SSL certificate
authentication might well not do so.)
The PostgreSQL Project thanks
Jacob Champion for reporting this problem.
(CVE-2021-23214)
Make libpq reject extraneous data after
an SSL or GSS encryption handshake (Tom Lane)
A man-in-the-middle with the ability to inject data into the TCP
connection could stuff some cleartext data into the start of a
supposedly encryption-protected database session.
This could probably be abused to inject faked responses to the
client's first few queries, although other details of libpq's
behavior make that harder than it sounds. A different line of
attack is to exfiltrate the client's password, or other sensitive
data that might be sent early in the session. That has been shown
to be possible with a server vulnerable to CVE-2021-23214.
The PostgreSQL Project thanks
Jacob Champion for reporting this problem.
(CVE-2021-23222)
Fix physical replication for cases where the primary crashes
after shipping a WAL segment that ends with a partial WAL record
(Álvaro Herrera)
If the primary did not survive long enough to finish writing the
rest of the incomplete WAL record, then the previous crash-recovery
logic had it back up and overwrite WAL starting from the beginning
of the incomplete WAL record. This is problematic since standby
servers may already have copies of that WAL segment. They will then
see an inconsistent next segment, and will not be able to recover
without manual intervention. To fix, do not back up over a WAL
segment boundary when restarting after a crash. Instead write a new
type of WAL record at the start of the next WAL segment, informing
readers that the incomplete WAL record will never be finished and
must be disregarded.
When applying this update, it's best to update standby servers
before the primary, so that they will be ready to handle this new
WAL record type if the primary happens to crash.
Fix CREATE INDEX CONCURRENTLY to wait for
the latest prepared transactions (Andrey Borodin)
Rows inserted by just-prepared transactions might be omitted from
the new index, causing queries relying on the index to miss such
rows. The previous fix for this type of problem failed to account
for PREPARE TRANSACTION commands that were still
in progress when CREATE INDEX CONCURRENTLY
checked for them. As before, in installations that have enabled
prepared transactions (max_prepared_transactions
> 0), it's recommended to reindex any concurrently-built indexes
in case this problem occurred when they were built.
Avoid race condition that can cause backends to fail to add entries
for new rows to an index being built concurrently (Noah Misch,
Andrey Borodin)
While it's apparently rare in the field, this case could potentially
affect any index built or reindexed with
the CONCURRENTLY option. It is recommended to
reindex any such indexes to make sure they are correct.
Fix float4 and float8 hash functions to
produce uniform results for NaNs (Tom Lane)
Since PostgreSQL's floating-point types
deem all NaNs to be equal, it's important for the hash functions to
produce the same hash code for all bit-patterns that are NaNs
according to the IEEE 754 standard. This failed to happen before,
meaning that hash indexes and hash-based query plans might produce
incorrect results for non-canonical NaN values.
('-NaN'::float8 is one way to produce such a
value on most machines.) It is advisable to reindex hash indexes
on floating-point columns, if there is any possibility that they
might contain such values.
Prevent data loss during crash recovery of CREATE
TABLESPACE, when wal_level
= minimal (Noah Misch)
If the server crashed between CREATE TABLESPACE
and the next checkpoint, replay would fully remove the contents of
the new tablespace's directory, relying on subsequent WAL replay
to restore everything within that directory. This interacts badly
with optimizations that skip writing WAL (one example
is COPY into a just-created table). Such
optimizations are applied only when wal_level
is minimal, which is not the default in v10 and
later.
Ensure that the relation cache is invalidated for a table being
attached to or detached from a partitioned table (Amit Langote,
Álvaro Herrera)
This oversight could allow misbehavior of subsequent inserts/updates
addressed directly to the partition, but only in currently-existing
sessions.
Ensure that the relation cache is invalidated when creating or
dropping a FOR ALL TABLES publication
(Hou Zhijie, Vignesh C)
This oversight could lead to improper replication behavior until all
currently-existing sessions have exited.
Don't discard a cast to the same type with unspecified type modifier
(Tom Lane)
For example, if column f1 is of
type numeric(18,3), the parser used to simply
discard a cast like f1::numeric, on the grounds
that it would have no run-time effect. That's true, but the exposed
type of the expression should still be considered to be
plain numeric,
not numeric(18,3). This is important for
correctly resolving the type of larger constructs, such
as recursive UNIONs.
Fix updates of element fields in arrays of domain over composite
(Tom Lane)
A command such as UPDATE tab SET fld[1].subfld =
val failed if the array's elements were domains rather
than plain composites.
Disallow creating an ICU collation if the current database's
encoding won't support it (Tom Lane)
Previously this was allowed, but then the collation could not be
referenced because of the way collation lookup works; you could not
use the collation, nor even drop it.
Fix corner-case loss of precision in
numeric power() (Dean Rasheed)
The result could be inaccurate when the first argument is very close
to 1.
Avoid regular expression errors with capturing parentheses
inside {0} (Tom Lane)
Regular expressions like (.){0}...\1 drew
invalid backreference number. Other regexp engines
such as Perl don't complain, though, and for that matter ours
doesn't either in some closely related cases. Worse, it could throw
an assertion failure instead. Fix it so that no error is thrown and
instead the back-reference is silently deemed to never match.
Prevent regular expression back-references from sometimes matching
when they shouldn't (Tom Lane)
The regexp engine was careless about clearing match data
for capturing parentheses after rejecting a partial match. This
could allow a later back-reference to match in places where it
should fail for lack of a defined referent.
Fix regular expression performance bug with back-references inside
iteration nodes (Tom Lane)
Incorrect back-tracking logic could result in exponential time spent
looking for a match. Fortunately the problem is masked in most
cases by other optimizations.
Fix incorrect results from AT TIME ZONE applied
to a time with time zone value (Tom Lane)
The results were incorrect if the target time zone was specified by
a dynamic timezone abbreviation (that is, one that is defined as
equivalent to a full time zone name, rather than a fixed UTC offset).
Fix mistranslation of PlaceHolderVars to inheritance child relations
(Tom Lane)
This error could result in assertion failures, or in mis-planning of
queries having partitioned or inherited tables on the nullable side
of an outer join.
Avoid using MCV-only statistics to estimate the range of a column
(Tom Lane)
There are corner cases in which ANALYZE will
build a most-common-values (MCV) list but not a histogram, even
though the MCV list does not account for all the observed values.
In such cases, keep the planner from using the MCV list alone to
estimate the range of column values.
Fix restoration of a Portal's snapshot inside a subtransaction
(Bertrand Drouvot)
If a procedure commits or rolls back a transaction, and then its
next significant action is inside a new subtransaction, snapshot
management went wrong, leading to a dangling pointer and probable
crash. A typical example in PL/pgSQL is a COMMIT
immediately followed by a BEGIN ... EXCEPTION
block that performs a query.
Clean up correctly if a transaction fails after exporting its
snapshot (Dilip Kumar)
This oversight would only cause a problem if the same session
attempted to export a snapshot again. The most likely scenario for
that is creation of a replication slot (followed by rollback)
and then creation of another replication slot.
Prevent wraparound of overflowed-subtransaction tracking on standby
servers (Kyotaro Horiguchi, Alexander Korotkov)
This oversight could cause significant performance degradation
(manifesting as excessive SubtransSLRU traffic) on standby servers.
Ensure that prepared transactions are properly accounted for during
promotion of a standby server (Michael Paquier, Andres Freund)
There was a narrow window where a prepared transaction could be
omitted from a snapshot taken by a concurrently-running session.
If that session then used the snapshot to perform data updates,
erroneous results or data corruption could occur.
Refuse to rewind a cursor marked NO SCROLL
if it has been held over from a previous transaction due
to the WITH HOLD option (Tom Lane)
We have long forbidden fetching backwards from a NO
SCROLL cursor, but for historical reasons the prohibition
didn't extend to cases in which we rewind the query altogether and
then re-fetch forwards. That exception leads to inconsistencies,
particularly for held-over cursors which may not have stored all the
data necessary to rewind. Disallow rewinding for non-scrollable
held-over cursors to block the worst inconsistencies. (v15 will
remove the exception altogether.)
Fix possible failure while saving a WITH HOLD
cursor at transaction end, if it had already been read to completion
(Tom Lane)
Fix detection of a relation that has grown to the maximum allowed
length (Tom Lane)
An attempt to extend a table or index past the limit of 2^32-1
blocks was rejected, but not soon enough to prevent inconsistent
internal state from being created.
Correctly track the presence of data-modifying CTEs when expanding
a DO INSTEAD rule (Greg Nancarrow, Tom Lane)
The previous failure to do this could lead to problems such as
unsafely choosing a parallel plan.
Fix incorrect reporting of permissions failures on extended
statistics objects (Tomas Vondra)
The code typically produced cache lookup error rather
than the intended message.
Fix incorrect snapshot handling in parallel workers (Greg Nancarrow)
This oversight could lead to misbehavior in parallel queries if the
transaction isolation level is less than REPEATABLE
READ.
Fix logical decoding to correctly ignore toast-table changes for
transient tables (Bertrand Drouvot)
Logical decoding normally ignores changes in transient tables such
as those created during an ALTER TABLE heap
rewrite. But that filtering wasn't applied to the associated toast
table if any, leading to possible errors when rewriting a table
that's being published.
Ensure that walreceiver processes create all required archive
notification files before exiting (Fujii Masao)
If a walreceiver exited exactly at a WAL segment boundary, it failed
to make a notification file for the last-received segment, thus
delaying archiving of that segment on the standby.
Avoid trying to lock the OLD
and NEW pseudo-relations in a rule
that uses SELECT FOR UPDATE
(Masahiko Sawada, Tom Lane)
Fix parser's processing of aggregate FILTER
clauses (Tom Lane)
If the FILTER expression is a plain boolean column,
the semantic level of the aggregate could be mis-determined, leading
to not-per-spec behavior. If the FILTER
expression is itself a boolean-returning aggregate, an error should
be thrown but was not, likely resulting in a crash at execution.
Ensure that the correct lock level is used when renaming a table
(Nathan Bossart, Álvaro Herrera)
For historical reasons, ALTER INDEX ... RENAME
can be applied to any sort of relation. The lock level required to
rename an index is lower than that required to rename a table or
other kind of relation, but the code got this wrong and would use
the weaker lock level whenever the command is spelled ALTER
INDEX.
Avoid trying to clean up LLVM state after an error within LLVM
(Andres Freund, Justin Pryzby)
This prevents a likely crash during backend exit after a fatal LLVM
error.
Avoid null-pointer-dereference crash when dropping a role that owns
objects being dropped concurrently (Álvaro Herrera)
Prevent snapshot reference leak warning
when lo_export() or a related function fails
(Heikki Linnakangas)
Ensure that scans of SP-GiST indexes are counted in the statistics
views (Tom Lane)
Incrementing the number-of-index-scans counter was overlooked in the
SP-GiST code, although per-tuple counters were advanced correctly.
Recalculate relevant wait intervals
if recovery_min_apply_delay is changed during
recovery (Soumyadeep Chakraborty, Ashwin Agrawal)
Fix infinite loop if a simplehash.h hash table
reaches 2^32 elements (Yura Sokolov)
It seems unlikely that this bug has been hit in practice, as it
would require work_mem settings of hundreds of
gigabytes for existing uses of simplehash.h.
Reduce memory consumption during calculation of extended statistics
(Justin Pryzby, Tomas Vondra)
Disallow setting huge_pages
to on when shared_memory_type
is sysv (Thomas Munro)
Previously, this setting was accepted, but it did nothing for lack
of any implementation.
Fix ecpg to recover correctly
after malloc() failure while establishing a
connection (Michael Paquier)
Fix misevaluation of stable functions called in the arguments of a
PL/pgSQL CALL statement (Tom Lane)
They were being called with an out-of-date snapshot, so that they
would not see any database changes made since the start of the
session's top-level command.
Allow EXIT out of the outermost block in a
PL/pgSQL routine (Tom Lane)
If the routine does not require an explicit RETURN,
this usage should be valid, but it was rejected.
Remove pg_ctl's hard-coded limits on the
total length of generated commands (Phil Krylov)
For example, this removes a restriction on how many command-line
options can be passed through to the postmaster. Individual path
names that pg_ctl deals with, such as the
postmaster executable's name or the data directory name, are still
limited to MAXPGPATH bytes in most cases.
Fix pg_dump to dump non-global default
privileges correctly (Neil Chen, Masahiko Sawada)
If a global (unrestricted) ALTER DEFAULT
PRIVILEGES command revoked some present-by-default
privilege, for example EXECUTE for functions, and
then a restricted ALTER DEFAULT PRIVILEGES
command granted that privilege again for a selected role or
schema, pg_dump failed to dump the
restricted privilege grant correctly.
Make pg_dump acquire shared lock on
partitioned tables that are to be dumped (Tom Lane)
This oversight was usually pretty harmless, since
once pg_dump has locked any of the leaf
partitions, that would suffice to prevent significant DDL on the
partitioned table itself. However problems could ensue when dumping
a childless partitioned table, since no relevant lock would be held.
Improve pg_dump's performance by avoiding
making per-table queries for RLS policies, and by avoiding repetitive
calls to format_type() (Tom Lane)
These changes provide only marginal improvement when dumping from a
local server, but a dump from a remote server can benefit
substantially due to fewer network round-trips.
Fix crash in pg_dump when attempting to
dump trigger definitions from a pre-8.3 server (Tom Lane)
Fix incorrect filename in pg_restore's
error message about an invalid large object TOC file (Daniel
Gustafsson)
Ensure that pgbench exits with non-zero
status after a socket-level failure (Yugo Nagata, Fabien Coelho)
The desired behavior is to finish out the run but then exit with
status 2. Also, fix the reporting of such errors.
Fix failure of contrib/btree_gin indexes
on "char"
(not char(n)) columns,
when an indexscan using the <
or <= operator is performed (Tom Lane)
Such an indexscan failed to return all the entries it should.
Change contrib/pg_stat_statements to read
its query texts file in units of at most 1GB
(Tom Lane)
Such large query text files are very unusual, but if they do occur,
the previous coding would fail on Windows 64 (which rejects
individual read requests of more than 2GB).
Fix null-pointer crash
when contrib/postgres_fdw tries to report a
data conversion error (Tom Lane)
Add spinlock support for the RISC-V architecture (Marek Szuba)
This is essential for reasonable performance on that platform.
Support OpenSSL 3.0.0
(Peter Eisentraut, Daniel Gustafsson, Michael Paquier)
Set correct type identifier on OpenSSL BIO (I/O abstraction)
objects created by PostgreSQL
(Itamar Gafni)
This oversight probably only matters for code that is doing
tasks like auditing the OpenSSL installation. But it's
nominally a violation of the OpenSSL API, so fix it.
Fix our pkg-config files to again support static
linking of libpq (Peter Eisentraut)
Make pg_regexec() robust against an
out-of-range search_start parameter
(Tom Lane)
Return REG_NOMATCH, instead of possibly crashing,
when search_start is past the end of the
string. This case is probably unreachable within
core PostgreSQL, but extensions might be
more careless about the parameter value.
Ensure that GetSharedSecurityLabel() can be
used in a newly-started session that has not yet built its critical
relation cache entries (Jeff Davis)
Use the CLDR project's data to map Windows time zone names to IANA
time zones (Tom Lane)
When running on Windows, initdb attempts
to set the new cluster's timezone parameter to
the IANA time zone matching the system's prevailing time zone.
We were using a mapping table that we'd generated years ago and
updated only fitfully; unsurprisingly, it contained a number of
errors as well as omissions of recently-added zones. It turns out
that CLDR has been tracking the most appropriate mappings, so start
using their data. This change will not affect any existing
installation, only newly-initialized clusters.
Update time zone data files to tzdata
release 2021e for DST law changes in Fiji, Jordan, Palestine, and
Samoa, plus historical corrections for Barbados, Cook Islands,
Guyana, Niue, Portugal, and Tonga.
Also, the Pacific/Enderbury zone has been renamed to Pacific/Kanton.
Also, the following zones have been merged into nearby, more-populous
zones whose clocks have agreed with them since 1970: Africa/Accra,
America/Atikokan, America/Blanc-Sablon, America/Creston,
America/Curacao, America/Nassau, America/Port_of_Spain,
Antarctica/DumontDUrville, and Antarctica/Syowa.
In all these cases, the previous zone name remains as an alias.
Release 12.8Release date:2021-08-12
This release contains a variety of fixes from 12.7.
For information about new features in major release 12, see
.
Migration to Version 12.8
A dump/restore is not required for those running 12.X.
However, if you are upgrading from a version earlier than 12.6,
see .
Changes
Fix mis-planning of repeated application of a projection step
(Tom Lane)
The planner could create an incorrect plan in cases where two
ProjectionPaths were stacked on top of each other. The only known
way to trigger that situation involves parallel sort operations, but
there may be other instances. The result would be crashes or
incorrect query results.
Disclosure of server memory contents is also possible.
(CVE-2021-3677)
Disallow SSL renegotiation more completely (Michael Paquier)
SSL renegotiation has been disabled for some time, but the server
would still cooperate with a client-initiated renegotiation request.
A maliciously crafted renegotiation request could result in a server
crash (see OpenSSL issue CVE-2021-3449). Disable the feature
altogether on OpenSSL versions that permit doing so, which are
1.1.0h and newer.
Restore the Portal-level snapshot after COMMIT
or ROLLBACK within a procedure (Tom Lane)
This change fixes cases where an attempt to fetch a toasted value
immediately after COMMIT/ROLLBACK
would fail with errors like no known snapshots or
missing chunk number 0 for toast value.
Some extensions may attempt to execute SQL code outside of any
Portal. They are responsible for ensuring that an outer snapshot
exists before doing so. Previously, not providing a snapshot might
work or it might not; now it will consistently fail
with cannot execute SQL without an outer snapshot or
portal.
Avoid misbehavior when persisting the output of a cursor that's
reading a non-stable query (Tom Lane)
Previously, we'd always rewind and re-read the whole query result,
possibly getting results different from the earlier execution,
causing great confusion later. For a NO SCROLL cursor, we can fix
this by only storing the not-yet-read portion of the query output,
which is sufficient since a NO SCROLL cursor can't be backed up.
Cursors with the SCROLL option remain at hazard, but that was
already documented to be an unsafe option to use with a non-stable
query. Make those documentation warnings stronger.
Also force NO SCROLL mode for the implicit cursor used by
a PL/pgSQL FOR-over-query loop,
to avoid this type of problem when persisting such a cursor
during an intra-procedure commit.
Reject SELECT ... GROUP BY GROUPING SETS (()) FOR
UPDATE (Tom Lane)
This should be disallowed, just as FOR UPDATE
with a plain GROUP BY is disallowed, but the test
for that failed to handle empty grouping sets correctly.
The end result would be a null-pointer dereference in the executor.
Reject cases where a query in WITH
rewrites to just NOTIFY (Tom Lane)
Such cases previously crashed.
In numeric multiplication, round the result rather than
failing if it would have more than 16383 digits after the decimal
point (Dean Rasheed)
Fix corner-case errors and loss of precision when
raising numeric values to very large powers
(Dean Rasheed)
Fix division-by-zero failure in to_char()
with EEEE format and a numeric input
value less than 10^(-1001) (Dean Rasheed)
Fix pg_size_pretty(bigint) to round negative
values consistently with the way it rounds positive ones (and
consistently with the numeric version) (Dean Rasheed,
David Rowley)
Make pg_filenode_relation(0, 0) return NULL
rather than failing (Justin Pryzby)
Make ALTER EXTENSION lock the extension when
adding or removing a member object (Tom Lane)
The previous coding allowed ALTER EXTENSION
ADD/DROP to occur concurrently with DROP
EXTENSION, leading to a crash or corrupt catalog entries.
Fix ALTER SUBSCRIPTION to reject an empty slot
name (Japin Li)
When cloning a partitioned table's triggers to a new partition,
ensure that their enabled status is copied
(Álvaro Herrera)
Avoid alias conflicts in queries generated
for REFRESH MATERIALIZED VIEW CONCURRENTLY
(Tom Lane, Bharath Rupireddy)
This command failed on materialized views containing columns with
certain names, notably mv
and newdata.
Fix PREPARE TRANSACTION to check correctly
for conflicting session-lifespan and transaction-lifespan locks
(Tom Lane)
A transaction cannot be prepared if it has both session-lifespan and
transaction-lifespan locks on the same advisory-lock ID value. This
restriction was not fully checked, which could lead to a PANIC
during PREPARE TRANSACTION.
Fix misbehavior of DROP OWNED BY when the target
role is listed more than once in an RLS policy (Tom Lane)
Skip unnecessary error tests when removing a role from an RLS policy
during DROP OWNED BY (Tom Lane)
Notably, this fixes some cases where it was necessary to be a
superuser to use DROP OWNED BY.
Disallow whole-row variables in GENERATED
expressions (Tom Lane)
Use of a whole-row variable clearly violates the rule that a
generated column cannot depend on itself, so such cases have no
well-defined behavior. The actual behavior frequently included a
crash.
Fix usage of tableoid
in GENERATED expressions (Tom Lane)
Some code paths failed to provide a valid value for this system
column while evaluating a GENERATED expression.
Don't store a fast default when adding a column to a
foreign table (Andrew Dunstan)
The fast default is useless since no local heap storage exists for
such a table, but it confused subsequent operations. In addition to
suppressing creation of such catalog entries in ALTER
TABLE commands, adjust the downstream code to cope
when one is incorrectly present.
Allow index state flags to be updated transactionally
(Michael Paquier, Andrey Lepikhov)
This avoids failures when dealing with index predicates that aren't
really immutable. While that's not considered a supported case, the
original reason for using a non-transactional update here is long
gone, so we may as well change it.
Avoid corrupting the plan cache entry when CREATE
DOMAIN or ALTER DOMAIN appears
in a cached plan (Tom Lane)
Make walsenders show their latest replication commands
in pg_stat_activity (Tom Lane)
Previously, a walsender would show its latest SQL command, which was
confusing if it's now doing some replication operation instead.
Now we show replication-protocol commands on the same footing as SQL
commands.
Make
pg_settings.pending_restart
show as true when the pertinent entry
in postgresql.conf has been removed
(Álvaro Herrera)
pending_restart correctly showed the case
where an entry that cannot be changed without a postmaster restart
has been modified, but not where the entry had been removed
altogether.
Fix mis-planning of queries involving regular tables that are
inheritance children of foreign tables (Amit Langote)
SELECT FOR UPDATE and related commands would fail
with assertion failures or could not find junk column
errors in such cases.
Fix corner-case failure of a new standby to follow a new primary
(Dilip Kumar, Robert Haas)
Under a narrow combination of conditions, the standby could wind up
trying to follow the wrong WAL timeline.
Update minimum recovery point when WAL replay of a transaction abort
record causes file truncation (Fujii Masao)
File truncation is irreversible, so it's no longer safe to stop
recovery at a point earlier than that record. The corresponding
case for transaction commit was fixed years ago, but this one was
overlooked.
In walreceivers, avoid attempting catalog lookups after an error
(Masahiko Sawada, Bharath Rupireddy)
Ensure that a standby server's startup process will respond to a
shutdown signal promptly while waiting for WAL to arrive (Fujii
Masao, Soumyadeep Chakraborty)
Correctly clear shared state after failing to become a member of a
transaction commit group (Amit Kapila)
Given the right timing, this could cause an assertion failure when
some later session re-uses the same PGPROC object.
Add locking to avoid reading incorrect relmapper data in the face of
a concurrent write from another process (Heikki Linnakangas)
Improve progress reporting for the sort phase of a parallel btree
index build (Matthias van de Meent)
Improve checks for violations of replication protocol (Tom Lane)
Logical replication workers frequently used Asserts to check for
cases that could be triggered by invalid or out-of-order replication
commands. This seems unwise, so promote these tests to regular
error checks.
Fix deadlock when multiple logical replication workers try to
truncate the same table (Peter Smith, Haiying Tang)
Fix error cases and memory leaks in logical decoding of speculative
insertions (Dilip Kumar)
Avoid leaving an invalid record-type hash table entry behind after
an error (Sait Talha Nisanci)
This could lead to later crashes or memory leakage.
Fix plan cache reference leaks in some error cases in
CREATE TABLE ... AS EXECUTE (Tom Lane)
Fix race condition in code for sharing tuple descriptors across
parallel workers (Thomas Munro)
Given the right timing, a crash could result.
Fix possible race condition when releasing BackgroundWorkerSlots
(Tom Lane)
It's likely that this doesn't fix any observable bug on Intel
hardware, but machines with weaker memory ordering rules could
have problems.
Fix latent crash in sorting code (Ronan Dunklau)
One code path could attempt to free a null pointer. The case
appears unreachable in the core server's use of sorting, but perhaps
it could be triggered by extensions.
Prevent infinite loops in SP-GiST index insertion (Tom Lane)
In the event that INCLUDE columns take up enough space to prevent a
leaf index tuple from ever fitting on a page, the text_ops operator
class would get into an infinite loop vainly trying to make the
tuple fit.
While pre-v11 versions don't have INCLUDE columns, back-patch this
anti-looping fix to them anyway, as it seems like a good defense
against bugs in operator classes.
Ensure that SP-GiST index insertion can be terminated by a query
cancel request (Tom Lane, Álvaro Herrera)
Fix uninitialized-variable bug that could
cause PL/pgSQL to act as though
an INTO clause
specified STRICT, even though it didn't
(Tom Lane)
Don't abort the process for an out-of-memory failure in libpq's
printing functions (Tom Lane)
In ecpg, allow the numeric
value INT_MIN (usually -2147483648) to be
converted to integer (John Naylor)
In psql and other client programs, avoid
overrunning the ends of strings when dealing with invalidly-encoded
data (Tom Lane)
An incorrectly-encoded multibyte character near the end of a string
could cause various processing loops to run past the string's
terminating NUL, with results ranging from no detectable issue to
a program crash, depending on what happens to be in the following
memory. This is reminiscent of CVE-2006-2313, although these
particular cases do not appear to have interesting security
consequences.
Fix pg_dump to correctly handle triggers
on partitioned tables whose enabled status is different from their
parent triggers' status
(Justin Pryzby, Álvaro Herrera)
Avoid invalid creation date in header warnings
observed when running pg_restore on an
archive file created in a different time zone (Tom Lane)
Make pg_upgrade carry forward the old
installation's oldestXID value (Bertrand Drouvot)
Previously, the new installation's oldestXID was
set to a value old enough to (usually) force immediate
anti-wraparound autovacuuming. That's not desirable from a
performance standpoint; what's worse, installations using large
values of autovacuum_freeze_max_age could suffer
unwanted forced shutdowns soon after an upgrade.
Extend pg_upgrade to detect and warn
about extensions that should be upgraded (Bruce Momjian)
A script file is now produced containing the ALTER
EXTENSION UPDATE commands needed to bring extensions up to
the versions that are considered default in the new installation.
Avoid problems when
switching pg_receivewal between
compressed and non-compressed WAL storage (Michael Paquier)
Fix contrib/postgres_fdw to work usefully with
generated columns (Etsuro Fujita)
postgres_fdw will now behave reasonably with
generated columns, so long as a generated column in a foreign table
represents a generated column in the remote table. IMPORT
FOREIGN SCHEMA will now import generated columns that way
by default.
In contrib/postgres_fdw, avoid attempting
catalog lookups after an error (Tom Lane)
While this usually worked, it's not very safe since the error might
have been one that made catalog access nonfunctional. A side effect
of the fix is that messages about data conversion errors will now
mention the query's table and column aliases (if used) rather than
the true underlying name of a foreign table or column.
Improve the isolation-test infrastructure (Tom Lane, Michael Paquier)
Allow isolation test steps to be annotated to show the expected
completion order. This allows getting stable results from
otherwise-racy test cases, without the long delays that we
previously used (not entirely successfully) to fend off race
conditions.
Allow non-quoted identifiers as isolation test session/step names
(formerly, all such names had to be double-quoted).
Detect and warn about unused steps in isolation tests.
Improve display of query results in isolation tests.
Remove isolationtester's dry-run mode.
Remove memory leaks in isolationtester itself.
Reduce overhead of cache-clobber testing (Tom Lane)
Fix PL/Python's regression tests to pass
with Python 3.10 (Honza Horak)
Make printf("%s", NULL)
print (null) instead of crashing (Tom Lane)
This should improve server robustness in corner cases, and it syncs
our printf implementation with common libraries.
Fix incorrect log message when point-in-time recovery stops at
a ROLLBACK PREPARED record (Simon Riggs)
Improve ALTER TABLE's messages for
wrong-relation-kind errors (Kyotaro Horiguchi)
Clarify error messages referring to non-negative
values (Bharath Rupireddy)
Fix configure to work with OpenLDAP 2.5,
which no longer has a separate libldap_r
library (Adrian Ho, Tom Lane)
If there is no libldap_r library, we now
silently assume that libldap is thread-safe.
Add new make targets world-bin
and install-world-bin (Andrew Dunstan)
These are the same as world
and install-world respectively, except that they
do not build or install the documentation.
Fix make rule for TAP tests (prove_installcheck)
to work in PGXS usage (Andrew Dunstan)
Adjust JIT code to prepare for forthcoming LLVM API change
(Thomas Munro, Andres Freund)
LLVM 13 has made an incompatible API change that will cause crashing
of our previous JIT compiler.
Avoid assuming that strings returned by GSSAPI libraries are
null-terminated (Tom Lane)
The GSSAPI spec provides for a string pointer and length. It seems
that in practice the next byte after the string is usually zero,
so that our previous coding didn't actually fail; but we do have
a report of AddressSanitizer complaints.
Enable building with GSSAPI on MSVC (Michael Paquier)
Fix various incompatibilities with modern Kerberos builds.
In MSVC builds, include in the set of
configure options reported by pg_config,
if it had been specified (Andrew Dunstan)
Release 12.7Release date:2021-05-13
This release contains a variety of fixes from 12.6.
For information about new features in major release 12, see
.
Migration to Version 12.7
A dump/restore is not required for those running 12.X.
However, if you are upgrading from a version earlier than 12.6,
see .
Changes
Prevent integer overflows in array subscripting calculations
(Tom Lane)
The array code previously did not complain about cases where an
array's lower bound plus length overflows an integer. This resulted
in later entries in the array becoming inaccessible (since their
subscripts could not be written as integers), but more importantly
it confused subsequent assignment operations. This could lead to
memory overwrites, with ensuing crashes or unwanted data
modifications.
(CVE-2021-32027)
Fix mishandling of junk columns in INSERT
... ON CONFLICT ... UPDATE target lists (Tom Lane)
If the UPDATE list contains any multi-column
sub-selects (which give rise to junk columns in addition to the
results proper), the UPDATE path would end up
storing tuples that include the values of the extra junk columns.
That's fairly harmless in the short run, but if new columns are
added to the table then the values would become accessible, possibly
leading to malfunctions if they don't match the datatypes of the
added columns.
In addition, in versions supporting cross-partition updates,
a cross-partition update triggered by such a case had the reverse
problem: the junk columns were removed from the target list,
typically causing an immediate crash due to malfunction of the
multi-column sub-select mechanism.
(CVE-2021-32028)
Fix possibly-incorrect computation of UPDATE
... RETURNING outputs for joined cross-partition updates
(Amit Langote, Etsuro Fujita)
If an UPDATE for a partitioned table caused a row
to be moved to another partition with a physically different row
type (for example, one with a different set of dropped columns),
computation of RETURNING results for that row
could produce errors or wrong answers. No error is observed unless
the UPDATE involves other tables being joined to
the target table.
(CVE-2021-32029)
Fix adjustment of constraint deferrability properties in
partitioned tables (Álvaro Herrera)
When applied to a foreign-key constraint of a partitioned table,
ALTER TABLE ... ALTER CONSTRAINT failed to
adjust the DEFERRABLE and/or
INITIALLY DEFERRED markings of the constraints
and triggers of leaf partitions. This led to unexpected behavior of
such constraints. After updating to this version, any misbehaving
partitioned tables can be fixed by executing a
new ALTER command to set the desired properties.
This change also disallows applying such an ALTER
directly to the constraints of leaf partitions. The only supported
case is for the whole partitioning hierarchy to have identical
constraint properties, so such ALTERs must be
applied at the partition root.
When attaching a child table with ALTER TABLE
... INHERIT, insist that any generated columns in the
parent be generated the same way in the child (Peter Eisentraut)
Forbid marking an identity column as nullable (Vik Fearing)
GENERATED ... AS IDENTITY implies NOT
NULL, so don't allow it to be combined with an
explicit NULL specification.
Allow ALTER ROLE/DATABASE ... SET to set
the role, session_authorization,
and temp_buffers parameters (Tom Lane)
Previously, over-eager validity checks might reject these commands,
even if the values would have worked when used later. This created
a command ordering hazard for dump/reload and upgrade scenarios.
Ensure that REINDEX CONCURRENTLY preserves any
statistics target that's been set for the index (Michael Paquier)
Fix COMMIT AND CHAIN to work correctly when the
current transaction has live savepoints (Fujii Masao)
Fix bug with coercing the result of a COLLATE
expression to a non-collatable type (Tom Lane)
This led to a parse tree in which the COLLATE
appears to be applied to a non-collatable value. While that
normally has no real impact (since COLLATE has no
effect at runtime), it was possible to construct views that would be
rejected during dump/reload.
Fix use-after-free bug in saving tuples for AFTER
triggers (Amit Langote)
This could cause crashes in some situations.
Disallow calling window functions and procedures via
the fast path wire protocol message (Tom Lane)
Only plain functions are supported here. While trying to call
an aggregate function failed already, calling a window function
would crash, and calling a procedure would work only if the
procedure did no transaction control.
Extend pg_identify_object_as_address()
to support event triggers (Joel Jacobson)
Fix to_char()'s handling of Roman-numeral month
format codes with negative intervals (Julien Rouhaud)
Previously, such cases would usually cause a crash.
Check that the argument
of pg_import_system_collations() is a valid
schema OID (Tom Lane)
Fix use of uninitialized value while parsing an
\{m,n\}
quantifier in a BRE-mode regular expression (Tom Lane)
This error could cause the quantifier to act non-greedy, that is
behave like an
{m,n}?
quantifier would do in full regular expressions.
Don't ignore system columns when estimating the number of groups
using extended statistics (Tomas Vondra)
This led to strange estimates for queries such as SELECT
... GROUP BY a, b, ctid.
Avoid divide-by-zero when estimating selectivity of a regular
expression with a very long fixed prefix (Tom Lane)
This typically led to a NaN selectivity value,
causing assertion failures or strange planner behavior.
Fix access-off-the-end-of-the-table error in BRIN index bitmap scans
(Tomas Vondra)
If the page range size used by a BRIN index isn't a power of two,
there were corner cases in which a bitmap scan could try to fetch
pages past the actual end of the table, leading to could not
open file errors.
Avoid incorrect timeline change while recovering uncommitted
two-phase transactions from WAL (Soumyadeep Chakraborty, Jimmy Yih,
Kevin Yeap)
This error could lead to subsequent WAL records being written under
the wrong timeline ID, leading to consistency problems, or even
complete failure to be able to restart the server, later on.
Ensure that locks are released while shutting down a standby
server's startup process (Fujii Masao)
When a standby server is shut down while still in recovery, some
locks might be left held. This causes assertion failures in debug
builds; it's unclear whether any serious consequence could occur
in production builds.
Fix crash when a logical replication worker does ALTER
SUBSCRIPTION REFRESH (Peter Smith)
The core code won't do this, but a replica trigger could.
Ensure we default to wal_sync_method
= fdatasync on recent FreeBSD (Thomas Munro)
FreeBSD 13 supports open_datasync, which would
normally become the default choice. However, it's unclear whether
that is actually an improvement for Postgres, so preserve the
existing default for now.
Pass the correct trigger OID to object post-alter hooks
during ALTER CONSTRAINT (Álvaro Herrera)
When updating trigger properties during ALTER
CONSTRAINT, the post-alter hook was told that we are
updating a trigger, but the constraint's OID was passed instead of
the trigger's.
Ensure we finish cleaning up when interrupted while detaching a DSM
segment (Thomas Munro)
This error could result in temporary files not being cleaned up
promptly after a parallel query.
Fix memory leak while initializing server's SSL parameters (Michael
Paquier)
This is ordinarily insignificant, but if the postmaster is
repeatedly sent SIGHUP signals, the leak
can build up over time.
Fix assorted minor memory leaks in the server (Tom Lane, Andres Freund)
Fix failure when a PL/pgSQL DO block makes use of
both composite-type variables and transaction control (Tom Lane)
Previously, such cases led to errors about leaked tuple descriptors.
Prevent infinite loop in libpq
if a ParameterDescription message with a corrupt length is received
(Tom Lane)
When initdb prints instructions about how
to start the server, make the path shown
for pg_ctl use backslash separators on
Windows (Nitin Jadhav)
Fix psql to restore the previous behavior
of \connect
service=something (Tom Lane)
A previous bug fix caused environment variables (such
as PGPORT) to override entries in the service
file in this context. Restore the previous behavior, in which the
priority is the other way around.
Fix psql's ON_ERROR_ROLLBACK
feature to handle COMMIT AND CHAIN commands
correctly (Arthur Nascimento)
Previously, this case failed with savepoint
"pg_psql_temporary_savepoint" does not exist.
Fix race condition in detection of file modification by
psql's \e and related
commands (Laurenz Albe)
A very fast typist could fool the code's file-timestamp-based
detection of whether the temporary edit file was changed.
Fix pg_dump's dumping of
generated columns in partitioned tables (Peter Eisentraut)
A fix introduced in the previous minor release should not be applied
to partitioned tables, only traditionally-inherited tables.
Fix missed file version check
in pg_restore (Tom Lane)
When reading a custom-format archive from a non-seekable source,
pg_restore neglected to check the
archive version. If it was fed a newer archive version than it
can support, it would fail messily later on.
Add some more checks to pg_upgrade for
user tables containing non-upgradable data types (Tom Lane)
Fix detection of some cases where a non-upgradable data type is
embedded within a container type (such as an array or range).
Also disallow upgrading when user tables contain columns of
system-defined composite types, since those types' OIDs are not
stable across versions.
Fix incorrect progress-reporting calculation
in pg_checksums (Shinya Kato)
Fix pg_waldump to
count XACT records correctly when generating
per-record statistics (Kyotaro Horiguchi)
Fix contrib/amcheck to not complain about the
tuple flags HEAP_XMAX_LOCK_ONLY
and HEAP_KEYS_UPDATED both being set
(Julien Rouhaud)
This is a valid state after SELECT FOR UPDATE.
Adjust VPATH build rules to support recent Oracle Developer Studio
compiler versions (Noah Misch)
Fix testing of PL/Python for Python 3 on Solaris (Noah Misch)
Release 12.6Release date:2021-02-11
This release contains a variety of fixes from 12.5.
For information about new features in major release 12, see
.
Migration to Version 12.6
A dump/restore is not required for those running 12.X.
However, see the second and third changelog items below,
which describe cases in which reindexing indexes after the upgrade
may be advisable.
Also, if you are upgrading from a version earlier than 12.2,
see .
Changes
Fix information leakage in constraint-violation error messages
(Heikki Linnakangas)
If an UPDATE command attempts to move a row to a
different partition but finds that it violates some constraint on
the new partition, and the columns in that partition are in
different physical positions than in the parent table, the error
message could reveal the contents of columns that the user does not
have SELECT privilege on.
(CVE-2021-3393)
Fix incorrect detection of concurrent page splits while inserting
into a GiST index (Heikki Linnakangas)
Concurrent insertions could lead to a corrupt index with entries
placed in the wrong pages. It's recommended to reindex any GiST
index that's been subject to concurrent insertions.
Fix CREATE INDEX CONCURRENTLY to wait for
concurrent prepared transactions (Andrey Borodin)
At the point where CREATE INDEX CONCURRENTLY
waits for all concurrent transactions to complete so that it can see
rows they inserted, it must also wait for all prepared transactions
to complete, for the same reason. Its failure to do so meant that
rows inserted by prepared transactions might be omitted from the new
index, causing queries relying on the index to miss such rows.
In installations that have enabled prepared transactions
(max_prepared_transactions > 0),
it's recommended to reindex any concurrently-built indexes in
case this problem occurred when they were built.
Avoid crash when a CALL or DO
statement that performs a transaction rollback is executed via
extended query protocol (Thomas Munro, Tom Lane)
In PostgreSQL 13, this case reliably
caused a null-pointer dereference. In earlier versions the bug
seems to have no visible symptoms, but it's not quite clear that
it could never cause a problem.
Fix partition pruning logic to handle asymmetric hash partition sets
(Tom Lane)
If a hash-partitioned table has unequally-sized partitions (that is,
varying modulus values), or it lacks partitions for some remainder
values, then the planner's pruning logic could mistakenly conclude
that some partitions don't need to be scanned, leading to failure to
find rows that the query should find.
Avoid incorrect results when WHERE CURRENT OF is
applied to a cursor whose plan contains a MergeAppend node (Tom
Lane)
This case is unsupported (in general, a cursor using ORDER
BY is not guaranteed to be simply updatable); but the code
previously did not reject it, and could silently give false matches.
Fix crash when WHERE CURRENT OF is applied to a
cursor whose plan contains a custom scan node (David Geier)
Fix planner's mishandling of placeholders whose evaluation should be
delayed by an outer join (Tom Lane)
This occurs in particular with trivial subqueries containing lateral
references to outer-join outputs. The mistake could result in a
malformed plan. The known cases trigger a failed to assign
all NestLoopParams to plan nodes error, but other symptoms
may be possible.
Fix planner's handling of placeholders during removal of useless
RESULT RTEs (Tom Lane)
This oversight could lead to no relation entry for
relid N planner errors.
Fix planner's handling of a placeholder that is computed at some
join level and used only at that same level (Tom Lane)
This oversight could lead to failed to build
any N-way joins planner errors.
Be more careful about whether index AMs support mark/restore
(Andrew Gierth)
This prevents errors about missing support functions in rare edge
cases.
Adjust settings to make it more difficult to run out of DSM slots
during heavy usage of parallel queries (Thomas Munro)
Fix overestimate of the amount of shared memory needed for parallel
queries (Takayuki Tsunakawa)
Fix ALTER DEFAULT PRIVILEGES to handle duplicated
arguments safely (Michael Paquier)
Duplicate role or schema names within the same command could lead
to tuple already updated by self errors or
unique-constraint violations.
Flush ACL-related caches when pg_authid
changes (Noah Misch)
This change ensures that permissions-related decisions will promptly
reflect the results of ALTER ROLE ... [NO] INHERIT.
Prevent misprocessing of ambiguous CREATE TABLE
LIKE clauses (Tom Lane)
A LIKE clause is re-examined after initial
creation of the new table, to handle importation of indexes and
such. It was possible for this re-examination to find a different
table of the same name, causing unexpected behavior; one example is
where the new table is a temporary table of the same name as
the LIKE target.
Rearrange order of operations in CREATE TABLE
LIKE so that indexes are cloned before building foreign
key constraints (Tom Lane)
This fixes the case where a self-referential foreign key constraint
declared in the outer CREATE TABLE depends on an
index that's coming from the LIKE clause.
Disallow CREATE STATISTICS on system catalogs
(Tomas Vondra)
Disallow converting an inheritance child table to a view
(Tom Lane)
Ensure that disk space allocated for a dropped relation is released
promptly at commit (Thomas Munro)
Previously, if the dropped relation spanned multiple 1GB segments,
only the first segment was truncated immediately. Other segments
were simply unlinked, which doesn't authorize the kernel to release
the storage so long as any other backends still have the files open.
Prevent dropping a tablespace that is referenced by a partitioned
relation, but is not used for any actual storage (Álvaro
Herrera)
Previously this was allowed, but subsequent operations on the
partitioned relation would fail.
Fix progress reporting for CLUSTER (Matthias van
de Meent)
Fix handling of backslash-escaped multibyte characters
in COPY FROM (Heikki Linnakangas)
A backslash followed by a multibyte character was not handled
correctly. In some client character encodings, this could lead to
misinterpreting part of a multibyte character as a field separator
or end-of-copy-data marker.
Avoid preallocating executor hash tables
in EXPLAIN without ANALYZE
(Alexey Bashtanov)
Fix recently-introduced race conditions
in LISTEN/NOTIFY queue
handling (Tom Lane)
A newly-listening backend could attempt to read SLRU pages that
were in process of being truncated, possibly causing an error.
The queue tail pointer could become
set to a value that's not equal to the queue position of any
backend, resulting in effective disabling of the queue truncation
logic. Continued use of NOTIFY then led to
queue-fill warnings, and eventually to inability to send any more
notifies until the server is restarted.
Allow the jsonb concatenation operator to handle all
combinations of JSON data types (Tom Lane)
We can concatenate two JSON objects or two JSON arrays. Handle
other cases by wrapping non-array inputs in one-element arrays,
then performing an array concatenation. Previously, some
combinations of inputs followed this rule but others arbitrarily
threw an error.
Fix use of uninitialized value while parsing a *
quantifier in a BRE-mode regular expression (Tom Lane)
This error could cause the quantifier to act non-greedy, that is
behave like a *? quantifier would do in full
regular expressions.
Fix numeric power() for the case where the
exponent is exactly INT_MIN (-2147483648)
(Dean Rasheed)
Previously, a result with no significant digits was produced.
Fix integer-overflow cases in substring()
functions (Tom Lane, Pavel Stehule)
If the specified starting index and length overflow an integer when
added together, substring() misbehaved, either
throwing a bogus negative substring length error for
a case that should succeed, or failing to complain that a negative
length is negative (and instead returning the whole string, in most
cases).
Prevent possible data loss from incorrect detection of the
wraparound point of an SLRU log
(Noah Misch)
The wraparound point typically falls in the middle of a page, which
must be rounded off to a page boundary, and that was not done
correctly. No issue could arise unless an installation had gotten
to within one page of SLRU overflow, which is unlikely in a
properly-functioning system. If this did happen, it would manifest
in later apparent wraparound or could not
access status of transaction errors.
Fix memory leak in walsender processes while sending new snapshots
for logical decoding (Amit Kapila)
Fix walsender to accept additional commands after
terminating replication (Jeff Davis)
Ensure detection of deadlocks between hot standby backends and the
startup (WAL-application) process (Fujii Masao)
The startup process did not run the deadlock detection code, so that
in situations where the startup process is last to join a circular
wait situation, the deadlock might never be recognized.
Fix possible failure to detect recovery conflicts while deleting an
index entry that references a HOT chain (Peter Geoghegan)
The code failed to traverse the HOT chain and might thus compute a
too-old XID horizon, which could lead to incorrect conflict
processing in hot standby. The practical impact of this bug is
limited; in most cases the correct XID horizon would be found anyway
from nearby operations.
Ensure that a nonempty value
of krb_server_keyfile always overrides any
setting of KRB5_KTNAME in the server's
environment (Tom Lane)
Previously, which setting took precedence depended on whether the
client requests GSS encryption.
In server log messages about failing to match connections
to pg_hba.conf entries, include details about
whether GSS encryption has been activated (Kyotaro Horiguchi, Tom
Lane)
This is relevant data if hostgssenc
or hostnogssenc entries exist.
Fix assorted issues in server's support for GSS encryption (Tom Lane)
Remove pointless restriction that only GSS authentication
can be used on a GSS-encrypted connection.
Add GSS encryption information to connection-authorized log messages.
Include GSS-related space when computing the required size of
shared memory (this omission could have caused problems with very
high max_connections settings).
Avoid possible infinite recursion when reporting an unrecoverable
GSS encryption error.
Ensure that unserviced requests for background workers are cleaned
up when the postmaster begins a smart
or fast shutdown sequence (Tom Lane)
Previously, there was a race condition whereby a child process that
had requested a background worker just before shutdown could wait
indefinitely, preventing shutdown from completing.
Fix portability problem in parsing
of recovery_target_xid values (Michael Paquier)
The target XID is potentially 64 bits wide, but it was parsed
with strtoul(), causing misbehavior on
platforms where long is 32 bits (such as Windows).
Avoid trying to use parallel index build in a standalone backend
(Yulin Pei)
Allow index AMs to support included columns without necessarily
supporting multiple key columns (Tom Lane)
Avoid assertion failure during parallel aggregation of an
aggregate with a non-strict deserialization function (Andrew Gierth)
No such aggregate functions exist in
core PostgreSQL, but some extensions
such as PostGIS provide some. The mistake is harmless anyway in a
non-assert build.
Avoid assertion failure in pg_get_functiondef()
when examining a function with a TRANSFORM option
(Tom Lane)
Fix data structure misallocation in
PL/pgSQL's CALL statement (Tom Lane)
A CALL in a PL/pgSQL procedure, to another
procedure that has OUT parameters, would fail if the called
procedure did a COMMIT
or ROLLBACK.
In libpq, do not skip trying SSL after
GSS encryption (Tom Lane)
If we successfully made a GSS-encrypted connection, but then failed
during authentication, we would fall back to an unencrypted
connection rather than next trying an SSL-encrypted connection.
This could lead to unexpected connection failure, or to silently
getting an unencrypted connection where an encrypted one is
expected. Fortunately, GSS encryption could only succeed if both
client and server hold valid tickets in the same Kerberos
infrastructure. It seems unlikely for that to be true in an
environment that requires SSL encryption instead.
In psql, re-allow including a password
in a connection_string argument of a
\connect command (Tom Lane)
This used to work, but a recent bug fix caused the password to be
ignored (resulting in prompting for a password).
In psql's \d commands,
don't truncate the display of column default values (Tom Lane)
Formerly, they were arbitrarily truncated at 128 characters.
Fix assorted bugs
in psql's \help
command (Kyotaro Horiguchi, Tom Lane)
\help with two argument words failed to find a
command description using only the first word, for
example \help reset all should show the help
for RESET but did not.
Also, \help often failed to invoke the pager when
it should. It also leaked memory.
Fix pg_dump's dumping of inherited
generated columns (Peter Eisentraut)
The previous behavior resulted in (harmless) errors during restore.
In pg_dump, ensure that the restore
script runs ALTER PUBLICATION ADD TABLE commands
as the owner of the publication, and similarly runs ALTER
INDEX ATTACH PARTITION commands as the owner of the
partitioned index (Tom Lane)
Previously, these commands would be run by the role that started the
restore script; which will usually work, but in corner cases that
role might not have adequate permissions.
Fix pg_dump to handle WITH
GRANT OPTION in an extension's initial privileges
(Noah Misch)
If an extension's script creates an object and grants privileges
on it with grant option, then later the user revokes such
privileges, pg_dump would generate
incorrect SQL for reproducing the situation. (Few if any extensions
do this today.)
In pg_rewind, ensure that all WAL is
accounted for when rewinding a standby server
(Ian Barwick, Heikki Linnakangas)
In pgbench, disallow a digit as the first
character of a variable name (Fabien Coelho)
This prevents trying to substitute variables into timestamp literal
values, which may contain strings like 12:34.
Report the correct database name in connection failure error
messages from some client programs (Álvaro Herrera)
If the database name was defaulted rather than given on the command
line, pg_dumpall,
pgbench, oid2name,
and vacuumlo would produce misleading
error messages after a connection failure.
Fix memory leak in contrib/auto_explain
(Japin Li)
Memory consumed while producing the EXPLAIN
output was not freed until the end of the current transaction (for a
top-level statement) or the end of the surrounding statement (for a
nested statement). This was particularly a problem
with log_nested_statements enabled.
In contrib/postgres_fdw, avoid leaking open
connections to remote servers when a user mapping or foreign server
object is dropped (Bharath Rupireddy)
Open connections that depend on a dropped user mapping or foreign
server can no longer be referenced, but formerly they were kept
around anyway for the duration of the local session.
In contrib/pgcrypto, check for error returns
from OpenSSL's EVP functions (Michael Paquier)
We do not really expect errors here, but this change silences
warnings from static analysis tools.
Make contrib/pg_prewarm more robust when the
cluster is shut down before prewarming is complete (Tom Lane)
Previously, autoprewarm would rewrite its status file with only the
block numbers that it had managed to load so far, thus perhaps
largely disabling the prewarm functionality in the next startup.
Instead, suppress status file updates until the initial loading pass
is complete.
In contrib/pg_trgm's GiST index support, avoid
crash in the rare case that picksplit is called on exactly two index
items (Andrew Gierth, Alexander Korotkov)
Fix miscalculation of timeouts
in contrib/pg_prewarm
and contrib/postgres_fdw
(Alexey Kondratov, Tom Lane)
The main loop in contrib/pg_prewarm's
autoprewarm parent process underestimated its desired sleep time by
a factor of 1000, causing it to consume much more CPU than intended.
When waiting for a result from a remote
server, contrib/postgres_fdw overestimated the
desired timeout by a factor of 1000 (though this error had been
mitigated by imposing a clamp to 60 seconds).
Both of these errors stemmed from incorrectly converting
seconds-and-microseconds to milliseconds. Introduce a new
API TimestampDifferenceMilliseconds()
to make it easier to get this right in the future.
Improve configure's heuristics for
selecting PG_SYSROOT on macOS (Tom Lane)
The new method is more likely to produce desirable results when
Xcode is newer than the underlying operating system. Choosing
a sysroot that does not match the OS version may result in
nonfunctional executables.
While building on macOS, specify in
link steps as well as compile steps (James Hilliard)
This likewise improves the results when Xcode is out of sync with
the operating system.
Fix JIT compilation to be compatible with LLVM 11 and LLVM 12
(Andres Freund)
Fix potential mishandling of references to boolean variables in
JIT expression compilation (Andres Freund)
No field reports attributable to this have been seen, but it seems
likely that it could cause problems on some architectures.
Fix compile failure with ICU 68 and later (Tom Lane)
Avoid memcpy() with a NULL source pointer and
zero count during partitioned index creation (Álvaro Herrera)
While such a call is not known to cause problems in itself, some
compilers assume that the arguments of memcpy()
are never NULL, which could result in incorrect optimization of
nearby code.
Update time zone data files to tzdata
release 2021a for DST law changes in Russia (Volgograd zone) and
South Sudan, plus historical corrections for Australia, Bahamas,
Belize, Bermuda, Ghana, Israel, Kenya, Nigeria, Palestine,
Seychelles, and Vanuatu.
Notably, the Australia/Currie zone has been corrected to the point
where it is identical to Australia/Hobart.
Release 12.5Release date:2020-11-12
This release contains a variety of fixes from 12.4.
For information about new features in major release 12, see
.
Migration to Version 12.5
A dump/restore is not required for those running 12.X.
However, if you are upgrading from a version earlier than 12.2,
see .
Changes
Block DECLARE CURSOR ... WITH HOLD and firing of
deferred triggers within index expressions and materialized view
queries (Noah Misch)
This is essentially a leak in the security restricted
operation sandbox mechanism. An attacker having permission
to create non-temporary SQL objects could parlay this leak to
execute arbitrary SQL code as a superuser.
The PostgreSQL Project thanks
Etienne Stalmans for reporting this problem.
(CVE-2020-25695)
Fix usage of complex connection-string parameters
in pg_dump,
pg_restore,
clusterdb,
reindexdb,
and vacuumdb (Tom Lane)
The parameter
of pg_dump
and pg_restore, or
the parameter of the other
programs mentioned, can be a connection string
containing multiple connection parameters rather than just a
database name. In cases where these programs need to initiate
additional connections, such as parallel processing or processing of
multiple databases, the connection string was forgotten and just the
basic connection parameters (database name, host, port, and
username) were used for the additional connections. This could lead
to connection failures if the connection string included any other
essential information, such as non-default SSL or GSS parameters.
Worse, the connection might succeed but not be encrypted as
intended, or be vulnerable to man-in-the-middle attacks that the
intended connection parameters would have prevented.
(CVE-2020-25694)
When psql's \connect
command re-uses connection parameters, ensure that all
non-overridden parameters from a previous connection string are
re-used (Tom Lane)
This avoids cases where reconnection might fail due to omission of
relevant parameters, such as non-default SSL or GSS options.
Worse, the reconnection might succeed but not be encrypted as
intended, or be vulnerable to man-in-the-middle attacks that the
intended connection parameters would have prevented.
This is largely the same problem as just cited
for pg_dump et al,
although psql's behavior is more complex
since the user may intentionally override some connection
parameters.
(CVE-2020-25694)
Prevent psql's \gset
command from modifying specially-treated variables (Noah Misch)
\gset without a prefix would overwrite whatever
variables the server told it to. Thus, a compromised server could
set specially-treated variables such as PROMPT1,
giving the ability to execute arbitrary shell code in the user's
session.
The PostgreSQL Project thanks
Nick Cleaton for reporting this problem.
(CVE-2020-25696)
Prevent possible data loss from concurrent truncations of SLRU logs
(Noah Misch)
This rare problem would manifest in later apparent
wraparound or could not access status of
transaction errors.
Ensure that SLRU directories are properly fsync'd during checkpoints
(Thomas Munro)
This prevents possible data loss in a subsequent operating system
crash.
Fix ALTER ROLE for users with
the BYPASSRLS attribute (Tom Lane, Stephen Frost)
The BYPASSRLS attribute is only allowed to be
changed by superusers, but other ALTER ROLE
operations, such as password changes, should be allowed with only
ordinary permission checks. The previous coding erroneously
restricted all changes on such a role to superusers.
Ensure that ALTER TABLE ONLY ... ENABLE/DISABLE
TRIGGER does not recurse to child tables
(Álvaro Herrera)
Previously the ONLY flag was ignored.
Avoid unnecessary recursion to partitions in ALTER TABLE
SET NOT NULL, when the target column is already
marked NOT NULL (Tom Lane)
This avoids a potential deadlock in
parallel pg_restore.
Fix handling of expressions in CREATE TABLE LIKE
with inheritance (Tom Lane)
If a CREATE TABLE command uses
both LIKE and traditional inheritance, column
references in CHECK constraints and expression
indexes that came from a LIKE parent table tended
to get mis-numbered, resulting in wrong answers and/or bizarre error
messages. The same could happen in GENERATED
expressions, in branches that have that feature.
Disallow DROP INDEX CONCURRENTLY on a partitioned
table (Álvaro Herrera, Michael Paquier)
This case failed anyway, but with a confusing error message.
Allow LOCK TABLE to succeed on a self-referential
view (Tom Lane)
It previously threw an error complaining about infinite recursion,
but there seems no need to disallow the case.
Retain statistics about an index across REINDEX
CONCURRENTLY (Michael Paquier, Fabrízio de Royes Mello)
Non-concurrent reindexing has always preserved such statistics.
Fix incorrect progress reporting from REINDEX
CONCURRENTLY (Matthias van de Meent, Michael Paquier)
Ensure that GENERATED columns are updated when
the column(s) they depend on are updated via a rule or an updatable
view (Tom Lane)
This fix also takes care of possible failure to fire a
column-specific trigger in such cases.
Recheck default partition constraints while routing an inserted or
updated tuple to the correct partition (Amit Langote,
Álvaro Herrera)
This fixes race conditions when partitions are added concurrently
with the insertion.
Fix failures with collation-dependent partition bound expressions
(Tom Lane)
Support hashing of text arrays (Peter Eisentraut)
Array hashing failed if the array element type is collatable.
Notably, this prevented using hash partitioning with a text array
column as partition key.
Fix off-by-one conversion of negative years to BC dates
in to_date()
and to_timestamp() (Dar Alathar-Yemen, Tom Lane)
Also, arrange for the combination of a negative year and an
explicit BC marker to cancel out and produce AD.
Ensure that standby servers will archive WAL timeline history files
when archive_mode is set
to always (Grigory Smolkin, Fujii Masao)
This oversight could lead to failure of subsequent PITR recovery
attempts.
Fix cache lookup failed for relation 0
failures in logical replication workers (Tom Lane)
The real-world impact is small, since the failure is unlikely, and
if it does happen the worker would just exit and be restarted.
Prevent logical replication workers from sending redundant ping
requests (Tom Lane)
During smart shutdown, don't terminate background
processes until all client (foreground) sessions are done (Tom Lane)
The previous behavior broke parallel query processing, since the
postmaster would terminate parallel workers and refuse to launch any
new ones. It also caused autovacuum to cease functioning, which
could have dire long-term effects if the surviving client sessions
make a lot of data changes.
Avoid recursive consumption of stack space while processing signals
in the postmaster (Tom Lane)
Heavy use of parallel processing has been observed to cause
postmaster crashes due to too many concurrent signals requesting
creation of a parallel worker process.
Avoid running atexit handlers when exiting
due to SIGQUIT (Kyotaro Horiguchi, Tom Lane)
Most server processes followed this practice already, but the
archiver process was overlooked. Backends that were still waiting
for a client startup packet got it wrong, too.
Avoid misoptimization of subquery qualifications that reference
apparently-constant grouping columns (Tom Lane)
A constant subquery output column isn't really
constant if it is a grouping column that appears in only some of the
grouping sets.
Fix possible crash when considering partition-wise joins
during GEQO planning (Tom Lane)
Avoid failure when SQL function inlining changes the shape of a
potentially-hashable subplan comparison expression (Tom Lane)
While building or re-building an index, tolerate the appearance of
new HOT chains due to concurrent updates
(Anastasia Lubennikova, Álvaro Herrera)
This oversight could lead to failed to find parent tuple for
heap-only tuple errors.
Fix failure of parallel B-tree index scans when the index condition
is unsatisfiable (James Hunter)
Ensure that data is detoasted before being inserted into a BRIN
index (Tomas Vondra)
Index entries are not supposed to contain out-of-line TOAST
pointers, but BRIN didn't get that memo. This could lead to errors
like missing chunk number 0 for toast value NNN.
(If you are faced with such an error from an existing
index, REINDEX should be enough to fix it.)
Handle concurrent desummarization correctly during BRIN index scans
(Alexander Lakhin, Álvaro Herrera)
Previously, if a page range was desummarized at just the wrong time,
an index scan might falsely raise an error indicating index
corruption.
Fix rare lost saved point in index errors in scans of
multicolumn GIN indexes (Tom Lane)
Fix buffered GiST index builds to work when the index has included
columns (Pavel Borisov)
Fix unportable use of getnameinfo()
in pg_hba_file_rules view (Tom Lane)
On FreeBSD 11, and possibly other platforms, the
view's address
and netmask columns were always null due
to this error.
Avoid crash if debug_query_string is NULL
when starting a parallel worker (Noah Misch)
Fix use-after-free hazard when an event trigger monitors
an ALTER TABLE operation (Jehan-Guillaume de
Rorthais)
Avoid failures when a BEFORE ROW UPDATE trigger
returns the old row of a table having dropped
or missing columns (Amit Langote, Tom Lane)
This method of suppressing an update could result in crashes,
unexpected CHECK constraint failures, or
incorrect RETURNING output,
because missing columns would read as NULLs for those
purposes. (A column is missing for this purpose if
it was added by ALTER TABLE ADD COLUMN with a
non-NULL, but constant, default value.) Dropped columns could cause
trouble as well.
Fix incorrect error message about inconsistent moving-aggregate
data types (Jeff Janes)
Avoid lockup when a parallel worker reports a very long error
message (Vignesh C)
Avoid unnecessary failure when transferring very large payloads
through shared memory queues (Markus Wanner)
Fix incorrect handling of template function attributes in JIT code
generation (Andres Freund)
This has been shown to cause crashes on s390x,
and very possibly there are other cases on other platforms.
Fix relation cache memory leaks with RLS policies (Tom Lane)
Fix edge-case memory leak
in index_get_partition() (Justin Pryzby)
Fix small memory leak when SIGHUP processing decides that a new GUC
variable value cannot be applied without a restart (Tom Lane)
Fix memory leaks
in PL/pgsql's CALL
processing (Pavel Stehule, Tom Lane)
Make libpq support arbitrary-length lines
in .pgpass files (Tom Lane)
This is mostly useful to allow using very long security tokens as
passwords.
In libpq for Windows,
call WSAStartup() once per process
and WSACleanup() not at all (Tom Lane,
Alexander Lakhin)
Previously, libpq
invoked WSAStartup() at connection start
and WSACleanup() at connection cleanup.
However, it appears that calling WSACleanup()
can interfere with other program operations; notably, we have
observed rare failures to emit expected output to stdout. There
appear to be no ill effects from omitting the call, so do that.
(This also eliminates a performance issue from repeated DLL loads and
unloads when a program performs a series of database connections.)
Fix ecpg library's per-thread
initialization logic for Windows (Tom Lane, Alexander Lakhin)
Multi-threaded ecpg applications could
suffer rare misbehavior due to incorrect locking.
On Windows, make psql read the output of
a backtick command in text mode, not binary mode (Tom Lane)
This ensures proper handling of newlines.
Ensure that pg_dump collects per-column
information about extension configuration tables (Fabrízio de
Royes Mello, Tom Lane)
Failure to do this led to crashes when
specifying , or underspecified (though
usually correct) COPY commands when
using COPY to reload the tables' data.
Ensure that parallel pg_restore processes
foreign keys referencing partitioned tables in the correct order
(Álvaro Herrera)
Previously, it might try to restore a foreign key constraint before
the required indexes were all in place, leading to an error.
Make pg_upgrade check for pre-existence
of tablespace directories in the target cluster (Bruce Momjian)
Fix potential memory leak in contrib/pgcrypto
(Michael Paquier)
Add check for an unlikely failure case
in contrib/pgcrypto (Daniel Gustafsson)
Fix recently-added timetz test case so it works when
the USA is not observing daylight savings time (Tom Lane)
Update time zone data files to tzdata
release 2020d for DST law changes in Fiji, Morocco, Palestine, the
Canadian Yukon, Macquarie Island, and Casey Station (Antarctica);
plus historical corrections for France, Hungary, Monaco, and
Palestine.
Sync our copy of the timezone library with IANA tzcode release 2020d
(Tom Lane)
This absorbs upstream's change of zic's
default output option from fat
to slim. That's just cosmetic for our purposes, as
we continue to select the fat mode in pre-v13
branches. This change also ensures
that strftime() does not
change errno unless it fails.
Release 12.4Release date:2020-08-13
This release contains a variety of fixes from 12.3.
For information about new features in major release 12, see
.
Migration to Version 12.4
A dump/restore is not required for those running 12.X.
However, if you are upgrading from a version earlier than 12.2,
see .
Changes
Set a secure search_path in logical replication
walsenders and apply workers (Noah Misch)
A malicious user of either the publisher or subscriber database
could potentially cause execution of arbitrary SQL code by the role
running replication, which is often a superuser. Some of the risks
here are equivalent to those described in CVE-2018-1058, and are
mitigated in this patch by ensuring that the replication sender and
receiver execute with empty search_path settings.
(As with CVE-2018-1058, that change might cause problems for
under-qualified names used in replicated tables' DDL.) Other risks
are inherent in replicating objects that belong to untrusted roles;
the most we can do is document that there is a hazard to consider.
(CVE-2020-14349)
Make contrib modules' installation scripts more secure (Tom Lane)
Attacks similar to those described in CVE-2018-1058 could be carried
out against an extension installation script, if the attacker can
create objects in either the extension's target schema or the schema
of some prerequisite extension. Since extensions often require
superuser privilege to install, this can open a path to obtaining
superuser privilege. To mitigate this risk, be more careful about
the search_path used to run an installation
script; disable check_function_bodies within the
script; and fix catalog-adjustment queries used in some contrib
modules to ensure they are secure. Also provide documentation to
help third-party extension authors make their installation scripts
secure. This is not a complete solution; extensions that depend on
other extensions can still be at risk if installed carelessly.
(CVE-2020-14350)
Fix edge cases in partition pruning (Etsuro Fujita, Dmitry Dolgov)
When there are multiple partition key columns, generation of pruning
tests could misbehave if some columns had no
constraining WHERE clauses or multiple
constraining clauses. This could lead to server crashes, incorrect
query results, or assertion failures.
Fix construction of parameterized BitmapAnd and BitmapOr index scans
on the inside of partition-wise nestloop joins (Tom Lane)
A plan in which such a scan needed to use a value from the outside
of the join would usually crash at execution.
Fix incorrect plan execution when a partitioned table is subject to
both static and run-time partition pruning in the same query, and a
new partition is added concurrently with the query (Amit Langote,
Tom Lane)
In logical replication walsender, fix failure to send feedback
messages after sending a keepalive message (Álvaro Herrera)
This is a relatively minor problem when using built-in logical
replication, because the built-in walreceiver will send a feedback
reply (which clears the incorrect state) fairly frequently anyway.
But with some other replication systems, such
as pglogical, it causes significant
performance issues.
Fix firing of column-specific UPDATE triggers in
logical replication subscribers (Tom Lane)
The code neglected to account for the possibility of column numbers
being different between the publisher and subscriber tables, so that
if those were indeed different, wrong decisions might be made about
which triggers to fire.
Update oldest xmin and LSN values
during pg_replication_slot_advance() (Michael
Paquier)
This function previously failed to do that, possibly preventing
resource cleanup (such as removal of no-longer-needed WAL segments)
after manual advancement of a replication slot.
Fix slow execution of ts_headline() (Tom Lane)
The phrase-search fix added in our previous set of minor releases
could cause ts_headline() to take unreasonable
amounts of time for long documents; to make matters worse, the query
was not cancellable within the troublesome loop.
Ensure the repeat() function can be interrupted
by query cancel (Joe Conway)
Fix pg_current_logfile() to not include a
carriage return (\r) in its result on Windows
(Tom Lane)
Ensure that pg_read_file() and related
functions read until EOF is reached (Joe Conway)
Previously, if not given a specific data length to read, these
functions would stop at whatever file length was reported
by stat(). That's unhelpful for pipes and
other sorts of virtual files.
Forbid numeric NaN values in jsonpath
computations (Alexander Korotkov)
Neither SQL nor JSON have the concept of NaN
(not-a-number), but the jsonpath code attempted to
allow such values anyway. This necessarily leads to nonstandard
behavior, so it seems better to reject such values at the outset.
Handle single Inf or NaN
inputs correctly in floating-point aggregates (Tom Lane)
The affected aggregates are
corr(),
covar_pop(),
regr_intercept(),
regr_r2(),
regr_slope(),
regr_sxx(),
regr_sxy(),
regr_syy(),
stddev_pop(), and
var_pop().
The correct answer in such cases is NaN, but an
algorithmic change introduced in PostgreSQL
v12 had caused these aggregates to produce zero instead.
Fix mis-handling of NaN inputs during parallel
aggregation on numeric-type columns (Tom Lane)
If some partial aggregation workers found only NaNs
while others found only non-NaNs, the results
were combined incorrectly, possibly leading to the wrong overall
result (i.e., not NaN when it should be).
Reject time-of-day values greater than 24 hours (Tom Lane)
The intention of the datetime input code is to
allow 24:00:00 or
equivalently 23:59:60, but no larger value.
However, the range check was miscoded so that it would
accept 23:59:60.nnn with
nonzero fractional-second nnn. In
timestamp values this would result in wrapping into the first second
of the next day. In time and timetz
values, the stored value would actually be more than 24 hours,
causing dump/reload failures and possibly other misbehavior.
Undo double-quoting of index names in EXPLAIN's
non-text output formats (Tom Lane, Euler Taveira)
Fix EXPLAIN's accounting for resource usage,
particularly buffer accesses, in parallel workers in a plan
using Gather Merge nodes
(Jehan-Guillaume de Rorthais)
Fix timing of constraint revalidation in ALTER
TABLE (David Rowley)
If ALTER TABLE needs to fully rewrite the table's
contents (for example, due to change of a column's data type) and
also needs to scan the table to re-validate foreign keys
or CHECK constraints, it sometimes did things in
the wrong order, leading to odd errors such as could not read
block 0 in file "base/nnnnn/nnnnn": read only 0 of 8192 bytes.
Fix REINDEX CONCURRENTLY to preserve the index's
replication identity flag (Michael Paquier)
Previously, reindexing a table's replica identity index caused the
setting to be lost, preventing old tuple values from being included
in future logical-decoding output.
Work around incorrect not-null markings for
pg_subscription.subslotname
and pg_subscription_rel.srsublsn
(Tom Lane)
The bootstrap catalog data incorrectly marks these two catalog
columns as always non-null. There's no easy way to correct that
mistake in existing installations (though v13 and later will have
the correct markings). The main place that depends on that marking
being correct is JIT-enabled tuple deconstruction, so teach it to
explicitly ignore the marking for these two columns. Also adjust
some C code that accessed srsublsn without
checking to see if it's null; a crash from that is improbable but
perhaps not impossible.
Cope with LATERAL references in restriction
clauses attached to an un-flattened sub-SELECT in
the FROM clause (Tom Lane)
This oversight could result in assertion failures or crashes at
query execution.
Use the query-specified collation for operators invoked during
selectivity estimation (Tom Lane)
Previously, the collation of the underlying database column was
used. But using the query's collation is arguably more correct.
More importantly, now that we have nondeterministic collations,
there are cases where an operator will fail outright if given a
nondeterministic collation. We don't want planning to fail in cases
where the query itself would work, so this means that we must use
the query's collation when invoking operators for estimation
purposes.
Avoid believing that a never-analyzed foreign table has zero tuples
(Tom Lane)
This primarily affected the planner's estimate of the number of
groups that would be obtained by GROUP BY.
Remove bogus warning about leftover placeholder tuple
in BRIN index de-summarization (Álvaro Herrera)
The case can occur legitimately after a cancelled vacuum, so warning
about it is overly noisy.
Fix selection of tablespaces for shared fileset
temporary files (Magnus Hagander, Tom Lane)
If temp_tablespaces is empty or explicitly names
the database's primary tablespace, such files got placed into
the pg_default tablespace rather than the
database's primary tablespace as expected.
Fix corner-case error in masking of SP-GiST index pages during WAL
consistency checking (Alexander Korotkov)
This could cause false failure reports
when wal_consistency_checking is enabled.
Improve error handling in the server's buffile
module (Thomas Munro)
Fix some cases where I/O errors were indistinguishable from reaching
EOF, or were not reported at all. Also add details such as block
numbers and byte counts where appropriate.
Fix conflict-checking anomalies in SERIALIZABLE
isolation mode (Peter Geoghegan)
If a concurrently-inserted tuple was updated by a different
concurrent transaction, and neither tuple version was visible to the
current transaction's snapshot, serialization conflict checking
could draw the wrong conclusions about whether the tuple was relevant
to the results of the current transaction. This could allow a
serializable transaction to commit when it should have failed with a
serialization error.
Avoid repeated marking of dead btree index entries as dead (Masahiko
Sawada)
While functionally harmless, this led to useless WAL traffic when
checksums are enabled or wal_log_hints is on.
Fix checkpointer process to discard file sync requests
when fsync is off (Heikki Linnakangas)
Such requests are treated as no-ops if fsync is
off, but we forgot to remove them from the checkpointer's table of
pending actions. This would lead to bloat of that table, as well as
possible assertion failures if fsync is later
re-enabled.
Avoid trouble during cleanup of a non-exclusive backup when JIT
compilation has been activated during the backup (Robert Haas)
Fix failure of some code paths to acquire the correct lock before
modifying pg_control (Nathan Bossart, Fujii
Masao)
This oversight could allow pg_control to be
written out with an inconsistent checksum, possibly causing trouble
later, including inability to restart the database if it crashed
before the next pg_control update.
Fix errors in currtid()
and currtid2() (Michael Paquier)
These functions (which are undocumented and used only by ancient
versions of the ODBC driver) contained coding errors that could
result in crashes, or in confusing error messages such as could
not open file when applied to a relation having no storage.
Avoid calling elog()
or palloc() while holding a spinlock (Michael
Paquier, Tom Lane)
Logic associated with replication slots had several violations of
this coding rule. While the odds of trouble are quite low, an error
in the called function would lead to a stuck spinlock.
Fix assertion in logical replication subscriber to allow use
of REPLICA IDENTITY FULL (Euler Taveira)
This was just an incorrect assertion, so it has no impact on
standard production builds.
Ensure that libpq continues to try to
read from the database connection socket after a write failure
(Tom Lane)
This is important not only to ensure that we collect any final error
message from a dying server process, but because we do not consider
the connection lost until we see a read failure. This oversight
allowed libpq to continue trying to
send COPY data indefinitely after a mid-transfer
loss of connection, rather than reporting failure to the application.
Fix bugs in libpq's management of GSS
encryption state (Tom Lane)
A connection using GSS encryption could freeze up when attempting to
reset it after a server restart, or when moving on to the next one of
a list of candidate servers.
Fix ecpg crash with bytea
and cursor variables (Jehan-Guillaume de Rorthais)
Report out-of-disk-space errors properly
in pg_dump
and pg_basebackup (Justin Pryzby, Tom
Lane, Álvaro Herrera)
Some code paths could produce silly reports like could not
write file: Success.
Make pg_restore cope with
data-offset-less custom-format archive files when it needs to
restore data items out of order (David Gilman, Tom Lane)
pg_dump will produce such files if it
cannot seek its output (for example, if the output is piped to
something). This fix primarily improves the ability to do a
parallel restore from such a file.
Fix parallel restore of tables having both table-level privileges
and per-column privileges (Tom Lane)
The table-level privilege grants have to be applied first, but a
parallel restore did not reliably order them that way; this could
lead to tuple concurrently updated errors, or to
disappearance of some per-column privilege grants. The fix for this
is to include dependency links between such entries in the archive
file, meaning that a new dump has to be taken with a
corrected pg_dump to ensure that the
problem will not recur.
Ensure that pg_upgrade runs
with vacuum_defer_cleanup_age set to zero in the
target cluster (Bruce Momjian)
If the target cluster's configuration has been modified to
set vacuum_defer_cleanup_age to a nonzero value,
that prevented freezing of the system catalogs from working properly,
which caused the upgrade to fail in confusing ways. Ensure that any
such setting is overridden for the duration of the upgrade.
Fix pg_recvlogical to drain pending
messages before exiting (Noah Misch)
Without this, the replication sender might detect a send failure and
exit without making the expected final update to the replication
slot's LSN position. That led to re-transmitting data after the
next connection. It was also possible to miss error messages sent
after the last data that pg_recvlogical
wants to consume.
Fix pg_rewind's handling of just-deleted
files in the source data directory (Justin Pryzby, Michael Paquier)
When working with an on-line source database, concurrent file
deletions are possible, but pg_rewind
would get confused if deletion happened between seeing a file's
directory entry and examining it with stat().
Make pg_test_fsync use binary I/O mode on
Windows (Michael Paquier)
Previously it wrote the test file in text mode, which is not an
accurate reflection of PostgreSQL's
actual usage.
Fix contrib/amcheck to not complain about
deleted index pages that are empty (Alexander Korotkov)
This state of affairs is normal during WAL replay.
Fix failure to initialize local state correctly
in contrib/dblink (Joe Conway)
With the right combination of circumstances, this could lead to
dblink_close() issuing an unexpected
remote COMMIT.
Fix contrib/pgcrypto's misuse
of deflate() (Tom Lane)
The pgp_sym_encrypt functions could produce
incorrect compressed data due to mishandling
of zlib's API requirements. We have no
reports of this error manifesting with
stock zlib, but it can be seen when using
IBM's zlibNX implementation.
Fix corner case in decompression logic
in contrib/pgcrypto's
pgp_sym_decrypt functions (Kyotaro Horiguchi,
Michael Paquier)
A compressed stream can validly end with an empty packet, but the
decompressor failed to handle this and would complain about corrupt
data.
Support building our NLS code with Microsoft Visual Studio 2015 or
later (Juan José Santamaría Flecha, Davinder Singh,
Amit Kapila)
Avoid possible failure of our MSVC install script when there is a
file named configure several levels above the
source code tree (Arnold Müller)
This could confuse some logic that looked
for configure to identify the top level of the
source tree.
Release 12.3Release date:2020-05-14
This release contains a variety of fixes from 12.2.
For information about new features in major release 12, see
.
Migration to Version 12.3
A dump/restore is not required for those running 12.X.
However, if you are upgrading from a version earlier than 12.2,
see .
Changes
Fix possible failure with GENERATED columns
(David Rowley)
If a GENERATED column's value is an exact copy of
another column of the table (and it is a pass-by-reference data
type), it was possible to crash or insert corrupted data into the
table. While it would be rather pointless for
a GENERATED expression to just duplicate another
column, an expression using a function that sometimes returns its
input unchanged could create the situation.
Handle inheritance of generated columns better (Peter Eisentraut)
When a table column is inherited during CREATE TABLE
... INHERITS, disallow changing any generation properties
when the parent column is already
marked GENERATED; but allow a child column to be
marked GENERATED when its parent is not.
Fix cross-column references in CREATE TABLE LIKE INCLUDING
GENERATED (Peter Eisentraut)
CREATE TABLE ... LIKE failed when trying to copy
a GENERATED expression that references a
physically-later column.
Propagate ALTER TABLE ... SET STORAGE to indexes
(Peter Eisentraut)
Non-expression index columns have always copied
the attstorage property of their table
column at creation. Update them when ALTER TABLE ... SET
STORAGE is done, to maintain consistency.
Preserve the indisclustered setting of
indexes rewritten by ALTER TABLE (Amit Langote,
Justin Pryzby)
Previously, ALTER TABLE lost track of which index
had been used for CLUSTER.
Preserve the replica identity properties of indexes rewritten
by ALTER TABLE (Quan Zongliang, Peter Eisentraut)
Preserve the indisclustered setting of
indexes rebuilt by REINDEX CONCURRENTLY
(Justin Pryzby)
Lock objects sooner during DROP OWNED BY
(Álvaro Herrera)
This avoids failures in race-condition cases where another session is
deleting some of the same objects.
Fix error-case processing for CREATE ROLE ... IN
ROLE (Andrew Gierth)
Some error cases would be reported as unexpected node
type or the like, instead of the intended message.
Ensure that when a partition is detached, any triggers cloned from
its formerly-parent table are removed (Justin Pryzby)
Fix crash when COLLATE is applied to a
non-collatable type in a partition bound expression (Dmitry Dolgov)
Ensure that unique indexes over partitioned tables match the
equality semantics of the partitioning key (Guancheng Luo)
This would only be an issue with index opclasses that have unusual
notions of equality, but it's wrong in theory, so check.
Ensure that members of the pg_read_all_stats role
can read all statistics views, as expected (Magnus Hagander)
The functions underlying
the pg_stat_progress_* views had not gotten
this memo.
Repair performance regression in
information_schema.triggers
view (Tom Lane)
This patch redefines that view so that an
outer WHERE clause constraining the table name
can be pushed down into the view, allowing its calculations to be
done only for triggers belonging to the table of interest rather
than all triggers in the database. In a database with many triggers
this would make a significant speed difference for queries of that
form. Since things worked that way before v11, this is a potential
performance regression. Users who find this to be a problem can fix
it by replacing the view definition (or, perhaps, just deleting and
reinstalling the whole information_schema
schema).
Repair performance regression in floating point overflow/underflow
detection (Emre Hasegeli)
Previous refactoring had resulted in isinf()
being called extra times in some hot code paths.
Fix full text search to handle NOT above a phrase search correctly
(Tom Lane)
Queries such as !(foo<->bar) failed to find
matching rows when implemented as a GiST or GIN index search.
Fix full text search for cases where a phrase search includes an
item with both prefix matching and a weight restriction (Tom Lane)
Fix ts_headline() to make better headline
selections when working with phrase queries (Tom Lane)
Fix bugs in gin_fuzzy_search_limit processing
(Adé Heyward, Tom Lane)
A small value of gin_fuzzy_search_limit could
result in unexpected slowness due to unintentionally rescanning the
same index page many times. Another code path failed to apply the
intended filtering at all, possibly returning too many values.
Allow input of type circle to accept the format
(x,y),r
as the documentation says it does (David Zhang)
Make the get_bit()
and set_bit() functions cope
with bytea strings longer than 256MB (Movead Li)
Since the bit number argument is only int4, it's
impossible to use these functions to access bits beyond the first
256MB of a long bytea. We'll widen the argument
to int8 in v13, but in the meantime, allow these
functions to work on the initial substring of a
long bytea.
Ignore file-not-found errors in pg_ls_waldir()
and allied functions (Tom Lane)
This prevents a race condition failure if a file is removed between
when we see its directory entry and when we attempt
to stat() it.
Avoid possibly leaking an open-file descriptor for a directory
in pg_ls_dir(),
pg_timezone_names(),
pg_tablespace_databases(), and allied functions
(Justin Pryzby)
Fix polymorphic-function type resolution to correctly infer the
actual type of an anyarray output when given only
an anyrange input (Tom Lane)
Fix server's connection-startup logic for case where a GSSAPI
connection is rejected because support is not compiled in, and the
client then tries SSL instead (Andrew Gierth)
This led to a bogus unsupported frontend protocol
failure.
Fix memory leakage during GSSAPI encryption (Tom Lane)
Both the backend and libpq would leak memory equivalent to the total
amount of data sent during the session, if GSSAPI encryption is in use.
Fix query-lifespan memory leak for a set-returning function used in
a query's FROM clause (Andres Freund)
Avoid leakage of a hashed subplan's hash tables across multiple
executions (Andreas Karlsson, Tom Lane)
This mistake could result in severe memory bloat if a query
re-executed a hashed subplan enough times.
Improve planner's handling of no-op domain coercions (Tom Lane)
Fix some cases where a domain coercion that does nothing was not
completely removed from expressions.
Avoid unlikely crash when REINDEX is terminated
by a session-shutdown signal (Tom Lane)
Prevent printout of possibly-incorrect hash join table statistics
in EXPLAIN (Konstantin Knizhnik, Tom Lane, Thomas
Munro)
Fix reporting of elapsed time for heap truncation steps
in VACUUM VERBOSE (Tatsuhito Kasahara)
Fix possible undercounting of deleted B-tree index pages
in VACUUM VERBOSE output (Peter Geoghegan)
Fix wrong bookkeeping for oldest deleted page in a B-tree index
(Peter Geoghegan)
This could cause subtly wrong decisions about
when VACUUM can skip an index cleanup scan;
although it appears there may be no significant user-visible effects
from that.
Ensure that TimelineHistoryRead and TimelineHistoryWrite wait states
are reported in all code paths that read or write timeline history
files (Masahiro Ikeda)
Avoid possibly showing waiting twice in a process's
PS status (Masahiko Sawada)
Avoid race condition when ANALYZE replaces the
catalog tuple for extended statistics data (Dean Rasheed)
Remove ill-considered skip of redundant
anti-wraparound vacuums (Michael Paquier)
This avoids a corner case where autovacuum could get into a loop of
repeatedly trying and then skipping the same vacuum job.
Ensure INCLUDE'd columns are always removed from B-tree pivot tuples
(Peter Geoghegan)
This mistake wasted space in some rare cases, but was otherwise
harmless.
Cope with invalid TOAST indexes that could be left over after a
failed REINDEX CONCURRENTLY (Julien Rouhaud)
Ensure that valid index dependencies are left behind after a
failed REINDEX CONCURRENTLY (Michael Paquier)
Previously the old index could be left with
no pg_depend links at all, so that for
example it would not get dropped if the parent table is dropped.
Avoid failure if autovacuum tries to access a just-dropped temporary
schema (Tom Lane)
This hazard only arises if a superuser manually drops a temporary
schema; which isn't normal practice, but should work.
Avoid premature recycling of WAL segments during crash recovery
(Jehan-Guillaume de Rorthais)
WAL segments that become ready to be archived during crash recovery
were potentially recycled without being archived.
Avoid scanning irrelevant timelines during archive recovery (Kyotaro
Horiguchi)
This can eliminate many attempts to fetch non-existent WAL files from
archive storage, which is helpful if archive access is slow.
Remove bogus subtransaction logged without previous top-level
txn record error check in logical decoding (Arseny Sher,
Amit Kapila)
This condition is legitimately reachable in various scenarios, so
remove the check.
Avoid possible failure after a replication slot copy, due to
premature removal of WAL data (Masahiko Sawada, Arseny Sher)
Ensure that a replication
slot's io_in_progress_lock is released in failure
code paths (Pavan Deolasee)
This could result in a walsender later becoming stuck waiting for
the lock.
Ensure that generated columns are correctly handled during updates
issued by logical replication (Peter Eisentraut)
Fix race conditions in synchronous standby management (Tom Lane)
During a change in the synchronous_standby_names
setting, there was a window in which wrong decisions could be made
about whether it is OK to release transactions that are waiting for
synchronous commit. Another hazard for similarly wrong decisions
existed if a walsender process exited and was immediately replaced
by another.
Add missing SQLSTATE values to a few error reports (Sawada Masahiko)
Fix PL/pgSQL to reliably refuse to execute an event trigger function
as a plain function (Tom Lane)
Fix memory leak in libpq when
using sslmode=verify-full (Roman Peshkurov)
Certificate verification during connection startup could leak some
memory. This would become an issue if a client process opened many
database connections during its lifetime.
Fix ecpg to treat an argument of
just - as meaning read
from stdin on all platforms (Tom Lane)
Fix crash in psql when attempting to
re-establish a failed connection (Michael Paquier)
Allow tab-completion of the filename argument
to psql's \gx command
(Vik Fearing)
Add pg_dump support for ALTER
... DEPENDS ON EXTENSION (Álvaro Herrera)
pg_dump previously ignored dependencies added
this way, causing them to be forgotten during dump/restore or
pg_upgrade.
Fix pg_dump to dump comments on RLS
policy objects (Tom Lane)
In pg_dump, postpone restore of event
triggers till the end (Fabrízio de Royes Mello, Hamid Akhtar,
Tom Lane)
This minimizes the risk that an event trigger could interfere with
the restoration of other objects.
Ensure that pg_basebackup generates valid
tar files (Robert Haas)
In some cases a partial block of zeroes would be added to the end of
the file. While this seems to be harmless with common versions of
tar, it's not OK per the POSIX file format spec.
Make pg_checksums skip tablespace
subdirectories that belong to a
different PostgreSQL major version
(Michael Banck, Bernd Helmle)
Such subdirectories don't really belong to our database cluster, and
so must not be processed.
Ignore temporary copies of pg_internal.init
in pg_checksums and related
programs (Michael Paquier)
Fix quoting of ,
and values
in createdb utility (Michael Paquier)
contrib/lo's lo_manage()
function crashed if called directly rather than as a trigger (Tom
Lane)
In contrib/ltree,
protect against overflow of ltree
and lquery length fields (Nikita Glukhov)
Work around failure in contrib/pageinspect's
bt_metap() function when an oldest_xact value
exceeds 2^31-1 (Peter Geoghegan)
Such XIDs will now be reported as negative integers, which isn't
great but it beats throwing an error. v13 will widen the output
argument to int8 to provide saner reporting.
Fix cache reference leak in contrib/sepgsql
(Michael Luo)
On Windows, avoid premature creation of postmaster's log file
during pg_ctl start (Alexander Lakhin)
The previous coding could allow the file to be created with
permissions that wouldn't allow the postmaster to write on it.
Avoid failures when dealing with Unix-style locale names on
Windows (Juan José Santamaría Flecha)
On Windows, set console VT100 compatibility mode in
programs that support PG_COLOR colorization
(Juan José Santamaría Flecha)
Without this, the colorization option doesn't actually work.
Stop requiring extra parentheses in ereport()
calls (Andres Freund, Tom Lane)
Use pkg-config, if available, to
locate libxml2
during configure (Hugh McMaster, Tom
Lane, Peter Eisentraut)
If pkg-config is not present or lacks
knowledge of libxml2, we still
query xml2-config as before.
This change could break build processes that try to
make PostgreSQL use a non-default version
of libxml2 by putting that
version's xml2-config into
the PATH. Instead,
set XML2_CONFIG to point to the
non-default xml2-config. That method
will work with either older or
newer PostgreSQL releases.
Fix Makefile dependencies for libpq
and ecpg (Dagfinn Ilmari Mannsåker)
In MSVC builds, cope with spaces in the path name for Python
(Victor Wagner)
In MSVC builds, fix detection of Visual Studio version to work with
more language settings (Andrew Dunstan)
In MSVC builds, use -Wno-deprecated with bison
versions newer than 3.0, as non-Windows builds already do (Andrew
Dunstan)
Update time zone data files to tzdata
release 2020a for DST law changes in Morocco and the Canadian Yukon,
plus historical corrections for Shanghai.
The America/Godthab zone has been renamed to America/Nuuk to reflect
current English usage; however, the old name remains available as a
compatibility link.
Also, update initdb's list of known
Windows time zone names to include recent additions, improving the
odds that it will correctly translate the system time zone setting
on that platform.
Release 12.2Release date:2020-02-13
This release contains a variety of fixes from 12.1.
For information about new features in major release 12, see
.
Migration to Version 12.2
A dump/restore is not required for those running 12.X.
However, if you have any foreign key constraints referencing
partitioned tables, see the two entries below about bugs in that
feature.
Changes
Add missing permissions checks for ALTER ... DEPENDS ON
EXTENSION (Álvaro Herrera)
Marking an object as dependent on an extension did not have any
privilege check whatsoever. This oversight allowed any user to mark
routines, triggers, materialized views, or indexes as droppable by
anyone able to drop an extension. Require that the calling user own
the specified object (and hence have privilege to drop it).
(CVE-2020-1720)
Fix TRUNCATE ... CASCADE to ensure all relevant
partitions are truncated (Jehan-Guillaume de Rorthais)
If a partition of a partitioned table is truncated with
the CASCADE option, and the partitioned table has
a foreign-key reference from another table, that table must also be
truncated. The need to check this was missed if the referencing
table was itself partitioned, possibly allowing rows to survive that
violate the foreign-key constraint.
Hence, if you have foreign key constraints between partitioned
tables, and you have done any
partition-level TRUNCATE on the referenced table,
you should check to see if any foreign key violations exist. The
simplest way is to add a new instance of the foreign key constraint
(and, once that succeeds, drop it or the original constraint).
That may be prohibitive from a locking standpoint, however, in which
case you might prefer to manually query for unmatched rows.
Fix failure to attach foreign key constraints to sub-partitions
(Jehan-Guillaume de Rorthais)
When adding a partition to a level below the first level of a
multi-level partitioned table, foreign key constraints referencing
the top partitioned table were not cloned to the new partition,
leading to possible constraint violations later. Detaching and
re-attaching the new partition is the cheapest way to fix this.
However, if there are many partitions to be fixed, adding a new
instance of the foreign key constraint might be preferable.
Fix possible crash during concurrent update on a partitioned table
or inheritance tree (Tom Lane)
Ensure that row triggers on partitioned tables are correctly
cloned to sub-partitions when appropriate
(Álvaro Herrera)
User-defined triggers (but not triggers for foreign key or deferred
unique constraints) might be missed when creating or attaching a
partition.
Fix logical replication subscriber code to execute
per-column UPDATE triggers when appropriate
(Peter Eisentraut)
Avoid failure in logical decoding when a large transaction must be
spilled into many separate temporary files (Amit Khandekar)
Fix possible crash or data corruption when a logical replication
subscriber processes a row update (Tom Lane, Tomas Vondra)
This bug caused visible problems only if the subscriber's table
contained columns that were not being copied from the publisher and
had pass-by-reference data types.
Fix crash in logical replication subscriber after DDL changes on a
subscribed relation (Jehan-Guillaume de Rorthais, Vignesh C)
Fix failure in logical replication publisher after a database crash
and restart (Vignesh C)
Ensure that the effect
of pg_replication_slot_advance() on a physical
replication slot will persist across restarts (Alexey Kondratov,
Michael Paquier)
Improve efficiency of logical replication with REPLICA
IDENTITY FULL (Konstantin Knizhnik)
When searching for an existing tuple during an update or delete
operation, return the first matching tuple not the last one.
Fix base backup to handle database OIDs larger
than INT32_MAX (Peter Eisentraut)
Ensure parallel plans are always shut down at the correct time
(Kyotaro Horiguchi)
This oversight is known to result in temporary file
leak warnings from multi-batch parallel hash joins.
Prevent premature shutdown of a Gather or GatherMerge plan node that
is underneath a Limit node (Amit Kapila)
This avoids failure if such a plan node needs to be scanned more
than once, as for instance if it is on the inside of a nestloop.
Improve efficiency of parallel hash join on CPUs with many cores
(Gang Deng, Thomas Munro)
Avoid crash in parallel CREATE INDEX when there
are no free dynamic shared memory slots (Thomas Munro)
Fall back to a non-parallel index build, instead.
Avoid memory leak when there are no free dynamic shared memory slots
(Thomas Munro)
Ignore the CONCURRENTLY option when performing an
index creation, drop, or rebuild on a temporary table (Michael
Paquier, Heikki Linnakangas, Andres Freund)
This avoids strange failures if the temporary table has
an ON COMMIT action. There is no benefit in
using CONCURRENTLY for a temporary table anyway,
since other sessions cannot access the table, making the extra
processing pointless.
Fix possible failure when resetting expression indexes on temporary
tables that are marked ON COMMIT DELETE ROWS
(Tom Lane)
Fix possible crash in BRIN index operations
with box, range and inet data
types (Heikki Linnakangas)
Fix crash during recursive page split in GiST index build (Heikki
Linnakangas)
Fix handling of deleted pages in GIN indexes (Alexander Korotkov)
Avoid possible deadlocks, incorrect updates of a deleted page's
state, and failure to traverse through a recently-deleted page.
Fix possible crash with a SubPlan (sub-SELECT)
within a multi-row VALUES list (Tom Lane)
Fix failure in ALTER TABLE when a column
referenced in a GENERATED expression has been
added or changed in type earlier in the
same ALTER command (Tom Lane)
Fix failure to insert default values for missing
attributes during tuple conversion (Vik Fearing, Andrew Gierth)
This could result in values incorrectly reading as NULL, when
they come from columns that had been added by ALTER
TABLE ADD COLUMN with a constant default.
Fix unlikely panic in the checkpointer process, caused by opening
relation segments that might already have been removed (Thomas Munro)
Fix crash after FileClose() failure (Noah Misch)
This issue could only be observed
with data_sync_retry enabled, since otherwise
FileClose() failure would be reported as a PANIC.
Fix handling of multiple AFTER ROW triggers on a
foreign table (Etsuro Fujita)
Fix unlikely crash with pass-by-reference aggregate transition
states (Andres Freund, Teodor Sigaev)
Improve error reporting in to_date()
and to_timestamp()
(Tom Lane, Álvaro Herrera)
Reports about incorrect month or day names in input strings could
truncate the input in the middle of a multi-byte character, leading
to an improperly encoded error message that could cause follow-on
failures. Truncate at the next whitespace instead.
Fix off-by-one result for EXTRACT(ISOYEAR
FROM timestamp) for BC dates
(Tom Lane)
Ensure that the <> operator for
type char reports indeterminate-collation errors as
such, rather than as cache lookup failed for collation
0 (Tom Lane)
Avoid treating TID scans as sequential scans (Tatsuhito Kasahara)
A refactoring oversight caused TID scans (selection by CTID) to be
counted as sequential scans in the statistics views, and to take
whole-table predicate locks as sequential scans do. The latter
behavior could cause unnecessary serialization errors in
serializable transaction mode.
Avoid stack overflow in information_schema views
when a self-referential view exists in the system catalogs
(Tom Lane)
A self-referential view can't work; it will always result in
infinite recursion. We handled that situation correctly when
trying to execute the view, but not when inquiring whether it is
automatically updatable.
Ensure that walsender processes always show NULL for transaction
start time in pg_stat_activity
(Álvaro Herrera)
Previously, the xact_start column would
sometimes show the process start time.
Improve performance of hash joins with very large inner relations
(Thomas Munro)
Reduce spinlock contention when there are many active walsender
processes (Pierre Ducroquet)
Fix placement of Subplans Removed field
in EXPLAIN output (Daniel Gustafsson, Tom Lane)
In non-text output formats, this field was emitted inside
the Plans sub-group, resulting in syntactically
invalid output. Attach it to the parent Append or MergeAppend plan
node as intended. This causes the field to change position in text
output format too: if there are any InitPlans attached to the same
plan node, Subplans Removed will now appear before
those.
Fix EXPLAIN's SETTINGS option
to print as empty in non-text output formats (Tom Lane)
In the non-text output formats, fields are supposed to appear when
requested, even if they have empty or zero values.
Allow the planner to apply potentially-leaky tests to child-table
statistics, if the user can read the corresponding column of the
table that's actually named in the query (Dilip Kumar, Amit Langote)
This change fixes a performance problem for partitioned tables that
was created by the fix for CVE-2017-7484. That security fix
disallowed applying leaky operators to statistics for columns that
the current user doesn't have permission to read directly. However,
it's somewhat common to grant permissions only on the parent
partitioned table and not bother to do so on individual partitions.
In such cases, the user can read the column via the parent, so
there's no point in this security restriction; it only results in
poorer planner estimates than necessary.
Fix planner errors induced by overly-aggressive collapsing of joins
to single-row subqueries (Tom Lane)
This mistake led to errors such as failed to construct the
join relation.
Fix no = operator for
opfamily NNNN planner error when
trying to match a LIKE or regex pattern-match
operator to a binary-compatible index opclass (Tom Lane)
Fix edge-case crashes and misestimations in selectivity calculations
for the <@ and @> range
operators (Michael Paquier, Andrey Borodin, Tom Lane)
Fix incorrect estimation for OR clauses when
using most-common-value extended statistics (Tomas Vondra)
Ignore system columns when applying most-common-value
extended statistics (Tomas Vondra)
This prevents negative bitmapset member not allowed
planner errors for affected queries.
Fix BRIN index logic to support hypothetical BRIN indexes
(Julien Rouhaud, Heikki Linnakangas)
Previously, if an index adviser extension tried to
get the planner to produce a plan involving a hypothetical BRIN
index, that would fail, because the BRIN cost estimation code would
always try to physically access the index's metapage. Now it checks
to see if the index is only hypothetical, and uses default
assumptions about the index parameters if so.
Improve error reporting for attempts to use automatic updating of
views with conditional INSTEAD rules (Dean Rasheed)
This has never been supported, but previously the error was thrown
only at execution time, so that it could be masked by planner errors.
Prevent a composite type from being included in itself indirectly
via a range type (Tom Lane, Julien Rouhaud)
Disallow partition key expressions that return pseudo-types, such
as record (Tom Lane)
Fix error reporting for index expressions of prohibited types
(Amit Langote)
Fix dumping of views that contain only a VALUES
list to handle cases where a view output column has been renamed
(Tom Lane)
Ensure that data types and collations used
in XMLTABLE constructs are accounted for when
computing dependencies of a view or rule (Tom Lane)
Previously it was possible to break a view
using XMLTABLE by dropping a type, if the type
was not otherwise referenced in the view. This fix does not
correct the dependencies already recorded for existing views, only
for newly-created ones.
Prevent unwanted downcasing and truncation of RADIUS authentication
parameters (Marcos David)
The pg_hba.conf parser mistakenly treated these
fields as SQL identifiers, which in general they aren't.
Transmit incoming NOTIFY messages to the client
before sending ReadyForQuery, rather than after
(Tom Lane)
This change ensures that, with libpq and other client libraries that
act similarly to it, any notifications received during a transaction
will be available by the time the client thinks the transaction is
complete. This probably makes no difference in practical
applications (which would need to cope with asynchronous
notifications in any case); but it makes it easier to build test
cases with reproducible behavior.
Fix bugs in handling of non-blocking I/O when using GSSAPI
encryption (Tom Lane)
These errors could result in dropping data (usually leading to
subsequent wire-protocol-violation errors) or in
a livelock situation where a sending process goes to
sleep although not all its data has been sent.
Moreover, libpq failed to keep separate
encryption state for each connection, creating the possibility for
failures in applications using multiple encrypted database
connections.
Allow libpq to parse all GSS-related
connection parameters even when the GSSAPI code hasn't been compiled
in (Tom Lane)
This makes the behavior similar to our SSL support, where it was
long ago deemed to be a good idea to always accept all the related
parameters, even if some are ignored or restricted due to lack of
the feature in a particular build.
Fix incorrect handling of %b
and %B format codes
in ecpg's
PGTYPEStimestamp_fmt_asc() function
(Tomas Vondra)
Due to an off-by-one error, these codes would print the wrong month
name, or possibly crash.
Avoid crash after an out-of-memory failure
in ecpglib (Tom Lane)
Fix
parallel pg_dump/pg_restore
to more gracefully handle failure to create worker processes
(Tom Lane)
Prevent possible crash or lockup when attempting to terminate a
parallel pg_dump/pg_restore
run via a signal (Tom Lane)
In pg_upgrade, look inside arrays and
ranges while searching for non-upgradable data types in tables
(Tom Lane)
Apply more thorough syntax checking
to createuser's
option (Álvaro Herrera)
Cope with changes of the specific type referenced by a PL/pgSQL
composite-type variable in more cases (Ashutosh Sharma, Tom Lane)
Dropping and re-creating the composite type referenced by a PL/pgSQL
variable could lead to could not open relation with
OID NNNN errors.
Avoid crash in postgres_fdw when trying to
send a command like UPDATE remote_tab SET (x,y) = (SELECT
...) to the remote server (Tom Lane)
In contrib/dict_int,
reject maxlen settings less than one
(Tomas Vondra)
This prevents a possible crash with silly settings for that parameter.
Disallow NULL category values
in contrib/tablefunc's
crosstab() function (Joe Conway)
This case never worked usefully, and it would crash on some
platforms.
Fix configure's probe for
OpenSSL's SSL_clear_options() function so that
it works with OpenSSL versions before 1.1.0 (Michael Paquier, Daniel
Gustafsson)
This problem could lead to failure to set the SSL compression option
as desired, when PostgreSQL is built against
an old version of OpenSSL.
Mark some timeout and statistics-tracking GUC variables
as PGDLLIMPORT, to allow extensions to access
them on Windows (Pascal Legrand)
This applies to
idle_in_transaction_session_timeout,
lock_timeout,
statement_timeout,
track_activities,
track_counts, and
track_functions.
Avoid memory leak in sanity checks for slab memory
contexts (Tomas Vondra)
This isn't an issue for production builds, since they wouldn't
ordinarily have memory context checking enabled; but the leak could
be quite severe in a debug build.
Fix multiple statistics entries reported by the LWLock statistics
mechanism (Fujii Masao)
The LWLock statistics code (which is not built by default; it
requires compiling with )
could report multiple entries for the same LWLock and backend
process, as a result of faulty hashtable key creation.
Fix race condition that led to delayed delivery of interprocess
signals on Windows (Amit Kapila)
This caused visible timing oddities in NOTIFY,
and perhaps other misbehavior.
Fix handling of a corner-case error result from
Windows' ReadFile() function
(Thomas Munro, Juan José Santamaría Flecha)
So far as is known, this oversight just resulted in noisy log
messages, not any actual query misbehavior.
On Windows, retry a few times after
an ERROR_ACCESS_DENIED file access failure
(Alexander Lakhin, Tom Lane)
This helps cope with cases where a file open attempt fails because
the targeted file is flagged for deletion but not yet actually gone.
pg_ctl, for example, frequently failed
with such an error when probing to see if the postmaster had shut
down yet.
On Windows, work around sharing violations for the postmaster's log
file when pg_ctl is used to start the
postmaster very shortly after it's been stopped, for example by
pg_ctl restart (Alexander Lakhin)
Release 12.1Release date:2019-11-14
This release contains a variety of fixes from 12.0.
For information about new features in major release 12, see
.
Migration to Version 12.1
A dump/restore is not required for those running 12.X.
Changes
Fix crash when ALTER TABLE adds a column without
a default value along with making other changes that require a table
rewrite (Andres Freund)
Fix lock handling in REINDEX CONCURRENTLY
(Michael Paquier)
REINDEX CONCURRENTLY neglected to take a
session-level lock on the new index version, potentially allowing
other sessions to manipulate it too soon.
Also, a query-cancel or session-termination interrupt arriving at the
wrong time could result in failure to release the session-level
locks that REINDEX CONCURRENTLY does hold.
Avoid crash due to race condition when reporting the progress of
a CREATE INDEX CONCURRENTLY or REINDEX
CONCURRENTLY command (Álvaro Herrera)
Avoid creating duplicate dependency entries during REINDEX
CONCURRENTLY (Michael Paquier)
This bug resulted in bloat in pg_depend,
but no worse consequences than that.
Prevent VACUUM from trying to freeze
an old multixact ID involving a still-running transaction
(Nathan Bossart, Jeremy Schneider)
This case would lead to VACUUM failing until the
old transaction terminates.
Fix wrong type of slot error when trying
to CLUSTER on an expression index (Andres Freund)
SET CONSTRAINTS ... DEFERRED failed on
partitioned tables, incorrectly complaining about lack of triggers
(Álvaro Herrera)
Fix failure when creating indexes for a partition, if the parent
partitioned table contains any dropped columns (Michael Paquier)
Fix dropping of indexed columns in partitioned tables
(Amit Langote, Michael Paquier)
Previously this might fail with an error message complaining about
the dependencies of the indexes. It should automatically drop the
indexes, instead.
Ensure that a partition index can be dropped after a failure to
reindex it concurrently (Michael Paquier)
The
index's pg_class.relispartition
flag was left in the wrong state in such a case,
causing DROP INDEX to fail.
Fix handling of equivalence class members for partition-wise joins
(Amit Langote)
This oversight could lead either to failure to use a feasible
partition-wise join plan, or to a could not find pathkey item
to sort planner failure.
Ensure that offset expressions in WINDOW clauses
are processed when a query's expressions are manipulated (Andrew Gierth)
This oversight could result in assorted failures when the offsets
are nontrivial expressions. One example is that a function
parameter reference in such an expression would fail if the function
was inlined.
Avoid postmaster failure if a parallel query requests a background
worker when no postmaster child process array slots remain free
(Tom Lane)
Fix crash triggered by an EvalPlanQual recheck on a table with
a BEFORE UPDATE trigger (Andres Freund)
Fix unexpected relkind error when a query tries to
access a TOAST table (John Hsu, Michael Paquier, Tom Lane)
The error should say that permission is denied, but this case got
broken during code refactoring.
Provide a relevant error context line when an error occurs while
setting GUC parameters during parallel worker startup (Thomas Munro)
Ensure that fsync() is applied only to files
that are opened read/write (Andres Freund, Michael Paquier)
Some code paths tried to do this after opening a file read-only,
but on some platforms that causes bad file descriptor
or similar errors.
Allow encoding conversion to succeed on longer strings than before
(Álvaro Herrera, Tom Lane)
Previously, there was a hard limit of 0.25GB on the input string,
but now it will work as long as the converted output is not over 1GB.
Avoid creating unnecessarily-bulky tuple stores for window functions
(Andrew Gierth)
In some cases the tuple storage would include all columns of the
source table(s), not just the ones that are needed by the query.
Allow repalloc() to give back space when a
large chunk is reduced in size (Tom Lane)
Ensure that temporary WAL and history files are removed at the end
of archive recovery (Sawada Masahiko)
Avoid failure in archive recovery
if recovery_min_apply_delay is enabled
(Fujii Masao)
recovery_min_apply_delay is not typically used in
this configuration, but it should work.
Ignore restore_command,
recovery_end_command,
and recovery_min_apply_delay settings during
crash recovery (Fujii Masao)
Now that these settings can be specified
in postgresql.conf, they could be turned on
during crash recovery, but honoring them then is undesirable.
Ignore these settings until crash recovery is complete.
Fix logical replication failure when publisher and subscriber have
different ideas about a table's replica identity columns
(Jehan-Guillaume de Rorthais, Peter Eisentraut)
Declaring a column as part of the replica identity on the
subscriber, when it does not exist at all on the publisher, led
to negative bitmapset member not allowed errors.
Avoid unwanted delay during shutdown of a logical replication
walsender (Craig Ringer, Álvaro Herrera)
Fix timeout handling in logical replication walreceiver processes
(Julien Rouhaud)
Erroneous logic prevented wal_receiver_timeout
from working in logical replication deployments.
Correctly time-stamp replication messages for logical
decoding (Jeff Janes)
This oversight resulted, for example,
in pg_stat_subscription.last_msg_send_time
usually reading as NULL.
Fix race condition during backend exit, when the backend process has
previously waited for synchronous replication to occur (Dongming Liu)
Avoid logging complaints about abandoned connections when using PAM
authentication (Tom Lane)
libpq-based clients will typically make two connection attempts when
a password is required, since they don't prompt their user for a
password until their first connection attempt fails. Therefore the
server is coded not to generate useless log spam when a client
closes the connection upon being asked for a password. However,
the PAM authentication code hadn't gotten that memo, and would
generate several messages about a phantom authentication failure.
Fix misbehavior of bitshiftright() (Tom Lane)
The bitstring right shift operator failed to zero out padding space
that exists in the last byte of the result when the bitstring length
is not a multiple of 8. While invisible to most operations, any
nonzero bits there would result in unexpected comparison behavior,
since bitstring comparisons don't bother to ignore the extra bits,
expecting them to always be zero.
If you have inconsistent data as a result of saving the output
of bitshiftright() in a table, it's possible to
fix it with something like
UPDATE mytab SET bitcol = ~(~bitcol) WHERE bitcol != ~(~bitcol);
Fix result of text position() function (also
known as strpos()) for an empty search string
(Tom Lane)
Historically, and per the SQL standard, the result should be one in
such cases, but 12.0 returned zero.
Fix detection of edge-case integer overflow in interval
multiplication (Yuya Watari)
Avoid crashes if ispell text search dictionaries
contain wrong affix data (Arthur Zakirov)
Avoid memory leak while vacuuming a GiST index (Dilip Kumar)
On Windows, recognize additional spellings of the Norwegian
(Bokmål) locale name (Tom Lane)
Fix libpq to allow trailing whitespace in
the string values of integer parameters (Michael Paquier)
Version 12 tightened libpq's validation
of integer parameters, but disallowing trailing whitespace seems
undesirable.
In libpq, correctly
report CONNECTION_BAD connection status after a
failure caused by a syntactically
invalid parameter value (Lars Kanis)
Avoid compile failure if an ECPG client
includes ecpglib.h while
having ENABLE_NLS defined (Tom Lane)
This risk was created by a misplaced
declaration: ecpg_gettext() should not be
visible to client code.
Fix scheduling of parallel restore of a foreign key constraint on a
partitioned table (Álvaro Herrera)
pg_dump failed to emit full dependency
information for partitioned tables' foreign keys. This could allow
parallel pg_restore to try to recreate a
foreign key constraint too soon.
In pg_dump, ensure stable output order
for similarly-named triggers and row-level-security policy objects
(Benjie Gillam)
Previously, if two triggers on different tables had the same names,
they would be sorted in OID-based order, which is less desirable
than sorting them by table name. Likewise for RLS policies.
In pg_upgrade, reject tables with
columns of type sql_identifier, as that has changed
representation in version 12 (Tomas Vondra)
Improve pg_upgrade's checks for the use
of a data type that has changed representation, such
as line (Tomas Vondra)
The previous coding could be fooled by cases where the data type of
interest underlies a stored column of a domain or composite type.
In pg_rewind
with the option, avoid
updating pg_control
(Alexey Kondratov)
This could lead to failures in
subsequent pg_rewind attempts.
Fix failure in pg_waldump with
the option, when a continuation WAL record ends
exactly at a page boundary (Andrey Lepikhov)
In pg_waldump with
the option, avoid emitting extra
newlines for WAL records involving full-page writes (Andres Freund)
Fix small memory leak in pg_waldump
(Andres Freund)
Put back pqsignal() as an
exported libpq symbol (Tom Lane)
This function was removed on the grounds that no clients should be
using it, but that turns out to break usage of
current libpq with very old versions
of psql, and perhaps other applications.
Fix configure's test for presence of
libperl so that it works on recent Red Hat releases (Tom Lane)
Previously, it could fail if the user sets CFLAGS
to -O0.
Ensure correct code generation for spinlocks on PowerPC (Noah Misch)
The previous spinlock coding allowed the compiler to select register
zero for use with an assembly instruction that does not accept that
register, causing a build failure. We have seen only one long-ago
report that matches this bug, but it could cause problems for people
trying to build modified PostgreSQL code
or use atypical compiler options.
On AIX, don't use the compiler option
(Noah Misch)
This avoids an internal compiler error with xlc v16.1.0, with little
consequence other than changing the format of compiler error messages.
Fix MSVC build process to cope with spaces in the file path of
OpenSSL (Andrew Dunstan)
Release 12Release date:2019-10-03Overview
Major enhancements in PostgreSQL 12 include:
General performance improvements, including:
Optimizations to space utilization and read/write performance for
B-tree indexes
Partitioning performance enhancements, including improved query
performance on tables with thousands of partitions, improved
insertion performance with and , and the ability to execute ALTER TABLE ATTACH
PARTITION without blocking queries
Automatic (but overridable) inlining
of common table expressions
(CTEs)
Reduction of WAL overhead for creation of
GiST, GIN, and
SP-GiST indexes
Support for covering GiST indexes, via
the INCLUDE
clause
Multi-column most-common-value (MCV) statistics can be defined
via , to support better
plans for queries that test several non-uniformly-distributed
columns
Enhancements to administrative functionality, including:
REINDEX
CONCURRENTLY can rebuild an index without
blocking writes to its table
can enable/disable page checksums
(used for detecting data corruption) in an offline cluster
Progress reporting statistics for ,
, ,
VACUUM FULL, and
Support for the SQL/JSON
path language
Stored generated columns
Nondeterministic ICU
collations, enabling case-insensitive and accent-insensitive grouping
and ordering
New authentication features, including:
Encryption of TCP/IP connections when using
GSSAPI
authentication
Discovery of LDAP servers using DNS SRV records
Multi-factor authentication, using the
clientcert=verify-full option combined
with an additional authentication method in
pg_hba.conf
The above items are explained in more detail in the sections below.
Migration to Version 12
A dump/restore using or use of or logical replication is required for those
wishing to migrate data from any previous release. See for general information on migrating to new major
releases.
Version 12 contains a number of changes that may affect compatibility
with previous releases. Observe the following incompatibilities:
Remove the special behavior of oid columns (Andres Freund,
John Naylor)
Previously, a normally-invisible oid
column could be specified during table creation using WITH
OIDS; that ability has been removed. Columns can still be
explicitly declared as type oid. Operations on tables
that have columns created using WITH OIDS will
need adjustment.
The system catalogs that previously had
hidden oid columns now have
ordinary oid columns.
Hence, SELECT * will now output those columns,
whereas previously they would be displayed only if selected
explicitly.
Remove data types abstime, reltime,
and tinterval (Andres Freund)
These are obsoleted by SQL-standard types such
as timestamp.
Remove the timetravel extension
(Andres Freund)
Move recovery.conf settings into postgresql.conf
(Masao Fujii, Simon Riggs, Abhijit Menon-Sen, Sergei Kornilov)
recovery.conf is no longer used,
and the server will not start if that file exists. recovery.signal
and standby.signal files are now used to switch
into non-primary mode. The trigger_file setting
has been renamed to . The
standby_mode setting has been removed.
Do not allow multiple conflicting recovery_target*
specifications (Peter Eisentraut)
Specifically, only allow one of , ,
,
, and . Previously, multiple different
instances of these parameters could be specified, and the last one
was honored. Now, only one can be specified, though the same one can
be specified multiple times and the last specification is honored.
Cause recovery to advance to the latest timeline by default
(Peter Eisentraut)
Specifically, now
defaults to latest. Previously, it defaulted
to current.
Refactor code for geometric
functions and operators (Emre Hasegeli)
This could lead to more accurate, but slightly different, results
compared to previous releases. Notably, cases involving NaN,
underflow, overflow, and division by zero are handled more
consistently than before.
Improve performance by using a new algorithm for output
of real
and double precision values (Andrew Gierth)
Previously, displayed floating-point values were rounded to 6
(for real) or 15 (for double precision)
digits by default, adjusted by the value of
. Now,
whenever extra_float_digits is more than zero (as
it now is by default), only the minimum number of digits required to
preserve the exact binary value are output. The behavior is the
same as before when extra_float_digits is set to
zero or less.
Also, formatting of floating-point exponents is now uniform across
platforms: two digits are used unless three are necessary. In
previous releases, Windows builds always printed three digits.
random()
and setseed() now behave uniformly across
platforms (Tom Lane)
The sequence of random() values generated
following a setseed() call with a particular
seed value is likely to be different now than before. However, it
will also be repeatable, which was not previously guaranteed because
of interference from other uses of random numbers inside the server.
The SQL random() function now has its own
private per-session state to forestall that.
Change SQL-style
substring()
to have standard-compliant greediness behavior (Tom Lane)
In cases where the pattern can be matched in more than one way, the
initial sub-pattern is now treated as matching the least possible
amount of text rather than the greatest; for example, a pattern such
as %#"aa*#"% now selects the first group
of a's from the input, not the last group.
Do not pretty-print the result
of xpath()
or the XMLTABLE construct (Tom Lane)
In some cases, these functions would insert extra whitespace
(newlines and/or spaces) in nodeset values. This is undesirable
since depending on usage, the whitespace might be considered
semantically significant.
Rename command-line tool
pg_verify_checksums to (Michaël Paquier)
In , require specification of
-f - to send the dump contents to standard output
(Euler Taveira)
Previously, this happened by default if no destination was
specified, but that was deemed to be unfriendly.
Disallow non-unique abbreviations
in psql's \pset format
command (Daniel Vérité)
Previously, for example, \pset format a chose
aligned; it will now fail since that could
equally well mean asciidoc.
In new btree indexes, the maximum index entry length is
reduced by eight bytes, to improve handling of duplicate entries
(Peter Geoghegan)
This means that a operation on an
index pg_upgrade'd from a previous
release could potentially fail.
Cause DROP IF EXISTS
FUNCTION/PROCEDURE/AGGREGATE/ROUTINE
to generate an error if no argument list is supplied and there are
multiple matching objects (David Rowley)
Also improve the error message in such cases.
Split the pg_statistic_ext
catalog into two catalogs, and add the pg_stats_ext
view of it (Dean Rasheed, Tomas Vondra)
This change supports hiding potentially-sensitive statistics data
from unprivileged users.
Remove obsolete pg_constraint.consrc
column (Peter Eisentraut)
This column has been deprecated for a long time, because it did not
update in response to other catalog changes (such as column renamings).
The recommended way to get a text version of a check constraint's
expression from pg_constraint
is pg_get_expr(conbin, conrelid).
pg_get_constraintdef() is also a useful
alternative.
Remove obsolete pg_attrdef.adsrc
column (Peter Eisentraut)
This column has been deprecated for a long time, because it did not
update in response to other catalog changes (such as column renamings).
The recommended way to get a text version of a default-value expression
from pg_attrdef is pg_get_expr(adbin,
adrelid).
Mark table columns of type name as having
C collation by default (Tom Lane, Daniel Vérité)
The comparison operators for data type name can now use
any collation, rather than always using C collation.
To preserve the previous semantics of queries, columns of
type name are now explicitly marked as
having C collation. A side effect of this is that
regular-expression operators on name columns will now
use the C collation by default, not the database
collation, to determine the behavior of locale-dependent regular
expression patterns (such as \w). If you want
non-C behavior for a regular expression on a name
column, attach an explicit COLLATE clause. (For
user-defined name columns, another possibility is to
specify a different collation at table creation time; but that just
moves the non-backwards-compatibility to the comparison operators.)
Treat object-name columns in
the information_schema
views as being of type name, not varchar
(Tom Lane)
Per the SQL standard, object-name columns in
the information_schema views are declared
as being of domain type sql_identifier.
In PostgreSQL, the underlying catalog
columns are really of type name. This change
makes sql_identifier be a domain
over name, rather than varchar as before.
This eliminates a semantic mismatch in comparison and sorting
behavior, which can greatly improve the performance of queries
on information_schema views that restrict
an object-name column. Note however that inequality restrictions,
for example
SELECT ... FROM information_schema.tables WHERE table_name < 'foo';
will now use C-locale comparison semantics by
default, rather than the database's default collation as before.
Sorting on these columns will also follow C ordering
rules. The previous behavior (and inefficiency) can be enforced by
adding a COLLATE "default" clause.
Remove the ability to disable dynamic shared memory (Kyotaro
Horiguchi)
Specifically,
can no longer be set to none.
Parse libpq integer connection parameters more strictly (Fabien
Coelho)
In previous releases, using an incorrect integer value for
connection parameters connect_timeout,
keepalives, keepalives_count,
keepalives_idle,
keepalives_interval and port
resulted in libpq either ignoring those values or failing with
incorrect error messages.
Changes
Below you will find a detailed account of the changes between
PostgreSQL 12 and the previous
major release.
ServerPartitioning
Improve performance of many operations on partitioned tables
(Amit Langote, David Rowley, Tom Lane, Álvaro Herrera)
Allow tables with thousands of child partitions to be processed
efficiently by operations that only affect a small number of
partitions.
Allow foreign keys
to reference partitioned tables (Álvaro Herrera)
Improve speed of COPY into partitioned tables
(David Rowley)
Allow partition bounds to be any expression (Kyotaro Horiguchi,
Tom Lane, Amit Langote)
Such expressions are evaluated at partitioned-table creation time.
Previously, only simple constants were allowed as partition bounds.
Allow CREATE TABLE's tablespace specification
for a partitioned table to affect the tablespace of its children
(David Rowley, Álvaro Herrera)
Avoid sorting when partitions are already being scanned in the
necessary order (David Rowley)
ALTER TABLE ATTACH
PARTITION is now performed with reduced locking
requirements (Robert Haas)
Add partition introspection functions (Michaël Paquier, Álvaro
Herrera, Amit Langote)
The new function pg_partition_root()
returns the top-most parent of a partition tree, pg_partition_ancestors()
reports all ancestors of a partition, and pg_partition_tree()
displays information about partitions.
Include partitioned indexes in the system view pg_indexes
(Suraj Kharage)
Add psql command \dP
to list partitioned tables and indexes (Pavel Stehule)
Improve psql\d
and \z display of partitioned tables (Pavel
Stehule, Michaël Paquier, Álvaro Herrera)
Fix bugs that could cause ALTER TABLE DETACH
PARTITION to leave behind incorrect dependency state,
allowing subsequent operations to misbehave, for example by not
dropping a former partition child index when its table is dropped
(Tom Lane)
Indexes
Improve performance and space utilization of btree indexes with
many duplicates (Peter Geoghegan, Heikki Linnakangas)
Previously, duplicate index entries were stored unordered within
their duplicate groups. This caused overhead during index
inserts, wasted space due to excessive page splits, and it reduced
VACUUM's ability to recycle entire pages.
Duplicate index entries are now sorted in heap-storage order.
Indexes pg_upgrade'd from previous
releases will not have these benefits.
Allow multi-column btree indexes to be smaller (Peter Geoghegan,
Heikki Linnakangas)
Internal pages and min/max leaf page indicators now only store
index keys until the change key, rather than all indexed keys.
This also improves the locality of index access.
Indexes pg_upgrade'd from previous
releases will not have these benefits.
Improve speed of btree index insertions by reducing locking
overhead (Alexander Korotkov)
Support INCLUDE columns
in GiST indexes (Andrey Borodin)
Add support for nearest-neighbor (KNN) searches
of SP-GiST indexes (Nikita Glukhov,
Alexander Korotkov, Vlad Sterzhanov)
Reduce the WAL write overhead
of GiST, GIN, and
SP-GiST index creation (Anastasia Lubennikova,
Andrey V. Lepikhov)
Allow index-only scans to be more efficient on indexes with many
columns (Konstantin Knizhnik)
Improve the performance of vacuum scans of GiST indexes (Andrey
Borodin, Konstantin Kuznetsov, Heikki Linnakangas)
Delete empty leaf pages during GiST
VACUUM (Andrey Borodin)
Reduce locking requirements for index renaming (Peter Eisentraut)
Optimizer
Allow to create
most-common-value statistics for multiple columns (Tomas Vondra)
This improves optimization for queries that test several columns,
requiring an estimate of the combined effect of
several WHERE clauses. If the columns are
correlated and have non-uniform distributions then multi-column
statistics will allow much better estimates.
Allow common table expressions
(CTEs) to be inlined into the outer query
(Andreas Karlsson, Andrew Gierth, David Fetter, Tom Lane)
Specifically, CTEs are automatically inlined if
they have no side-effects, are not recursive, and are referenced
only once in the query. Inlining can be prevented by
specifying MATERIALIZED, or forced for
multiply-referenced CTEs by
specifying NOT MATERIALIZED. Previously,
CTEs were never inlined and were always
evaluated before the rest of the query.
Allow control over when generic plans are used for prepared
statements (Pavel Stehule)
This is controlled by the
server parameter.
Improve optimization of partition and UNION ALL
queries that have only a single child (David Rowley)
Improve processing of domains that
have no check constraints (Tom Lane)
Domains that are being used purely as type aliases no longer cause
optimization difficulties.
Pre-evaluate calls of LEAST
and GREATEST when their arguments are constants
(Vik Fearing)
Improve optimizer's ability to verify that partial indexes
with IS NOT NULL conditions are usable in
queries (Tom Lane, James Coleman)
Usability can now be recognized in more cases where the calling
query involves casts or
large x IN
(array) clauses.
Compute ANALYZE statistics using the collation
defined for each column (Tom Lane)
Previously, the database's default collation was used for all
statistics. This potentially gives better optimizer behavior for
columns with non-default collations.
Improve selectivity estimates for inequality comparisons
on ctid
columns (Edmund Horner)
Improve optimization of joins on columns of type tid
(Tom Lane)
These changes primarily improve the efficiency of self-joins
on ctid columns.
Fix the leakproofness designations of some btree comparison operators
and support functions (Tom Lane)
This allows some optimizations that previously would not have been
applied in the presence of security barrier views or row-level
security.
General Performance
Enable Just-in-Time
(JIT) compilation by default, if the server
has been built with support for it (Andres Freund)
Note that this support is not built by default, but has to be
selected explicitly while configuring the build.
Speed up keyword lookup (John Naylor, Joerg Sonnenberger, Tom Lane)
Improve search performance for multi-byte characters
in position() and related functions (Heikki
Linnakangas)
Allow toasted
values to be minimally decompressed (Paul Ramsey)
This is useful for routines that only need to examine the initial
portion of a toasted field.
Allow ALTER TABLE ... SET
NOT NULL to avoid unnecessary table scans (Sergei
Kornilov)
This can be optimized when the table's column constraints can be
recognized as disallowing nulls.
Allow ALTER TABLE ... SET DATA TYPE changing between
timestamp and timestamptz to avoid a
table rewrite when the session time zone is UTC
(Noah Misch)
In the UTC time zone, these two data types are
binary compatible.
Improve speed in converting strings to
int2 or int4 integers (Andres Freund)
Allow parallelized queries when in SERIALIZABLE
isolation mode (Thomas Munro)
Previously, parallelism was disabled when in this mode.
Use pread() and pwrite()
for random I/O (Oskari Saarenmaa, Thomas Munro)
This reduces the number of system calls required for I/O.
Improve the speed of setting the process title on
FreeBSD (Thomas Munro)
Monitoring
Allow logging of statements from only a percentage of transactions
(Adrien Nayrat)
The parameter
controls this.
Add progress reporting to CREATE INDEX and
REINDEX operations (Álvaro Herrera, Peter
Eisentraut)
Progress is reported in the pg_stat_progress_create_index
system view.
Add progress reporting to CLUSTER and
VACUUM FULL (Tatsuro Yamada)
Progress is reported in the pg_stat_progress_cluster
system view.
Add progress reporting to
(Michael Banck, Bernd Helmle)
This is enabled with the option .
Add counter of checksum failures to
pg_stat_database (Magnus Hagander)
Add tracking of global objects in system view
pg_stat_database (Julien Rouhaud)
Global objects are shown with a pg_stat_database.datid
value of zero.
Add the ability to list the contents of the archive directory
(Christoph Moench-Tegeder)
The function is pg_ls_archive_statusdir().
Add the ability to list the contents of temporary directories
(Nathan Bossart)
The function, pg_ls_tmpdir(),
optionally allows specification of a tablespace.
Add information about the client certificate to the system view pg_stat_ssl
(Peter Eisentraut)
The new columns are client_serial
and issuer_dn. Column
clientdn has been renamed to
client_dn for clarity.
Restrict visibility of rows in pg_stat_ssl
for unprivileged users (Peter Eisentraut)
At server start, emit a log message including the server
version number (Christoph Berg)
Prevent logging incomplete startup packet if a new
connection is immediately closed (Tom Lane)
This avoids log spam from certain forms of monitoring.
Include the , if set,
in log messages (Don Seiler)
Make the walreceiver set its application name to the cluster name,
if set (Peter Eisentraut)
Add the timestamp of the last received standby message to pg_stat_replication
(Lim Myungkyu)
Add a wait event for fsync
of WAL segments (Konstantin Knizhnik)
Authentication
Add GSSAPI
encryption support (Robbie Harwood, Stephen Frost)
This feature allows TCP/IP connections to be encrypted when using
GSSAPI authentication, without having to set up a separate
encryption facility such as SSL.
In support of this, add hostgssenc
and hostnogssenc record types in pg_hba.conf
for selecting connections that do or do not use GSSAPI encryption,
corresponding to the existing hostssl
and hostnossl record types.
There is also a new
libpq option, and a system
view.
Allow the clientcertpg_hba.conf option to check that the database
user name matches the client certificate's common name
(Julian Markwort, Marius Timmer)
This new check is enabled with
clientcert=verify-full.
Allow discovery of an LDAP server using
DNS SRV records (Thomas Munro)
This avoids the requirement of specifying
ldapserver. It is only supported if
PostgreSQL is compiled with
OpenLDAP.
Server Configuration
Add ability to enable/disable cluster checksums using (Michael Banck, Michaël Paquier)
The cluster must be shut down for these operations.
Reduce the default value of to 2ms (Tom Lane)
This allows autovacuum operations to proceed faster by default.
Allow to specify
sub-millisecond delays, by accepting fractional values (Tom Lane)
Allow time-based server parameters to use units of microseconds
(us) (Tom Lane)
Allow fractional input for integer server parameters (Tom Lane)
For example, SET work_mem = '30.1GB' is now
allowed, even though work_mem is an integer
parameter. The value will be rounded to an integer after any
required units conversion.
Allow units to be defined for floating-point server parameters
(Tom Lane)
Add and server parameters to control
WAL file recycling (Jerry Jelinek)
Avoiding file recycling can be beneficial on copy-on-write file
systems like ZFS.
Add server parameter to
control the server's TCP timeout (Ryohei Nagaura)
Allow control of the minimum and maximum SSL
protocol versions (Peter Eisentraut)
The server parameters are and .
Add server parameter to report
the SSL library version used by the server
(Peter Eisentraut)
Add server parameter
to control the type of shared memory to use (Andres Freund)
This allows selection of System V
shared memory, if desired.
Streaming Replication and Recovery
Allow some recovery parameters to be changed with reload (Peter
Eisentraut)
These parameters are ,
, , and .
Allow the streaming replication timeout () to be set per connection
(Takayuki Tsunakawa)
Previously, this could only be set cluster-wide.
Add function pg_promote()
to promote standbys to primaries (Laurenz Albe, Michaël Paquier)
Previously, this operation was only possible by using or creating a trigger file.
Allow replication slots to be copied (Masahiko Sawada)
The functions for this are pg_copy_physical_replication_slot()
and pg_copy_logical_replication_slot().
Make not count as part of
(Alexander Kukushkin)
Add an explicit value of current for (Peter Eisentraut)
Make recovery fail if a two-phase transaction
status file is corrupt (Michaël Paquier)
Previously, a warning was logged and recovery continued,
allowing the transaction to be lost.
Utility Commands
Add CONCURRENTLY
option to allow reindexing without locking out writes (Michaël
Paquier, Andreas Karlsson, Peter Eisentraut)
This is also controlled by the
application's option.
Add support for generated
columns (Peter Eisentraut)
The content of generated columns are computed from expressions
(including references to other columns in the same table)
rather than being specified by INSERT or
UPDATE commands.
Add a WHERE clause
to COPY FROM to
control which rows are accepted (Surafel Temesgen)
This provides a simple way to filter incoming data.
Allow enumerated values to be added more flexibly
(Andrew Dunstan, Tom Lane, Thomas Munro)
Previously, ALTER TYPE
... ADD VALUE could not be called in a transaction
block, unless it was part of the same transaction that created the
enumerated type. Now it can be called in a later transaction, so
long as the new enumerated value is not referenced until after it is
committed.
Add commands to end a transaction and start a new one (Peter
Eisentraut)
The commands are COMMIT AND
CHAIN
and ROLLBACK AND
CHAIN.
Add and CREATE
TABLE options to prevent VACUUM
from truncating trailing empty pages (Takayuki Tsunakawa)
These options are vacuum_truncate and
toast.vacuum_truncate. Use of these options
reduces VACUUM's locking requirements, but
prevents returning disk space to the operating system.
Allow VACUUM to skip index cleanup
(Masahiko Sawada)
This change adds a VACUUM command
option INDEX_CLEANUP as well as a table storage
option vacuum_index_cleanup. Use of this option
reduces the ability to reclaim space and can lead to index bloat,
but it is helpful when the main goal is to freeze old tuples.
Add the ability to skip VACUUM and
ANALYZE operations on tables that cannot be
locked immediately (Nathan Bossart)
This option is called SKIP_LOCKED.
Allow VACUUM and ANALYZE
to take optional Boolean argument specifications (Masahiko Sawada)
Prevent ,
VACUUM and ANALYZE
from requesting a lock on
tables for which the user lacks permission (Michaël Paquier)
This prevents unauthorized locking, which could interfere with
user queries.
Add option
SETTINGS to output non-default optimizer
settings (Tomas Vondra)
This output can also be obtained when using
by setting auto_explain.log_settings.
Add OR REPLACE option to
(Andrew Gierth)
Allow modifications of system catalogs' options using (Peter Eisentraut)
Modifications of catalogs' reloptions and
autovacuum settings are now supported. (Setting is still required.)
Use all key columns' names when selecting default constraint
names for foreign keys (Peter Eisentraut)
Previously, only the first column name was included in the constraint
name, resulting in ambiguity for multi-column foreign keys.
Data Types
Update assorted knowledge about Unicode to match Unicode 12.1.0
(Peter Eisentraut)
This fixes, for example, cases
where psql would misformat output
involving combining characters.
Update Snowball stemmer dictionaries with support for new languages
(Arthur Zakirov)
This adds word stemming support for Arabic, Indonesian, Irish,
Lithuanian, Nepali, and Tamil to full
text search.
Allow creation of collations that report
string equality for strings that are not bit-wise equal (Peter
Eisentraut)
This feature supports nondeterministic collations
that can define case- and accent-agnostic equality comparisons.
Thus, for example, a case-insensitive uniqueness constraint on a
text column can be made more easily than before. This is only
supported for ICU collations.
Add support for ICU collation attributes on older
ICU versions (Peter Eisentraut)
This allows customization of the collation rules in a consistent way
across all ICU versions.
Allow data
type name
to more seamlessly be compared to other text types (Tom Lane)
Type name now behaves much like a domain over
type text that has default collation C.
This allows cross-type comparisons to be processed more efficiently.
Functions
Add support for the SQL/JSON path language
(Nikita Glukhov, Teodor Sigaev, Alexander Korotkov, Oleg Bartunov,
Liudmila Mantrova)
This allows execution of complex queries on JSON
values using an SQL-standard language.
Add support for hyperbolic
functions (Lætitia Avrot)
Also add log10() as an alias for
log(), for standards compliance.
Improve the accuracy of statistical aggregates like variance()
by using more precise algorithms (Dean Rasheed)
Allow date_trunc()
to have an additional argument to control the time zone (Vik
Fearing, Tom Lane)
This is faster and simpler than using the AT TIME
ZONE clause.
Adjust to_timestamp()/to_date()
functions to be more forgiving of template mismatches (Artur
Zakirov, Alexander Korotkov, Liudmila Mantrova)
This new behavior more closely matches the
Oracle functions of the same name.
Fix assorted bugs in XML functions
(Pavel Stehule, Markus Winand, Chapman Flack)
Specifically, in XMLTABLE,
xpath(), and xmlexists(),
fix some cases where nothing was output for a node, or an
unexpected error was thrown, or necessary escaping of XML special
characters was omitted.
Allow the BY VALUE clause
in XMLEXISTS and XMLTABLE
(Chapman Flack)
This SQL-standard clause has no effect
in PostgreSQL's implementation, but it
was unnecessarily being rejected.
Prevent current_schema()
and current_schemas() from being run by
parallel workers, as they are not parallel-safe (Michaël Paquier)
Allow RECORD and RECORD[] to be used
as column types in a query's column definition list for a table function that is declared
to return RECORD (Elvis Pranskevichus)
PL/pgSQL
Allow SQL commands and variables with the same names as those
commands to be used in the same PL/pgSQL function (Tom Lane)
For example, allow a variable called comment to
exist in a function that calls
the COMMENT SQL command.
Previously this combination caused a parse error.
Add new optional warning and error checks to PL/pgSQL (Pavel
Stehule)
The new checks allow for run-time validation of
INTO column counts and single-row results.
Client Interfaces
Add connection parameter
to control libpq's TCP
timeout (Ryohei Nagaura)
Allow libpq (and thus
psql) to report only the
SQLSTATE value in error messages (Didier Gautheron)
Add libpq
function PQresultMemorySize()
to report the memory used by a query result (Lars Kanis, Tom Lane)
Remove the no-display/debug flag from libpq's
options connection parameter (Peter Eisentraut)
This allows this parameter to be set by
postgres_fdw.
Allow to create variables of data type
bytea (Ryo Matsumura)
This allows ECPG clients to interact with bytea data
directly, rather than using an encoded form.
Add PREPARE AS support to
ECPG (Ryo Matsumura)
Client Applications
Allow to select tables for vacuum
based on their wraparound horizon (Nathan Bossart)
The options are and
.
Allow vacuumdb to disable waiting for locks
or skipping all-visible pages (Nathan Bossart)
The options are and
.
Add colorization to the output of command-line utilities (Peter
Eisentraut)
This is enabled by setting the environment variable
PG_COLOR to always
or auto. The specific colors used can be
adjusted by setting the environment variable
PG_COLORS, using ANSI escape codes for colors.
For example, the default behavior is equivalent to
PG_COLORS="error=01;31:warning=01;35:locus=01".
Add CSV table output mode in
psql (Daniel Vérité)
This is controlled by \pset format csv or the
command-line option.
Show the manual page URL in
psql's \help output
for a SQL command (Peter Eisentraut)
Display the IP address in
psql's \conninfo
(Fabien Coelho)
Improve tab completion of CREATE TABLE,
CREATE TRIGGER,
CREATE EVENT TRIGGER,
ANALYZE, EXPLAIN,
VACUUM, ALTER TABLE,
ALTER INDEX, ALTER DATABASE,
and ALTER INDEX ALTER COLUMN
(Dagfinn Ilmari Mannsåker, Tatsuro Yamada, Michaël Paquier,
Tom Lane, Justin Pryzby)
pgbench
Allow values produced by queries to be assigned
to pgbench variables (Fabien Coelho,
Álvaro Herrera)
The command for this is \gset.
Improve precision of pgbench's
option (Tom Lane)
Improve pgbench's error reporting with
clearer messages and return codes (Peter Eisentraut)
Server Applications
Allow control of log file rotation via
(Kyotaro Horiguchi, Alexander Kuzmenkov, Alexander Korotkov)
Previously, this was only possible via an SQL
function or a process signal.
Properly detach the new server process
during pg_ctl start
(Paul Guo)
This prevents the server from being shut down if the shell script
that invoked pg_ctl is interrupted later.
Allow to use the file system's cloning
feature, if there is one (Peter Eisentraut)
The option has the advantages of
, while preventing the old cluster from
being changed after the new cluster has started.
Allow specification of the socket directory to use
in pg_upgrade (Daniel Gustafsson)
This is controlled by ; the default
is the current directory.
Allow to disable fsync operations
(Michaël Paquier)
This is controlled by the option.
Allow to disable fsync operations
(Michaël Paquier)
Fix to report accurate
open_datasync durations on
Windows (Laurenz Albe)
pg_dump,
pg_dumpall,
pg_restore
When pg_dump emits data
with INSERT commands rather
than COPY, allow more than one data row to be
included in each INSERT (Surafel Temesgen,
David Rowley)
The option controlling this is .
Allow pg_dump to emit INSERT
... ON CONFLICT DO NOTHING (Surafel Temesgen)
This avoids conflict failures during restore.
The option is .
Decouple the order of operations in a
parallel pg_dump from the order used by
a subsequent parallel pg_restore (Tom
Lane)
This allows pg_restore to perform
more-fully-parallelized parallel restores, especially in cases
where the original dump was not done in parallel. Scheduling of a
parallel pg_dump is also somewhat
improved.
Allow the setting to be
specified for pg_dump and
pg_dumpall (Andrew Dunstan)
This is primarily useful for making dumps that are exactly
comparable across different source server versions. It is not
recommended for normal use, as it may result in loss of precision
when the dump is restored.
Add option to
pg_dumpall (Andrew Dunstan)
Source Code
Add command to create
new table types (Andres Freund, Haribabu Kommi, Álvaro Herrera,
Alexander Korotkov, Dmitry Dolgov)
This enables the development of new table
access methods, which can optimize storage for different
use cases. The existing heap access method
remains the default.
Add planner support
function interfaces to improve optimizer estimates,
inlining, and indexing for functions (Tom Lane)
This allows extensions to create planner support functions that
can provide function-specific selectivity, cost, and row-count
estimates that can depend on the function's arguments. Support
functions can also supply simplified representations and index
conditions, greatly expanding optimization possibilities.
Simplify renumbering manually-assigned OIDs, and establish a new
project policy for management of such OIDs (John Naylor, Tom Lane)
Patches that manually assign OIDs for new built-in objects (such as
new functions) should now randomly choose OIDs in the range
8000—9999. At the end of a development cycle, the OIDs used
by committed patches will be renumbered down to lower numbers,
currently somewhere in the 4xxx range,
using the new renumber_oids.pl
script. This approach should greatly reduce the odds of OID
collisions between different in-process patches.
While there is no specific policy reserving any OIDs for external
use, it is recommended that forks and other projects needing
private manually-assigned OIDs use numbers in the high
7xxx range. This will avoid conflicts
with recently-merged patches, and it should be a long time before
the core project reaches that range.
Build Cygwin binaries using dynamic
instead of static libraries (Marco Atzeri)
Remove configure switch
(Michaël Paquier)
A strong random-number source is now required.
printf-family functions, as well
as strerror
and strerror_r, now behave uniformly across
platforms within Postgres code (Tom Lane)
Notably, printf
understands %m everywhere; on
Windows, strerror copes with Winsock error
codes (it used to do so in backend but not frontend code);
and strerror_r always follows the GNU return
convention.
Require a C99-compliant compiler, and MSVC
2013 or later on Windows (Andres Freund)
Use pandoc,
not lynx, for generating plain-text
documentation output files (Peter Eisentraut)
This affects only the INSTALL file generated
during make dist and the seldom-used
plain-text postgres.txt output file.
Pandoc produces better output than lynx and avoids some
locale/encoding issues. Pandoc version 1.13 or later is required.
Support use of images in the PostgreSQL
documentation (Jürgen Purtz)
Additional Modules
Allow ORDER BY sorts
and LIMIT clauses to be pushed
to foreign servers in more
cases (Etsuro Fujita)
Improve optimizer cost accounting for
postgres_fdw queries (Etsuro Fujita)
Properly honor WITH CHECK OPTION on views
that reference postgres_fdw tables
(Etsuro Fujita)
While CHECK OPTIONs on
postgres_fdw tables are ignored (because
the reference is foreign), views on such tables are considered
local, so this change enforces CHECK OPTIONs
on them. Previously, only INSERTs and
UPDATEs with RETURNING
clauses that returned CHECK OPTION values
were validated.
Allow pg_stat_statements_reset()
to be more granular (Haribabu Kommi, Amit Kapila)
The function now allows reset of statistics for specific databases,
users, and queries.
Allow control of the log level
(Tom Dunstan, Andrew Dunstan)
The default is LOG.
Update rules with new
punctuation and symbols (Hugh Ranalli, Michaël Paquier)
Allow unaccent to handle some accents
encoded as combining characters (Hugh Ranalli)
Allow unaccent to remove accents from
Greek characters (Tasos Maschalidis)
Add a parameter to
's bt_index_parent_check()
function to check each index tuple from the root of the tree
(Peter Geoghegan)
Improve and
option handling to match other commands (Tatsuro Yamada)
Acknowledgments
The following individuals (in alphabetical order) have contributed to this
release as patch authors, committers, reviewers, testers, or reporters of
issues.
Abhijit Menon-SenAchilleas MantziosAdam BerlinAdam BielanskiAditya ToshniwalAdrien NayratAlan JacksonAlbert SchabhuetlAleksander AlekseevAlex AktsipetrovAlex KliukinAlex MacyAlexander KorotkovAlexander KukushkinAlexander KuzmenkovAlexander LakhinAlexandra RyzhevichAlexey BashtanovAlexey ErmakovAlexey KondratovAlexey KryuchkovAlexey StepanovAllison KapturÁlvaro HerreraAlyssa RossAmit KapilaAmit KhandekarAmit LangoteAmul SulAnastasia LubennikovaAndré HänselAndrea GelminiAndreas Joseph KroghAndreas KarlssonAndreas KunertAndreas ScherbaumAndreas SeltenreichAndrei YahorauAndres FreundAndrew DunstanAndrew FletcherAndrew GierthAndrew KrasichkovAndrey BorodinAndrey KlychkovAndrey LepikhovAndy AbelistoAnthony GreeneAnthony SkorskiAntonin HouskaArne RolandArseny SherArthur ZakirovAsh MarathAshutosh BapatAshutosh SharmaAshwin AgrawalAya IwataBartosz PolnikBasil BourqueBernd HelmleBrad DeJongBrigitte Blanc-LafayBruce KleinBruce MomjianBruno WolffChapman FlackChen HuajunChris TraversChris WilsonChristian HofstaedtlerChristoph BergChristoph Moench-TegederClemens LadischColm McHughCorey HuinkerCraig RingerDagfinn Ilmari MannsåkerDaisuke HiguchiDaniel FioriDaniel GustafssonDaniel VéritéDaniel WestermannDaniel WilchesDarafei PraliaskouskiDaryl WaycottDave CramerDavid BindermanDavid FetterDavid G. JohnstonDavid RowleyDavid SteeleDavy MachadoDean RasheedDerek HansDerek NelsonDevrim GündüzDian FayDidier GautheronDilip KumarDmitry DolgovDmitry MarakasovDmitry MolotkovDmitry ShalashovDon SeilerDonald DongDoug RadyEdmund HornerEduards BezverhijsElvis PranskevichusEmanuel AraújoEmre HasegeliEric CyrErik RijkersErtugrul KahveciEtsuro FujitaEugen KonkovEuler TaveiraFabien CoelhoFabrízio de Royes MelloFeike SteenbergenFilip RembialkowskiGaby SchildersGeert LobbestaelGeorge TarasovGeorgios KokolatosGianni CiolliGilles DaroldGreg StarkGrigory SmolkinGuillaume LelargeGunnlaugur Thor BriemGurjeet SinghHadi MoshayediHailong LiHans BuschmannHaribabu KommiHaruka TakatsukaHayato KurodaHeikki LinnakangasHironobu SuzukiHubert LubaczewskiHugh RanalliIan BarwickIbrar AhmedIldar MusinInsung MoonIoseph KimIsaac MorlandIvan PanchenkoJack KellyJacob ChampionJaime CasanovaJakob EggerJakub GlapaJakub JanecekJames ColemanJames InformJames RobinsonJames SewellJames TomsonJan ChocholJaroslav SivyJean-Christophe ArnuJean-Marc VoillequinJean-Pierre PelletierJeevan ChalkeJeevan LadheJeff DavisJeff JanesJeremy EvansJeremy SchneiderJeremy SmithJerry JelinekJesper PedersenJianing YangJie ZhangJim NasbyJimmy YihJoe ConwayJoe WildishJoerg SonnenbergerJohn KlannJohn NaylorJonah HarrisJonathan S. KatzJorge Gustavo RochaJosé Arthur Benetasso VillanovaJoshua D. DrakeJuan José Santamaría FlechaJulian HsiaoJulian MarkwortJulian SchauderJulien RouhaudJürgen PurtzJürgen StrobelJustin PryzbyKaiting ChenKaren HuddlestonKarl CzajkowskiKarl O. PincKeiichi HirobeKeith FiskeKen TanzerKenji UnoKevin GrittnerKevin Hale BoyesKieran McCuskerKirk JamisonKohei KaiGaiKonstantin KnizhnikKonstantin KuznetsovKristjan TammekiviKuntal GhoshKyle SamsonKyotaro HoriguchiLætitia AvrotLars KanisLaurenz AlbeLim MyungkyuLiu HuailingLiudmila MantrovaLloyd AlbinLuca FerrariLuis M. CarrilLukas EderLukas FittlMadelaine ThibautMadeleine ThompsonMagnus HaganderMahendra SinghMai PengMaksim MilyutinMaksym BogukMalthe BorchManuel RiggerMarco AtzeriMarco SlotMarina PolyakovaMario De Frutos DieguezMarius TimmerMark ChambersMark DilgerMarko TiikkajaMarkus WinandMartín MarquésMasahiko SawadaMasao FujiiMateusz GuzikMathias BrossardMatt WilliamsMatthias OtterbachMatvey AryeMelanie PlagemanMi TarMichael BanckMichael DavidsonMichael MeskesMichael PaquierMichael VitaleMichel PelletierMikalai KeidaMike PalmiottoMithun CyMorgan OwensMurat KabilovNathan BossartNawaz AhmedNeeraj KumarNick BarnesNico WilliamsNikita GlukhovNikolay ShaplovNing YuNishant FnuNoah MischNorbert BenkocsNoriyoshi ShinodaOleg BartunovOleg SamoilovOleksii KliukinOndrej BoudaOskari SaarenmaaPan BianPatrick FrancellePatrick McHardyPaul A. JungwirthPaul BonaudPaul GuoPaul MartinezPaul RamseyPaul SchaapPaul van der LindenPavan DeolaseePavel OskinPavel RaiskupPavel StehulePeifeng QiuPeter BillenPeter EisentrautPeter GeogheganPeter NeavePetr FedorovPetr JelínekPetr SlavovPetru-Florin MihanceaPhil BayerPhil FlorentPhilip DubéPierre DucroquetPiotr Gabriel KosinskiPiotr StefaniakPiotr WlodarczykPrabhat SahuQuentin RameauRafael CastroRafia SabihRahila SyedRajkumar RaghuwanshiRares SalcudeanRaúl Marín RodríguezRegina ObeRenaud NavarroRichard GuoRick OttenRikard FalkebornRK KorlapatiRobbie HarwoodRobert HaasRobert TreatRobert VollmertRoger CurleyRoman ZharkovRonan DunklauRui Hai JiangRushabh LathiaRyan LambertRyo MatsumuraRyohei NagauraRyohei TakahashiSamuel WilliamsSand StoneSanyo CapobiangoSatoru KoizumiSean JohnstonSerge LatyntsevSergei KornilovSergey PashkovSergio Conde GómezShawn DebnathShay RojanskySho KatoShohei MochizukiShouyu LuoSimon RiggsSivasubramanian RamasubramanianSlawomir ChodnickiStas KelvishStefan KadowStepan YankevychStephen AmellStephen FrostSteve RogersonSteve SingerSteven WinfieldSurafel TemesgenSuraj KharageSuresh Kumar RTakayuki TsunakawaTakeshi IderihaTakuma HoshiaiTasos MaschalidisTatsuo IshiiTatsuro YamadaTeodor SigaevThom BrownThomas MunroThomas PotyTillmann SchulzTim MöhlmannTimur BirshTobias BussmannTom CassidyTom DunstanTom GottfriedTom LaneTomas VondraTushar AhujaUlf AdamsVaishnavi PrabakaranVictor PetrovykhVictor WagnerVictor YegorovVijaykumar JainVik FearingVlad SterzhanovVladimir BaranoffVladimir KriukovWu FeiYaroslav SchekinYi HuangYoshikazu ImaiYugo NagataYulian KhodorkovskiyYuming WangYunQiang SuYuri KurenkovYusuke EgashiraYuzuko HosoyaZhou Digoal