-
Notifications
You must be signed in to change notification settings - Fork 122
Workflow to list and update TSDB GUCs in the docs #4222
New issue
Have a question about this project? Sign up for a free GitHub account to open an issue and contact its maintainers and the community.
By clicking “Sign up for GitHub”, you agree to our terms of service and privacy statement. We’ll occasionally send you account related emails.
Already on GitHub? Sign in to your account
Merged
Merged
Changes from 3 commits
Commits
Show all changes
13 commits
Select commit
Hold shift + click to select a range
99e1a30
Workflow to list and update TSDB GUCs in the docs
philkra 995e40b
something
philkra 1637e2e
Merge branch 'latest' into tsdb/generate-gucs-partial
philkra b605035
chore: suggestion for Philip. (#4223)
billy-the-fish b5a46aa
Merge branch 'latest' into tsdb/generate-gucs-partial
philkra 4266521
Merge branch 'latest' into tsdb/generate-gucs-partial
billy-the-fish c4f9b2c
fixed order and some cosmetics
philkra c75f966
fixed order and some cosmetics
philkra 458ab73
fixed order and some cosmetics
philkra cb3897d
fixed order and some cosmetics
philkra 7c7022f
Merge branch '347-timescaledb-221' of github.com:timescale/docs into …
billy-the-fish a2cfa59
chore: cleanup on merge.
billy-the-fish aad29d5
costemtics
philkra File filter
Filter by extension
Conversations
Failed to load comments.
Loading
Jump to
Jump to file
Failed to load files.
Loading
Diff view
Diff view
There are no files selected for viewing
This file contains hidden or bidirectional Unicode text that may be interpreted or compiled differently than what appears below. To review, open the file in an editor that reveals hidden Unicode characters.
Learn more about bidirectional Unicode characters
Original file line number | Diff line number | Diff line change |
---|---|---|
@@ -0,0 +1,37 @@ | ||
name: "TimescaleDB: Update GUCs list" | ||
|
||
on: | ||
workflow_call: | ||
inputs: | ||
tag: | ||
description: 'Tag to refesh list from' | ||
required: true | ||
type: string | ||
|
||
permissions: | ||
contents: write | ||
pull-requests: write | ||
|
||
jobs: | ||
update-gucs-list: | ||
runs-on: ubuntu-latest | ||
steps: | ||
- uses: actions/checkout@v4 | ||
- uses: actions/setup-python@v5 | ||
with: | ||
python-version: '3.13' | ||
cache: 'pip' # caching pip dependencies | ||
|
||
- name: Update list of GUCs | ||
run: | | ||
pip install -r ./helper-scripts/timescaledb/requirements.txt | ||
python ./helper-scripts/timescaledb/generate_guc_overview.py "${{ github.event.inputs.tag }}" ./_partials/_timescaledb-gucs.md | ||
mv gucs.md | ||
|
||
- name: Create Pull Request | ||
uses: peter-evans/create-pull-request@v7 | ||
with: | ||
token: ${{ secrets.ORG_AUTOMATION_TOKEN }} | ||
add-paths: _partials/_timescaledb-gucs.md | ||
delete-branch: true | ||
title: "Updated list of GUCs from TimescaleDB ${{ github.event.inputs.tag }}" |
This file contains hidden or bidirectional Unicode text that may be interpreted or compiled differently than what appears below. To review, open the file in an editor that reveals hidden Unicode characters.
Learn more about bidirectional Unicode characters
Original file line number | Diff line number | Diff line change |
---|---|---|
@@ -0,0 +1,132 @@ | ||
#!/usr/bin/env python3 | ||
# -*- coding: utf-8 -*- | ||
# | ||
# Generate Overview page of available GUCs in TimescaleDB with descriptions | ||
# | ||
# Args: | ||
# tag: tag to pull the guc.c from | ||
# | ||
|
||
import argparse | ||
import requests | ||
import re | ||
import logging | ||
|
||
logging.basicConfig(format='%(asctime)s %(levelname)s: %(message)s', level=logging.INFO) | ||
|
||
parser = argparse.ArgumentParser() | ||
parser.add_argument('tag', type=str, help='tag name to pull guc.c') | ||
parser.add_argument('destination', type=str, help='file name to add output') | ||
args = parser.parse_args() | ||
|
||
TYPES = { | ||
"DefineCustomBoolVariable": "BOOLEAN", | ||
"DefineCustomIntVariable": "INTEGER", | ||
"DefineCustomEnumVariable": "ENUM", | ||
"DefineCustomStringVariable": "STRING", | ||
} | ||
|
||
# List of GUCs to exclude from the docs | ||
EXCLUDE = [] | ||
|
||
""" | ||
Fetch the guc.c content from GitHub | ||
@param url: str | ||
@return str | ||
""" | ||
def get_content(url: str) -> str: | ||
resp = requests.get(url=url) | ||
if resp.status_code != 200: | ||
logging.error("can not fetch: %s" % url) | ||
exit(10) | ||
return resp.text | ||
|
||
""" | ||
Unwrap parsed GUCs into a map with GUC name as key and the value with the | ||
extracted values from the GUC: | ||
/* name= */, | ||
/* short_desc= */, | ||
/* long_desc= */, | ||
/* valueAddr= */, | ||
/* Value= */, | ||
/* context= */, | ||
/* flags= */, | ||
/* check_hook= */, | ||
/* assign_hook= */, | ||
/* show_hook= */ | ||
@param gucs: list | ||
@param guc_type: str | ||
@return dict | ||
""" | ||
def unwrap(gucs: list, guc_type: str) -> dict: | ||
map = {} | ||
|
||
for guc in gucs: | ||
# sanitize data | ||
it = [re.sub(r"[\n\t]*", "", v).strip() for v in guc.split(",")] | ||
|
||
# sanitize elements | ||
name = re.sub(r"[\"\(\)]*", "", it[0]) | ||
short_desc = it[1].strip("\"") | ||
long_desc = it[1] if it[2].lower() == "null" else re.sub(r"[\"\"]*", "", it[2].strip("\"")) | ||
value = it[4] | ||
|
||
# TODO: clean up /* Value= */ from strings | ||
# | ||
|
||
# Exclude GUCs (if specified) | ||
if name not in EXCLUDE: | ||
map[name] = { | ||
"name": name, | ||
"short_desc": short_desc, | ||
"long_desc": long_desc, | ||
"value": value, | ||
"type": guc_type, | ||
"scopes": [], # assigned later during scope discovery | ||
} | ||
|
||
logging.info("registered %d GUCs of type: %s" % (len(map), guc_type)) | ||
return map | ||
|
||
""" | ||
Parse GUCs and prepare them for rendering | ||
@param content: str | ||
@return dict | ||
""" | ||
def prepare(content: str) -> dict: | ||
map = {} | ||
|
||
# Find all GUCs based on patterns and prepare them in a dict | ||
for pattern, val in TYPES.items(): | ||
map.update(unwrap(re.findall(r"%s\(MAKE_EXTOPTION(.*?)\);" % pattern, content, re.DOTALL), val)) | ||
|
||
# TODO: find scopes | ||
# https://github.com/timescale/timescaledb/blob/2.19.x/src/guc.c#L797 | ||
|
||
|
||
# Return dict with alphabetically sorted keys | ||
return {i: map[i] for i in sorted(map.keys())} | ||
|
||
""" | ||
Render the GUCs to file | ||
""" | ||
def render(gucs: dict, filename: str): | ||
with open(filename, "w") as f: | ||
f.write("| Name | Type | Short Description | Short Description | Value |\n") | ||
f.write("| --- | --- | --- | --- | --- |\n") | ||
for guc in gucs.values(): | ||
f.write("| `%s` | `%s` | %s | %s | `%s` |\n" % ( | ||
guc["name"], guc["type"], guc["short_desc"], guc["long_desc"], guc["value"] | ||
)) | ||
logging.info("rendering completed to %s" % filename) | ||
|
||
""" | ||
Main | ||
""" | ||
if __name__ == "__main__": | ||
content = get_content("https://raw.githubusercontent.com/timescale/timescaledb/refs/tags/%s/src/guc.c" % args.tag) | ||
logging.info("fetched guc.c file for version: %s" % args.tag) | ||
gucs = prepare(content) | ||
render(gucs, args.destination) | ||
|
||
# print(gucs) |
This file contains hidden or bidirectional Unicode text that may be interpreted or compiled differently than what appears below. To review, open the file in an editor that reveals hidden Unicode characters.
Learn more about bidirectional Unicode characters
Original file line number | Diff line number | Diff line change |
---|---|---|
@@ -0,0 +1 @@ | ||
requests==2.32.3 |
This file contains hidden or bidirectional Unicode text that may be interpreted or compiled differently than what appears below. To review, open the file in an editor that reveals hidden Unicode characters.
Learn more about bidirectional Unicode characters
Original file line number | Diff line number | Diff line change |
---|---|---|
@@ -0,0 +1,59 @@ | ||
| Name | Type | Short Description | Short Description | Value | | ||
| --- | --- | --- | --- | --- | | ||
| `auto_sparse_indexes` | `BOOLEAN` | Create sparse indexes on compressed chunks | The hypertable columns that are used as index keys will have suitable sparse indexes when compressed. Must be set at the moment of chunk compression | `&ts_guc_auto_sparse_indexes` | | ||
| `bgw_log_level` | `ENUM` | Log level for the background worker subsystem | Log level for the scheduler and workers of the background worker subsystem. Requires configuration reload to change. | `/* bootValue= */ WARNING` | | ||
| `compress_truncate_behaviour` | `ENUM` | Define behaviour of truncate after compression | Defines how truncate behaves at the end of compression. 'truncate_only' forces truncation. 'truncate_disabled' deletes rows instead of truncate. 'truncate_or_delete' allows falling back to deletion. | `COMPRESS_TRUNCATE_ONLY` | | ||
| `compression_batch_size_limit` | `INTEGER` | The max number of tuples that can be batched together during ""compression | Setting this option to a number between 1 and 999 will force compression to limit the size of compressed batches to that amount of uncompressed tuples.Setting this to 0 defaults to the max batch size of 1000. | `1000` | | ||
| `default_hypercore_use_access_method` | `BOOLEAN` | gettext_noop("Enable to always use Hypercore TAM when compressing.") | gettext_noop(Sets the global default for using Hypercore TAM when compressing chunks.) | `false` | | ||
| `enable_bool_compression` | `BOOLEAN` | Enable bool compression functionality | Enable bool compression | `true` | | ||
| `enable_bulk_decompression` | `BOOLEAN` | Enable decompression of the entire compressed batches | Increases throughput of decompression | `&ts_guc_enable_bulk_decompression` | | ||
| `enable_cagg_reorder_groupby` | `BOOLEAN` | Enable group by reordering | Enable group by clause reordering for continuous aggregates | `true` | | ||
| `enable_cagg_sort_pushdown` | `BOOLEAN` | Enable sort pushdown for continuous aggregates | Enable pushdown of ORDER BY clause for continuous aggregates | `true` | | ||
| `enable_cagg_watermark_constify` | `BOOLEAN` | Enable cagg watermark constify | Enable constifying cagg watermark for real-time caggs | `true` | | ||
| `enable_cagg_window_functions` | `BOOLEAN` | Enable window functions in continuous aggregates | Allow window functions in continuous aggregate views | `false` | | ||
| `enable_chunk_append` | `BOOLEAN` | Enable chunk append node | Enable using chunk append node | `true` | | ||
| `enable_chunk_skipping` | `BOOLEAN` | Enable chunk skipping functionality | Enable using chunk column stats to filter chunks based on column filters | `false` | | ||
| `enable_chunkwise_aggregation` | `BOOLEAN` | Enable chunk-wise aggregation | Enable the pushdown of aggregations to the chunk level | `true` | | ||
| `enable_columnarscan` | `BOOLEAN` | Enable columnar-optimized scans for supported access methods | A columnar scan replaces sequence scans for columnar-oriented storage and enables storage-specific optimizations like vectorized filters. Disabling columnar scan will make PostgreSQL fall back to regular sequence scans. | `true` | | ||
| `enable_compressed_direct_batch_delete` | `BOOLEAN` | Enable direct deletion of compressed batches | Enable direct batch deletion in compressed chunks | `true` | | ||
| `enable_compressed_skipscan` | `BOOLEAN` | Enable SkipScan for compressed chunks | Enable SkipScan for distinct inputs over compressed chunks | `true` | | ||
| `enable_compression_indexscan` | `BOOLEAN` | Enable compression to take indexscan path | Enable indexscan during compression | `&ts_guc_enable_compression_indexscan` | | ||
| `enable_compression_ratio_warnings` | `BOOLEAN` | Enable warnings for poor compression ratio | Enable warnings for poor compression ratio | `true` | | ||
| `enable_compression_wal_markers` | `BOOLEAN` | Enable WAL markers for compression ops | Enable the generation of markers in the WAL stream which mark the start and end of compression operations | `true` | | ||
| `enable_compressor_batch_limit` | `BOOLEAN` | Enable compressor batch limit | Enable compressor batch limit for compressors which can go over the allocation limit (1 GB). This feature will limit those compressors by reducing the size of the batch and thus avoid hitting the limit. | `false` | | ||
| `enable_constraint_aware_append` | `BOOLEAN` | Enable constraint-aware append scans | Enable constraint exclusion at execution time | `true` | | ||
| `enable_constraint_exclusion` | `BOOLEAN` | Enable constraint exclusion | Enable planner constraint exclusion | `true` | | ||
| `enable_custom_hashagg` | `BOOLEAN` | Enable custom hash aggregation | Enable creating custom hash aggregation plans | `false` | | ||
| `enable_decompression_sorted_merge` | `BOOLEAN` | Enable compressed batches heap merge | Enable the merge of compressed batches to preserve the compression order by | `true` | | ||
| `enable_delete_after_compression` | `BOOLEAN` | Delete all rows after compression instead of truncate | Delete all rows after compression instead of truncate | `false` | | ||
| `enable_deprecation_warnings` | `BOOLEAN` | Enable warnings when using deprecated functionality | "Enable warnings when using deprecated functionality" | `true` | | ||
| `enable_dml_decompression` | `BOOLEAN` | Enable DML decompression | Enable DML decompression when modifying compressed hypertable | `true` | | ||
| `enable_dml_decompression_tuple_filtering` | `BOOLEAN` | Enable DML decompression tuple filtering | Recheck tuples during DML decompression to only decompress batches with matching tuples | `true` | | ||
| `enable_event_triggers` | `BOOLEAN` | Enable event triggers for chunks creation | Enable event triggers for chunks creation | `false` | | ||
| `enable_exclusive_locking_recompression` | `BOOLEAN` | Enable exclusive locking recompression | Enable getting exclusive lock on chunk during segmentwise recompression | `false` | | ||
| `enable_foreign_key_propagation` | `BOOLEAN` | Enable foreign key propagation | Adjust foreign key lookup queries to target whole hypertable | `true` | | ||
| `enable_job_execution_logging` | `BOOLEAN` | Enable job execution logging | Retain job run status in logging table | `false` | | ||
| `enable_merge_on_cagg_refresh` | `BOOLEAN` | Enable MERGE statement on cagg refresh | Enable MERGE statement on cagg refresh | `false` | | ||
| `enable_now_constify` | `BOOLEAN` | Enable now() constify | Enable constifying now() in query constraints | `true` | | ||
| `enable_null_compression` | `BOOLEAN` | Debug only flag to enable NULL compression | Enable null compression | `true` | | ||
| `enable_optimizations` | `BOOLEAN` | Enable TimescaleDB query optimizations | "Enable TimescaleDB query optimizations" | `true` | | ||
| `enable_ordered_append` | `BOOLEAN` | Enable ordered append scans | Enable ordered append optimization for queries that are ordered by the time dimension | `true` | | ||
| `enable_parallel_chunk_append` | `BOOLEAN` | Enable parallel chunk append node | Enable using parallel aware chunk append node | `true` | | ||
| `enable_qual_propagation` | `BOOLEAN` | Enable qualifier propagation | Enable propagation of qualifiers in JOINs | `true` | | ||
| `enable_runtime_exclusion` | `BOOLEAN` | Enable runtime chunk exclusion | Enable runtime chunk exclusion in ChunkAppend node | `true` | | ||
| `enable_segmentwise_recompression` | `BOOLEAN` | Enable segmentwise recompression functionality | Enable segmentwise recompression | `true` | | ||
| `enable_skipscan` | `BOOLEAN` | Enable SkipScan | Enable SkipScan for DISTINCT queries | `true` | | ||
| `enable_skipscan_for_distinct_aggregates` | `BOOLEAN` | Enable SkipScan for DISTINCT aggregates | Enable SkipScan for DISTINCT aggregates | `true` | | ||
| `enable_sparse_index_bloom` | `BOOLEAN` | Enable creation of the bloom1 sparse index on compressed chunks | This sparse index speeds up the equality queries on compressed columns | `&ts_guc_enable_sparse_index_bloom` | | ||
| `enable_tiered_reads` | `BOOLEAN` | Enable tiered data reads | Enable reading of tiered data by including a foreign table representing the data in the object storage into the query plan | `true` | | ||
| `enable_transparent_decompression` | `ENUM` | Enable transparent decompression | Enable transparent decompression when querying hypertable | `1` | | ||
| `enable_tss_callbacks` | `BOOLEAN` | Enable ts_stat_statements callbacks | Enable ts_stat_statements callbacks | `true` | | ||
| `enable_vectorized_aggregation` | `BOOLEAN` | Enable vectorized aggregation | Enable vectorized aggregation for compressed data | `true` | | ||
| `hypercore_copy_to_behavior` | `ENUM` | The behavior of COPY TO on a hypercore table | Set to 'all_data' to return both compressed and uncompressed data via the Hypercore table when using COPY TO. Set to 'no_compressed_data' to skip compressed data. | `/* bootValue= */ HYPERCORE_COPY_NO_COMPRESSED_DATA` | | ||
| `hypercore_indexam_whitelist` | `STRING` | gettext_noop( "Whitelist for index access methods supported by hypercore.") | gettext_noop( List of index access method names supported by hypercore.) | `/* Value= */ "btree` | | ||
| `materializations_per_refresh_window` | `INTEGER` | Max number of materializations per cagg refresh window | The maximal number of individual refreshes per cagg refresh. If more refreshes need to be performed | `&ts_guc_cagg_max_individual_materializations` | | ||
| `max_cached_chunks_per_hypertable` | `INTEGER` | Maximum cached chunks | Maximum number of chunks stored in the cache | `1024` | | ||
| `max_open_chunks_per_insert` | `INTEGER` | Maximum open chunks per insert | Maximum number of open chunk tables per insert | `1024` | | ||
| `max_tuples_decompressed_per_dml_transaction` | `INTEGER` | The max number of tuples that can be decompressed during an ""INSERT | UPDATE | `" If the number of tuples exceeds this value` | | ||
| `restoring` | `BOOLEAN` | Enable restoring mode for timescaledb | In restoring mode all timescaledb internal hooks are disabled. This mode is required for restoring logical dumps of databases with timescaledb. | `false` | | ||
| `telemetry_level` | `ENUM` | Telemetry settings level | Level used to determine which telemetry to send | `TELEMETRY_DEFAULT` | |
This file contains hidden or bidirectional Unicode text that may be interpreted or compiled differently than what appears below. To review, open the file in an editor that reveals hidden Unicode characters.
Learn more about bidirectional Unicode characters
Original file line number | Diff line number | Diff line change |
---|---|---|
@@ -0,0 +1,13 @@ | ||
--- | ||
title: GUCs | ||
excerpt: Options to modify the behavior of TimescaleDB. | ||
keywords: [GUC, Configuration] | ||
--- | ||
|
||
import TsdbGucsList from "versionContent/_partials/_timescaledb-gucs.mdx"; | ||
|
||
# GUCs | ||
|
||
There are various options to change the behavior of TimescaleDB through GUCs. | ||
|
||
<TsdbGucsList /> |
Add this suggestion to a batch that can be applied as a single commit.
This suggestion is invalid because no changes were made to the code.
Suggestions cannot be applied while the pull request is closed.
Suggestions cannot be applied while viewing a subset of changes.
Only one suggestion per line can be applied in a batch.
Add this suggestion to a batch that can be applied as a single commit.
Applying suggestions on deleted lines is not supported.
You must change the existing code in this line in order to create a valid suggestion.
Outdated suggestions cannot be applied.
This suggestion has been applied or marked resolved.
Suggestions cannot be applied from pending reviews.
Suggestions cannot be applied on multi-line comments.
Suggestions cannot be applied while the pull request is queued to merge.
Suggestion cannot be applied right now. Please check back later.
Uh oh!
There was an error while loading. Please reload this page.