G.2. pgpro_stats — a means for tracking planning and execution statistics of all SQL statements executed by a server #
 The pgpro_stats extension provides a means for tracking planning and execution statistics of all SQL statements executed by a server. It is based on the pg_stat_statements module and provides the following additional functionality: 
- Storing query plans in addition to query statements. 
- Configuring sample rate for statistics collection to reduce overhead. 
- Calculating wait event statistics for executed queries. 
- Calculating resource usage statistics of statement planning and execution. 
- Calculating cache invalidation statistics. 
- Calculating additional archiver statistics. 
- Providing an interface to statistics about vacuuming databases, tables, and indexes collected by the core system. 
- Tracing of application sessions. 
- Creating views that emulate other extensions. 
Note
 When the server gets shut down, pgpro_stats saves the collected statistics to two dump files on disk in the format that depends on the number and order of columns in the pgpro_stats_statements and pgpro_stats_totals views. If this format has changed in a new pgpro_stats version, during the first server restart after upgrading the extension, the saved statistics will fail to be read with an error reported to the log: 
LOG: pgpro_stats: could not load statements data file of obsolete format "pg_stat/pgpro_stats.stat"
or
LOG: pgpro_stats: could not load statements data file of obsolete format "pg_stat/pgpro_stats_totals.stat"
The contents of the files will be ignored, and respective statistics will be nullified. To learn whether the format has changed, see the Release Notes for pgpro_stats version being installed. To retain the previously collected statistics, download them as CSV files before upgrading.
The background information, along with views and types, related to calculating cache invalidation statistics is provided in a separate section Section G.2.9.
G.2.1. Limitations #
- pgpro_statscan sometimes fail to match identical parameters in the query statement and the corresponding query plan.
- Some SPI queries are not included into statistics. 
- Texts and plans of some SPI queries are not normalized. 
- pgpro_statsis incompatible with pg_stat_statements, as well as other extensions that use parser, planner, or executor hooks to modify parse and plan trees and execution of the queries. Moreover, if both- pgpro_statsand pg_stat_statements are on the list of- shared_preload_libraries, the database server will not start. Note also that in order to dump the final versions of the queries and plans,- pgpro_statsshould be the last on the list of- shared_preload_libraries, but some existing extensions may not work at all unless they are the last on this list.
- pgpro_statsmay not work correctly with third-party extensions that produce- CustomScanand- ForeignScannodes.
G.2.2. Installation and Setup #
pgpro_stats is provided with Postgres Pro Standard as a separate pre-built package pgpro-stats-std-17 (for the detailed installation instructions, see Chapter 16). Once you have pgpro_stats installed, complete the following steps to enable pgpro_stats: 
- Add - pgpro_statsto the shared_preload_libraries parameter in the- postgresql.conffile:- shared_preload_libraries = 'pgpro_stats' 
- Restart the Postgres Pro Standard instance for the changes to take effect. - Once the server is reloaded, - pgpro_statsstarts tracking statistics across all databases of the cluster. If required, you can change the scope of statistics collection or disable it altogether using- pgpro_statsconfiguration parameters.
- To access the collected statistics, you have to create - pgpro_statsextension:- CREATE EXTENSION pgpro_stats; 
 In addition, query identifier calculation must be enabled in order for pgpro_stats to be active, which is done automatically if compute_query_id is set to auto or on, or any third-party module that calculates query identifiers is loaded. 
G.2.3. Usage #
G.2.3.1. Collecting Statistics on Query Statements and Plans #
 Once installed, the pgpro_stats extension starts collecting statistics on the executed statements. The collected data is similar to the one provided by pg_stat_statements, but also includes information on query plans and wait events for each query type. The statistics is saved into an in-memory ring buffer and is accessible through the pgpro_stats_statements view. 
 By default, pgpro_stats collects statistics on all the executed statements that satisfy the pgpro_stats.track and pgpro_stats.track_utility settings. If performance is a concern, you can set a sample rate for queries using the pgpro_stats.query_sample_rate parameter, and pgpro_stats will randomly select queries for statistics calculation at the specified rate. 
 To collect statistics on wait events, pgpro_stats uses time-based sampling. Wait events are sampled at the time interval specified by the pgpro_stats.profile_period parameter, which is set to 10ms by default. If the sampling shows that the process is waiting, the pgpro_stats.profile_period value is added to the wait event duration. Thus, time estimation for each wait event remains valid even if the pgpro_stats.profile_period parameter value has changed. If you are not interested in wait event statistics, you can disable wait event sampling by setting the pgpro_stats.enable_profile parameter to false. 
pgpro_stats_statements.plans and pgpro_stats_statements.calls aren't always expected to match because planning and execution statistics are updated at their respective end phase, and only for successful operations. For example, if a statement is successfully planned but fails during the execution phase, only its planning statistics will be updated. If planning is skipped because a cached plan is used, only its execution statistics will be updated. 
As an example, let's create a table with some random data and build an index on this table:
CREATE TABLE test AS (SELECT i, random() x FROM generate_series(1,1000000) i); CREATE INDEX test_x_idx ON test (x);
 Now run the following query several times using different values for :x_min and :x_max: 
select * from test where x >= :x_min and x <= :x_max;
 The collected statistics should appear in the pgpro_stats_statements view: 
SELECT queryid, query, planid, plan, wait_stats FROM pgpro_stats_statements WHERE query LIKE 'select * from test where%';
-[ RECORD 1 ]----------------------------------------------------------------------------------------------------------
queryid    | 1109491335754870054
query      | select * from test where x >= $1 and x <= $2
planid     | 8287793242828473388
plan       | Gather
           |   Output: i, x
           |   Workers Planned: 2
           |   ->  Parallel Seq Scan on public.test
           |         Output: i, x
           |         Filter: ((test.x >= $3) AND (test.x <= $4))
           |
wait_stats | {"IO": {"DataFileRead": 10}, "IPC": {"BgWorkerShutdown": 10}, "Total": {"IO": 10, "IPC": 10, "Total": 20}}
-[ RECORD 2 ]----------------------------------------------------------------------------------------------------------
queryid    | 1109491335754870054
query      | select * from test where x >= $1 and x <= $2
planid     | -9045072158333552619
plan       | Bitmap Heap Scan on public.test
           |   Output: i, x
           |   Recheck Cond: ((test.x >= $3) AND (test.x <= $4))
           |   ->  Bitmap Index Scan on test_x_idx
           |         Index Cond: ((test.x >= $5) AND (test.x <= $6))
           |
wait_stats | {"IO": {"DataFileRead": 40}, "Total": {"IO": 40, "Total": 40}}
-[ RECORD 3 ]----------------------------------------------------------------------------------------------------------
queryid    | 1109491335754870054
query      | select * from test where x >= $1 and x <= $2
planid     | -1062789671372193287
plan       | Seq Scan on public.test
           |   Output: i, x
           |   Filter: ((test.x >= $3) AND (test.x <= $4))
           |
wait_stats | NULL
-[ RECORD 4 ]----------------------------------------------------------------------------------------------------------
queryid    | 1109491335754870054
query      | select * from test where x >= $1 and x <= $2
planid     | -1748292253893834280
plan       | Index Scan using test_x_idx on public.test
           |   Output: i, x
           |   Index Cond: ((test.x >= $3) AND (test.x <= $4))
           |
wait_stats | NULL
G.2.3.2. Monitoring Custom Metrics #
 With pgpro_stats, you can define custom metrics to be monitored. The collected data will be saved into an in-memory ring buffer and then sent to a monitoring system. Unlike direct polling of a database by a monitoring system that can lose some data if the connection is interrupted, this approach allows to get all the collected data regardless of connection issues, as long as this data is still available in the ring buffer. 
To set up a custom metric to collect, do the following:
- For each metric, define all configuration parameters listed in Section G.2.7.2. You must specify a unique numeric identifier of each metric in the parameter names. - For example, to monitor index bloating each 60 seconds, you can define a new metric by setting metrics-related parameters as follows: - pgpro_stats.metric_1_name = index_bloat pgpro_stats.metric_1_query = 'select iname, ibloat, ipages from bloat' pgpro_stats.metric_1_db = 'postgres' pgpro_stats.metric_1_user = postgres pgpro_stats.metric_1_period = '60s' 
- Restart the server. - pgpro_statsstarts collecting statistics on executed statements and saves it into the ring buffer, and the collected data appears in the- pgpro_stats_metricsview:- SELECT * FROM pgpro_stats_metrics; - Once the new metric is added, its parameters can be changed without a server restart by simply reloading the - postgresql.confconfiguration file.
- If required, set up data export to a monitoring system of your choice. 
G.2.4. Views #
G.2.4.1. The pgpro_stats_statements View #
 The statistics gathered by the module are made available via a view named pgpro_stats_statements. This view contains one row for each distinct database ID, user ID and query ID (up to the maximum number of distinct statements that the module can track). The columns of the view are shown in Table G.72. 
