Skip to main content
Automated column statistics (ACS) is a feature that enables Firebolt’s query planner to leverage existing aggregating indexes to obtain statistical information about columns, leading to better query planning and improved performance. This feature provides a selection of statistics automatically from aggregating indexes, without requiring manual computation. For example, it provides distinct count statistics (also known as ndistinct or number of distinct values (NDV) statistics).

Overview

With automated column statistics enabled, the query planner can automatically extract and utilize statistical information from aggregating indexes to make more informed decisions during query optimization. This results in:
  • Better query plans - The planner can choose more optimal join orders, aggregation strategies, and execution paths
  • Improved performance - Statistical information helps estimate cardinalities more accurately
  • Minimal impact on query planning times - Statistics are cached in memory for fast access to reduce impact on query planning times to a minimum (usually only a few microseconds)
Statistics are refreshed under transactional consistency, so they are consistent with the underlying data at all times.

Configuration

Automated column statistics is controlled by the boolean query-level setting enable_automated_column_statistics. Default value: false (opt-in feature)
-- Enable automated column statistics for the current session
SET enable_automated_column_statistics = true;

How it works

Statistical Information Extraction

When enable_automated_column_statistics is enabled, the query planner:
  1. Identifies relevant aggregating indexes - Scans for aggregating indexes on tables referenced in the query that provide statistical information
  2. Extracts statistics - Reads the precomputed statistics from the aggregating indexes into the in-memory cache
  3. Caches statistics in memory - Caches the extracted statistics in memory for fast subsequent access (within microseconds)
  4. Serves statistics to query planning – Statistics stored in the in-memory cache are served to the query planner, so it can make more informed decisions
  5. Maintains consistency - Automatically refreshes cached statistics when the underlying data changes

Performance Characteristics

  • Initial read: Reading statistics from aggregating indexes typically takes tens of milliseconds
  • Cached access: Subsequent queries access cached statistics within microseconds
  • Automatic refresh: Cache is invalidated and refreshed after DML operations on the origin table (the table that the aggregating index is defined on)

Example Usage

Consider two tables with columns that are frequently used for grouping, filtering, or joining:
CREATE TABLE employees
(
    name TEXT,
    date_of_birth DATE,
    gender TEXT,
    title TEXT,
    salary REAL,
    dept_id INT
);

CREATE TABLE departments
(
    dept_id INT,
    dept_name TEXT,
    location TEXT,
    budget REAL,
    manager_id INT
);

Creating an Aggregating Index for Statistics

To enable automated column statistics collection for relevant columns, create an aggregating index:
CREATE AGGREGATING INDEX employees_statistics
ON employees
(
    APPROX_COUNT_DISTINCT(gender),      -- for filtering by gender
    APPROX_COUNT_DISTINCT(title),       -- for filtering by title
    APPROX_COUNT_DISTINCT(dept_id)      -- for joining on department id
);

CREATE AGGREGATING INDEX departments_statistics
ON departments
(
    APPROX_COUNT_DISTINCT(dept_id),     -- for joining on department id
    APPROX_COUNT_DISTINCT(dept_name),   -- for grouping by department name
    APPROX_COUNT_DISTINCT(location)     -- for filtering by location
);

Using Automated Column Statistics

Let’s run a query with the aggregating index in place and the feature enabled.
-- Enable the feature
SET enable_automated_column_statistics = true;

-- Example query
SELECT
    d.dept_name,
    e.gender,
    COUNT(*) as employee_count,
    AVG(e.salary) as avg_salary
FROM employees e
JOIN departments d ON e.dept_id = d.dept_id
WHERE d.location = 'New York'
  AND e.title = 'Senior Developer'
GROUP BY d.dept_name, e.gender
ORDER BY employee_count DESC;
We can observe that the logical profiles contain distinct counts for departments.dept_name, departments.location, employees.gender, employees.title, and employees.dept_id. These statistics help with further estimation. Here are some key observations:
  • The filter [6] [Filter] (employees.title = 'Senior Developer') is estimated to produce 6 rows because ACS provides an appropriate distinct count of 27 for employees.title. This estimation can be far off if data is skewed, but it often improves significantly over default estimations.
  • The filter [9] [Filter] (departments.location = 'New York') is estimated to produce only 3 rows because ACS provides an appropriate distinct count of 3 for departments.location. This estimation can be far off if data is skewed, but it often improves significantly over default estimations.
  • The join [4] [Join] Mode: Inner [(employees.dept_id = departments.dept_id)] is estimated to produce 5 rows. The query planner is able to infer from the distinct count statistics on departments.dept_id that this column is unique (and likely a primary key). Consequently, the join cannot produce more rows than are coming from the foreign key side. Because some rows from departments have been filtered out, the planner cannot guarantee that every row from the foreign key side will find a join partner and be produced. It performs a conservative estimation that one row will not be produced and the other 5 rows will be produced.
  • The aggregation [2] [Aggregate] GroupBy: [employees.gender, departments.dept_name] Aggregates: [count_0: count(*), avg2_0: avg2(employees.salary)] is estimated to produce 5 groups. While ACS suggests 2 distinct genders and 3 distinct department names, the product 2 * 3 = 6 is bounded by the expected row count of 5. Hence, the planner predicts 5 groups.

Current Limitations

Currently, automated column statistics supports only distinct count statistics (APPROX_COUNT_DISTINCT). We plan to extend ACS by:
  • Minimum and maximum value statistics for better range estimation
  • Additional aggregate statistics from aggregating indexes
The current implementation, which we consider the first milestone of the ACS feature, requires from the user manual index creation, meaning that users must manually create aggregating indexes with appropriate APPROX_COUNT_DISTINCT() functions. In the second milestone of ACS, we will enable users to define through DDL for which columns ACS should be provided. This allows for a more declarative style of leveraging ACS and unburdens users from manual index creation, design, and management. The syntax will be roughly
CREATE TABLE employees
(
    name TEXT,
    date_of_birth DATE,
    gender TEXT STATISTICS,
    title TEXT STATISTICS,
    salary REAL,
    dept_id INT STATISTICS
);

Best Practices

Index Design

  1. Identify key columns - Maintain statistics with aggregating indexes for columns frequently used in:
    • GROUP BY clauses
    • WHERE predicates
    • JOIN conditions
  2. Balance overhead - While aggregating indexes provide benefits, they also have maintenance overhead. Always measure the effect on query performance, data ingestion, and storage cost.

Query Optimization

  1. Enable selectively - Use enable_automated_column_statistics = true for queries that can benefit from better cardinality estimation
  2. Monitor performance - Compare query plans and execution times with and without the feature enabled
  3. Combine with other optimizations - Use alongside other Firebolt optimization features for maximum benefit

Monitoring and Troubleshooting

Inspecting Statistics Usage

Use EXPLAIN with the statistics option to see how automated column statistics affect query planning:
SET enable_automated_column_statistics = true;

EXPLAIN (logical, statistics)
SELECT gender, COUNT(*)
FROM employees
GROUP BY gender;
Look for entries in the logical profile that indicate statistics source and distinct count estimates. You can find an explained query plan with statistics in Using Automated Column Statistics.

Cache Behavior

  • Cache invalidation - Statistics cache is automatically invalidated after DML statements
  • Memory usage - Cached statistics consume memory; monitor engine memory usage (however, the amount of memory required should be negligible)
  • Refresh timing - First query after data modification will refresh the cache
I