Table G.72. pgpro_stats_statements Columns
| Name | Type | References | Description | 
|---|---|---|---|
| userid | oid |  | OID of user who executed the statement | 
| dbid | oid |  | OID of database in which the statement was executed | 
| toplevel | bool | True if the query was executed as a top-level statement (always true if pgpro_stats.track is set to top) | |
| queryid | bigint | Internal hash code, computed from the statement's parse tree | |
| planid | bigint | Internal hash code, computed from the statement's plan tree | |
| query | text | Text of a representative statement | |
| plan | text | The text of the query plan, in the format defined by the pgpro_stats.plan_format configuration parameter | |
| plans | int8 | Number of times the statement was planned (if pgpro_stats.track_planningis enabled, otherwise zero) | |
| total_plan_time | float8 | Total time spent planning the statement, in milliseconds (if pgpro_stats.track_planningis enabled, otherwise zero). | |
| min_plan_time | float8 | Minimum time spent planning the statement, in milliseconds (if pgpro_stats.track_planningis enabled, otherwise zero) | |
| max_plan_time | float8 | Maximum time spent planning the statement, in milliseconds (if pgpro_stats.track_planningis enabled, otherwise zero) | |
| mean_plan_time | float8 | Mean time spent planning the statement, in milliseconds (if pgpro_stats.track_planningis enabled, otherwise zero) | |
| stddev_plan_time | float8 | Population standard deviation of time spent planning the statement, in milliseconds (if pgpro_stats.track_planningis enabled, otherwise zero) | |
| plan_rusage | pgpro_stats_rusage | Resource usage statistics of the statement planning. | |
| calls | int8 | Number of times the statement was executed | |
| total_exec_time | float8 | Total time spent executing the statement, in milliseconds | |
| min_exec_time | float8 | Minimum time spent executing the statement, in milliseconds | |
| max_exec_time | float8 | Maximum time spent executing the statement, in milliseconds | |
| mean_exec_time | float8 | Mean time spent executing the statement, in milliseconds | |
| stddev_exec_time | float8 | Population standard deviation of time spent executing the statement, in milliseconds | |
| exec_rusage | pgpro_stats_rusage | Resource usage statistics of the statement execution. | |
| rows | int8 | Total number of rows retrieved or affected by the statement | |
| shared_blks_hit | int8 | Total number of shared block cache hits by the statement | |
| shared_blks_read | int8 | Total number of shared blocks read by the statement | |
| shared_blks_dirtied | int8 | Total number of shared blocks dirtied by the statement | |
| shared_blks_written | int8 | Total number of shared blocks written by the statement | |
| local_blks_hit | int8 | Total number of local block cache hits by the statement | |
| local_blks_read | int8 | Total number of local blocks read by the statement | |
| local_blks_dirtied | int8 | Total number of local blocks dirtied by the statement | |
| local_blks_written | int8 | Total number of local blocks written by the statement | |
| temp_blks_read | int8 | Total number of temp blocks read by the statement | |
| temp_blks_written | int8 | Total number of temp blocks written by the statement | |
| shared_blk_read_time | float8 | Total time the statement spent reading shared blocks, in milliseconds (if track_io_timing is enabled, otherwise zero) | |
| shared_blk_write_time | float8 | Total time the statement spent writing shared blocks, in milliseconds (if track_io_timing is enabled, otherwise zero) | |
| local_blk_read_time | float8 | Total time the statement spent reading local blocks, in milliseconds (if track_io_timing is enabled, otherwise zero). In Postgres Pro versions lower than 17, contains zero. | |
| local_blk_write_time | float8 | Total time the statement spent writing local blocks, in milliseconds (if track_io_timing is enabled, otherwise zero). In Postgres Pro versions lower than 17, contains zero. | |
| temp_blk_read_time | float8 | Total time the statement spent reading temp blocks, in milliseconds (if track_io_timing is enabled, otherwise zero). In Postgres Pro versions lower than 15, contains zero. | |
| temp_blk_write_time | float8 | Total time the statement spent writing temp blocks, in milliseconds (if track_io_timing is enabled, otherwise zero). In Postgres Pro versions lower than 15, contains zero. | |
| wal_records | int8 | Total number of WAL records generated by the statement | |
| wal_fpi | int8 | Total number of WAL full page images generated by the statement | |
| wal_bytes | numeric | Total amount of WAL bytes generated by the statement | |
| jit_functions | int8 | Total number of functions JIT-compiled by the statement. In Postgres Pro versions lower than 15, contains zero. | |
| jit_generation_time | float8 | Total time spent by the statement on generating JIT code, in milliseconds. In Postgres Pro versions lower than 15, contains zero. | |
| jit_inlining_count | int8 | Number of times functions used in the statement have been inlined. In Postgres Pro versions lower than 15, contains zero. | |
| jit_inlining_time | float8 | Total time spent by the statement on inlining functions, in milliseconds. In Postgres Pro versions lower than 15, contains zero. | |
| jit_optimization_count | int8 | Number of times the statement has been optimized. In Postgres Pro versions lower than 15, contains zero. | |
| jit_optimization_time | float8 | Total time spent by the statement on optimizing, in milliseconds. In Postgres Pro versions lower than 15, contains zero. | |
| jit_emission_count | int8 | Number of times code has been emitted by the statement. In Postgres Pro versions lower than 15, contains zero. | |
| jit_emission_time | float8 | Total time spent by the statement on emitting code, in milliseconds. In Postgres Pro versions lower than 15, contains zero. | |
| jit_deform_count | int8 | Total number of tuple deform functions JIT-compiled by the statement. In Postgres Pro versions lower than 17, contains zero. | |
| jit_deform_time | float8 | Total time spent by the statement on JIT-compiling tuple deform functions, in milliseconds. In Postgres Pro versions lower than 17, contains zero. | |
| wait_stats | jsonb | A jsonbobject containing statistics on wait events, for each execution of the query that uses the corresponding plan. Each statistic is provided in milliseconds and is a multiple of the pgpro_stats.profile_period configuration parameter. | |
| inval_msgs | pgpro_stats_inval_msgs | Number of cache invalidation messages by type generated by the statement (if this is supported by the server, otherwise zero). | |
| stats_since | timestamp with time zone | Time at which statistics gathering started for this statement | |
| minmax_stats_since | timestamp with time zone | Time at which min/max statistics gathering started for this statement (fields min_plan_time,max_plan_time,min_exec_timeandmax_exec_time) | 
 Take into account that like pg_stat_statements, pgpro_stats normalizes into one record those DML queries (containing SELECT, INSERT, UPDATE, DELETE and MERGE commands) that have equivalent structures according to some internal hash value. Being compared this way, two queries are normally considered equal if they are semantically equivalent up to constants included in the queries. When the value of a constant in a query is ignored for comparison with other queries, this constant is replaced in the pgpro_stats output with a symbol of a parameter, such as, $k, where k is a positive integer. If a query already contains parameters, the initial value of k equals the number following the last number of a $n parameter in the original query text. If there are no parameters, the initial value of k equals 1. Note that sometimes hidden parameter symbols affect this numbering. For example, PL/pgSQL uses such hidden symbols to insert values of function local variables into queries, so a PL/pgSQL statement SELECT i + 1 INTO j will be represented as SELECT i + $2 in the normalized query text. 
pgpro_stats uses a similar technique to normalize plan texts. When doing so, an attempt is made to associate numbers of constants in the plan text with the corresponding numbers of constants in the query text. If such an attempt appears unsuccessful for a certain constant in the plan text, it is assigned the number following the maximum number of a constant replaced in the query text. For example, consider the query:
SELECT 1::int, 'abc'::VARCHAR(3), 2::int;
pgpro_stats will replace numbers of constants in the query text and in the text of the corresponding plan as follows:
postgres=# SELECT query, plan FROM pgpro_stats_statements;
                     query                      |                                plan
------------------------------------------------+--------------------------------------------------
SELECT $1::int, $2::VARCHAR(3), $3::int         | Result                                           +
                                                |   Output: $1, $4, $3                             +
In this plan text, it appeared possible to associate constants numbered 1 and 3 from the query text, but not the constant numbered 2, and the latter was replaced with the number following the maximum number in the query text, that is, number 4.
 Replacement of numbers in plan texts has an exception for version numbers of XML documents. If in the original query such a number is represented with a constant, e.g., '1.0', it is retained as is in the plan text rather than replaced with $k. If the version number of an XML document is represented with an expression, replacement of constants follows usual rules. 
G.2.4.2. The pgpro_stats_totals View #
 The aggregate statistics gathered by the module are made available via a view named pgpro_stats_totals. This view contains one row for each distinct object (up to the maximum number of distinct objects that the module can track). The columns of the view are shown in Table G.73. 
Table G.73. pgpro_stats_totals Columns
| Name | Type | Description | 
|---|---|---|
| object_type | text | Type of the object for which aggregated statistics are collected: "cluster", "database", "user", "client_addr", "application", "backend", "session" | 
| object_id | bigint | ID of the object: oid for databases and users, pid for backends, sid for sessions, NULL for others | 
| object_name | text | Textual name of the object or NULL | 
| queries_planned | int8 | Number of queries planned | 
| total_plan_time | float8 | Total time spent in the planning of statements, in milliseconds | 
| total_plan_rusage | pgpro_stats_rusage | Aggregate resource usage statistics of the statement planning | 
| queries_executed | int8 | Number of queries executed | 
| total_exec_time | float8 | Total time spent in the execution of statements, in milliseconds | 
| total_exec_rusage | pgpro_stats_rusage | Aggregate resource usage statistics of the statement execution | 
| rows | int8 | Total number of rows retrieved or affected by the statements | 
| shared_blks_hit | int8 | Total number of shared block cache hits by the statements | 
| shared_blks_read | int8 | Total number of shared blocks read by the statements | 
| shared_blks_dirtied | int8 | Total number of shared blocks dirtied by the statements | 
| shared_blks_written | int8 | Total number of shared blocks written by the statements | 
| local_blks_hit | int8 | Total number of local block cache hits by the statements | 
| local_blks_read | int8 | Total number of local blocks read by the statements | 
| local_blks_dirtied | int8 | Total number of local blocks dirtied by the statements | 
| local_blks_written | int8 | Total number of local blocks written by the statements | 
| temp_blks_read | int8 | Total number of temp blocks read by the statements | 
| temp_blks_written | int8 | Total number of temp blocks written by the statements | 
| shared_blk_read_time | float8 | Total time the statements spent reading shared blocks, in milliseconds (if track_io_timing is enabled, otherwise zero) | 
| shared_blk_write_time | float8 | Total time the statements spent writing shared blocks, in milliseconds (if track_io_timing is enabled, otherwise zero) | 
| local_blk_read_time | float8 | Total time the statements spent reading local blocks, in milliseconds (if track_io_timing is enabled, otherwise zero). In Postgres Pro versions lower than 17, contains zero. | 
| local_blk_write_time | float8 | Total time the statements spent writing local blocks, in milliseconds (if track_io_timing is enabled, otherwise zero). In Postgres Pro versions lower than 17, contains zero. | 
| temp_blk_read_time | float8 | Total time the statements spent reading temp blocks, in milliseconds (if track_io_timing is enabled, otherwise zero). In Postgres Pro versions lower than 15, contains zero. | 
| temp_blk_write_time | float8 | Total time the statements spent writing temp blocks, in milliseconds (if track_io_timing is enabled, otherwise zero). In Postgres Pro versions lower than 15, contains zero. | 
| wal_records | int8 | Total number of WAL records generated by the statements | 
| wal_fpi | int8 | Total number of WAL full page images generated by the statements | 
| wal_bytes | numeric | Total amount of WAL bytes generated by the statements | 
| jit_functions | int8 | Total number of functions JIT-compiled by the statements. In Postgres Pro versions lower than 15, contains zero. | 
| jit_generation_time | float8 | Total time spent by the statements on generating JIT code, in milliseconds. In Postgres Pro versions lower than 15, contains zero. | 
| jit_inlining_count | int8 | Number of times functions used in the statements have been inlined. In Postgres Pro versions lower than 15, contains zero. | 
| jit_inlining_time | float8 | Total time spent by the statements on inlining functions, in milliseconds. In Postgres Pro versions lower than 15, contains zero. | 
| jit_optimization_count | int8 | Number of times the statements have been optimized. In Postgres Pro versions lower than 15, contains zero. | 
| jit_optimization_time | float8 | Total time spent by the statements on optimizing, in milliseconds. In Postgres Pro versions lower than 15, contains zero. | 
| jit_emission_count | int8 | Number of times code has been emitted by the statements. In Postgres Pro versions lower than 15, contains zero. | 
| jit_emission_time | float8 | Total time spent by the statements on emitting code, in milliseconds. In Postgres Pro versions lower than 15, contains zero. | 
| jit_deform_count | int8 | Total number of tuple deform functions JIT-compiled by the statements. In Postgres Pro versions lower than 17, contains zero. | 
| jit_deform_time | float8 | Total time spent by the statements on JIT-compiling tuple deform functions, in milliseconds. In Postgres Pro versions lower than 17, contains zero. | 
| wait_stats | jsonb | A jsonbobject containing statistics on wait events for each execution of the queries. Each statistic is provided in milliseconds and is a multiple of the pgpro_stats.profile_period configuration parameter. | 
| inval_msgs | pgpro_stats_inval_msgs | Number of cache invalidation messages by type generated by the statements (if this is supported by the server, otherwise zero). | 
| cache_resets | int4 | Number of shared cache resets (only for cluster, databases and backends). Gets incremented for a backend when it receives a full cache reset message. | 
| stats_since | timestamp with time zone | Time at which statistics gathering started for the statements | 
G.2.4.3. The pgpro_stats_info View #
 The statistics of the pgpro_stats module itself are tracked and made available via a view named pgpro_stats_info. This view contains only a single row. The columns of the view are shown in Table G.74. 
Table G.74. pgpro_stats_info Columns
| Name | Type | Description | 
|---|---|---|
| dealloc | bigint | Total number of times pgpro_stats_statementsentries about the least-executed statements were deallocated because more distinct statements than pgpro_stats.max were observed | 
| stats_reset | timestamp with time zone | Time at which all statistics in the pgpro_stats_statementsview were last reset | 
G.2.4.4. The pgpro_stats_metrics View #
 The metrics gathered by pgpro_stats are displayed in the pgpro_stats_metrics view. The table below describes the columns of the view. 
Table G.75. pgpro_stats_metrics Columns
| Name | Type | Description | 
|---|---|---|
| metric_number | int4 | A unique ID of the collected metric assigned by user. This ID is included into parameter names that define the metric. | 
| metric_name | text | The name of the metric defined by the pgpro_stats.metric_parameter | 
| db_name | text | The name of the database for which a particular metric was collected | 
| ts | timestamptz | The time when the metric value got calculated | 
| value | jsonb | The result of the query used for metric measurement. It is serialized in jsonbas an array of objects received viato_jsonb(. If an error occurs, a single object is returned that containscode,message,detail, andhintfields. | 
G.2.4.5. The pgpro_stats_archiver View #
 The pgpro_stats_archiver view will contain one row showing data about the archiver process of the cluster. 
Table G.76. pgpro_stats_archiver Columns
| Column | Type | Description | 
|---|---|---|
| archived_count | bigint | Number of WAL files that have been successfully archived | 
| last_archived_wal | text | Name of the last WAL file successfully archived | 
| last_archived_time | timestamp with time zone | Time of the last successful archive operation | 
| failed_count | bigint | Number of failed attempts for archiving WAL files | 
| last_failed_wal | text | Name of the WAL file of the last failed archival operation | 
| last_failed_time | timestamp with time zone | Time of the last failed archival operation | 
| active_time | int8 | Overall time that the archiver process was active | 
| archive_command_time | int8 | Overall execution time of the archive command | 
| stats_reset | timestamp with time zone | Time at which these statistics were last reset | 
G.2.4.6. The pgpro_stats_vacuum_database View #
Important
 Starting with Postgres Pro 16, this view contains no data because the statistics to be displayed are available through the catalog view pg_stats_vacuum_database (see System Views for details). 
 The pgpro_stats_vacuum_database view will contain one row for each database in the current cluster, showing statistics about vacuuming that database. These statistics are collected by the core system as explained in Section 26.2. The table below describes the columns of the view. 
Table G.77. pgpro_stats_vacuum_database Columns
| Column | Type | Description | 
|---|---|---|
| dbid | oid | OID of a database | 
| total_blks_read | int8 | Number of database blocks read by vacuum operations performed on this database | 
| total_blks_hit | int8 | Number of times database blocks were found in the buffer cache by vacuum operations performed on this database | 
| total_blks_dirtied | int8 | Number of database blocks dirtied by vacuum operations performed on this database | 
| total_blks_written | int8 | Number of database blocks written by vacuum operations performed on this database | 
| wal_records | int8 | Total number of WAL records generated by vacuum operations performed on this database | 
| wal_fpi | int8 | Total number of WAL full page images generated by vacuum operations performed on this database | 
| wal_bytes | numeric | Total amount of WAL bytes generated by vacuum operations performed on this database | 
| blk_read_time | float8 | Time spent reading database blocks by vacuum operations performed on this database, in milliseconds (if track_io_timing is enabled, otherwise zero) | 
| blk_write_time | float8 | Time spent writing database blocks by vacuum operations performed on this database, in milliseconds (if track_io_timing is enabled, otherwise zero) | 
| delay_time | float8 | Time spent sleeping in a vacuum delay point by vacuum operations performed on this database, in milliseconds (see Section 18.4.4 for details) | 
| system_time | float8 | System CPU time of vacuuming this database, in milliseconds | 
| user_time | float8 | User CPU time of vacuuming this database, in milliseconds | 
| total_time | float8 | Total time of vacuuming this database, in milliseconds | 
| interrupts | int4 | Number of times vacuum operations performed on this database were interrupted on any errors | 
G.2.4.7. The pgpro_stats_vacuum_tables View #
Important
 Starting with Postgres Pro 16, this view contains no data because the statistics to be displayed are available through the catalog view pg_stats_vacuum_tables (see System Views for details). 
 The pgpro_stats_vacuum_tables view will contain one row for each table in the current database (including TOAST tables), showing statistics about vacuuming that specific table. These statistics are collected by the core system as explained in Section 26.2. The table below describes the columns of the view. 
Table G.78. pgpro_stats_vacuum_tables Columns
| Column | Type | Description | 
|---|---|---|
| relid | oid | OID of a table | 
| schema | name | Name of the schema this table is in | 
| relname | name | Name of this table | 
| total_blks_read | int8 | Number of database blocks read by vacuum operations performed on this table | 
| total_blks_hit | int8 | Number of times database blocks were found in the buffer cache by vacuum operations performed on this table | 
| total_blks_dirtied | int8 | Number of database blocks dirtied by vacuum operations performed on this table | 
| total_blks_written | int8 | Number of database blocks written by vacuum operations performed on this table | 
| rel_blks_read | int8 | Number of blocks vacuum operations read from this table | 
| rel_blks_hit | int8 | Number of times blocks of this table were already found in the buffer cache by vacuum operations, so that a read was not necessary (this only includes hits in the Postgres Pro buffer cache, not the operating system's file system cache) | 
| pages_scanned | int8 | Number of pages examined by vacuum operations performed on this table | 
| pages_removed | int8 | Number of pages removed from the physical storage by vacuum operations performed on this table | 
| pages_frozen | int8 | Number of times vacuum operations marked pages of this table as all-frozen in the visibility map | 
| pages_all_visible | int8 | Number of times vacuum operations marked pages of this table as all-visible in the visibility map | 
| tuples_deleted | int8 | Number of dead tuples vacuum operations deleted from this table | 
| tuples_frozen | int8 | Number of tuples of this table that vacuum operations marked as frozen | 
| dead_tuples | int8 | Number of dead tuples vacuum operations left in this table due to their visibility in transactions | 
| index_vacuum_count | int8 | Number of times indexes on this table were vacuumed | 
| rev_all_frozen_pages | int8 | Number of times the all-frozen mark in the visibility map was removed for pages of this table | 
| rev_all_visible_pages | int8 | Number of times the all-visible mark in the visibility map was removed for pages of this table | 
| wal_records | int8 | Total number of WAL records generated by vacuum operations performed on this table | 
| wal_fpi | int8 | Total number of WAL full page images generated by vacuum operations performed on this table | 
| wal_bytes | numeric | Total amount of WAL bytes generated by vacuum operations performed on this table | 
| blk_read_time | float8 | Time spent reading database blocks by vacuum operations performed on this table, in milliseconds (if track_io_timing is enabled, otherwise zero) | 
| blk_write_time | float8 | Time spent writing database blocks by vacuum operations performed on this table, in milliseconds (if track_io_timing is enabled, otherwise zero) | 
| delay_time | float8 | Time spent sleeping in a vacuum delay point by vacuum operations performed on this table, in milliseconds (see Section 18.4.4 for details) | 
| system_time | float8 | System CPU time of vacuuming this table, in milliseconds | 
| user_time | float8 | User CPU time of vacuuming this table, in milliseconds | 
| total_time | float8 | Total time of vacuuming this table, in milliseconds | 
| interrupts | integer | Number of times vacuum operations performed on this table were interrupted on any errors | 
Columns total_*, wal_* and blk_* include data on vacuuming indexes on this table, while columns system_time and user_time only include data on vacuuming the heap.
G.2.4.8. The pgpro_stats_vacuum_indexes View #
Important
 Starting with Postgres Pro 16, this view contains no data because the statistics to be displayed are available through the catalog view pg_stats_vacuum_indexes (see System Views for details). 
 The pgpro_stats_vacuum_indexes view will contain one row for each index in the current database (including TOAST table indexes), showing statistics about vacuuming that specific index. These statistics are collected by the core system as explained in Section 26.2. The table below describes the columns of the view. 
Table G.79. pgpro_stats_vacuum_indexes Columns
| Column | Type | Description | 
|---|---|---|
| relid | oid | OID of an index | 
| schema | name | Name of the schema this index is in | 
| relname | name | Name of this index | 
| total_blks_read | int8 | Number of database blocks read by vacuum operations performed on this index | 
| total_blks_hit | int8 | Number of times database blocks were found in the buffer cache by vacuum operations performed on this index | 
| total_blks_dirtied | int8 | Number of database blocks dirtied by vacuum operations performed on this index | 
| total_blks_written | int8 | Number of database blocks written by vacuum operations performed on this index | 
| rel_blks_read | int8 | Number of blocks vacuum operations read from this index | 
| rel_blks_hit | int8 | Number of times blocks of this index were already found in the buffer cache by vacuum operations, so that a read was not necessary (this only includes hits in the Postgres Pro buffer cache, not the operating system's file system cache) | 
| pages_deleted | int8 | Number of pages deleted by vacuum operations performed on this index | 
| tuples_deleted | int8 | Number of dead tuples vacuum operations deleted from this index | 
| wal_records | int8 | Total number of WAL records generated by vacuum operations performed on this index | 
| wal_fpi | int8 | Total number of WAL full page images generated by vacuum operations performed on this index | 
| wal_bytes | numeric | Total amount of WAL bytes generated by vacuum operations performed on this index | 
| blk_read_time | float8 | Time spent reading database blocks by vacuum operations performed on this index, in milliseconds (if track_io_timing is enabled, otherwise zero) | 
| blk_write_time | float8 | Time spent writing database blocks by vacuum operations performed on this index, in milliseconds (if track_io_timing is enabled, otherwise zero) | 
| delay_time | float8 | Time spent sleeping in a vacuum delay point by vacuum operations performed on this index, in milliseconds (see Section 18.4.4 for details) | 
| system_time | float8 | System CPU time of vacuuming this index, in milliseconds | 
| user_time | float8 | User CPU time of vacuuming this index, in milliseconds | 
| total_time | float8 | Total time of vacuuming this index, in milliseconds | 
| interrupts | integer | Number of times vacuum operations performed on this index were interrupted on any errors | 
G.2.5. Data Types #
G.2.5.1. The pgpro_stats_rusage Type #
pgpro_stats_rusage is a record type that contains resource usage statistics of statement planning/execution. The fields of this type are shown in Table G.80. 
Table G.80. pgpro_stats_rusage Fields
| Name | Type | Description | 
|---|---|---|
| reads | bigint | Number of bytes read by the filesystem layer | 
| writes | bigint | Number of bytes written by the filesystem layer | 
| user_time | double precision | User CPU time used | 
| system_time | double precision | System CPU time used | 
| minflts | bigint | Number of page reclaims (soft page faults) | 
| majflts | bigint | Number of page faults (hard page faults) | 
| nswaps | bigint | Number of swaps | 
| msgsnds | bigint | Number of IPC messages sent | 
| msgrcvs | bigint | Number of IPC messages received | 
| nsignals | bigint | Number of signals received | 
| nvcsws | bigint | Number of voluntary context switches | 
| nivcsws | bigint | Number of involuntary context switches | 
G.2.6. Functions #
-  pgpro_stats_statements_reset(userid Oid, dbid Oid, queryid bigint, planid bigint, minmax_only boolean) returns timestamp with time zone
- pgpro_stats_statements_resetdiscards statistics gathered so far by- pgpro_statscorresponding to the specified- userid,- dbid,- queryid, and- planid. If any of the parameters are not specified, the default value- 0(invalid) is used for each of them and the statistics that match with other parameters will be reset. If no parameter is specified or all the specified parameters are- 0(invalid), it will discard all statistics. If all statistics in the- pgpro_stats_statementsview are discarded, it will also reset the statistics in the- pgpro_stats_infoview. When- minmax_onlyis- trueonly the values of minimum and maximum planning and execution time will be reset (i.e.- min_plan_time,- max_plan_time,- min_exec_timeand- max_exec_timefields). The default value for- minmax_onlyparameter is- false. Time of last min/max reset performed is shown in- minmax_stats_sincefield of the- pgpro_stats_statementsview. This function returns the time of a reset. This time is saved to- stats_resetfield of- pgpro_stats_infoview or to- minmax_stats_sincefield of the- pgpro_stats_statementsview if the corresponding reset was actually performed. By default, this function can only be executed by superusers. Access may be granted to others using- GRANT.- Note- As statistics in the - pgpro_stats_vacuum_database,- pgpro_stats_vacuum_tables, and- pgpro_stats_vacuum_indexesviews are collected by the core system, to reset them, call the- pg_stat_reset()function (see Section 26.2.26 for details).
-  pgpro_stats_statements(showtext boolean) returns setof record
- The - pgpro_stats_statementsview is defined in terms of a function also named- pgpro_stats_statements. Users can also call the- pgpro_stats_statementsfunction directly, and by specifying- showtext := falsemake query text be omitted (that is, the- OUTargument that corresponds to the view's- querycolumn will return nulls). This feature is intended to support external tools that might wish to avoid the overhead of repeatedly retrieving query texts of indeterminate length. Such tools can instead cache the first query text observed for each entry themselves, since that is all- pgpro_statsitself does, and then retrieve query texts only as needed. Since the server stores query texts in a file, this approach may reduce physical I/O for repeated examination of the- pgpro_stats_statementsdata.
-  pgpro_stats_info() returns record
- pgpro_stats_infoview is defined in terms of a function also named- pgpro_stats_info. Users can also call the- pgpro_stats_infofunction directly.
-  pgpro_stats_totals_reset(type text, id bigint) returns timestamp with timezone
- pgpro_stats_totals_resetdiscards statistics gathered so far by- pgpro_statscorresponding to the specified object- typeand- id. If no parameter is specified or the- typeparameter is set to- 0, all statistics will be discarded. If- typeis set to a valid object type, then if- idis specified, then statistics will be discarded only for the specified object, else, statistics will be discarded for all objects of the specified type. Otherwise, no statistics will be discarded. This function returns the time of a reset. By default, this function can only be executed by superusers. Access may be granted to others using- GRANT.
-  pgpro_stats_totals() returns setof record
- The - pgpro_stats_totalsview is defined in terms of a function also named- pgpro_stats_totals. Users can also call the- pgpro_stats_totalsfunction directly.
-  pgpro_stats_metrics() returns setof record
- Defines the - pgpro_stats_metricsview, which is described in detail in Table G.75.
-  pgpro_stats_get_archiver() returns setof record
- Defines the - pgpro_stats_archiverview, which is described in detail in Table G.76.
-  pgpro_stats_wal_sender_crc_errors() returns bigint
- In Postgres Pro Enterprise, returns the number of errors detected by the WAL sender process when the - wal_sender_check_crcparameter is- on. In Postgres Pro Standard, returns zero. Note that this counter is reset to zero when the cluster restarts.
-  pgpro_stats_vacuum_database(dboid oid) returns setof record
- Defines the row of the - pgpro_stats_vacuum_databaseview, which is described in detail in Table G.77, for the database specified by- dboid.
-  pgpro_stats_vacuum_tables(dboid oid, relid oid) returns setof record
- Defines the row of the - pgpro_stats_vacuum_tablesview, which is described in detail in Table G.78, for the database specified by- dboidand table specified by- reloid. If- reloid= 0, the statistics for each table in the specified database are returned.
-  pgpro_stats_vacuum_indexes(dboid oid, relid oid) returns setof record
- Defines the row of the - pgpro_stats_vacuum_indexesview, which is described in detail in Table G.79, for the database specified by- dboidand index specified by- reloid. If- reloid= 0, the statistics for each index in the specified database are returned.
G.2.6.1. Functions for Creating Views that Emulate Other Extensions #
pgpro_stats can create views similar to those available in pg_stat_statements and pg_stat_kcache extensions. Specifically, pg_stat_statements, pg_stat_statements_info, pg_stat_kcache and pg_stat_kcache_detail views can be created. Each view is only created in a Postgres Pro version if it is available in pg_stat_statements/pg_stat_kcache extension for the same version of Postgres Pro/PostgreSQL. For example, the pg_stat_statements_info view is only created in Postgres Pro versions starting with 14. The following functions enable creating these views: 
 By default, these functions can only be executed by superusers. Access may be granted to others using GRANT. 
 To create pg_stat_statements* views, drop the pg_stat_statements extension if it was previously installed and call the function: 
select pgpro_stats_create_pg_stat_statements_compatible_views();
 To create pg_stat_kcache* views, drop the pg_stat_kcache extension if it was previously installed and call the function: 
select pgpro_stats_create_pg_stat_kcache_compatible_views();
Once the views are created, you can work with them as if the pg_stat_statements/pg_stat_kcache extension is installed.
If you need to remove the views created earlier, do it in a regular way:
drop view pg_stat_statements; drop view pg_stat_statements_info; drop view pg_stat_kcache; drop view pg_stat_kcache_detail;
G.2.7. Configuration Parameters #
G.2.7.1. General Settings #
-  pgpro_stats.max(integer) #
- pgpro_stats only collects statistics about most frequent queries. The less frequently a query appears during the server opertaion, the less probable its inclusion in the statistics. Rare queries are almost immediately evicted from the statistics by more frequent queries. The - pgpro_stats.maxparameter defines the maximum number of unique pairs (normalized query text, normalized plan text) tracked by the module, (i.e., the maximum number of rows in the- pgpro_stats_statementsview). The larger this value, the larger the number of queries for which the information is stored. But this is achieved at the cost of reduced server performance when waiting for locks trying to access the statistics table in the shared memory and when periodically collecting garbage in the file with texts of queries and plans. The default value is 5000. This parameter can only be set at server start.
-  pgpro_stats.max_totals(integer) #
- pgpro_stats.max_totalsis the maximum number of objects tracked by the module (i.e., the maximum number of rows in the- pgpro_stats_totalsview). If more distinct objects than that are observed, information about least-used objects is discarded. The default value is 1000. This parameter can only be set at server start.
-  pgpro_stats.track(enum) #
- pgpro_stats.trackcontrols which statements are counted by the module. Specify- topto track top-level statements (those issued directly by clients),- allto also track nested statements (such as statements invoked within functions) with nesting level not greater than 100, or- noneto disable statement statistics collection. The default value is- top. Only superusers can change this setting.
-  pgpro_stats.track_utility(boolean) #
- pgpro_stats.track_utilitycontrols whether utility commands are tracked by the module. Utility commands are all those other than- SELECT,- INSERT,- UPDATEand- DELETE. The default value is- on. Only superusers can change this setting.
-  pgpro_stats.track_planning(boolean) #
- pgpro_stats.track_planningcontrols whether planning operations and duration are tracked by the module. Enabling this parameter may incur a noticeable performance penalty, especially when statements with identical query structure are executed by many concurrent connections which compete to update a small number of- pgpro_stats_statementsentries. The default value is- off. Only superusers can change this setting.
-  pgpro_stats.track_totals(boolean) #
- pgpro_stats.track_totalscontrols whether aggregate statistics for objects (cluster, users, databases etc.) are tracked by the module. The default value is- on. Only superusers can change this setting.
-  pgpro_stats.track_cluster(boolean) #
- pgpro_stats.track_clustercontrols whether aggregate statistics for the cluster are tracked by the module. The default value is- on. Only superusers can change this setting.
-  pgpro_stats.track_databases(boolean) #
- pgpro_stats.track_databasescontrols whether aggregate statistics for the databases are tracked by the module. The default value is- on. Only superusers can change this setting.
-  pgpro_stats.track_users(boolean) #
- pgpro_stats.track_userscontrols whether aggregate statistics for the users are tracked by the module. The default value is- on. Only superusers can change this setting.
-  pgpro_stats.track_applications(boolean) #
- pgpro_stats.track_applicationscontrols whether aggregate statistics for the applications (whose names are set by application_name) are tracked by the module. The default value is- on. Only superusers can change this setting.
-  pgpro_stats.track_client_addr(boolean) #
- pgpro_stats.track_client_addrcontrols whether aggregate statistics for the client IP addresses are tracked by the module. The default value is- on. Only superusers can change this setting.
-  pgpro_stats.track_backends(boolean) #
- pgpro_stats.track_backendscontrols whether aggregate statistics for the backends are tracked by the module. The default value is- on. Only superusers can change this setting.
-  pgpro_stats.save(boolean) #
- pgpro_stats.savespecifies whether to save statement statistics across server shutdowns. If it is- offthen statistics are neither saved at shutdown nor reloaded at server start. The default value is- on. This parameter can only be set in the- postgresql.conffile or on the server command line.
-  pgpro_stats.plan_format(text) #
- pgpro_stats.plan_formatselects the- EXPLAINformat for the query plan. Possible values are- text,- xml,- json, and- yaml. The default value is- text. Changing this parameter requires a server restart.
-  pgpro_stats.enable_profile(boolean) #
- pgpro_stats.enable_profileenables sampling of wait events for separate statements. The default value is- true. Changing this parameter requires a server restart.
-  pgpro_stats.query_sample_rate(float) #
- As pgpro_stats only collects statistics about most frequent queries, and rare queries are not included in the statistics, you can reduce the effect of the statistics collection on the server performance. This is possible because some time later than the statistics collection starts, almost all the statistics collected by the module will contain queries that are not very infrequent, and the set of types of the collected queries will not further change much if the value of pgpro_stats.max is sufficient and the average frequency for most of the frequent queries has no significant changes with the periods larger than the observation time. Such a stationary distribution of collected queries can also be achieved by increasing the time of the statistics collection, for example, twice, but only adding each second query to the statistics instead of every query, or considering each query, but adding queries to the statistics randomly, with a given probability. In this example, it equals 0.5. This allows you to considerably reduce the server load at the cost of increasing the time of the statistics collection. - pgpro_stats.query_sample_rateis the parameter to implement this approach. For example: if- pgpro_stats.query_sample_rateis set to 0.2 (1/5), in five hours of the server operation under the above conditions, the statistics will be collected that is similar to the statistics collected with- pgpro_stats.query_sample_rate= 1 in an hour.- You can set up - pgpro_stats.query_sample_rateby experiment. Choose the observation time depending on the environment of the server operation, for example: one hour. Look at the collected statistics an hour after the start and then an hour later without resetting the statistics. If the main difference appears to be in the increased number of collected queries (- calls) rather than in the type of the queries, you can safely reduce- pgpro_stats.query_sample_ratetwice. In the case of a considerable difference in the types of the collected queries, increase the observtion time and/or the- pgpro_stats.maxparameter.- The default value is - 1.0. Changing this parameter requires a server restart.
-  pgpro_stats.profile_period(integer) #
- pgpro_stats.profile_periodspecifies the period, in milliseconds, during which to sample wait events. The default value is- 10. Only superusers can change this setting.
-  pgpro_stats.metrics_buffer_size(integer) #
- pgpro_stats.metrics_buffer_sizespecifies the size of the ring buffer used for collecting statistical metrics. The default value is- 16kB. Changing this parameter requires a server restart.
-  pgpro_stats.metrics_workers(integer) #
- pgpro_stats.metrics_workersspecifies the number of workers used to collect statistical metrics. If this parameter is set to 2 or higher, one of the workers serves as the primary worker distributing queries to other workers. If only one worker is available, it gets reloaded to connect to different databases. Setting this parameter to- 0disables metrics collection. The default value is- 2. Changing this parameter requires a server restart.
-  pgpro_stats.stats_temp_directory(string) #
- pgpro_stats.stats_temp_directoryspecifies the directory with the external file to store query texts. This can be a path relative to the data directory or an absolute path. Changing this parameter requires a server restart.
G.2.7.2. Metrics Settings #
 The following parameters can be used to define a custom metric to collect. The N placeholder in the parameter name serves as a unique identifier of the metric to which this setting should apply; it must be set to a non-negative integer for each metric. 
 When you add these parameters for a new metric, you have to restart the server for the changes to take effect. Once the new metric is added, its parameters can be changed without a server restart by simply reloading the postgresql.conf configuration file. 
-  pgpro_stats.metric_(N_nametext)
- The name of metric - N. This name will be displayed in the- metric_namecolumn of the- pgpro_stats_metricsview.
-  pgpro_stats.metric_(N_querytext)
- The query statement that defines the metric to collect. 
-  pgpro_stats.metric_(N_periodinteger)
- The time interval at which to collect metric - N, in milliseconds. Default: 60000 ms
-  pgpro_stats.metric_(N_dbtext)
- The list of databases for which to collect metric - N. Database names must be separated by commas. You can specify the- *character to select all databases in the cluster except the template databases. If you need to analyze the template databases as well, you have to specify them explicitly.
-  pgpro_stats.metric_(N_usertext)
- The name of the user on behalf of which to collect metric - N. This user must have access to the database for which the metric is collected.
G.2.8. Tracing of Application Sessions #
In pgpro_stats, tracing of application sessions is implemented. It is based on filters, which trigger logging the execution of queries that match filtering conditions. Queries and their EXPLAIN output are logged in so-called trace files specified by the user or in the system log file (if the trace file is not specified). Filters are stored in a table located in the shared memory. The rows of this table represent filters, and the columns contain filtering conditions and EXPLAIN options to be used (see EXPLAIN for details). You should fill this table with filters to start tracing of queries. 
Once a database administrator adds a filter in any session, all subsequent executions of queries that match the filter conditions will be traced by all sessions of the instance without a need in the server restart. In other words, filters can be added, deleted, or updated “on the fly”, and tracing with these filters immediately starts for existing and future sessions.
Note
Operations of adding, deleting, or updating filters are not transactional. Changes to the table of filters are not rolled back together with the transaction where these changes were made.
Columns of the table that stores filters are also called filter attributes. They are described in Table G.81.
Table G.81. Filter Attributes
| Name | Type | Description | 
|---|---|---|
| filter_id | integer | Unique filter ID, which is automatically assigned to a filter when it is created, numbered from 1. | 
| active | boolean | With the value of false, the filter is not active, which means that queries matching this filter are not logged. Default:true. | 
| alias | name | Filter name, which can be specified for convenience. Only shown in the output of the pgpro_stats_trace_show()function. Default: empty string. | 
| tracefile | name | Name of the trace file, where queries matching the filter and their EXPLAINoutput are logged. If this filename if not specified, logging is done to the system log with the log level specified by pgpro_stats.trace_log_level. Trace files are created indirectory and havetraceextension. | 
| pid | integer | Process ID of the backend that executes the statement | 
| database_name | name | Name of the database where the statement is executed | 
| client_addr | name | IP address of the client connected to this backend | 
| application_name | name | Name of the application that invoked execution of the statement | 
| username | name | Name of the user who executes the statement | 
| queryid | bigint | Internal hash code, computed from the statement's parse tree | 
| planid | bigint | Internal hash code, computed from the statement's plan tree | 
| duration | float8 | Time spent in the planning and execution of the statement, in milliseconds | 
| plan_time | float8 | Time spent in the planning of the statement, in milliseconds | 
| exec_time | float8 | Time spent in the execution of the statement, in milliseconds | 
| user_time | float8 | User CPU time used in planning and execution of the statement | 
| system_time | float8 | System CPU time used in planning and execution of the statement | 
| rows | int8 | Total number of rows retrieved or affected by the statement | 
| shared_blks_hit | int8 | Total number of shared block cache hits by the statement | 
| shared_blks_read | int8 | Total number of shared blocks read by the statement | 
| shared_blks_fetched | int8 | Total number of shared blocks fetched from buffers by the statement | 
| shared_blks_dirtied | int8 | Total number of shared blocks dirtied by the statement | 
| shared_blks_written | int8 | Total number of shared blocks written by the statement | 
| local_blks_hit | int8 | Total number of local block cache hits by the statement | 
| local_blks_read | int8 | Total number of local blocks read by the statement | 
| local_blks_fetched | int8 | Total number of local blocks fetched from buffers by the statement | 
| local_blks_dirtied | int8 | Total number of local blocks dirtied by the statement | 
| local_blks_written | int8 | Total number of local blocks written by the statement | 
| temp_blks_read | int8 | Total number of temp blocks read by the statement | 
| temp_blks_written | int8 | Total number of temp blocks written by the statement | 
| wal_bytes | numeric | Total amount of WAL bytes generated by the statement | 
| total_wait_time | float8 | Total time execution of this statement spent waiting | 
| total_inval_msgs | bigint | Total number of cache invalidation messages generated by the statement (if this is supported by the server) | 
| explain_analyze | boolean | If true, the EXPLAINoutput will be logged with theANALYZEoption. By default, defined by the pgpro_stats.explain_analyze_default configuration parameter. | 
| explain_verbose | boolean | If true, the EXPLAINoutput will be logged with theVERBOSEoption. By default, defined by the pgpro_stats.explain_verbose_default configuration parameter. | 
| explain_costs | boolean | If true, the EXPLAINoutput will be logged with theCOSTSoption. By default, defined by the pgpro_stats.explain_costs_default configuration parameter. | 
| explain_settings | boolean | If true, the EXPLAINoutput will be logged with theSETTINGSoption. By default, defined by the pgpro_stats.explain_settings_default configuration parameter. | 
| explain_buffers | boolean | If true, the EXPLAINoutput will be logged with theBUFFERSoption. By default, defined by the pgpro_stats.explain_buffers_default configuration parameter. | 
| explain_wal | boolean | If true, the EXPLAINoutput will be logged with theWALoption. By default, defined by the pgpro_stats.explain_wal_default configuration parameter. | 
| explain_timing | boolean | If true, the EXPLAINoutput will be logged with theTIMINGoption. By default, defined by the pgpro_stats.explain_timing_default configuration parameter. | 
| explain_format | text | The value of the FORMAToption ofEXPLAINto be logged, which can be TEXT, XML, JSON, or YAML. By default, defined by the pgpro_stats.plan_format configuration parameter. | 
| time_info | boolean | If true, includes additional information in the session-tracing output in the format defined by explain_format:pid,durationin milliseconds,start time— start time of the query execution, andstop time— end time of the query execution. See Example G.2 for details. | 
Filter attributes can be divided into the following groups:
- Control attributes, from - filter_idto- tracefilein Table G.81.
- Identification attributes, from - pidto- planidin Table G.81.
- Threshold attributes, from - durationto- total_inval_msgsin Table G.81.
- Attributes that only control the output to the trace file or system log file and do not affect filtering. Most of them specify the - EXPLAINoptions. These are the attributes starting with- explain_analyzeup to the end of Table G.81.
Query execution will be traced if both of these conditions are met:
- For all the specified identification attributes of the filter, the values of the respective characteristics of the query are the same as the values of these attributes. 
- For all the specified threshold attributes of the filter, the values of the respective characteristics of the query are greater than or equal to the limits specified in these attributes. 
 It is allowed not to assign values to attributes. For all the attributes except active, you can also explicitly assign the value of NULL. If the value of a control attribute is undefined or it was expclicitly set to NULL, this attribute will be assigned the default value shown in Table G.81. For identification and threshold attributes, undefined or NULL values mean that queries will not be filtered by the respective characteristic. If no values are defined for all identification and all threshold attributes, all the queries are taken to be matching this filter and will be logged. If the attributes specifying EXPLAIN options are undefined, the default values defined by the configuration parameters will be used (see Section G.2.8.2 for details). 
Warning
Although when specifying a filter, you can assign values to any combination of filter attributes, bear in mind that a too general filter will lead to an excessive size of the trace file and will affect the performance more than desired as the main performance overhead is associated with writing to the trace file rather than with checking the filter conditions.
G.2.8.1. Session-Tracing Functions #
Specialized functions enable creation, update and deletion of query filters:
-  pgpro_stats_trace_insert(VARIADIC "any") returns integer
- Adds a filter to the list of session-tracing filters. A filter must be passed as a sequence of alternating key-value pairs, where the key is the name of the filter attribute from Table G.81 except - filter_id. For example:- pgpro_stats_trace_insert('pid', 42, 'database_name', 'main', 'explain_analyze', true)- Key-value pairs are position-independent: they can be provided in any order, independently of the order of attributes in Table G.81. Some of the attributes can be missing from the sequence. Such attributes will be assigned the default values. Returns the unique - filter_id, which the function assigns to the added filter.
-  pgpro_stats_trace_update(filter_id integer, VARIADIC "any") returns boolean
- Updates a session-tracing filter defined by - filter_id. Filter attributes to update must be passed as a sequence of alternating key-value pairs, where the key is the name of the filter attribute from Table G.81 except- filter_id. Key-value pairs are position-independent: they can be provided in any order, independently of the order of attributes in Table G.81. Filter attributes whose values are not explicitly specified will not be changed. The value of NULL for identification and threshold attributes resets the values of these attributes, which means that a query will match the conditions of the updated filter regardless of the respective characteristics. Returns- trueon success and- falseotherwise.
-  pgpro_stats_trace_delete(filter_id integer) returns boolean
- Deletes a session-tracing filter defined by - filter_id. Returns- trueon success and- falseotherwise.
-  pgpro_stats_trace_reset() returns integer
- Removes all session-tracing filters. Returns the number of removed filters. By default, this function can only be executed by superusers. Access may be granted to others using - GRANT.
-  pgpro_stats_trace_show() returns setof record
- Displays the contents of the table of filters, whose columns are shown in Table G.81. 
G.2.8.2. Session-Tracing Configuration Parameters #
 The following parameters can be used to configure session-tracing logging. Note that pgpro_stats.explain_*_default settings define the logging behavior when the corresponding explain_* filter attributes (from Table G.81) are not specified or explicitly set to NULL. 
-  pgpro_stats.explain_analyze_default(boolean) #
- If - true, the- EXPLAINoutput will be logged with the- ANALYZEoption and without it if- false. The default value is- false. Only superusers can change this setting.
-  pgpro_stats.explain_verbose_default(boolean) #
- If - true, the- EXPLAINoutput will be logged with the- VERBOSEoption and without it if- false. The default value is- false. Only superusers can change this setting.
-  pgpro_stats.explain_costs_default(boolean) #
- If - true, the- EXPLAINoutput will be logged with the- COSTSoption and without it if- false. The default value is- true. Only superusers can change this setting.
-  pgpro_stats.explain_settings_default(boolean) #
- If - true, the- EXPLAINoutput will be logged with the- SETTINGSoption and without it if- false. The default value is- false. Only superusers can change this setting.
-  pgpro_stats.explain_buffers_default(boolean) #
- If - true, the- EXPLAINoutput will be logged with the- BUFFERSoption and without it if- false. The default value is- false. Only superusers can change this setting.
-  pgpro_stats.explain_wal_default(boolean) #
- If - true, the- EXPLAINoutput will be logged with the- WALoption and without it if- false. The default value is- false. Only superusers can change this setting.
-  pgpro_stats.explain_timing_default(boolean) #
- If - true, the- EXPLAINoutput will be logged with the- TIMINGoption and without it if- false. The default value is- true. Only superusers can change this setting.
-  pgpro_stats.trace_log_level(enum) #
- Defines the log level at which the - EXPLAINoutput will be logged to the system log file (when the trace file is not specified). Valid values are- DEBUG5,- DEBUG4,- DEBUG3,- DEBUG2,- DEBUG1,- INFO,- NOTICE,- WARNING, and- LOG. The default value is- LOG.
-  pgpro_stats.trace_query_text_size(int) #
- Defines the maximum size of query texts in the session-tracing output, in kilobytes. If the size of the query text in kilobytes is larger, it is trimmed to the maximum size. If this parameter is not specified, the default value of zero is used, which means that the whole query texts are output. 
G.2.8.3. Examples Related to Session Tracing #
Example G.1. Usage of Session-Tracing Functions
 Let's add the filter first: 
SELECT pgpro_stats_trace_insert('alias', 'first', 'pid', pg_backend_pid(), 'explain_analyze', true);
 Let's add the filter second and specify logging to the trace file second_tf.trace: 
SELECT pgpro_stats_trace_insert('alias', 'second', 'database_name', current_database(), 'explain_costs', false, 'tracefile', 'second_tf');
You can view the table with filters as follows:
\x auto SELECT * from pgpro_stats_trace_show();
-[ RECORD 1 ]-------+---------- filter_id | 1 active | t alias | first tracefile | pid | 243183 database_name | client_addr | application_name | username | queryid | planid | duration | plan_time | exec_time | user_time | system_time | rows | shared_blks_hit | shared_blks_read | shared_blks_fetched | shared_blks_dirtied | shared_blks_written | local_blks_hit | local_blks_read | local_blks_fetched | local_blks_dirtied | local_blks_written | temp_blks_read | temp_blks_written | wal_bytes | total_wait_time | total_inval_msgs | explain_analyze | t explain_verbose | f explain_costs | t explain_settings | f explain_buffers | f explain_wal | f explain_timing | t explain_format | text time_info | f -[ RECORD 2 ]-------+---------- filter_id | 2 active | t alias | second tracefile | second_tf pid | database_name | postgres client_addr | application_name | username | queryid | planid | duration | plan_time | exec_time | user_time | system_time | rows | shared_blks_hit | shared_blks_read | shared_blks_fetched | shared_blks_dirtied | shared_blks_written | local_blks_hit | local_blks_read | local_blks_fetched | local_blks_dirtied | local_blks_written | temp_blks_read | temp_blks_written | wal_bytes | total_wait_time | total_inval_msgs | explain_analyze | f explain_verbose | f explain_costs | f explain_settings | f explain_buffers | f explain_wal | f explain_timing | f explain_format | text time_info | f
The following query matches the conditions of both filters, so it must be logged in the system log file and in the specified trace file:
SELECT 1 as result;
The following is the output to the system log file:
2023-04-18 04:52:53.242 MSK [63112] LOG: Filter 1 triggered explain of the plan: Query Text: SELECT 1 as result; Result (cost=0.00..0.01 rows=1 width=4) (actual time=0.003..0.003 rows=1 loops=1)
 And the following is the output to the second_tf.trace trace file: 
Query Text: SELECT 1 as result; Result
Let's delete the first filter:
SELECT pgpro_stats_trace_delete(1);
 Let's also change pid to 2 for the second filter 
SELECT pgpro_stats_trace_update(2, 'pid', 2);
When you execute the query
SELECT 2 as result;
 it does not get logged to second_tf.trace. 
Now let's remove all filters from the table:
SELECT pgpro_stats_trace_reset();
Example G.2. Session-Tracing Output with time_info = true
The following is an example of the session-tracing output in the JSON format when time_info = true: 
  {
    "Pid": 123456,
    "Duration ms": 0.094691,
    "Start time": "2025-01-12 15:39:27.580447+03",
    "Stop time": "2025-01-12 15:39:27.587802+03",
    "Query Text": "SELECT 2 AS Result;",
    "Plan": {
      "Node Type": "Result",
      "Parallel Aware": false,
      "Async Capable": false,
      "Startup Cost": 0.00,
      "Total Cost": 0.01,
      "Plan Rows": 1,
      "Plan Width": 4
    }
  }
G.2.9. Cache Invalidation Metrics #
Among the rest, pgpro_stats can collect cache invalidation statistics. This section provides some background information needed to better understand related metrics.
Each backend has its local cache, which allows you to minimize accesses for meta information on tables, for example, to the system catalogs. If a backend changes the meta information, this information must be updated in other backends' caches. This is implemented by sending invalidation messages through a queue: the backend that changed the meta information on some object sends an appropriate message to the queue.
All backends get invalidation messages from the queue. Depending on whether the object for which the invalidation message was received is cached, the backend either ignores the message (when the object is not cached) or updates its cache (when the object is cached). In pgpro_stats, most invalidation message counters, unless explicitly stated otherwise for certain counters, are incremented when backends just generate messages, which will only be sent to the queue upon commit of the appropriate transaction. Note that the counters will remain incremented if the transaction is rolled back, although the message will not be sent to the queue.
When a backend that is adding messages to the queue figures out that the queue size reached a certain limit, it starts a cleanup by deleting messages already processed by all backends, and if backends are found that heavily fall behind and thus delay the cleanup, they get a reset signal, which forces them to reset all their caches.
G.2.9.1. The pgpro_stats_inval_status View #
 The pgpro_stats_inval_status view shows one row with the current status of the cache invalidation global queue. The columns of the view are shown in Table G.82. 
Table G.82. pgpro_stats_inval_status Columns
| Name | Type | Description | 
|---|---|---|
| num_inval_messages | int8 | Current number of invalidation messages in the queue | 
| num_inval_queue_cleanups | int8 | Number of invalidation queue cleanups done to prevent its overflow | 
| num_inval_queue_resets | int4 | Number of cache resets for backends that fail to process messages fast enough | 
 In a working system, num_inval_messages usually approximately equals 4000, which means that the queue is pretty full. The speed of the num_inval_queue_cleanups growth is determined by how fast invalidation messages are generated. Growth of num_inval_queue_resets is normally zero, and non-zero growth indicates either too fast generation of messages or delays in processing messages by backends. Monitoring num_inval_queue_cleanups and num_inval_queue_resets may in some cases allow you to detect problematic backend/backeds as described below. 
 If for a certain time interval, num_inval_queue_cleanups considerably increased, while num_inval_queue_resets did not, this indicates that invalidation messages are generated faster and/or backends process them more slowly, but backends still manage to process messages before the queue overflows. 
 If for a time interval, num_inval_queue_cleanups did not considerably increase, while num_inval_queue_resets did, this definitely indicates a delay in processing messages by backend(s), and the cache_resets column of the pgpro_stats_totals view allows you to figure out which backend(s) to blame. 
 If for a time interval, both counters considerably increased, this also indicates that invalidation messages are generated faster and/or backends process them more slowly, but this time backends fail to process messages before the queue overflows. The cache_resets column of the pgpro_stats_totals view allows you detect which backend(s) delay message processing. In this case, it is not possible to definitely conclude whether too fast generation of messages or a delay in message processing accounts for the growth of num_inval_queue_resets. However, the totals counter of the pgpro_stats_inval_msgs view may help here. If the change of this counter for that interval is pretty the same as for a previous interval of the same length, you can definitely conclude that the growth is caused by backend delays. 
 The pgpro_stats_inval_status view can be defined in terms of a function: 
-  pgpro_stats_inval_status() returns record
- Defines the - pgpro_stats_inval_statusview, which is described in detail in Table G.82.
G.2.9.2. The pgpro_stats_inval_msgs Type #
 The pgpro_stats_statements and pgpro_stats_totals views for each corresponding object, show a record of the pgpro_stats_inval_msgs record type containing counters for cache invalidation messages. The fields of the type are shown in Table G.83. 
Table G.83. pgpro_stats_inval_msgs Fields
| Name | Type | Description | 
|---|---|---|
| total | bigint | Total number of invalidation messages | 
| catcache | bigint | Number of selective catalog cache invalidation messages | 
| catalog | bigint | Number of whole catalog cache invalidation messages | 
| relcache | bigint | Number of selective relation cache invalidation messages | 
| relcache_all | bigint | Number of whole relation cache invalidation messages | 
| smgr | bigint | Number of invalidation messages of open relation files. Gets incremented when the messages are sent to the queue. | 
| relmap | bigint | Number of relation map cache invalidation messages. Gets incremented when the messages are sent to the queue. | 
| snapshot | bigint | Number of catalog snapshot invalidation messages | 
G.2.10. Authors #
Postgres Professional, Moscow, Russia