diff --git a/.ci/shellcheck/shellcheck.sh b/.ci/shellcheck/shellcheck.sh new file mode 100755 index 000000000..d1add9e58 --- /dev/null +++ b/.ci/shellcheck/shellcheck.sh @@ -0,0 +1,50 @@ +#!/bin/bash +set -euo pipefail + +# Run ShellCheck to lint shell scripts for common issues. +# Uses a local shellcheck binary if available, otherwise falls back to Docker. +# +# Example usage: +# +# Lint a single script: +# .ci/shellcheck/shellcheck.sh test/scripts/init-influxdb3.sh +# +# Lint all staged shell scripts (used by Lefthook): +# .ci/shellcheck/shellcheck.sh scripts/deploy-staging.sh test/scripts/*.sh + +SHELLCHECK_VERSION="0.10.0" + +# Derive minimum major.minor from the pinned version so there's one source of truth. +SHELLCHECK_MAJOR_MIN=${SHELLCHECK_VERSION%%.*} +_rest=${SHELLCHECK_VERSION#*.} +SHELLCHECK_MINOR_MIN=${_rest%%.*} + +if command -v shellcheck &>/dev/null; then + local_version=$(shellcheck --version 2>/dev/null \ + | grep -oE 'version: [0-9.]+' \ + | grep -oE '[0-9.]+' || true) + local_major=${local_version%%.*} + local_rest=${local_version#*.} + local_minor=${local_rest%%.*} + + if [[ -z "$local_major" ]] || + [[ "$local_major" -lt "$SHELLCHECK_MAJOR_MIN" ]] || + [[ "$local_major" -eq "$SHELLCHECK_MAJOR_MIN" && "${local_minor:-0}" -lt "$SHELLCHECK_MINOR_MIN" ]]; then + echo "WARNING: local ShellCheck version ($local_version) is older than pinned v${SHELLCHECK_VERSION}." >&2 + echo " Upgrade: brew install shellcheck (or see https://www.shellcheck.net/)" >&2 + echo " Falling back to Docker (koalaman/shellcheck:v${SHELLCHECK_VERSION})..." >&2 + else + shellcheck "$@" + exit $? + fi +fi + +# Docker fallback — mount repo read-only, run from workdir +docker run \ + --rm \ + --label tag=influxdata-docs \ + --label stage=lint \ + --mount type=bind,src="$(pwd)",dst=/workdir,readonly \ + -w /workdir \ + "koalaman/shellcheck:v${SHELLCHECK_VERSION}" \ + "$@" diff --git a/.ci/vale/styles/InfluxDataDocs/Spelling.yml b/.ci/vale/styles/InfluxDataDocs/Spelling.yml index 6f62283eb..14567dd03 100644 --- a/.ci/vale/styles/InfluxDataDocs/Spelling.yml +++ b/.ci/vale/styles/InfluxDataDocs/Spelling.yml @@ -1,27 +1,58 @@ extends: spelling message: "Did you really mean '%s'?" level: warning -# Exclude from spell checking: -# - code: fenced code blocks (```...```) -# - raw: inline code (`...`) -# - table.*: table headers and cells +# Scope configuration for spell checking +# NOTE: Code blocks are intentionally INCLUDED to catch spelling errors in: +# - Comments (e.g., // NOTE: this is importent) +# - Documentation strings +# - Inline code comments (e.g., #!/bin/bash #comment typo) +# This enables detection of spelling mistakes in code block comments that +# users may copy into their own code. scope: - - ~code - - ~raw - - ~table.header - - ~table.cell + - ~raw # Exclude inline code (`...`) - already has IDE spell check + - ~table.header # Exclude table headers and cells + - ~table.cell # (often contain abbreviations, constants, etc.) ignore: # Ignore the following words. All words are case-insensitive. # To use case-sensitive matching, use the filters section or vocabulary Terms. - InfluxDataDocs/Terms/ignore.txt - InfluxDataDocs/Terms/query-functions.txt filters: -# Allow product-specific Branding.yml configurations to handle [Ss]erverless -# while also allowing serverless as a valid dictionary word. +# === BRANDING TERMS === +# Allow product-specific configurations to handle [Ss]erverless +# while also allowing "serverless" as a valid dictionary word - '[Ss]erverless' + +# === URL AND PATH PATTERNS === # Ignore URL paths (e.g., /api/v2/write, /kapacitor/v1/api/v2/tasks) +# Matches: /path/to/endpoint, /v2.0/api/write, /influxdb/v1.8/cli - '/[a-zA-Z0-9/_\-\.\{\}]+' -# Ignore full URLs - - 'https?://[^\s\)\]>"]+' -# Ignore shortcode attribute values (e.g., endpoint="..." method="...") +# Ignore full URLs (http, https, ftp, ftps, ssh, file, etc.) +# Matches: https://docs.example.com, http://localhost:8086, ftp://server.com, ssh://host + - '(?:https?|ftp|ftps|ssh|file)://[^\s\)\]>"]+' + +# === CODE IDENTIFIERS & VARIABLES === +# camelCase and snake_case identifiers (requires >=1 uppercase OR >=1 underscore) +# camelCase: _*[a-z]+(?:[A-Z][a-z0-9]*)+(?:[A-Z][a-zA-Z0-9]*)* - requires >=1 uppercase +# snake_case: [a-z_][a-z0-9]*_[a-z0-9_]* - requires >=1 underscore +# Matches: myVariable, targetField, _privateVar, my_variable, terminationGracePeriodSeconds +# Does NOT match prose: provide, database, variable (normal words) + - '(?:_*[a-z]+(?:[A-Z][a-z0-9]*)+(?:[A-Z][a-zA-Z0-9]*)*|[a-z_][a-z0-9]*_[a-z0-9_]*)' +# UPPER_CASE constants and environment variables +# Matches: API_KEY, MY_CONSTANT, AWS_REGION, INFLUXDB_TOKEN + - '[A-Z_][A-Z0-9_]+' + +# === CODE LITERALS === +# Hexadecimal values (0xFF, 0xDEADBEEF, etc.) + - '0[xX][0-9a-fA-F]+' +# Version numbers and semantic versioning (1.0, 2.3.1, 0.101.0, etc.) + - '\d+\.\d+(?:\.\d+)*' + +# === HUGO SHORTCODES === +# Ignore shortcode attribute values (endpoint="...", method="...", etc.) +# Matches: {{}}, [method="GET"] - '(?:endpoint|method|url|href|src|path)="[^"]+"' + +# === CODE PUNCTUATION & SYMBOLS === +# Common programming symbols that may appear in patterns + - '[@#$%^&*()_+=\[\]{};:,.<>?/\\|-]+' diff --git a/.ci/vale/vale.sh b/.ci/vale/vale.sh index cc3ff3799..e0f385f58 100755 --- a/.ci/vale/vale.sh +++ b/.ci/vale/vale.sh @@ -1,20 +1,41 @@ #!/bin/bash +set -euo pipefail -# Run Vale to lint files for writing style and consistency - +# Run Vale to lint files for writing style and consistency. +# Uses a local vale binary if available, otherwise falls back to Docker. +# # Example usage: +# +# Lint all added and modified files in the cloud-dedicated directory: +# git diff --name-only --diff-filter=d HEAD \ +# | grep "content/influxdb/cloud-dedicated" \ +# | xargs .ci/vale/vale.sh \ +# --minAlertLevel=suggestion \ +# --config=content/influxdb/cloud-dedicated/.vale.ini -# Lint all added and modified files in the cloud-dedicated directory and report suggestions, warnings, and errors. +VALE_VERSION="3.13.1" +VALE_MAJOR_MIN=3 -# git diff --name-only --diff-filter=d HEAD | grep "content/influxdb/cloud-dedicated" | xargs .ci/vale/vale.sh --minAlertLevel=suggestion --config=content/influxdb/cloud-dedicated/.vale.ini +if command -v vale &>/dev/null; then + local_version=$(vale --version 2>/dev/null | grep -oE '[0-9]+\.[0-9]+\.[0-9]+' | head -1 || true) + local_major=${local_version%%.*} + + if [[ -z "$local_major" || "$local_major" -lt "$VALE_MAJOR_MIN" ]]; then + echo "WARNING: local Vale version ($local_version) may be incompatible (expected v${VALE_MAJOR_MIN}.x+)." >&2 + echo " Upgrade or install Vale: see https://vale.sh/docs/install/ (for Homebrew: brew upgrade vale)" >&2 + echo " Falling back to Docker (jdkato/vale:v${VALE_VERSION})..." >&2 + else + vale "$@" + exit $? + fi +fi -# Lint files provided as arguments docker run \ --rm \ --label tag=influxdata-docs \ --label stage=lint \ - --mount type=bind,src=$(pwd),dst=/workdir \ + --mount type=bind,src="$(pwd)",dst=/workdir \ -w /workdir \ --entrypoint /bin/vale \ - jdkato/vale:latest \ - "$@" \ No newline at end of file + "jdkato/vale:v${VALE_VERSION}" \ + "$@" diff --git a/.claude/settings.json b/.claude/settings.json index 7a03351a0..f5838526b 100644 --- a/.claude/settings.json +++ b/.claude/settings.json @@ -17,7 +17,9 @@ "Bash(curl:*)", "Bash(gh:*)", "Bash(hugo:*)", + "Bash(htmlq:*)", "Bash(jq:*)", + "Bash(yq:*)", "Bash(mkdir:*)", "Bash(cat:*)", "Bash(ls:*)", diff --git a/.claude/skills/content-editing/SKILL.md b/.claude/skills/content-editing/SKILL.md index f2ca66e23..eb35f23e6 100644 --- a/.claude/skills/content-editing/SKILL.md +++ b/.claude/skills/content-editing/SKILL.md @@ -30,7 +30,7 @@ Made content changes? └─ Run tests (See Part 2: Testing) Need to verify technical accuracy? -└─ Use Kapa MCP server (See Part 4: Fact-Checking) +└─ Use documentation MCP server (See Part 4: Fact-Checking) Need to write/debug Vale rules? └─ See vale-rule-config skill (for CI/Quality Engineers) @@ -165,20 +165,12 @@ See [DOCS-FRONTMATTER.md](../../../DOCS-FRONTMATTER.md#alternative-links-alt_lin ### Check product resource terms are cross-referenced -When creating or editing content, check that product resource terms link to `admin/` or `reference/` pages that help the user understand and set up the resource. Product resource terms often appear inside `code-placeholder-key` shortcode text and bullet item text. Example product resource terms: - "database token" - "database name" -**TODOs for CI/config:** - -- Add automated check to validate `alt_links` are present when shared content paths differ across products -- Add check for product-specific URL patterns in shared content (e.g., Cloud Serverless uses `/reference/regions` for URLs, Cloud Dedicated/Clustered do not have this page - cluster URLs come from account setup) -- Add check/helper to ensure resource references (tokens, databases, buckets) link to proper admin pages using `/influxdb3/version/admin/` pattern -- Rethink `code-placeholder-key` workflow: `docs placeholders` adds `placeholders` attributes to code blocks but doesn't generate the "Replace the following:" lists with `{{% code-placeholder-key %}}` shortcodes. Either improve automation to generate these lists, or simplify by removing `code-placeholder-key` if the attribute alone is sufficient - ## Part 2: Testing Workflow After making content changes, run tests to validate: @@ -187,7 +179,7 @@ After making content changes, run tests to validate: ```bash # Verify Hugo can build the site -hugo --quiet +yarn hugo --quiet # Look for errors like: # - Template errors @@ -237,7 +229,7 @@ node cypress/support/run-e2e-specs.js \ **Important prerequisites:** - API tests: Run `yarn build:api-docs` first -- Markdown validation: Run `hugo --quiet && yarn build:md` first +- Markdown validation: Run `yarn hugo --quiet && yarn build:md` first See **cypress-e2e-testing** skill for detailed test workflow. @@ -268,7 +260,7 @@ See **vale-linting** skill for comprehensive Vale workflow. ```bash # Start Hugo development server -hugo server +yarn hugo server # Visit http://localhost:1313 # Preview your changes in browser @@ -284,13 +276,13 @@ Vale checks documentation for style guide violations, spelling errors, and brand ```bash # Basic linting (all markdown files) -docker compose run -T vale content/**/*.md +.ci/vale/vale.sh content/**/*.md # Lint specific product -docker compose run -T vale content/influxdb3/core/**/*.md +.ci/vale/vale.sh content/influxdb3/core/**/*.md # With specific config and alert level -docker compose run -T vale \ +.ci/vale/vale.sh \ --config=content/influxdb/cloud-dedicated/.vale.ini \ --minAlertLevel=error \ content/influxdb/cloud-dedicated/write-data/**/*.md @@ -335,26 +327,20 @@ This paragraph contains technical terms that Vale might flag. ``` -### VS Code Integration (Optional) - -For real-time linting while editing: - -1. Install the [Vale VSCode extension](https://marketplace.visualstudio.com/items?itemName=ChrisChinchilla.vale-vscode) -2. Configure the extension to use the workspace Vale: - - Set `Vale:Vale CLI:Path` to `${workspaceFolder}/node_modules/.bin/vale` - ### When to Run Vale -- **During editing**: If you have VS Code extension enabled - **Before committing**: Pre-commit hooks run Vale automatically - **After content changes**: Run manually to catch issues early - **In CI/CD**: Automated on pull requests -## Part 4: Fact-Checking with MCP Server +## Part 4: Fact-Checking with the Documentation MCP Server -The InfluxData documentation MCP server (`influxdata`) provides access to **Ask AI (Kapa.ai)** for fact-checking and answering questions about InfluxData products. +The **InfluxDB documentation MCP server** lets you search InfluxDB documentation (the rendered `content` managed in this repository) and related InfluxData references (source code READMEs, community forums, and some third-party tool documentation) directly from your AI assistant. -### When to Use MCP Server +### When to Use the Documentation MCP Server + +The primary source of content in the Documentation MCP Server is the fully rendered `public` HTML from this repository. +Use the Documentation MCP Server when the information here is inconclusive, when you need to deepen your understanding of InfluxData products and integrations, or when identifying content gaps in the documentation. **Use for:** @@ -362,67 +348,64 @@ The InfluxData documentation MCP server (`influxdata`) provides access to **Ask - Checking current API syntax - Confirming feature availability across products - Understanding complex product behavior -- Finding related documentation +- Finding related documentation and code examples +- Identifying and analyzing content gaps in the documentation **Don't use for:** -- Basic style/grammar checks +- Basic style/grammar checks (use Vale) - Link validation (use `yarn test:links`) - Testing code examples (use `yarn test:codeblocks`) -### Available MCP Tools +### Setup -The `influxdata` MCP server provides: +The documentation MCP server is hosted—no local installation required. Add the server URL to your AI assistant's MCP configuration. -```typescript -// Query documentation knowledge base -kapa_query({ - query: string, // Your question - stream: boolean // Stream response (optional) -}) +**MCP server URL:** -// Examples: -kapa_query({ - query: "How do I create a database in InfluxDB 3 Core?", - stream: false -}) - -kapa_query({ - query: "What's the difference between InfluxDB 3 Core and Enterprise clustering?", - stream: false -}) - -kapa_query({ - query: "Show me InfluxQL SELECT syntax for filtering by time range", - stream: false -}) +```text +https://influxdb-docs.mcp.kapa.ai ``` -### Setup Requirements - -The MCP server requires configuration in `.mcp.json`: +**Claude Desktop configuration** (Settings > Developer): ```json { "mcpServers": { - "influxdata": { - "type": "stdio", - "command": "node", - "args": ["${DOCS_MCP_SERVER_PATH}/dist/index.js"], - "env": { - "DOCS_API_KEY_FILE": "${DOCS_API_KEY_FILE:-$HOME/.env.docs-kapa-api-key}", - "DOCS_MODE": "external-only", - "MCP_LOG_LEVEL": "${MCP_LOG_LEVEL:-info}" - } + "influxdb-docs": { + "url": "https://influxdb-docs.mcp.kapa.ai" } } } ``` -**Required:** +For other AI assistants see the [InfluxDB documentation MCP server guide](/influxdb3/core/admin/mcp-server/) +and verify the MCP configuration options and syntax for a specific AI assistant. -- `DOCS_MCP_SERVER_PATH`: Path to docs-mcp-server installation -- `DOCS_API_KEY_FILE`: Path to file containing Kapa.ai API key +**Rate limits** (per Google OAuth user): + +- 40 requests per hour +- 200 requests per day + +### Available Tool + +The MCP server exposes a semantic search tool: + +```text +search_influxdb_knowledge_sources +``` + +**What it does:** + +- Searches all InfluxDB documentation for a given query +- Returns relevant chunks in descending order of relevance +- Each chunk includes `source_url` and Markdown `content` + +**Example queries:** + +- "How do I create a database in InfluxDB 3 Core?" +- "What's the difference between InfluxDB 3 Core and Enterprise clustering?" +- "Show me InfluxQL SELECT syntax for filtering by time range" ### Example Workflow: Fact-Checking During Editing @@ -431,17 +414,14 @@ The MCP server requires configuration in `.mcp.json`: 1. Draft claims: "InfluxDB 3 supports up to 10,000 databases per instance" -2. Verify with MCP: - kapa_query({ - query: "What are the database limits in InfluxDB 3 Core and Enterprise?", - stream: false - }) +2. Ask your AI assistant to verify using the MCP server: + "What are the database limits in InfluxDB 3 Core and Enterprise?" -3. MCP response clarifies actual limits differ by product +3. MCP response returns documentation chunks with actual limits 4. Update draft with accurate information -5. Cite source in documentation if needed +5. Cite the source_url in documentation if needed ``` ### Best Practices @@ -450,14 +430,14 @@ The MCP server requires configuration in `.mcp.json`: - Ask specific, focused questions - Verify claims about features, limits, syntax -- Cross-check answers with official docs links provided +- Cross-check answers with source URLs provided - Use for understanding complex interactions **DON'T:** - Rely solely on MCP without reviewing source docs - Use for subjective style decisions -- Expect real-time product behavior (it knows documentation, not live systems) +- Expect real-time product behavior (it searches documentation, not live systems) - Use as a replacement for testing (always test code examples) ## Part 5: Complete Example Workflows @@ -474,14 +454,11 @@ docs create database-tutorial.md --products influxdb3-core,influxdb3-enterprise # - content/influxdb3/enterprise/guides/database-tutorial.md (frontmatter) # Step 2: Verify technical accuracy -# Use MCP to check claims in the tutorial -kapa_query({ - query: "Verify database creation syntax for InfluxDB 3", - stream: false -}) +# Ask your AI assistant (with MCP configured) to verify claims: +# "Verify database creation syntax for InfluxDB 3" # Step 3: Test Hugo build -hugo --quiet +yarn hugo --quiet # Step 4: Run E2E tests node cypress/support/run-e2e-specs.js \ @@ -511,13 +488,10 @@ docs edit https://docs.influxdata.com/influxdb3/core/reference/sql/ # Step 2: Make edits to the shared source file # Step 3: Fact-check changes with MCP -kapa_query({ - query: "Verify SQL WHERE clause syntax in InfluxDB 3", - stream: false -}) +# Ask your AI assistant: "Verify SQL WHERE clause syntax in InfluxDB 3" # Step 4: Test the build -hugo --quiet +yarn hugo --quiet # Step 5: Test affected pages node cypress/support/run-e2e-specs.js \ @@ -535,10 +509,10 @@ yarn test:links # Edit content/influxdb3/core/get-started/_index.md # Step 2: Test Hugo build -hugo --quiet +yarn hugo --quiet # Step 3: Quick visual check -hugo server +yarn hugo server # Visit http://localhost:1313/influxdb3/core/get-started/ # Done! (No need for comprehensive testing on typo fixes) @@ -550,7 +524,7 @@ hugo server ```bash # Check for detailed errors -hugo +yarn hugo # Common issues: # - Invalid frontmatter YAML @@ -578,19 +552,17 @@ touch content/influxdb3/enterprise/path/to/file.md ### MCP Server Not Responding -```bash -# Check configuration -cat .mcp.json +The hosted MCP server (`https://influxdb-docs.mcp.kapa.ai`) requires: -# Verify environment variables -echo $DOCS_MCP_SERVER_PATH -echo $DOCS_API_KEY_FILE +1. **Google OAuth authentication** - On first use, sign in with Google +2. **Rate limits** - 40 requests/hour, 200 requests/day per user -# Check API key file exists and has content -cat $HOME/.env.docs-kapa-api-key +**Troubleshooting steps:** -# Check MCP server logs (if available) -``` +- Verify your AI assistant has the MCP server URL configured correctly +- Check if you've exceeded rate limits (wait an hour or until the next day) +- Try re-authenticating by clearing your OAuth session +- Ensure your network allows connections to `*.kapa.ai` ### Cypress Tests Fail @@ -618,15 +590,14 @@ ls content/influxdb3/core/api/ | Add placeholders to code | `docs placeholders file.md` or `docs placeholders file.md --dry` | | Audit documentation | `docs audit --products influxdb3_core` or `docs audit --products /influxdb3/core` | | Generate release notes | `docs release-notes v3.1.0 v3.2.0 --products influxdb3_core` | -| Build Hugo site | `hugo --quiet` | -| Run Vale linting | `docker compose run -T vale content/**/*.md` | +| Build Hugo site | `yarn hugo --quiet` | +| Run Vale linting | `.ci/vale/vale.sh --config=.vale.ini content/path/` | | Test links | `yarn test:links` | | Test code blocks | `yarn test:codeblocks:all` | | Test specific page | `yarn test:e2e content/path/file.md` | -| Fact-check with MCP | `kapa_query({ query: "...", stream: false })` | -| Preview locally | `hugo server` (visit localhost:1313) | +| Fact-check with MCP | Ask AI assistant with `search_influxdb_knowledge_sources` tool configured | +| Preview locally | `yarn hugo server` (visit localhost:1313) | | Generate API docs | `yarn build:api-docs` (before API reference tests) | -| Style linting | `.ci/vale/vale.sh --config=.vale.ini content/path/` | **Note:** `--products` accepts both product keys (`influxdb3_core`) and content paths (`/influxdb3/core`). @@ -644,8 +615,8 @@ ls content/influxdb3/core/api/ - [ ] If shared content: Sourcing files touched (or used `docs edit`) - [ ] If shared content: Check for path differences and add `alt_links` if paths vary - [ ] Technical accuracy verified (MCP fact-check if needed) -- [ ] Hugo builds without errors (`hugo --quiet`) -- [ ] Vale style linting passes (`docker compose run -T vale content/**/*.md`) +- [ ] Hugo builds without errors (`yarn hugo --quiet`) +- [ ] Vale style linting passes (`.ci/vale/vale.sh --config=.vale.ini content/path/`) - [ ] Links validated (`yarn test:links`) - [ ] Code examples tested (if applicable) - [ ] E2E tests pass for affected pages diff --git a/.claude/skills/cypress-e2e-testing/SKILL.md b/.claude/skills/cypress-e2e-testing/SKILL.md index 2d1c734d3..f0be6f7cb 100644 --- a/.claude/skills/cypress-e2e-testing/SKILL.md +++ b/.claude/skills/cypress-e2e-testing/SKILL.md @@ -276,6 +276,52 @@ describe('Component Name', () => { }); ``` +### Using Real Configuration Data + +Import real configuration data (from `data/*.yml`) via `cy.task('getData')` instead of hardcoding expected values. This keeps tests in sync with the source of truth. + +```javascript +describe('Product shortcodes', function () { + let products; + + before(function () { + // Load products.yml via the getData task defined in cypress.config.js + cy.task('getData', 'products').then((data) => { + products = data; + }); + }); + + it('renders the correct product name', function () { + cy.visit('/influxdb3/core/_test/shortcodes/'); + // Assert against YAML data, not a hardcoded string + cy.get('[data-testid="product-name"]').should( + 'contain.text', + products.influxdb3_core.name + ); + }); + + it('renders current-version from YAML', function () { + cy.visit('/influxdb/v2/_test/shortcodes/'); + // Derive expected value the same way the Hugo shortcode does + const patch = products.influxdb.latest_patches?.v2; + const expected = patch ? patch.replace(/\.\d+$/, '') : ''; + cy.get('[data-testid="current-version"] .current-version').should( + 'have.text', + expected + ); + }); +}); +``` + +**Key principles:** + +- Load YAML data in `before()` — available to all tests in the suite +- Derive expected values from the data, mirroring shortcode logic +- Only hardcode what you must: content paths and test page URLs +- Derive boolean flags from data fields (e.g., `product.distributed_architecture`, `product.limits`) + +See `cypress/e2e/content/shortcodes.cy.js` and `cypress/e2e/content/latest-patch-shortcode.cy.js` for full examples. + ### Testing Links ```javascript diff --git a/.claude/skills/vale-rule-config/SKILL.md b/.claude/skills/vale-rule-config/SKILL.md index 8240fa8ba..0ef5c04db 100644 --- a/.claude/skills/vale-rule-config/SKILL.md +++ b/.claude/skills/vale-rule-config/SKILL.md @@ -298,13 +298,13 @@ Individual rules are YAML files in style directories: ```bash # Test specific rule on one file -docker compose run -T vale \ +.ci/vale/vale.sh \ --config=.vale.ini \ --minAlertLevel=suggestion \ content/influxdb3/core/get-started/_index.md # Test only error-level issues -docker compose run -T vale \ +.ci/vale/vale.sh \ --config=content/influxdb/cloud-dedicated/.vale.ini \ --minAlertLevel=error \ content/influxdb/cloud-dedicated/**/*.md @@ -455,7 +455,7 @@ EOF ```bash # Test on one file first -docker compose run -T vale content/influxdb3/core/get-started/_index.md +.ci/vale/vale.sh content/influxdb3/core/get-started/_index.md ``` ### Step 3: Refine if needed @@ -475,7 +475,7 @@ tokens: ```bash # Test on entire product -docker compose run -T vale content/influxdb3/**/*.md +.ci/vale/vale.sh content/influxdb3/**/*.md ``` ## Related Skills diff --git a/.codespellignore b/.codespellignore new file mode 100644 index 000000000..47315daf8 --- /dev/null +++ b/.codespellignore @@ -0,0 +1,6 @@ +# Product and technical terms to ignore +# - Azure Kubernetes Service (AKS) +aks +AKS +# - InfluxData product feature for scriptable tasks/queries +invokable diff --git a/.codespellrc b/.codespellrc new file mode 100644 index 000000000..1049b2934 --- /dev/null +++ b/.codespellrc @@ -0,0 +1,11 @@ +[codespell] +# Use only 'clear' dictionary to minimize false positives on documentation +# 'rare', 'code' are too aggressive for reference documentation +builtin = clear + +# Skip directories with generated or configuration content +skip = public,node_modules,dist,.git,.vale,api-docs + +# Use external ignore file for product branding terms and technical acronyms +# (See .codespellignore for the complete list) +ignore-words = .codespellignore diff --git a/.github/workflows/check-pinned-deps.yml b/.github/workflows/check-pinned-deps.yml new file mode 100644 index 000000000..3b83d11d7 --- /dev/null +++ b/.github/workflows/check-pinned-deps.yml @@ -0,0 +1,93 @@ +name: Check pinned dependency updates + +on: + schedule: + # Run every Monday at 09:00 UTC + - cron: '0 9 * * 1' + workflow_dispatch: # Allow manual trigger + +# Each entry in the matrix defines a pinned dependency: +# name: Human-readable name +# repo: GitHub owner/repo to check for releases +# file: Local file containing the pinned version +# pattern: grep -oP pattern to extract the current version (must capture bare semver) +# sed_pattern: sed expression to replace the old version with the new one +# Use CURRENT and LATEST as placeholders. + +jobs: + check-update: + runs-on: ubuntu-latest + permissions: + contents: write + pull-requests: write + + strategy: + fail-fast: false + matrix: + dep: + - name: Vale + repo: errata-ai/vale + file: .ci/vale/vale.sh + pattern: '^VALE_VERSION="\K[^"]+' + sed_pattern: 's/^VALE_VERSION="CURRENT"/VALE_VERSION="LATEST"/' + + steps: + - name: Checkout repository + uses: actions/checkout@v4 + + - name: Check for update + id: check + run: | + set -euo pipefail + CURRENT=$(grep -oP '${{ matrix.dep.pattern }}' '${{ matrix.dep.file }}') + if [ -z "$CURRENT" ]; then + echo "Failed to determine current version from ${{ matrix.dep.file }}" >&2 + exit 1 + fi + echo "current=$CURRENT" >> "$GITHUB_OUTPUT" + + LATEST=$(curl -sSfL \ + -H "Accept: application/vnd.github+json" \ + -H "Authorization: Bearer ${{ github.token }}" \ + "https://api.github.com/repos/${{ matrix.dep.repo }}/releases/latest" \ + | jq -r '.tag_name' | sed 's/^v//') + + if [ -z "$LATEST" ] || [ "$LATEST" = "null" ]; then + echo "Failed to determine latest release for ${{ matrix.dep.repo }}" >&2 + exit 1 + fi + echo "latest=$LATEST" >> "$GITHUB_OUTPUT" + + if [ "$CURRENT" = "$LATEST" ]; then + echo "up-to-date=true" >> "$GITHUB_OUTPUT" + echo "${{ matrix.dep.name }} is up to date ($CURRENT)" + else + echo "up-to-date=false" >> "$GITHUB_OUTPUT" + echo "${{ matrix.dep.name }} update available: $CURRENT → $LATEST" + fi + + - name: Update pinned version + if: steps.check.outputs.up-to-date == 'false' + run: | + set -euo pipefail + SED_EXPR='${{ matrix.dep.sed_pattern }}' + SED_EXPR="${SED_EXPR//CURRENT/${{ steps.check.outputs.current }}}" + SED_EXPR="${SED_EXPR//LATEST/${{ steps.check.outputs.latest }}}" + sed -i "$SED_EXPR" '${{ matrix.dep.file }}' + + echo "Updated ${{ matrix.dep.file }}:" + grep -n '${{ steps.check.outputs.latest }}' '${{ matrix.dep.file }}' + + - name: Create pull request + if: steps.check.outputs.up-to-date == 'false' + uses: peter-evans/create-pull-request@v7 + with: + commit-message: "chore(deps): update ${{ matrix.dep.name }} to v${{ steps.check.outputs.latest }}" + branch: "chore/update-${{ matrix.dep.name }}-${{ steps.check.outputs.latest }}" + title: "chore(deps): update ${{ matrix.dep.name }} to v${{ steps.check.outputs.latest }}" + body: | + Updates pinned **${{ matrix.dep.name }}** version in `${{ matrix.dep.file }}` + from v${{ steps.check.outputs.current }} to v${{ steps.check.outputs.latest }}. + + **Release notes**: https://github.com/${{ matrix.dep.repo }}/releases/tag/v${{ steps.check.outputs.latest }} + labels: dependencies diff --git a/.gitignore b/.gitignore index 3cd0d666d..b134cbfb1 100644 --- a/.gitignore +++ b/.gitignore @@ -61,3 +61,4 @@ deploy/llm-markdown/lambda-edge/markdown-generator/config.json *.d.ts.map *.js.map .eslintcache +.worktrees/ diff --git a/.shellcheckrc b/.shellcheckrc new file mode 100644 index 000000000..5417fb09f --- /dev/null +++ b/.shellcheckrc @@ -0,0 +1,7 @@ +# ShellCheck configuration for docs-v2 +# https://www.shellcheck.net/wiki/ + +# Disable rules that are noisy in a docs repo context: +# SC1091 - Can't follow non-constant source (common with relative paths) +# SC2154 - Variable referenced but not assigned (often set by sourcing .env files) +disable=SC1091,SC2154 diff --git a/AGENTS.md b/AGENTS.md index a8398d78e..ecc293d22 100644 --- a/AGENTS.md +++ b/AGENTS.md @@ -102,7 +102,7 @@ curl -s -o /dev/null -w "%{http_code}" http://localhost:1313/influxdb3/core/ yarn test:links content/influxdb3/core/**/*.md # Run style linting -docker compose run -T vale content/**/*.md +.ci/vale/vale.sh content/**/*.md ``` **📖 Complete Reference**: [DOCS-TESTING.md](DOCS-TESTING.md) diff --git a/DOCS-CONTRIBUTING.md b/DOCS-CONTRIBUTING.md index 07f1f6ebe..7f0971553 100644 --- a/DOCS-CONTRIBUTING.md +++ b/DOCS-CONTRIBUTING.md @@ -7,9 +7,9 @@ Ready to contribute? 1. [Sign the InfluxData CLA](#sign-the-influxdata-cla) (for substantial changes) 2. [Fork and clone](#fork-and-clone-influxdata-documentation-repository) this repository -3. [Install dependencies](#development-environment-setup) (Node.js, Yarn, Docker) +3. [Install dependencies](#development-environment-setup) (Node.js, Yarn, Vale; Docker for code block tests / optional Vale fallback) 4. Make your changes following [style guidelines](#making-changes) -5. [Test your changes](TESTING.md) (pre-commit and pre-push hooks run automatically) +5. [Test your changes](DOCS-TESTING.md) (pre-commit and pre-push hooks run automatically) 6. [Submit a pull request](#submission-process) For detailed setup and reference information, see the sections below. @@ -80,18 +80,20 @@ manages git pre-commit and pre-push hooks for linting and testing Markdown conte - [prettier](https://prettier.io/docs/en/): formats code, including Markdown, according to style rules for consistency - [Cypress]: e2e testing for UI elements and URLs in content -### Install Docker +### Install Vale (style linting) -docs-v2 includes Docker configurations (`compose.yaml` and Dockerfiles) for running the Vale style linter and tests for code blocks (Shell, Bash, and Python) in Markdown files. +The `.ci/vale/vale.sh` wrapper runs Vale for style linting. +It uses a local `vale` binary if available, otherwise falls back to Docker. -Install [Docker](https://docs.docker.com/get-docker/) for your system. +1. **Option A — Install locally (recommended):** `brew install vale` (or see [Vale installation guide](https://vale.sh/docs/install/)) +2. **Option B — Use Docker:** Install [Docker](https://docs.docker.com/get-docker/). The wrapper pulls a pinned Vale image automatically. -#### Build the test dependency image +### Install Docker (code block testing) -After you have installed Docker, run the following command to build the test -dependency image, `influxdata:docs-pytest`. -The tests defined in `compose.yaml` use the dependencies and execution -environment from this image. +Docker is required for code block tests (`compose.yaml` and `Dockerfile.pytest`). + +1. Install [Docker](https://docs.docker.com/get-docker/) for your system. +2. Build the test dependency image: ```bash docker build -t influxdata/docs-pytest:latest -f Dockerfile.pytest . @@ -357,10 +359,10 @@ yarn test:codeblocks:all yarn test:links content/influxdb3/core/**/*.md # Run style linting -docker compose run -T vale content/**/*.md +.ci/vale/vale.sh content/**/*.md ``` -For comprehensive testing information, including code block testing, link validation, style linting, and advanced testing procedures, see **[TESTING.md](TESTING.md)**. +For comprehensive testing information, including code block testing, link validation, style linting, and advanced testing procedures, see **[DOCS-TESTING.md](DOCS-TESTING.md)**. --- @@ -406,18 +408,13 @@ For detailed reference documentation, see: #### Vale style linting configuration -docs-v2 includes Vale writing style linter configurations to enforce documentation writing style rules, guidelines, branding, and vocabulary terms. +Run Vale with `.ci/vale/vale.sh`: -**Advanced Vale usage:** +1. Lint specific files: `.ci/vale/vale.sh content/influxdb3/core/**/*.md` +2. Use a product config: `.ci/vale/vale.sh --config=content/influxdb/cloud-dedicated/.vale.ini content/path/` +3. Set alert level: `.ci/vale/vale.sh --minAlertLevel=error content/path/` -```sh -docker compose run -T vale --config=content/influxdb/cloud-dedicated/.vale.ini --minAlertLevel=error content/influxdb/cloud-dedicated/write-data/**/*.md -``` - -The output contains error-level style alerts for the Markdown content. - -If a file contains style, spelling, or punctuation problems, -the Vale linter can raise one of the following alert levels: +Vale raises the following alert levels: - **Error**: - Problems that can cause content to render incorrectly diff --git a/DOCS-TESTING.md b/DOCS-TESTING.md index 341fff339..17506fc04 100644 --- a/DOCS-TESTING.md +++ b/DOCS-TESTING.md @@ -15,7 +15,7 @@ This guide covers all testing procedures for the InfluxData documentation, inclu | ----------------------- | ----------------------------------- | ---------------------------- | | **Code blocks** | Validate shell/Python code examples | `yarn test:codeblocks:all` | | **Link validation** | Check internal/external links | `yarn test:links` | -| **Style linting** | Enforce writing standards | `docker compose run -T vale` | +| **Style linting** | Enforce writing standards | `.ci/vale/vale.sh` | | **Markdown generation** | Generate LLM-friendly Markdown | `yarn build:md` | | **E2E tests** | UI and functionality testing | `yarn test:e2e` | @@ -586,17 +586,25 @@ jobs: Style linting uses [Vale](https://vale.sh/) to enforce documentation writing standards, branding guidelines, and vocabulary consistency. +### Setup + +1. **Install Vale locally (recommended):** `brew install vale` (or see [Vale installation guide](https://vale.sh/docs/install/)) +2. **Or use Docker:** The `.ci/vale/vale.sh` wrapper falls back to a pinned Docker image if `vale` isn't installed locally. + ### Basic Usage ```bash -# Basic linting with Docker -docker compose run -T vale --config=content/influxdb/cloud-dedicated/.vale.ini --minAlertLevel=error content/influxdb/cloud-dedicated/write-data/**/*.md +# Lint specific files +.ci/vale/vale.sh content/influxdb3/core/**/*.md + +# With product config and alert level +.ci/vale/vale.sh --config=content/influxdb/cloud-dedicated/.vale.ini --minAlertLevel=error content/influxdb/cloud-dedicated/write-data/**/*.md ``` -### VS Code Integration +### VS Code IDE Integration -1. Install the [Vale VSCode](https://marketplace.visualstudio.com/items?itemName=ChrisChinchilla.vale-vscode) extension -2. Set the `Vale:Vale CLI:Path` setting to `${workspaceFolder}/node_modules/.bin/vale` +1. Install the [Vale VSCode](https://marketplace.visualstudio.com/items?itemName=ChrisChinchilla.vale-vscode) extension. +2. Set `Vale:Vale CLI:Path` to `vale` (or the full path to the binary). ### Alert Levels diff --git a/PLATFORM_REFERENCE.md b/PLATFORM_REFERENCE.md index 5cec04113..c4e5f5d67 100644 --- a/PLATFORM_REFERENCE.md +++ b/PLATFORM_REFERENCE.md @@ -55,7 +55,7 @@ Telegraf: - Documentation: https://docs.influxdata.com/telegraf/v1.37/ Chronograf: - - Documentation: https://docs.influxdata.com/chronograf/v1.10/ + - Documentation: https://docs.influxdata.com/chronograf/v1.11/ Kapacitor: - Documentation: https://docs.influxdata.com/kapacitor/v1.8/ diff --git a/SPELL-CHECK.md b/SPELL-CHECK.md new file mode 100644 index 000000000..4ef0eeb6d --- /dev/null +++ b/SPELL-CHECK.md @@ -0,0 +1,281 @@ +# Spell Checking Configuration Guide + +This document explains the spell-checking rules and tools used in the InfluxData documentation repository. + +## Overview + +The docs-v2 repository uses **two complementary spell-checking tools**: + +1. **Vale** - Integrated documentation spell checker (runs in pre-commit hooks) +2. **Codespell** - Lightweight code comment spell checker (recommended for CI/CD) + +## Tool Comparison + +| Feature | Vale | Codespell | +|---------|------|-----------| +| **Purpose** | Document spell checking | Code comment spell checking | +| **Integration** | Pre-commit hooks (Docker) | CI/CD pipeline | +| **False Positives** | Low (comprehensive filters) | Low (clear dictionary only) | +| **Customization** | YAML rules | INI config + dictionary lists | +| **Performance** | Moderate | Fast | +| **True Positive Detection** | Document-level | Code-level | + +## Vale Configuration + +### File: `.ci/vale/styles/InfluxDataDocs/Spelling.yml` + +#### Why Code Blocks Are Included + +Unlike other documentation style checkers, this configuration **intentionally includes code blocks** (`~code` is NOT excluded). This is critical because: + +1. **Comments in examples** - Users copy code blocks with comments: + ```bash + # Download and verify the GPG key + curl https://repos.influxdata.com/influxdata-archive.key + ``` + Typos in such comments become part of user documentation/scripts. + +2. **Documentation strings** - Code examples may include documentation: + ```python + def create_database(name): + """This funtion creates a new database.""" # ← typo caught + pass + ``` + +3. **Inline comments** - Shell script comments are checked: + ```sh + #!/bin/bash + # Retrive configuration from server + influxctl config get + ``` + +### Filter Patterns Explained + +#### 1. camelCase and snake_case Identifiers +```regex +(?:_*[a-z]+(?:[A-Z][a-z0-9]*)+(?:[A-Z][a-zA-Z0-9]*)*|[a-z_][a-z0-9]*_[a-z0-9_]*) +``` +**Why**: Prevents false positives on variable/method names while NOT matching normal prose + +**Breakdown**: +- **camelCase**: `_*[a-z]+(?:[A-Z][a-z0-9]*)+(?:[A-Z][a-zA-Z0-9]*)*` + - Requires at least one uppercase letter (distinguishes `myVariable` from `provide`) + - Allows leading underscores for private variables (`_privateVar`, `__dunder__`) +- **snake_case**: `[a-z_][a-z0-9]*_[a-z0-9_]*` + - Requires at least one underscore + - Distinguishes `my_variable` from normal words + +**Examples Ignored**: `myVariable`, `targetField`, `getCwd`, `_privateVar`, `my_variable`, `terminationGracePeriodSeconds` + +**Examples NOT Ignored** (caught by spell-checker): `provide`, `database`, `variable` (normal prose) + +#### 2. UPPER_CASE Constants +```regex +[A-Z_][A-Z0-9_]+ +``` +**Why**: Prevents false positives on environment variables and constants +**Examples Ignored**: `API_KEY`, `AWS_REGION`, `INFLUXDB_TOKEN` +**Note**: Matches AWS, API (even single uppercase acronyms) - acceptable in docs + +#### 3. Version Numbers +```regex +\d+\.\d+(?:\.\d+)* +``` +**Why**: Version numbers aren't words +**Examples Ignored**: `1.0`, `2.3.1`, `0.101.0`, `1.2.3.4`, `v1.2.3` +**Note**: Handles any number of version parts (2-part, 3-part, 4-part, etc.) + +#### 4. Hexadecimal Values +```regex +0[xX][0-9a-fA-F]+ +``` +**Why**: Hex values appear in code and aren't dictionary words +**Examples Ignored**: `0xFF`, `0xDEADBEEF`, `0x1A` + +#### 5. URLs and Paths +```regex +/[a-zA-Z0-9/_\-\.\{\}]+ # Paths: /api/v2/write +https?://[^\s\)\]>"]+ # Full URLs: https://docs.example.com +``` +**Why**: URLs contain hyphens, slashes, and special chars +**Examples Ignored**: `/api/v2/write`, `/kapacitor/v1/`, `https://docs.influxdata.com` + +#### 6. Shortcode Attributes +```regex +(?:endpoint|method|url|href|src|path)="[^"]+" +``` +**Why**: Hugo shortcode attribute values often contain hyphens and special chars +**Examples Ignored**: `endpoint="https://..."`, `method="POST"` +**Future Enhancement**: Add more attributes as needed (name, value, data, etc.) + +#### 7. Code Punctuation +```regex +[@#$%^&*()_+=\[\]{};:,.<>?/\\|-]+ +``` +**Why**: Symbols and special characters aren't words +**Examples Ignored**: `()`, `{}`, `[]`, `->`, `=>`, `|`, etc. + +### Ignored Words + +The configuration references two word lists: + +- **`InfluxDataDocs/Terms/ignore.txt`** - Product and technical terms (non-English) +- **`InfluxDataDocs/Terms/query-functions.txt`** - InfluxQL/Flux function names + +To add a word that should be ignored, edit the appropriate file. + +## Codespell Configuration + +### File: `.codespellrc` + +#### Dictionary Choice: "clear" + +**Why "clear" (not "rare" or "code")**: + +- `clear` - Unambiguous spelling errors only + - Examples: "recieve" → "receive", "occured" → "occurred" + - False positive rate: ~1% + +- `rare` - Includes uncommon but valid English words + - Would flag legitimate technical terms + - False positive rate: ~15-20% + +- `code` - Includes code-specific words + - Too aggressive for documentation + - False positive rate: ~25-30% + +#### Skip Directories + +```ini +skip = public,node_modules,dist,.git,.vale,api-docs +``` + +- `public` - Generated HTML (not source) +- `node_modules` - npm dependencies (not our code) +- `dist` - Compiled TypeScript output (not source) +- `.git` - Repository metadata +- `.vale` - Vale configuration and cache +- `api-docs` - Generated OpenAPI specifications (many false positives) + +#### Ignored Words + +```ini +ignore-words-list = aks,invokable +``` + +- **`aks`** - Azure Kubernetes Service (acronym) +- **`invokable`** - InfluxData product branding term (scriptable tasks/queries) + +**To add more**: +1. Edit `.codespellrc` +2. Add word to `ignore-words-list` (comma-separated) +3. Add inline comment explaining why + +## Running Spell Checkers + +### Vale (Pre-commit) + +Vale automatically runs on files you commit via Lefthook. + +**Manual check**: +```bash +# Check all content +docker compose run -T vale content/**/*.md + +# Check specific file +docker compose run -T vale content/influxdb/cloud/reference/cli.md +``` + +### Codespell (Manual/CI) + +```bash +# Check entire content directory +codespell content/ --builtin clear + +# Check specific directory +codespell content/influxdb3/core/ + +# Interactive mode (prompts for fixes) +codespell content/ --builtin clear -i 3 + +# Auto-fix (USE WITH CAUTION) +codespell content/ --builtin clear -w +``` + +## Rule Validation + +The spell-checking rules are designed to: + +✅ Catch real spelling errors (true positives) +✅ Ignore code patterns, identifiers, and paths (false negative prevention) +✅ Respect product branding terms (invokable, Flux, InfluxQL) +✅ Work seamlessly in existing workflows + +### Manual Validation + +Create a test file with various patterns: + +```bash +# Test camelCase handling +echo "variable myVariable is defined" | codespell + +# Test version numbers +echo "InfluxDB version 2.3.1 is released" | codespell + +# Test real typos (should be caught) +echo "recieve the data" | codespell +``` + +## Troubleshooting + +### Vale: False Positives + +**Problem**: Vale flags a word that should be valid + +**Solutions**: +1. Check if it's a code identifier (camelCase, UPPER_CASE, hex, version) +2. Add to `InfluxDataDocs/Terms/ignore.txt` if it's a technical term +3. Add filter pattern to `.ci/vale/styles/InfluxDataDocs/Spelling.yml` if it's a pattern + +### Codespell: False Positives + +**Problem**: Codespell flags a legitimate term + +**Solutions**: +1. Add to `ignore-words-list` in `.codespellrc` +2. Add skip directory if entire directory should be excluded +3. Use `-i 3` (interactive mode) to review before accepting + +### Both Tools: Missing Real Errors + +**Problem**: A real typo isn't caught + +**Solutions**: +1. Verify it's actually a typo (not a branding term or intentional) +2. Check if it's in excluded scope (tables, URLs, code identifiers) +3. Report as GitHub issue for tool improvement + +## Contributing + +When adding content: + +1. **Use semantic line feeds** (one sentence per line) +2. **Run Vale pre-commit** checks before committing +3. **Test code block comments** for typos +4. **Avoid adding to ignore lists** when possible +5. **Document why** you excluded a term (if necessary) + +## Related Files + +- `.ci/vale/styles/InfluxDataDocs/` - Vale rule configuration +- `.codespellrc` - Codespell configuration +- `.codespellignore` - Codespell ignore word list +- `DOCS-CONTRIBUTING.md` - General contribution guidelines +- `DOCS-TESTING.md` - Testing and validation guide + +## Future Improvements + +1. Create comprehensive test suite for spell-checking rules +2. Document how to add product-specific branding terms +3. Consider adding codespell to CI/CD pipeline +4. Monitor and update ignore lists quarterly diff --git a/api-docs/influxdb3/enterprise/v3/ref.yml b/api-docs/influxdb3/enterprise/v3/ref.yml index c0f44d374..8a813ac3e 100644 --- a/api-docs/influxdb3/enterprise/v3/ref.yml +++ b/api-docs/influxdb3/enterprise/v3/ref.yml @@ -1145,8 +1145,29 @@ paths: Soft deletes a database. The database is scheduled for deletion and unavailable for querying. Use the `hard_delete_at` parameter to schedule a hard deletion. + Use the `data_only` parameter to delete data while preserving the database schema and resources. parameters: - $ref: '#/components/parameters/db' + - name: data_only + in: query + required: false + schema: + type: boolean + default: false + description: | + Delete only data while preserving the database schema and all associated resources + (tokens, triggers, last value caches, distinct value caches, processing engine configurations). + When `false` (default), the entire database is deleted. + - name: remove_tables + in: query + required: false + schema: + type: boolean + default: false + description: | + Used with `data_only=true` to remove table resources (caches) while preserving + database-level resources (tokens, triggers, processing engine configurations). + Has no effect when `data_only=false`. - name: hard_delete_at in: query required: false @@ -1217,6 +1238,7 @@ paths: Soft deletes a table. The table is scheduled for deletion and unavailable for querying. Use the `hard_delete_at` parameter to schedule a hard deletion. + Use the `data_only` parameter to delete data while preserving the table schema and resources. #### Deleting a table cannot be undone @@ -1229,6 +1251,16 @@ paths: required: true schema: type: string + - name: data_only + in: query + required: false + schema: + type: boolean + default: false + description: | + Delete only data while preserving the table schema and all associated resources + (last value caches, distinct value caches). + When `false` (default), the entire table is deleted. - name: hard_delete_at in: query required: false diff --git a/assets/styles/layouts/article/_badges.scss b/assets/styles/layouts/article/_badges.scss index 2548388ab..6d462c983 100644 --- a/assets/styles/layouts/article/_badges.scss +++ b/assets/styles/layouts/article/_badges.scss @@ -5,7 +5,7 @@ border-radius: .6rem; font-weight: bold; vertical-align: top; - + &.dvc { color: #2e7d2e; background-color: #e8f5e8; @@ -14,4 +14,8 @@ color: #1976d2; background-color: #e3f2fd; } + &.experimental { + color: $badge-experimental-text; + background-color: $badge-experimental-bg; + } } \ No newline at end of file diff --git a/assets/styles/themes/_theme-dark.scss b/assets/styles/themes/_theme-dark.scss index 800740cf1..89678235d 100644 --- a/assets/styles/themes/_theme-dark.scss +++ b/assets/styles/themes/_theme-dark.scss @@ -266,3 +266,7 @@ $influxdb-logo: url('/svgs/influxdb-logo-white.svg') !default; // Code placeholder colors $code-placeholder: #e659a2; $code-placeholder-hover: $br-teal; + +// Badge colors +$badge-experimental-text: $article-caution-text; +$badge-experimental-bg: $article-caution-bg; diff --git a/assets/styles/themes/_theme-light.scss b/assets/styles/themes/_theme-light.scss index eb9e530f3..0839b3188 100644 --- a/assets/styles/themes/_theme-light.scss +++ b/assets/styles/themes/_theme-light.scss @@ -265,3 +265,7 @@ $diagram-arrow: $g14-chromium !default; // Code placeholder colors $code-placeholder: $br-new-magenta !default; $code-placeholder-hover: $br-new-purple !default; + +// Badge colors +$badge-experimental-text: $article-caution-text !default; +$badge-experimental-bg: $article-caution-bg !default; diff --git a/content/chronograf/v1/__tests__/shortcodes.md b/content/chronograf/v1/__tests__/shortcodes.md new file mode 100644 index 000000000..65447b908 --- /dev/null +++ b/content/chronograf/v1/__tests__/shortcodes.md @@ -0,0 +1,17 @@ +--- +title: Shortcode test page +noindex: true +test_only: true +--- + + +{{% product-name %}} +{{% product-name "short" %}} +{{< product-key >}} +{{< current-version >}} +{{< influxdb/host >}} +{{< latest-patch >}} +{{< icon "check" >}} +
{{< api-endpoint method="get" endpoint="https://{{< influxdb/host >}}/api/v2/query" >}}
+{{% show-in "core" %}}VISIBLE_IN_CORE{{% /show-in %}} +{{% hide-in "core" %}}HIDDEN_IN_CORE{{% /hide-in %}} diff --git a/content/chronograf/v1/_index.md b/content/chronograf/v1/_index.md index b447ab871..e1a69e754 100644 --- a/content/chronograf/v1/_index.md +++ b/content/chronograf/v1/_index.md @@ -8,6 +8,9 @@ menu: chronograf_v1: name: Chronograf weight: 1 +cascade: + product: chronograf + version: v1 --- Chronograf is InfluxData's open source web application. diff --git a/content/chronograf/v1/about_the_project/release-notes.md b/content/chronograf/v1/about_the_project/release-notes.md index 212f280d8..696109e54 100644 --- a/content/chronograf/v1/about_the_project/release-notes.md +++ b/content/chronograf/v1/about_the_project/release-notes.md @@ -10,6 +10,22 @@ aliases: - /chronograf/v1/about_the_project/release-notes-changelog/ --- +## v1.11.0 {date="2026-02-19"} + +> [!Warning] +> Chronograf 1.11.0 removes support for Linux i386, armhf, armel, and static builds. +> It also removes support for Darwin arm64. + +### Maintenance updates + +- Upgrade Go to 1.24.13. +- Upgrade TypeScript to 4.9.5. +- Upgrade Node.js to v24.13.0. + +### Other + +- Update Flux help in the UI to align with stdlib 0.199. + ## v1.10.9 {date="2026-01-07"} ### Features @@ -325,7 +341,7 @@ USE "db_name"; DROP SERIES FROM "measurement_name" WHERE "tag" = 'value' USE "db_name"; DELETE FROM "measurement_name" WHERE "tag" = 'value' AND time < '2020-01-01' ``` -- Add support for Bitbucket `emails` endpoint with generic OAuth. For more information, see [Bitbucket documentation](https://developer.atlassian.com/bitbucket/api/2/reference/resource/user/emails) and how to [configure Chronograf to authenticate with OAuth 2.0](/chronograf/v1/administration/managing-security/#configure-chronograf-to-authenticate-with-oauth-2-0). +- Add support for Bitbucket `emails` endpoint with generic OAuth. For more information, see [Bitbucket documentation](https://developer.atlassian.com/bitbucket/api/2/reference/resource/user/emails) and how to [configure Chronograf to authenticate with OAuth 2.0](/chronograf/v1/administration/managing-security/#configure-chronograf-to-authenticate-with-oauth-20). ### Bug Fixes @@ -493,9 +509,9 @@ features and bug fixes below. If you're installing Chronograf for the first time, learn how to [create a new Chronograf HA configuration](/chronograf/v1/administration/create-high-availability/). If you're upgrading Chronograf, learn how to [migrate your existing Chronograf configuration to HA](/chronograf/v1/administration/migrate-to-high-availability/). -- Add configuration option to [disable the Host List page](/chronograf/v1/administration/config-options/#host-page-disabled-h). +- Add configuration option to [disable the Host List page](/chronograf/v1/administration/config-options/#--host-page-disabled---h). - Add ability to select a data source when [creating a template variable](/chronograf/v1/guides/dashboard-template-variables/#create-custom-template-variables). -- Add the `refresh` query parameter to set the dashboard auto-refresh interval (by default, 10000 milliseconds). Discover ways to [configure your dashboard](/chronograf/v1/guides/create-a-dashboard/#step-6-configure-your-dashboard). +- Add the `refresh` query parameter to set the dashboard auto-refresh interval (by default, 10000 milliseconds). Discover ways to [configure your dashboard](/chronograf/v1/guides/create-a-dashboard/#configure-dashboard-wide-settings). ### Bug Fixes @@ -1339,7 +1355,7 @@ features and bug fixes below. * When dashboard time range is changed, reset graphs that are zoomed in * [Bar graph](/chronograf/v1/guides/visualization-types/#bar-graph) option added to dashboard * Redesign source management table to be more intuitive - * Redesign [Line + Single Stat](/chronograf/v1/guides/visualization-types/#line-graph-single-stat) cells to appear more like a sparkline, and improve legibility + * Redesign [Line + Single Stat](/chronograf/v1/guides/visualization-types/#line-graph--single-stat) cells to appear more like a sparkline, and improve legibility ## v1.3.2.0 {date="2017-06-05"} @@ -1375,7 +1391,7 @@ In versions 1.3.1+, installing a new version of Chronograf automatically clears ### Bug fixes - * Fix infinite spinner when `/chronograf` is a [basepath](/chronograf/v1/administration/config-options/#basepath-p) + * Fix infinite spinner when `/chronograf` is a [basepath](/chronograf/v1/administration/config-options/#--basepath---p) * Remove the query templates dropdown from dashboard cell editor mode * Fix the backwards sort arrows in table column headers * Make the logout button consistent with design @@ -1404,25 +1420,25 @@ In versions 1.3.1+, installing a new version of Chronograf automatically clears ### Bug fixes - * Fix the link to home when using the [`--basepath` option](/chronograf/v1/administration/config-options/#basepath-p) + * Fix the link to home when using the [`--basepath` option](/chronograf/v1/administration/config-options/#--basepath---p) * Remove the notification to login on the login page * Support queries that perform math on functions * Prevent the creation of blank template variables * Ensure thresholds for Kapacitor Rule Alerts appear on page load * Update the Kapacitor configuration page when the configuration changes - * Fix Authentication when using Chronograf with a set [basepath](/chronograf/v1/administration/config-options/#basepath-p) + * Fix Authentication when using Chronograf with a set [basepath](/chronograf/v1/administration/config-options/#--basepath---p) * Show red indicator on Hosts Page for an offline host * Support escaping from presentation mode in Safari * Re-implement level colors on the alerts page * Fix router bug introduced by upgrading to react-router v3.0 - * Show legend on [Line+Stat](/chronograf/v1/guides/visualization-types/#line-graph-single-stat) visualization type + * Show legend on [Line+Stat](/chronograf/v1/guides/visualization-types/#line-graph--single-stat) visualization type * Prevent queries with `:dashboardTime:` from breaking the query builder ### Features * Add line-protocol proxy for InfluxDB/InfluxDB Enterprise Cluster data sources * Add `:dashboardTime:` to support cell-specific time ranges on dashboards - * Add support for enabling and disabling [TICKscripts that were created outside Chronograf](/chronograf/v1/guides/advanced-kapacitor/#tickscript-management) + * Add support for enabling and disabling [TICKscripts that were created outside Chronograf](/chronograf/v1/guides/advanced-kapacitor/#manage-kapacitor-tickscripts) * Allow users to delete Kapacitor configurations ### UI improvements diff --git a/content/enterprise_influxdb/v1/__tests__/shortcodes.md b/content/enterprise_influxdb/v1/__tests__/shortcodes.md new file mode 100644 index 000000000..65447b908 --- /dev/null +++ b/content/enterprise_influxdb/v1/__tests__/shortcodes.md @@ -0,0 +1,17 @@ +--- +title: Shortcode test page +noindex: true +test_only: true +--- + + +{{% product-name %}} +{{% product-name "short" %}} +{{< product-key >}} +{{< current-version >}} +{{< influxdb/host >}} +{{< latest-patch >}} +{{< icon "check" >}} +
{{< api-endpoint method="get" endpoint="https://{{< influxdb/host >}}/api/v2/query" >}}
+{{% show-in "core" %}}VISIBLE_IN_CORE{{% /show-in %}} +{{% hide-in "core" %}}HIDDEN_IN_CORE{{% /hide-in %}} diff --git a/content/enterprise_influxdb/v1/_index.md b/content/enterprise_influxdb/v1/_index.md index f5649d6e7..19938ce1a 100644 --- a/content/enterprise_influxdb/v1/_index.md +++ b/content/enterprise_influxdb/v1/_index.md @@ -8,6 +8,9 @@ menu: enterprise_influxdb_v1: name: InfluxDB Enterprise v1 weight: 1 +cascade: + product: enterprise_influxdb + version: v1 --- InfluxDB Enterprise provides a time series database designed to handle high write and query loads and offers highly scalable clusters on your infrastructure with a management UI. Use for DevOps monitoring, IoT sensor data, and real-time analytics. diff --git a/content/flux/v0/__tests__/shortcodes.md b/content/flux/v0/__tests__/shortcodes.md new file mode 100644 index 000000000..65447b908 --- /dev/null +++ b/content/flux/v0/__tests__/shortcodes.md @@ -0,0 +1,17 @@ +--- +title: Shortcode test page +noindex: true +test_only: true +--- + + +{{% product-name %}} +{{% product-name "short" %}} +{{< product-key >}} +{{< current-version >}} +{{< influxdb/host >}} +{{< latest-patch >}} +{{< icon "check" >}} +
{{< api-endpoint method="get" endpoint="https://{{< influxdb/host >}}/api/v2/query" >}}
+{{% show-in "core" %}}VISIBLE_IN_CORE{{% /show-in %}} +{{% hide-in "core" %}}HIDDEN_IN_CORE{{% /hide-in %}} diff --git a/content/flux/v0/_index.md b/content/flux/v0/_index.md index 291955396..eec1da04a 100644 --- a/content/flux/v0/_index.md +++ b/content/flux/v0/_index.md @@ -11,6 +11,9 @@ aliases: - /influxdb/v2/reference/flux/ - /influxdb/v2/reference/flux/ - /influxdb/cloud/reference/flux/ +cascade: + product: flux + version: v0 --- Flux is an open source functional data scripting language designed for querying, diff --git a/content/influxdb/cloud/__tests__/shortcodes.md b/content/influxdb/cloud/__tests__/shortcodes.md new file mode 100644 index 000000000..bfd66aa4b --- /dev/null +++ b/content/influxdb/cloud/__tests__/shortcodes.md @@ -0,0 +1,21 @@ +--- +title: Shortcode test page +noindex: true +test_only: true +--- + + +{{% product-name %}} +{{% product-name "short" %}} +{{< product-key >}} +{{< current-version >}} +{{< influxdb/host >}} +{{< latest-patch >}} +{{< latest-patch cli=true >}} +{{< icon "check" >}} +
{{< api-endpoint method="get" endpoint="https://{{< influxdb/host >}}/api/v2/query" >}}
+{{% show-in "core" %}}VISIBLE_IN_CORE{{% /show-in %}} +{{% hide-in "core" %}}HIDDEN_IN_CORE{{% /hide-in %}} +
{{< cli/influx-creds-note >}}
+
{{< release-toc >}}
+
{{< influxdb/points-series-flux >}}
diff --git a/content/influxdb/cloud/_index.md b/content/influxdb/cloud/_index.md index 17667f209..d9f8e1370 100644 --- a/content/influxdb/cloud/_index.md +++ b/content/influxdb/cloud/_index.md @@ -8,10 +8,13 @@ menu: influxdb_cloud: name: InfluxDB Cloud weight: 1 +cascade: + product: influxdb_cloud + version: cloud --- #### Welcome -Welcome to the InfluxDB v2.0 documentation! +Welcome to the InfluxDB v2.0 documentation. InfluxDB is an open source time series database designed to handle high write and query workloads. This documentation is meant to help you learn how to use and leverage InfluxDB to meet your needs. diff --git a/content/influxdb/cloud/process-data/common-tasks/downsample-data-quix.md b/content/influxdb/cloud/process-data/common-tasks/downsample-data-quix.md index 5ed3f47d1..8019f887f 100644 --- a/content/influxdb/cloud/process-data/common-tasks/downsample-data-quix.md +++ b/content/influxdb/cloud/process-data/common-tasks/downsample-data-quix.md @@ -106,7 +106,7 @@ downsamples it, and then sends it to an output topic which is later written back ``` 2. Configure the Quix Streams built-in windowing function to create a tumbling - window that continously downsamples the data into 1-minute buckets. + window that continuously downsamples the data into 1-minute buckets. ```py # ... diff --git a/content/influxdb/v1/__tests__/shortcodes.md b/content/influxdb/v1/__tests__/shortcodes.md new file mode 100644 index 000000000..65447b908 --- /dev/null +++ b/content/influxdb/v1/__tests__/shortcodes.md @@ -0,0 +1,17 @@ +--- +title: Shortcode test page +noindex: true +test_only: true +--- + + +{{% product-name %}} +{{% product-name "short" %}} +{{< product-key >}} +{{< current-version >}} +{{< influxdb/host >}} +{{< latest-patch >}} +{{< icon "check" >}} +
{{< api-endpoint method="get" endpoint="https://{{< influxdb/host >}}/api/v2/query" >}}
+{{% show-in "core" %}}VISIBLE_IN_CORE{{% /show-in %}} +{{% hide-in "core" %}}HIDDEN_IN_CORE{{% /hide-in %}} diff --git a/content/influxdb/v1/_index.md b/content/influxdb/v1/_index.md index 61eb6b45f..9fff22594 100644 --- a/content/influxdb/v1/_index.md +++ b/content/influxdb/v1/_index.md @@ -5,6 +5,9 @@ menu: influxdb_v1: name: InfluxDB OSS v1 weight: 1 +cascade: + product: influxdb + version: v1 --- InfluxDB is a [time series database](https://www.influxdata.com/time-series-database/) designed to handle high write and query loads. diff --git a/content/influxdb/v2/__tests__/shortcodes.md b/content/influxdb/v2/__tests__/shortcodes.md new file mode 100644 index 000000000..bfd66aa4b --- /dev/null +++ b/content/influxdb/v2/__tests__/shortcodes.md @@ -0,0 +1,21 @@ +--- +title: Shortcode test page +noindex: true +test_only: true +--- + + +{{% product-name %}} +{{% product-name "short" %}} +{{< product-key >}} +{{< current-version >}} +{{< influxdb/host >}} +{{< latest-patch >}} +{{< latest-patch cli=true >}} +{{< icon "check" >}} +
{{< api-endpoint method="get" endpoint="https://{{< influxdb/host >}}/api/v2/query" >}}
+{{% show-in "core" %}}VISIBLE_IN_CORE{{% /show-in %}} +{{% hide-in "core" %}}HIDDEN_IN_CORE{{% /hide-in %}} +
{{< cli/influx-creds-note >}}
+
{{< release-toc >}}
+
{{< influxdb/points-series-flux >}}
diff --git a/content/influxdb/v2/_index.md b/content/influxdb/v2/_index.md index 89a6a2ffc..31ff97e00 100644 --- a/content/influxdb/v2/_index.md +++ b/content/influxdb/v2/_index.md @@ -8,11 +8,14 @@ menu: influxdb_v2: name: InfluxDB OSS v2 weight: 1 +cascade: + product: influxdb + version: v2 --- #### Welcome -Welcome to the InfluxDB OSS v2 documentation! +Welcome to the InfluxDB OSS v2 documentation. InfluxDB is an open source time series database designed to handle high write and query workloads. This documentation is meant to help you learn how to use and leverage InfluxDB to meet your needs. diff --git a/content/influxdb/v2/reference/config-options.md b/content/influxdb/v2/reference/config-options.md index 5909d50e0..4f2d83d1e 100644 --- a/content/influxdb/v2/reference/config-options.md +++ b/content/influxdb/v2/reference/config-options.md @@ -3476,7 +3476,7 @@ Enable storing hashed API tokens on disk. Hashed tokens are disabled by default Storing hashed tokens increases security by storing API tokens as hashes on disk. When enabled, all unhashed tokens are converted to hashed tokens on every startup leaving no unhashed tokens on disk. Newly created tokens are also stored as hashes. Lost tokens must be replaced when token hashing is enabled because the hashing prevents them from being recovered. -If token hashing is disabled after being enabled, any hashed tokens on disk remain as hashed tokens. Newly created tokens are stored unhashed when token hashing is disabled. Hashed tokens on disk remain valid and useable even with token hashing disabled. +If token hashing is disabled after being enabled, any hashed tokens on disk remain as hashed tokens. Newly created tokens are stored unhashed when token hashing is disabled. Hashed tokens on disk remain valid and usable even with token hashing disabled. Hashed token support is available in versions 2.8.0 and newer. Downgrading to older versions is not recommended after enabling hashed tokens because the downgrade process deletes all stored hashed tokens. All hashed tokens must be replaced on a downgrade after hashed tokens are enabled. diff --git a/content/influxdb/v2/tools/downsample-data-quix.md b/content/influxdb/v2/tools/downsample-data-quix.md index 6704f1527..b063810cd 100644 --- a/content/influxdb/v2/tools/downsample-data-quix.md +++ b/content/influxdb/v2/tools/downsample-data-quix.md @@ -98,7 +98,7 @@ downsamples it, and then sends it to an output topic which is later written back ``` 2. Configure the Quix Streams built-in windowing function to create a tumbling - window that continously downsamples the data into 1-minute buckets. + window that continuously downsamples the data into 1-minute buckets. ```py # ... diff --git a/content/influxdb3/cloud-dedicated/__tests__/shortcodes.md b/content/influxdb3/cloud-dedicated/__tests__/shortcodes.md new file mode 100644 index 000000000..7648c4f07 --- /dev/null +++ b/content/influxdb3/cloud-dedicated/__tests__/shortcodes.md @@ -0,0 +1,31 @@ +--- +title: Shortcode test page +noindex: true +test_only: true +--- + + +{{% product-name %}} +{{% product-name "short" %}} +{{< product-key >}} +{{< current-version >}} +{{< influxdb/host >}} +{{< influxdb3/home-sample-link >}} +{{< latest-patch >}} +{{< icon "check" >}} +
{{< api-endpoint method="get" endpoint="https://{{< influxdb/host >}}/api/v2/query" >}}
+{{% show-in "core" %}}VISIBLE_IN_CORE{{% /show-in %}} +{{% hide-in "core" %}}HIDDEN_IN_CORE{{% /hide-in %}} +{{< cta-link >}} + +
+ +{{% sql/sql-schema-intro %}} + +
+ +
+ +{{% influxql/v1-v3-data-model-note %}} + +
diff --git a/content/influxdb3/cloud-dedicated/_index.md b/content/influxdb3/cloud-dedicated/_index.md index e8bfb23f6..158e13dd3 100644 --- a/content/influxdb3/cloud-dedicated/_index.md +++ b/content/influxdb3/cloud-dedicated/_index.md @@ -10,6 +10,9 @@ menu: influxdb3_cloud_dedicated: name: InfluxDB Cloud Dedicated weight: 1 +cascade: + product: influxdb3_cloud_dedicated + version: cloud-dedicated --- InfluxDB Cloud Dedicated is a hosted and managed InfluxDB Cloud cluster diff --git a/content/influxdb3/cloud-dedicated/admin/autoscaling.md b/content/influxdb3/cloud-dedicated/admin/autoscaling.md new file mode 100644 index 000000000..703a6af57 --- /dev/null +++ b/content/influxdb3/cloud-dedicated/admin/autoscaling.md @@ -0,0 +1,93 @@ +--- +title: Enable autoscaling +seotitle: Configure autoscaling for InfluxDB Cloud Dedicated +description: > + Learn how autoscaling works in InfluxDB Cloud Dedicated and how to + enable and configure autoscaling limits for your clusters. +menu: + influxdb3_cloud_dedicated: + parent: Administer InfluxDB Cloud +weight: 106 +influxdb3/cloud-dedicated/tags: [admin, autoscaling, performance] +--- + +Enable autoscaling to automatically adjust your {{% product-name %}} cluster capacity in response to workload demand. +Autoscaling helps protect performance during spikes while minimizing manual intervention and over-provisioning. + +- [What is autoscaling](#what-is-autoscaling) +- [How autoscaling works](#how-autoscaling-works) + - [Scaling and billing](#scaling-and-billing) +- [Update or disable autoscaling](#update-or-disable-autoscaling) +- [Monitor autoscaling behavior](#monitor-autoscaling-behavior) + +## What is autoscaling + +Autoscaling for {{% product-name %}} automatically scales cluster components based on workload demand. +Clusters scale up from a minimum committed size to upper limits that you define, and scale back toward the baseline when demand decreases. + +With autoscaling, you can: + +- **Improve performance**: Scale up automatically during peak loads to maintain ingest and query performance. +- **Increase cost efficiency**: Scale down to your baseline commitment during periods of low demand to reduce infrastructure costs. +- **Simplify operations**: Reduce manual interventions needed to resize clusters as workloads change. + +Autoscaling is generally available for {{% product-name %}} clusters. + +## How autoscaling works + +Autoscaling for {{% product-name %}} uses Kubernetes autoscaling under the hood and supports independent scaling of cluster components. +In particular, ingest and query components can scale separately based on their respective workloads. + +### At a high level + +- You have a **baseline configuration** that defines your committed cluster size. +- You select **upper autoscaling limits** for key components (for example, querier and ingester CPU). +- When workload demand increases and resource utilization exceeds thresholds, autoscaling increases resources for the affected components, up to the configured limits. +- When demand drops and capacity is no longer required, autoscaling gradually scales components back toward the baseline. +- Scaling can be granular, adding as few CPUs and as little memory as needed; both CPU and memory are used to determine when and how to scale. + +Autoscaling does not change other aspects of your contract, such as data retention or feature availability. +Your {{% product-name %}} representative or support team will confirm appropriate limits for each cluster. + +### Scaling and billing + +Scaling occurs only when your workload requires it. +While the cluster runs at or below the baseline configuration, usage is covered by your existing commitment. + +> [!Important] +> If autoscaling increases resources above the baseline, you may incur **additional usage charges** beyond your committed spend, in accordance with your agreement. +> Work with your Account Executive to choose limits that balance performance goals and cost expectations. + +## Enable autoscaling for a cluster + +[Contact InfluxData support](https://support.influxdata.com) to enable autoscaling for your cluster. +Provide your autoscaling requirements so the support team can configure appropriate limits. + +## Update or disable autoscaling + +Autoscaling settings can be adjusted at any time after enablement. +For example, you might raise the upper limit for querier CPU, lower the limit for ingester CPU, or turn autoscaling off entirely. + +To update or disable autoscaling for a cluster, [contact InfluxData support](https://support.influxdata.com) and provide: + +- Cloud Dedicated [account ID](/influxdb3/cloud-dedicated/admin/account/) and [cluster ID](/influxdb3/cloud-dedicated/admin/clusters/). +- Whether you want to: + - Change autoscaling limits for querier and ingester components, or + - Disable autoscaling for the cluster. +- Any relevant workload or performance context (for example, new peak load patterns). + +## Monitor autoscaling behavior + +If autoscaling is enabled, you can view the configured limits in the cluster card on the Admin UI **Overview** page. + + +{{< img-hd src="/img/influxdb3/cloud-dedicated-admin-ui-autoscaling.png" alt="Autoscaling enabled for cluster in Admin UI Cluster Overview page" />}} + + + + +After autoscaling is enabled, monitor cluster performance and capacity to understand how and when scaling occurs. +Use the Admin UI **Overview** page to monitor CPU allocation, component CPU distribution, and cluster metrics. +For more information, see [Monitor your cluster](/influxdb3/cloud-dedicated/admin/monitor-your-cluster/). + +If you see sustained utilization near your autoscaling limits or frequent scaling events during normal workloads, contact your Account Executive or support team to review and adjust limits. diff --git a/content/influxdb3/cloud-dedicated/query-data/troubleshoot-and-optimize/query-log.md b/content/influxdb3/cloud-dedicated/query-data/troubleshoot-and-optimize/query-log.md new file mode 100644 index 000000000..7aa0df801 --- /dev/null +++ b/content/influxdb3/cloud-dedicated/query-data/troubleshoot-and-optimize/query-log.md @@ -0,0 +1,154 @@ +--- +title: View the query log +description: > + View and analyze queries executed on your cluster using the Admin UI Query History + or by querying the _internal database with influxctl. +menu: + influxdb3_cloud_dedicated: + name: View the query log + parent: Troubleshoot and optimize queries +weight: 351 +influxdb3/cloud-dedicated/tags: [query, observability, admin] +related: + - /influxdb3/cloud-dedicated/reference/cli/influxctl/query/ + - /influxdb3/cloud-dedicated/admin/account/ + - /influxdb3/cloud-dedicated/query-data/troubleshoot-and-optimize/system-information/ +--- + +The query log records queries executed on your {{% product-name %}} cluster. +Use it to monitor query performance, find slow-running queries, and troubleshoot failed executions. + +> [!Note] +> #### Query logging is not enabled by default +> +> The query log is disabled by default on all clusters because it generates additional ingest and storage overhead and is intended primarily for troubleshooting, not continuous monitoring. +> To enable it for your cluster, [contact InfluxData support](https://support.influxdata.com). + +Use the Admin UI or the [`influxctl query` command](/influxdb3/cloud-dedicated/reference/cli/influxctl/query/) to view the query log. + +{{< tabs-wrapper >}} +{{% tabs %}} +[Admin UI](#) +[influxctl](#) +{{% /tabs %}} +{{% tab-content %}} +{{< admin-ui-access >}} + +3. Open the cluster you want to inspect and go to **Query History**. + +If query logging is enabled for your cluster, any admin user can access the query log in the Admin UI automatically; no database token is required. + + +In Query History you can: + +- **Search** by Database Token ID to see queries run with a specific token. +- **Filter** by: + - **Status** (for example, success, failure) + - **Database** + - **Query type** (for example, SQL, InfluxQL) + - **Source** (for example, User Queries, UI) + - **Time range** (for example, last 24 hours) + +The table lists each query with its status, query text, database, query type, duration, and timestamp. +You can use the column headers to sort (for example by duration or time). + + + +{{< img-hd src="/img/influxdb3/cloud-dedicated-admin-ui-query-log-list-view.png" alt="Query History list view in the Admin UI with search, filters, and table" />}} + + + +You can also expand a row to see more details about that execution. + + + +{{< img-hd src="/img/influxdb3/cloud-dedicated-admin-ui-query-log-detail-view.png" alt="Query History detail view in the Admin UI" />}} + +{{% /tab-content %}} +{{% tab-content %}} + + + +Use the [`influxctl query` command](/influxdb3/cloud-dedicated/reference/cli/influxctl/query/) +to run SQL against the `_internal` database and `query_log` table. +Query log entries are stored in the `_internal` database. + +1. If you haven't already, [download and install the `influxctl` CLI](/influxdb3/cloud-dedicated/reference/cli/influxctl/#download-and-install-influxctl), and then [configure an `influxctl` connection profile](/influxdb3/cloud-dedicated/reference/cli/influxctl/#configure-connection-profiles) for your cluster. +2. [Create a database token](/influxdb3/cloud-dedicated/admin/tokens/database/create/?t=influxctl) that has read access to the `_internal` database. + Replace {{% code-placeholder-key %}}`DATABASE_TOKEN`{{% /code-placeholder-key %}} in the examples below with your {{% token-link "database" %}}. +3. Run the **query** subcommand with `--database` and `--language` (and optionally `--config`). + Global flags such as `--config` must come before the command; query flags such as `--database`, `--language`, and `--token` must come after `query`. + +#### Examples + +**List recent successful queries with compute duration above a threshold (for example, 0.6 ms):** + +```sh { placeholders="DATABASE_TOKEN" } +influxctl query \ + --token DATABASE_TOKEN \ + --database _internal \ + --language sql \ + 'SELECT * FROM query_log WHERE success = '\''true'\'' AND compute_duration_ns > 600000 LIMIT 10' +``` + + +**Filter by namespace (database) and time range:** + +```sh { placeholders="DATABASE_TOKEN" } +influxctl query \ + --token DATABASE_TOKEN \ + --database _internal \ + --language sql \ + 'SELECT * FROM query_log WHERE namespace_name = '\''my_database'\'' AND time >= now() - INTERVAL '\''1 day'\'' LIMIT 50' +``` + +**Example output:** + +``` +| auth_id | compute_duration_ns | phase | query_type | query_text | success | time | +|----------------|---------------------|---------|------------|---------------------------------------------------------|---------|--------------------------| +| token-id-xxxx | 2314333 | success | sql | SELECT * FROM query_log WHERE success = 'true' AND ... | true | 2026-02-25T00:30:30Z | +| token-id-yyyy | 3673637621 | success | sql | SELECT * FROM my_measurement WHERE time > now() - ... | true | 2026-02-25T00:28:57Z | +| token-id-yyyy | 1443145654 | success | sql | SELECT COUNT(*) FROM query_log WHERE ... | true | 2026-02-25T00:29:02Z | ++----------------+---------------------+---------+------------+---------------------------------------------------------+---------+--------------------------+ +``` + + +{{% /tab-content %}} +{{< /tabs-wrapper >}} + +## Query log data and columns + +The `query_log` table in `_internal` includes the following columns: + +| Column | Data type | Description | +| :----- | :-------- | :---------- | +| **time** | timestamp | Timestamp when the query log entry was recorded | +| **id** | string | Unique identifier for the query | +| **namespace_id** | string | Internal identifier for the database | +| **namespace_name** | string | Name of the database where the query was executed | +| **query_type** | string | Type of query syntax used (`sql`, `influxql`) | +| **query_text** | string | The actual query statement text | +| **query_params** | string | Query parameters (if applicable) | +| **auth_id** | string | Database token ID used to authenticate the query | +| **trace_id** | string | Trace ID for debugging and monitoring | +| **success** | string | Query execution status (`'true'` or `'false'` as string) | +| **running** | string | Indicates if query is currently running (`'true'` or `'false'` as string) | +| **phase** | string | Current query phase (for example, `received`, `planned`, `permit`, `success`, `fail`, `cancel`) | +| **query_issue_time_ns** | int64 | Time when the query was issued (nanoseconds) | +| **permit_duration_ns** | int64 | Time spent waiting for query permit (nanoseconds) | +| **plan_duration_ns** | int64 | Time spent planning the query (nanoseconds) | +| **execute_duration_ns** | int64 | Time spent executing the query (nanoseconds) | +| **end_to_end_duration_ns** | int64 | Total end-to-end query duration (nanoseconds) | +| **compute_duration_ns** | int64 | Compute time for the query (nanoseconds) | +| **partition_count** | int64 | Number of partitions accessed | +| **parquet_file_count** | int64 | Number of Parquet files read | +| **max_memory_bytes** | int64 | Maximum memory used during query execution (bytes) | + + +> [!Note] +> #### Use string literals for status columns +> +> In the `query_log` table, `success` and `running` are stored as strings (`'true'` or `'false'`), not booleans. +> In SQL predicates, use string comparison—for example, `success = 'true'` or `running = 'false'`—to avoid type coercion errors. + diff --git a/content/influxdb3/cloud-dedicated/reference/release-notes/cloud-dedicated.md b/content/influxdb3/cloud-dedicated/reference/release-notes/cloud-dedicated.md index 8d8209049..0a409a9b1 100644 --- a/content/influxdb3/cloud-dedicated/reference/release-notes/cloud-dedicated.md +++ b/content/influxdb3/cloud-dedicated/reference/release-notes/cloud-dedicated.md @@ -11,30 +11,42 @@ menu: weight: 202 --- -## July 2025 Product Highlights +## January 2026 Product Highlights + +### New Features + +- **Cluster storage observability:** Improve visibility into storage with new live storage usage views. + - View total live database storage in the **Storage used** field on the **Cluster Details** card on the **Overview** page. + - Track storage usage over time in the storage usage dashboard on the **Overview** page. + - Sort live database sizes by size on the **Databases** page. + +- **Query request rate dashboard:** Monitor query request success and error rates (grouped by error type) in the **Query request rate** dashboard. +- **Query log UI:** Now generally available. After you enable **query logging**, use the UI to monitor query performance, find slow-running queries, and troubleshoot failed executions. For details, see [View the query log](/influxdb3/cloud-dedicated/query-data/troubleshoot-and-optimize/query-log/). + + +## 2025 Product Highlights ### New Features - **`influxctl` Database Management:** You can now use `influxctl` to delete, undelete, and rename databases. For complete details, see [Manage databases](/influxdb3/cloud-dedicated/admin/databases/) and the [`influxctl database` command reference](/influxdb3/cloud-dedicated/reference/cli/influxctl/database/). -- **`influxctl` Table Deletion:** We've also added `influxctl` support for deleting tables. For more information, see [Delete a table](/influxdb3/cloud-dedicated/admin/tables/delete/) and the [`influxctl table delete` command reference](/influxdb3/cloud-dedicated/reference/cli/influxctl/table/delete/). +- **`influxctl` table deletion and management:** Delete, undelete, and rename tables with `influxctl`. For details, see [Delete a table](/influxdb3/cloud-dedicated/admin/tables/delete/) and the [`influxctl table delete` command reference](/influxdb3/cloud-dedicated/reference/cli/influxctl/table/delete/). +- **Query logs:** Access query logs as an InfluxDB table (`_internal.query_log`). For details, see [View the query log](/influxdb3/cloud-dedicated/query-data/troubleshoot-and-optimize/query-log/). ### User Interface (UI) Enhancements -- **Simplified User Management:** The UI now includes a _users page_ lets you manage existing users and invite new users. +- **Simplified User Management:** Invite and manage users via **Admin UI > Users**. For details, see [Manage users in the Admin UI](/influxdb3/cloud-dedicated/admin/users/admin-ui/). - **Component-Based Cluster Sizing:** Cluster sizing information has been revamped to better show cluster components and offer a clearer understanding of resource allocation and usage. +- **Schema browser:** View table schemas (including column names and data types) in the Admin UI. For details, see [List tables](/influxdb3/cloud-dedicated/admin/tables/list/). +- **Embedded observability dashboards:** Use embedded dashboards on the **Overview** page to monitor component-level and aggregated cluster metrics. For details, see [Monitor your cluster](/influxdb3/cloud-dedicated/admin/monitor-your-cluster/). ### Reliability -- **Deployment Pipeline Improvements:** We've enhanced our deployment pipeline to be more reliable and minimize downtime. -- **Autoscaling Private Preview:** _Autoscaling functionality_ is entering Private Preview this July. -- **Grafana Upgrade:** Grafana has been upgraded to address a recent [CVE](https://grafana.com/blog/2025/07/02/grafana-security-update-critical-severity-security-release-for-cve-2025-5959-cve-2025-6554-cve-2025-6191-and-cve-2025-6192-in-grafana-image-renderer-plugin-and-synthetic-monitoring-agent/). - -### Connectors - -- **`influxctl` Iceberg Integration:** For customers with Iceberg enabled, you can now use `influxctl` to enable the _Iceberg integration on specific tables_. -- **AWS Glue and Athena Iceberg Integration Private Preview:** _AWS Glue and Athena support for Iceberg integration_ is entering Private Preview this July. +- **Deployment pipeline improvements:** Increase deployment reliability and minimize downtime. +- **Autoscaling (generally available):** Enable autoscaling to maintain performance and reliability during traffic spikes. ### Performance Improvements - **New Disk Caching:** Customers will experience improved performance thanks to new disk caching capabilities. +- **Storage API performance improvements:** Reduce latency for storage APIs, including faster responses for database size and table size queries. + diff --git a/content/influxdb3/cloud-serverless/__tests__/shortcodes.md b/content/influxdb3/cloud-serverless/__tests__/shortcodes.md new file mode 100644 index 000000000..f06ee13aa --- /dev/null +++ b/content/influxdb3/cloud-serverless/__tests__/shortcodes.md @@ -0,0 +1,18 @@ +--- +title: Shortcode test page +noindex: true +test_only: true +--- + + +{{% product-name %}} +{{% product-name "short" %}} +{{< product-key >}} +{{< current-version >}} +{{< influxdb/host >}} +{{< influxdb3/home-sample-link >}} +{{< latest-patch >}} +{{< icon "check" >}} +
{{< api-endpoint method="get" endpoint="https://{{< influxdb/host >}}/api/v2/query" >}}
+{{% show-in "core" %}}VISIBLE_IN_CORE{{% /show-in %}} +{{% hide-in "core" %}}HIDDEN_IN_CORE{{% /hide-in %}} diff --git a/content/influxdb3/cloud-serverless/_index.md b/content/influxdb3/cloud-serverless/_index.md index 89506664c..35e301a28 100644 --- a/content/influxdb3/cloud-serverless/_index.md +++ b/content/influxdb3/cloud-serverless/_index.md @@ -9,6 +9,9 @@ menu: influxdb3_cloud_serverless: name: InfluxDB Cloud Serverless weight: 1 +cascade: + product: influxdb3_cloud_serverless + version: cloud-serverless --- > [!Note] diff --git a/content/influxdb3/clustered/__tests__/shortcodes.md b/content/influxdb3/clustered/__tests__/shortcodes.md new file mode 100644 index 000000000..d753d7c57 --- /dev/null +++ b/content/influxdb3/clustered/__tests__/shortcodes.md @@ -0,0 +1,19 @@ +--- +title: Shortcode test page +noindex: true +test_only: true +--- + + +{{% product-name %}} +{{% product-name "short" %}} +{{< product-key >}} +{{< current-version >}} +{{< influxdb/host >}} +{{< influxdb3/home-sample-link >}} +{{< latest-patch >}} +{{< icon "check" >}} +
{{< api-endpoint method="get" endpoint="https://{{< influxdb/host >}}/api/v2/query" >}}
+{{% show-in "core" %}}VISIBLE_IN_CORE{{% /show-in %}} +{{% hide-in "core" %}}HIDDEN_IN_CORE{{% /hide-in %}} +{{< cta-link >}} diff --git a/content/influxdb3/clustered/_index.md b/content/influxdb3/clustered/_index.md index 64079c17a..fa0c227d6 100644 --- a/content/influxdb3/clustered/_index.md +++ b/content/influxdb3/clustered/_index.md @@ -10,6 +10,9 @@ menu: influxdb3_clustered: name: InfluxDB Clustered weight: 1 +cascade: + product: influxdb3_clustered + version: clustered --- InfluxDB Clustered is a highly available InfluxDB 3 cluster hosted and diff --git a/content/influxdb3/clustered/reference/release-notes/clustered.md b/content/influxdb3/clustered/reference/release-notes/clustered.md index 9565636f8..a1c2de692 100644 --- a/content/influxdb3/clustered/reference/release-notes/clustered.md +++ b/content/influxdb3/clustered/reference/release-notes/clustered.md @@ -837,7 +837,7 @@ InfluxDB Clustered. #### Deployment -- Ingesters now have a `terminationGracePeriodSeconds` value of `600` to provid +- Ingesters now have a `terminationGracePeriodSeconds` value of `600` to provide enough time to persist all buffered data. #### Database engine @@ -1534,7 +1534,7 @@ Support for custom certificates has been implemented since version [20230912-619813](#20230912-619813). Unfortunately, due to a bug, our Object store client didn't use the custom certificates. This release fixes that so you can use the existing configuration for custom -certificates to also specify the certificate and certficate authority used by +certificates to also specify the certificate and certificate authority used by your object store. #### Resource limits @@ -1637,7 +1637,7 @@ Otherwise, no changes are necessary. #### Database engine - Catalog cache convergence improvements. -- Retry after out of memeory (OOM) errors. +- Retry after out of memory (OOM) errors. --- @@ -1682,7 +1682,7 @@ spec: #### Updated Azure AD documentation The `Appendix` / `Configuring Identity Provider` / `Azure` section of the -"Geting started" documentation has been updated: +"Getting started" documentation has been updated: ```diff - https://login.microsoftonline.com/{AZURE_TENANT_ID}/.well-known/openid-configuration diff --git a/content/influxdb3/core/__tests__/shortcodes.md b/content/influxdb3/core/__tests__/shortcodes.md new file mode 100644 index 000000000..076ac075e --- /dev/null +++ b/content/influxdb3/core/__tests__/shortcodes.md @@ -0,0 +1,33 @@ +--- +title: Shortcode test page +noindex: true +test_only: true +--- + + +{{% product-name %}} +{{% product-name "short" %}} +{{< product-key >}} +{{< current-version >}} +{{< influxdb/host >}} +{{< influxdb3/home-sample-link >}} +{{% influxdb3/limit "database" %}} +{{< latest-patch >}} +{{< icon "check" >}} +
{{< api-endpoint method="get" endpoint="https://{{< influxdb/host >}}/api/v2/query" >}}
+{{% show-in "core" %}}VISIBLE_IN_CORE{{% /show-in %}} +{{% hide-in "core" %}}HIDDEN_IN_CORE{{% /hide-in %}} +{{% token-link %}} +{{% token-link "database" %}} + +
+ +{{% sql/sql-schema-intro %}} + +
+ +
+ +{{% influxql/v1-v3-data-model-note %}} + +
diff --git a/content/influxdb3/core/_index.md b/content/influxdb3/core/_index.md index ef374524f..25adb60b2 100644 --- a/content/influxdb3/core/_index.md +++ b/content/influxdb3/core/_index.md @@ -1,5 +1,5 @@ --- -title: InfluxDB 3 Core documentation +title: InfluxDB 3 Core documentation description: > InfluxDB 3 Core is an open source time series database designed and optimized for real-time and recent data. @@ -10,6 +10,9 @@ menu: name: InfluxDB 3 Core weight: 1 source: /shared/influxdb3/_index.md +cascade: + product: influxdb3_core + version: core --- +{{% product-name %}} +{{% product-name "short" %}} +{{< product-key >}} +{{< current-version >}} +{{< influxdb/host >}} +{{< influxdb3/home-sample-link >}} +{{% influxdb3/limit "database" %}} +{{< latest-patch >}} +{{< icon "check" >}} +
{{< api-endpoint method="get" endpoint="https://{{< influxdb/host >}}/api/v2/query" >}}
+{{% show-in "core" %}}VISIBLE_IN_CORE{{% /show-in %}} +{{% hide-in "core" %}}HIDDEN_IN_CORE{{% /hide-in %}} +{{% token-link %}} +{{% token-link "database" %}} diff --git a/content/influxdb3/enterprise/_index.md b/content/influxdb3/enterprise/_index.md index a270bdb79..767bb1098 100644 --- a/content/influxdb3/enterprise/_index.md +++ b/content/influxdb3/enterprise/_index.md @@ -1,15 +1,18 @@ --- -title: InfluxDB 3 Enterprise documentation +title: InfluxDB 3 Enterprise documentation description: > InfluxDB 3 Enterprise is a time series database built on InfluxDB 3 Core open source. - It is designed to handle high write and query loads using a diskless architecture - that scales horizontally. Learn how to use and leverage InfluxDB in use cases such as + It is designed to handle high write and query loads using a diskless architecture + that scales horizontally. Learn how to use and leverage InfluxDB in use cases such as monitoring metrics, IoT data, and events. menu: influxdb3_enterprise: name: InfluxDB 3 Enterprise weight: 1 source: /shared/influxdb3/_index.md +cascade: + product: influxdb3_enterprise + version: enterprise --- +{{% product-name %}} +{{% product-name "short" %}} +{{< product-key >}} +{{< current-version >}} +{{< influxdb/host >}} +{{< influxdb3/home-sample-link >}} +{{< latest-patch >}} +{{< icon "check" >}} +
{{< api-endpoint method="get" endpoint="https://{{< influxdb/host >}}/api/v2/query" >}}
+{{% show-in "core" %}}VISIBLE_IN_CORE{{% /show-in %}} +{{% hide-in "core" %}}HIDDEN_IN_CORE{{% /hide-in %}} diff --git a/content/influxdb3/explorer/_index.md b/content/influxdb3/explorer/_index.md index 026d64c03..3177971ae 100644 --- a/content/influxdb3/explorer/_index.md +++ b/content/influxdb3/explorer/_index.md @@ -6,6 +6,9 @@ menu: influxdb3_explorer: name: InfluxDB 3 Explorer weight: 1 +cascade: + product: influxdb3_explorer + version: explorer --- InfluxDB 3 Explorer is the standalone web application designed for visualizing, querying, and managing your data stored in InfluxDB 3 Core and Enterprise. diff --git a/content/influxdb3/explorer/release-notes/_index.md b/content/influxdb3/explorer/release-notes/_index.md index 70061ff63..d3cb97c4d 100644 --- a/content/influxdb3/explorer/release-notes/_index.md +++ b/content/influxdb3/explorer/release-notes/_index.md @@ -6,14 +6,217 @@ menu: influxdb3_explorer: name: Release notes weight: 250 +related: + - /influxdb3/explorer/ --- -## v1.6.2 {date="2025-01-15"} - -This release includes important fixes and improvements for Ask AI and more. - To upgrade, pull the latest Docker image: ```sh docker pull influxdata/influxdb3-ui ``` + +## v1.6.3 {date="2026-02-19"} + +#### Features + +- **Show deleted databases**: Toggle visibility of deleted databases in the database list and data explorer. +- **Upgrade information for Core users**: View Enterprise upgrade details directly in Explorer. +- **AI model updates**: Updated AI model support for latest Anthropic models. + +#### Bug fixes + +- **SQL**: Fix handling of table names containing dashes and improve quoted identifier validation. +- **SQL**: Improve validation for forbidden SQL keywords in queries. +- **Charts**: Fix date display in the DataChart component. +- **Schema**: Fix schema columns mapping. +- **Security**: Update dependency versions (axios, qs, react-router, lodash-es). + +## v1.6.2 {date="2026-01-14"} + +#### Bug fixes + +- **Ask AI**: Fix Ask AI service proxy routing over the InfluxData endpoint. + +## v1.6.1 {date="2026-01-09"} + +#### Bug fixes + +- **Charts**: Fix date display in the chart component. +- **Forms**: Fix validation logic for form inputs. + +## v1.6.0 {date="2025-12-18"} + +_Released alongside [InfluxDB 3.8](/influxdb3/core/release-notes/#v380)._ + +#### Features + +- **Ask AI custom instructions**: Teach Ask AI your naming conventions, specify which measurements or tags matter most, and define how you want results formatted. + Custom instructions persist across sessions, users, and shared environments. +- **Improved line protocol experience**: Clearer validation and more helpful feedback when writing data using line protocol. + +#### Bug fixes + +- **Plugins**: Fix plugin trigger error state not clearing after a successful run. +- **Charts**: Reduce unnecessary chart re-renders for improved performance. +- **Data import**: Fix error message for file limit to clarify upgrade options. + +## v1.5.2 {date="2025-12-10"} + +Maintenance release with internal improvements. + +## v1.5.1 {date="2025-12-03"} + +#### Features + +- **Timestamp precision detection**: Automatically detect timestamp precision when writing data. +- **Updated charting library**: Replace Recharts with ECharts for improved chart rendering and feature parity. + +#### Bug fixes + +- **Dashboards**: Fix dashboard display issues. +- **Write API**: Fix timestamp precision handling in write requests. + +## v1.5.0 {date="2025-11-20"} + +_Released alongside [InfluxDB 3.7](/influxdb3/core/release-notes/#v370)._ + +#### Features + +- **One-click system monitoring**: Enable monitoring with a single action to begin collecting host-level metrics. + A built-in dashboard tracks system metrics alongside database activity over time. +- **System overview dashboard**: View memory pressure, query performance, and write performance metrics in a single dashboard to understand how your system performs under load. + +#### Bug fixes + +- **Monitoring**: Fix error handling in instant monitoring setup. +- **Monitoring**: Fix monitoring SQL queries to use correct identifier quoting. + +## v1.4.0 {date="2025-10-31"} + +_Released alongside [InfluxDB 3.6](/influxdb3/core/release-notes/#v360)._ + +#### Features + +- **Ask AI (beta)**: Query your data conversationally without writing SQL—for example, + "show CPU usage by region over the last hour." + Ask AI can also handle operational tasks such as database creation, token generation, and configuration adjustments. +- **Dashboard import and export**: Share dashboards between environments or move them between Explorer and Grafana using compatible JSON files. +- **TLS and CA certificate support**: Configure custom CA certificates and skip verification for self-signed certificates. + +#### Bug fixes + +- **SQL**: Fix handling of capitalized table and column names. +- **Caching**: Improve empty state handling in cache creation dialogs. +- **Grafana**: Fix Grafana refresh interval parsing. +- **Dashboards**: Fix dashboard cell rendering and data updates. + +## v1.3.1 {date="2025-10-21"} + +Update dependency versions. + +## v1.3.0 {date="2025-09-30"} + +_Released alongside [InfluxDB 3.5](/influxdb3/core/release-notes/#v350)._ + +#### Features + +- **Dashboards**: Save and organize queries in dashboards with auto-refresh, custom time ranges, and resizable cells. + Navigate between the data explorer and dashboards to build queries and save results. +- **Last Value Cache and Distinct Value Cache querying**: Run ad hoc queries against built-in caches from the data explorer for instant results. +- **License information**: View license details for your InfluxDB instance. +- **Server configuration editing**: Edit server configuration settings directly from Explorer. + +#### Bug fixes + +- **Databases**: Fix database layout and request handling. +- **Caching**: Fix cache query formatting and error handling. + +## v1.2.1 {date="2025-09-03"} + +#### Bug fixes + +- **Permissions**: Restrict access to integrations, caches, and plugins in query mode. +- **Performance**: Fix performance issues. + +## v1.2.0 {date="2025-08-27"} + +_Released alongside [InfluxDB 3.4](/influxdb3/core/release-notes/#v340)._ + +#### Features + +- **Cache management UI**: Create and manage Last Value Caches and Distinct Value Caches through the Explorer UI under **Configure > Caches**. +- **Parquet export**: Export query results as Parquet files. +- **Grafana data source setup**: Configure InfluxDB 3 as a Grafana data source directly from Explorer. +- **System overview improvements**: Add a refetch button and full-length query tooltips to system overview query tables. + +#### Bug fixes + +- **SQL**: Fix SQL query ordering to sort results in ascending order by time. +- **Data types**: Improve data type serialization for InfluxDB field types. +- **Navigation**: Fix navigation logic. + +## v1.1.1 {date="2025-08-07"} + +#### Bug fixes + +- **Plugins**: Fix plugin and trigger card layout and icon display. +- **Plugins**: Fix trigger error status display. +- **Plugins**: Fix trigger logs dialog title. +- **Permissions**: Fix permission table cell alignment. +- **Performance**: Improve request handling performance. + +## v1.1.0 {date="2025-07-30"} + +_Released alongside [InfluxDB 3.3](/influxdb3/core/release-notes/#v330)._ + +#### Features + +- **Plugin management**: Discover plugins from the Plugin Library and install them in seconds. + Inspect output logs, edit plugin arguments, and manage triggers for both library plugins and custom plugins. + Requires InfluxDB 3 Core or Enterprise 3.3 or later. +- **System health overview**: View a high-level dashboard of your entire system covering memory pressure, query performance, and write performance metrics. +- **AI provider settings**: Configure multiple AI providers (such as OpenAI) with API key management. + +#### Bug fixes + +- **Charts**: Fix date range selector. +- **Schema**: Fix schema viewer display. +- **Line protocol**: Improve line protocol conversion. +- **Data export**: Fix system table data export. + +## v1.0.3 {date="2025-07-03"} + +#### Bug fixes + +- **Schema**: Fix schema viewer display. + +## v1.0.2 {date="2025-07-03"} + +#### Bug fixes + +- **Performance**: Fix browser caching issues with module federation assets. + +## v1.0.1 {date="2025-07-02"} + +#### Bug fixes + +- **Dependencies**: Fix dependency compatibility issues. + +## v1.0.0 {date="2025-06-30"} + +_Released alongside [InfluxDB 3.2](/influxdb3/core/release-notes/#v320). This is the initial general availability (GA) release of InfluxDB 3 Explorer._ + +InfluxDB 3 Explorer is a web-based UI for working with InfluxDB 3 Core and Enterprise. It provides a single interface for querying, visualizing, and managing your time series data. + +#### Features + +- **SQL editor**: Write and run SQL queries with autocomplete, and view results as tables or charts. +- **Database management**: Create and delete databases with point-and-click controls. +- **Token management**: Create, view, and revoke API tokens including resource-scoped tokens. +- **Data visualization**: View query results as interactive line charts with number formatting and customizable axes. +- **Data import**: Import data from CSV and JSON files, or write line protocol directly. +- **Grafana integration**: Export connection strings and configure Grafana data sources. +- **OpenAI integration**: Use natural language to generate SQL queries based on your schema. +- **Adaptive onboarding**: Optional onboarding experience that adjusts based on your experience level, with built-in sample datasets. +- **Deployment flexibility**: Run as a standalone Docker container in admin mode (full functionality) or query mode (read-only access). diff --git a/content/kapacitor/v1/__tests__/shortcodes.md b/content/kapacitor/v1/__tests__/shortcodes.md new file mode 100644 index 000000000..65447b908 --- /dev/null +++ b/content/kapacitor/v1/__tests__/shortcodes.md @@ -0,0 +1,17 @@ +--- +title: Shortcode test page +noindex: true +test_only: true +--- + + +{{% product-name %}} +{{% product-name "short" %}} +{{< product-key >}} +{{< current-version >}} +{{< influxdb/host >}} +{{< latest-patch >}} +{{< icon "check" >}} +
{{< api-endpoint method="get" endpoint="https://{{< influxdb/host >}}/api/v2/query" >}}
+{{% show-in "core" %}}VISIBLE_IN_CORE{{% /show-in %}} +{{% hide-in "core" %}}HIDDEN_IN_CORE{{% /hide-in %}} diff --git a/content/kapacitor/v1/_index.md b/content/kapacitor/v1/_index.md index 23bd229de..8e8d1024b 100644 --- a/content/kapacitor/v1/_index.md +++ b/content/kapacitor/v1/_index.md @@ -7,6 +7,9 @@ menu: kapacitor_v1: name: Kapacitor weight: 1 +cascade: + product: kapacitor + version: v1 --- Kapacitor is an open source data processing framework that makes it easy to create diff --git a/content/kapacitor/v1/reference/about_the_project/release-notes.md b/content/kapacitor/v1/reference/about_the_project/release-notes.md index 23e915f66..d1d852996 100644 --- a/content/kapacitor/v1/reference/about_the_project/release-notes.md +++ b/content/kapacitor/v1/reference/about_the_project/release-notes.md @@ -852,7 +852,7 @@ No changes to Kapacitor, only upgrading to GoLang 1.7.4 for security patches. ### Release Notes -New K8sAutoscale node that allows you to auotmatically scale Kubernetes deployments driven by any metrics Kapacitor consumes. +New K8sAutoscale node that allows you to automatically scale Kubernetes deployments driven by any metrics Kapacitor consumes. For example, to scale a deployment `myapp` based off requests per second: ``` diff --git a/content/shared/influxdb3-admin/databases/delete.md b/content/shared/influxdb3-admin/databases/delete.md index bac01ccf1..ebb655a27 100644 --- a/content/shared/influxdb3-admin/databases/delete.md +++ b/content/shared/influxdb3-admin/databases/delete.md @@ -11,6 +11,7 @@ the [HTTP API](/influxdb3/version/api/v3/), or [InfluxDB 3 Explorer](/influxdb3/ - [Delete a database using the influxdb3 CLI](#delete-a-database-using-the-influxdb3-cli) - [Delete a database using the HTTP API](#delete-a-database-using-the-http-api) - [Delete a database using InfluxDB 3 Explorer](#delete-a-database-using-influxdb-3-explorer) +{{% show-in "enterprise" %}}- [Delete data only (preserve schema and resources)](#delete-data-only-preserve-schema-and-resources){{% /show-in %}} ## Delete a database using the influxdb3 CLI @@ -71,3 +72,69 @@ You can also delete databases using the [InfluxDB 3 Explorer](/influxdb3/explore > This action cannot be undone. All data in the database will be permanently deleted. For more information, see [Manage databases with InfluxDB 3 Explorer](/influxdb3/explorer/manage-databases/). + +{{% show-in "enterprise" %}} +## Delete data only (preserve schema and resources) + +{{< product-name >}} supports deleting only the data in a database while preserving the database schema and associated resources. +This is useful when you want to clear old data and re-write new data to the same structure without recreating resources. + +### What is preserved + +When using the data-only deletion option, the following are preserved: + +- **Database schema**: Tables and column definitions +- **Authentication tokens**: Database-scoped access tokens +- **Processing engine configurations**: Triggers and plugin configurations +- **Caches**: Last value caches (LVC) and distinct value caches (DVC) + +### Delete data only using the CLI + +Use the [`--data-only`](/influxdb3/version/reference/cli/influxdb3/delete/database/#options) flag to delete data while preserving the database schema and resources--for example: + +```sh{placeholders="DATABASE_NAME"} +influxdb3 delete database --data-only DATABASE_NAME +``` + +Replace {{% code-placeholder-key %}}`DATABASE_NAME`{{% /code-placeholder-key %}} with the name of your database. + +#### Delete data and remove tables + +To delete data and remove table schemas while preserving database-level resources (tokens, triggers, configurations), combine `--data-only` with [`--remove-tables`](/influxdb3/version/reference/cli/influxdb3/delete/database/#options): + +```sh{placeholders="DATABASE_NAME"} +influxdb3 delete database --data-only --remove-tables DATABASE_NAME +``` + +This preserves: +- Authentication tokens +- Processing engine triggers and configurations + +But removes: +- All data +- Table schemas +- Table-level caches (LVC and DVC) + +### Delete data only using the HTTP API + +To delete only data using the HTTP API, include the `data_only=true` query parameter: + +```bash{placeholders="DATABASE_NAME|AUTH_TOKEN"} +curl --request DELETE "{{< influxdb/host >}}/api/v3/configure/database?db=DATABASE_NAME&data_only=true" \ + --header "Authorization: Bearer AUTH_TOKEN" +``` + +Replace the following: + +- {{% code-placeholder-key %}}`DATABASE_NAME`{{% /code-placeholder-key %}}: the name of the database +- {{% code-placeholder-key %}}`AUTH_TOKEN`{{% /code-placeholder-key %}}: your {{% token-link "admin" %}} + +#### Delete data and remove tables + +To also remove table schemas, add the `remove_tables=true` parameter: + +```bash{placeholders="DATABASE_NAME|AUTH_TOKEN"} +curl --request DELETE "{{< influxdb/host >}}/api/v3/configure/database?db=DATABASE_NAME&data_only=true&remove_tables=true" \ + --header "Authorization: Bearer AUTH_TOKEN" +``` +{{% /show-in %}} diff --git a/content/shared/influxdb3-admin/databases/list.md b/content/shared/influxdb3-admin/databases/list.md index 54b37cf40..d23d95027 100644 --- a/content/shared/influxdb3-admin/databases/list.md +++ b/content/shared/influxdb3-admin/databases/list.md @@ -27,7 +27,7 @@ The `influxdb3 show databases` command supports output formats: - `json` - `jsonl` - `csv` - +- `parquet` _(must [output to a file](#output-to-a-parquet-file))_ Use the `--format` flag to specify the output format: @@ -79,12 +79,18 @@ noaa {{% /expand %}} {{< /expand-wrapper >}} -#### Output to Parquet +#### Output to a Parquet file -To output your list of databases to a Parquet file, use the `influxdb3 query` command +[Parquet](https://parquet.apache.org/) is a binary format. +Use the `--output` option to specify the file where you want to save the Parquet data. -- `--format`: `parquet` -- `-o`, `--output`: the filepath to the Parquet file to output to +```sh +influxdb3 show databases \ + --format parquet \ + --output databases.parquet +``` + +Alternatively, use the `influxdb3 query` command to query system tables: ```sh influxdb3 query \ diff --git a/content/shared/influxdb3-admin/mcp-server.md b/content/shared/influxdb3-admin/mcp-server.md index 763b04cf4..87b3f86ea 100644 --- a/content/shared/influxdb3-admin/mcp-server.md +++ b/content/shared/influxdb3-admin/mcp-server.md @@ -69,10 +69,10 @@ Set the following environment variables when you start the MCP server: {{% show-in "cloud-dedicated,clustered" %}} - **INFLUX_DB_PRODUCT_TYPE**: `{{% product-key %}}` -- **INFLUX_DB_ACCOUNT_ID**: Your {{% product-name %}} account ID -- **INFLUX_DB_CLUSTER_ID**: Your {{% product-name %}} cluster ID -- **INFLUX_DB_TOKEN**: An {{% product-name %}} [database token](/influxdb3/cloud-dedicated/admin/tokens/database/) -- **INFLUX_DB_MANAGEMENT_TOKEN**: An {{% product-name %}} [management token](/influxdb3/cloud-dedicated/admin/tokens/management/) +- **INFLUX_DB_ACCOUNT_ID**: Your {{% product-name %}} [account ID](/influxdb3/version/admin/account/) +- **INFLUX_DB_CLUSTER_ID**: Your {{% product-name %}} [cluster ID](/influxdb3/version/admin/clusters/) +- **INFLUX_DB_TOKEN**: An {{% product-name %}} [database token](/influxdb3/version/admin/tokens/database/) +- **INFLUX_DB_MANAGEMENT_TOKEN**: An {{% product-name %}} [management token](/influxdb3/version/admin/tokens/management/) > [!Note] > #### Optional tokens diff --git a/content/shared/influxdb3-admin/tables/delete.md b/content/shared/influxdb3-admin/tables/delete.md index 56f35f72d..022553786 100644 --- a/content/shared/influxdb3-admin/tables/delete.md +++ b/content/shared/influxdb3-admin/tables/delete.md @@ -13,10 +13,10 @@ You can also schedule a hard deletion to permanently remove the table and its da - [Delete a table using the influxdb3 CLI](#delete-a-table-using-the-influxdb3-cli) - [Delete a table using the HTTP API](#delete-a-table-using-the-http-api) +{{% show-in "enterprise" %}}- [Delete data only (preserve schema and resources)](#delete-data-only-preserve-schema-and-resources){{% /show-in %}} ## Delete a table using the influxdb3 CLI - Use the `influxdb3 delete table` command to delete a table: ```sh{placeholders="DATABASE_NAME|TABLE_NAME|AUTH_TOKEN"} @@ -105,4 +105,51 @@ If the table doesn't exist, the API returns HTTP status `404`: { "error": "Table not found" } -``` \ No newline at end of file +``` + +{{% show-in "enterprise" %}} +## Delete data only (preserve schema and resources) + +{{< product-name >}} supports deleting only the data in a table while preserving the table schema and associated resources. +This is useful when you want to clear old data and re-write new data to the same table structure without recreating resources. + +### What is preserved + +When using the data-only deletion option, the following are preserved: + +- **Table schema**: Column definitions and data types +- **Caches**: Last value caches (LVC) and distinct value caches (DVC) associated with the table + +### Delete data only using the CLI + +Use the [`--data-only`](/influxdb3/version/reference/cli/influxdb3/delete/table/#options) flag to delete data while preserving the table schema and resources: + +```sh{placeholders="DATABASE_NAME|TABLE_NAME|AUTH_TOKEN"} +influxdb3 delete table \ + --database DATABASE_NAME \ + --token AUTH_TOKEN \ + --data-only \ + TABLE_NAME +``` + +Replace the following: + +- {{% code-placeholder-key %}}`DATABASE_NAME`{{% /code-placeholder-key %}}: the name of the database containing the table +- {{% code-placeholder-key %}}`TABLE_NAME`{{% /code-placeholder-key %}}: the name of the table +- {{% code-placeholder-key %}}`AUTH_TOKEN`{{% /code-placeholder-key %}}: your {{% token-link "admin" %}} + +### Delete data only using the HTTP API + +To delete only data using the HTTP API, include the `data_only=true` query parameter: + +```bash{placeholders="DATABASE_NAME|TABLE_NAME|AUTH_TOKEN"} +curl -X DELETE "{{< influxdb/host >}}/api/v3/configure/table?db=DATABASE_NAME&table=TABLE_NAME&data_only=true" \ + --header "Authorization: Bearer AUTH_TOKEN" +``` + +Replace the following: + +- {{% code-placeholder-key %}}`DATABASE_NAME`{{% /code-placeholder-key %}}: the name of the database containing the table +- {{% code-placeholder-key %}}`TABLE_NAME`{{% /code-placeholder-key %}}: the name of the table +- {{% code-placeholder-key %}}`AUTH_TOKEN`{{% /code-placeholder-key %}}: your {{% token-link "admin" %}} +{{% /show-in %}} \ No newline at end of file diff --git a/content/shared/influxdb3-cli/config-options.md b/content/shared/influxdb3-cli/config-options.md index 3723912dd..8cf4ebca4 100644 --- a/content/shared/influxdb3-cli/config-options.md +++ b/content/shared/influxdb3-cli/config-options.md @@ -59,7 +59,7 @@ export INFLUXDB3_ENTERPRISE_CLUSTER_ID=cluster0 {{% /show-in %}}export INFLUXDB3_NODE_IDENTIFIER_PREFIX=my-node export INFLUXDB3_OBJECT_STORE=file export INFLUXDB3_DB_DIR=~/.influxdb3 -export LOG_FILTER=info +export INFLUXDB3_LOG_FILTER=info influxdb3 serve ``` @@ -138,6 +138,9 @@ For detailed information about thread allocation, see the [Resource Limits](#res {{% /show-in %}} - [object-store](#object-store) - [query-file-limit](#query-file-limit) + {{% show-in "enterprise" %}} +- [use-pacha-tree](#use-pacha-tree) + {{% /show-in %}} {{% show-in "enterprise" %}} @@ -276,6 +279,26 @@ This option supports the following values: {{% show-in "enterprise" %}} +#### use-pacha-tree Experimental {#use-pacha-tree} + +Enables the PachaTree storage engine. + +> [!Caution] +> PachaTree is an experimental feature not for production use. +> It might not be compatible with other features and configuration options. + +**Default:** `false` + +| influxdb3 serve option | Environment variable | +| :--------------------- | :----------------------------- | +| `--use-pacha-tree` | `INFLUXDB3_USE_PACHA_TREE` | + +*** + +{{% /show-in %}} + +{{% show-in "enterprise" %}} + ### Licensing #### license-email @@ -766,9 +789,9 @@ this value. **Default:** `16` -| influxdb3 serve option | Environment variable | +| influxdb3 serve option | Environment variables | | :-------------------------------- | :------------------------------ | -| `--object-store-connection-limit` | `OBJECT_STORE_CONNECTION_LIMIT` | +| `--object-store-connection-limit` | `INFLUXDB3_OBJECT_STORE_CONNECTION_LIMIT` (preferred)
`OBJECT_STORE_CONNECTION_LIMIT` (deprecated; supported for backward compatibility) | *** @@ -776,9 +799,9 @@ this value. Forces HTTP/2 connections to network-based object stores. -| influxdb3 serve option | Environment variable | +| influxdb3 serve option | Environment variables | | :-------------------------- | :------------------------ | -| `--object-store-http2-only` | `OBJECT_STORE_HTTP2_ONLY` | +| `--object-store-http2-only` | `INFLUXDB3_OBJECT_STORE_HTTP2_ONLY` (preferred)
`OBJECT_STORE_HTTP2_ONLY` (deprecated; supported for backward compatibility) | *** @@ -786,9 +809,9 @@ Forces HTTP/2 connections to network-based object stores. Sets the maximum frame size (in bytes/octets) for HTTP/2 connections. -| influxdb3 serve option | Environment variable | +| influxdb3 serve option | Environment variables | | :------------------------------------ | :---------------------------------- | -| `--object-store-http2-max-frame-size` | `OBJECT_STORE_HTTP2_MAX_FRAME_SIZE` | +| `--object-store-http2-max-frame-size` | `INFLUXDB3_OBJECT_STORE_HTTP2_MAX_FRAME_SIZE` (preferred)
`OBJECT_STORE_HTTP2_MAX_FRAME_SIZE` (deprecated; supported for backward compatibility) | *** @@ -796,9 +819,9 @@ Sets the maximum frame size (in bytes/octets) for HTTP/2 connections. Defines the maximum number of times to retry a request. -| influxdb3 serve option | Environment variable | +| influxdb3 serve option | Environment variables | | :--------------------------- | :------------------------- | -| `--object-store-max-retries` | `OBJECT_STORE_MAX_RETRIES` | +| `--object-store-max-retries` | `INFLUXDB3_OBJECT_STORE_MAX_RETRIES` (preferred)
`OBJECT_STORE_MAX_RETRIES` (deprecated; supported for backward compatibility) | *** @@ -807,9 +830,9 @@ Defines the maximum number of times to retry a request. Specifies the maximum length of time from the initial request after which no further retries are be attempted. -| influxdb3 serve option | Environment variable | +| influxdb3 serve option | Environment variables | | :----------------------------- | :--------------------------- | -| `--object-store-retry-timeout` | `OBJECT_STORE_RETRY_TIMEOUT` | +| `--object-store-retry-timeout` | `INFLUXDB3_OBJECT_STORE_RETRY_TIMEOUT` (preferred)
`OBJECT_STORE_RETRY_TIMEOUT` (deprecated; supported for backward compatibility) | *** @@ -817,9 +840,9 @@ further retries are be attempted. Sets the endpoint of an S3-compatible, HTTP/2-enabled object store cache. -| influxdb3 serve option | Environment variable | +| influxdb3 serve option | Environment variables | | :------------------------------ | :---------------------------- | -| `--object-store-cache-endpoint` | `OBJECT_STORE_CACHE_ENDPOINT` | +| `--object-store-cache-endpoint` | `INFLUXDB3_OBJECT_STORE_CACHE_ENDPOINT` (preferred)
`OBJECT_STORE_CACHE_ENDPOINT` (deprecated; supported for backward compatibility) | *** @@ -894,7 +917,7 @@ influxdb3 serve --log-filter info,influxdb3_write_buffer=debug,influxdb3_wal=deb ```sh -influxdb3 serve --log-filter info,influxdb3_pacha_tree=debug +influxdb3 serve --log-filter info,influxdb3_enterprise=debug ``` {{% /show-in %}} @@ -909,8 +932,7 @@ The following are common component names you can use for targeted filtering: | `influxdb3_wal` | Write-ahead log operations | | `influxdb3_catalog` | Catalog and schema operations | | `influxdb3_cache` | Caching operations | -{{% show-in "enterprise" %}}`influxdb3_pacha_tree` | Enterprise storage engine operations | -`influxdb3_enterprise` | Enterprise-specific features | +{{% show-in "enterprise" %}}`influxdb3_enterprise` | Enterprise-specific features | {{% /show-in %}} > [!Note] @@ -919,9 +941,9 @@ The following are common component names you can use for targeted filtering: > code. Use `debug` or `trace` sparingly on specific components to avoid > excessive log output. -| influxdb3 serve option | Environment variable | +| influxdb3 serve option | Environment variables | | :--------------------- | :------------------- | -| `--log-filter` | `LOG_FILTER` | +| `--log-filter` | `INFLUXDB3_LOG_FILTER` (preferred)
`LOG_FILTER` (deprecated; supported for backward compatibility) | *** @@ -936,9 +958,9 @@ This option supports the following values: **Default:** `stdout` -| influxdb3 serve option | Environment variable | +| influxdb3 serve option | Environment variables | | :--------------------- | :------------------- | -| `--log-destination` | `LOG_DESTINATION` | +| `--log-destination` | `INFLUXDB3_LOG_DESTINATION` (preferred)
`LOG_DESTINATION` (deprecated; supported for backward compatibility) | *** @@ -952,9 +974,9 @@ This option supports the following values: **Default:** `full` -| influxdb3 serve option | Environment variable | +| influxdb3 serve option | Environment variables | | :--------------------- | :------------------- | -| `--log-format` | `LOG_FORMAT` | +| `--log-format` | `INFLUXDB3_LOG_FORMAT` (preferred)
`LOG_FORMAT` (deprecated; supported for backward compatibility) | *** @@ -988,9 +1010,9 @@ Sets the type of tracing exporter. **Default:** `none` -| influxdb3 serve option | Environment variable | +| influxdb3 serve option | Environment variables | | :--------------------- | :------------------- | -| `--traces-exporter` | `TRACES_EXPORTER` | +| `--traces-exporter` | `INFLUXDB3_TRACES_EXPORTER` (preferred)
`TRACES_EXPORTER` (deprecated; supported for backward compatibility) | *** @@ -1000,9 +1022,9 @@ Specifies the Jaeger agent network hostname for tracing. **Default:** `0.0.0.0` -| influxdb3 serve option | Environment variable | +| influxdb3 serve option | Environment variables | | :------------------------------------ | :---------------------------------- | -| `--traces-exporter-jaeger-agent-host` | `TRACES_EXPORTER_JAEGER_AGENT_HOST` | +| `--traces-exporter-jaeger-agent-host` | `INFLUXDB3_TRACES_EXPORTER_JAEGER_AGENT_HOST` (preferred)
`TRACES_EXPORTER_JAEGER_AGENT_HOST` (deprecated; supported for backward compatibility) | *** @@ -1012,9 +1034,9 @@ Defines the Jaeger agent network port for tracing. **Default:** `6831` -| influxdb3 serve option | Environment variable | +| influxdb3 serve option | Environment variables | | :------------------------------------ | :---------------------------------- | -| `--traces-exporter-jaeger-agent-port` | `TRACES_EXPORTER_JAEGER_AGENT_PORT` | +| `--traces-exporter-jaeger-agent-port` | `INFLUXDB3_TRACES_EXPORTER_JAEGER_AGENT_PORT` (preferred)
`TRACES_EXPORTER_JAEGER_AGENT_PORT` (deprecated; supported for backward compatibility) | *** @@ -1024,9 +1046,9 @@ Sets the Jaeger service name for tracing. **Default:** `iox-conductor` -| influxdb3 serve option | Environment variable | +| influxdb3 serve option | Environment variables | | :-------------------------------------- | :------------------------------------ | -| `--traces-exporter-jaeger-service-name` | `TRACES_EXPORTER_JAEGER_SERVICE_NAME` | +| `--traces-exporter-jaeger-service-name` | `INFLUXDB3_TRACES_EXPORTER_JAEGER_SERVICE_NAME` (preferred)
`TRACES_EXPORTER_JAEGER_SERVICE_NAME` (deprecated; supported for backward compatibility) | *** @@ -1036,9 +1058,9 @@ Specifies the header name used for passing trace context. **Default:** `uber-trace-id` -| influxdb3 serve option | Environment variable | +| influxdb3 serve option | Environment variables | | :--------------------------------------------------- | :------------------------------------------------- | -| `--traces-exporter-jaeger-trace-context-header-name` | `TRACES_EXPORTER_JAEGER_TRACE_CONTEXT_HEADER_NAME` | +| `--traces-exporter-jaeger-trace-context-header-name` | `INFLUXDB3_TRACES_EXPORTER_JAEGER_TRACE_CONTEXT_HEADER_NAME` (preferred)
`TRACES_EXPORTER_JAEGER_TRACE_CONTEXT_HEADER_NAME` (deprecated; supported for backward compatibility) | *** @@ -1048,9 +1070,9 @@ Specifies the header name used for force sampling in tracing. **Default:** `jaeger-debug-id` -| influxdb3 serve option | Environment variable | +| influxdb3 serve option | Environment variables | | :--------------------------- | :---------------------------------- | -| `--traces-jaeger-debug-name` | `TRACES_EXPORTER_JAEGER_DEBUG_NAME` | +| `--traces-jaeger-debug-name` | `INFLUXDB3_TRACES_JAEGER_DEBUG_NAME` (preferred)
`TRACES_EXPORTER_JAEGER_DEBUG_NAME` (deprecated; supported for backward compatibility) | *** @@ -1058,9 +1080,9 @@ Specifies the header name used for force sampling in tracing. Defines a set of `key=value` pairs to annotate tracing spans with. -| influxdb3 serve option | Environment variable | +| influxdb3 serve option | Environment variables | | :--------------------- | :---------------------------- | -| `--traces-jaeger-tags` | `TRACES_EXPORTER_JAEGER_TAGS` | +| `--traces-jaeger-tags` | `INFLUXDB3_TRACES_JAEGER_TAGS` (preferred)
`TRACES_EXPORTER_JAEGER_TAGS` (deprecated; supported for backward compatibility) | *** @@ -1070,9 +1092,9 @@ Specifies the maximum number of messages sent to a Jaeger service per second. **Default:** `1000` -| influxdb3 serve option | Environment variable | +| influxdb3 serve option | Environment variables | | :------------------------------------ | :---------------------------------- | -| `--traces-jaeger-max-msgs-per-second` | `TRACES_JAEGER_MAX_MSGS_PER_SECOND` | +| `--traces-jaeger-max-msgs-per-second` | `INFLUXDB3_TRACES_JAEGER_MAX_MSGS_PER_SECOND` (preferred)
`TRACES_JAEGER_MAX_MSGS_PER_SECOND` (deprecated; supported for backward compatibility) | *** @@ -1649,6 +1671,64 @@ Specifies the local directory that contains Python plugins and their test files. | :--------------------- | :--------------------- | | `--plugin-dir` | `INFLUXDB3_PLUGIN_DIR` | +##### Default behavior by deployment type + +| Deployment | Default state | Configuration | +|:-----------|:--------------|:--------------| +| Docker images | **Enabled** | `INFLUXDB3_PLUGIN_DIR=/plugins` | +| DEB/RPM packages | **Enabled** | `plugin-dir="/var/lib/influxdb3/plugins"` | +| Binary/source | Disabled | No `plugin-dir` configured | + +##### Disable the Processing Engine + +To disable the Processing Engine, ensure `plugin-dir` is not configured. + +> [!Warning] +> Setting `plugin-dir=""` or `INFLUXDB3_PLUGIN_DIR=""` (empty string) does **not** disable the Processing Engine. +> You must comment out, remove, or unset the configuration — not set it to empty. + +{{% show-in "enterprise" %}} +**Docker:** Use `INFLUXDB3_UNSET_VARS` to unset default environment variables that are preconfigured in the container image. + +`INFLUXDB3_UNSET_VARS` accepts a comma-separated list of environment variable names to unset in the container entrypoint before {{< product-name >}} starts. +This lets you disable or override image defaults (for example, `INFLUXDB3_PLUGIN_DIR`, logging, or other configuration variables) without modifying the container image itself. + +To disable the default plugin directory, unset `INFLUXDB3_PLUGIN_DIR`: +```bash +docker run -e INFLUXDB3_UNSET_VARS="INFLUXDB3_PLUGIN_DIR" influxdb:3-enterprise +``` +{{% /show-in %}} + +{{% show-in "core" %}} +**Docker:** Use a custom entrypoint: + +```bash +docker run --entrypoint /bin/sh influxdb:3-core -c 'unset INFLUXDB3_PLUGIN_DIR && exec influxdb3 serve --object-store memory' +``` +{{% /show-in %}} + +**systemd (DEB/RPM):** Comment out or remove `plugin-dir` in the configuration file: + +```bash +sudo nano /etc/influxdb3/influxdb3-{{< product-key >}}.conf +``` + +```toml +# plugin-dir="/var/lib/influxdb3/plugins" +``` + +Then restart the service: + +```bash +sudo systemctl restart influxdb3-{{< product-key >}} +``` + +When the Processing Engine is disabled: + +- The Python environment and PyO3 bindings are not initialized +- Plugin-related operations return a "No plugin directory configured" error +- The server runs with reduced resource usage + *** #### plugin-repo diff --git a/content/shared/influxdb3-cli/create/database.md b/content/shared/influxdb3-cli/create/database.md index 73147f5cc..8ba37436b 100644 --- a/content/shared/influxdb3-cli/create/database.md +++ b/content/shared/influxdb3-cli/create/database.md @@ -7,6 +7,7 @@ Provide a database name and, optionally, specify connection settings and authent ```bash +# Syntax influxdb3 create database [OPTIONS] ``` @@ -28,7 +29,8 @@ You can also set the database name using the `INFLUXDB3_DATABASE_NAME` environme | `-H` | `--host` | Host URL of the running {{< product-name >}} server (default is `http://127.0.0.1:8181`) | | | `--retention-period` | Database [retention period](/influxdb3/version/reference/glossary/#retention-period) ([duration](/influxdb3/version/reference/glossary/#duration) value, for example: `30d`, `24h`, `1h`) | | | `--token` | Authentication token | -| | `--tls-ca` | Path to a custom TLS certificate authority (for testing or self-signed certificates) | +| | `--tls-ca` | Path to a custom TLS certificate authority (for self-signed or internal certificates) | +| | `--tls-no-verify` | Disable TLS certificate verification. **Not recommended in production.** Useful for testing with self-signed certificates | | `-h` | `--help` | Print help information | | | `--help-all` | Print detailed help information | @@ -36,30 +38,29 @@ You can also set the database name using the `INFLUXDB3_DATABASE_NAME` environme You can use the following environment variables instead of providing CLI options directly: -| Environment Variable | Option | -| :------------------------ | :----------- | -| `INFLUXDB3_HOST_URL` | `--host` | -| `INFLUXDB3_AUTH_TOKEN` | `--token` | +| Environment Variable | Option | +| :------------------------ | :---------------- | +| `INFLUXDB3_HOST_URL` | `--host` | +| `INFLUXDB3_AUTH_TOKEN` | `--token` | +| `INFLUXDB3_TLS_NO_VERIFY` | `--tls-no-verify` | ## Examples The following examples show how to create a database. -In your commands replace the following: +In the examples below, replace the following: - {{% code-placeholder-key %}}`DATABASE_NAME`{{% /code-placeholder-key %}}: Database name -- {{% code-placeholder-key %}}`AUTH_TOKEN`{{% /code-placeholder-key %}}: +- {{% code-placeholder-key %}}`AUTH_TOKEN`{{% /code-placeholder-key %}}: Authentication token -{{% code-placeholders "DATABASE_NAME|AUTH_TOKEN" %}} - ### Create a database (default) Creates a database using settings from environment variables and defaults. -```bash +```bash { placeholders="DATABASE_NAME" } influxdb3 create database DATABASE_NAME ``` @@ -70,7 +71,7 @@ Flags override their associated environment variables. -```bash +```bash { placeholders="AUTH_TOKEN|DATABASE_NAME" } influxdb3 create database --token AUTH_TOKEN DATABASE_NAME ``` @@ -81,7 +82,7 @@ Data older than 30 days will not be queryable. -```bash +```bash { placeholders="DATABASE_NAME" } influxdb3 create database --retention-period 30d DATABASE_NAME ``` @@ -91,7 +92,7 @@ Creates a database with no retention period (data never expires). -```bash +```bash { placeholders="DATABASE_NAME" } influxdb3 create database --retention-period none DATABASE_NAME ``` @@ -101,7 +102,7 @@ Creates a database with a 90-day retention period using an authentication token. -```bash +```bash { placeholders="AUTH_TOKEN|DATABASE_NAME" } influxdb3 create database \ --retention-period 90d \ --token AUTH_TOKEN \ @@ -114,7 +115,7 @@ Creates a database with a 1-year retention period. -```bash +```bash { placeholders="DATABASE_NAME" } influxdb3 create database --retention-period 1y DATABASE_NAME ``` @@ -124,12 +125,10 @@ Creates a database with a retention period of 30 days and 12 hours. -```bash +```bash { placeholders="DATABASE_NAME" } influxdb3 create database --retention-period 30d12h DATABASE_NAME ``` -{{% /code-placeholders %}} - ## Retention period duration formats Retention periods are specified as [duration](/influxdb3/version/reference/glossary/#duration) diff --git a/content/shared/influxdb3-cli/create/distinct_cache.md b/content/shared/influxdb3-cli/create/distinct_cache.md index e1434c411..8a5b94564 100644 --- a/content/shared/influxdb3-cli/create/distinct_cache.md +++ b/content/shared/influxdb3-cli/create/distinct_cache.md @@ -31,6 +31,7 @@ influxdb3 create distinct_cache [OPTIONS] \ | | `--max-cardinality` | Maximum number of distinct value combinations to hold in the cache | | | `--max-age` | Maximum age of an entry in the cache entered as a human-readable duration--for example: `30d`, `24h` | | | `--tls-ca` | Path to a custom TLS certificate authority (for testing or self-signed certificates) | +| | `--tls-no-verify` | Disable TLS certificate verification. **Not recommended in production.** Useful for testing with self-signed certificates | | `-h` | `--help` | Print help information | | | `--help-all` | Print detailed help information | @@ -51,6 +52,7 @@ You can use the following environment variables to set command options: | `INFLUXDB3_HOST_URL` | `--host` | | `INFLUXDB3_DATABASE_NAME` | `--database` | | `INFLUXDB3_AUTH_TOKEN` | `--token` | +| `INFLUXDB3_TLS_NO_VERIFY` | `--tls-no-verify` | ## Prerequisites diff --git a/content/shared/influxdb3-cli/create/file_index.md b/content/shared/influxdb3-cli/create/file_index.md index a507bc829..ac7b9c9bc 100644 --- a/content/shared/influxdb3-cli/create/file_index.md +++ b/content/shared/influxdb3-cli/create/file_index.md @@ -26,6 +26,7 @@ influxdb3 create file_index [OPTIONS] \ | | `--token` | _({{< req >}})_ Authentication token | | `-t` | `--table` | Table to apply the file index too | | | `--tls-ca` | Path to a custom TLS certificate authority (for testing or self-signed certificates) | +| | `--tls-no-verify` | Disable TLS certificate verification. **Not recommended in production.** Useful for testing with self-signed certificates | | `-h` | `--help` | Print help information | | | `--help-all` | Print detailed help information | @@ -38,6 +39,7 @@ You can use the following environment variables to set command options: | `INFLUXDB3_HOST_URL` | `--host` | | `INFLUXDB3_DATABASE_NAME` | `--database` | | `INFLUXDB3_AUTH_TOKEN` | `--token` | +| `INFLUXDB3_TLS_NO_VERIFY` | `--tls-no-verify` | ## Examples diff --git a/content/shared/influxdb3-cli/create/last_cache.md b/content/shared/influxdb3-cli/create/last_cache.md index 8e1eef91a..a7b85a9b3 100644 --- a/content/shared/influxdb3-cli/create/last_cache.md +++ b/content/shared/influxdb3-cli/create/last_cache.md @@ -32,6 +32,7 @@ influxdb3 create last_cache [OPTIONS] \ | | `--count` | Number of entries per unique key column combination to store in the cache | | | `--ttl` | Cache entries' time-to-live (TTL) in [Humantime form](https://docs.rs/humantime/latest/humantime/fn.parse_duration.html)--for example: `10s`, `1min 30sec`, `3 hours` | | | `--tls-ca` | Path to a custom TLS certificate authority (for testing or self-signed certificates) | +| | `--tls-no-verify` | Disable TLS certificate verification. **Not recommended in production.** Useful for testing with self-signed certificates | | `-h` | `--help` | Print help information | | | `--help-all` | Print detailed help information | @@ -44,6 +45,7 @@ You can use the following environment variables as substitutes for CLI options: | `INFLUXDB3_HOST_URL` | `--host` | | `INFLUXDB3_DATABASE_NAME` | `--database` | | `INFLUXDB3_AUTH_TOKEN` | `--token` | +| `INFLUXDB3_TLS_NO_VERIFY` | `--tls-no-verify` | ## Prerequisites diff --git a/content/shared/influxdb3-cli/create/table.md b/content/shared/influxdb3-cli/create/table.md index 5d72600b5..7cadb57db 100644 --- a/content/shared/influxdb3-cli/create/table.md +++ b/content/shared/influxdb3-cli/create/table.md @@ -11,6 +11,7 @@ The `influxdb3 create table` command creates a new table in a specified database ```bash +# Syntax influxdb3 create table [OPTIONS] \ --tags [...] \ --database \ @@ -28,16 +29,17 @@ influxdb3 create table [OPTIONS] \ --> {{% hide-in "enterprise" %}} -| Option | | Description | -| :----- | :----------- | :--------------------------------------------------------------------------------------- | -| `-H` | `--host` | Host URL of the running {{< product-name >}} server (default is `http://127.0.0.1:8181`) | -| `-d` | `--database` | _({{< req >}})_ Name of the database to operate on | -| | `--token` | _({{< req >}})_ Authentication token | -| | `--tags` | _({{< req >}})_ Comma-separated list of tag columns to include in the table | -| | `--fields` | Comma-separated list of field columns and their types to include in the table | -| | `--tls-ca` | Path to a custom TLS certificate authority (for testing or self-signed certificates) | -| `-h` | `--help` | Print help information | -| | `--help-all` | Print detailed help information | +| Option | | Description | +| :----- | :---------------- | :--------------------------------------------------------------------------------------- | +| `-H` | `--host` | Host URL of the running {{< product-name >}} server (default is `http://127.0.0.1:8181`) | +| `-d` | `--database` | _({{< req >}})_ Name of the database to operate on | +| | `--token` | _({{< req >}})_ Authentication token | +| | `--tags` | _({{< req >}})_ Comma-separated list of tag columns to include in the table | +| | `--fields` | Comma-separated list of field columns and their types to include in the table | +| | `--tls-ca` | Path to a custom TLS certificate authority (for self-signed or internal certificates) | +| | `--tls-no-verify` | Disable TLS certificate verification (**Not recommended in production**, useful for self-signed certificates) | +| `-h` | `--help` | Print help information | +| | `--help-all` | Print detailed help information | {{% /hide-in %}} @@ -50,7 +52,8 @@ influxdb3 create table [OPTIONS] \ | | `--token` | _({{< req >}})_ Authentication token | | | `--tags` | _({{< req >}})_ Comma-separated list of tag columns to include in the table | | | `--fields` | Comma-separated list of field columns and their types to include in the table | -| | `--tls-ca` | Path to a custom TLS certificate authority (for testing or self-signed certificates) | +| | `--tls-ca` | Path to a custom TLS certificate authority (for self-signed or internal certificates) | +| | `--tls-no-verify` | Disable TLS certificate verification (**Not recommended in production**, useful for self-signed certificates) | | `-h` | `--help` | Print help information | | | `--help-all` | Print detailed help information | {{% /show-in %}} @@ -66,30 +69,29 @@ influxdb3 create table [OPTIONS] \ You can use the following environment variables to set options instead of passing them via CLI flags: -| Environment Variable | Option | -| :------------------------ | :----------- | -| `INFLUXDB3_HOST_URL` | `--host` | -| `INFLUXDB3_DATABASE_NAME` | `--database` | -| `INFLUXDB3_AUTH_TOKEN` | `--token` | +| Environment Variable | Option | +| :------------------------ | :---------------- | +| `INFLUXDB3_HOST_URL` | `--host` | +| `INFLUXDB3_DATABASE_NAME` | `--database` | +| `INFLUXDB3_AUTH_TOKEN` | `--token` | +| `INFLUXDB3_TLS_NO_VERIFY` | `--tls-no-verify` | ## Examples -In the following examples, replace each placeholder with your actual values: +In the examples below, replace the following: - {{% code-placeholder-key %}}`DATABASE_NAME`{{% /code-placeholder-key %}}: The database name - {{% code-placeholder-key %}}`AUTH_TOKEN`{{% /code-placeholder-key %}}: - Authentication token -- {{% code-placeholder-key %}}`TABLE_NAME`{{% /code-placeholder-key %}}: + The authentication token +- {{% code-placeholder-key %}}`TABLE_NAME`{{% /code-placeholder-key %}}: A name for the new table -{{% code-placeholders "DATABASE_NAME|TABLE_NAME|AUTH_TOKEN" %}} - ### Create an empty table -```bash +```bash { placeholders="AUTH_TOKEN|DATABASE_NAME|TABLE_NAME" } influxdb3 create table \ --tags tag1,tag2,tag3 \ --database DATABASE_NAME \ @@ -101,7 +103,7 @@ influxdb3 create table \ -```bash +```bash { placeholders="AUTH_TOKEN|DATABASE_NAME|TABLE_NAME" } influxdb3 create table \ --tags room,sensor_id \ --fields temp:float64,hum:float64,co:int64 \ @@ -115,7 +117,7 @@ influxdb3 create table \ -```bash +```bash { placeholders="AUTH_TOKEN|DATABASE_NAME|TABLE_NAME" } influxdb3 create table \ --tags room,sensor_id \ --fields temp:float64,hum:float64 \ @@ -132,7 +134,7 @@ Use the `SHOW TABLES` query to verify that the table was created successfully: -```bash +```bash { placeholders="AUTH_TOKEN" } influxdb3 query \ --database my_test_db \ --token AUTH_TOKEN \ @@ -152,5 +154,3 @@ Example output: > [!Note] > `SHOW TABLES` is an SQL query. It isn't supported in InfluxQL. - -{{% /code-placeholders %}} diff --git a/content/shared/influxdb3-cli/create/trigger.md b/content/shared/influxdb3-cli/create/trigger.md index 4bfbd0d3c..e275b2420 100644 --- a/content/shared/influxdb3-cli/create/trigger.md +++ b/content/shared/influxdb3-cli/create/trigger.md @@ -7,6 +7,7 @@ processing engine. ```bash +# Syntax influxdb3 create trigger [OPTIONS] \ --database \ --token \ @@ -39,7 +40,8 @@ influxdb3 create trigger [OPTIONS] \ | | `--error-behavior` | Error handling behavior: `log`, `retry`, or `disable` | | | `--run-asynchronous` | Run the trigger asynchronously, allowing multiple triggers to run simultaneously (default is synchronous) | {{% show-in "enterprise" %}}| | `--node-spec` | Which node(s) the trigger should be configured on. Two value formats are supported: `all` (default) - applies to all nodes, or `nodes:[,..]` - applies only to specified comma-separated list of nodes |{{% /show-in %}} -| | `--tls-ca` | Path to a custom TLS certificate authority (for testing or self-signed certificates) | +| | `--tls-ca` | Path to a custom TLS certificate authority (for self-signed or internal certificates) | +| | `--tls-no-verify` | Disable TLS certificate verification (**Not recommended in production**, useful for self-signed certificates) | | `-h` | `--help` | Print help information | | | `--help-all` | Print detailed help information | @@ -51,11 +53,12 @@ For example, to use the [System Metrics](https://github.com/influxdata/influxdb3 You can use the following environment variables to set command options: -| Environment Variable | Option | -| :------------------------ | :----------- | -| `INFLUXDB3_HOST_URL` | `--host` | -| `INFLUXDB3_DATABASE_NAME` | `--database` | -| `INFLUXDB3_AUTH_TOKEN` | `--token` | +| Environment Variable | Option | +| :------------------------ | :---------------- | +| `INFLUXDB3_HOST_URL` | `--host` | +| `INFLUXDB3_DATABASE_NAME` | `--database` | +| `INFLUXDB3_AUTH_TOKEN` | `--token` | +| `INFLUXDB3_TLS_NO_VERIFY` | `--tls-no-verify` | ## Examples @@ -81,9 +84,7 @@ Replace the following placeholders with your values: - {{% code-placeholder-key %}}`TRIGGER_NAME`{{% /code-placeholder-key %}}: Name of the trigger to create - {{% code-placeholder-key %}}`TABLE_NAME`{{% /code-placeholder-key %}}: -Name of the table to trigger on - -{{% code-placeholders "(DATABASE|TRIGGER)_NAME|AUTH_TOKEN|TABLE_NAME" %}} + Name of the table to trigger on ### Create a trigger for a specific table @@ -91,7 +92,7 @@ Create a trigger that processes data from a specific table. -```bash +```bash { placeholders="AUTH_TOKEN|DATABASE_NAME|PLUGIN_FILENAME|TABLE_NAME|TRIGGER_NAME" } influxdb3 create trigger \ --database DATABASE_NAME \ --token AUTH_TOKEN \ @@ -108,7 +109,7 @@ Create a trigger that applies to all tables in the specified database. -```bash +```bash { placeholders="AUTH_TOKEN|DATABASE_NAME|PLUGIN_FILENAME|TRIGGER_NAME" } influxdb3 create trigger \ --database DATABASE_NAME \ --token AUTH_TOKEN \ @@ -125,7 +126,7 @@ This is useful when you want a trigger to apply to any table in the database, re Create a trigger that runs at a specific interval using a duration. Supported duration units: `s` (seconds), `m` (minutes), `h` (hours), `d` (days), `w` (weeks), `M` (months), `y` (years). Maximum interval is 1 year. -```bash +```bash { placeholders="AUTH_TOKEN|DATABASE_NAME|PLUGIN_FILENAME|TRIGGER_NAME" } influxdb3 create trigger \ --database DATABASE_NAME \ --token AUTH_TOKEN \ @@ -150,7 +151,7 @@ Fields: Example: Run at 6:00 AM every weekday (Monday-Friday): -```bash +```bash { placeholders="AUTH_TOKEN|DATABASE_NAME|PLUGIN_FILENAME|TRIGGER_NAME" } influxdb3 create trigger \ --database DATABASE_NAME \ --token AUTH_TOKEN \ @@ -165,7 +166,7 @@ influxdb3 create trigger \ Create a trigger that provides an API endpoint and processes HTTP requests. -```bash +```bash { placeholders="AUTH_TOKEN|DATABASE_NAME|PLUGIN_FILENAME|REQUEST_PATH|TRIGGER_NAME" } influxdb3 create trigger \ --database DATABASE_NAME \ --token AUTH_TOKEN \ @@ -182,7 +183,7 @@ Create a trigger using a plugin organized in multiple files. The plugin director -```bash +```bash { placeholders="AUTH_TOKEN|DATABASE_NAME|TRIGGER_NAME" } influxdb3 create trigger \ --database DATABASE_NAME \ --token AUTH_TOKEN \ @@ -208,7 +209,7 @@ Upload plugin files from your local machine and create a trigger in a single com -```bash +```bash { placeholders="AUTH_TOKEN|DATABASE_NAME|TABLE_NAME|TRIGGER_NAME" } # Upload single-file plugin influxdb3 create trigger \ --database DATABASE_NAME \ @@ -237,7 +238,7 @@ For more information, see [Upload plugins from local machine](/influxdb3/version ### Create a trigger with additional arguments -```bash +```bash { placeholders="AUTH_TOKEN|DATABASE_NAME|PLUGIN_FILENAME|TABLE_NAME|TRIGGER_NAME" } influxdb3 create trigger \ --database DATABASE_NAME \ --token AUTH_TOKEN \ @@ -253,7 +254,7 @@ Create a trigger in a disabled state. -```bash +```bash { placeholders="AUTH_TOKEN|DATABASE_NAME|PLUGIN_FILENAME|TABLE_NAME|TRIGGER_NAME" } influxdb3 create trigger \ --disabled \ --database DATABASE_NAME \ @@ -269,7 +270,7 @@ Creating a trigger in a disabled state prevents it from running immediately. You Log the error to the service output and the `system.processing_engine_logs` table: -```bash +```bash { placeholders="AUTH_TOKEN|DATABASE_NAME|PLUGIN_FILENAME|TABLE_NAME|TRIGGER_NAME" } influxdb3 create trigger \ --database DATABASE_NAME \ --token AUTH_TOKEN \ @@ -281,7 +282,7 @@ influxdb3 create trigger \ Rerun the trigger if it fails: -```bash +```bash { placeholders="AUTH_TOKEN|DATABASE_NAME|PLUGIN_FILENAME|TABLE_NAME|TRIGGER_NAME" } influxdb3 create trigger \ --database DATABASE_NAME \ --token AUTH_TOKEN \ @@ -293,7 +294,7 @@ influxdb3 create trigger \ Disable the trigger if it fails: -```bash +```bash { placeholders="AUTH_TOKEN|DATABASE_NAME|PLUGIN_FILENAME|TABLE_NAME|TRIGGER_NAME" } influxdb3 create trigger \ --database DATABASE_NAME \ --token AUTH_TOKEN \ @@ -302,5 +303,3 @@ influxdb3 create trigger \ --error-behavior disable \ TRIGGER_NAME ``` - -{{% /code-placeholders %}} diff --git a/content/shared/influxdb3-cli/delete/database.md b/content/shared/influxdb3-cli/delete/database.md index e9238402a..527f9f74f 100644 --- a/content/shared/influxdb3-cli/delete/database.md +++ b/content/shared/influxdb3-cli/delete/database.md @@ -6,6 +6,7 @@ The `influxdb3 delete database` command deletes a database. ```bash +# Syntax influxdb3 delete database [OPTIONS] ``` @@ -21,28 +22,48 @@ influxdb3 delete database [OPTIONS] --database-name: internal variable, use positional --> -| Option | | Description | -| :----- | :------------ | :--------------------------------------------------------------------------------------- | -| `-H` | `--host` | Host URL of the running {{< product-name >}} server (default is `http://127.0.0.1:8181`) | -| | `--hard-delete` | When to hard delete data (never/now/default/timestamp). Default behavior is a soft delete that allows recovery | -| | `--token` | Authentication token | -| | `--tls-ca` | Path to a custom TLS certificate authority (for testing or self-signed certificates) | -| `-h` | `--help` | Print help information | -| | `--help-all` | Print detailed help information | +{{% hide-in "enterprise" %}} +| Option | | Description | +| :----- | :---------------- | :--------------------------------------------------------------------------------------- | +| `-H` | `--host` | Host URL of the running {{< product-name >}} server (default is `http://127.0.0.1:8181`) | +| | `--hard-delete` | When to hard delete data (never/now/default/timestamp). Default behavior is a soft delete that allows recovery | +| | `--token` | Authentication token | +| | `--tls-ca` | Path to a custom TLS certificate authority (for self-signed or internal certificates) | +| | `--tls-no-verify` | Disable TLS certificate verification (**Not recommended in production**, useful for self-signed certificates) | +| `-h` | `--help` | Print help information | +| | `--help-all` | Print detailed help information | +{{% /hide-in %}} + +{{% show-in "enterprise" %}} +| Option | | Description | +| :----- | :---------------- | :--------------------------------------------------------------------------------------- | +| `-H` | `--host` | Host URL of the running {{< product-name >}} server (default is `http://127.0.0.1:8181`) | +| | `--data-only` | Delete only data while preserving schemas and all associated resources (tokens, triggers, caches, etc.). Default behavior deletes everything | +| | `--remove-tables` | Used with `--data-only` to remove table resources (caches) while preserving database-level resources (tokens, triggers, processing engine configurations) | +| | `--hard-delete` | When to hard delete data (never/now/default/timestamp). Default behavior is a soft delete that allows recovery | +| | `--token` | Authentication token | +| | `--tls-ca` | Path to a custom TLS certificate authority (for self-signed or internal certificates) | +| | `--tls-no-verify` | Disable TLS certificate verification (**Not recommended in production**, useful for self-signed certificates) | +| `-h` | `--help` | Print help information | +| | `--help-all` | Print detailed help information | +{{% /show-in %}} ### Option environment variables You can use the following environment variables to set command options: -| Environment Variable | Option | -| :------------------------ | :----------- | -| `INFLUXDB3_HOST_URL` | `--host` | -| `INFLUXDB3_AUTH_TOKEN` | `--token` | +| Environment Variable | Option | +| :------------------------ | :---------------- | +| `INFLUXDB3_HOST_URL` | `--host` | +| `INFLUXDB3_AUTH_TOKEN` | `--token` | +| `INFLUXDB3_TLS_NO_VERIFY` | `--tls-no-verify` | ## Examples - [Delete a database](#delete-a-database) - [Delete a database while specifying the token inline](#delete-a-database-while-specifying-the-token-inline) +{{% show-in "enterprise" %}}- [Delete database data only (preserve schema and resources)](#delete-database-data-only-preserve-schema-and-resources) +- [Delete database data and tables (preserve database resources)](#delete-database-data-and-tables-preserve-database-resources){{% /show-in %}} - [Hard delete a database immediately](#hard-delete-a-database-immediately) - [Hard delete a database at a specific time](#hard-delete-a-database-at-a-specific-time) @@ -50,16 +71,14 @@ In the examples below, replace the following: - {{% code-placeholder-key %}}`DATABASE_NAME`{{% /code-placeholder-key %}}: Database name -- {{% code-placeholder-key %}}`AUTH_TOKEN`{{% /code-placeholder-key %}}: +- {{% code-placeholder-key %}}`AUTH_TOKEN`{{% /code-placeholder-key %}}: Authentication token -{{% code-placeholders "DATABASE_NAME|AUTH_TOKEN" %}} - ### Delete a database -```bash +```bash { placeholders="DATABASE_NAME" } influxdb3 delete database DATABASE_NAME ``` @@ -67,17 +86,50 @@ influxdb3 delete database DATABASE_NAME -```bash +```bash { placeholders="AUTH_TOKEN|DATABASE_NAME" } influxdb3 delete database --token AUTH_TOKEN DATABASE_NAME ``` +{{% show-in "enterprise" %}} +### Delete database data only (preserve schema and resources) + +Delete all data from a database while preserving: +- Database schema (tables and columns) +- Authentication tokens +- Processing engine configurations and triggers +- Last value caches (LVC) and distinct value caches (DVC) + +This is useful when you want to clear old data and re-write new data to the same schema without recreating resources. + + + +```bash { placeholders="DATABASE_NAME" } +influxdb3 delete database --data-only DATABASE_NAME +``` + +### Delete database data and tables (preserve database resources) + +Delete all data and table resources (caches) while preserving database-level resources: +- Authentication tokens +- Processing engine triggers +- Processing engine configurations + +This is useful when you want to start fresh with a new schema but keep existing authentication and trigger configurations. + + + +```bash { placeholders="DATABASE_NAME" } +influxdb3 delete database --data-only --remove-tables DATABASE_NAME +``` +{{% /show-in %}} + ### Hard delete a database immediately Permanently delete a database and all its data immediately without the ability to recover. -```bash +```bash { placeholders="DATABASE_NAME" } influxdb3 delete database --hard-delete now DATABASE_NAME ``` @@ -87,8 +139,6 @@ Schedule a database for permanent deletion at a specific timestamp. -```bash +```bash { placeholders="DATABASE_NAME" } influxdb3 delete database --hard-delete "2024-01-01T00:00:00Z" DATABASE_NAME ``` - -{{% /code-placeholders %}} diff --git a/content/shared/influxdb3-cli/delete/distinct_cache.md b/content/shared/influxdb3-cli/delete/distinct_cache.md index 7d3bd8f66..461e9c40b 100644 --- a/content/shared/influxdb3-cli/delete/distinct_cache.md +++ b/content/shared/influxdb3-cli/delete/distinct_cache.md @@ -25,6 +25,7 @@ influxdb3 delete distinct_cache [OPTIONS] \ | | `--token` | _({{< req >}})_ Authentication token | | `-t` | `--table` | _({{< req >}})_ Table to delete the cache for | | | `--tls-ca` | Path to a custom TLS certificate authority (for testing or self-signed certificates) | +| | `--tls-no-verify` | Disable TLS certificate verification (**Not recommended in production**, useful for self-signed certificates) | | `-h` | `--help` | Print help information | | | `--help-all` | Print detailed help information | @@ -37,6 +38,7 @@ You can use the following environment variables to set command options: | `INFLUXDB3_HOST_URL` | `--host` | | `INFLUXDB3_DATABASE_NAME` | `--database` | | `INFLUXDB3_AUTH_TOKEN` | `--token` | +| `INFLUXDB3_TLS_NO_VERIFY` | `--tls-no-verify` | ## Examples diff --git a/content/shared/influxdb3-cli/delete/file_index.md b/content/shared/influxdb3-cli/delete/file_index.md index 5d160617a..5fcf33528 100644 --- a/content/shared/influxdb3-cli/delete/file_index.md +++ b/content/shared/influxdb3-cli/delete/file_index.md @@ -19,6 +19,7 @@ influxdb3 delete file_index [OPTIONS] --database | | `--token` | _({{< req >}})_ Authentication token | | `-t` | `--table` | Table to delete the file index from | | | `--tls-ca` | Path to a custom TLS certificate authority (for testing or self-signed certificates) | +| | `--tls-no-verify` | Disable TLS certificate verification (**Not recommended in production**, useful for self-signed certificates) | | `-h` | `--help` | Print help information | | | `--help-all` | Print detailed help information | @@ -31,6 +32,7 @@ You can use the following environment variables to set command options: | `INFLUXDB3_HOST_URL` | `--host` | | `INFLUXDB3_DATABASE_NAME` | `--database` | | `INFLUXDB3_AUTH_TOKEN` | `--token` | +| `INFLUXDB3_TLS_NO_VERIFY` | `--tls-no-verify` | ## Examples diff --git a/content/shared/influxdb3-cli/delete/last_cache.md b/content/shared/influxdb3-cli/delete/last_cache.md index c532affc9..a37f986e0 100644 --- a/content/shared/influxdb3-cli/delete/last_cache.md +++ b/content/shared/influxdb3-cli/delete/last_cache.md @@ -22,6 +22,7 @@ influxdb3 delete last_cache [OPTIONS] --database --table | | `--token` | _({{< req >}})_ Authentication token | | `-t` | `--table` | _({{< req >}})_ Table to delete the cache from | | | `--tls-ca` | Path to a custom TLS certificate authority (for testing or self-signed certificates) | +| | `--tls-no-verify` | Disable TLS certificate verification (**Not recommended in production**, useful for self-signed certificates) | | `-h` | `--help` | Print help information | | | `--help-all` | Print detailed help information | @@ -34,6 +35,7 @@ You can use the following environment variables to set command options: | `INFLUXDB3_HOST_URL` | `--host` | | `INFLUXDB3_DATABASE_NAME` | `--database` | | `INFLUXDB3_AUTH_TOKEN` | `--token` | +| `INFLUXDB3_TLS_NO_VERIFY` | `--tls-no-verify` | ## Examples diff --git a/content/shared/influxdb3-cli/delete/table.md b/content/shared/influxdb3-cli/delete/table.md index 13d6de697..56fc982ea 100644 --- a/content/shared/influxdb3-cli/delete/table.md +++ b/content/shared/influxdb3-cli/delete/table.md @@ -6,6 +6,7 @@ The `influxdb3 delete table` command deletes a table from a database. ```bash +# Syntax influxdb3 delete table [OPTIONS] --database ``` @@ -19,62 +20,96 @@ influxdb3 delete table [OPTIONS] --database --table-name: internal variable, use positional --> -| Option | | Description | -| :----- | :------------ | :--------------------------------------------------------------------------------------- | -| `-H` | `--host` | Host URL of the running {{< product-name >}} server (default is `http://127.0.0.1:8181`) | -| `-d` | `--database` | _({{< req >}})_ Name of the database to operate on | -| | `--hard-delete` | When to hard delete data (never/now/default/timestamp). Default behavior is a soft delete that allows recovery | -| | `--token` | _({{< req >}})_ Authentication token | -| | `--tls-ca` | Path to a custom TLS certificate authority (for testing or self-signed certificates) | -| `-h` | `--help` | Print help information | -| | `--help-all` | Print detailed help information | +{{% hide-in "enterprise" %}} +| Option | | Description | +| :----- | :---------------- | :--------------------------------------------------------------------------------------- | +| `-H` | `--host` | Host URL of the running {{< product-name >}} server (default is `http://127.0.0.1:8181`) | +| `-d` | `--database` | _({{< req >}})_ Name of the database to operate on | +| | `--hard-delete` | When to hard delete data (never/now/default/timestamp). Default behavior is a soft delete that allows recovery | +| | `--token` | _({{< req >}})_ Authentication token | +| | `--tls-ca` | Path to a custom TLS certificate authority (for self-signed or internal certificates) | +| | `--tls-no-verify` | Disable TLS certificate verification (**Not recommended in production**, useful for self-signed certificates) | +| `-h` | `--help` | Print help information | +| | `--help-all` | Print detailed help information | +{{% /hide-in %}} + +{{% show-in "enterprise" %}} +| Option | | Description | +| :----- | :---------------- | :--------------------------------------------------------------------------------------- | +| `-H` | `--host` | Host URL of the running {{< product-name >}} server (default is `http://127.0.0.1:8181`) | +| `-d` | `--database` | _({{< req >}})_ Name of the database to operate on | +| | `--data-only` | Delete only data while preserving the table schema and all associated resources (caches, etc.). Default behavior deletes everything | +| | `--hard-delete` | When to hard delete data (never/now/default/timestamp). Default behavior is a soft delete that allows recovery | +| | `--token` | _({{< req >}})_ Authentication token | +| | `--tls-ca` | Path to a custom TLS certificate authority (for self-signed or internal certificates) | +| | `--tls-no-verify` | Disable TLS certificate verification (**Not recommended in production**, useful for self-signed certificates) | +| `-h` | `--help` | Print help information | +| | `--help-all` | Print detailed help information | +{{% /show-in %}} ### Option environment variables You can use the following environment variables to set command options: -| Environment Variable | Option | -| :------------------------ | :----------- | -| `INFLUXDB3_HOST_URL` | `--host` | -| `INFLUXDB3_DATABASE_NAME` | `--database` | -| `INFLUXDB3_AUTH_TOKEN` | `--token` | +| Environment Variable | Option | +| :------------------------ | :---------------- | +| `INFLUXDB3_HOST_URL` | `--host` | +| `INFLUXDB3_DATABASE_NAME` | `--database` | +| `INFLUXDB3_AUTH_TOKEN` | `--token` | +| `INFLUXDB3_TLS_NO_VERIFY` | `--tls-no-verify` | ## Examples -### Delete a table +In the examples below, replace the following: -{{% code-placeholders "(DATABASE|TABLE)_NAME|AUTH_TOKEN" %}} +- {{% code-placeholder-key %}}`DATABASE_NAME`{{% /code-placeholder-key %}}: + Database name +- {{% code-placeholder-key %}}`AUTH_TOKEN`{{% /code-placeholder-key %}}: + Authentication token +- {{% code-placeholder-key %}}`TABLE_NAME`{{% /code-placeholder-key %}}: + Name of the table to delete + +### Delete a table -```bash +```bash { placeholders="AUTH_TOKEN|DATABASE_NAME|TABLE_NAME" } influxdb3 delete table \ --database DATABASE_NAME \ --token AUTH_TOKEN \ TABLE_NAME ``` +{{% show-in "enterprise" %}} +### Delete table data only (preserve schema and resources) + +Delete all data from a table while preserving: +- Table schema (column definitions) +- Last value caches (LVC) and distinct value caches (DVC) associated with the table + +This is useful when you want to clear old data and re-write new data to the same schema without recreating the table structure. + + + +```bash { placeholders="AUTH_TOKEN|DATABASE_NAME|TABLE_NAME" } +influxdb3 delete table \ + --database DATABASE_NAME \ + --token AUTH_TOKEN \ + --data-only \ + TABLE_NAME +``` +{{% /show-in %}} + ### Hard delete a table immediately Permanently delete a table and all its data immediately without the ability to recover. -```bash +```bash { placeholders="AUTH_TOKEN|DATABASE_NAME|TABLE_NAME" } influxdb3 delete table \ --database DATABASE_NAME \ --token AUTH_TOKEN \ --hard-delete now \ TABLE_NAME ``` - -{{% /code-placeholders %}} - -Replace the following: - -- {{% code-placeholder-key %}}`DATABASE_NAME`{{% /code-placeholder-key %}}: - Database name -- {{% code-placeholder-key %}}`AUTH_TOKEN`{{% /code-placeholder-key %}}: - Authentication token -- {{% code-placeholder-key %}}`TABLE_NAME`{{% /code-placeholder-key %}}: - Name of the table to delete diff --git a/content/shared/influxdb3-cli/delete/token.md b/content/shared/influxdb3-cli/delete/token.md index 73cfd688a..9bce84524 100644 --- a/content/shared/influxdb3-cli/delete/token.md +++ b/content/shared/influxdb3-cli/delete/token.md @@ -4,24 +4,33 @@ The `influxdb3 delete token` command deletes an authorization token from the {{% ## Usage ```bash +# Syntax influxdb3 delete token [OPTIONS] ``` ## Options -| Option | Description | Default | Environment | -|----------------|-----------------------------------------------------------------------------------|---------|------------------------| -| `--token` | _({{< req >}})_ The token for authentication with the {{% product-name %}} server | | `INFLUXDB3_AUTH_TOKEN` | -| `--token-name` | _({{< req >}})_ The name of the token to be deleted | | | -| `--tls-ca` | An optional arg to use a custom ca for useful for testing with self signed certs | | `INFLUXDB3_TLS_CA` | -| `-h` | `--help` | Print help information | -| | `--help-all` | Print detailed help information | +| Option | Description | Default | Environment | +|--------------------|-----------------------------------------------------------------------------------|---------|----------------------------| +| `--token` | _({{< req >}})_ The token for authentication with the {{% product-name %}} server | | `INFLUXDB3_AUTH_TOKEN` | +| `--token-name` | _({{< req >}})_ The name of the token to be deleted | | | +| `--tls-ca` | Path to a custom TLS certificate authority (for self-signed or internal certificates) | | `INFLUXDB3_TLS_CA` | +| `--tls-no-verify` | Disable TLS certificate verification (**Not recommended in production**, useful for self-signed certificates) | | `INFLUXDB3_TLS_NO_VERIFY` | +| `-h`, `--help` | Print help information | | | +| `--help-all` | Print detailed help information | | | ## Examples +In the examples below, replace the following: + +- {{% code-placeholder-key %}}`AUTH_TOKEN`{{% /code-placeholder-key %}}: + Authentication token with permission to delete tokens +- {{% code-placeholder-key %}}`TOKEN_TO_DELETE`{{% /code-placeholder-key %}}: + Name of the token to delete + ### Delete a token by name -```bash +```bash { placeholders="AUTH_TOKEN|TOKEN_TO_DELETE" } influxdb3 delete token --token-name TOKEN_TO_DELETE --token AUTH_TOKEN ``` diff --git a/content/shared/influxdb3-cli/delete/trigger.md b/content/shared/influxdb3-cli/delete/trigger.md index db8b94255..da8de9796 100644 --- a/content/shared/influxdb3-cli/delete/trigger.md +++ b/content/shared/influxdb3-cli/delete/trigger.md @@ -6,6 +6,7 @@ The `influxdb3 delete trigger` command deletes a processing engine trigger. ```bash +# Syntax influxdb3 delete trigger [OPTIONS] --database ``` @@ -19,25 +20,27 @@ influxdb3 delete trigger [OPTIONS] --database --trigger-name: internal variable, use positional --> -| Option | | Description | -| :----- | :----------- | :--------------------------------------------------------------------------------------- | -| `-H` | `--host` | Host URL of the running {{< product-name >}} server (default is `http://127.0.0.1:8181`) | -| `-d` | `--database` | _({{< req >}})_ Name of the database to operate on | -| | `--token` | _({{< req >}})_ Authentication token | -| | `--force` | Force delete even if the trigger is active | -| | `--tls-ca` | Path to a custom TLS certificate authority (for testing or self-signed certificates) | -| `-h` | `--help` | Print help information | -| | `--help-all` | Print detailed help information | +| Option | | Description | +| :----- | :---------------- | :--------------------------------------------------------------------------------------- | +| `-H` | `--host` | Host URL of the running {{< product-name >}} server (default is `http://127.0.0.1:8181`) | +| `-d` | `--database` | _({{< req >}})_ Name of the database to operate on | +| | `--token` | _({{< req >}})_ Authentication token | +| | `--force` | Force delete even if the trigger is active | +| | `--tls-ca` | Path to a custom TLS certificate authority (for self-signed or internal certificates) | +| | `--tls-no-verify` | Disable TLS certificate verification (**Not recommended in production**, useful for self-signed certificates) | +| `-h` | `--help` | Print help information | +| | `--help-all` | Print detailed help information | ### Option environment variables You can use the following environment variables to set command options: -| Environment Variable | Option | -| :------------------------ | :----------- | -| `INFLUXDB3_HOST_URL` | `--host` | -| `INFLUXDB3_DATABASE_NAME` | `--database` | -| `INFLUXDB3_AUTH_TOKEN` | `--token` | +| Environment Variable | Option | +| :------------------------ | :---------------- | +| `INFLUXDB3_HOST_URL` | `--host` | +| `INFLUXDB3_DATABASE_NAME` | `--database` | +| `INFLUXDB3_AUTH_TOKEN` | `--token` | +| `INFLUXDB3_TLS_NO_VERIFY` | `--tls-no-verify` | ## Examples @@ -50,16 +53,14 @@ In the examples below, replace the following: Database name - {{% code-placeholder-key %}}`AUTH_TOKEN`{{% /code-placeholder-key %}}: Authentication token -- {{% code-placeholder-key %}}`TRIGGER_NAME`{{% /code-placeholder-key %}}: +- {{% code-placeholder-key %}}`TRIGGER_NAME`{{% /code-placeholder-key %}}: Name of the trigger to delete -{{% code-placeholders "(DATABASE|TRIGGER)_NAME|AUTH_TOKEN" %}} - ### Delete a trigger -```bash +```bash { placeholders="AUTH_TOKEN|DATABASE_NAME|TRIGGER_NAME" } influxdb3 delete trigger \ --database DATABASE_NAME \ --token AUTH_TOKEN \ @@ -70,12 +71,10 @@ influxdb3 delete trigger \ -```bash +```bash { placeholders="AUTH_TOKEN|DATABASE_NAME|TRIGGER_NAME" } influxdb3 delete trigger \ --force \ --database DATABASE_NAME \ --token AUTH_TOKEN \ TRIGGER_NAME ``` - -{{% /code-placeholders %}} diff --git a/content/shared/influxdb3-cli/disable/trigger.md b/content/shared/influxdb3-cli/disable/trigger.md index 7d1011e8d..b181c3f06 100644 --- a/content/shared/influxdb3-cli/disable/trigger.md +++ b/content/shared/influxdb3-cli/disable/trigger.md @@ -21,6 +21,7 @@ influxdb3 disable trigger [OPTIONS] --database | `-d` | `--database` | _({{< req >}})_ Name of the database to operate on | | | `--token` | _({{< req >}})_ Authentication token | | | `--tls-ca` | Path to a custom TLS certificate authority (for testing or self-signed certificates) | +| | `--tls-no-verify` | Disable TLS certificate verification (**Not recommended in production**, useful for self-signed certificates) | | `-h` | `--help` | Print help information | | | `--help-all` | Print detailed help information | @@ -33,3 +34,4 @@ You can use the following environment variables to set command options: | `INFLUXDB3_HOST_URL` | `--host` | | `INFLUXDB3_DATABASE_NAME` | `--database` | | `INFLUXDB3_AUTH_TOKEN` | `--token` | +| `INFLUXDB3_TLS_NO_VERIFY` | `--tls-no-verify` | diff --git a/content/shared/influxdb3-cli/enable/trigger.md b/content/shared/influxdb3-cli/enable/trigger.md index eedf55ac3..86d776323 100644 --- a/content/shared/influxdb3-cli/enable/trigger.md +++ b/content/shared/influxdb3-cli/enable/trigger.md @@ -21,6 +21,7 @@ influxdb3 enable trigger [OPTIONS] --database | `-d` | `--database` | _({{< req >}})_ Name of the database to operate on | | | `--token` | _({{< req >}})_ Authentication token | | | `--tls-ca` | Path to a custom TLS certificate authority (for testing or self-signed certificates) | +| | `--tls-no-verify` | Disable TLS certificate verification (**Not recommended in production**, useful for self-signed certificates) | | `-h` | `--help` | Print help information | | | `--help-all` | Print detailed help information | @@ -33,3 +34,4 @@ You can use the following environment variables to set command options: | `INFLUXDB3_HOST_URL` | `--host` | | `INFLUXDB3_DATABASE_NAME` | `--database` | | `INFLUXDB3_AUTH_TOKEN` | `--token` | +| `INFLUXDB3_TLS_NO_VERIFY` | `--tls-no-verify` | diff --git a/content/shared/influxdb3-cli/install/package.md b/content/shared/influxdb3-cli/install/package.md index 3c830ce62..ec0856ce9 100644 --- a/content/shared/influxdb3-cli/install/package.md +++ b/content/shared/influxdb3-cli/install/package.md @@ -4,6 +4,7 @@ Use this command to add external dependencies that your plugins require, such as ## Usage ```bash +# Syntax influxdb3 install package [OPTIONS] [PACKAGES]... ``` @@ -26,7 +27,8 @@ influxdb3 install package [OPTIONS] [PACKAGES]... | `--package-manager ` | Package manager to use: `discover`, `pip`, `uv`, or `disabled` | `discover` | `INFLUXDB3_PACKAGE_MANAGER` | | `--plugin-repo ` | Plugin repository URL | | `INFLUXDB3_PLUGIN_REPO` | | `-r`, `--requirements ` | Path to a `requirements.txt` file | | | -| `--tls-ca ` | Custom CA certificate for TLS (useful for self-signed certificates) | | `INFLUXDB3_TLS_CA` | +| `--tls-ca ` | Path to a custom TLS certificate authority (for self-signed or internal certificates) | | `INFLUXDB3_TLS_CA` | +| `--tls-no-verify` | Disable TLS certificate verification (**Not recommended in production**, useful for self-signed certificates) | | `INFLUXDB3_TLS_NO_VERIFY` | | `-h`, `--help` | Print help information | | | | `--help-all` | Print detailed help information | | | @@ -59,9 +61,7 @@ influxdb3 install package \ pint pandas ``` -Replace the following: - -- {{% code-placeholder-key %}}`AUTH_TOKEN`{{% /code-placeholder-key %}}: your {{% token-link "admin" %}} for your {{< product-name >}} instance +Replace {{% code-placeholder-key %}}`AUTH_TOKEN`{{% /code-placeholder-key %}} with your {{% token-link "admin" %}} for your {{< product-name >}} instance. ### Install packages with a specific package manager diff --git a/content/shared/influxdb3-cli/query.md b/content/shared/influxdb3-cli/query.md index 7b13dd8c1..b9ee06e0d 100644 --- a/content/shared/influxdb3-cli/query.md +++ b/content/shared/influxdb3-cli/query.md @@ -34,6 +34,7 @@ influxdb3 query [OPTIONS] --database [QUERY]... | `-o` | `--output` | Output query results to the specified file | | `-f` | `--file` | A file that contains the query to execute | | | `--tls-ca` | Path to a custom TLS certificate authority (for testing or self-signed certificates) | +| | `--tls-no-verify` | Disable TLS certificate verification (**Not recommended in production**, useful for self-signed certificates) | | `-h` | `--help` | Print help information | | | `--help-all` | Print detailed help information | @@ -46,6 +47,7 @@ You can use the following environment variables to set command options: | `INFLUXDB3_HOST_URL` | `--host` | | `INFLUXDB3_DATABASE_NAME` | `--database` | | `INFLUXDB3_AUTH_TOKEN` | `--token` | +| `INFLUXDB3_TLS_NO_VERIFY` | `--tls-no-verify` | ## Examples diff --git a/content/shared/influxdb3-cli/show/databases.md b/content/shared/influxdb3-cli/show/databases.md index 1285513d0..4cf5df060 100644 --- a/content/shared/influxdb3-cli/show/databases.md +++ b/content/shared/influxdb3-cli/show/databases.md @@ -19,6 +19,7 @@ influxdb3 show databases [OPTIONS] | | `--show-deleted` | Include databases marked as deleted in the output | | | `--format` | Output format (`pretty` _(default)_, `json`, `jsonl`, `csv`, or `parquet`) | | | `--tls-ca` | Path to a custom TLS certificate authority (for testing or self-signed certificates) | +| | `--tls-no-verify` | Disable TLS certificate verification (**Not recommended in production**, useful for self-signed certificates) | | `-h` | `--help` | Print help information | | | `--help-all` | Print detailed help information | @@ -31,6 +32,7 @@ You can use the following environment variables to set command options: | `INFLUXDB3_HOST_URL` | `--host` | | `INFLUXDB3_DATABASE_NAME` | `--database` | | `INFLUXDB3_AUTH_TOKEN` | `--token` | +| `INFLUXDB3_TLS_NO_VERIFY` | `--tls-no-verify` | ## Examples @@ -62,7 +64,7 @@ influxdb3 show databases --show-deleted influxdb3 show databases --format json ``` -### List databases in Parquet-formatted output +### List databases in Parquet format output [Parquet](https://parquet.apache.org/) is a binary format. Use the `--output` option to specify the file where you want to save the Parquet data. diff --git a/content/shared/influxdb3-cli/show/nodes.md b/content/shared/influxdb3-cli/show/nodes.md index 4e641d2f8..5f0a178c6 100644 --- a/content/shared/influxdb3-cli/show/nodes.md +++ b/content/shared/influxdb3-cli/show/nodes.md @@ -5,6 +5,7 @@ The `influxdb3 show nodes` command displays information about nodes in your {{< ```bash +# Syntax influxdb3 show nodes [OPTIONS] ``` @@ -13,9 +14,11 @@ influxdb3 show nodes [OPTIONS] | Option | | Description | | :----- | :--------- | :--------------------------------------------------------------------------------------- | | `-H` | `--host` | Host URL of the running {{< product-name >}} server (default is `http://127.0.0.1:8181`) | -| | `--format` | Output format: `pretty` (default), `json`, or `csv` | +| | `--format` | Output format (`pretty` _(default)_, `json`, `jsonl`, `csv`, or `parquet`) | +| | `--output` | Path where to save output when using the `parquet` format | | | `--token` | Authentication token | | | `--tls-ca` | Path to a custom TLS certificate authority (for testing or self-signed certificates) | +| | `--tls-no-verify` | Disable TLS certificate verification (**Not recommended in production**, useful for self-signed certificates) | | `-h` | `--help` | Print help information | ### Option environment variables @@ -26,6 +29,7 @@ You can use the following environment variables to set command options: | :--------------------- | :-------- | | `INFLUXDB3_HOST_URL` | `--host` | | `INFLUXDB3_AUTH_TOKEN` | `--token` | +| `INFLUXDB3_TLS_NO_VERIFY` | `--tls-no-verify` | ## Output @@ -44,6 +48,7 @@ The command displays the following information for each node: - [List all nodes in pretty format](#list-all-nodes-in-pretty-format) - [List nodes in JSON format](#list-nodes-in-json-format) +- [Export nodes data to Parquet format](#export-nodes-data-to-parquet-format) - [List nodes on a remote server](#list-nodes-on-a-remote-server) ### List all nodes in pretty format @@ -106,6 +111,19 @@ The output is similar to the following: ] ``` +### Export nodes data to Parquet format + +[Parquet](https://parquet.apache.org/) is a binary format. +Use the `--output` option to specify the file where you want to save the Parquet data. + + + +```bash +influxdb3 show nodes \ + --format parquet \ + --output nodes-data.parquet +``` + ### List nodes on a remote server diff --git a/content/shared/influxdb3-cli/show/plugins.md b/content/shared/influxdb3-cli/show/plugins.md index 557f14abf..ba30bef96 100644 --- a/content/shared/influxdb3-cli/show/plugins.md +++ b/content/shared/influxdb3-cli/show/plugins.md @@ -18,6 +18,7 @@ influxdb3 show plugins [OPTIONS] | | `--format` | Output format (`pretty` _(default)_, `json`, `jsonl`, `csv`, or `parquet`) | | | `--output` | Path where to save output when using the `parquet` format | | | `--tls-ca` | Path to a custom TLS certificate authority (for testing or self-signed certificates) | +| | `--tls-no-verify` | Disable TLS certificate verification (**Not recommended in production**, useful for self-signed certificates) | | `-h` | `--help` | Print help information | | | `--help-all` | Print detailed help information | @@ -29,6 +30,7 @@ You can use the following environment variables to set command options: | :-------------------- | :-------- | | `INFLUXDB3_HOST_URL` | `--host` | | `INFLUXDB3_AUTH_TOKEN`| `--token` | +| `INFLUXDB3_TLS_NO_VERIFY` | `--tls-no-verify` | ## Output diff --git a/content/shared/influxdb3-cli/show/retention.md b/content/shared/influxdb3-cli/show/retention.md index eed5b5002..5e7557d5d 100644 --- a/content/shared/influxdb3-cli/show/retention.md +++ b/content/shared/influxdb3-cli/show/retention.md @@ -5,6 +5,7 @@ The `influxdb3 show retention` command displays effective retention periods for ```bash +# Syntax influxdb3 show retention [OPTIONS] ``` @@ -17,6 +18,7 @@ influxdb3 show retention [OPTIONS] | | `--database` | Filter retention information by database name | | | `--format` | Output format (`pretty` *(default)*, `json`, `jsonl`, `csv`, or `parquet`) | | | `--tls-ca` | Path to a custom TLS certificate authority (for testing or self-signed certificates) | +| | `--tls-no-verify` | Disable TLS certificate verification (**Not recommended in production**, useful for self-signed certificates) | | `-h` | `--help` | Print help information | | | `--help-all` | Print detailed help information | @@ -29,31 +31,35 @@ You can use the following environment variables to set command options: | `INFLUXDB3_HOST_URL` | `--host` | | `INFLUXDB3_DATABASE_NAME` | `--database` | | `INFLUXDB3_AUTH_TOKEN` | `--token` | +| `INFLUXDB3_TLS_NO_VERIFY` | `--tls-no-verify` | ## Examples - [Show retention for all tables](#show-retention-for-all-tables) - [Show retention for a specific database](#show-retention-for-a-specific-database) - [Show retention in JSON format](#show-retention-in-json-format) +- [Export retention data to Parquet format](#export-retention-data-to-parquet-format) + +In the examples below, replace {{% code-placeholder-key %}}`AUTH_TOKEN`{{% /code-placeholder-key %}} with your authentication token. ### Show retention for all tables -```bash +```bash { placeholders="AUTH_TOKEN" } influxdb3 show retention \ --host http://localhost:8181 \ - --token YOUR_AUTH_TOKEN + --token AUTH_TOKEN ``` ### Show retention for a specific database -```bash +```bash { placeholders="AUTH_TOKEN" } influxdb3 show retention \ --host http://localhost:8181 \ - --token YOUR_AUTH_TOKEN \ + --token AUTH_TOKEN \ --database mydb ``` @@ -61,13 +67,29 @@ influxdb3 show retention \ -```bash +```bash { placeholders="AUTH_TOKEN" } influxdb3 show retention \ --host http://localhost:8181 \ - --token YOUR_AUTH_TOKEN \ + --token AUTH_TOKEN \ --format json ``` +### Export retention data to Parquet format + +[Parquet](https://parquet.apache.org/) is a binary format. +When using the `parquet` format, data is written to standard output by default. +Use output redirection or the `--output` option to save the data to a file. + + + +```bash { placeholders="AUTH_TOKEN" } +influxdb3 show retention \ + --host http://localhost:8181 \ + --token AUTH_TOKEN \ + --format parquet \ + --output retention-data.parquet +``` + ## Output The command displays the following information for each table: diff --git a/content/shared/influxdb3-cli/show/system/summary.md b/content/shared/influxdb3-cli/show/system/summary.md index 78168008a..99cd7bf3f 100644 --- a/content/shared/influxdb3-cli/show/system/summary.md +++ b/content/shared/influxdb3-cli/show/system/summary.md @@ -17,6 +17,7 @@ influxdb3 show system --database summary [OPTIONS] | `-l` | `--limit` | Maximum number of entries from each table to display (default is `10`, `0` indicates no limit) | | | `--format` | Output format (`pretty` _(default)_, `json`, `jsonl`, `csv`, or `parquet`) | | | `--tls-ca` | Path to a custom TLS certificate authority (for testing or self-signed certificates) | +| | `--tls-no-verify` | Disable TLS certificate verification (**Not recommended in production**, useful for self-signed certificates) | | `-h` | `--help` | Print help information | | | `--help-all` | Print detailed help information | diff --git a/content/shared/influxdb3-cli/show/system/table-list.md b/content/shared/influxdb3-cli/show/system/table-list.md index b5e21e5ea..3d7b91c43 100644 --- a/content/shared/influxdb3-cli/show/system/table-list.md +++ b/content/shared/influxdb3-cli/show/system/table-list.md @@ -15,6 +15,7 @@ influxdb3 show system --database table-list [OPTIONS] | :----- | :----------- | :----------------------------------------------------------------------------------- | | | `--format` | Output format (`pretty` _(default)_, `json`, `jsonl`, `csv`, or `parquet`) | | | `--tls-ca` | Path to a custom TLS certificate authority (for testing or self-signed certificates) | +| | `--tls-no-verify` | Disable TLS certificate verification (**Not recommended in production**, useful for self-signed certificates) | | `-h` | `--help` | Print help information | | | `--help-all` | Print detailed help information | diff --git a/content/shared/influxdb3-cli/show/system/table.md b/content/shared/influxdb3-cli/show/system/table.md index e492dbbd7..4e97b9a87 100644 --- a/content/shared/influxdb3-cli/show/system/table.md +++ b/content/shared/influxdb3-cli/show/system/table.md @@ -22,6 +22,7 @@ influxdb3 show system --database table [OPTIONS] | `-s` | `--select` | Select specific columns from the system table | | | `--format` | Output format (`pretty` _(default)_, `json`, `jsonl`, `csv`, or `parquet`) | | | `--tls-ca` | Path to a custom TLS certificate authority (for testing or self-signed certificates) | +| | `--tls-no-verify` | Disable TLS certificate verification. (**Not recommended in production**, useful for self-signed certificates) | | `-h` | `--help` | Print help information | | | `--help-all` | Print detailed help information | diff --git a/content/shared/influxdb3-cli/show/tokens.md b/content/shared/influxdb3-cli/show/tokens.md index 33df0305d..5f739b722 100644 --- a/content/shared/influxdb3-cli/show/tokens.md +++ b/content/shared/influxdb3-cli/show/tokens.md @@ -18,6 +18,7 @@ influxdb3 show tokens [OPTIONS] | | `--format` | Output format (`pretty` _(default)_, `json`, `jsonl`, `csv`, or `parquet`) | | | `--output` | Path where to save output when using the `parquet` format | | | `--tls-ca` | Path to a custom TLS certificate authority (for testing or self-signed certificates) | +| | `--tls-no-verify` | Disable TLS certificate verification (**Not recommended in production**, useful for self-signed certificates) | | `-h` | `--help` | Print help information | | | `--help-all` | Print detailed help information | @@ -29,6 +30,7 @@ You can use the following environment variables to set command options: | :-------------------- | :-------- | | `INFLUXDB3_HOST_URL` | `--host` | | `INFLUXDB3_AUTH_TOKEN`| `--token` | +| `INFLUXDB3_TLS_NO_VERIFY` | `--tls-no-verify` | ## Examples diff --git a/content/shared/influxdb3-cli/stop/node.md b/content/shared/influxdb3-cli/stop/node.md index e470d3730..67c5b5ef3 100644 --- a/content/shared/influxdb3-cli/stop/node.md +++ b/content/shared/influxdb3-cli/stop/node.md @@ -21,6 +21,7 @@ influxdb3 stop node [OPTIONS] --node-id | `-H` | `--host` | Host URL of the running {{< product-name >}} server (default is `http://127.0.0.1:8181`) | | | `--token` | Authentication token | | | `--tls-ca` | Path to a custom TLS certificate authority (for testing or self-signed certificates) | +| | `--tls-no-verify` | Disable TLS certificate verification (**Not recommended in production**, useful for self-signed certificates) | | `-h` | `--help` | Print help information | ### Option environment variables @@ -31,6 +32,7 @@ You can use the following environment variables to set command options: | :--------------------- | :-------- | | `INFLUXDB3_HOST_URL` | `--host` | | `INFLUXDB3_AUTH_TOKEN` | `--token` | +| `INFLUXDB3_TLS_NO_VERIFY` | `--tls-no-verify` | ## Use case diff --git a/content/shared/influxdb3-cli/test/schedule_plugin.md b/content/shared/influxdb3-cli/test/schedule_plugin.md index 10aee669a..243a0174b 100644 --- a/content/shared/influxdb3-cli/test/schedule_plugin.md +++ b/content/shared/influxdb3-cli/test/schedule_plugin.md @@ -24,6 +24,7 @@ influxdb3 test schedule_plugin [OPTIONS] --database | | `--schedule` | Cron schedule to simulate when testing the plugin
(default: `* * * * *`) | | | `--cache-name` | Optional cache name to associate with the test | | | `--tls-ca` | Path to a custom TLS certificate authority for self-signed certs | +| | `--tls-no-verify` | Disable TLS certificate verification (**Not recommended in production**, useful for self-signed certificates) | | `-h` | `--help` | Show basic help information | | | `--help-all` | Show all available help options | @@ -38,6 +39,7 @@ You can use the following environment variables to set command options: | `INFLUXDB3_DATABASE_NAME` | `--database` | | `INFLUXDB3_AUTH_TOKEN` | `--token` | | `INFLUXDB3_TLS_CA` | `--tls-ca` | +| `INFLUXDB3_TLS_NO_VERIFY` | `--tls-no-verify` | ## Examples diff --git a/content/shared/influxdb3-cli/test/wal_plugin.md b/content/shared/influxdb3-cli/test/wal_plugin.md index 78da3fd2d..9b5cd6dad 100644 --- a/content/shared/influxdb3-cli/test/wal_plugin.md +++ b/content/shared/influxdb3-cli/test/wal_plugin.md @@ -25,6 +25,7 @@ influxdb3 test wal_plugin [OPTIONS] --database | | `--file` | Line protocol file to use as input | | | `--input-arguments` | Map of string key-value pairs as to use as plugin input arguments | | | `--tls-ca` | Path to a custom TLS certificate authority (for testing or self-signed certificates) | +| | `--tls-no-verify` | Disable TLS certificate verification (**Not recommended in production**, useful for self-signed certificates) | | `-h` | `--help` | Print help information | | | `--help-all` | Print detailed help information | @@ -38,6 +39,7 @@ You can use the following environment variables to set command options: | `INFLUXDB3_HOST_URL` | `--host` | | `INFLUXDB3_DATABASE_NAME` | `--database` | | `INFLUXDB3_AUTH_TOKEN` | `--token` | +| `INFLUXDB3_TLS_NO_VERIFY` | `--tls-no-verify` | ## Examples diff --git a/content/shared/influxdb3-cli/update/database/_index.md b/content/shared/influxdb3-cli/update/database/_index.md index 4ae057a37..53567826a 100644 --- a/content/shared/influxdb3-cli/update/database/_index.md +++ b/content/shared/influxdb3-cli/update/database/_index.md @@ -34,6 +34,7 @@ You can also set the database name using the `INFLUXDB3_DATABASE_NAME` environme | `-d` | `--database` | The name of the database to update | | | `--token` | Authentication token | | | `--tls-ca` | Path to a custom TLS certificate authority (for testing or self-signed certificates) | +| | `--tls-no-verify` | Disable TLS certificate verification (**Not recommended in production**, useful for self-signed certificates) | | `-h` | `--help` | Print help information | | | `--help-all` | Print detailed help information | {{% /hide-in %}} @@ -46,6 +47,7 @@ You can also set the database name using the `INFLUXDB3_DATABASE_NAME` environme | | `--token` | Authentication token | | `-r` | `--retention-period` | The retention period as a [duration](/influxdb3/version/reference/glossary/#duration) value (for example: `30d`, `24h`) or `none` to clear | | | `--tls-ca` | Path to a custom TLS certificate authority (for testing or self-signed certificates) | +| | `--tls-no-verify` | Disable TLS certificate verification (**Not recommended in production**, useful for self-signed certificates) | | `-h` | `--help` | Print help information | | | `--help-all` | Print detailed help information | {{% /show-in %}} @@ -60,6 +62,7 @@ You can use the following environment variables instead of providing CLI options | `INFLUXDB3_DATABASE_NAME` | `--database` | | `INFLUXDB3_AUTH_TOKEN` | `--token` | | `INFLUXDB3_TLS_CA` | `--tls-ca` | +| `INFLUXDB3_TLS_NO_VERIFY` | `--tls-no-verify` | {{% show-in "enterprise" %}} ## Examples diff --git a/content/shared/influxdb3-cli/update/table/_index.md b/content/shared/influxdb3-cli/update/table/_index.md index 928ca8573..e8b9b26d3 100644 --- a/content/shared/influxdb3-cli/update/table/_index.md +++ b/content/shared/influxdb3-cli/update/table/_index.md @@ -23,6 +23,7 @@ influxdb3 update table [OPTIONS] --database | | `--token` | Authentication token | | `-r` | `--retention-period` | The retention period as a [duration](/influxdb3/version/reference/glossary/#duration) value (for example: `30d`, `24h`) or `none` to clear | | | `--tls-ca` | Path to a custom TLS certificate authority (for testing or self-signed certificates) | +| | `--tls-no-verify` | Disable TLS certificate verification (**Not recommended in production**, useful for self-signed certificates) | | `-h` | `--help` | Print help information | | | `--help-all` | Print detailed help information | @@ -36,6 +37,7 @@ You can use the following environment variables instead of providing CLI options | `INFLUXDB3_DATABASE_NAME` | `--database` | | `INFLUXDB3_AUTH_TOKEN` | `--token` | | `INFLUXDB3_TLS_CA` | `--tls-ca` | +| `INFLUXDB3_TLS_NO_VERIFY` | `--tls-no-verify` | ## Examples diff --git a/content/shared/influxdb3-cli/update/trigger.md b/content/shared/influxdb3-cli/update/trigger.md index 3420d2127..bdd07523c 100644 --- a/content/shared/influxdb3-cli/update/trigger.md +++ b/content/shared/influxdb3-cli/update/trigger.md @@ -32,6 +32,7 @@ influxdb3 update trigger [OPTIONS] \ | | `--error-behavior` | Error handling behavior: `log`, `retry`, or `disable` | | | `--token` | Authentication token | | | `--tls-ca` | Path to a custom TLS certificate authority (for testing or self-signed certificates) | +| | `--tls-no-verify` | Disable TLS certificate verification (**Not recommended in production**, useful for self-signed certificates) | | `-h` | `--help` | Print help information | | | `--help-all` | Print detailed help information | @@ -45,6 +46,7 @@ You can use the following environment variables instead of providing CLI options | `INFLUXDB3_DATABASE_NAME` | `--database` | | `INFLUXDB3_AUTH_TOKEN` | `--token` | | `INFLUXDB3_TLS_CA` | `--tls-ca` | +| `INFLUXDB3_TLS_NO_VERIFY` | `--tls-no-verify` | ## Examples diff --git a/content/shared/influxdb3-cli/write.md b/content/shared/influxdb3-cli/write.md index d87e5b6e0..0a46600ff 100644 --- a/content/shared/influxdb3-cli/write.md +++ b/content/shared/influxdb3-cli/write.md @@ -34,6 +34,7 @@ influxdb3 write [OPTIONS] --database [LINE_PROTOCOL]... | | `--no-sync` | Do not wait for WAL sync before acknowledging the write request | | | `--precision` | Precision of data timestamps (`ns`, `us`, `ms`, or `s`) | | | `--tls-ca` | Path to a custom TLS certificate authority (for testing or self-signed certificates) | +| | `--tls-no-verify` | Disable TLS certificate verification (**Not recommended in production**, useful for self-signed certificates) | | `-h` | `--help` | Print help information | | | `--help-all` | Print detailed help information | @@ -46,6 +47,7 @@ You can use the following environment variables to set command options: | `INFLUXDB3_HOST_URL` | `--host` | | `INFLUXDB3_DATABASE_NAME` | `--database` | | `INFLUXDB3_AUTH_TOKEN` | `--token` | +| `INFLUXDB3_TLS_NO_VERIFY` | `--tls-no-verify` | ## Examples diff --git a/content/shared/influxdb3-get-started/processing-engine.md b/content/shared/influxdb3-get-started/processing-engine.md index 1a727cc18..541b85bcc 100644 --- a/content/shared/influxdb3-get-started/processing-engine.md +++ b/content/shared/influxdb3-get-started/processing-engine.md @@ -54,10 +54,15 @@ If you haven't completed these steps, see [Set up {{% product-name %}}](/influxd ## Activate the processing engine -To activate the processing engine, include the `--plugin-dir ` option -when starting the {{% product-name %}} server. -`PLUGIN_DIR` is your file system location for storing [plugin](#plugin) files for -the processing engine to run. +To activate the processing engine, include the `--plugin-dir ` option when starting the {{% product-name %}} server. +`PLUGIN_DIR` is your file system location for storing [plugin](#plugin) files for the processing engine to run. +{{% show-in "enterprise" %}} +In a cluster, `--plugin-dir` automatically adds `process` mode to the node. +{{% /show-in %}} + +> [!Note] +> **Docker and DEB/RPM installations**: The Processing Engine is already enabled—no additional configuration needed. +> To disable it, see [Enable and disable the Processing Engine](/influxdb3/version/reference/processing-engine/#enable-and-disable-the-processing-engine). > [!Note] > If you manually installed {{% product-name %}} from a tar archive, ensure the `influxdb3` binary and `python/` directory remain in the same parent directory. The install script handles this automatically. diff --git a/content/shared/influxdb3-plugins/_index.md b/content/shared/influxdb3-plugins/_index.md index 2546cf367..757ee2092 100644 --- a/content/shared/influxdb3-plugins/_index.md +++ b/content/shared/influxdb3-plugins/_index.md @@ -36,7 +36,25 @@ Once you have all the prerequisites in place, follow these steps to implement th ## Set up the Processing Engine -To activate the Processing Engine, start your {{% product-name %}} server with the `--plugin-dir` flag. This flag tells InfluxDB where to load your plugin files. +The Processing Engine activates when `--plugin-dir` or `INFLUXDB3_PLUGIN_DIR` is configured. +{{% show-in "enterprise" %}} +In a cluster, this automatically adds `process` mode to the node. +{{% /show-in %}} + +### Default behavior by deployment type + +| Deployment | Default state | Configuration | +|:-----------|:--------------|:--------------| +| Docker images | **Enabled** | `INFLUXDB3_PLUGIN_DIR=/plugins` | +| DEB/RPM packages | **Enabled** | `plugin-dir="/var/lib/influxdb3/plugins"` | +| Binary/source | Disabled | No `plugin-dir` configured | + +If you installed {{% product-name %}} using Docker or a DEB/RPM package, the Processing Engine is already enabled—skip to [Add a Processing Engine plugin](#add-a-processing-engine-plugin). +To disable the Processing Engine, see [Enable and disable the Processing Engine](/influxdb3/version/reference/processing-engine/#enable-and-disable-the-processing-engine). + +### Enable the Processing Engine manually + +To activate the Processing Engine when running from a binary or source build, start your {{% product-name %}} server with the `--plugin-dir` flag. This flag tells InfluxDB where to load your plugin files. > [!Important] > #### Keep the influxdb3 binary with its python directory diff --git a/content/shared/influxdb3-reference/influxdb3-processing-engine.md b/content/shared/influxdb3-reference/influxdb3-processing-engine.md index 9ec28690d..0454bebb2 100644 --- a/content/shared/influxdb3-reference/influxdb3-processing-engine.md +++ b/content/shared/influxdb3-reference/influxdb3-processing-engine.md @@ -1,5 +1,98 @@ The Processing engine is an embedded Python virtual machine that runs inside an {{% product-name %}} database server. It executes Python code in response to triggers and database events without requiring external application servers or middleware. +## Enable and disable the Processing Engine + +The Processing Engine activates when [`--plugin-dir`](/influxdb3/version/reference/cli/influxdb3/serve/#plugin-dir) or `INFLUXDB3_PLUGIN_DIR` is configured. +When not configured, the Python environment and PyO3 bindings aren't initialized, and the server runs without Processing Engine functionality. + +{{% show-in "enterprise" %}} +### Process mode and `--plugin-dir` + +Setting `--plugin-dir` automatically adds `process` mode to any node, regardless of the [`--mode`](/influxdb3/enterprise/reference/config-options/#mode) setting. +You don't need to explicitly set `--mode=process` when `--plugin-dir` is configured. + +Conversely, if you explicitly set `--mode=process`, you **must** also set `--plugin-dir`. +A node with `--mode=process` but no `--plugin-dir` won't function correctly. + +For cluster node configuration examples, see [Configure process nodes](/influxdb3/enterprise/admin/clustering/#configure-process-nodes). +{{% /show-in %}} + +### Default behavior by deployment type + +| Deployment | Default state | Configuration | +|:-----------|:--------------|:--------------| +| Docker images | **Enabled** | `INFLUXDB3_PLUGIN_DIR=/plugins` | +| DEB/RPM packages | **Enabled** | `plugin-dir="/var/lib/influxdb3/plugins"` | +| Binary/source | Disabled | No `plugin-dir` configured | + +### Disable in Docker deployments + +Docker images set `INFLUXDB3_PLUGIN_DIR=/plugins` by default. + +> [!Warning] +> Setting `INFLUXDB3_PLUGIN_DIR=""` (empty string) does **not** disable the Processing Engine. +> You must unset the variable, not set it to empty. + +{{% show-in "enterprise" %}} +Use the `INFLUXDB3_UNSET_VARS` feature to unset inherited environment variables: + +```bash +docker run -e INFLUXDB3_UNSET_VARS="INFLUXDB3_PLUGIN_DIR" influxdb:3-enterprise +``` + +`INFLUXDB3_UNSET_VARS` accepts one or more environment variable names (for example, a comma-separated list) and unsets them before the server starts. +Use it to clear any inherited variables that you don't want the InfluxDB 3 Enterprise container to see (for example, `INFLUXDB3_PLUGIN_DIR`, `INFLUXDB3_LOG_LEVEL`) when you can't modify the parent environment directly. +This is useful in orchestration environments (Kubernetes, Docker Compose) where removing an inherited variable isn't straightforward. +{{% /show-in %}} + +{{% show-in "core" %}} +Use a custom entrypoint that unsets the variable: + +```bash +docker run --entrypoint /bin/sh influxdb:3-core -c 'unset INFLUXDB3_PLUGIN_DIR && exec influxdb3 serve --object-store memory' +``` +{{% /show-in %}} + +### Disable in systemd deployments (DEB/RPM) + +The post-install script sets `plugin-dir="/var/lib/influxdb3/plugins"` in the TOML configuration. +To disable the Processing Engine: + +1. Edit the configuration file: + + ```bash + sudo nano /etc/influxdb3/influxdb3-{{< product-key >}}.conf + ``` + +2. Comment out or remove the `plugin-dir` line: + + ```toml + # plugin-dir="/var/lib/influxdb3/plugins" + ``` + + > [!Warning] + > Do not set `plugin-dir=""` (empty string)—you must remove or comment out the line. + +3. Restart the service: + + ```bash + sudo systemctl restart influxdb3-{{< product-key >}} + ``` + +> [!Note] +> The `/var/lib/influxdb3/plugins` directory can remain on disk. +> The Processing Engine only activates based on the `plugin-dir` configuration, not directory existence. + +### Benefits of disabling + +When the Processing Engine is disabled: + +- The Python environment and PyO3 bindings are not initialized +- Plugin-related operations return a "No plugin directory configured" error +- The server runs with reduced resource usage + +This is useful for deployments that don't require plugin functionality and want a minimal server footprint. + ## How it works ### Architecture diff --git a/content/shared/sql-reference/data-types.md b/content/shared/sql-reference/data-types.md index 4d6c714d4..056a384ba 100644 --- a/content/shared/sql-reference/data-types.md +++ b/content/shared/sql-reference/data-types.md @@ -61,11 +61,13 @@ during query execution and returned in query results. The following numeric types are supported: -| SQL data type | Arrow data type | Description | -| :-------------- | :-------------- | :--------------------------- | -| BIGINT | INT64 | 64-bit signed integer | -| BIGINT UNSIGNED | UINT64 | 64-bit unsigned integer | -| DOUBLE | FLOAT64 | 64-bit floating-point number | +| SQL data type | Arrow data type | Description | +| :-------------- | :-------------- | :----------------------------------------- | +| BIGINT | INT64 | 64-bit signed integer | +| BIGINT UNSIGNED | UINT64 | 64-bit unsigned integer | +| DOUBLE | FLOAT64 | 64-bit floating-point number (~15 digits) | +| FLOAT | FLOAT32 | 32-bit floating-point number (~7 digits) | +| REAL | FLOAT32 | 32-bit floating-point number (alias for FLOAT) | ### Integers @@ -101,11 +103,22 @@ Unsigned integer literals are comprised of an integer cast to the `BIGINT UNSIGN ### Floats -InfluxDB SQL supports the 64-bit double floating point values. -Floats can be a decimal point, decimal integer, or decimal fraction. +InfluxDB SQL supports both 32-bit (single precision) and 64-bit (double precision) floating-point values. + +| Type | Precision | Significant Digits | Use Case | +| :----- | :-------- | :----------------- | :------- | +| FLOAT | 32-bit | ~7 digits | Memory-efficient storage when full precision isn't needed | +| DOUBLE | 64-bit | ~15-16 digits | Default for most numeric operations | + +> [!Note] +> InfluxDB stores float field values as 64-bit (FLOAT64) internally. +> Casting to FLOAT (32-bit) may lose precision for values with more than ~7 significant digits. +> Unlike PostgreSQL where FLOAT defaults to double precision, InfluxDB SQL treats FLOAT as single precision (32-bit). ##### Example float literals +Float literals are stored as 64-bit double precision: + ```sql 23.8 -446.89 @@ -113,6 +126,18 @@ Floats can be a decimal point, decimal integer, or decimal fraction. 0.033 ``` +##### Example float casting + +```sql +-- Cast to 32-bit float (may lose precision) +SELECT 3.141592653589793::FLOAT; +-- Returns: 3.1415927 (truncated to ~7 digits) + +-- Cast to 64-bit double (preserves precision) +SELECT 3.141592653589793::DOUBLE; +-- Returns: 3.141592653589793 +``` + ## Date and time data types InfluxDB SQL supports the following DATE/TIME data types: diff --git a/content/shared/v3-core-enterprise-release-notes/_index.md b/content/shared/v3-core-enterprise-release-notes/_index.md index 159fa56ec..c8e747da3 100644 --- a/content/shared/v3-core-enterprise-release-notes/_index.md +++ b/content/shared/v3-core-enterprise-release-notes/_index.md @@ -6,6 +6,66 @@ > All updates to Core are automatically included in Enterprise. > The Enterprise sections below only list updates exclusive to Enterprise. +## v3.8.3 {date="2026-02-24"} + +### Core + +#### Bug fixes + +- **WAL Buffer**: Fix an edge case that could potentially cause the WAL buffer to overflow + + +## v3.8.2 {date="2026-02-23"} + +### Core + +#### Features + +- **TLS: Skip certificate verification in CLI subcommands**: Use the new `--tls-no-verify` flag with any CLI subcommand to skip TLS certificate verification when connecting to a server. Useful for testing environments with self-signed certificates. + +- **Environment variable prefix standardization**: InfluxDB 3 specific environment variables use the `INFLUXDB3_` prefix for consistency. Legacy variable names continue to work (deprecated) for backward compatibility. + + > [!IMPORTANT] + > `INFLUXDB3_LOG_FILTER` is currently ignored. To set the log filter, use `LOG_FILTER` or the `--log-filter` flag. + +- **Parquet output format for `show` subcommands**: You can now save query results from the `show` subcommand directly to a Parquet file. + +- **SQL: `tag_values()` table function**: Query distinct tag values using the new `tag_values()` SQL table function. + +- **InfluxQL: `SHOW TAG VALUES` improvements**: In Enterprise deployments with auto-DVC enabled, `SHOW TAG VALUES` queries now use the Distinct Value Cache (DVC) automatically for improved performance. The `WHERE` clause is also now supported in `SHOW TAG VALUES` queries backed by the DVC, including compound predicates using `AND` and `OR`. + +- **InfluxQL: `SHOW RETENTION POLICIES` returns duration**: The `duration` column in `SHOW RETENTION POLICIES` results now returns the configured retention period in InfluxDB v1-compatible format (for example, `168h0m0s`) instead of returning an empty value. + +- **Ceph S3 backend support**: Use `--aws-s3-custom-backend ceph` with `influxdb3 serve` to connect to Ceph S3-compatible object storage. This enables ETag quote stripping required for conditional PUT operations with Ceph. + +- **`_internal` database default retention**: The `_internal` system database now defaults to a 7-day retention period (previously infinite). Only admin tokens can modify retention on the `_internal` database. + + +#### Bug fixes + +- **Sparse write handling for LVC, DVC, and Processing Engine**: Fixed incorrect behavior when processing sparse writes (writes that include only some fields from a table with multiple field families). + +- **`influxdb3-launcher`: SSL certificate path on RHEL systems**: Fixed an issue where the `SSL_CERT_FILE` environment variable was not correctly set on affected RHEL-based + systems when using the `influxdb3-launcher` script. +- Additional bug fixes and performance improvements. + +### Enterprise + +All Core updates are included in Enterprise. +Additional Enterprise-specific features and fixes: + +#### Features + +- **Data-only deletion for databases and tables**: Delete only the stored data from a database or table while preserving catalog entries, schema, and associated resources (tokens, triggers, caches, and processing engine configurations). + +#### Bug fixes + +- **Compaction stability**: Several fixes to compaction scheduling and processing to improve stability and correctness in multi-node clusters. + +- **TableIndexCache initialization**: Fixed a concurrency bug that could cause incorrect behavior during `TableIndexCache` initialization. + +- **Snapshot checkpointing**: Fixed an issue where snapshot checkpoint cleanup was not running as a background task. + ## v3.8.0 {date="2025-12-18"} ### Core @@ -266,7 +326,6 @@ All Core updates are included in Enterprise. Additional Enterprise-specific feat - **License management**: - Improve licensing suggestions for Core users - Update license information handling -- **Storage engine**: Add experimental PachaTree storage engine with core implementation and server integration - **Database management**: - Enhance `TableIndexCache` with advanced features beyond Core's basic cleanup: persistent snapshots, object store integration, merge operations for distributed environments, and recovery capabilities for multi-node clusters - Add `TableIndexSnapshot`, `TableIndex`, and `TableIndices` types for distributed table index management diff --git a/content/telegraf/controller/_index.md b/content/telegraf/controller/_index.md index cb3b29bf2..18426479d 100644 --- a/content/telegraf/controller/_index.md +++ b/content/telegraf/controller/_index.md @@ -8,6 +8,9 @@ menu: telegraf_controller: name: Telegraf Controller weight: 1 +cascade: + product: telegraf_controller + version: controller --- **Telegraf Controller** is a centralized application for managing Telegraf diff --git a/content/telegraf/v1/__tests__/shortcodes.md b/content/telegraf/v1/__tests__/shortcodes.md new file mode 100644 index 000000000..8cdbb22fc --- /dev/null +++ b/content/telegraf/v1/__tests__/shortcodes.md @@ -0,0 +1,19 @@ +--- +title: Shortcode test page +noindex: true +test_only: true +--- + + +{{% product-name %}} +{{% product-name "short" %}} +{{< product-key >}} +{{< current-version >}} +{{< influxdb/host >}} +{{< latest-patch >}} +{{< icon "check" >}} +
{{< api-endpoint method="get" endpoint="https://{{< influxdb/host >}}/api/v2/query" >}}
+{{% show-in "core" %}}VISIBLE_IN_CORE{{% /show-in %}} +{{% hide-in "core" %}}HIDDEN_IN_CORE{{% /hide-in %}} + +{{% telegraf/verify %}} diff --git a/content/telegraf/v1/_index.md b/content/telegraf/v1/_index.md index 0e9898b0b..ec538e1eb 100644 --- a/content/telegraf/v1/_index.md +++ b/content/telegraf/v1/_index.md @@ -11,7 +11,9 @@ related: - /resources/videos/intro-to-telegraf/ - /telegraf/v1/install/ - /telegraf/v1/get_started/ - +cascade: + product: telegraf + version: v1 --- Telegraf, a server-based agent, collects and sends metrics and events from databases, systems, and IoT sensors. diff --git a/content/telegraf/v1/aggregator-plugins/basicstats/_index.md b/content/telegraf/v1/aggregator-plugins/basicstats/_index.md index 78725174f..da433ed00 100644 --- a/content/telegraf/v1/aggregator-plugins/basicstats/_index.md +++ b/content/telegraf/v1/aggregator-plugins/basicstats/_index.md @@ -10,7 +10,7 @@ introduced: "v1.5.0" os_support: "freebsd, linux, macos, solaris, windows" related: - /telegraf/v1/configure_plugins/ - - https://github.com/influxdata/telegraf/tree/v1.37.2/plugins/aggregators/basicstats/README.md, Basic Statistics Plugin Source + - https://github.com/influxdata/telegraf/tree/v1.37.3/plugins/aggregators/basicstats/README.md, Basic Statistics Plugin Source --- # Basic Statistics Aggregator Plugin diff --git a/content/telegraf/v1/aggregator-plugins/derivative/_index.md b/content/telegraf/v1/aggregator-plugins/derivative/_index.md index b3a9ba48f..17ae10369 100644 --- a/content/telegraf/v1/aggregator-plugins/derivative/_index.md +++ b/content/telegraf/v1/aggregator-plugins/derivative/_index.md @@ -10,7 +10,7 @@ introduced: "v1.18.0" os_support: "freebsd, linux, macos, solaris, windows" related: - /telegraf/v1/configure_plugins/ - - https://github.com/influxdata/telegraf/tree/v1.37.2/plugins/aggregators/derivative/README.md, Derivative Plugin Source + - https://github.com/influxdata/telegraf/tree/v1.37.3/plugins/aggregators/derivative/README.md, Derivative Plugin Source --- # Derivative Aggregator Plugin diff --git a/content/telegraf/v1/aggregator-plugins/final/_index.md b/content/telegraf/v1/aggregator-plugins/final/_index.md index e5ef29f6d..e0b5b692b 100644 --- a/content/telegraf/v1/aggregator-plugins/final/_index.md +++ b/content/telegraf/v1/aggregator-plugins/final/_index.md @@ -10,7 +10,7 @@ introduced: "v1.11.0" os_support: "freebsd, linux, macos, solaris, windows" related: - /telegraf/v1/configure_plugins/ - - https://github.com/influxdata/telegraf/tree/v1.37.2/plugins/aggregators/final/README.md, Final Plugin Source + - https://github.com/influxdata/telegraf/tree/v1.37.3/plugins/aggregators/final/README.md, Final Plugin Source --- # Final Aggregator Plugin diff --git a/content/telegraf/v1/aggregator-plugins/histogram/_index.md b/content/telegraf/v1/aggregator-plugins/histogram/_index.md index b9b0a9554..2506c5921 100644 --- a/content/telegraf/v1/aggregator-plugins/histogram/_index.md +++ b/content/telegraf/v1/aggregator-plugins/histogram/_index.md @@ -10,7 +10,7 @@ introduced: "v1.4.0" os_support: "freebsd, linux, macos, solaris, windows" related: - /telegraf/v1/configure_plugins/ - - https://github.com/influxdata/telegraf/tree/v1.37.2/plugins/aggregators/histogram/README.md, Histogram Plugin Source + - https://github.com/influxdata/telegraf/tree/v1.37.3/plugins/aggregators/histogram/README.md, Histogram Plugin Source --- # Histogram Aggregator Plugin diff --git a/content/telegraf/v1/aggregator-plugins/merge/_index.md b/content/telegraf/v1/aggregator-plugins/merge/_index.md index ef7357499..1d9d594c9 100644 --- a/content/telegraf/v1/aggregator-plugins/merge/_index.md +++ b/content/telegraf/v1/aggregator-plugins/merge/_index.md @@ -10,7 +10,7 @@ introduced: "v1.13.0" os_support: "freebsd, linux, macos, solaris, windows" related: - /telegraf/v1/configure_plugins/ - - https://github.com/influxdata/telegraf/tree/v1.37.2/plugins/aggregators/merge/README.md, Merge Plugin Source + - https://github.com/influxdata/telegraf/tree/v1.37.3/plugins/aggregators/merge/README.md, Merge Plugin Source --- # Merge Aggregator Plugin diff --git a/content/telegraf/v1/aggregator-plugins/minmax/_index.md b/content/telegraf/v1/aggregator-plugins/minmax/_index.md index 468d1aa6c..da6a71a6f 100644 --- a/content/telegraf/v1/aggregator-plugins/minmax/_index.md +++ b/content/telegraf/v1/aggregator-plugins/minmax/_index.md @@ -10,7 +10,7 @@ introduced: "v1.1.0" os_support: "freebsd, linux, macos, solaris, windows" related: - /telegraf/v1/configure_plugins/ - - https://github.com/influxdata/telegraf/tree/v1.37.2/plugins/aggregators/minmax/README.md, Minimum-Maximum Plugin Source + - https://github.com/influxdata/telegraf/tree/v1.37.3/plugins/aggregators/minmax/README.md, Minimum-Maximum Plugin Source --- # Minimum-Maximum Aggregator Plugin diff --git a/content/telegraf/v1/aggregator-plugins/quantile/_index.md b/content/telegraf/v1/aggregator-plugins/quantile/_index.md index f75c0cdda..9b9776f5c 100644 --- a/content/telegraf/v1/aggregator-plugins/quantile/_index.md +++ b/content/telegraf/v1/aggregator-plugins/quantile/_index.md @@ -10,7 +10,7 @@ introduced: "v1.18.0" os_support: "freebsd, linux, macos, solaris, windows" related: - /telegraf/v1/configure_plugins/ - - https://github.com/influxdata/telegraf/tree/v1.37.2/plugins/aggregators/quantile/README.md, Quantile Plugin Source + - https://github.com/influxdata/telegraf/tree/v1.37.3/plugins/aggregators/quantile/README.md, Quantile Plugin Source --- # Quantile Aggregator Plugin diff --git a/content/telegraf/v1/aggregator-plugins/starlark/_index.md b/content/telegraf/v1/aggregator-plugins/starlark/_index.md index 181384651..ab6eaf7d8 100644 --- a/content/telegraf/v1/aggregator-plugins/starlark/_index.md +++ b/content/telegraf/v1/aggregator-plugins/starlark/_index.md @@ -10,7 +10,7 @@ introduced: "v1.21.0" os_support: "freebsd, linux, macos, solaris, windows" related: - /telegraf/v1/configure_plugins/ - - https://github.com/influxdata/telegraf/tree/v1.37.2/plugins/aggregators/starlark/README.md, Starlark Plugin Source + - https://github.com/influxdata/telegraf/tree/v1.37.3/plugins/aggregators/starlark/README.md, Starlark Plugin Source --- # Starlark Aggregator Plugin diff --git a/content/telegraf/v1/aggregator-plugins/valuecounter/_index.md b/content/telegraf/v1/aggregator-plugins/valuecounter/_index.md index 43860ad5b..1218ca7d1 100644 --- a/content/telegraf/v1/aggregator-plugins/valuecounter/_index.md +++ b/content/telegraf/v1/aggregator-plugins/valuecounter/_index.md @@ -10,7 +10,7 @@ introduced: "v1.8.0" os_support: "freebsd, linux, macos, solaris, windows" related: - /telegraf/v1/configure_plugins/ - - https://github.com/influxdata/telegraf/tree/v1.37.2/plugins/aggregators/valuecounter/README.md, Value Counter Plugin Source + - https://github.com/influxdata/telegraf/tree/v1.37.3/plugins/aggregators/valuecounter/README.md, Value Counter Plugin Source --- # Value Counter Aggregator Plugin diff --git a/content/telegraf/v1/input-plugins/activemq/_index.md b/content/telegraf/v1/input-plugins/activemq/_index.md index 8783aae8d..3498a4d23 100644 --- a/content/telegraf/v1/input-plugins/activemq/_index.md +++ b/content/telegraf/v1/input-plugins/activemq/_index.md @@ -10,7 +10,7 @@ introduced: "v1.8.0" os_support: "freebsd, linux, macos, solaris, windows" related: - /telegraf/v1/configure_plugins/ - - https://github.com/influxdata/telegraf/tree/v1.37.2/plugins/inputs/activemq/README.md, ActiveMQ Plugin Source + - https://github.com/influxdata/telegraf/tree/v1.37.3/plugins/inputs/activemq/README.md, ActiveMQ Plugin Source --- # ActiveMQ Input Plugin diff --git a/content/telegraf/v1/input-plugins/aerospike/_index.md b/content/telegraf/v1/input-plugins/aerospike/_index.md index 0bde28c99..da98a802f 100644 --- a/content/telegraf/v1/input-plugins/aerospike/_index.md +++ b/content/telegraf/v1/input-plugins/aerospike/_index.md @@ -12,7 +12,7 @@ removal: v1.40.0 os_support: "freebsd, linux, macos, solaris, windows" related: - /telegraf/v1/configure_plugins/ - - https://github.com/influxdata/telegraf/tree/v1.37.2/plugins/inputs/aerospike/README.md, Aerospike Plugin Source + - https://github.com/influxdata/telegraf/tree/v1.37.3/plugins/inputs/aerospike/README.md, Aerospike Plugin Source --- # Aerospike Input Plugin diff --git a/content/telegraf/v1/input-plugins/aliyuncms/_index.md b/content/telegraf/v1/input-plugins/aliyuncms/_index.md index 652e87e01..d948a4a70 100644 --- a/content/telegraf/v1/input-plugins/aliyuncms/_index.md +++ b/content/telegraf/v1/input-plugins/aliyuncms/_index.md @@ -10,7 +10,7 @@ introduced: "v1.19.0" os_support: "freebsd, linux, macos, solaris, windows" related: - /telegraf/v1/configure_plugins/ - - https://github.com/influxdata/telegraf/tree/v1.37.2/plugins/inputs/aliyuncms/README.md, Alibaba Cloud Monitor Service (Aliyun) Plugin Source + - https://github.com/influxdata/telegraf/tree/v1.37.3/plugins/inputs/aliyuncms/README.md, Alibaba Cloud Monitor Service (Aliyun) Plugin Source --- # Alibaba Cloud Monitor Service (Aliyun) Input Plugin diff --git a/content/telegraf/v1/input-plugins/amd_rocm_smi/_index.md b/content/telegraf/v1/input-plugins/amd_rocm_smi/_index.md index 2ed1b9fea..c875d9e6f 100644 --- a/content/telegraf/v1/input-plugins/amd_rocm_smi/_index.md +++ b/content/telegraf/v1/input-plugins/amd_rocm_smi/_index.md @@ -10,7 +10,7 @@ introduced: "v1.20.0" os_support: "freebsd, linux, macos, solaris, windows" related: - /telegraf/v1/configure_plugins/ - - https://github.com/influxdata/telegraf/tree/v1.37.2/plugins/inputs/amd_rocm_smi/README.md, AMD ROCm System Management Interface (SMI) Plugin Source + - https://github.com/influxdata/telegraf/tree/v1.37.3/plugins/inputs/amd_rocm_smi/README.md, AMD ROCm System Management Interface (SMI) Plugin Source --- # AMD ROCm System Management Interface (SMI) Input Plugin diff --git a/content/telegraf/v1/input-plugins/amqp_consumer/_index.md b/content/telegraf/v1/input-plugins/amqp_consumer/_index.md index ca4e8cb52..1a049529a 100644 --- a/content/telegraf/v1/input-plugins/amqp_consumer/_index.md +++ b/content/telegraf/v1/input-plugins/amqp_consumer/_index.md @@ -10,7 +10,7 @@ introduced: "v1.3.0" os_support: "freebsd, linux, macos, solaris, windows" related: - /telegraf/v1/configure_plugins/ - - https://github.com/influxdata/telegraf/tree/v1.37.2/plugins/inputs/amqp_consumer/README.md, AMQP Consumer Plugin Source + - https://github.com/influxdata/telegraf/tree/v1.37.3/plugins/inputs/amqp_consumer/README.md, AMQP Consumer Plugin Source --- # AMQP Consumer Input Plugin diff --git a/content/telegraf/v1/input-plugins/apache/_index.md b/content/telegraf/v1/input-plugins/apache/_index.md index db06d5202..16f9df9b2 100644 --- a/content/telegraf/v1/input-plugins/apache/_index.md +++ b/content/telegraf/v1/input-plugins/apache/_index.md @@ -10,7 +10,7 @@ introduced: "v1.8.0" os_support: "freebsd, linux, macos, solaris, windows" related: - /telegraf/v1/configure_plugins/ - - https://github.com/influxdata/telegraf/tree/v1.37.2/plugins/inputs/apache/README.md, Apache Plugin Source + - https://github.com/influxdata/telegraf/tree/v1.37.3/plugins/inputs/apache/README.md, Apache Plugin Source --- # Apache Input Plugin diff --git a/content/telegraf/v1/input-plugins/apcupsd/_index.md b/content/telegraf/v1/input-plugins/apcupsd/_index.md index 9a5693aa8..49eabfd48 100644 --- a/content/telegraf/v1/input-plugins/apcupsd/_index.md +++ b/content/telegraf/v1/input-plugins/apcupsd/_index.md @@ -10,7 +10,7 @@ introduced: "v1.12.0" os_support: "freebsd, linux, macos, solaris, windows" related: - /telegraf/v1/configure_plugins/ - - https://github.com/influxdata/telegraf/tree/v1.37.2/plugins/inputs/apcupsd/README.md, APC UPSD Plugin Source + - https://github.com/influxdata/telegraf/tree/v1.37.3/plugins/inputs/apcupsd/README.md, APC UPSD Plugin Source --- # APC UPSD Input Plugin diff --git a/content/telegraf/v1/input-plugins/aurora/_index.md b/content/telegraf/v1/input-plugins/aurora/_index.md index b219a2b37..2aa80d69d 100644 --- a/content/telegraf/v1/input-plugins/aurora/_index.md +++ b/content/telegraf/v1/input-plugins/aurora/_index.md @@ -10,7 +10,7 @@ introduced: "v1.7.0" os_support: "freebsd, linux, macos, solaris, windows" related: - /telegraf/v1/configure_plugins/ - - https://github.com/influxdata/telegraf/tree/v1.37.2/plugins/inputs/aurora/README.md, Apache Aurora Plugin Source + - https://github.com/influxdata/telegraf/tree/v1.37.3/plugins/inputs/aurora/README.md, Apache Aurora Plugin Source --- # Apache Aurora Input Plugin diff --git a/content/telegraf/v1/input-plugins/azure_monitor/_index.md b/content/telegraf/v1/input-plugins/azure_monitor/_index.md index b659acb42..525b66cdb 100644 --- a/content/telegraf/v1/input-plugins/azure_monitor/_index.md +++ b/content/telegraf/v1/input-plugins/azure_monitor/_index.md @@ -10,7 +10,7 @@ introduced: "v1.25.0" os_support: "freebsd, linux, macos, solaris, windows" related: - /telegraf/v1/configure_plugins/ - - https://github.com/influxdata/telegraf/tree/v1.37.2/plugins/inputs/azure_monitor/README.md, Azure Monitor Plugin Source + - https://github.com/influxdata/telegraf/tree/v1.37.3/plugins/inputs/azure_monitor/README.md, Azure Monitor Plugin Source --- # Azure Monitor Input Plugin diff --git a/content/telegraf/v1/input-plugins/azure_storage_queue/_index.md b/content/telegraf/v1/input-plugins/azure_storage_queue/_index.md index 781ce6575..2da4ddb3c 100644 --- a/content/telegraf/v1/input-plugins/azure_storage_queue/_index.md +++ b/content/telegraf/v1/input-plugins/azure_storage_queue/_index.md @@ -10,7 +10,7 @@ introduced: "v1.13.0" os_support: "freebsd, linux, macos, solaris, windows" related: - /telegraf/v1/configure_plugins/ - - https://github.com/influxdata/telegraf/tree/v1.37.2/plugins/inputs/azure_storage_queue/README.md, Azure Queue Storage Plugin Source + - https://github.com/influxdata/telegraf/tree/v1.37.3/plugins/inputs/azure_storage_queue/README.md, Azure Queue Storage Plugin Source --- # Azure Queue Storage Input Plugin diff --git a/content/telegraf/v1/input-plugins/bcache/_index.md b/content/telegraf/v1/input-plugins/bcache/_index.md index a5f41d4b8..ae2006ed7 100644 --- a/content/telegraf/v1/input-plugins/bcache/_index.md +++ b/content/telegraf/v1/input-plugins/bcache/_index.md @@ -10,7 +10,7 @@ introduced: "v0.2.0" os_support: "linux" related: - /telegraf/v1/configure_plugins/ - - https://github.com/influxdata/telegraf/tree/v1.37.2/plugins/inputs/bcache/README.md, Bcache Plugin Source + - https://github.com/influxdata/telegraf/tree/v1.37.3/plugins/inputs/bcache/README.md, Bcache Plugin Source --- # Bcache Input Plugin diff --git a/content/telegraf/v1/input-plugins/beanstalkd/_index.md b/content/telegraf/v1/input-plugins/beanstalkd/_index.md index bf74c2307..adbcf0201 100644 --- a/content/telegraf/v1/input-plugins/beanstalkd/_index.md +++ b/content/telegraf/v1/input-plugins/beanstalkd/_index.md @@ -10,7 +10,7 @@ introduced: "v1.8.0" os_support: "freebsd, linux, macos, solaris, windows" related: - /telegraf/v1/configure_plugins/ - - https://github.com/influxdata/telegraf/tree/v1.37.2/plugins/inputs/beanstalkd/README.md, Beanstalkd Plugin Source + - https://github.com/influxdata/telegraf/tree/v1.37.3/plugins/inputs/beanstalkd/README.md, Beanstalkd Plugin Source --- # Beanstalkd Input Plugin diff --git a/content/telegraf/v1/input-plugins/beat/_index.md b/content/telegraf/v1/input-plugins/beat/_index.md index d38663e00..54594f521 100644 --- a/content/telegraf/v1/input-plugins/beat/_index.md +++ b/content/telegraf/v1/input-plugins/beat/_index.md @@ -10,7 +10,7 @@ introduced: "v1.18.0" os_support: "freebsd, linux, macos, solaris, windows" related: - /telegraf/v1/configure_plugins/ - - https://github.com/influxdata/telegraf/tree/v1.37.2/plugins/inputs/beat/README.md, Beat Plugin Source + - https://github.com/influxdata/telegraf/tree/v1.37.3/plugins/inputs/beat/README.md, Beat Plugin Source --- # Beat Input Plugin diff --git a/content/telegraf/v1/input-plugins/bind/_index.md b/content/telegraf/v1/input-plugins/bind/_index.md index 162b3ef13..5a7e2ec2f 100644 --- a/content/telegraf/v1/input-plugins/bind/_index.md +++ b/content/telegraf/v1/input-plugins/bind/_index.md @@ -10,7 +10,7 @@ introduced: "v1.11.0" os_support: "freebsd, linux, macos, solaris, windows" related: - /telegraf/v1/configure_plugins/ - - https://github.com/influxdata/telegraf/tree/v1.37.2/plugins/inputs/bind/README.md, BIND 9 Nameserver Plugin Source + - https://github.com/influxdata/telegraf/tree/v1.37.3/plugins/inputs/bind/README.md, BIND 9 Nameserver Plugin Source --- # BIND 9 Nameserver Input Plugin diff --git a/content/telegraf/v1/input-plugins/bond/_index.md b/content/telegraf/v1/input-plugins/bond/_index.md index 65594387d..e97304b7a 100644 --- a/content/telegraf/v1/input-plugins/bond/_index.md +++ b/content/telegraf/v1/input-plugins/bond/_index.md @@ -10,7 +10,7 @@ introduced: "v1.5.0" os_support: "freebsd, linux, macos, solaris, windows" related: - /telegraf/v1/configure_plugins/ - - https://github.com/influxdata/telegraf/tree/v1.37.2/plugins/inputs/bond/README.md, Bond Plugin Source + - https://github.com/influxdata/telegraf/tree/v1.37.3/plugins/inputs/bond/README.md, Bond Plugin Source --- # Bond Input Plugin diff --git a/content/telegraf/v1/input-plugins/burrow/_index.md b/content/telegraf/v1/input-plugins/burrow/_index.md index 53c71099e..79c6fa9cd 100644 --- a/content/telegraf/v1/input-plugins/burrow/_index.md +++ b/content/telegraf/v1/input-plugins/burrow/_index.md @@ -10,7 +10,7 @@ introduced: "v1.7.0" os_support: "freebsd, linux, macos, solaris, windows" related: - /telegraf/v1/configure_plugins/ - - https://github.com/influxdata/telegraf/tree/v1.37.2/plugins/inputs/burrow/README.md, Burrow Plugin Source + - https://github.com/influxdata/telegraf/tree/v1.37.3/plugins/inputs/burrow/README.md, Burrow Plugin Source --- # Burrow Input Plugin diff --git a/content/telegraf/v1/input-plugins/ceph/_index.md b/content/telegraf/v1/input-plugins/ceph/_index.md index 33b7e36d6..7b0a4054f 100644 --- a/content/telegraf/v1/input-plugins/ceph/_index.md +++ b/content/telegraf/v1/input-plugins/ceph/_index.md @@ -10,7 +10,7 @@ introduced: "v0.13.1" os_support: "freebsd, linux, macos, solaris, windows" related: - /telegraf/v1/configure_plugins/ - - https://github.com/influxdata/telegraf/tree/v1.37.2/plugins/inputs/ceph/README.md, Ceph Storage Plugin Source + - https://github.com/influxdata/telegraf/tree/v1.37.3/plugins/inputs/ceph/README.md, Ceph Storage Plugin Source --- # Ceph Storage Input Plugin diff --git a/content/telegraf/v1/input-plugins/cgroup/_index.md b/content/telegraf/v1/input-plugins/cgroup/_index.md index 328dc7197..cedbcf519 100644 --- a/content/telegraf/v1/input-plugins/cgroup/_index.md +++ b/content/telegraf/v1/input-plugins/cgroup/_index.md @@ -10,7 +10,7 @@ introduced: "v1.0.0" os_support: "linux" related: - /telegraf/v1/configure_plugins/ - - https://github.com/influxdata/telegraf/tree/v1.37.2/plugins/inputs/cgroup/README.md, Control Group Plugin Source + - https://github.com/influxdata/telegraf/tree/v1.37.3/plugins/inputs/cgroup/README.md, Control Group Plugin Source --- # Control Group Input Plugin diff --git a/content/telegraf/v1/input-plugins/chrony/_index.md b/content/telegraf/v1/input-plugins/chrony/_index.md index a32a12d7f..47e700b85 100644 --- a/content/telegraf/v1/input-plugins/chrony/_index.md +++ b/content/telegraf/v1/input-plugins/chrony/_index.md @@ -10,7 +10,7 @@ introduced: "v0.13.1" os_support: "freebsd, linux, macos, solaris, windows" related: - /telegraf/v1/configure_plugins/ - - https://github.com/influxdata/telegraf/tree/v1.37.2/plugins/inputs/chrony/README.md, chrony Plugin Source + - https://github.com/influxdata/telegraf/tree/v1.37.3/plugins/inputs/chrony/README.md, chrony Plugin Source --- # chrony Input Plugin diff --git a/content/telegraf/v1/input-plugins/cisco_telemetry_mdt/_index.md b/content/telegraf/v1/input-plugins/cisco_telemetry_mdt/_index.md index 58e231021..9428d0897 100644 --- a/content/telegraf/v1/input-plugins/cisco_telemetry_mdt/_index.md +++ b/content/telegraf/v1/input-plugins/cisco_telemetry_mdt/_index.md @@ -10,7 +10,7 @@ introduced: "v1.11.0" os_support: "freebsd, linux, macos, solaris, windows" related: - /telegraf/v1/configure_plugins/ - - https://github.com/influxdata/telegraf/tree/v1.37.2/plugins/inputs/cisco_telemetry_mdt/README.md, Cisco Model-Driven Telemetry (MDT) Plugin Source + - https://github.com/influxdata/telegraf/tree/v1.37.3/plugins/inputs/cisco_telemetry_mdt/README.md, Cisco Model-Driven Telemetry (MDT) Plugin Source --- # Cisco Model-Driven Telemetry (MDT) Input Plugin diff --git a/content/telegraf/v1/input-plugins/clickhouse/_index.md b/content/telegraf/v1/input-plugins/clickhouse/_index.md index eb4e8af03..78db381bb 100644 --- a/content/telegraf/v1/input-plugins/clickhouse/_index.md +++ b/content/telegraf/v1/input-plugins/clickhouse/_index.md @@ -10,7 +10,7 @@ introduced: "v1.14.0" os_support: "freebsd, linux, macos, solaris, windows" related: - /telegraf/v1/configure_plugins/ - - https://github.com/influxdata/telegraf/tree/v1.37.2/plugins/inputs/clickhouse/README.md, ClickHouse Plugin Source + - https://github.com/influxdata/telegraf/tree/v1.37.3/plugins/inputs/clickhouse/README.md, ClickHouse Plugin Source --- # ClickHouse Input Plugin diff --git a/content/telegraf/v1/input-plugins/cloud_pubsub/_index.md b/content/telegraf/v1/input-plugins/cloud_pubsub/_index.md index 2161ad2c5..acc51346a 100644 --- a/content/telegraf/v1/input-plugins/cloud_pubsub/_index.md +++ b/content/telegraf/v1/input-plugins/cloud_pubsub/_index.md @@ -10,7 +10,7 @@ introduced: "v1.10.0" os_support: "freebsd, linux, macos, solaris, windows" related: - /telegraf/v1/configure_plugins/ - - https://github.com/influxdata/telegraf/tree/v1.37.2/plugins/inputs/cloud_pubsub/README.md, Google Cloud PubSub Plugin Source + - https://github.com/influxdata/telegraf/tree/v1.37.3/plugins/inputs/cloud_pubsub/README.md, Google Cloud PubSub Plugin Source --- # Google Cloud PubSub Input Plugin diff --git a/content/telegraf/v1/input-plugins/cloud_pubsub_push/_index.md b/content/telegraf/v1/input-plugins/cloud_pubsub_push/_index.md index a266eb3d3..29da06e3c 100644 --- a/content/telegraf/v1/input-plugins/cloud_pubsub_push/_index.md +++ b/content/telegraf/v1/input-plugins/cloud_pubsub_push/_index.md @@ -10,7 +10,7 @@ introduced: "v1.10.0" os_support: "freebsd, linux, macos, solaris, windows" related: - /telegraf/v1/configure_plugins/ - - https://github.com/influxdata/telegraf/tree/v1.37.2/plugins/inputs/cloud_pubsub_push/README.md, Google Cloud PubSub Push Plugin Source + - https://github.com/influxdata/telegraf/tree/v1.37.3/plugins/inputs/cloud_pubsub_push/README.md, Google Cloud PubSub Push Plugin Source --- # Google Cloud PubSub Push Input Plugin diff --git a/content/telegraf/v1/input-plugins/cloudwatch/_index.md b/content/telegraf/v1/input-plugins/cloudwatch/_index.md index ff6acc103..47d54ab4e 100644 --- a/content/telegraf/v1/input-plugins/cloudwatch/_index.md +++ b/content/telegraf/v1/input-plugins/cloudwatch/_index.md @@ -10,7 +10,7 @@ introduced: "v0.12.1" os_support: "freebsd, linux, macos, solaris, windows" related: - /telegraf/v1/configure_plugins/ - - https://github.com/influxdata/telegraf/tree/v1.37.2/plugins/inputs/cloudwatch/README.md, Amazon CloudWatch Statistics Plugin Source + - https://github.com/influxdata/telegraf/tree/v1.37.3/plugins/inputs/cloudwatch/README.md, Amazon CloudWatch Statistics Plugin Source --- # Amazon CloudWatch Statistics Input Plugin diff --git a/content/telegraf/v1/input-plugins/cloudwatch_metric_streams/_index.md b/content/telegraf/v1/input-plugins/cloudwatch_metric_streams/_index.md index f9d364b75..975e1d740 100644 --- a/content/telegraf/v1/input-plugins/cloudwatch_metric_streams/_index.md +++ b/content/telegraf/v1/input-plugins/cloudwatch_metric_streams/_index.md @@ -10,7 +10,7 @@ introduced: "v1.24.0" os_support: "freebsd, linux, macos, solaris, windows" related: - /telegraf/v1/configure_plugins/ - - https://github.com/influxdata/telegraf/tree/v1.37.2/plugins/inputs/cloudwatch_metric_streams/README.md, Amazon CloudWatch Metric Streams Plugin Source + - https://github.com/influxdata/telegraf/tree/v1.37.3/plugins/inputs/cloudwatch_metric_streams/README.md, Amazon CloudWatch Metric Streams Plugin Source --- # Amazon CloudWatch Metric Streams Input Plugin diff --git a/content/telegraf/v1/input-plugins/conntrack/_index.md b/content/telegraf/v1/input-plugins/conntrack/_index.md index d7bad1f65..fbf5ab027 100644 --- a/content/telegraf/v1/input-plugins/conntrack/_index.md +++ b/content/telegraf/v1/input-plugins/conntrack/_index.md @@ -10,7 +10,7 @@ introduced: "v1.0.0" os_support: "linux" related: - /telegraf/v1/configure_plugins/ - - https://github.com/influxdata/telegraf/tree/v1.37.2/plugins/inputs/conntrack/README.md, Netfilter Conntrack Plugin Source + - https://github.com/influxdata/telegraf/tree/v1.37.3/plugins/inputs/conntrack/README.md, Netfilter Conntrack Plugin Source --- # Netfilter Conntrack Input Plugin diff --git a/content/telegraf/v1/input-plugins/consul/_index.md b/content/telegraf/v1/input-plugins/consul/_index.md index 417a89419..ab45b41fe 100644 --- a/content/telegraf/v1/input-plugins/consul/_index.md +++ b/content/telegraf/v1/input-plugins/consul/_index.md @@ -10,7 +10,7 @@ introduced: "v1.0.0" os_support: "freebsd, linux, macos, solaris, windows" related: - /telegraf/v1/configure_plugins/ - - https://github.com/influxdata/telegraf/tree/v1.37.2/plugins/inputs/consul/README.md, Hashicorp Consul Plugin Source + - https://github.com/influxdata/telegraf/tree/v1.37.3/plugins/inputs/consul/README.md, Hashicorp Consul Plugin Source --- # Hashicorp Consul Input Plugin diff --git a/content/telegraf/v1/input-plugins/consul_agent/_index.md b/content/telegraf/v1/input-plugins/consul_agent/_index.md index 94d1a58cd..1364562cf 100644 --- a/content/telegraf/v1/input-plugins/consul_agent/_index.md +++ b/content/telegraf/v1/input-plugins/consul_agent/_index.md @@ -10,7 +10,7 @@ introduced: "v1.22.0" os_support: "freebsd, linux, macos, solaris, windows" related: - /telegraf/v1/configure_plugins/ - - https://github.com/influxdata/telegraf/tree/v1.37.2/plugins/inputs/consul_agent/README.md, Hashicorp Consul Agent Plugin Source + - https://github.com/influxdata/telegraf/tree/v1.37.3/plugins/inputs/consul_agent/README.md, Hashicorp Consul Agent Plugin Source --- # Hashicorp Consul Agent Input Plugin diff --git a/content/telegraf/v1/input-plugins/couchbase/_index.md b/content/telegraf/v1/input-plugins/couchbase/_index.md index 88ca35f56..6ae00773c 100644 --- a/content/telegraf/v1/input-plugins/couchbase/_index.md +++ b/content/telegraf/v1/input-plugins/couchbase/_index.md @@ -10,7 +10,7 @@ introduced: "v0.12.0" os_support: "freebsd, linux, macos, solaris, windows" related: - /telegraf/v1/configure_plugins/ - - https://github.com/influxdata/telegraf/tree/v1.37.2/plugins/inputs/couchbase/README.md, Couchbase Plugin Source + - https://github.com/influxdata/telegraf/tree/v1.37.3/plugins/inputs/couchbase/README.md, Couchbase Plugin Source --- # Couchbase Input Plugin diff --git a/content/telegraf/v1/input-plugins/couchdb/_index.md b/content/telegraf/v1/input-plugins/couchdb/_index.md index 978f0192b..5a84c73b8 100644 --- a/content/telegraf/v1/input-plugins/couchdb/_index.md +++ b/content/telegraf/v1/input-plugins/couchdb/_index.md @@ -10,7 +10,7 @@ introduced: "v0.10.3" os_support: "freebsd, linux, macos, solaris, windows" related: - /telegraf/v1/configure_plugins/ - - https://github.com/influxdata/telegraf/tree/v1.37.2/plugins/inputs/couchdb/README.md, Apache CouchDB Plugin Source + - https://github.com/influxdata/telegraf/tree/v1.37.3/plugins/inputs/couchdb/README.md, Apache CouchDB Plugin Source --- # Apache CouchDB Input Plugin diff --git a/content/telegraf/v1/input-plugins/cpu/_index.md b/content/telegraf/v1/input-plugins/cpu/_index.md index 61adc38e6..290d53430 100644 --- a/content/telegraf/v1/input-plugins/cpu/_index.md +++ b/content/telegraf/v1/input-plugins/cpu/_index.md @@ -10,7 +10,7 @@ introduced: "v0.1.5" os_support: "freebsd, linux, macos, solaris, windows" related: - /telegraf/v1/configure_plugins/ - - https://github.com/influxdata/telegraf/tree/v1.37.2/plugins/inputs/cpu/README.md, CPU Plugin Source + - https://github.com/influxdata/telegraf/tree/v1.37.3/plugins/inputs/cpu/README.md, CPU Plugin Source --- # CPU Input Plugin diff --git a/content/telegraf/v1/input-plugins/csgo/_index.md b/content/telegraf/v1/input-plugins/csgo/_index.md index 4ad587a06..4670882d3 100644 --- a/content/telegraf/v1/input-plugins/csgo/_index.md +++ b/content/telegraf/v1/input-plugins/csgo/_index.md @@ -10,7 +10,7 @@ introduced: "v1.18.0" os_support: "freebsd, linux, macos, solaris, windows" related: - /telegraf/v1/configure_plugins/ - - https://github.com/influxdata/telegraf/tree/v1.37.2/plugins/inputs/csgo/README.md, Counter-Strike Global Offensive (CSGO) Plugin Source + - https://github.com/influxdata/telegraf/tree/v1.37.3/plugins/inputs/csgo/README.md, Counter-Strike Global Offensive (CSGO) Plugin Source --- # Counter-Strike: Global Offensive (CSGO) Input Plugin diff --git a/content/telegraf/v1/input-plugins/ctrlx_datalayer/_index.md b/content/telegraf/v1/input-plugins/ctrlx_datalayer/_index.md index 8ec858f40..af43240e5 100644 --- a/content/telegraf/v1/input-plugins/ctrlx_datalayer/_index.md +++ b/content/telegraf/v1/input-plugins/ctrlx_datalayer/_index.md @@ -10,7 +10,7 @@ introduced: "v1.27.0" os_support: "freebsd, linux, macos, solaris, windows" related: - /telegraf/v1/configure_plugins/ - - https://github.com/influxdata/telegraf/tree/v1.37.2/plugins/inputs/ctrlx_datalayer/README.md, Bosch Rexroth ctrlX Data Layer Plugin Source + - https://github.com/influxdata/telegraf/tree/v1.37.3/plugins/inputs/ctrlx_datalayer/README.md, Bosch Rexroth ctrlX Data Layer Plugin Source --- # Bosch Rexroth ctrlX Data Layer Input Plugin diff --git a/content/telegraf/v1/input-plugins/dcos/_index.md b/content/telegraf/v1/input-plugins/dcos/_index.md index 8c2ae6ced..38f7dc000 100644 --- a/content/telegraf/v1/input-plugins/dcos/_index.md +++ b/content/telegraf/v1/input-plugins/dcos/_index.md @@ -10,7 +10,7 @@ introduced: "v1.5.0" os_support: "freebsd, linux, macos, solaris, windows" related: - /telegraf/v1/configure_plugins/ - - https://github.com/influxdata/telegraf/tree/v1.37.2/plugins/inputs/dcos/README.md, Mesosphere Distributed Cloud OS Plugin Source + - https://github.com/influxdata/telegraf/tree/v1.37.3/plugins/inputs/dcos/README.md, Mesosphere Distributed Cloud OS Plugin Source --- # Mesosphere Distributed Cloud OS Input Plugin diff --git a/content/telegraf/v1/input-plugins/directory_monitor/_index.md b/content/telegraf/v1/input-plugins/directory_monitor/_index.md index 96554263f..83b1b8073 100644 --- a/content/telegraf/v1/input-plugins/directory_monitor/_index.md +++ b/content/telegraf/v1/input-plugins/directory_monitor/_index.md @@ -10,7 +10,7 @@ introduced: "v1.18.0" os_support: "freebsd, linux, macos, solaris, windows" related: - /telegraf/v1/configure_plugins/ - - https://github.com/influxdata/telegraf/tree/v1.37.2/plugins/inputs/directory_monitor/README.md, Directory Monitor Plugin Source + - https://github.com/influxdata/telegraf/tree/v1.37.3/plugins/inputs/directory_monitor/README.md, Directory Monitor Plugin Source --- # Directory Monitor Input Plugin diff --git a/content/telegraf/v1/input-plugins/disk/_index.md b/content/telegraf/v1/input-plugins/disk/_index.md index 9f9bc7dcd..49e88c18d 100644 --- a/content/telegraf/v1/input-plugins/disk/_index.md +++ b/content/telegraf/v1/input-plugins/disk/_index.md @@ -10,7 +10,7 @@ introduced: "v0.1.1" os_support: "freebsd, linux, macos, solaris, windows" related: - /telegraf/v1/configure_plugins/ - - https://github.com/influxdata/telegraf/tree/v1.37.2/plugins/inputs/disk/README.md, Disk Plugin Source + - https://github.com/influxdata/telegraf/tree/v1.37.3/plugins/inputs/disk/README.md, Disk Plugin Source --- # Disk Input Plugin diff --git a/content/telegraf/v1/input-plugins/diskio/_index.md b/content/telegraf/v1/input-plugins/diskio/_index.md index 076d5293f..b6e8e2da1 100644 --- a/content/telegraf/v1/input-plugins/diskio/_index.md +++ b/content/telegraf/v1/input-plugins/diskio/_index.md @@ -10,7 +10,7 @@ introduced: "v0.10.0" os_support: "freebsd, linux, macos, solaris, windows" related: - /telegraf/v1/configure_plugins/ - - https://github.com/influxdata/telegraf/tree/v1.37.2/plugins/inputs/diskio/README.md, DiskIO Plugin Source + - https://github.com/influxdata/telegraf/tree/v1.37.3/plugins/inputs/diskio/README.md, DiskIO Plugin Source --- # DiskIO Input Plugin diff --git a/content/telegraf/v1/input-plugins/disque/_index.md b/content/telegraf/v1/input-plugins/disque/_index.md index 317a6b48a..6c9538d15 100644 --- a/content/telegraf/v1/input-plugins/disque/_index.md +++ b/content/telegraf/v1/input-plugins/disque/_index.md @@ -10,7 +10,7 @@ introduced: "v0.10.0" os_support: "freebsd, linux, macos, solaris, windows" related: - /telegraf/v1/configure_plugins/ - - https://github.com/influxdata/telegraf/tree/v1.37.2/plugins/inputs/disque/README.md, Disque Plugin Source + - https://github.com/influxdata/telegraf/tree/v1.37.3/plugins/inputs/disque/README.md, Disque Plugin Source --- # Disque Input Plugin diff --git a/content/telegraf/v1/input-plugins/dmcache/_index.md b/content/telegraf/v1/input-plugins/dmcache/_index.md index 5d7a8f223..a84585440 100644 --- a/content/telegraf/v1/input-plugins/dmcache/_index.md +++ b/content/telegraf/v1/input-plugins/dmcache/_index.md @@ -10,7 +10,7 @@ introduced: "v1.3.0" os_support: "linux" related: - /telegraf/v1/configure_plugins/ - - https://github.com/influxdata/telegraf/tree/v1.37.2/plugins/inputs/dmcache/README.md, Device Mapper Cache Plugin Source + - https://github.com/influxdata/telegraf/tree/v1.37.3/plugins/inputs/dmcache/README.md, Device Mapper Cache Plugin Source --- # Device Mapper Cache Input Plugin diff --git a/content/telegraf/v1/input-plugins/dns_query/_index.md b/content/telegraf/v1/input-plugins/dns_query/_index.md index 1ab0c10ae..06d960353 100644 --- a/content/telegraf/v1/input-plugins/dns_query/_index.md +++ b/content/telegraf/v1/input-plugins/dns_query/_index.md @@ -10,7 +10,7 @@ introduced: "v1.4.0" os_support: "freebsd, linux, macos, solaris, windows" related: - /telegraf/v1/configure_plugins/ - - https://github.com/influxdata/telegraf/tree/v1.37.2/plugins/inputs/dns_query/README.md, DNS Query Plugin Source + - https://github.com/influxdata/telegraf/tree/v1.37.3/plugins/inputs/dns_query/README.md, DNS Query Plugin Source --- # DNS Query Input Plugin diff --git a/content/telegraf/v1/input-plugins/docker/_index.md b/content/telegraf/v1/input-plugins/docker/_index.md index 3ba4c2fdf..2d5154f6c 100644 --- a/content/telegraf/v1/input-plugins/docker/_index.md +++ b/content/telegraf/v1/input-plugins/docker/_index.md @@ -10,7 +10,7 @@ introduced: "v0.1.9" os_support: "freebsd, linux, macos, solaris, windows" related: - /telegraf/v1/configure_plugins/ - - https://github.com/influxdata/telegraf/tree/v1.37.2/plugins/inputs/docker/README.md, Docker Plugin Source + - https://github.com/influxdata/telegraf/tree/v1.37.3/plugins/inputs/docker/README.md, Docker Plugin Source --- # Docker Input Plugin diff --git a/content/telegraf/v1/input-plugins/docker_log/_index.md b/content/telegraf/v1/input-plugins/docker_log/_index.md index 88630868a..16f41026a 100644 --- a/content/telegraf/v1/input-plugins/docker_log/_index.md +++ b/content/telegraf/v1/input-plugins/docker_log/_index.md @@ -10,7 +10,7 @@ introduced: "v1.12.0" os_support: "freebsd, linux, macos, solaris, windows" related: - /telegraf/v1/configure_plugins/ - - https://github.com/influxdata/telegraf/tree/v1.37.2/plugins/inputs/docker_log/README.md, Docker Log Plugin Source + - https://github.com/influxdata/telegraf/tree/v1.37.3/plugins/inputs/docker_log/README.md, Docker Log Plugin Source --- # Docker Log Input Plugin diff --git a/content/telegraf/v1/input-plugins/dovecot/_index.md b/content/telegraf/v1/input-plugins/dovecot/_index.md index 67d54f8c3..cf90b6be9 100644 --- a/content/telegraf/v1/input-plugins/dovecot/_index.md +++ b/content/telegraf/v1/input-plugins/dovecot/_index.md @@ -10,7 +10,7 @@ introduced: "v0.10.3" os_support: "freebsd, linux, macos, solaris, windows" related: - /telegraf/v1/configure_plugins/ - - https://github.com/influxdata/telegraf/tree/v1.37.2/plugins/inputs/dovecot/README.md, Dovecot Plugin Source + - https://github.com/influxdata/telegraf/tree/v1.37.3/plugins/inputs/dovecot/README.md, Dovecot Plugin Source --- # Dovecot Input Plugin diff --git a/content/telegraf/v1/input-plugins/dpdk/_index.md b/content/telegraf/v1/input-plugins/dpdk/_index.md index 1153673f0..8eb6440e1 100644 --- a/content/telegraf/v1/input-plugins/dpdk/_index.md +++ b/content/telegraf/v1/input-plugins/dpdk/_index.md @@ -10,7 +10,7 @@ introduced: "v1.19.0" os_support: "linux" related: - /telegraf/v1/configure_plugins/ - - https://github.com/influxdata/telegraf/tree/v1.37.2/plugins/inputs/dpdk/README.md, Data Plane Development Kit (DPDK) Plugin Source + - https://github.com/influxdata/telegraf/tree/v1.37.3/plugins/inputs/dpdk/README.md, Data Plane Development Kit (DPDK) Plugin Source --- # Data Plane Development Kit (DPDK) Input Plugin diff --git a/content/telegraf/v1/input-plugins/ecs/_index.md b/content/telegraf/v1/input-plugins/ecs/_index.md index 7fb6e4d96..750223b42 100644 --- a/content/telegraf/v1/input-plugins/ecs/_index.md +++ b/content/telegraf/v1/input-plugins/ecs/_index.md @@ -10,7 +10,7 @@ introduced: "v1.11.0" os_support: "freebsd, linux, macos, solaris, windows" related: - /telegraf/v1/configure_plugins/ - - https://github.com/influxdata/telegraf/tree/v1.37.2/plugins/inputs/ecs/README.md, Amazon Elastic Container Service Plugin Source + - https://github.com/influxdata/telegraf/tree/v1.37.3/plugins/inputs/ecs/README.md, Amazon Elastic Container Service Plugin Source --- # Amazon Elastic Container Service Input Plugin diff --git a/content/telegraf/v1/input-plugins/elasticsearch/_index.md b/content/telegraf/v1/input-plugins/elasticsearch/_index.md index 420cdcac1..43f0fc08b 100644 --- a/content/telegraf/v1/input-plugins/elasticsearch/_index.md +++ b/content/telegraf/v1/input-plugins/elasticsearch/_index.md @@ -10,7 +10,7 @@ introduced: "v0.1.5" os_support: "freebsd, linux, macos, solaris, windows" related: - /telegraf/v1/configure_plugins/ - - https://github.com/influxdata/telegraf/tree/v1.37.2/plugins/inputs/elasticsearch/README.md, Elasticsearch Plugin Source + - https://github.com/influxdata/telegraf/tree/v1.37.3/plugins/inputs/elasticsearch/README.md, Elasticsearch Plugin Source --- # Elasticsearch Input Plugin diff --git a/content/telegraf/v1/input-plugins/elasticsearch_query/_index.md b/content/telegraf/v1/input-plugins/elasticsearch_query/_index.md index fbb9fd2d4..aec2c4425 100644 --- a/content/telegraf/v1/input-plugins/elasticsearch_query/_index.md +++ b/content/telegraf/v1/input-plugins/elasticsearch_query/_index.md @@ -10,7 +10,7 @@ introduced: "v1.20.0" os_support: "freebsd, linux, macos, solaris, windows" related: - /telegraf/v1/configure_plugins/ - - https://github.com/influxdata/telegraf/tree/v1.37.2/plugins/inputs/elasticsearch_query/README.md, Elasticsearch Query Plugin Source + - https://github.com/influxdata/telegraf/tree/v1.37.3/plugins/inputs/elasticsearch_query/README.md, Elasticsearch Query Plugin Source --- # Elasticsearch Query Input Plugin diff --git a/content/telegraf/v1/input-plugins/ethtool/_index.md b/content/telegraf/v1/input-plugins/ethtool/_index.md index 6d70771d4..39c46f503 100644 --- a/content/telegraf/v1/input-plugins/ethtool/_index.md +++ b/content/telegraf/v1/input-plugins/ethtool/_index.md @@ -10,7 +10,7 @@ introduced: "v1.13.0" os_support: "linux" related: - /telegraf/v1/configure_plugins/ - - https://github.com/influxdata/telegraf/tree/v1.37.2/plugins/inputs/ethtool/README.md, Ethtool Plugin Source + - https://github.com/influxdata/telegraf/tree/v1.37.3/plugins/inputs/ethtool/README.md, Ethtool Plugin Source --- # Ethtool Input Plugin diff --git a/content/telegraf/v1/input-plugins/eventhub_consumer/_index.md b/content/telegraf/v1/input-plugins/eventhub_consumer/_index.md index 9147b29ee..249402bed 100644 --- a/content/telegraf/v1/input-plugins/eventhub_consumer/_index.md +++ b/content/telegraf/v1/input-plugins/eventhub_consumer/_index.md @@ -10,7 +10,7 @@ introduced: "v1.14.0" os_support: "freebsd, linux, macos, solaris, windows" related: - /telegraf/v1/configure_plugins/ - - https://github.com/influxdata/telegraf/tree/v1.37.2/plugins/inputs/eventhub_consumer/README.md, Azure Event Hub Consumer Plugin Source + - https://github.com/influxdata/telegraf/tree/v1.37.3/plugins/inputs/eventhub_consumer/README.md, Azure Event Hub Consumer Plugin Source --- # Azure Event Hub Consumer Input Plugin diff --git a/content/telegraf/v1/input-plugins/exec/_index.md b/content/telegraf/v1/input-plugins/exec/_index.md index a5078c36c..b584b9034 100644 --- a/content/telegraf/v1/input-plugins/exec/_index.md +++ b/content/telegraf/v1/input-plugins/exec/_index.md @@ -10,7 +10,7 @@ introduced: "v0.1.5" os_support: "freebsd, linux, macos, solaris, windows" related: - /telegraf/v1/configure_plugins/ - - https://github.com/influxdata/telegraf/tree/v1.37.2/plugins/inputs/exec/README.md, Exec Plugin Source + - https://github.com/influxdata/telegraf/tree/v1.37.3/plugins/inputs/exec/README.md, Exec Plugin Source --- # Exec Input Plugin diff --git a/content/telegraf/v1/input-plugins/execd/_index.md b/content/telegraf/v1/input-plugins/execd/_index.md index 8e141cea1..2b24f995d 100644 --- a/content/telegraf/v1/input-plugins/execd/_index.md +++ b/content/telegraf/v1/input-plugins/execd/_index.md @@ -10,7 +10,7 @@ introduced: "v1.14.0" os_support: "freebsd, linux, macos, solaris, windows" related: - /telegraf/v1/configure_plugins/ - - https://github.com/influxdata/telegraf/tree/v1.37.2/plugins/inputs/execd/README.md, Execd Plugin Source + - https://github.com/influxdata/telegraf/tree/v1.37.3/plugins/inputs/execd/README.md, Execd Plugin Source --- # Execd Input Plugin diff --git a/content/telegraf/v1/input-plugins/fail2ban/_index.md b/content/telegraf/v1/input-plugins/fail2ban/_index.md index 0a09e96bb..b7fa98241 100644 --- a/content/telegraf/v1/input-plugins/fail2ban/_index.md +++ b/content/telegraf/v1/input-plugins/fail2ban/_index.md @@ -10,7 +10,7 @@ introduced: "v1.4.0" os_support: "freebsd, linux, macos, solaris, windows" related: - /telegraf/v1/configure_plugins/ - - https://github.com/influxdata/telegraf/tree/v1.37.2/plugins/inputs/fail2ban/README.md, Fail2ban Plugin Source + - https://github.com/influxdata/telegraf/tree/v1.37.3/plugins/inputs/fail2ban/README.md, Fail2ban Plugin Source --- # Fail2ban Input Plugin diff --git a/content/telegraf/v1/input-plugins/fibaro/_index.md b/content/telegraf/v1/input-plugins/fibaro/_index.md index 136fb21f8..98f35fbff 100644 --- a/content/telegraf/v1/input-plugins/fibaro/_index.md +++ b/content/telegraf/v1/input-plugins/fibaro/_index.md @@ -10,7 +10,7 @@ introduced: "v1.7.0" os_support: "freebsd, linux, macos, solaris, windows" related: - /telegraf/v1/configure_plugins/ - - https://github.com/influxdata/telegraf/tree/v1.37.2/plugins/inputs/fibaro/README.md, Fibaro Plugin Source + - https://github.com/influxdata/telegraf/tree/v1.37.3/plugins/inputs/fibaro/README.md, Fibaro Plugin Source --- # Fibaro Input Plugin diff --git a/content/telegraf/v1/input-plugins/file/_index.md b/content/telegraf/v1/input-plugins/file/_index.md index 056a8a682..1900fe150 100644 --- a/content/telegraf/v1/input-plugins/file/_index.md +++ b/content/telegraf/v1/input-plugins/file/_index.md @@ -10,7 +10,7 @@ introduced: "v1.8.0" os_support: "freebsd, linux, macos, solaris, windows" related: - /telegraf/v1/configure_plugins/ - - https://github.com/influxdata/telegraf/tree/v1.37.2/plugins/inputs/file/README.md, File Plugin Source + - https://github.com/influxdata/telegraf/tree/v1.37.3/plugins/inputs/file/README.md, File Plugin Source --- # File Input Plugin diff --git a/content/telegraf/v1/input-plugins/filecount/_index.md b/content/telegraf/v1/input-plugins/filecount/_index.md index 4faa8c14a..d38360423 100644 --- a/content/telegraf/v1/input-plugins/filecount/_index.md +++ b/content/telegraf/v1/input-plugins/filecount/_index.md @@ -10,7 +10,7 @@ introduced: "v1.8.0" os_support: "freebsd, linux, macos, solaris, windows" related: - /telegraf/v1/configure_plugins/ - - https://github.com/influxdata/telegraf/tree/v1.37.2/plugins/inputs/filecount/README.md, Filecount Plugin Source + - https://github.com/influxdata/telegraf/tree/v1.37.3/plugins/inputs/filecount/README.md, Filecount Plugin Source --- # Filecount Input Plugin diff --git a/content/telegraf/v1/input-plugins/filestat/_index.md b/content/telegraf/v1/input-plugins/filestat/_index.md index 955c75dc8..53e55d55f 100644 --- a/content/telegraf/v1/input-plugins/filestat/_index.md +++ b/content/telegraf/v1/input-plugins/filestat/_index.md @@ -10,7 +10,7 @@ introduced: "v0.13.0" os_support: "freebsd, linux, macos, solaris, windows" related: - /telegraf/v1/configure_plugins/ - - https://github.com/influxdata/telegraf/tree/v1.37.2/plugins/inputs/filestat/README.md, File statistics Plugin Source + - https://github.com/influxdata/telegraf/tree/v1.37.3/plugins/inputs/filestat/README.md, File statistics Plugin Source --- # File statistics Input Plugin diff --git a/content/telegraf/v1/input-plugins/fireboard/_index.md b/content/telegraf/v1/input-plugins/fireboard/_index.md index 374579e20..ae0f0b3d4 100644 --- a/content/telegraf/v1/input-plugins/fireboard/_index.md +++ b/content/telegraf/v1/input-plugins/fireboard/_index.md @@ -10,7 +10,7 @@ introduced: "v1.12.0" os_support: "freebsd, linux, macos, solaris, windows" related: - /telegraf/v1/configure_plugins/ - - https://github.com/influxdata/telegraf/tree/v1.37.2/plugins/inputs/fireboard/README.md, Fireboard Plugin Source + - https://github.com/influxdata/telegraf/tree/v1.37.3/plugins/inputs/fireboard/README.md, Fireboard Plugin Source --- # Fireboard Input Plugin diff --git a/content/telegraf/v1/input-plugins/firehose/_index.md b/content/telegraf/v1/input-plugins/firehose/_index.md index 0ffc8632b..b8551bdc8 100644 --- a/content/telegraf/v1/input-plugins/firehose/_index.md +++ b/content/telegraf/v1/input-plugins/firehose/_index.md @@ -10,7 +10,7 @@ introduced: "v1.34.0" os_support: "freebsd, linux, macos, solaris, windows" related: - /telegraf/v1/configure_plugins/ - - https://github.com/influxdata/telegraf/tree/v1.37.2/plugins/inputs/firehose/README.md, AWS Data Firehose Plugin Source + - https://github.com/influxdata/telegraf/tree/v1.37.3/plugins/inputs/firehose/README.md, AWS Data Firehose Plugin Source --- # AWS Data Firehose Input Plugin diff --git a/content/telegraf/v1/input-plugins/fluentd/_index.md b/content/telegraf/v1/input-plugins/fluentd/_index.md index a9c7ae3ea..1a27d3b32 100644 --- a/content/telegraf/v1/input-plugins/fluentd/_index.md +++ b/content/telegraf/v1/input-plugins/fluentd/_index.md @@ -10,7 +10,7 @@ introduced: "v1.4.0" os_support: "freebsd, linux, macos, solaris, windows" related: - /telegraf/v1/configure_plugins/ - - https://github.com/influxdata/telegraf/tree/v1.37.2/plugins/inputs/fluentd/README.md, Fluentd Plugin Source + - https://github.com/influxdata/telegraf/tree/v1.37.3/plugins/inputs/fluentd/README.md, Fluentd Plugin Source --- # Fluentd Input Plugin diff --git a/content/telegraf/v1/input-plugins/fritzbox/_index.md b/content/telegraf/v1/input-plugins/fritzbox/_index.md index 1e38525ae..710ad6e38 100644 --- a/content/telegraf/v1/input-plugins/fritzbox/_index.md +++ b/content/telegraf/v1/input-plugins/fritzbox/_index.md @@ -10,7 +10,7 @@ introduced: "v1.35.0" os_support: "freebsd, linux, macos, solaris, windows" related: - /telegraf/v1/configure_plugins/ - - https://github.com/influxdata/telegraf/tree/v1.37.2/plugins/inputs/fritzbox/README.md, Fritzbox Plugin Source + - https://github.com/influxdata/telegraf/tree/v1.37.3/plugins/inputs/fritzbox/README.md, Fritzbox Plugin Source --- # Fritzbox Input Plugin diff --git a/content/telegraf/v1/input-plugins/github/_index.md b/content/telegraf/v1/input-plugins/github/_index.md index 353a67481..68a54e067 100644 --- a/content/telegraf/v1/input-plugins/github/_index.md +++ b/content/telegraf/v1/input-plugins/github/_index.md @@ -10,7 +10,7 @@ introduced: "v1.11.0" os_support: "freebsd, linux, macos, solaris, windows" related: - /telegraf/v1/configure_plugins/ - - https://github.com/influxdata/telegraf/tree/v1.37.2/plugins/inputs/github/README.md, GitHub Plugin Source + - https://github.com/influxdata/telegraf/tree/v1.37.3/plugins/inputs/github/README.md, GitHub Plugin Source --- # GitHub Input Plugin diff --git a/content/telegraf/v1/input-plugins/gnmi/_index.md b/content/telegraf/v1/input-plugins/gnmi/_index.md index 2b487d806..f1ba5f124 100644 --- a/content/telegraf/v1/input-plugins/gnmi/_index.md +++ b/content/telegraf/v1/input-plugins/gnmi/_index.md @@ -10,7 +10,7 @@ introduced: "v1.15.0" os_support: "freebsd, linux, macos, solaris, windows" related: - /telegraf/v1/configure_plugins/ - - https://github.com/influxdata/telegraf/tree/v1.37.2/plugins/inputs/gnmi/README.md, gNMI (gRPC Network Management Interface) Plugin Source + - https://github.com/influxdata/telegraf/tree/v1.37.3/plugins/inputs/gnmi/README.md, gNMI (gRPC Network Management Interface) Plugin Source --- # gNMI (gRPC Network Management Interface) Input Plugin diff --git a/content/telegraf/v1/input-plugins/google_cloud_storage/_index.md b/content/telegraf/v1/input-plugins/google_cloud_storage/_index.md index b9545648b..cabb07537 100644 --- a/content/telegraf/v1/input-plugins/google_cloud_storage/_index.md +++ b/content/telegraf/v1/input-plugins/google_cloud_storage/_index.md @@ -10,7 +10,7 @@ introduced: "v1.25.0" os_support: "freebsd, linux, macos, solaris, windows" related: - /telegraf/v1/configure_plugins/ - - https://github.com/influxdata/telegraf/tree/v1.37.2/plugins/inputs/google_cloud_storage/README.md, Google Cloud Storage Plugin Source + - https://github.com/influxdata/telegraf/tree/v1.37.3/plugins/inputs/google_cloud_storage/README.md, Google Cloud Storage Plugin Source --- # Google Cloud Storage Input Plugin diff --git a/content/telegraf/v1/input-plugins/graylog/_index.md b/content/telegraf/v1/input-plugins/graylog/_index.md index fda072a11..c5fb9e72b 100644 --- a/content/telegraf/v1/input-plugins/graylog/_index.md +++ b/content/telegraf/v1/input-plugins/graylog/_index.md @@ -10,7 +10,7 @@ introduced: "v1.0.0" os_support: "freebsd, linux, macos, solaris, windows" related: - /telegraf/v1/configure_plugins/ - - https://github.com/influxdata/telegraf/tree/v1.37.2/plugins/inputs/graylog/README.md, GrayLog Plugin Source + - https://github.com/influxdata/telegraf/tree/v1.37.3/plugins/inputs/graylog/README.md, GrayLog Plugin Source --- # GrayLog Input Plugin diff --git a/content/telegraf/v1/input-plugins/haproxy/_index.md b/content/telegraf/v1/input-plugins/haproxy/_index.md index c4aedaa50..1a45a15a6 100644 --- a/content/telegraf/v1/input-plugins/haproxy/_index.md +++ b/content/telegraf/v1/input-plugins/haproxy/_index.md @@ -10,7 +10,7 @@ introduced: "v0.1.5" os_support: "freebsd, linux, macos, solaris, windows" related: - /telegraf/v1/configure_plugins/ - - https://github.com/influxdata/telegraf/tree/v1.37.2/plugins/inputs/haproxy/README.md, HAProxy Plugin Source + - https://github.com/influxdata/telegraf/tree/v1.37.3/plugins/inputs/haproxy/README.md, HAProxy Plugin Source --- # HAProxy Input Plugin diff --git a/content/telegraf/v1/input-plugins/hddtemp/_index.md b/content/telegraf/v1/input-plugins/hddtemp/_index.md index 6dc30c2a5..693d64582 100644 --- a/content/telegraf/v1/input-plugins/hddtemp/_index.md +++ b/content/telegraf/v1/input-plugins/hddtemp/_index.md @@ -10,7 +10,7 @@ introduced: "v1.0.0" os_support: "freebsd, linux, macos, solaris, windows" related: - /telegraf/v1/configure_plugins/ - - https://github.com/influxdata/telegraf/tree/v1.37.2/plugins/inputs/hddtemp/README.md, HDDtemp Plugin Source + - https://github.com/influxdata/telegraf/tree/v1.37.3/plugins/inputs/hddtemp/README.md, HDDtemp Plugin Source --- # HDDtemp Input Plugin diff --git a/content/telegraf/v1/input-plugins/http/_index.md b/content/telegraf/v1/input-plugins/http/_index.md index 8ca286812..11aed2206 100644 --- a/content/telegraf/v1/input-plugins/http/_index.md +++ b/content/telegraf/v1/input-plugins/http/_index.md @@ -10,7 +10,7 @@ introduced: "v1.6.0" os_support: "freebsd, linux, macos, solaris, windows" related: - /telegraf/v1/configure_plugins/ - - https://github.com/influxdata/telegraf/tree/v1.37.2/plugins/inputs/http/README.md, HTTP Plugin Source + - https://github.com/influxdata/telegraf/tree/v1.37.3/plugins/inputs/http/README.md, HTTP Plugin Source --- # HTTP Input Plugin diff --git a/content/telegraf/v1/input-plugins/http_listener_v2/_index.md b/content/telegraf/v1/input-plugins/http_listener_v2/_index.md index 79914b57a..49f2eacb4 100644 --- a/content/telegraf/v1/input-plugins/http_listener_v2/_index.md +++ b/content/telegraf/v1/input-plugins/http_listener_v2/_index.md @@ -10,7 +10,7 @@ introduced: "v1.9.0" os_support: "freebsd, linux, macos, solaris, windows" related: - /telegraf/v1/configure_plugins/ - - https://github.com/influxdata/telegraf/tree/v1.37.2/plugins/inputs/http_listener_v2/README.md, HTTP Listener v2 Plugin Source + - https://github.com/influxdata/telegraf/tree/v1.37.3/plugins/inputs/http_listener_v2/README.md, HTTP Listener v2 Plugin Source --- # HTTP Listener v2 Input Plugin diff --git a/content/telegraf/v1/input-plugins/http_response/_index.md b/content/telegraf/v1/input-plugins/http_response/_index.md index f135d1e23..5178a9a5e 100644 --- a/content/telegraf/v1/input-plugins/http_response/_index.md +++ b/content/telegraf/v1/input-plugins/http_response/_index.md @@ -10,7 +10,7 @@ introduced: "v0.12.1" os_support: "freebsd, linux, macos, solaris, windows" related: - /telegraf/v1/configure_plugins/ - - https://github.com/influxdata/telegraf/tree/v1.37.2/plugins/inputs/http_response/README.md, HTTP Response Plugin Source + - https://github.com/influxdata/telegraf/tree/v1.37.3/plugins/inputs/http_response/README.md, HTTP Response Plugin Source --- # HTTP Response Input Plugin diff --git a/content/telegraf/v1/input-plugins/huebridge/_index.md b/content/telegraf/v1/input-plugins/huebridge/_index.md index 1a7649271..eccdcbfca 100644 --- a/content/telegraf/v1/input-plugins/huebridge/_index.md +++ b/content/telegraf/v1/input-plugins/huebridge/_index.md @@ -10,7 +10,7 @@ introduced: "v1.34.0" os_support: "freebsd, linux, macos, solaris, windows" related: - /telegraf/v1/configure_plugins/ - - https://github.com/influxdata/telegraf/tree/v1.37.2/plugins/inputs/huebridge/README.md, HueBridge Plugin Source + - https://github.com/influxdata/telegraf/tree/v1.37.3/plugins/inputs/huebridge/README.md, HueBridge Plugin Source --- # HueBridge Input Plugin diff --git a/content/telegraf/v1/input-plugins/hugepages/_index.md b/content/telegraf/v1/input-plugins/hugepages/_index.md index e2a811e95..dbc738ce2 100644 --- a/content/telegraf/v1/input-plugins/hugepages/_index.md +++ b/content/telegraf/v1/input-plugins/hugepages/_index.md @@ -10,7 +10,7 @@ introduced: "v1.22.0" os_support: "linux" related: - /telegraf/v1/configure_plugins/ - - https://github.com/influxdata/telegraf/tree/v1.37.2/plugins/inputs/hugepages/README.md, Hugepages Plugin Source + - https://github.com/influxdata/telegraf/tree/v1.37.3/plugins/inputs/hugepages/README.md, Hugepages Plugin Source --- # Hugepages Input Plugin diff --git a/content/telegraf/v1/input-plugins/icinga2/_index.md b/content/telegraf/v1/input-plugins/icinga2/_index.md index d3136c7f9..ccb5c7009 100644 --- a/content/telegraf/v1/input-plugins/icinga2/_index.md +++ b/content/telegraf/v1/input-plugins/icinga2/_index.md @@ -10,7 +10,7 @@ introduced: "v1.8.0" os_support: "freebsd, linux, macos, solaris, windows" related: - /telegraf/v1/configure_plugins/ - - https://github.com/influxdata/telegraf/tree/v1.37.2/plugins/inputs/icinga2/README.md, Icinga2 Plugin Source + - https://github.com/influxdata/telegraf/tree/v1.37.3/plugins/inputs/icinga2/README.md, Icinga2 Plugin Source --- # Icinga2 Input Plugin diff --git a/content/telegraf/v1/input-plugins/infiniband/_index.md b/content/telegraf/v1/input-plugins/infiniband/_index.md index 627433865..30801ba3d 100644 --- a/content/telegraf/v1/input-plugins/infiniband/_index.md +++ b/content/telegraf/v1/input-plugins/infiniband/_index.md @@ -10,7 +10,7 @@ introduced: "v1.14.0" os_support: "linux" related: - /telegraf/v1/configure_plugins/ - - https://github.com/influxdata/telegraf/tree/v1.37.2/plugins/inputs/infiniband/README.md, InfiniBand Plugin Source + - https://github.com/influxdata/telegraf/tree/v1.37.3/plugins/inputs/infiniband/README.md, InfiniBand Plugin Source --- # InfiniBand Input Plugin diff --git a/content/telegraf/v1/input-plugins/influxdb/_index.md b/content/telegraf/v1/input-plugins/influxdb/_index.md index 3b3fbfe91..083b0f6db 100644 --- a/content/telegraf/v1/input-plugins/influxdb/_index.md +++ b/content/telegraf/v1/input-plugins/influxdb/_index.md @@ -10,7 +10,7 @@ introduced: "v0.2.5" os_support: "freebsd, linux, macos, solaris, windows" related: - /telegraf/v1/configure_plugins/ - - https://github.com/influxdata/telegraf/tree/v1.37.2/plugins/inputs/influxdb/README.md, InfluxDB Plugin Source + - https://github.com/influxdata/telegraf/tree/v1.37.3/plugins/inputs/influxdb/README.md, InfluxDB Plugin Source --- # InfluxDB Input Plugin diff --git a/content/telegraf/v1/input-plugins/influxdb_listener/_index.md b/content/telegraf/v1/input-plugins/influxdb_listener/_index.md index 8ff01bbb3..4dad0abca 100644 --- a/content/telegraf/v1/input-plugins/influxdb_listener/_index.md +++ b/content/telegraf/v1/input-plugins/influxdb_listener/_index.md @@ -10,7 +10,7 @@ introduced: "v1.9.0" os_support: "freebsd, linux, macos, solaris, windows" related: - /telegraf/v1/configure_plugins/ - - https://github.com/influxdata/telegraf/tree/v1.37.2/plugins/inputs/influxdb_listener/README.md, InfluxDB Listener Plugin Source + - https://github.com/influxdata/telegraf/tree/v1.37.3/plugins/inputs/influxdb_listener/README.md, InfluxDB Listener Plugin Source --- # InfluxDB Listener Input Plugin diff --git a/content/telegraf/v1/input-plugins/influxdb_v2_listener/_index.md b/content/telegraf/v1/input-plugins/influxdb_v2_listener/_index.md index bbe29c93c..dbd52f76c 100644 --- a/content/telegraf/v1/input-plugins/influxdb_v2_listener/_index.md +++ b/content/telegraf/v1/input-plugins/influxdb_v2_listener/_index.md @@ -10,7 +10,7 @@ introduced: "v1.16.0" os_support: "freebsd, linux, macos, solaris, windows" related: - /telegraf/v1/configure_plugins/ - - https://github.com/influxdata/telegraf/tree/v1.37.2/plugins/inputs/influxdb_v2_listener/README.md, InfluxDB V2 Listener Plugin Source + - https://github.com/influxdata/telegraf/tree/v1.37.3/plugins/inputs/influxdb_v2_listener/README.md, InfluxDB V2 Listener Plugin Source --- # InfluxDB V2 Listener Input Plugin diff --git a/content/telegraf/v1/input-plugins/intel_baseband/_index.md b/content/telegraf/v1/input-plugins/intel_baseband/_index.md index 372a3000e..85c531768 100644 --- a/content/telegraf/v1/input-plugins/intel_baseband/_index.md +++ b/content/telegraf/v1/input-plugins/intel_baseband/_index.md @@ -10,7 +10,7 @@ introduced: "v1.27.0" os_support: "linux" related: - /telegraf/v1/configure_plugins/ - - https://github.com/influxdata/telegraf/tree/v1.37.2/plugins/inputs/intel_baseband/README.md, Intel Baseband Accelerator Plugin Source + - https://github.com/influxdata/telegraf/tree/v1.37.3/plugins/inputs/intel_baseband/README.md, Intel Baseband Accelerator Plugin Source --- # Intel Baseband Accelerator Input Plugin diff --git a/content/telegraf/v1/input-plugins/intel_dlb/_index.md b/content/telegraf/v1/input-plugins/intel_dlb/_index.md index df0ecf307..91f126c89 100644 --- a/content/telegraf/v1/input-plugins/intel_dlb/_index.md +++ b/content/telegraf/v1/input-plugins/intel_dlb/_index.md @@ -10,7 +10,7 @@ introduced: "v1.25.0" os_support: "linux" related: - /telegraf/v1/configure_plugins/ - - https://github.com/influxdata/telegraf/tree/v1.37.2/plugins/inputs/intel_dlb/README.md, Intel® Dynamic Load Balancer Plugin Source + - https://github.com/influxdata/telegraf/tree/v1.37.3/plugins/inputs/intel_dlb/README.md, Intel® Dynamic Load Balancer Plugin Source --- # Intel® Dynamic Load Balancer Input Plugin diff --git a/content/telegraf/v1/input-plugins/intel_pmt/_index.md b/content/telegraf/v1/input-plugins/intel_pmt/_index.md index dba424150..dfb76375c 100644 --- a/content/telegraf/v1/input-plugins/intel_pmt/_index.md +++ b/content/telegraf/v1/input-plugins/intel_pmt/_index.md @@ -10,7 +10,7 @@ introduced: "v1.28.0" os_support: "linux" related: - /telegraf/v1/configure_plugins/ - - https://github.com/influxdata/telegraf/tree/v1.37.2/plugins/inputs/intel_pmt/README.md, Intel® Platform Monitoring Technology Plugin Source + - https://github.com/influxdata/telegraf/tree/v1.37.3/plugins/inputs/intel_pmt/README.md, Intel® Platform Monitoring Technology Plugin Source --- # Intel® Platform Monitoring Technology Input Plugin diff --git a/content/telegraf/v1/input-plugins/intel_pmu/_index.md b/content/telegraf/v1/input-plugins/intel_pmu/_index.md index 226ed315d..9d8a39fef 100644 --- a/content/telegraf/v1/input-plugins/intel_pmu/_index.md +++ b/content/telegraf/v1/input-plugins/intel_pmu/_index.md @@ -10,7 +10,7 @@ introduced: "v1.21.0" os_support: "linux" related: - /telegraf/v1/configure_plugins/ - - https://github.com/influxdata/telegraf/tree/v1.37.2/plugins/inputs/intel_pmu/README.md, Intel Performance Monitoring Unit Plugin Source + - https://github.com/influxdata/telegraf/tree/v1.37.3/plugins/inputs/intel_pmu/README.md, Intel Performance Monitoring Unit Plugin Source --- # Intel Performance Monitoring Unit Plugin diff --git a/content/telegraf/v1/input-plugins/intel_powerstat/_index.md b/content/telegraf/v1/input-plugins/intel_powerstat/_index.md index 32dd76bb2..36d8a5f3b 100644 --- a/content/telegraf/v1/input-plugins/intel_powerstat/_index.md +++ b/content/telegraf/v1/input-plugins/intel_powerstat/_index.md @@ -10,7 +10,7 @@ introduced: "v1.17.0" os_support: "linux" related: - /telegraf/v1/configure_plugins/ - - https://github.com/influxdata/telegraf/tree/v1.37.2/plugins/inputs/intel_powerstat/README.md, Intel PowerStat Plugin Source + - https://github.com/influxdata/telegraf/tree/v1.37.3/plugins/inputs/intel_powerstat/README.md, Intel PowerStat Plugin Source --- # Intel PowerStat Input Plugin diff --git a/content/telegraf/v1/input-plugins/intel_rdt/_index.md b/content/telegraf/v1/input-plugins/intel_rdt/_index.md index dd5bf394d..979618b31 100644 --- a/content/telegraf/v1/input-plugins/intel_rdt/_index.md +++ b/content/telegraf/v1/input-plugins/intel_rdt/_index.md @@ -10,7 +10,7 @@ introduced: "v1.16.0" os_support: "freebsd, linux, macos" related: - /telegraf/v1/configure_plugins/ - - https://github.com/influxdata/telegraf/tree/v1.37.2/plugins/inputs/intel_rdt/README.md, Intel RDT Plugin Source + - https://github.com/influxdata/telegraf/tree/v1.37.3/plugins/inputs/intel_rdt/README.md, Intel RDT Plugin Source --- # Intel RDT Input Plugin diff --git a/content/telegraf/v1/input-plugins/internal/_index.md b/content/telegraf/v1/input-plugins/internal/_index.md index 986a718b7..86a9048fa 100644 --- a/content/telegraf/v1/input-plugins/internal/_index.md +++ b/content/telegraf/v1/input-plugins/internal/_index.md @@ -10,7 +10,7 @@ introduced: "v1.2.0" os_support: "freebsd, linux, macos, solaris, windows" related: - /telegraf/v1/configure_plugins/ - - https://github.com/influxdata/telegraf/tree/v1.37.2/plugins/inputs/internal/README.md, Telegraf Internal Plugin Source + - https://github.com/influxdata/telegraf/tree/v1.37.3/plugins/inputs/internal/README.md, Telegraf Internal Plugin Source --- # Telegraf Internal Input Plugin diff --git a/content/telegraf/v1/input-plugins/internet_speed/_index.md b/content/telegraf/v1/input-plugins/internet_speed/_index.md index 230025b4a..34b13ba04 100644 --- a/content/telegraf/v1/input-plugins/internet_speed/_index.md +++ b/content/telegraf/v1/input-plugins/internet_speed/_index.md @@ -10,7 +10,7 @@ introduced: "v1.20.0" os_support: "freebsd, linux, macos, solaris, windows" related: - /telegraf/v1/configure_plugins/ - - https://github.com/influxdata/telegraf/tree/v1.37.2/plugins/inputs/internet_speed/README.md, Internet Speed Monitor Plugin Source + - https://github.com/influxdata/telegraf/tree/v1.37.3/plugins/inputs/internet_speed/README.md, Internet Speed Monitor Plugin Source --- # Internet Speed Monitor Input Plugin diff --git a/content/telegraf/v1/input-plugins/interrupts/_index.md b/content/telegraf/v1/input-plugins/interrupts/_index.md index 804f51b54..a49e96b49 100644 --- a/content/telegraf/v1/input-plugins/interrupts/_index.md +++ b/content/telegraf/v1/input-plugins/interrupts/_index.md @@ -10,7 +10,7 @@ introduced: "v1.3.0" os_support: "freebsd, linux, macos, solaris, windows" related: - /telegraf/v1/configure_plugins/ - - https://github.com/influxdata/telegraf/tree/v1.37.2/plugins/inputs/interrupts/README.md, Interrupts Plugin Source + - https://github.com/influxdata/telegraf/tree/v1.37.3/plugins/inputs/interrupts/README.md, Interrupts Plugin Source --- # Interrupts Input Plugin diff --git a/content/telegraf/v1/input-plugins/ipmi_sensor/_index.md b/content/telegraf/v1/input-plugins/ipmi_sensor/_index.md index a86896f8c..916bacf3a 100644 --- a/content/telegraf/v1/input-plugins/ipmi_sensor/_index.md +++ b/content/telegraf/v1/input-plugins/ipmi_sensor/_index.md @@ -10,7 +10,7 @@ introduced: "v0.12.0" os_support: "freebsd, linux, macos, solaris, windows" related: - /telegraf/v1/configure_plugins/ - - https://github.com/influxdata/telegraf/tree/v1.37.2/plugins/inputs/ipmi_sensor/README.md, IPMI Sensor Plugin Source + - https://github.com/influxdata/telegraf/tree/v1.37.3/plugins/inputs/ipmi_sensor/README.md, IPMI Sensor Plugin Source --- # IPMI Sensor Input Plugin diff --git a/content/telegraf/v1/input-plugins/ipset/_index.md b/content/telegraf/v1/input-plugins/ipset/_index.md index fe005ecba..526813c12 100644 --- a/content/telegraf/v1/input-plugins/ipset/_index.md +++ b/content/telegraf/v1/input-plugins/ipset/_index.md @@ -10,7 +10,7 @@ introduced: "v1.6.0" os_support: "linux" related: - /telegraf/v1/configure_plugins/ - - https://github.com/influxdata/telegraf/tree/v1.37.2/plugins/inputs/ipset/README.md, Ipset Plugin Source + - https://github.com/influxdata/telegraf/tree/v1.37.3/plugins/inputs/ipset/README.md, Ipset Plugin Source --- # Ipset Input Plugin diff --git a/content/telegraf/v1/input-plugins/iptables/_index.md b/content/telegraf/v1/input-plugins/iptables/_index.md index ae2126c2e..36efd03fa 100644 --- a/content/telegraf/v1/input-plugins/iptables/_index.md +++ b/content/telegraf/v1/input-plugins/iptables/_index.md @@ -10,7 +10,7 @@ introduced: "v1.1.0" os_support: "linux" related: - /telegraf/v1/configure_plugins/ - - https://github.com/influxdata/telegraf/tree/v1.37.2/plugins/inputs/iptables/README.md, Iptables Plugin Source + - https://github.com/influxdata/telegraf/tree/v1.37.3/plugins/inputs/iptables/README.md, Iptables Plugin Source --- # Iptables Input Plugin diff --git a/content/telegraf/v1/input-plugins/ipvs/_index.md b/content/telegraf/v1/input-plugins/ipvs/_index.md index 8c54fd634..52809fee5 100644 --- a/content/telegraf/v1/input-plugins/ipvs/_index.md +++ b/content/telegraf/v1/input-plugins/ipvs/_index.md @@ -10,7 +10,7 @@ introduced: "v1.9.0" os_support: "linux" related: - /telegraf/v1/configure_plugins/ - - https://github.com/influxdata/telegraf/tree/v1.37.2/plugins/inputs/ipvs/README.md, IPVS Plugin Source + - https://github.com/influxdata/telegraf/tree/v1.37.3/plugins/inputs/ipvs/README.md, IPVS Plugin Source --- # IPVS Input Plugin diff --git a/content/telegraf/v1/input-plugins/jenkins/_index.md b/content/telegraf/v1/input-plugins/jenkins/_index.md index de33c8e17..26ec6e26b 100644 --- a/content/telegraf/v1/input-plugins/jenkins/_index.md +++ b/content/telegraf/v1/input-plugins/jenkins/_index.md @@ -10,7 +10,7 @@ introduced: "v1.9.0" os_support: "freebsd, linux, macos, solaris, windows" related: - /telegraf/v1/configure_plugins/ - - https://github.com/influxdata/telegraf/tree/v1.37.2/plugins/inputs/jenkins/README.md, Jenkins Plugin Source + - https://github.com/influxdata/telegraf/tree/v1.37.3/plugins/inputs/jenkins/README.md, Jenkins Plugin Source --- # Jenkins Input Plugin diff --git a/content/telegraf/v1/input-plugins/jolokia2_agent/_index.md b/content/telegraf/v1/input-plugins/jolokia2_agent/_index.md index a2fc41b5a..467d74043 100644 --- a/content/telegraf/v1/input-plugins/jolokia2_agent/_index.md +++ b/content/telegraf/v1/input-plugins/jolokia2_agent/_index.md @@ -10,7 +10,7 @@ introduced: "v1.5.0" os_support: "freebsd, linux, macos, solaris, windows" related: - /telegraf/v1/configure_plugins/ - - https://github.com/influxdata/telegraf/tree/v1.37.2/plugins/inputs/jolokia2_agent/README.md, Jolokia2 Agent Plugin Source + - https://github.com/influxdata/telegraf/tree/v1.37.3/plugins/inputs/jolokia2_agent/README.md, Jolokia2 Agent Plugin Source --- # Jolokia2 Agent Input Plugin diff --git a/content/telegraf/v1/input-plugins/jolokia2_proxy/_index.md b/content/telegraf/v1/input-plugins/jolokia2_proxy/_index.md index 95f359e49..816f1e761 100644 --- a/content/telegraf/v1/input-plugins/jolokia2_proxy/_index.md +++ b/content/telegraf/v1/input-plugins/jolokia2_proxy/_index.md @@ -10,7 +10,7 @@ introduced: "v1.5.0" os_support: "freebsd, linux, macos, solaris, windows" related: - /telegraf/v1/configure_plugins/ - - https://github.com/influxdata/telegraf/tree/v1.37.2/plugins/inputs/jolokia2_proxy/README.md, Jolokia2 Proxy Plugin Source + - https://github.com/influxdata/telegraf/tree/v1.37.3/plugins/inputs/jolokia2_proxy/README.md, Jolokia2 Proxy Plugin Source --- # Jolokia2 Proxy Input Plugin diff --git a/content/telegraf/v1/input-plugins/jti_openconfig_telemetry/_index.md b/content/telegraf/v1/input-plugins/jti_openconfig_telemetry/_index.md index c2cde1f07..2a15f8462 100644 --- a/content/telegraf/v1/input-plugins/jti_openconfig_telemetry/_index.md +++ b/content/telegraf/v1/input-plugins/jti_openconfig_telemetry/_index.md @@ -10,7 +10,7 @@ introduced: "v1.7.0" os_support: "freebsd, linux, macos, solaris, windows" related: - /telegraf/v1/configure_plugins/ - - https://github.com/influxdata/telegraf/tree/v1.37.2/plugins/inputs/jti_openconfig_telemetry/README.md, Juniper Telemetry Plugin Source + - https://github.com/influxdata/telegraf/tree/v1.37.3/plugins/inputs/jti_openconfig_telemetry/README.md, Juniper Telemetry Plugin Source --- # Juniper Telemetry Input Plugin diff --git a/content/telegraf/v1/input-plugins/kafka_consumer/_index.md b/content/telegraf/v1/input-plugins/kafka_consumer/_index.md index e3e146d86..344cc8c44 100644 --- a/content/telegraf/v1/input-plugins/kafka_consumer/_index.md +++ b/content/telegraf/v1/input-plugins/kafka_consumer/_index.md @@ -10,7 +10,7 @@ introduced: "v0.2.3" os_support: "freebsd, linux, macos, solaris, windows" related: - /telegraf/v1/configure_plugins/ - - https://github.com/influxdata/telegraf/tree/v1.37.2/plugins/inputs/kafka_consumer/README.md, Apache Kafka Consumer Plugin Source + - https://github.com/influxdata/telegraf/tree/v1.37.3/plugins/inputs/kafka_consumer/README.md, Apache Kafka Consumer Plugin Source --- # Apache Kafka Consumer Input Plugin diff --git a/content/telegraf/v1/input-plugins/kapacitor/_index.md b/content/telegraf/v1/input-plugins/kapacitor/_index.md index 8691301dc..dd7e69389 100644 --- a/content/telegraf/v1/input-plugins/kapacitor/_index.md +++ b/content/telegraf/v1/input-plugins/kapacitor/_index.md @@ -10,7 +10,7 @@ introduced: "v1.3.0" os_support: "freebsd, linux, macos, solaris, windows" related: - /telegraf/v1/configure_plugins/ - - https://github.com/influxdata/telegraf/tree/v1.37.2/plugins/inputs/kapacitor/README.md, Kapacitor Plugin Source + - https://github.com/influxdata/telegraf/tree/v1.37.3/plugins/inputs/kapacitor/README.md, Kapacitor Plugin Source --- # Kapacitor Input Plugin diff --git a/content/telegraf/v1/input-plugins/kernel/_index.md b/content/telegraf/v1/input-plugins/kernel/_index.md index 9a07bd659..885f3b581 100644 --- a/content/telegraf/v1/input-plugins/kernel/_index.md +++ b/content/telegraf/v1/input-plugins/kernel/_index.md @@ -10,7 +10,7 @@ introduced: "v0.11.0" os_support: "linux" related: - /telegraf/v1/configure_plugins/ - - https://github.com/influxdata/telegraf/tree/v1.37.2/plugins/inputs/kernel/README.md, Kernel Plugin Source + - https://github.com/influxdata/telegraf/tree/v1.37.3/plugins/inputs/kernel/README.md, Kernel Plugin Source --- # Kernel Input Plugin diff --git a/content/telegraf/v1/input-plugins/kernel_vmstat/_index.md b/content/telegraf/v1/input-plugins/kernel_vmstat/_index.md index 320ff0ce6..c60667001 100644 --- a/content/telegraf/v1/input-plugins/kernel_vmstat/_index.md +++ b/content/telegraf/v1/input-plugins/kernel_vmstat/_index.md @@ -10,7 +10,7 @@ introduced: "v1.0.0" os_support: "linux" related: - /telegraf/v1/configure_plugins/ - - https://github.com/influxdata/telegraf/tree/v1.37.2/plugins/inputs/kernel_vmstat/README.md, Kernel VM Statistics Plugin Source + - https://github.com/influxdata/telegraf/tree/v1.37.3/plugins/inputs/kernel_vmstat/README.md, Kernel VM Statistics Plugin Source --- # Kernel VM Statistics Input Plugin diff --git a/content/telegraf/v1/input-plugins/kibana/_index.md b/content/telegraf/v1/input-plugins/kibana/_index.md index 34c213dbc..51b2370f7 100644 --- a/content/telegraf/v1/input-plugins/kibana/_index.md +++ b/content/telegraf/v1/input-plugins/kibana/_index.md @@ -10,7 +10,7 @@ introduced: "v1.8.0" os_support: "freebsd, linux, macos, solaris, windows" related: - /telegraf/v1/configure_plugins/ - - https://github.com/influxdata/telegraf/tree/v1.37.2/plugins/inputs/kibana/README.md, Kibana Plugin Source + - https://github.com/influxdata/telegraf/tree/v1.37.3/plugins/inputs/kibana/README.md, Kibana Plugin Source --- # Kibana Input Plugin diff --git a/content/telegraf/v1/input-plugins/kinesis_consumer/_index.md b/content/telegraf/v1/input-plugins/kinesis_consumer/_index.md index 798cb5a81..bcedef758 100644 --- a/content/telegraf/v1/input-plugins/kinesis_consumer/_index.md +++ b/content/telegraf/v1/input-plugins/kinesis_consumer/_index.md @@ -10,7 +10,7 @@ introduced: "v1.10.0" os_support: "freebsd, linux, macos, solaris, windows" related: - /telegraf/v1/configure_plugins/ - - https://github.com/influxdata/telegraf/tree/v1.37.2/plugins/inputs/kinesis_consumer/README.md, Kinesis Consumer Plugin Source + - https://github.com/influxdata/telegraf/tree/v1.37.3/plugins/inputs/kinesis_consumer/README.md, Kinesis Consumer Plugin Source --- # Kinesis Consumer Input Plugin diff --git a/content/telegraf/v1/input-plugins/knx_listener/_index.md b/content/telegraf/v1/input-plugins/knx_listener/_index.md index e39269904..d570e2285 100644 --- a/content/telegraf/v1/input-plugins/knx_listener/_index.md +++ b/content/telegraf/v1/input-plugins/knx_listener/_index.md @@ -10,7 +10,7 @@ introduced: "v1.19.0" os_support: "freebsd, linux, macos, solaris, windows" related: - /telegraf/v1/configure_plugins/ - - https://github.com/influxdata/telegraf/tree/v1.37.2/plugins/inputs/knx_listener/README.md, KNX Plugin Source + - https://github.com/influxdata/telegraf/tree/v1.37.3/plugins/inputs/knx_listener/README.md, KNX Plugin Source --- # KNX Input Plugin diff --git a/content/telegraf/v1/input-plugins/kube_inventory/_index.md b/content/telegraf/v1/input-plugins/kube_inventory/_index.md index b02d4292f..509a3c0e5 100644 --- a/content/telegraf/v1/input-plugins/kube_inventory/_index.md +++ b/content/telegraf/v1/input-plugins/kube_inventory/_index.md @@ -10,7 +10,7 @@ introduced: "v1.10.0" os_support: "freebsd, linux, macos, solaris, windows" related: - /telegraf/v1/configure_plugins/ - - https://github.com/influxdata/telegraf/tree/v1.37.2/plugins/inputs/kube_inventory/README.md, Kubernetes Inventory Plugin Source + - https://github.com/influxdata/telegraf/tree/v1.37.3/plugins/inputs/kube_inventory/README.md, Kubernetes Inventory Plugin Source --- # Kubernetes Inventory Input Plugin diff --git a/content/telegraf/v1/input-plugins/kubernetes/_index.md b/content/telegraf/v1/input-plugins/kubernetes/_index.md index 135168f41..ab57f0864 100644 --- a/content/telegraf/v1/input-plugins/kubernetes/_index.md +++ b/content/telegraf/v1/input-plugins/kubernetes/_index.md @@ -10,7 +10,7 @@ introduced: "v1.1.0" os_support: "freebsd, linux, macos, solaris, windows" related: - /telegraf/v1/configure_plugins/ - - https://github.com/influxdata/telegraf/tree/v1.37.2/plugins/inputs/kubernetes/README.md, Kubernetes Plugin Source + - https://github.com/influxdata/telegraf/tree/v1.37.3/plugins/inputs/kubernetes/README.md, Kubernetes Plugin Source --- # Kubernetes Input Plugin diff --git a/content/telegraf/v1/input-plugins/lanz/_index.md b/content/telegraf/v1/input-plugins/lanz/_index.md index 773a046cf..4b36f6597 100644 --- a/content/telegraf/v1/input-plugins/lanz/_index.md +++ b/content/telegraf/v1/input-plugins/lanz/_index.md @@ -10,7 +10,7 @@ introduced: "v1.14.0" os_support: "freebsd, linux, macos, solaris, windows" related: - /telegraf/v1/configure_plugins/ - - https://github.com/influxdata/telegraf/tree/v1.37.2/plugins/inputs/lanz/README.md, Arista LANZ Consumer Plugin Source + - https://github.com/influxdata/telegraf/tree/v1.37.3/plugins/inputs/lanz/README.md, Arista LANZ Consumer Plugin Source --- # Arista LANZ Consumer Input Plugin diff --git a/content/telegraf/v1/input-plugins/ldap/_index.md b/content/telegraf/v1/input-plugins/ldap/_index.md index ef37aafc8..5ff26f8f4 100644 --- a/content/telegraf/v1/input-plugins/ldap/_index.md +++ b/content/telegraf/v1/input-plugins/ldap/_index.md @@ -10,7 +10,7 @@ introduced: "v1.29.0" os_support: "freebsd, linux, macos, solaris, windows" related: - /telegraf/v1/configure_plugins/ - - https://github.com/influxdata/telegraf/tree/v1.37.2/plugins/inputs/ldap/README.md, LDAP Plugin Source + - https://github.com/influxdata/telegraf/tree/v1.37.3/plugins/inputs/ldap/README.md, LDAP Plugin Source --- # LDAP Input Plugin diff --git a/content/telegraf/v1/input-plugins/leofs/_index.md b/content/telegraf/v1/input-plugins/leofs/_index.md index 937d95207..2755a1882 100644 --- a/content/telegraf/v1/input-plugins/leofs/_index.md +++ b/content/telegraf/v1/input-plugins/leofs/_index.md @@ -10,7 +10,7 @@ introduced: "v0.1.5" os_support: "freebsd, linux, macos, solaris, windows" related: - /telegraf/v1/configure_plugins/ - - https://github.com/influxdata/telegraf/tree/v1.37.2/plugins/inputs/leofs/README.md, LeoFS Plugin Source + - https://github.com/influxdata/telegraf/tree/v1.37.3/plugins/inputs/leofs/README.md, LeoFS Plugin Source --- # LeoFS Input Plugin diff --git a/content/telegraf/v1/input-plugins/libvirt/_index.md b/content/telegraf/v1/input-plugins/libvirt/_index.md index efa08e90d..642cad657 100644 --- a/content/telegraf/v1/input-plugins/libvirt/_index.md +++ b/content/telegraf/v1/input-plugins/libvirt/_index.md @@ -10,7 +10,7 @@ introduced: "v1.25.0" os_support: "freebsd, linux, macos, solaris, windows" related: - /telegraf/v1/configure_plugins/ - - https://github.com/influxdata/telegraf/tree/v1.37.2/plugins/inputs/libvirt/README.md, Libvirt Plugin Source + - https://github.com/influxdata/telegraf/tree/v1.37.3/plugins/inputs/libvirt/README.md, Libvirt Plugin Source --- # Libvirt Input Plugin diff --git a/content/telegraf/v1/input-plugins/linux_cpu/_index.md b/content/telegraf/v1/input-plugins/linux_cpu/_index.md index 31f347d56..ce032c4bb 100644 --- a/content/telegraf/v1/input-plugins/linux_cpu/_index.md +++ b/content/telegraf/v1/input-plugins/linux_cpu/_index.md @@ -10,7 +10,7 @@ introduced: "v1.24.0" os_support: "linux" related: - /telegraf/v1/configure_plugins/ - - https://github.com/influxdata/telegraf/tree/v1.37.2/plugins/inputs/linux_cpu/README.md, Linux CPU Plugin Source + - https://github.com/influxdata/telegraf/tree/v1.37.3/plugins/inputs/linux_cpu/README.md, Linux CPU Plugin Source --- # Linux CPU Input Plugin diff --git a/content/telegraf/v1/input-plugins/linux_sysctl_fs/_index.md b/content/telegraf/v1/input-plugins/linux_sysctl_fs/_index.md index ccc08f271..3caf08b81 100644 --- a/content/telegraf/v1/input-plugins/linux_sysctl_fs/_index.md +++ b/content/telegraf/v1/input-plugins/linux_sysctl_fs/_index.md @@ -10,7 +10,7 @@ introduced: "v1.24.0" os_support: "linux" related: - /telegraf/v1/configure_plugins/ - - https://github.com/influxdata/telegraf/tree/v1.37.2/plugins/inputs/linux_sysctl_fs/README.md, Linux Sysctl Filesystem Plugin Source + - https://github.com/influxdata/telegraf/tree/v1.37.3/plugins/inputs/linux_sysctl_fs/README.md, Linux Sysctl Filesystem Plugin Source --- # Linux Sysctl Filesystem Input Plugin diff --git a/content/telegraf/v1/input-plugins/logql/_index.md b/content/telegraf/v1/input-plugins/logql/_index.md index 6c5104299..f75b79c5f 100644 --- a/content/telegraf/v1/input-plugins/logql/_index.md +++ b/content/telegraf/v1/input-plugins/logql/_index.md @@ -10,7 +10,7 @@ introduced: "v1.37.0" os_support: "freebsd, linux, macos, solaris, windows" related: - /telegraf/v1/configure_plugins/ - - https://github.com/influxdata/telegraf/tree/v1.37.2/plugins/inputs/logql/README.md, LogQL Plugin Source + - https://github.com/influxdata/telegraf/tree/v1.37.3/plugins/inputs/logql/README.md, LogQL Plugin Source --- # LogQL Input Plugin diff --git a/content/telegraf/v1/input-plugins/logstash/_index.md b/content/telegraf/v1/input-plugins/logstash/_index.md index 33eceb14b..9833ac5f8 100644 --- a/content/telegraf/v1/input-plugins/logstash/_index.md +++ b/content/telegraf/v1/input-plugins/logstash/_index.md @@ -10,7 +10,7 @@ introduced: "v1.12.0" os_support: "freebsd, linux, macos, solaris, windows" related: - /telegraf/v1/configure_plugins/ - - https://github.com/influxdata/telegraf/tree/v1.37.2/plugins/inputs/logstash/README.md, Logstash Plugin Source + - https://github.com/influxdata/telegraf/tree/v1.37.3/plugins/inputs/logstash/README.md, Logstash Plugin Source --- # Logstash Input Plugin diff --git a/content/telegraf/v1/input-plugins/lustre2/_index.md b/content/telegraf/v1/input-plugins/lustre2/_index.md index 924b18fa0..e33ff9b63 100644 --- a/content/telegraf/v1/input-plugins/lustre2/_index.md +++ b/content/telegraf/v1/input-plugins/lustre2/_index.md @@ -10,7 +10,7 @@ introduced: "v0.1.5" os_support: "linux" related: - /telegraf/v1/configure_plugins/ - - https://github.com/influxdata/telegraf/tree/v1.37.2/plugins/inputs/lustre2/README.md, Lustre Plugin Source + - https://github.com/influxdata/telegraf/tree/v1.37.3/plugins/inputs/lustre2/README.md, Lustre Plugin Source --- # Lustre Input Plugin diff --git a/content/telegraf/v1/input-plugins/lvm/_index.md b/content/telegraf/v1/input-plugins/lvm/_index.md index cea31ecfd..878fbd368 100644 --- a/content/telegraf/v1/input-plugins/lvm/_index.md +++ b/content/telegraf/v1/input-plugins/lvm/_index.md @@ -10,7 +10,7 @@ introduced: "v1.21.0" os_support: "linux" related: - /telegraf/v1/configure_plugins/ - - https://github.com/influxdata/telegraf/tree/v1.37.2/plugins/inputs/lvm/README.md, Logical Volume Manager Plugin Source + - https://github.com/influxdata/telegraf/tree/v1.37.3/plugins/inputs/lvm/README.md, Logical Volume Manager Plugin Source --- # Logical Volume Manager Input Plugin diff --git a/content/telegraf/v1/input-plugins/mailchimp/_index.md b/content/telegraf/v1/input-plugins/mailchimp/_index.md index 7ebf882c7..41b2884dd 100644 --- a/content/telegraf/v1/input-plugins/mailchimp/_index.md +++ b/content/telegraf/v1/input-plugins/mailchimp/_index.md @@ -10,7 +10,7 @@ introduced: "v0.2.4" os_support: "freebsd, linux, macos, solaris, windows" related: - /telegraf/v1/configure_plugins/ - - https://github.com/influxdata/telegraf/tree/v1.37.2/plugins/inputs/mailchimp/README.md, Mailchimp Plugin Source + - https://github.com/influxdata/telegraf/tree/v1.37.3/plugins/inputs/mailchimp/README.md, Mailchimp Plugin Source --- # Mailchimp Input Plugin diff --git a/content/telegraf/v1/input-plugins/marklogic/_index.md b/content/telegraf/v1/input-plugins/marklogic/_index.md index 7d04192a8..3d6a54838 100644 --- a/content/telegraf/v1/input-plugins/marklogic/_index.md +++ b/content/telegraf/v1/input-plugins/marklogic/_index.md @@ -10,7 +10,7 @@ introduced: "v1.12.0" os_support: "freebsd, linux, macos, solaris, windows" related: - /telegraf/v1/configure_plugins/ - - https://github.com/influxdata/telegraf/tree/v1.37.2/plugins/inputs/marklogic/README.md, MarkLogic Plugin Source + - https://github.com/influxdata/telegraf/tree/v1.37.3/plugins/inputs/marklogic/README.md, MarkLogic Plugin Source --- # MarkLogic Input Plugin diff --git a/content/telegraf/v1/input-plugins/mavlink/_index.md b/content/telegraf/v1/input-plugins/mavlink/_index.md index bd8084447..e196a3125 100644 --- a/content/telegraf/v1/input-plugins/mavlink/_index.md +++ b/content/telegraf/v1/input-plugins/mavlink/_index.md @@ -10,7 +10,7 @@ introduced: "v1.35.0" os_support: "freebsd, linux, macos, solaris, windows" related: - /telegraf/v1/configure_plugins/ - - https://github.com/influxdata/telegraf/tree/v1.37.2/plugins/inputs/mavlink/README.md, MavLink Plugin Source + - https://github.com/influxdata/telegraf/tree/v1.37.3/plugins/inputs/mavlink/README.md, MavLink Plugin Source --- # MavLink Input Plugin diff --git a/content/telegraf/v1/input-plugins/mcrouter/_index.md b/content/telegraf/v1/input-plugins/mcrouter/_index.md index c588f6ad6..f99c44faa 100644 --- a/content/telegraf/v1/input-plugins/mcrouter/_index.md +++ b/content/telegraf/v1/input-plugins/mcrouter/_index.md @@ -10,7 +10,7 @@ introduced: "v1.7.0" os_support: "freebsd, linux, macos, solaris, windows" related: - /telegraf/v1/configure_plugins/ - - https://github.com/influxdata/telegraf/tree/v1.37.2/plugins/inputs/mcrouter/README.md, Mcrouter Plugin Source + - https://github.com/influxdata/telegraf/tree/v1.37.3/plugins/inputs/mcrouter/README.md, Mcrouter Plugin Source --- # Mcrouter Input Plugin diff --git a/content/telegraf/v1/input-plugins/mdstat/_index.md b/content/telegraf/v1/input-plugins/mdstat/_index.md index f81df6317..885960c94 100644 --- a/content/telegraf/v1/input-plugins/mdstat/_index.md +++ b/content/telegraf/v1/input-plugins/mdstat/_index.md @@ -10,7 +10,7 @@ introduced: "v1.20.0" os_support: "linux" related: - /telegraf/v1/configure_plugins/ - - https://github.com/influxdata/telegraf/tree/v1.37.2/plugins/inputs/mdstat/README.md, MD RAID Statistics Plugin Source + - https://github.com/influxdata/telegraf/tree/v1.37.3/plugins/inputs/mdstat/README.md, MD RAID Statistics Plugin Source --- # MD RAID Statistics Input Plugin diff --git a/content/telegraf/v1/input-plugins/mem/_index.md b/content/telegraf/v1/input-plugins/mem/_index.md index 2ec0b39c6..5b457d5f0 100644 --- a/content/telegraf/v1/input-plugins/mem/_index.md +++ b/content/telegraf/v1/input-plugins/mem/_index.md @@ -10,7 +10,7 @@ introduced: "v0.1.5" os_support: "freebsd, linux, macos, solaris, windows" related: - /telegraf/v1/configure_plugins/ - - https://github.com/influxdata/telegraf/tree/v1.37.2/plugins/inputs/mem/README.md, Memory Plugin Source + - https://github.com/influxdata/telegraf/tree/v1.37.3/plugins/inputs/mem/README.md, Memory Plugin Source --- # Memory Input Plugin diff --git a/content/telegraf/v1/input-plugins/memcached/_index.md b/content/telegraf/v1/input-plugins/memcached/_index.md index bbc12ab5b..15d6ca950 100644 --- a/content/telegraf/v1/input-plugins/memcached/_index.md +++ b/content/telegraf/v1/input-plugins/memcached/_index.md @@ -10,7 +10,7 @@ introduced: "v0.1.2" os_support: "freebsd, linux, macos, solaris, windows" related: - /telegraf/v1/configure_plugins/ - - https://github.com/influxdata/telegraf/tree/v1.37.2/plugins/inputs/memcached/README.md, Memcached Plugin Source + - https://github.com/influxdata/telegraf/tree/v1.37.3/plugins/inputs/memcached/README.md, Memcached Plugin Source --- # Memcached Input Plugin diff --git a/content/telegraf/v1/input-plugins/mesos/_index.md b/content/telegraf/v1/input-plugins/mesos/_index.md index 9a69e8b89..270ffa288 100644 --- a/content/telegraf/v1/input-plugins/mesos/_index.md +++ b/content/telegraf/v1/input-plugins/mesos/_index.md @@ -10,7 +10,7 @@ introduced: "v0.10.3" os_support: "freebsd, linux, macos, solaris, windows" related: - /telegraf/v1/configure_plugins/ - - https://github.com/influxdata/telegraf/tree/v1.37.2/plugins/inputs/mesos/README.md, Apache Mesos Plugin Source + - https://github.com/influxdata/telegraf/tree/v1.37.3/plugins/inputs/mesos/README.md, Apache Mesos Plugin Source --- # Apache Mesos Input Plugin diff --git a/content/telegraf/v1/input-plugins/minecraft/_index.md b/content/telegraf/v1/input-plugins/minecraft/_index.md index 6778844f2..412c8aaa4 100644 --- a/content/telegraf/v1/input-plugins/minecraft/_index.md +++ b/content/telegraf/v1/input-plugins/minecraft/_index.md @@ -10,7 +10,7 @@ introduced: "v1.4.0" os_support: "freebsd, linux, macos, solaris, windows" related: - /telegraf/v1/configure_plugins/ - - https://github.com/influxdata/telegraf/tree/v1.37.2/plugins/inputs/minecraft/README.md, Minecraft Plugin Source + - https://github.com/influxdata/telegraf/tree/v1.37.3/plugins/inputs/minecraft/README.md, Minecraft Plugin Source --- # Minecraft Input Plugin diff --git a/content/telegraf/v1/input-plugins/mock/_index.md b/content/telegraf/v1/input-plugins/mock/_index.md index 09461d8d0..54399ab98 100644 --- a/content/telegraf/v1/input-plugins/mock/_index.md +++ b/content/telegraf/v1/input-plugins/mock/_index.md @@ -10,7 +10,7 @@ introduced: "v1.22.0" os_support: "freebsd, linux, macos, solaris, windows" related: - /telegraf/v1/configure_plugins/ - - https://github.com/influxdata/telegraf/tree/v1.37.2/plugins/inputs/mock/README.md, Mock Data Plugin Source + - https://github.com/influxdata/telegraf/tree/v1.37.3/plugins/inputs/mock/README.md, Mock Data Plugin Source --- # Mock Data Input Plugin diff --git a/content/telegraf/v1/input-plugins/modbus/_index.md b/content/telegraf/v1/input-plugins/modbus/_index.md index ee12c30d6..82f6191c1 100644 --- a/content/telegraf/v1/input-plugins/modbus/_index.md +++ b/content/telegraf/v1/input-plugins/modbus/_index.md @@ -10,7 +10,7 @@ introduced: "v1.14.0" os_support: "freebsd, linux, macos, solaris, windows" related: - /telegraf/v1/configure_plugins/ - - https://github.com/influxdata/telegraf/tree/v1.37.2/plugins/inputs/modbus/README.md, Modbus Plugin Source + - https://github.com/influxdata/telegraf/tree/v1.37.3/plugins/inputs/modbus/README.md, Modbus Plugin Source --- diff --git a/content/telegraf/v1/input-plugins/mongodb/_index.md b/content/telegraf/v1/input-plugins/mongodb/_index.md index 257397542..19c83f65f 100644 --- a/content/telegraf/v1/input-plugins/mongodb/_index.md +++ b/content/telegraf/v1/input-plugins/mongodb/_index.md @@ -10,7 +10,7 @@ introduced: "v0.1.5" os_support: "freebsd, linux, macos, solaris, windows" related: - /telegraf/v1/configure_plugins/ - - https://github.com/influxdata/telegraf/tree/v1.37.2/plugins/inputs/mongodb/README.md, MongoDB Plugin Source + - https://github.com/influxdata/telegraf/tree/v1.37.3/plugins/inputs/mongodb/README.md, MongoDB Plugin Source --- # MongoDB Input Plugin diff --git a/content/telegraf/v1/input-plugins/monit/_index.md b/content/telegraf/v1/input-plugins/monit/_index.md index faaabf2a0..49be217a6 100644 --- a/content/telegraf/v1/input-plugins/monit/_index.md +++ b/content/telegraf/v1/input-plugins/monit/_index.md @@ -10,7 +10,7 @@ introduced: "v1.14.0" os_support: "freebsd, linux, macos, solaris, windows" related: - /telegraf/v1/configure_plugins/ - - https://github.com/influxdata/telegraf/tree/v1.37.2/plugins/inputs/monit/README.md, Monit Plugin Source + - https://github.com/influxdata/telegraf/tree/v1.37.3/plugins/inputs/monit/README.md, Monit Plugin Source --- # Monit Input Plugin diff --git a/content/telegraf/v1/input-plugins/mqtt_consumer/_index.md b/content/telegraf/v1/input-plugins/mqtt_consumer/_index.md index 0201a00c3..cccb517f3 100644 --- a/content/telegraf/v1/input-plugins/mqtt_consumer/_index.md +++ b/content/telegraf/v1/input-plugins/mqtt_consumer/_index.md @@ -10,7 +10,7 @@ introduced: "v0.10.3" os_support: "freebsd, linux, macos, solaris, windows" related: - /telegraf/v1/configure_plugins/ - - https://github.com/influxdata/telegraf/tree/v1.37.2/plugins/inputs/mqtt_consumer/README.md, MQTT Consumer Plugin Source + - https://github.com/influxdata/telegraf/tree/v1.37.3/plugins/inputs/mqtt_consumer/README.md, MQTT Consumer Plugin Source --- # MQTT Consumer Input Plugin diff --git a/content/telegraf/v1/input-plugins/multifile/_index.md b/content/telegraf/v1/input-plugins/multifile/_index.md index f876e1ff8..0d84a5361 100644 --- a/content/telegraf/v1/input-plugins/multifile/_index.md +++ b/content/telegraf/v1/input-plugins/multifile/_index.md @@ -10,7 +10,7 @@ introduced: "v1.10.0" os_support: "freebsd, linux, macos, solaris, windows" related: - /telegraf/v1/configure_plugins/ - - https://github.com/influxdata/telegraf/tree/v1.37.2/plugins/inputs/multifile/README.md, Multifile Plugin Source + - https://github.com/influxdata/telegraf/tree/v1.37.3/plugins/inputs/multifile/README.md, Multifile Plugin Source --- # Multifile Input Plugin diff --git a/content/telegraf/v1/input-plugins/mysql/_index.md b/content/telegraf/v1/input-plugins/mysql/_index.md index 4ff00687e..5ffac0505 100644 --- a/content/telegraf/v1/input-plugins/mysql/_index.md +++ b/content/telegraf/v1/input-plugins/mysql/_index.md @@ -10,7 +10,7 @@ introduced: "v0.1.1" os_support: "freebsd, linux, macos, solaris, windows" related: - /telegraf/v1/configure_plugins/ - - https://github.com/influxdata/telegraf/tree/v1.37.2/plugins/inputs/mysql/README.md, MySQL Plugin Source + - https://github.com/influxdata/telegraf/tree/v1.37.3/plugins/inputs/mysql/README.md, MySQL Plugin Source --- # MySQL Input Plugin diff --git a/content/telegraf/v1/input-plugins/nats/_index.md b/content/telegraf/v1/input-plugins/nats/_index.md index ef14d13c7..9732b8caa 100644 --- a/content/telegraf/v1/input-plugins/nats/_index.md +++ b/content/telegraf/v1/input-plugins/nats/_index.md @@ -10,7 +10,7 @@ introduced: "v1.6.0" os_support: "freebsd, linux, macos, solaris, windows" related: - /telegraf/v1/configure_plugins/ - - https://github.com/influxdata/telegraf/tree/v1.37.2/plugins/inputs/nats/README.md, NATS Server Monitoring Plugin Source + - https://github.com/influxdata/telegraf/tree/v1.37.3/plugins/inputs/nats/README.md, NATS Server Monitoring Plugin Source --- # NATS Server Monitoring Input Plugin diff --git a/content/telegraf/v1/input-plugins/nats_consumer/_index.md b/content/telegraf/v1/input-plugins/nats_consumer/_index.md index 44e82e18b..400c43a54 100644 --- a/content/telegraf/v1/input-plugins/nats_consumer/_index.md +++ b/content/telegraf/v1/input-plugins/nats_consumer/_index.md @@ -10,7 +10,7 @@ introduced: "v0.10.3" os_support: "freebsd, linux, macos, solaris, windows" related: - /telegraf/v1/configure_plugins/ - - https://github.com/influxdata/telegraf/tree/v1.37.2/plugins/inputs/nats_consumer/README.md, NATS Consumer Plugin Source + - https://github.com/influxdata/telegraf/tree/v1.37.3/plugins/inputs/nats_consumer/README.md, NATS Consumer Plugin Source --- # NATS Consumer Input Plugin diff --git a/content/telegraf/v1/input-plugins/neoom_beaam/_index.md b/content/telegraf/v1/input-plugins/neoom_beaam/_index.md index c38b90d82..6a817c629 100644 --- a/content/telegraf/v1/input-plugins/neoom_beaam/_index.md +++ b/content/telegraf/v1/input-plugins/neoom_beaam/_index.md @@ -10,7 +10,7 @@ introduced: "v1.33.0" os_support: "freebsd, linux, macos, solaris, windows" related: - /telegraf/v1/configure_plugins/ - - https://github.com/influxdata/telegraf/tree/v1.37.2/plugins/inputs/neoom_beaam/README.md, Neoom Beaam Plugin Source + - https://github.com/influxdata/telegraf/tree/v1.37.3/plugins/inputs/neoom_beaam/README.md, Neoom Beaam Plugin Source --- # Neoom Beaam Input Plugin diff --git a/content/telegraf/v1/input-plugins/neptune_apex/_index.md b/content/telegraf/v1/input-plugins/neptune_apex/_index.md index 49e4b1ce5..0ad9cb2da 100644 --- a/content/telegraf/v1/input-plugins/neptune_apex/_index.md +++ b/content/telegraf/v1/input-plugins/neptune_apex/_index.md @@ -10,7 +10,7 @@ introduced: "v1.10.0" os_support: "freebsd, linux, macos, solaris, windows" related: - /telegraf/v1/configure_plugins/ - - https://github.com/influxdata/telegraf/tree/v1.37.2/plugins/inputs/neptune_apex/README.md, Neptune Apex Plugin Source + - https://github.com/influxdata/telegraf/tree/v1.37.3/plugins/inputs/neptune_apex/README.md, Neptune Apex Plugin Source --- # Neptune Apex Input Plugin diff --git a/content/telegraf/v1/input-plugins/net/_index.md b/content/telegraf/v1/input-plugins/net/_index.md index ba035be0f..0292ac5f2 100644 --- a/content/telegraf/v1/input-plugins/net/_index.md +++ b/content/telegraf/v1/input-plugins/net/_index.md @@ -10,7 +10,7 @@ introduced: "v0.1.1" os_support: "freebsd, linux, macos, solaris, windows" related: - /telegraf/v1/configure_plugins/ - - https://github.com/influxdata/telegraf/tree/v1.37.2/plugins/inputs/net/README.md, Network Plugin Source + - https://github.com/influxdata/telegraf/tree/v1.37.3/plugins/inputs/net/README.md, Network Plugin Source --- # Network Input Plugin diff --git a/content/telegraf/v1/input-plugins/net_response/_index.md b/content/telegraf/v1/input-plugins/net_response/_index.md index a9db140a8..c0cae121a 100644 --- a/content/telegraf/v1/input-plugins/net_response/_index.md +++ b/content/telegraf/v1/input-plugins/net_response/_index.md @@ -10,7 +10,7 @@ introduced: "v0.10.3" os_support: "freebsd, linux, macos, solaris, windows" related: - /telegraf/v1/configure_plugins/ - - https://github.com/influxdata/telegraf/tree/v1.37.2/plugins/inputs/net_response/README.md, Network Response Plugin Source + - https://github.com/influxdata/telegraf/tree/v1.37.3/plugins/inputs/net_response/README.md, Network Response Plugin Source --- # Network Response Input Plugin diff --git a/content/telegraf/v1/input-plugins/netflow/_index.md b/content/telegraf/v1/input-plugins/netflow/_index.md index 4ed19c8f6..c116ace4b 100644 --- a/content/telegraf/v1/input-plugins/netflow/_index.md +++ b/content/telegraf/v1/input-plugins/netflow/_index.md @@ -10,7 +10,7 @@ introduced: "v1.25.0" os_support: "freebsd, linux, macos, solaris, windows" related: - /telegraf/v1/configure_plugins/ - - https://github.com/influxdata/telegraf/tree/v1.37.2/plugins/inputs/netflow/README.md, Netflow Plugin Source + - https://github.com/influxdata/telegraf/tree/v1.37.3/plugins/inputs/netflow/README.md, Netflow Plugin Source --- # Netflow Input Plugin diff --git a/content/telegraf/v1/input-plugins/netstat/_index.md b/content/telegraf/v1/input-plugins/netstat/_index.md index e8f4d7191..982e2aa6e 100644 --- a/content/telegraf/v1/input-plugins/netstat/_index.md +++ b/content/telegraf/v1/input-plugins/netstat/_index.md @@ -10,7 +10,7 @@ introduced: "v0.2.0" os_support: "freebsd, linux, macos, solaris, windows" related: - /telegraf/v1/configure_plugins/ - - https://github.com/influxdata/telegraf/tree/v1.37.2/plugins/inputs/netstat/README.md, Network Connection Statistics Plugin Source + - https://github.com/influxdata/telegraf/tree/v1.37.3/plugins/inputs/netstat/README.md, Network Connection Statistics Plugin Source --- # Network Connection Statistics Input Plugin diff --git a/content/telegraf/v1/input-plugins/nfsclient/_index.md b/content/telegraf/v1/input-plugins/nfsclient/_index.md index 912368a2f..a55540f63 100644 --- a/content/telegraf/v1/input-plugins/nfsclient/_index.md +++ b/content/telegraf/v1/input-plugins/nfsclient/_index.md @@ -10,7 +10,7 @@ introduced: "v1.18.0" os_support: "freebsd, linux, macos, solaris, windows" related: - /telegraf/v1/configure_plugins/ - - https://github.com/influxdata/telegraf/tree/v1.37.2/plugins/inputs/nfsclient/README.md, Network Filesystem Plugin Source + - https://github.com/influxdata/telegraf/tree/v1.37.3/plugins/inputs/nfsclient/README.md, Network Filesystem Plugin Source --- # Network Filesystem Input Plugin diff --git a/content/telegraf/v1/input-plugins/nftables/_index.md b/content/telegraf/v1/input-plugins/nftables/_index.md index 1a6e3e6b0..4c44121ee 100644 --- a/content/telegraf/v1/input-plugins/nftables/_index.md +++ b/content/telegraf/v1/input-plugins/nftables/_index.md @@ -10,7 +10,7 @@ introduced: "v1.37.0" os_support: "linux" related: - /telegraf/v1/configure_plugins/ - - https://github.com/influxdata/telegraf/tree/v1.37.2/plugins/inputs/nftables/README.md, Nftables Plugin Source + - https://github.com/influxdata/telegraf/tree/v1.37.3/plugins/inputs/nftables/README.md, Nftables Plugin Source --- # Nftables Plugin diff --git a/content/telegraf/v1/input-plugins/nginx/_index.md b/content/telegraf/v1/input-plugins/nginx/_index.md index 585ac6ba7..8f11618bc 100644 --- a/content/telegraf/v1/input-plugins/nginx/_index.md +++ b/content/telegraf/v1/input-plugins/nginx/_index.md @@ -10,7 +10,7 @@ introduced: "v0.1.5" os_support: "freebsd, linux, macos, solaris, windows" related: - /telegraf/v1/configure_plugins/ - - https://github.com/influxdata/telegraf/tree/v1.37.2/plugins/inputs/nginx/README.md, Nginx Plugin Source + - https://github.com/influxdata/telegraf/tree/v1.37.3/plugins/inputs/nginx/README.md, Nginx Plugin Source --- # Nginx Input Plugin diff --git a/content/telegraf/v1/input-plugins/nginx_plus/_index.md b/content/telegraf/v1/input-plugins/nginx_plus/_index.md index 66a644d9a..1c5cd2ca4 100644 --- a/content/telegraf/v1/input-plugins/nginx_plus/_index.md +++ b/content/telegraf/v1/input-plugins/nginx_plus/_index.md @@ -10,7 +10,7 @@ introduced: "v1.5.0" os_support: "freebsd, linux, macos, solaris, windows" related: - /telegraf/v1/configure_plugins/ - - https://github.com/influxdata/telegraf/tree/v1.37.2/plugins/inputs/nginx_plus/README.md, Nginx Plus Plugin Source + - https://github.com/influxdata/telegraf/tree/v1.37.3/plugins/inputs/nginx_plus/README.md, Nginx Plus Plugin Source --- # Nginx Plus Input Plugin diff --git a/content/telegraf/v1/input-plugins/nginx_plus_api/_index.md b/content/telegraf/v1/input-plugins/nginx_plus_api/_index.md index 1c79189a5..01e79f626 100644 --- a/content/telegraf/v1/input-plugins/nginx_plus_api/_index.md +++ b/content/telegraf/v1/input-plugins/nginx_plus_api/_index.md @@ -10,7 +10,7 @@ introduced: "v1.9.0" os_support: "freebsd, linux, macos, solaris, windows" related: - /telegraf/v1/configure_plugins/ - - https://github.com/influxdata/telegraf/tree/v1.37.2/plugins/inputs/nginx_plus_api/README.md, Nginx Plus API Plugin Source + - https://github.com/influxdata/telegraf/tree/v1.37.3/plugins/inputs/nginx_plus_api/README.md, Nginx Plus API Plugin Source --- # Nginx Plus API Input Plugin diff --git a/content/telegraf/v1/input-plugins/nginx_sts/_index.md b/content/telegraf/v1/input-plugins/nginx_sts/_index.md index a85c01a04..76ea47a8f 100644 --- a/content/telegraf/v1/input-plugins/nginx_sts/_index.md +++ b/content/telegraf/v1/input-plugins/nginx_sts/_index.md @@ -10,7 +10,7 @@ introduced: "v1.15.0" os_support: "freebsd, linux, macos, solaris, windows" related: - /telegraf/v1/configure_plugins/ - - https://github.com/influxdata/telegraf/tree/v1.37.2/plugins/inputs/nginx_sts/README.md, Nginx Stream Server Traffic Plugin Source + - https://github.com/influxdata/telegraf/tree/v1.37.3/plugins/inputs/nginx_sts/README.md, Nginx Stream Server Traffic Plugin Source --- # Nginx Stream Server Traffic Input Plugin diff --git a/content/telegraf/v1/input-plugins/nginx_upstream_check/_index.md b/content/telegraf/v1/input-plugins/nginx_upstream_check/_index.md index c617da31f..3d4d56fed 100644 --- a/content/telegraf/v1/input-plugins/nginx_upstream_check/_index.md +++ b/content/telegraf/v1/input-plugins/nginx_upstream_check/_index.md @@ -10,7 +10,7 @@ introduced: "v1.10.0" os_support: "freebsd, linux, macos, solaris, windows" related: - /telegraf/v1/configure_plugins/ - - https://github.com/influxdata/telegraf/tree/v1.37.2/plugins/inputs/nginx_upstream_check/README.md, Nginx Upstream Check Plugin Source + - https://github.com/influxdata/telegraf/tree/v1.37.3/plugins/inputs/nginx_upstream_check/README.md, Nginx Upstream Check Plugin Source --- # Nginx Upstream Check Input Plugin diff --git a/content/telegraf/v1/input-plugins/nginx_vts/_index.md b/content/telegraf/v1/input-plugins/nginx_vts/_index.md index 6ec2c136b..4836ad4e9 100644 --- a/content/telegraf/v1/input-plugins/nginx_vts/_index.md +++ b/content/telegraf/v1/input-plugins/nginx_vts/_index.md @@ -10,7 +10,7 @@ introduced: "v1.9.0" os_support: "freebsd, linux, macos, solaris, windows" related: - /telegraf/v1/configure_plugins/ - - https://github.com/influxdata/telegraf/tree/v1.37.2/plugins/inputs/nginx_vts/README.md, Nginx Virtual Host Traffic Plugin Source + - https://github.com/influxdata/telegraf/tree/v1.37.3/plugins/inputs/nginx_vts/README.md, Nginx Virtual Host Traffic Plugin Source --- # Nginx Virtual Host Traffic Input Plugin diff --git a/content/telegraf/v1/input-plugins/nomad/_index.md b/content/telegraf/v1/input-plugins/nomad/_index.md index 7d2e5a207..09b15b6bd 100644 --- a/content/telegraf/v1/input-plugins/nomad/_index.md +++ b/content/telegraf/v1/input-plugins/nomad/_index.md @@ -10,7 +10,7 @@ introduced: "v1.22.0" os_support: "freebsd, linux, macos, solaris, windows" related: - /telegraf/v1/configure_plugins/ - - https://github.com/influxdata/telegraf/tree/v1.37.2/plugins/inputs/nomad/README.md, Hashicorp Nomad Plugin Source + - https://github.com/influxdata/telegraf/tree/v1.37.3/plugins/inputs/nomad/README.md, Hashicorp Nomad Plugin Source --- # Hashicorp Nomad Input Plugin diff --git a/content/telegraf/v1/input-plugins/nsd/_index.md b/content/telegraf/v1/input-plugins/nsd/_index.md index cf2c6e498..77ae15cce 100644 --- a/content/telegraf/v1/input-plugins/nsd/_index.md +++ b/content/telegraf/v1/input-plugins/nsd/_index.md @@ -10,7 +10,7 @@ introduced: "v1.0.0" os_support: "freebsd, linux, macos, solaris, windows" related: - /telegraf/v1/configure_plugins/ - - https://github.com/influxdata/telegraf/tree/v1.37.2/plugins/inputs/nsd/README.md, NLnet Labs Name Server Daemon Plugin Source + - https://github.com/influxdata/telegraf/tree/v1.37.3/plugins/inputs/nsd/README.md, NLnet Labs Name Server Daemon Plugin Source --- # NLnet Labs Name Server Daemon Input Plugin diff --git a/content/telegraf/v1/input-plugins/nsdp/_index.md b/content/telegraf/v1/input-plugins/nsdp/_index.md index ecafa0165..25ce409d4 100644 --- a/content/telegraf/v1/input-plugins/nsdp/_index.md +++ b/content/telegraf/v1/input-plugins/nsdp/_index.md @@ -10,7 +10,7 @@ introduced: "v1.34.0" os_support: "freebsd, linux, macos, solaris, windows" related: - /telegraf/v1/configure_plugins/ - - https://github.com/influxdata/telegraf/tree/v1.37.2/plugins/inputs/nsdp/README.md, Netgear Switch Discovery Protocol Plugin Source + - https://github.com/influxdata/telegraf/tree/v1.37.3/plugins/inputs/nsdp/README.md, Netgear Switch Discovery Protocol Plugin Source --- # Netgear Switch Discovery Protocol Input Plugin diff --git a/content/telegraf/v1/input-plugins/nsq/_index.md b/content/telegraf/v1/input-plugins/nsq/_index.md index cb9de022f..7c0213c16 100644 --- a/content/telegraf/v1/input-plugins/nsq/_index.md +++ b/content/telegraf/v1/input-plugins/nsq/_index.md @@ -10,7 +10,7 @@ introduced: "v1.16.0" os_support: "freebsd, linux, macos, solaris, windows" related: - /telegraf/v1/configure_plugins/ - - https://github.com/influxdata/telegraf/tree/v1.37.2/plugins/inputs/nsq/README.md, NSQ Plugin Source + - https://github.com/influxdata/telegraf/tree/v1.37.3/plugins/inputs/nsq/README.md, NSQ Plugin Source --- # NSQ Input Plugin diff --git a/content/telegraf/v1/input-plugins/nsq_consumer/_index.md b/content/telegraf/v1/input-plugins/nsq_consumer/_index.md index 34ee987c1..6edb934d1 100644 --- a/content/telegraf/v1/input-plugins/nsq_consumer/_index.md +++ b/content/telegraf/v1/input-plugins/nsq_consumer/_index.md @@ -10,7 +10,7 @@ introduced: "v0.10.1" os_support: "freebsd, linux, macos, solaris, windows" related: - /telegraf/v1/configure_plugins/ - - https://github.com/influxdata/telegraf/tree/v1.37.2/plugins/inputs/nsq_consumer/README.md, NSQ Consumer Plugin Source + - https://github.com/influxdata/telegraf/tree/v1.37.3/plugins/inputs/nsq_consumer/README.md, NSQ Consumer Plugin Source --- # NSQ Consumer Input Plugin diff --git a/content/telegraf/v1/input-plugins/nstat/_index.md b/content/telegraf/v1/input-plugins/nstat/_index.md index 7ef755fbc..3d026d204 100644 --- a/content/telegraf/v1/input-plugins/nstat/_index.md +++ b/content/telegraf/v1/input-plugins/nstat/_index.md @@ -10,7 +10,7 @@ introduced: "v0.13.1" os_support: "freebsd, linux, macos, solaris, windows" related: - /telegraf/v1/configure_plugins/ - - https://github.com/influxdata/telegraf/tree/v1.37.2/plugins/inputs/nstat/README.md, Kernel Network Statistics Plugin Source + - https://github.com/influxdata/telegraf/tree/v1.37.3/plugins/inputs/nstat/README.md, Kernel Network Statistics Plugin Source --- # Kernel Network Statistics Input Plugin diff --git a/content/telegraf/v1/input-plugins/ntpq/_index.md b/content/telegraf/v1/input-plugins/ntpq/_index.md index 9b2ae4db7..a530c1ced 100644 --- a/content/telegraf/v1/input-plugins/ntpq/_index.md +++ b/content/telegraf/v1/input-plugins/ntpq/_index.md @@ -10,7 +10,7 @@ introduced: "v0.11.0" os_support: "freebsd, linux, macos, solaris, windows" related: - /telegraf/v1/configure_plugins/ - - https://github.com/influxdata/telegraf/tree/v1.37.2/plugins/inputs/ntpq/README.md, Network Time Protocol Query Plugin Source + - https://github.com/influxdata/telegraf/tree/v1.37.3/plugins/inputs/ntpq/README.md, Network Time Protocol Query Plugin Source --- # Network Time Protocol Query Input Plugin diff --git a/content/telegraf/v1/input-plugins/nvidia_smi/_index.md b/content/telegraf/v1/input-plugins/nvidia_smi/_index.md index 46a21e278..b7eccd9df 100644 --- a/content/telegraf/v1/input-plugins/nvidia_smi/_index.md +++ b/content/telegraf/v1/input-plugins/nvidia_smi/_index.md @@ -10,7 +10,7 @@ introduced: "v1.7.0" os_support: "freebsd, linux, macos, solaris, windows" related: - /telegraf/v1/configure_plugins/ - - https://github.com/influxdata/telegraf/tree/v1.37.2/plugins/inputs/nvidia_smi/README.md, Nvidia System Management Interface (SMI) Plugin Source + - https://github.com/influxdata/telegraf/tree/v1.37.3/plugins/inputs/nvidia_smi/README.md, Nvidia System Management Interface (SMI) Plugin Source --- # Nvidia System Management Interface (SMI) Input Plugin diff --git a/content/telegraf/v1/input-plugins/opcua/_index.md b/content/telegraf/v1/input-plugins/opcua/_index.md index c2e3c9ce1..feb631d02 100644 --- a/content/telegraf/v1/input-plugins/opcua/_index.md +++ b/content/telegraf/v1/input-plugins/opcua/_index.md @@ -10,7 +10,7 @@ introduced: "v1.16.0" os_support: "freebsd, linux, macos, solaris, windows" related: - /telegraf/v1/configure_plugins/ - - https://github.com/influxdata/telegraf/tree/v1.37.2/plugins/inputs/opcua/README.md, OPC UA Client Reader Plugin Source + - https://github.com/influxdata/telegraf/tree/v1.37.3/plugins/inputs/opcua/README.md, OPC UA Client Reader Plugin Source --- # OPC UA Client Reader Input Plugin diff --git a/content/telegraf/v1/input-plugins/opcua_listener/_index.md b/content/telegraf/v1/input-plugins/opcua_listener/_index.md index f37ad89d2..184cd8459 100644 --- a/content/telegraf/v1/input-plugins/opcua_listener/_index.md +++ b/content/telegraf/v1/input-plugins/opcua_listener/_index.md @@ -10,7 +10,7 @@ introduced: "v1.25.0" os_support: "freebsd, linux, macos, solaris, windows" related: - /telegraf/v1/configure_plugins/ - - https://github.com/influxdata/telegraf/tree/v1.37.2/plugins/inputs/opcua_listener/README.md, OPC UA Client Listener Plugin Source + - https://github.com/influxdata/telegraf/tree/v1.37.3/plugins/inputs/opcua_listener/README.md, OPC UA Client Listener Plugin Source --- # OPC UA Client Listener Input Plugin diff --git a/content/telegraf/v1/input-plugins/openldap/_index.md b/content/telegraf/v1/input-plugins/openldap/_index.md index e8f6e9e7d..8c9250aa7 100644 --- a/content/telegraf/v1/input-plugins/openldap/_index.md +++ b/content/telegraf/v1/input-plugins/openldap/_index.md @@ -10,7 +10,7 @@ introduced: "v1.4.0" os_support: "freebsd, linux, macos, solaris, windows" related: - /telegraf/v1/configure_plugins/ - - https://github.com/influxdata/telegraf/tree/v1.37.2/plugins/inputs/openldap/README.md, OpenLDAP Plugin Source + - https://github.com/influxdata/telegraf/tree/v1.37.3/plugins/inputs/openldap/README.md, OpenLDAP Plugin Source --- # OpenLDAP Input Plugin diff --git a/content/telegraf/v1/input-plugins/openntpd/_index.md b/content/telegraf/v1/input-plugins/openntpd/_index.md index 6ec991ec2..ac3c75055 100644 --- a/content/telegraf/v1/input-plugins/openntpd/_index.md +++ b/content/telegraf/v1/input-plugins/openntpd/_index.md @@ -10,7 +10,7 @@ introduced: "v1.12.0" os_support: "freebsd, linux, macos, solaris, windows" related: - /telegraf/v1/configure_plugins/ - - https://github.com/influxdata/telegraf/tree/v1.37.2/plugins/inputs/openntpd/README.md, OpenNTPD Plugin Source + - https://github.com/influxdata/telegraf/tree/v1.37.3/plugins/inputs/openntpd/README.md, OpenNTPD Plugin Source --- # OpenNTPD Input Plugin diff --git a/content/telegraf/v1/input-plugins/opensearch_query/_index.md b/content/telegraf/v1/input-plugins/opensearch_query/_index.md index 59d0c7e93..52f21aee0 100644 --- a/content/telegraf/v1/input-plugins/opensearch_query/_index.md +++ b/content/telegraf/v1/input-plugins/opensearch_query/_index.md @@ -10,7 +10,7 @@ introduced: "v1.26.0" os_support: "freebsd, linux, macos, solaris, windows" related: - /telegraf/v1/configure_plugins/ - - https://github.com/influxdata/telegraf/tree/v1.37.2/plugins/inputs/opensearch_query/README.md, OpenSearch Query Plugin Source + - https://github.com/influxdata/telegraf/tree/v1.37.3/plugins/inputs/opensearch_query/README.md, OpenSearch Query Plugin Source --- # OpenSearch Query Input Plugin diff --git a/content/telegraf/v1/input-plugins/opensmtpd/_index.md b/content/telegraf/v1/input-plugins/opensmtpd/_index.md index 4538c09e0..aaae6b520 100644 --- a/content/telegraf/v1/input-plugins/opensmtpd/_index.md +++ b/content/telegraf/v1/input-plugins/opensmtpd/_index.md @@ -10,7 +10,7 @@ introduced: "v1.5.0" os_support: "freebsd, linux, macos, solaris, windows" related: - /telegraf/v1/configure_plugins/ - - https://github.com/influxdata/telegraf/tree/v1.37.2/plugins/inputs/opensmtpd/README.md, OpenSMTPD Plugin Source + - https://github.com/influxdata/telegraf/tree/v1.37.3/plugins/inputs/opensmtpd/README.md, OpenSMTPD Plugin Source --- # OpenSMTPD Input Plugin diff --git a/content/telegraf/v1/input-plugins/openstack/_index.md b/content/telegraf/v1/input-plugins/openstack/_index.md index 027efdb47..32bc6d5fc 100644 --- a/content/telegraf/v1/input-plugins/openstack/_index.md +++ b/content/telegraf/v1/input-plugins/openstack/_index.md @@ -10,7 +10,7 @@ introduced: "v1.21.0" os_support: "freebsd, linux, macos, solaris, windows" related: - /telegraf/v1/configure_plugins/ - - https://github.com/influxdata/telegraf/tree/v1.37.2/plugins/inputs/openstack/README.md, OpenStack Plugin Source + - https://github.com/influxdata/telegraf/tree/v1.37.3/plugins/inputs/openstack/README.md, OpenStack Plugin Source --- # OpenStack Input Plugin diff --git a/content/telegraf/v1/input-plugins/opentelemetry/_index.md b/content/telegraf/v1/input-plugins/opentelemetry/_index.md index 9887c811b..b6e8f1031 100644 --- a/content/telegraf/v1/input-plugins/opentelemetry/_index.md +++ b/content/telegraf/v1/input-plugins/opentelemetry/_index.md @@ -10,7 +10,7 @@ introduced: "v1.19.0" os_support: "freebsd, linux, macos, solaris, windows" related: - /telegraf/v1/configure_plugins/ - - https://github.com/influxdata/telegraf/tree/v1.37.2/plugins/inputs/opentelemetry/README.md, OpenTelemetry Plugin Source + - https://github.com/influxdata/telegraf/tree/v1.37.3/plugins/inputs/opentelemetry/README.md, OpenTelemetry Plugin Source --- # OpenTelemetry Input Plugin diff --git a/content/telegraf/v1/input-plugins/openweathermap/_index.md b/content/telegraf/v1/input-plugins/openweathermap/_index.md index fedd77a18..7d46b6649 100644 --- a/content/telegraf/v1/input-plugins/openweathermap/_index.md +++ b/content/telegraf/v1/input-plugins/openweathermap/_index.md @@ -10,7 +10,7 @@ introduced: "v1.11.0" os_support: "freebsd, linux, macos, solaris, windows" related: - /telegraf/v1/configure_plugins/ - - https://github.com/influxdata/telegraf/tree/v1.37.2/plugins/inputs/openweathermap/README.md, OpenWeatherMap Plugin Source + - https://github.com/influxdata/telegraf/tree/v1.37.3/plugins/inputs/openweathermap/README.md, OpenWeatherMap Plugin Source --- # OpenWeatherMap Input Plugin diff --git a/content/telegraf/v1/input-plugins/p4runtime/_index.md b/content/telegraf/v1/input-plugins/p4runtime/_index.md index bbc68c32b..7069ad147 100644 --- a/content/telegraf/v1/input-plugins/p4runtime/_index.md +++ b/content/telegraf/v1/input-plugins/p4runtime/_index.md @@ -10,7 +10,7 @@ introduced: "v1.26.0" os_support: "freebsd, linux, macos, solaris, windows" related: - /telegraf/v1/configure_plugins/ - - https://github.com/influxdata/telegraf/tree/v1.37.2/plugins/inputs/p4runtime/README.md, P4 Runtime Plugin Source + - https://github.com/influxdata/telegraf/tree/v1.37.3/plugins/inputs/p4runtime/README.md, P4 Runtime Plugin Source --- # P4 Runtime Input Plugin diff --git a/content/telegraf/v1/input-plugins/passenger/_index.md b/content/telegraf/v1/input-plugins/passenger/_index.md index 3cd28df40..91113aa6c 100644 --- a/content/telegraf/v1/input-plugins/passenger/_index.md +++ b/content/telegraf/v1/input-plugins/passenger/_index.md @@ -10,7 +10,7 @@ introduced: "v0.10.1" os_support: "freebsd, linux, macos, solaris, windows" related: - /telegraf/v1/configure_plugins/ - - https://github.com/influxdata/telegraf/tree/v1.37.2/plugins/inputs/passenger/README.md, Passenger Plugin Source + - https://github.com/influxdata/telegraf/tree/v1.37.3/plugins/inputs/passenger/README.md, Passenger Plugin Source --- # Passenger Input Plugin diff --git a/content/telegraf/v1/input-plugins/pf/_index.md b/content/telegraf/v1/input-plugins/pf/_index.md index f263db14a..36ef96c81 100644 --- a/content/telegraf/v1/input-plugins/pf/_index.md +++ b/content/telegraf/v1/input-plugins/pf/_index.md @@ -10,7 +10,7 @@ introduced: "v1.5.0" os_support: "freebsd" related: - /telegraf/v1/configure_plugins/ - - https://github.com/influxdata/telegraf/tree/v1.37.2/plugins/inputs/pf/README.md, PF Plugin Source + - https://github.com/influxdata/telegraf/tree/v1.37.3/plugins/inputs/pf/README.md, PF Plugin Source --- # PF Input Plugin diff --git a/content/telegraf/v1/input-plugins/pgbouncer/_index.md b/content/telegraf/v1/input-plugins/pgbouncer/_index.md index ed1f2f221..ae370ba51 100644 --- a/content/telegraf/v1/input-plugins/pgbouncer/_index.md +++ b/content/telegraf/v1/input-plugins/pgbouncer/_index.md @@ -10,7 +10,7 @@ introduced: "v1.8.0" os_support: "freebsd, linux, macos, solaris, windows" related: - /telegraf/v1/configure_plugins/ - - https://github.com/influxdata/telegraf/tree/v1.37.2/plugins/inputs/pgbouncer/README.md, PgBouncer Plugin Source + - https://github.com/influxdata/telegraf/tree/v1.37.3/plugins/inputs/pgbouncer/README.md, PgBouncer Plugin Source --- # PgBouncer Input Plugin diff --git a/content/telegraf/v1/input-plugins/phpfpm/_index.md b/content/telegraf/v1/input-plugins/phpfpm/_index.md index 4ce28d54a..627d72de8 100644 --- a/content/telegraf/v1/input-plugins/phpfpm/_index.md +++ b/content/telegraf/v1/input-plugins/phpfpm/_index.md @@ -10,7 +10,7 @@ introduced: "v0.1.10" os_support: "freebsd, linux, macos, solaris, windows" related: - /telegraf/v1/configure_plugins/ - - https://github.com/influxdata/telegraf/tree/v1.37.2/plugins/inputs/phpfpm/README.md, PHP-FPM Plugin Source + - https://github.com/influxdata/telegraf/tree/v1.37.3/plugins/inputs/phpfpm/README.md, PHP-FPM Plugin Source --- # PHP-FPM Input Plugin diff --git a/content/telegraf/v1/input-plugins/ping/_index.md b/content/telegraf/v1/input-plugins/ping/_index.md index f846f3631..cd53f7175 100644 --- a/content/telegraf/v1/input-plugins/ping/_index.md +++ b/content/telegraf/v1/input-plugins/ping/_index.md @@ -10,7 +10,7 @@ introduced: "v0.1.8" os_support: "freebsd, linux, macos, solaris, windows" related: - /telegraf/v1/configure_plugins/ - - https://github.com/influxdata/telegraf/tree/v1.37.2/plugins/inputs/ping/README.md, Ping Plugin Source + - https://github.com/influxdata/telegraf/tree/v1.37.3/plugins/inputs/ping/README.md, Ping Plugin Source --- # Ping Input Plugin diff --git a/content/telegraf/v1/input-plugins/postfix/_index.md b/content/telegraf/v1/input-plugins/postfix/_index.md index 677ae771c..ad19afa87 100644 --- a/content/telegraf/v1/input-plugins/postfix/_index.md +++ b/content/telegraf/v1/input-plugins/postfix/_index.md @@ -10,7 +10,7 @@ introduced: "v1.5.0" os_support: "freebsd, linux, macos, solaris" related: - /telegraf/v1/configure_plugins/ - - https://github.com/influxdata/telegraf/tree/v1.37.2/plugins/inputs/postfix/README.md, Postfix Plugin Source + - https://github.com/influxdata/telegraf/tree/v1.37.3/plugins/inputs/postfix/README.md, Postfix Plugin Source --- # Postfix Input Plugin diff --git a/content/telegraf/v1/input-plugins/postgresql/_index.md b/content/telegraf/v1/input-plugins/postgresql/_index.md index 4e1442986..ae1746d5c 100644 --- a/content/telegraf/v1/input-plugins/postgresql/_index.md +++ b/content/telegraf/v1/input-plugins/postgresql/_index.md @@ -10,7 +10,7 @@ introduced: "v0.10.3" os_support: "freebsd, linux, macos, solaris, windows" related: - /telegraf/v1/configure_plugins/ - - https://github.com/influxdata/telegraf/tree/v1.37.2/plugins/inputs/postgresql/README.md, PostgreSQL Plugin Source + - https://github.com/influxdata/telegraf/tree/v1.37.3/plugins/inputs/postgresql/README.md, PostgreSQL Plugin Source --- # PostgreSQL Input Plugin diff --git a/content/telegraf/v1/input-plugins/postgresql_extensible/_index.md b/content/telegraf/v1/input-plugins/postgresql_extensible/_index.md index 13e562994..647cfea00 100644 --- a/content/telegraf/v1/input-plugins/postgresql_extensible/_index.md +++ b/content/telegraf/v1/input-plugins/postgresql_extensible/_index.md @@ -10,7 +10,7 @@ introduced: "v0.12.0" os_support: "freebsd, linux, macos, solaris, windows" related: - /telegraf/v1/configure_plugins/ - - https://github.com/influxdata/telegraf/tree/v1.37.2/plugins/inputs/postgresql_extensible/README.md, PostgreSQL Extensible Plugin Source + - https://github.com/influxdata/telegraf/tree/v1.37.3/plugins/inputs/postgresql_extensible/README.md, PostgreSQL Extensible Plugin Source --- # PostgreSQL Extensible Input Plugin diff --git a/content/telegraf/v1/input-plugins/powerdns/_index.md b/content/telegraf/v1/input-plugins/powerdns/_index.md index dd1575d69..a749f1f63 100644 --- a/content/telegraf/v1/input-plugins/powerdns/_index.md +++ b/content/telegraf/v1/input-plugins/powerdns/_index.md @@ -10,7 +10,7 @@ introduced: "v0.10.2" os_support: "freebsd, linux, macos, solaris, windows" related: - /telegraf/v1/configure_plugins/ - - https://github.com/influxdata/telegraf/tree/v1.37.2/plugins/inputs/powerdns/README.md, PowerDNS Plugin Source + - https://github.com/influxdata/telegraf/tree/v1.37.3/plugins/inputs/powerdns/README.md, PowerDNS Plugin Source --- # PowerDNS Input Plugin diff --git a/content/telegraf/v1/input-plugins/powerdns_recursor/_index.md b/content/telegraf/v1/input-plugins/powerdns_recursor/_index.md index dadad7032..f1236b748 100644 --- a/content/telegraf/v1/input-plugins/powerdns_recursor/_index.md +++ b/content/telegraf/v1/input-plugins/powerdns_recursor/_index.md @@ -10,7 +10,7 @@ introduced: "v1.11.0" os_support: "freebsd, linux, macos, solaris, windows" related: - /telegraf/v1/configure_plugins/ - - https://github.com/influxdata/telegraf/tree/v1.37.2/plugins/inputs/powerdns_recursor/README.md, PowerDNS Recursor Plugin Source + - https://github.com/influxdata/telegraf/tree/v1.37.3/plugins/inputs/powerdns_recursor/README.md, PowerDNS Recursor Plugin Source --- # PowerDNS Recursor Input Plugin diff --git a/content/telegraf/v1/input-plugins/processes/_index.md b/content/telegraf/v1/input-plugins/processes/_index.md index cc3e42123..da0f0b600 100644 --- a/content/telegraf/v1/input-plugins/processes/_index.md +++ b/content/telegraf/v1/input-plugins/processes/_index.md @@ -10,7 +10,7 @@ introduced: "v0.11.0" os_support: "freebsd, linux, macos" related: - /telegraf/v1/configure_plugins/ - - https://github.com/influxdata/telegraf/tree/v1.37.2/plugins/inputs/processes/README.md, Processes Plugin Source + - https://github.com/influxdata/telegraf/tree/v1.37.3/plugins/inputs/processes/README.md, Processes Plugin Source --- # Processes Input Plugin diff --git a/content/telegraf/v1/input-plugins/procstat/_index.md b/content/telegraf/v1/input-plugins/procstat/_index.md index a773a5979..92abefd33 100644 --- a/content/telegraf/v1/input-plugins/procstat/_index.md +++ b/content/telegraf/v1/input-plugins/procstat/_index.md @@ -10,7 +10,7 @@ introduced: "v0.2.0" os_support: "freebsd, linux, macos, solaris, windows" related: - /telegraf/v1/configure_plugins/ - - https://github.com/influxdata/telegraf/tree/v1.37.2/plugins/inputs/procstat/README.md, Procstat Plugin Source + - https://github.com/influxdata/telegraf/tree/v1.37.3/plugins/inputs/procstat/README.md, Procstat Plugin Source --- # Procstat Input Plugin diff --git a/content/telegraf/v1/input-plugins/prometheus/_index.md b/content/telegraf/v1/input-plugins/prometheus/_index.md index f082451de..f7fd966e5 100644 --- a/content/telegraf/v1/input-plugins/prometheus/_index.md +++ b/content/telegraf/v1/input-plugins/prometheus/_index.md @@ -10,7 +10,7 @@ introduced: "v0.1.5" os_support: "freebsd, linux, macos, solaris, windows" related: - /telegraf/v1/configure_plugins/ - - https://github.com/influxdata/telegraf/tree/v1.37.2/plugins/inputs/prometheus/README.md, Prometheus Plugin Source + - https://github.com/influxdata/telegraf/tree/v1.37.3/plugins/inputs/prometheus/README.md, Prometheus Plugin Source --- # Prometheus Input Plugin diff --git a/content/telegraf/v1/input-plugins/promql/_index.md b/content/telegraf/v1/input-plugins/promql/_index.md index 94f5ed298..73a9b52dc 100644 --- a/content/telegraf/v1/input-plugins/promql/_index.md +++ b/content/telegraf/v1/input-plugins/promql/_index.md @@ -10,7 +10,7 @@ introduced: "v1.37.0" os_support: "freebsd, linux, macos, solaris, windows" related: - /telegraf/v1/configure_plugins/ - - https://github.com/influxdata/telegraf/tree/v1.37.2/plugins/inputs/promql/README.md, PromQL Plugin Source + - https://github.com/influxdata/telegraf/tree/v1.37.3/plugins/inputs/promql/README.md, PromQL Plugin Source --- # PromQL Input Plugin diff --git a/content/telegraf/v1/input-plugins/proxmox/_index.md b/content/telegraf/v1/input-plugins/proxmox/_index.md index 774681a5f..b299a9458 100644 --- a/content/telegraf/v1/input-plugins/proxmox/_index.md +++ b/content/telegraf/v1/input-plugins/proxmox/_index.md @@ -10,7 +10,7 @@ introduced: "v1.16.0" os_support: "freebsd, linux, macos, solaris, windows" related: - /telegraf/v1/configure_plugins/ - - https://github.com/influxdata/telegraf/tree/v1.37.2/plugins/inputs/proxmox/README.md, Proxmox Plugin Source + - https://github.com/influxdata/telegraf/tree/v1.37.3/plugins/inputs/proxmox/README.md, Proxmox Plugin Source --- # Proxmox Input Plugin diff --git a/content/telegraf/v1/input-plugins/puppetagent/_index.md b/content/telegraf/v1/input-plugins/puppetagent/_index.md index 9407efb0e..b8e55563e 100644 --- a/content/telegraf/v1/input-plugins/puppetagent/_index.md +++ b/content/telegraf/v1/input-plugins/puppetagent/_index.md @@ -10,7 +10,7 @@ introduced: "v0.2.0" os_support: "freebsd, linux, macos, solaris, windows" related: - /telegraf/v1/configure_plugins/ - - https://github.com/influxdata/telegraf/tree/v1.37.2/plugins/inputs/puppetagent/README.md, Puppet Agent Plugin Source + - https://github.com/influxdata/telegraf/tree/v1.37.3/plugins/inputs/puppetagent/README.md, Puppet Agent Plugin Source --- # Puppet Agent Input Plugin diff --git a/content/telegraf/v1/input-plugins/rabbitmq/_index.md b/content/telegraf/v1/input-plugins/rabbitmq/_index.md index 275dd1ff5..fe5adcd70 100644 --- a/content/telegraf/v1/input-plugins/rabbitmq/_index.md +++ b/content/telegraf/v1/input-plugins/rabbitmq/_index.md @@ -10,7 +10,7 @@ introduced: "v0.1.5" os_support: "freebsd, linux, macos, solaris, windows" related: - /telegraf/v1/configure_plugins/ - - https://github.com/influxdata/telegraf/tree/v1.37.2/plugins/inputs/rabbitmq/README.md, RabbitMQ Plugin Source + - https://github.com/influxdata/telegraf/tree/v1.37.3/plugins/inputs/rabbitmq/README.md, RabbitMQ Plugin Source --- # RabbitMQ Input Plugin diff --git a/content/telegraf/v1/input-plugins/radius/_index.md b/content/telegraf/v1/input-plugins/radius/_index.md index 9dedcc5e6..2209af5a8 100644 --- a/content/telegraf/v1/input-plugins/radius/_index.md +++ b/content/telegraf/v1/input-plugins/radius/_index.md @@ -10,7 +10,7 @@ introduced: "v1.26.0" os_support: "freebsd, linux, macos, solaris, windows" related: - /telegraf/v1/configure_plugins/ - - https://github.com/influxdata/telegraf/tree/v1.37.2/plugins/inputs/radius/README.md, Radius Plugin Source + - https://github.com/influxdata/telegraf/tree/v1.37.3/plugins/inputs/radius/README.md, Radius Plugin Source --- # Radius Input Plugin diff --git a/content/telegraf/v1/input-plugins/raindrops/_index.md b/content/telegraf/v1/input-plugins/raindrops/_index.md index b7bda1005..9afb8c9dc 100644 --- a/content/telegraf/v1/input-plugins/raindrops/_index.md +++ b/content/telegraf/v1/input-plugins/raindrops/_index.md @@ -10,7 +10,7 @@ introduced: "v0.10.3" os_support: "freebsd, linux, macos, solaris, windows" related: - /telegraf/v1/configure_plugins/ - - https://github.com/influxdata/telegraf/tree/v1.37.2/plugins/inputs/raindrops/README.md, Raindrops Middleware Plugin Source + - https://github.com/influxdata/telegraf/tree/v1.37.3/plugins/inputs/raindrops/README.md, Raindrops Middleware Plugin Source --- # Raindrops Middleware Input Plugin diff --git a/content/telegraf/v1/input-plugins/ras/_index.md b/content/telegraf/v1/input-plugins/ras/_index.md index c14b88130..abfc63847 100644 --- a/content/telegraf/v1/input-plugins/ras/_index.md +++ b/content/telegraf/v1/input-plugins/ras/_index.md @@ -10,7 +10,7 @@ introduced: "v1.16.0" os_support: "linux" related: - /telegraf/v1/configure_plugins/ - - https://github.com/influxdata/telegraf/tree/v1.37.2/plugins/inputs/ras/README.md, RAS Daemon Plugin Source + - https://github.com/influxdata/telegraf/tree/v1.37.3/plugins/inputs/ras/README.md, RAS Daemon Plugin Source --- # RAS Daemon Input Plugin diff --git a/content/telegraf/v1/input-plugins/ravendb/_index.md b/content/telegraf/v1/input-plugins/ravendb/_index.md index 56a6b3f26..6d1e98f1d 100644 --- a/content/telegraf/v1/input-plugins/ravendb/_index.md +++ b/content/telegraf/v1/input-plugins/ravendb/_index.md @@ -10,7 +10,7 @@ introduced: "v1.18.0" os_support: "freebsd, linux, macos, solaris, windows" related: - /telegraf/v1/configure_plugins/ - - https://github.com/influxdata/telegraf/tree/v1.37.2/plugins/inputs/ravendb/README.md, RavenDB Plugin Source + - https://github.com/influxdata/telegraf/tree/v1.37.3/plugins/inputs/ravendb/README.md, RavenDB Plugin Source --- # RavenDB Input Plugin diff --git a/content/telegraf/v1/input-plugins/redfish/_index.md b/content/telegraf/v1/input-plugins/redfish/_index.md index b38980f37..31685bb8f 100644 --- a/content/telegraf/v1/input-plugins/redfish/_index.md +++ b/content/telegraf/v1/input-plugins/redfish/_index.md @@ -10,7 +10,7 @@ introduced: "v1.15.0" os_support: "freebsd, linux, macos, solaris, windows" related: - /telegraf/v1/configure_plugins/ - - https://github.com/influxdata/telegraf/tree/v1.37.2/plugins/inputs/redfish/README.md, Redfish Plugin Source + - https://github.com/influxdata/telegraf/tree/v1.37.3/plugins/inputs/redfish/README.md, Redfish Plugin Source --- # Redfish Input Plugin diff --git a/content/telegraf/v1/input-plugins/redis/_index.md b/content/telegraf/v1/input-plugins/redis/_index.md index 6f94c6a6c..fc322e18b 100644 --- a/content/telegraf/v1/input-plugins/redis/_index.md +++ b/content/telegraf/v1/input-plugins/redis/_index.md @@ -10,7 +10,7 @@ introduced: "v0.1.1" os_support: "freebsd, linux, macos, solaris, windows" related: - /telegraf/v1/configure_plugins/ - - https://github.com/influxdata/telegraf/tree/v1.37.2/plugins/inputs/redis/README.md, Redis Plugin Source + - https://github.com/influxdata/telegraf/tree/v1.37.3/plugins/inputs/redis/README.md, Redis Plugin Source --- # Redis Input Plugin diff --git a/content/telegraf/v1/input-plugins/redis_sentinel/_index.md b/content/telegraf/v1/input-plugins/redis_sentinel/_index.md index a5de98f75..5d36437b6 100644 --- a/content/telegraf/v1/input-plugins/redis_sentinel/_index.md +++ b/content/telegraf/v1/input-plugins/redis_sentinel/_index.md @@ -10,7 +10,7 @@ introduced: "v1.22.0" os_support: "freebsd, linux, macos, solaris, windows" related: - /telegraf/v1/configure_plugins/ - - https://github.com/influxdata/telegraf/tree/v1.37.2/plugins/inputs/redis_sentinel/README.md, Redis Sentinel Plugin Source + - https://github.com/influxdata/telegraf/tree/v1.37.3/plugins/inputs/redis_sentinel/README.md, Redis Sentinel Plugin Source --- # Redis Sentinel Input Plugin diff --git a/content/telegraf/v1/input-plugins/rethinkdb/_index.md b/content/telegraf/v1/input-plugins/rethinkdb/_index.md index 93691fc1d..d7cf4bb9f 100644 --- a/content/telegraf/v1/input-plugins/rethinkdb/_index.md +++ b/content/telegraf/v1/input-plugins/rethinkdb/_index.md @@ -10,7 +10,7 @@ introduced: "v0.1.3" os_support: "freebsd, linux, macos, solaris, windows" related: - /telegraf/v1/configure_plugins/ - - https://github.com/influxdata/telegraf/tree/v1.37.2/plugins/inputs/rethinkdb/README.md, RethinkDB Plugin Source + - https://github.com/influxdata/telegraf/tree/v1.37.3/plugins/inputs/rethinkdb/README.md, RethinkDB Plugin Source --- # RethinkDB Input Plugin diff --git a/content/telegraf/v1/input-plugins/riak/_index.md b/content/telegraf/v1/input-plugins/riak/_index.md index eb847879b..0de9f5285 100644 --- a/content/telegraf/v1/input-plugins/riak/_index.md +++ b/content/telegraf/v1/input-plugins/riak/_index.md @@ -10,7 +10,7 @@ introduced: "v0.10.4" os_support: "freebsd, linux, macos, solaris, windows" related: - /telegraf/v1/configure_plugins/ - - https://github.com/influxdata/telegraf/tree/v1.37.2/plugins/inputs/riak/README.md, Riak Plugin Source + - https://github.com/influxdata/telegraf/tree/v1.37.3/plugins/inputs/riak/README.md, Riak Plugin Source --- # Riak Input Plugin diff --git a/content/telegraf/v1/input-plugins/riemann_listener/_index.md b/content/telegraf/v1/input-plugins/riemann_listener/_index.md index c0356b3d9..806bb1dc9 100644 --- a/content/telegraf/v1/input-plugins/riemann_listener/_index.md +++ b/content/telegraf/v1/input-plugins/riemann_listener/_index.md @@ -10,7 +10,7 @@ introduced: "v1.17.0" os_support: "freebsd, linux, macos, solaris, windows" related: - /telegraf/v1/configure_plugins/ - - https://github.com/influxdata/telegraf/tree/v1.37.2/plugins/inputs/riemann_listener/README.md, Riemann Listener Plugin Source + - https://github.com/influxdata/telegraf/tree/v1.37.3/plugins/inputs/riemann_listener/README.md, Riemann Listener Plugin Source --- # Riemann Listener Input Plugin diff --git a/content/telegraf/v1/input-plugins/s7comm/_index.md b/content/telegraf/v1/input-plugins/s7comm/_index.md index 9005c350a..1e3daa8e4 100644 --- a/content/telegraf/v1/input-plugins/s7comm/_index.md +++ b/content/telegraf/v1/input-plugins/s7comm/_index.md @@ -10,7 +10,7 @@ introduced: "v1.28.0" os_support: "freebsd, linux, macos, solaris, windows" related: - /telegraf/v1/configure_plugins/ - - https://github.com/influxdata/telegraf/tree/v1.37.2/plugins/inputs/s7comm/README.md, Siemens S7 Plugin Source + - https://github.com/influxdata/telegraf/tree/v1.37.3/plugins/inputs/s7comm/README.md, Siemens S7 Plugin Source --- # Siemens S7 Input Plugin diff --git a/content/telegraf/v1/input-plugins/salesforce/_index.md b/content/telegraf/v1/input-plugins/salesforce/_index.md index 1ecb23fa5..2fd239403 100644 --- a/content/telegraf/v1/input-plugins/salesforce/_index.md +++ b/content/telegraf/v1/input-plugins/salesforce/_index.md @@ -10,7 +10,7 @@ introduced: "v1.4.0" os_support: "freebsd, linux, macos, solaris, windows" related: - /telegraf/v1/configure_plugins/ - - https://github.com/influxdata/telegraf/tree/v1.37.2/plugins/inputs/salesforce/README.md, Salesforce Plugin Source + - https://github.com/influxdata/telegraf/tree/v1.37.3/plugins/inputs/salesforce/README.md, Salesforce Plugin Source --- # Salesforce Input Plugin diff --git a/content/telegraf/v1/input-plugins/sensors/_index.md b/content/telegraf/v1/input-plugins/sensors/_index.md index 98678e467..41c6aa27e 100644 --- a/content/telegraf/v1/input-plugins/sensors/_index.md +++ b/content/telegraf/v1/input-plugins/sensors/_index.md @@ -10,7 +10,7 @@ introduced: "v0.10.1" os_support: "linux" related: - /telegraf/v1/configure_plugins/ - - https://github.com/influxdata/telegraf/tree/v1.37.2/plugins/inputs/sensors/README.md, LM Sensors Plugin Source + - https://github.com/influxdata/telegraf/tree/v1.37.3/plugins/inputs/sensors/README.md, LM Sensors Plugin Source --- # LM Sensors Input Plugin diff --git a/content/telegraf/v1/input-plugins/sflow/_index.md b/content/telegraf/v1/input-plugins/sflow/_index.md index 72c19fb3a..867e44d41 100644 --- a/content/telegraf/v1/input-plugins/sflow/_index.md +++ b/content/telegraf/v1/input-plugins/sflow/_index.md @@ -10,7 +10,7 @@ introduced: "v1.14.0" os_support: "freebsd, linux, macos, solaris, windows" related: - /telegraf/v1/configure_plugins/ - - https://github.com/influxdata/telegraf/tree/v1.37.2/plugins/inputs/sflow/README.md, SFlow Plugin Source + - https://github.com/influxdata/telegraf/tree/v1.37.3/plugins/inputs/sflow/README.md, SFlow Plugin Source --- # SFlow Input Plugin diff --git a/content/telegraf/v1/input-plugins/slab/_index.md b/content/telegraf/v1/input-plugins/slab/_index.md index d60edf0b0..4d4c4fbc4 100644 --- a/content/telegraf/v1/input-plugins/slab/_index.md +++ b/content/telegraf/v1/input-plugins/slab/_index.md @@ -10,7 +10,7 @@ introduced: "v1.23.0" os_support: "linux" related: - /telegraf/v1/configure_plugins/ - - https://github.com/influxdata/telegraf/tree/v1.37.2/plugins/inputs/slab/README.md, Slab Plugin Source + - https://github.com/influxdata/telegraf/tree/v1.37.3/plugins/inputs/slab/README.md, Slab Plugin Source --- # Slab Input Plugin diff --git a/content/telegraf/v1/input-plugins/slurm/_index.md b/content/telegraf/v1/input-plugins/slurm/_index.md index 386f6c633..ea6b981db 100644 --- a/content/telegraf/v1/input-plugins/slurm/_index.md +++ b/content/telegraf/v1/input-plugins/slurm/_index.md @@ -10,7 +10,7 @@ introduced: "v1.32.0" os_support: "freebsd, linux, macos, solaris, windows" related: - /telegraf/v1/configure_plugins/ - - https://github.com/influxdata/telegraf/tree/v1.37.2/plugins/inputs/slurm/README.md, SLURM Plugin Source + - https://github.com/influxdata/telegraf/tree/v1.37.3/plugins/inputs/slurm/README.md, SLURM Plugin Source --- # SLURM Input Plugin diff --git a/content/telegraf/v1/input-plugins/smart/_index.md b/content/telegraf/v1/input-plugins/smart/_index.md index b28a9e451..65f776c90 100644 --- a/content/telegraf/v1/input-plugins/smart/_index.md +++ b/content/telegraf/v1/input-plugins/smart/_index.md @@ -10,7 +10,7 @@ introduced: "v1.5.0" os_support: "freebsd, linux, macos, solaris, windows" related: - /telegraf/v1/configure_plugins/ - - https://github.com/influxdata/telegraf/tree/v1.37.2/plugins/inputs/smart/README.md, S.M.A.R.T. Plugin Source + - https://github.com/influxdata/telegraf/tree/v1.37.3/plugins/inputs/smart/README.md, S.M.A.R.T. Plugin Source --- # S.M.A.R.T. Input Plugin diff --git a/content/telegraf/v1/input-plugins/smartctl/_index.md b/content/telegraf/v1/input-plugins/smartctl/_index.md index 5d1ea75db..36f6a3082 100644 --- a/content/telegraf/v1/input-plugins/smartctl/_index.md +++ b/content/telegraf/v1/input-plugins/smartctl/_index.md @@ -10,7 +10,7 @@ introduced: "v1.31.0" os_support: "freebsd, linux, macos, solaris, windows" related: - /telegraf/v1/configure_plugins/ - - https://github.com/influxdata/telegraf/tree/v1.37.2/plugins/inputs/smartctl/README.md, smartctl JSON Plugin Source + - https://github.com/influxdata/telegraf/tree/v1.37.3/plugins/inputs/smartctl/README.md, smartctl JSON Plugin Source --- # smartctl JSON Input Plugin diff --git a/content/telegraf/v1/input-plugins/snmp/_index.md b/content/telegraf/v1/input-plugins/snmp/_index.md index a3c5b3acf..7c3c6d8dc 100644 --- a/content/telegraf/v1/input-plugins/snmp/_index.md +++ b/content/telegraf/v1/input-plugins/snmp/_index.md @@ -10,7 +10,7 @@ introduced: "v0.10.1" os_support: "freebsd, linux, macos, solaris, windows" related: - /telegraf/v1/configure_plugins/ - - https://github.com/influxdata/telegraf/tree/v1.37.2/plugins/inputs/snmp/README.md, SNMP Plugin Source + - https://github.com/influxdata/telegraf/tree/v1.37.3/plugins/inputs/snmp/README.md, SNMP Plugin Source --- # SNMP Input Plugin diff --git a/content/telegraf/v1/input-plugins/snmp_trap/_index.md b/content/telegraf/v1/input-plugins/snmp_trap/_index.md index 1e4448a8a..527317f4b 100644 --- a/content/telegraf/v1/input-plugins/snmp_trap/_index.md +++ b/content/telegraf/v1/input-plugins/snmp_trap/_index.md @@ -10,7 +10,7 @@ introduced: "v1.13.0" os_support: "freebsd, linux, macos, solaris, windows" related: - /telegraf/v1/configure_plugins/ - - https://github.com/influxdata/telegraf/tree/v1.37.2/plugins/inputs/snmp_trap/README.md, SNMP Trap Plugin Source + - https://github.com/influxdata/telegraf/tree/v1.37.3/plugins/inputs/snmp_trap/README.md, SNMP Trap Plugin Source --- # SNMP Trap Input Plugin diff --git a/content/telegraf/v1/input-plugins/socket_listener/_index.md b/content/telegraf/v1/input-plugins/socket_listener/_index.md index 01a6aa7d7..f3886afe0 100644 --- a/content/telegraf/v1/input-plugins/socket_listener/_index.md +++ b/content/telegraf/v1/input-plugins/socket_listener/_index.md @@ -10,7 +10,7 @@ introduced: "v1.3.0" os_support: "freebsd, linux, macos, solaris, windows" related: - /telegraf/v1/configure_plugins/ - - https://github.com/influxdata/telegraf/tree/v1.37.2/plugins/inputs/socket_listener/README.md, Socket Listener Plugin Source + - https://github.com/influxdata/telegraf/tree/v1.37.3/plugins/inputs/socket_listener/README.md, Socket Listener Plugin Source --- # Socket Listener Input Plugin diff --git a/content/telegraf/v1/input-plugins/socketstat/_index.md b/content/telegraf/v1/input-plugins/socketstat/_index.md index d19c1ef45..74cafe45a 100644 --- a/content/telegraf/v1/input-plugins/socketstat/_index.md +++ b/content/telegraf/v1/input-plugins/socketstat/_index.md @@ -10,7 +10,7 @@ introduced: "v1.22.0" os_support: "freebsd, linux, macos" related: - /telegraf/v1/configure_plugins/ - - https://github.com/influxdata/telegraf/tree/v1.37.2/plugins/inputs/socketstat/README.md, Socket Statistics Plugin Source + - https://github.com/influxdata/telegraf/tree/v1.37.3/plugins/inputs/socketstat/README.md, Socket Statistics Plugin Source --- # Socket Statistics Input Plugin diff --git a/content/telegraf/v1/input-plugins/solr/_index.md b/content/telegraf/v1/input-plugins/solr/_index.md index 6733a7b01..c2e13acc4 100644 --- a/content/telegraf/v1/input-plugins/solr/_index.md +++ b/content/telegraf/v1/input-plugins/solr/_index.md @@ -10,7 +10,7 @@ introduced: "v1.5.0" os_support: "freebsd, linux, macos, solaris, windows" related: - /telegraf/v1/configure_plugins/ - - https://github.com/influxdata/telegraf/tree/v1.37.2/plugins/inputs/solr/README.md, Apache Solr Plugin Source + - https://github.com/influxdata/telegraf/tree/v1.37.3/plugins/inputs/solr/README.md, Apache Solr Plugin Source --- # Apache Solr Input Plugin diff --git a/content/telegraf/v1/input-plugins/sql/_index.md b/content/telegraf/v1/input-plugins/sql/_index.md index 6440e3400..dca95f682 100644 --- a/content/telegraf/v1/input-plugins/sql/_index.md +++ b/content/telegraf/v1/input-plugins/sql/_index.md @@ -10,7 +10,7 @@ introduced: "v1.19.0" os_support: "freebsd, linux, macos, solaris, windows" related: - /telegraf/v1/configure_plugins/ - - https://github.com/influxdata/telegraf/tree/v1.37.2/plugins/inputs/sql/README.md, SQL Plugin Source + - https://github.com/influxdata/telegraf/tree/v1.37.3/plugins/inputs/sql/README.md, SQL Plugin Source --- # SQL Input Plugin diff --git a/content/telegraf/v1/input-plugins/sqlserver/_index.md b/content/telegraf/v1/input-plugins/sqlserver/_index.md index 8d8d2f923..8248ab213 100644 --- a/content/telegraf/v1/input-plugins/sqlserver/_index.md +++ b/content/telegraf/v1/input-plugins/sqlserver/_index.md @@ -10,7 +10,7 @@ introduced: "v0.10.1" os_support: "freebsd, linux, macos, solaris, windows" related: - /telegraf/v1/configure_plugins/ - - https://github.com/influxdata/telegraf/tree/v1.37.2/plugins/inputs/sqlserver/README.md, Microsoft SQL Server Plugin Source + - https://github.com/influxdata/telegraf/tree/v1.37.3/plugins/inputs/sqlserver/README.md, Microsoft SQL Server Plugin Source --- # Microsoft SQL Server Input Plugin diff --git a/content/telegraf/v1/input-plugins/stackdriver/_index.md b/content/telegraf/v1/input-plugins/stackdriver/_index.md index b30c0e56f..f3171a4b0 100644 --- a/content/telegraf/v1/input-plugins/stackdriver/_index.md +++ b/content/telegraf/v1/input-plugins/stackdriver/_index.md @@ -10,7 +10,7 @@ introduced: "v1.10.0" os_support: "freebsd, linux, macos, solaris, windows" related: - /telegraf/v1/configure_plugins/ - - https://github.com/influxdata/telegraf/tree/v1.37.2/plugins/inputs/stackdriver/README.md, Stackdriver Google Cloud Monitoring Plugin Source + - https://github.com/influxdata/telegraf/tree/v1.37.3/plugins/inputs/stackdriver/README.md, Stackdriver Google Cloud Monitoring Plugin Source --- # Stackdriver Google Cloud Monitoring Input Plugin diff --git a/content/telegraf/v1/input-plugins/statsd/_index.md b/content/telegraf/v1/input-plugins/statsd/_index.md index df4da4eb9..66fc89784 100644 --- a/content/telegraf/v1/input-plugins/statsd/_index.md +++ b/content/telegraf/v1/input-plugins/statsd/_index.md @@ -10,7 +10,7 @@ introduced: "v0.2.0" os_support: "freebsd, linux, macos, solaris, windows" related: - /telegraf/v1/configure_plugins/ - - https://github.com/influxdata/telegraf/tree/v1.37.2/plugins/inputs/statsd/README.md, StatsD Plugin Source + - https://github.com/influxdata/telegraf/tree/v1.37.3/plugins/inputs/statsd/README.md, StatsD Plugin Source --- # StatsD Input Plugin diff --git a/content/telegraf/v1/input-plugins/supervisor/_index.md b/content/telegraf/v1/input-plugins/supervisor/_index.md index 5e56ec4fb..6e6fb1b6a 100644 --- a/content/telegraf/v1/input-plugins/supervisor/_index.md +++ b/content/telegraf/v1/input-plugins/supervisor/_index.md @@ -10,7 +10,7 @@ introduced: "v1.24.0" os_support: "freebsd, linux, macos, solaris, windows" related: - /telegraf/v1/configure_plugins/ - - https://github.com/influxdata/telegraf/tree/v1.37.2/plugins/inputs/supervisor/README.md, Supervisor Plugin Source + - https://github.com/influxdata/telegraf/tree/v1.37.3/plugins/inputs/supervisor/README.md, Supervisor Plugin Source --- # Supervisor Input Plugin diff --git a/content/telegraf/v1/input-plugins/suricata/_index.md b/content/telegraf/v1/input-plugins/suricata/_index.md index 11c0bb4a8..be8e55b8e 100644 --- a/content/telegraf/v1/input-plugins/suricata/_index.md +++ b/content/telegraf/v1/input-plugins/suricata/_index.md @@ -10,7 +10,7 @@ introduced: "v1.13.0" os_support: "freebsd, linux, macos, solaris, windows" related: - /telegraf/v1/configure_plugins/ - - https://github.com/influxdata/telegraf/tree/v1.37.2/plugins/inputs/suricata/README.md, Suricata Plugin Source + - https://github.com/influxdata/telegraf/tree/v1.37.3/plugins/inputs/suricata/README.md, Suricata Plugin Source --- # Suricata Input Plugin diff --git a/content/telegraf/v1/input-plugins/swap/_index.md b/content/telegraf/v1/input-plugins/swap/_index.md index 181233d36..057c20d26 100644 --- a/content/telegraf/v1/input-plugins/swap/_index.md +++ b/content/telegraf/v1/input-plugins/swap/_index.md @@ -10,7 +10,7 @@ introduced: "v1.7.0" os_support: "freebsd, linux, macos, solaris, windows" related: - /telegraf/v1/configure_plugins/ - - https://github.com/influxdata/telegraf/tree/v1.37.2/plugins/inputs/swap/README.md, Swap Plugin Source + - https://github.com/influxdata/telegraf/tree/v1.37.3/plugins/inputs/swap/README.md, Swap Plugin Source --- # Swap Input Plugin diff --git a/content/telegraf/v1/input-plugins/synproxy/_index.md b/content/telegraf/v1/input-plugins/synproxy/_index.md index 216e95071..7293550a4 100644 --- a/content/telegraf/v1/input-plugins/synproxy/_index.md +++ b/content/telegraf/v1/input-plugins/synproxy/_index.md @@ -10,7 +10,7 @@ introduced: "v1.13.0" os_support: "linux" related: - /telegraf/v1/configure_plugins/ - - https://github.com/influxdata/telegraf/tree/v1.37.2/plugins/inputs/synproxy/README.md, Synproxy Plugin Source + - https://github.com/influxdata/telegraf/tree/v1.37.3/plugins/inputs/synproxy/README.md, Synproxy Plugin Source --- # Synproxy Input Plugin diff --git a/content/telegraf/v1/input-plugins/syslog/_index.md b/content/telegraf/v1/input-plugins/syslog/_index.md index 3af5bacea..77fc71a6c 100644 --- a/content/telegraf/v1/input-plugins/syslog/_index.md +++ b/content/telegraf/v1/input-plugins/syslog/_index.md @@ -10,7 +10,7 @@ introduced: "v1.7.0" os_support: "freebsd, linux, macos, solaris, windows" related: - /telegraf/v1/configure_plugins/ - - https://github.com/influxdata/telegraf/tree/v1.37.2/plugins/inputs/syslog/README.md, Syslog Plugin Source + - https://github.com/influxdata/telegraf/tree/v1.37.3/plugins/inputs/syslog/README.md, Syslog Plugin Source --- # Syslog Input Plugin diff --git a/content/telegraf/v1/input-plugins/sysstat/_index.md b/content/telegraf/v1/input-plugins/sysstat/_index.md index f66533373..b61176ef9 100644 --- a/content/telegraf/v1/input-plugins/sysstat/_index.md +++ b/content/telegraf/v1/input-plugins/sysstat/_index.md @@ -10,7 +10,7 @@ introduced: "v0.12.1" os_support: "linux" related: - /telegraf/v1/configure_plugins/ - - https://github.com/influxdata/telegraf/tree/v1.37.2/plugins/inputs/sysstat/README.md, System Performance Statistics Plugin Source + - https://github.com/influxdata/telegraf/tree/v1.37.3/plugins/inputs/sysstat/README.md, System Performance Statistics Plugin Source --- # System Performance Statistics Input Plugin diff --git a/content/telegraf/v1/input-plugins/system/_index.md b/content/telegraf/v1/input-plugins/system/_index.md index b7b5d4229..1f221504a 100644 --- a/content/telegraf/v1/input-plugins/system/_index.md +++ b/content/telegraf/v1/input-plugins/system/_index.md @@ -10,7 +10,7 @@ introduced: "v0.1.6" os_support: "freebsd, linux, macos, solaris, windows" related: - /telegraf/v1/configure_plugins/ - - https://github.com/influxdata/telegraf/tree/v1.37.2/plugins/inputs/system/README.md, System Plugin Source + - https://github.com/influxdata/telegraf/tree/v1.37.3/plugins/inputs/system/README.md, System Plugin Source --- # System Input Plugin diff --git a/content/telegraf/v1/input-plugins/systemd_units/_index.md b/content/telegraf/v1/input-plugins/systemd_units/_index.md index 2ac5f69df..f873708c5 100644 --- a/content/telegraf/v1/input-plugins/systemd_units/_index.md +++ b/content/telegraf/v1/input-plugins/systemd_units/_index.md @@ -10,7 +10,7 @@ introduced: "v1.13.0" os_support: "linux" related: - /telegraf/v1/configure_plugins/ - - https://github.com/influxdata/telegraf/tree/v1.37.2/plugins/inputs/systemd_units/README.md, Systemd-Units Plugin Source + - https://github.com/influxdata/telegraf/tree/v1.37.3/plugins/inputs/systemd_units/README.md, Systemd-Units Plugin Source --- # Systemd-Units Input Plugin diff --git a/content/telegraf/v1/input-plugins/tacacs/_index.md b/content/telegraf/v1/input-plugins/tacacs/_index.md index 51a11d47b..5a74c92a8 100644 --- a/content/telegraf/v1/input-plugins/tacacs/_index.md +++ b/content/telegraf/v1/input-plugins/tacacs/_index.md @@ -10,7 +10,7 @@ introduced: "v1.28.0" os_support: "freebsd, linux, macos, solaris, windows" related: - /telegraf/v1/configure_plugins/ - - https://github.com/influxdata/telegraf/tree/v1.37.2/plugins/inputs/tacacs/README.md, Tacacs Plugin Source + - https://github.com/influxdata/telegraf/tree/v1.37.3/plugins/inputs/tacacs/README.md, Tacacs Plugin Source --- # Tacacs Input Plugin diff --git a/content/telegraf/v1/input-plugins/tail/_index.md b/content/telegraf/v1/input-plugins/tail/_index.md index f6d89bb4b..f98ecd8c2 100644 --- a/content/telegraf/v1/input-plugins/tail/_index.md +++ b/content/telegraf/v1/input-plugins/tail/_index.md @@ -10,7 +10,7 @@ introduced: "v1.1.2" os_support: "freebsd, linux, macos, solaris, windows" related: - /telegraf/v1/configure_plugins/ - - https://github.com/influxdata/telegraf/tree/v1.37.2/plugins/inputs/tail/README.md, Tail Plugin Source + - https://github.com/influxdata/telegraf/tree/v1.37.3/plugins/inputs/tail/README.md, Tail Plugin Source --- # Tail Input Plugin diff --git a/content/telegraf/v1/input-plugins/teamspeak/_index.md b/content/telegraf/v1/input-plugins/teamspeak/_index.md index 25b106126..d266fb446 100644 --- a/content/telegraf/v1/input-plugins/teamspeak/_index.md +++ b/content/telegraf/v1/input-plugins/teamspeak/_index.md @@ -10,7 +10,7 @@ introduced: "v1.5.0" os_support: "freebsd, linux, macos, solaris, windows" related: - /telegraf/v1/configure_plugins/ - - https://github.com/influxdata/telegraf/tree/v1.37.2/plugins/inputs/teamspeak/README.md, Teamspeak Plugin Source + - https://github.com/influxdata/telegraf/tree/v1.37.3/plugins/inputs/teamspeak/README.md, Teamspeak Plugin Source --- # Teamspeak Input Plugin diff --git a/content/telegraf/v1/input-plugins/temp/_index.md b/content/telegraf/v1/input-plugins/temp/_index.md index 138bd7fb6..38c22bdde 100644 --- a/content/telegraf/v1/input-plugins/temp/_index.md +++ b/content/telegraf/v1/input-plugins/temp/_index.md @@ -10,7 +10,7 @@ introduced: "v1.8.0" os_support: "linux, macos, windows" related: - /telegraf/v1/configure_plugins/ - - https://github.com/influxdata/telegraf/tree/v1.37.2/plugins/inputs/temp/README.md, Temperature Plugin Source + - https://github.com/influxdata/telegraf/tree/v1.37.3/plugins/inputs/temp/README.md, Temperature Plugin Source --- # Temperature Input Plugin diff --git a/content/telegraf/v1/input-plugins/tengine/_index.md b/content/telegraf/v1/input-plugins/tengine/_index.md index 46645b3fe..a96613537 100644 --- a/content/telegraf/v1/input-plugins/tengine/_index.md +++ b/content/telegraf/v1/input-plugins/tengine/_index.md @@ -10,7 +10,7 @@ introduced: "v1.8.0" os_support: "freebsd, linux, macos, solaris, windows" related: - /telegraf/v1/configure_plugins/ - - https://github.com/influxdata/telegraf/tree/v1.37.2/plugins/inputs/tengine/README.md, Tengine Web Server Plugin Source + - https://github.com/influxdata/telegraf/tree/v1.37.3/plugins/inputs/tengine/README.md, Tengine Web Server Plugin Source --- # Tengine Web Server Input Plugin diff --git a/content/telegraf/v1/input-plugins/timex/_index.md b/content/telegraf/v1/input-plugins/timex/_index.md index 8100e04a0..919bb051e 100644 --- a/content/telegraf/v1/input-plugins/timex/_index.md +++ b/content/telegraf/v1/input-plugins/timex/_index.md @@ -10,7 +10,7 @@ introduced: "v1.37.0" os_support: "linux" related: - /telegraf/v1/configure_plugins/ - - https://github.com/influxdata/telegraf/tree/v1.37.2/plugins/inputs/timex/README.md, Timex Plugin Source + - https://github.com/influxdata/telegraf/tree/v1.37.3/plugins/inputs/timex/README.md, Timex Plugin Source --- # Timex Input Plugin diff --git a/content/telegraf/v1/input-plugins/tomcat/_index.md b/content/telegraf/v1/input-plugins/tomcat/_index.md index f60820e2f..202aba94e 100644 --- a/content/telegraf/v1/input-plugins/tomcat/_index.md +++ b/content/telegraf/v1/input-plugins/tomcat/_index.md @@ -10,7 +10,7 @@ introduced: "v1.4.0" os_support: "freebsd, linux, macos, solaris, windows" related: - /telegraf/v1/configure_plugins/ - - https://github.com/influxdata/telegraf/tree/v1.37.2/plugins/inputs/tomcat/README.md, Apache Tomcat Plugin Source + - https://github.com/influxdata/telegraf/tree/v1.37.3/plugins/inputs/tomcat/README.md, Apache Tomcat Plugin Source --- # Apache Tomcat Input Plugin diff --git a/content/telegraf/v1/input-plugins/trig/_index.md b/content/telegraf/v1/input-plugins/trig/_index.md index 38b86cdfb..e193a3a74 100644 --- a/content/telegraf/v1/input-plugins/trig/_index.md +++ b/content/telegraf/v1/input-plugins/trig/_index.md @@ -10,7 +10,7 @@ introduced: "v0.3.0" os_support: "freebsd, linux, macos, solaris, windows" related: - /telegraf/v1/configure_plugins/ - - https://github.com/influxdata/telegraf/tree/v1.37.2/plugins/inputs/trig/README.md, Trig Plugin Source + - https://github.com/influxdata/telegraf/tree/v1.37.3/plugins/inputs/trig/README.md, Trig Plugin Source --- # Trig Input Plugin diff --git a/content/telegraf/v1/input-plugins/turbostat/_index.md b/content/telegraf/v1/input-plugins/turbostat/_index.md index 4e28ece4b..1184c74f8 100644 --- a/content/telegraf/v1/input-plugins/turbostat/_index.md +++ b/content/telegraf/v1/input-plugins/turbostat/_index.md @@ -10,7 +10,7 @@ introduced: "v1.36.0" os_support: "linux" related: - /telegraf/v1/configure_plugins/ - - https://github.com/influxdata/telegraf/tree/v1.37.2/plugins/inputs/turbostat/README.md, Turbostat Plugin Source + - https://github.com/influxdata/telegraf/tree/v1.37.3/plugins/inputs/turbostat/README.md, Turbostat Plugin Source --- # Turbostat Input Plugin diff --git a/content/telegraf/v1/input-plugins/twemproxy/_index.md b/content/telegraf/v1/input-plugins/twemproxy/_index.md index eb637f87c..6ef031b45 100644 --- a/content/telegraf/v1/input-plugins/twemproxy/_index.md +++ b/content/telegraf/v1/input-plugins/twemproxy/_index.md @@ -10,7 +10,7 @@ introduced: "v0.3.0" os_support: "freebsd, linux, macos, solaris, windows" related: - /telegraf/v1/configure_plugins/ - - https://github.com/influxdata/telegraf/tree/v1.37.2/plugins/inputs/twemproxy/README.md, Twemproxy Plugin Source + - https://github.com/influxdata/telegraf/tree/v1.37.3/plugins/inputs/twemproxy/README.md, Twemproxy Plugin Source --- # Twemproxy Input Plugin diff --git a/content/telegraf/v1/input-plugins/unbound/_index.md b/content/telegraf/v1/input-plugins/unbound/_index.md index 2c8b0420a..426dbee02 100644 --- a/content/telegraf/v1/input-plugins/unbound/_index.md +++ b/content/telegraf/v1/input-plugins/unbound/_index.md @@ -10,7 +10,7 @@ introduced: "v1.5.0" os_support: "freebsd, linux, macos, solaris, windows" related: - /telegraf/v1/configure_plugins/ - - https://github.com/influxdata/telegraf/tree/v1.37.2/plugins/inputs/unbound/README.md, Unbound Plugin Source + - https://github.com/influxdata/telegraf/tree/v1.37.3/plugins/inputs/unbound/README.md, Unbound Plugin Source --- # Unbound Input Plugin diff --git a/content/telegraf/v1/input-plugins/upsd/_index.md b/content/telegraf/v1/input-plugins/upsd/_index.md index 1c2f0dee0..a5a573957 100644 --- a/content/telegraf/v1/input-plugins/upsd/_index.md +++ b/content/telegraf/v1/input-plugins/upsd/_index.md @@ -10,7 +10,7 @@ introduced: "v1.24.0" os_support: "freebsd, linux, macos, solaris, windows" related: - /telegraf/v1/configure_plugins/ - - https://github.com/influxdata/telegraf/tree/v1.37.2/plugins/inputs/upsd/README.md, UPSD Plugin Source + - https://github.com/influxdata/telegraf/tree/v1.37.3/plugins/inputs/upsd/README.md, UPSD Plugin Source --- # UPSD Input Plugin diff --git a/content/telegraf/v1/input-plugins/uwsgi/_index.md b/content/telegraf/v1/input-plugins/uwsgi/_index.md index bfcb86556..d6ed91769 100644 --- a/content/telegraf/v1/input-plugins/uwsgi/_index.md +++ b/content/telegraf/v1/input-plugins/uwsgi/_index.md @@ -10,7 +10,7 @@ introduced: "v1.12.0" os_support: "freebsd, linux, macos, solaris, windows" related: - /telegraf/v1/configure_plugins/ - - https://github.com/influxdata/telegraf/tree/v1.37.2/plugins/inputs/uwsgi/README.md, uWSGI Plugin Source + - https://github.com/influxdata/telegraf/tree/v1.37.3/plugins/inputs/uwsgi/README.md, uWSGI Plugin Source --- # uWSGI Input Plugin diff --git a/content/telegraf/v1/input-plugins/varnish/_index.md b/content/telegraf/v1/input-plugins/varnish/_index.md index 8908aeb67..e5b415b6e 100644 --- a/content/telegraf/v1/input-plugins/varnish/_index.md +++ b/content/telegraf/v1/input-plugins/varnish/_index.md @@ -10,7 +10,7 @@ introduced: "v0.13.1" os_support: "freebsd, linux, macos" related: - /telegraf/v1/configure_plugins/ - - https://github.com/influxdata/telegraf/tree/v1.37.2/plugins/inputs/varnish/README.md, Varnish Plugin Source + - https://github.com/influxdata/telegraf/tree/v1.37.3/plugins/inputs/varnish/README.md, Varnish Plugin Source --- # Varnish Input Plugin diff --git a/content/telegraf/v1/input-plugins/vault/_index.md b/content/telegraf/v1/input-plugins/vault/_index.md index f4bd36f0d..06e495e6a 100644 --- a/content/telegraf/v1/input-plugins/vault/_index.md +++ b/content/telegraf/v1/input-plugins/vault/_index.md @@ -10,7 +10,7 @@ introduced: "v1.22.0" os_support: "freebsd, linux, macos, solaris, windows" related: - /telegraf/v1/configure_plugins/ - - https://github.com/influxdata/telegraf/tree/v1.37.2/plugins/inputs/vault/README.md, Hashicorp Vault Plugin Source + - https://github.com/influxdata/telegraf/tree/v1.37.3/plugins/inputs/vault/README.md, Hashicorp Vault Plugin Source --- # Hashicorp Vault Input Plugin diff --git a/content/telegraf/v1/input-plugins/vsphere/_index.md b/content/telegraf/v1/input-plugins/vsphere/_index.md index e5eff76b5..49cee3388 100644 --- a/content/telegraf/v1/input-plugins/vsphere/_index.md +++ b/content/telegraf/v1/input-plugins/vsphere/_index.md @@ -10,7 +10,7 @@ introduced: "v1.8.0" os_support: "freebsd, linux, macos, solaris, windows" related: - /telegraf/v1/configure_plugins/ - - https://github.com/influxdata/telegraf/tree/v1.37.2/plugins/inputs/vsphere/README.md, VMware vSphere Plugin Source + - https://github.com/influxdata/telegraf/tree/v1.37.3/plugins/inputs/vsphere/README.md, VMware vSphere Plugin Source --- # VMware vSphere Input Plugin diff --git a/content/telegraf/v1/input-plugins/webhooks/_index.md b/content/telegraf/v1/input-plugins/webhooks/_index.md index df46d1ac4..17799c32b 100644 --- a/content/telegraf/v1/input-plugins/webhooks/_index.md +++ b/content/telegraf/v1/input-plugins/webhooks/_index.md @@ -10,7 +10,7 @@ introduced: "v1.0.0" os_support: "freebsd, linux, macos, solaris, windows" related: - /telegraf/v1/configure_plugins/ - - https://github.com/influxdata/telegraf/tree/v1.37.2/plugins/inputs/webhooks/README.md, Webhooks Plugin Source + - https://github.com/influxdata/telegraf/tree/v1.37.3/plugins/inputs/webhooks/README.md, Webhooks Plugin Source --- # Webhooks Input Plugin diff --git a/content/telegraf/v1/input-plugins/whois/_index.md b/content/telegraf/v1/input-plugins/whois/_index.md index 904fac840..637d9b1f8 100644 --- a/content/telegraf/v1/input-plugins/whois/_index.md +++ b/content/telegraf/v1/input-plugins/whois/_index.md @@ -10,7 +10,7 @@ introduced: "v1.35.0" os_support: "freebsd, linux, macos, solaris, windows" related: - /telegraf/v1/configure_plugins/ - - https://github.com/influxdata/telegraf/tree/v1.37.2/plugins/inputs/whois/README.md, WHOIS Plugin Source + - https://github.com/influxdata/telegraf/tree/v1.37.3/plugins/inputs/whois/README.md, WHOIS Plugin Source --- # WHOIS Input Plugin diff --git a/content/telegraf/v1/input-plugins/win_eventlog/_index.md b/content/telegraf/v1/input-plugins/win_eventlog/_index.md index 3097606bb..d35eff5e8 100644 --- a/content/telegraf/v1/input-plugins/win_eventlog/_index.md +++ b/content/telegraf/v1/input-plugins/win_eventlog/_index.md @@ -10,7 +10,7 @@ introduced: "v1.16.0" os_support: "windows" related: - /telegraf/v1/configure_plugins/ - - https://github.com/influxdata/telegraf/tree/v1.37.2/plugins/inputs/win_eventlog/README.md, Windows Eventlog Plugin Source + - https://github.com/influxdata/telegraf/tree/v1.37.3/plugins/inputs/win_eventlog/README.md, Windows Eventlog Plugin Source --- # Windows Eventlog Input Plugin diff --git a/content/telegraf/v1/input-plugins/win_perf_counters/_index.md b/content/telegraf/v1/input-plugins/win_perf_counters/_index.md index 4f681626a..da5128b3b 100644 --- a/content/telegraf/v1/input-plugins/win_perf_counters/_index.md +++ b/content/telegraf/v1/input-plugins/win_perf_counters/_index.md @@ -10,7 +10,7 @@ introduced: "v0.10.2" os_support: "windows" related: - /telegraf/v1/configure_plugins/ - - https://github.com/influxdata/telegraf/tree/v1.37.2/plugins/inputs/win_perf_counters/README.md, Windows Performance Counters Plugin Source + - https://github.com/influxdata/telegraf/tree/v1.37.3/plugins/inputs/win_perf_counters/README.md, Windows Performance Counters Plugin Source --- # Windows Performance Counters Input Plugin diff --git a/content/telegraf/v1/input-plugins/win_services/_index.md b/content/telegraf/v1/input-plugins/win_services/_index.md index 501c61f54..230c4eb38 100644 --- a/content/telegraf/v1/input-plugins/win_services/_index.md +++ b/content/telegraf/v1/input-plugins/win_services/_index.md @@ -10,7 +10,7 @@ introduced: "v1.4.0" os_support: "windows" related: - /telegraf/v1/configure_plugins/ - - https://github.com/influxdata/telegraf/tree/v1.37.2/plugins/inputs/win_services/README.md, Windows Services Plugin Source + - https://github.com/influxdata/telegraf/tree/v1.37.3/plugins/inputs/win_services/README.md, Windows Services Plugin Source --- # Windows Services Input Plugin diff --git a/content/telegraf/v1/input-plugins/win_wmi/_index.md b/content/telegraf/v1/input-plugins/win_wmi/_index.md index d39799cc6..5570241ef 100644 --- a/content/telegraf/v1/input-plugins/win_wmi/_index.md +++ b/content/telegraf/v1/input-plugins/win_wmi/_index.md @@ -10,7 +10,7 @@ introduced: "v1.26.0" os_support: "windows" related: - /telegraf/v1/configure_plugins/ - - https://github.com/influxdata/telegraf/tree/v1.37.2/plugins/inputs/win_wmi/README.md, Windows Management Instrumentation Plugin Source + - https://github.com/influxdata/telegraf/tree/v1.37.3/plugins/inputs/win_wmi/README.md, Windows Management Instrumentation Plugin Source --- # Windows Management Instrumentation Input Plugin diff --git a/content/telegraf/v1/input-plugins/wireguard/_index.md b/content/telegraf/v1/input-plugins/wireguard/_index.md index ed08c214e..56a81facd 100644 --- a/content/telegraf/v1/input-plugins/wireguard/_index.md +++ b/content/telegraf/v1/input-plugins/wireguard/_index.md @@ -10,7 +10,7 @@ introduced: "v1.14.0" os_support: "freebsd, linux, macos, solaris, windows" related: - /telegraf/v1/configure_plugins/ - - https://github.com/influxdata/telegraf/tree/v1.37.2/plugins/inputs/wireguard/README.md, Wireguard Plugin Source + - https://github.com/influxdata/telegraf/tree/v1.37.3/plugins/inputs/wireguard/README.md, Wireguard Plugin Source --- # Wireguard Input Plugin diff --git a/content/telegraf/v1/input-plugins/wireless/_index.md b/content/telegraf/v1/input-plugins/wireless/_index.md index 8d593b976..e4004b99e 100644 --- a/content/telegraf/v1/input-plugins/wireless/_index.md +++ b/content/telegraf/v1/input-plugins/wireless/_index.md @@ -10,7 +10,7 @@ introduced: "v1.9.0" os_support: "linux" related: - /telegraf/v1/configure_plugins/ - - https://github.com/influxdata/telegraf/tree/v1.37.2/plugins/inputs/wireless/README.md, Wireless Plugin Source + - https://github.com/influxdata/telegraf/tree/v1.37.3/plugins/inputs/wireless/README.md, Wireless Plugin Source --- # Wireless Input Plugin diff --git a/content/telegraf/v1/input-plugins/x509_cert/_index.md b/content/telegraf/v1/input-plugins/x509_cert/_index.md index 0a1098b3d..2ba100c2b 100644 --- a/content/telegraf/v1/input-plugins/x509_cert/_index.md +++ b/content/telegraf/v1/input-plugins/x509_cert/_index.md @@ -10,7 +10,7 @@ introduced: "v1.8.0" os_support: "freebsd, linux, macos, solaris, windows" related: - /telegraf/v1/configure_plugins/ - - https://github.com/influxdata/telegraf/tree/v1.37.2/plugins/inputs/x509_cert/README.md, x509 Certificate Plugin Source + - https://github.com/influxdata/telegraf/tree/v1.37.3/plugins/inputs/x509_cert/README.md, x509 Certificate Plugin Source --- # x509 Certificate Input Plugin diff --git a/content/telegraf/v1/input-plugins/xtremio/_index.md b/content/telegraf/v1/input-plugins/xtremio/_index.md index c38e759c5..820b40f84 100644 --- a/content/telegraf/v1/input-plugins/xtremio/_index.md +++ b/content/telegraf/v1/input-plugins/xtremio/_index.md @@ -10,7 +10,7 @@ introduced: "v1.22.0" os_support: "freebsd, linux, macos, solaris, windows" related: - /telegraf/v1/configure_plugins/ - - https://github.com/influxdata/telegraf/tree/v1.37.2/plugins/inputs/xtremio/README.md, Dell EMC XtremIO Plugin Source + - https://github.com/influxdata/telegraf/tree/v1.37.3/plugins/inputs/xtremio/README.md, Dell EMC XtremIO Plugin Source --- # Dell EMC XtremIO Input Plugin diff --git a/content/telegraf/v1/input-plugins/zfs/_index.md b/content/telegraf/v1/input-plugins/zfs/_index.md index 710624766..7c0db823e 100644 --- a/content/telegraf/v1/input-plugins/zfs/_index.md +++ b/content/telegraf/v1/input-plugins/zfs/_index.md @@ -10,7 +10,7 @@ introduced: "v0.2.1" os_support: "freebsd, linux" related: - /telegraf/v1/configure_plugins/ - - https://github.com/influxdata/telegraf/tree/v1.37.2/plugins/inputs/zfs/README.md, ZFS Plugin Source + - https://github.com/influxdata/telegraf/tree/v1.37.3/plugins/inputs/zfs/README.md, ZFS Plugin Source --- # ZFS Input Plugin diff --git a/content/telegraf/v1/input-plugins/zipkin/_index.md b/content/telegraf/v1/input-plugins/zipkin/_index.md index cf8bcc0c7..416597381 100644 --- a/content/telegraf/v1/input-plugins/zipkin/_index.md +++ b/content/telegraf/v1/input-plugins/zipkin/_index.md @@ -10,7 +10,7 @@ introduced: "v1.4.0" os_support: "freebsd, linux, macos, solaris, windows" related: - /telegraf/v1/configure_plugins/ - - https://github.com/influxdata/telegraf/tree/v1.37.2/plugins/inputs/zipkin/README.md, Zipkin Plugin Source + - https://github.com/influxdata/telegraf/tree/v1.37.3/plugins/inputs/zipkin/README.md, Zipkin Plugin Source --- # Zipkin Input Plugin diff --git a/content/telegraf/v1/input-plugins/zookeeper/_index.md b/content/telegraf/v1/input-plugins/zookeeper/_index.md index cdbf507f7..6b6995a65 100644 --- a/content/telegraf/v1/input-plugins/zookeeper/_index.md +++ b/content/telegraf/v1/input-plugins/zookeeper/_index.md @@ -10,7 +10,7 @@ introduced: "v0.2.0" os_support: "freebsd, linux, macos, solaris, windows" related: - /telegraf/v1/configure_plugins/ - - https://github.com/influxdata/telegraf/tree/v1.37.2/plugins/inputs/zookeeper/README.md, Apache Zookeeper Plugin Source + - https://github.com/influxdata/telegraf/tree/v1.37.3/plugins/inputs/zookeeper/README.md, Apache Zookeeper Plugin Source --- # Apache Zookeeper Input Plugin diff --git a/content/telegraf/v1/output-plugins/amon/_index.md b/content/telegraf/v1/output-plugins/amon/_index.md index fb16b5e7e..24c5f09e9 100644 --- a/content/telegraf/v1/output-plugins/amon/_index.md +++ b/content/telegraf/v1/output-plugins/amon/_index.md @@ -12,7 +12,7 @@ removal: v1.40.0 os_support: "freebsd, linux, macos, solaris, windows" related: - /telegraf/v1/configure_plugins/ - - https://github.com/influxdata/telegraf/tree/v1.37.2/plugins/outputs/amon/README.md, Amon Plugin Source + - https://github.com/influxdata/telegraf/tree/v1.37.3/plugins/outputs/amon/README.md, Amon Plugin Source --- # Amon Output Plugin diff --git a/content/telegraf/v1/output-plugins/amqp/_index.md b/content/telegraf/v1/output-plugins/amqp/_index.md index ebb3d725a..11b2b54d6 100644 --- a/content/telegraf/v1/output-plugins/amqp/_index.md +++ b/content/telegraf/v1/output-plugins/amqp/_index.md @@ -10,7 +10,7 @@ introduced: "v0.1.9" os_support: "freebsd, linux, macos, solaris, windows" related: - /telegraf/v1/configure_plugins/ - - https://github.com/influxdata/telegraf/tree/v1.37.2/plugins/outputs/amqp/README.md, AMQP Plugin Source + - https://github.com/influxdata/telegraf/tree/v1.37.3/plugins/outputs/amqp/README.md, AMQP Plugin Source --- # AMQP Output Plugin diff --git a/content/telegraf/v1/output-plugins/application_insights/_index.md b/content/telegraf/v1/output-plugins/application_insights/_index.md index edd977667..206dca975 100644 --- a/content/telegraf/v1/output-plugins/application_insights/_index.md +++ b/content/telegraf/v1/output-plugins/application_insights/_index.md @@ -10,7 +10,7 @@ introduced: "v1.7.0" os_support: "freebsd, linux, macos, solaris, windows" related: - /telegraf/v1/configure_plugins/ - - https://github.com/influxdata/telegraf/tree/v1.37.2/plugins/outputs/application_insights/README.md, Azure Application Insights Plugin Source + - https://github.com/influxdata/telegraf/tree/v1.37.3/plugins/outputs/application_insights/README.md, Azure Application Insights Plugin Source --- # Azure Application Insights Output Plugin diff --git a/content/telegraf/v1/output-plugins/arc/_index.md b/content/telegraf/v1/output-plugins/arc/_index.md index ad30fb189..231a332f8 100644 --- a/content/telegraf/v1/output-plugins/arc/_index.md +++ b/content/telegraf/v1/output-plugins/arc/_index.md @@ -10,7 +10,7 @@ introduced: "v1.37.0" os_support: "freebsd, linux, macos, solaris, windows" related: - /telegraf/v1/configure_plugins/ - - https://github.com/influxdata/telegraf/tree/v1.37.2/plugins/outputs/arc/README.md, Arc Plugin Source + - https://github.com/influxdata/telegraf/tree/v1.37.3/plugins/outputs/arc/README.md, Arc Plugin Source --- # Arc Output Plugin diff --git a/content/telegraf/v1/output-plugins/azure_data_explorer/_index.md b/content/telegraf/v1/output-plugins/azure_data_explorer/_index.md index e24cf1c62..06c44c911 100644 --- a/content/telegraf/v1/output-plugins/azure_data_explorer/_index.md +++ b/content/telegraf/v1/output-plugins/azure_data_explorer/_index.md @@ -10,7 +10,7 @@ introduced: "v1.20.0" os_support: "freebsd, linux, macos, solaris, windows" related: - /telegraf/v1/configure_plugins/ - - https://github.com/influxdata/telegraf/tree/v1.37.2/plugins/outputs/azure_data_explorer/README.md, Azure Data Explorer Plugin Source + - https://github.com/influxdata/telegraf/tree/v1.37.3/plugins/outputs/azure_data_explorer/README.md, Azure Data Explorer Plugin Source --- # Azure Data Explorer Output Plugin diff --git a/content/telegraf/v1/output-plugins/azure_monitor/_index.md b/content/telegraf/v1/output-plugins/azure_monitor/_index.md index 4f90cc7f4..7484cef9a 100644 --- a/content/telegraf/v1/output-plugins/azure_monitor/_index.md +++ b/content/telegraf/v1/output-plugins/azure_monitor/_index.md @@ -10,7 +10,7 @@ introduced: "v1.8.0" os_support: "freebsd, linux, macos, solaris, windows" related: - /telegraf/v1/configure_plugins/ - - https://github.com/influxdata/telegraf/tree/v1.37.2/plugins/outputs/azure_monitor/README.md, Azure Monitor Plugin Source + - https://github.com/influxdata/telegraf/tree/v1.37.3/plugins/outputs/azure_monitor/README.md, Azure Monitor Plugin Source --- # Azure Monitor Output Plugin diff --git a/content/telegraf/v1/output-plugins/bigquery/_index.md b/content/telegraf/v1/output-plugins/bigquery/_index.md index 4b5c84650..ddf55e6cc 100644 --- a/content/telegraf/v1/output-plugins/bigquery/_index.md +++ b/content/telegraf/v1/output-plugins/bigquery/_index.md @@ -10,7 +10,7 @@ introduced: "v1.18.0" os_support: "freebsd, linux, macos, solaris, windows" related: - /telegraf/v1/configure_plugins/ - - https://github.com/influxdata/telegraf/tree/v1.37.2/plugins/outputs/bigquery/README.md, Google BigQuery Plugin Source + - https://github.com/influxdata/telegraf/tree/v1.37.3/plugins/outputs/bigquery/README.md, Google BigQuery Plugin Source --- # Google BigQuery Output Plugin diff --git a/content/telegraf/v1/output-plugins/clarify/_index.md b/content/telegraf/v1/output-plugins/clarify/_index.md index e31c5478a..359e9799d 100644 --- a/content/telegraf/v1/output-plugins/clarify/_index.md +++ b/content/telegraf/v1/output-plugins/clarify/_index.md @@ -10,7 +10,7 @@ introduced: "v1.27.0" os_support: "freebsd, linux, macos, solaris, windows" related: - /telegraf/v1/configure_plugins/ - - https://github.com/influxdata/telegraf/tree/v1.37.2/plugins/outputs/clarify/README.md, Clarify Plugin Source + - https://github.com/influxdata/telegraf/tree/v1.37.3/plugins/outputs/clarify/README.md, Clarify Plugin Source --- # Clarify Output Plugin diff --git a/content/telegraf/v1/output-plugins/cloud_pubsub/_index.md b/content/telegraf/v1/output-plugins/cloud_pubsub/_index.md index 65cbecb70..193e4fbc4 100644 --- a/content/telegraf/v1/output-plugins/cloud_pubsub/_index.md +++ b/content/telegraf/v1/output-plugins/cloud_pubsub/_index.md @@ -10,7 +10,7 @@ introduced: "v1.10.0" os_support: "freebsd, linux, macos, solaris, windows" related: - /telegraf/v1/configure_plugins/ - - https://github.com/influxdata/telegraf/tree/v1.37.2/plugins/outputs/cloud_pubsub/README.md, Google Cloud PubSub Plugin Source + - https://github.com/influxdata/telegraf/tree/v1.37.3/plugins/outputs/cloud_pubsub/README.md, Google Cloud PubSub Plugin Source --- # Google Cloud PubSub Output Plugin diff --git a/content/telegraf/v1/output-plugins/cloudwatch/_index.md b/content/telegraf/v1/output-plugins/cloudwatch/_index.md index e6f4bc5c8..5ae20f45f 100644 --- a/content/telegraf/v1/output-plugins/cloudwatch/_index.md +++ b/content/telegraf/v1/output-plugins/cloudwatch/_index.md @@ -10,7 +10,7 @@ introduced: "v0.10.1" os_support: "freebsd, linux, macos, solaris, windows" related: - /telegraf/v1/configure_plugins/ - - https://github.com/influxdata/telegraf/tree/v1.37.2/plugins/outputs/cloudwatch/README.md, Amazon CloudWatch Plugin Source + - https://github.com/influxdata/telegraf/tree/v1.37.3/plugins/outputs/cloudwatch/README.md, Amazon CloudWatch Plugin Source --- # Amazon CloudWatch Output Plugin diff --git a/content/telegraf/v1/output-plugins/cloudwatch_logs/_index.md b/content/telegraf/v1/output-plugins/cloudwatch_logs/_index.md index 5b64f0894..2e11a5175 100644 --- a/content/telegraf/v1/output-plugins/cloudwatch_logs/_index.md +++ b/content/telegraf/v1/output-plugins/cloudwatch_logs/_index.md @@ -10,7 +10,7 @@ introduced: "v1.19.0" os_support: "freebsd, linux, macos, solaris, windows" related: - /telegraf/v1/configure_plugins/ - - https://github.com/influxdata/telegraf/tree/v1.37.2/plugins/outputs/cloudwatch_logs/README.md, Amazon CloudWatch Logs Plugin Source + - https://github.com/influxdata/telegraf/tree/v1.37.3/plugins/outputs/cloudwatch_logs/README.md, Amazon CloudWatch Logs Plugin Source --- # Amazon CloudWatch Logs Output Plugin diff --git a/content/telegraf/v1/output-plugins/cratedb/_index.md b/content/telegraf/v1/output-plugins/cratedb/_index.md index 8dcedba11..1a724ff00 100644 --- a/content/telegraf/v1/output-plugins/cratedb/_index.md +++ b/content/telegraf/v1/output-plugins/cratedb/_index.md @@ -10,7 +10,7 @@ introduced: "v1.5.0" os_support: "freebsd, linux, macos, solaris, windows" related: - /telegraf/v1/configure_plugins/ - - https://github.com/influxdata/telegraf/tree/v1.37.2/plugins/outputs/cratedb/README.md, CrateDB Plugin Source + - https://github.com/influxdata/telegraf/tree/v1.37.3/plugins/outputs/cratedb/README.md, CrateDB Plugin Source --- # CrateDB Output Plugin diff --git a/content/telegraf/v1/output-plugins/datadog/_index.md b/content/telegraf/v1/output-plugins/datadog/_index.md index 7698d1066..8eabf235f 100644 --- a/content/telegraf/v1/output-plugins/datadog/_index.md +++ b/content/telegraf/v1/output-plugins/datadog/_index.md @@ -10,7 +10,7 @@ introduced: "v0.1.6" os_support: "freebsd, linux, macos, solaris, windows" related: - /telegraf/v1/configure_plugins/ - - https://github.com/influxdata/telegraf/tree/v1.37.2/plugins/outputs/datadog/README.md, Datadog Plugin Source + - https://github.com/influxdata/telegraf/tree/v1.37.3/plugins/outputs/datadog/README.md, Datadog Plugin Source --- # Datadog Output Plugin diff --git a/content/telegraf/v1/output-plugins/discard/_index.md b/content/telegraf/v1/output-plugins/discard/_index.md index 7265578a1..8eba9fdc9 100644 --- a/content/telegraf/v1/output-plugins/discard/_index.md +++ b/content/telegraf/v1/output-plugins/discard/_index.md @@ -10,7 +10,7 @@ introduced: "v1.2.0" os_support: "freebsd, linux, macos, solaris, windows" related: - /telegraf/v1/configure_plugins/ - - https://github.com/influxdata/telegraf/tree/v1.37.2/plugins/outputs/discard/README.md, Discard Plugin Source + - https://github.com/influxdata/telegraf/tree/v1.37.3/plugins/outputs/discard/README.md, Discard Plugin Source --- # Discard Output Plugin diff --git a/content/telegraf/v1/output-plugins/dynatrace/_index.md b/content/telegraf/v1/output-plugins/dynatrace/_index.md index 863b9a5a7..eafe072bb 100644 --- a/content/telegraf/v1/output-plugins/dynatrace/_index.md +++ b/content/telegraf/v1/output-plugins/dynatrace/_index.md @@ -10,7 +10,7 @@ introduced: "v1.16.0" os_support: "freebsd, linux, macos, solaris, windows" related: - /telegraf/v1/configure_plugins/ - - https://github.com/influxdata/telegraf/tree/v1.37.2/plugins/outputs/dynatrace/README.md, Dynatrace Plugin Source + - https://github.com/influxdata/telegraf/tree/v1.37.3/plugins/outputs/dynatrace/README.md, Dynatrace Plugin Source --- # Dynatrace Output Plugin diff --git a/content/telegraf/v1/output-plugins/elasticsearch/_index.md b/content/telegraf/v1/output-plugins/elasticsearch/_index.md index 7cbce25a6..f1108f349 100644 --- a/content/telegraf/v1/output-plugins/elasticsearch/_index.md +++ b/content/telegraf/v1/output-plugins/elasticsearch/_index.md @@ -10,7 +10,7 @@ introduced: "v0.1.5" os_support: "freebsd, linux, macos, solaris, windows" related: - /telegraf/v1/configure_plugins/ - - https://github.com/influxdata/telegraf/tree/v1.37.2/plugins/outputs/elasticsearch/README.md, Elasticsearch Plugin Source + - https://github.com/influxdata/telegraf/tree/v1.37.3/plugins/outputs/elasticsearch/README.md, Elasticsearch Plugin Source --- # Elasticsearch Output Plugin diff --git a/content/telegraf/v1/output-plugins/event_hubs/_index.md b/content/telegraf/v1/output-plugins/event_hubs/_index.md index 979dec60a..36df6804e 100644 --- a/content/telegraf/v1/output-plugins/event_hubs/_index.md +++ b/content/telegraf/v1/output-plugins/event_hubs/_index.md @@ -10,7 +10,7 @@ introduced: "v1.21.0" os_support: "freebsd, linux, macos, solaris, windows" related: - /telegraf/v1/configure_plugins/ - - https://github.com/influxdata/telegraf/tree/v1.37.2/plugins/outputs/event_hubs/README.md, Azure Event Hubs Plugin Source + - https://github.com/influxdata/telegraf/tree/v1.37.3/plugins/outputs/event_hubs/README.md, Azure Event Hubs Plugin Source --- # Azure Event Hubs Output Plugin diff --git a/content/telegraf/v1/output-plugins/exec/_index.md b/content/telegraf/v1/output-plugins/exec/_index.md index aa9bbd28e..b5bd947a2 100644 --- a/content/telegraf/v1/output-plugins/exec/_index.md +++ b/content/telegraf/v1/output-plugins/exec/_index.md @@ -10,7 +10,7 @@ introduced: "v1.12.0" os_support: "freebsd, linux, macos, solaris, windows" related: - /telegraf/v1/configure_plugins/ - - https://github.com/influxdata/telegraf/tree/v1.37.2/plugins/outputs/exec/README.md, Executable Plugin Source + - https://github.com/influxdata/telegraf/tree/v1.37.3/plugins/outputs/exec/README.md, Executable Plugin Source --- # Executable Output Plugin diff --git a/content/telegraf/v1/output-plugins/execd/_index.md b/content/telegraf/v1/output-plugins/execd/_index.md index da0344d2e..3a49d678a 100644 --- a/content/telegraf/v1/output-plugins/execd/_index.md +++ b/content/telegraf/v1/output-plugins/execd/_index.md @@ -10,7 +10,7 @@ introduced: "v1.15.0" os_support: "freebsd, linux, macos, solaris, windows" related: - /telegraf/v1/configure_plugins/ - - https://github.com/influxdata/telegraf/tree/v1.37.2/plugins/outputs/execd/README.md, Executable Daemon Plugin Source + - https://github.com/influxdata/telegraf/tree/v1.37.3/plugins/outputs/execd/README.md, Executable Daemon Plugin Source --- # Executable Daemon Output Plugin diff --git a/content/telegraf/v1/output-plugins/file/_index.md b/content/telegraf/v1/output-plugins/file/_index.md index fc98ac39e..3145396de 100644 --- a/content/telegraf/v1/output-plugins/file/_index.md +++ b/content/telegraf/v1/output-plugins/file/_index.md @@ -10,7 +10,7 @@ introduced: "v0.10.3" os_support: "freebsd, linux, macos, solaris, windows" related: - /telegraf/v1/configure_plugins/ - - https://github.com/influxdata/telegraf/tree/v1.37.2/plugins/outputs/file/README.md, File Plugin Source + - https://github.com/influxdata/telegraf/tree/v1.37.3/plugins/outputs/file/README.md, File Plugin Source --- # File Output Plugin diff --git a/content/telegraf/v1/output-plugins/graphite/_index.md b/content/telegraf/v1/output-plugins/graphite/_index.md index 709aba72b..2261e32cb 100644 --- a/content/telegraf/v1/output-plugins/graphite/_index.md +++ b/content/telegraf/v1/output-plugins/graphite/_index.md @@ -10,7 +10,7 @@ introduced: "v0.10.1" os_support: "freebsd, linux, macos, solaris, windows" related: - /telegraf/v1/configure_plugins/ - - https://github.com/influxdata/telegraf/tree/v1.37.2/plugins/outputs/graphite/README.md, Graphite Plugin Source + - https://github.com/influxdata/telegraf/tree/v1.37.3/plugins/outputs/graphite/README.md, Graphite Plugin Source --- # Graphite Output Plugin diff --git a/content/telegraf/v1/output-plugins/graylog/_index.md b/content/telegraf/v1/output-plugins/graylog/_index.md index bac8016d5..f94fe15a6 100644 --- a/content/telegraf/v1/output-plugins/graylog/_index.md +++ b/content/telegraf/v1/output-plugins/graylog/_index.md @@ -10,7 +10,7 @@ introduced: "v1.0.0" os_support: "freebsd, linux, macos, solaris, windows" related: - /telegraf/v1/configure_plugins/ - - https://github.com/influxdata/telegraf/tree/v1.37.2/plugins/outputs/graylog/README.md, Graylog Plugin Source + - https://github.com/influxdata/telegraf/tree/v1.37.3/plugins/outputs/graylog/README.md, Graylog Plugin Source --- # Graylog Output Plugin diff --git a/content/telegraf/v1/output-plugins/groundwork/_index.md b/content/telegraf/v1/output-plugins/groundwork/_index.md index b3b6f6225..1fb8abd09 100644 --- a/content/telegraf/v1/output-plugins/groundwork/_index.md +++ b/content/telegraf/v1/output-plugins/groundwork/_index.md @@ -10,7 +10,7 @@ introduced: "v1.21.0" os_support: "freebsd, linux, macos, solaris, windows" related: - /telegraf/v1/configure_plugins/ - - https://github.com/influxdata/telegraf/tree/v1.37.2/plugins/outputs/groundwork/README.md, GroundWork Plugin Source + - https://github.com/influxdata/telegraf/tree/v1.37.3/plugins/outputs/groundwork/README.md, GroundWork Plugin Source --- # GroundWork Output Plugin diff --git a/content/telegraf/v1/output-plugins/health/_index.md b/content/telegraf/v1/output-plugins/health/_index.md index 9aaafc5a3..c31764230 100644 --- a/content/telegraf/v1/output-plugins/health/_index.md +++ b/content/telegraf/v1/output-plugins/health/_index.md @@ -10,7 +10,7 @@ introduced: "v1.11.0" os_support: "freebsd, linux, macos, solaris, windows" related: - /telegraf/v1/configure_plugins/ - - https://github.com/influxdata/telegraf/tree/v1.37.2/plugins/outputs/health/README.md, Health Plugin Source + - https://github.com/influxdata/telegraf/tree/v1.37.3/plugins/outputs/health/README.md, Health Plugin Source --- # Health Output Plugin diff --git a/content/telegraf/v1/output-plugins/heartbeat/_index.md b/content/telegraf/v1/output-plugins/heartbeat/_index.md index f831e29a6..c93d4b6f5 100644 --- a/content/telegraf/v1/output-plugins/heartbeat/_index.md +++ b/content/telegraf/v1/output-plugins/heartbeat/_index.md @@ -10,7 +10,7 @@ introduced: "v1.37.0" os_support: "freebsd, linux, macos, solaris, windows" related: - /telegraf/v1/configure_plugins/ - - https://github.com/influxdata/telegraf/tree/v1.37.2/plugins/outputs/heartbeat/README.md, Heartbeat Plugin Source + - https://github.com/influxdata/telegraf/tree/v1.37.3/plugins/outputs/heartbeat/README.md, Heartbeat Plugin Source --- # Heartbeat Output Plugin diff --git a/content/telegraf/v1/output-plugins/http/_index.md b/content/telegraf/v1/output-plugins/http/_index.md index ee3be7e9b..4d5c5d68a 100644 --- a/content/telegraf/v1/output-plugins/http/_index.md +++ b/content/telegraf/v1/output-plugins/http/_index.md @@ -10,7 +10,7 @@ introduced: "v1.7.0" os_support: "freebsd, linux, macos, solaris, windows" related: - /telegraf/v1/configure_plugins/ - - https://github.com/influxdata/telegraf/tree/v1.37.2/plugins/outputs/http/README.md, HTTP Plugin Source + - https://github.com/influxdata/telegraf/tree/v1.37.3/plugins/outputs/http/README.md, HTTP Plugin Source --- # HTTP Output Plugin diff --git a/content/telegraf/v1/output-plugins/influxdb/_index.md b/content/telegraf/v1/output-plugins/influxdb/_index.md index a2cf5c049..27d66099f 100644 --- a/content/telegraf/v1/output-plugins/influxdb/_index.md +++ b/content/telegraf/v1/output-plugins/influxdb/_index.md @@ -10,7 +10,7 @@ introduced: "v0.1.1" os_support: "freebsd, linux, macos, solaris, windows" related: - /telegraf/v1/configure_plugins/ - - https://github.com/influxdata/telegraf/tree/v1.37.2/plugins/outputs/influxdb/README.md, InfluxDB v1.x Plugin Source + - https://github.com/influxdata/telegraf/tree/v1.37.3/plugins/outputs/influxdb/README.md, InfluxDB v1.x Plugin Source --- # InfluxDB v1.x Output Plugin diff --git a/content/telegraf/v1/output-plugins/influxdb_v2/_index.md b/content/telegraf/v1/output-plugins/influxdb_v2/_index.md index a8ea2aaed..be5f1e062 100644 --- a/content/telegraf/v1/output-plugins/influxdb_v2/_index.md +++ b/content/telegraf/v1/output-plugins/influxdb_v2/_index.md @@ -10,7 +10,7 @@ introduced: "v1.8.0" os_support: "freebsd, linux, macos, solaris, windows" related: - /telegraf/v1/configure_plugins/ - - https://github.com/influxdata/telegraf/tree/v1.37.2/plugins/outputs/influxdb_v2/README.md, InfluxDB v2.x Plugin Source + - https://github.com/influxdata/telegraf/tree/v1.37.3/plugins/outputs/influxdb_v2/README.md, InfluxDB v2.x Plugin Source --- # InfluxDB v2.x Output Plugin diff --git a/content/telegraf/v1/output-plugins/inlong/_index.md b/content/telegraf/v1/output-plugins/inlong/_index.md index 169bd909c..139eb9130 100644 --- a/content/telegraf/v1/output-plugins/inlong/_index.md +++ b/content/telegraf/v1/output-plugins/inlong/_index.md @@ -10,7 +10,7 @@ introduced: "v1.35.0" os_support: "freebsd, linux, macos, solaris, windows" related: - /telegraf/v1/configure_plugins/ - - https://github.com/influxdata/telegraf/tree/v1.37.2/plugins/outputs/inlong/README.md, Inlong Plugin Source + - https://github.com/influxdata/telegraf/tree/v1.37.3/plugins/outputs/inlong/README.md, Inlong Plugin Source --- # Inlong Output Plugin diff --git a/content/telegraf/v1/output-plugins/instrumental/_index.md b/content/telegraf/v1/output-plugins/instrumental/_index.md index a2154d067..285ab02c9 100644 --- a/content/telegraf/v1/output-plugins/instrumental/_index.md +++ b/content/telegraf/v1/output-plugins/instrumental/_index.md @@ -10,7 +10,7 @@ introduced: "v0.13.1" os_support: "freebsd, linux, macos, solaris, windows" related: - /telegraf/v1/configure_plugins/ - - https://github.com/influxdata/telegraf/tree/v1.37.2/plugins/outputs/instrumental/README.md, Instrumental Plugin Source + - https://github.com/influxdata/telegraf/tree/v1.37.3/plugins/outputs/instrumental/README.md, Instrumental Plugin Source --- # Instrumental Output Plugin diff --git a/content/telegraf/v1/output-plugins/iotdb/_index.md b/content/telegraf/v1/output-plugins/iotdb/_index.md index 5a6c5ddfd..e617d99b8 100644 --- a/content/telegraf/v1/output-plugins/iotdb/_index.md +++ b/content/telegraf/v1/output-plugins/iotdb/_index.md @@ -10,7 +10,7 @@ introduced: "v1.24.0" os_support: "freebsd, linux, macos, solaris, windows" related: - /telegraf/v1/configure_plugins/ - - https://github.com/influxdata/telegraf/tree/v1.37.2/plugins/outputs/iotdb/README.md, Apache IoTDB Plugin Source + - https://github.com/influxdata/telegraf/tree/v1.37.3/plugins/outputs/iotdb/README.md, Apache IoTDB Plugin Source --- # Apache IoTDB Output Plugin diff --git a/content/telegraf/v1/output-plugins/kafka/_index.md b/content/telegraf/v1/output-plugins/kafka/_index.md index 6c6188c03..88c5a7974 100644 --- a/content/telegraf/v1/output-plugins/kafka/_index.md +++ b/content/telegraf/v1/output-plugins/kafka/_index.md @@ -10,7 +10,7 @@ introduced: "v0.1.7" os_support: "freebsd, linux, macos, solaris, windows" related: - /telegraf/v1/configure_plugins/ - - https://github.com/influxdata/telegraf/tree/v1.37.2/plugins/outputs/kafka/README.md, Kafka Plugin Source + - https://github.com/influxdata/telegraf/tree/v1.37.3/plugins/outputs/kafka/README.md, Kafka Plugin Source --- # Kafka Output Plugin diff --git a/content/telegraf/v1/output-plugins/kinesis/_index.md b/content/telegraf/v1/output-plugins/kinesis/_index.md index 9d6feacce..43f0c87c2 100644 --- a/content/telegraf/v1/output-plugins/kinesis/_index.md +++ b/content/telegraf/v1/output-plugins/kinesis/_index.md @@ -10,7 +10,7 @@ introduced: "v0.2.5" os_support: "freebsd, linux, macos, solaris, windows" related: - /telegraf/v1/configure_plugins/ - - https://github.com/influxdata/telegraf/tree/v1.37.2/plugins/outputs/kinesis/README.md, Amazon Kinesis Plugin Source + - https://github.com/influxdata/telegraf/tree/v1.37.3/plugins/outputs/kinesis/README.md, Amazon Kinesis Plugin Source --- # Amazon Kinesis Output Plugin diff --git a/content/telegraf/v1/output-plugins/librato/_index.md b/content/telegraf/v1/output-plugins/librato/_index.md index 9ee818970..5743b3848 100644 --- a/content/telegraf/v1/output-plugins/librato/_index.md +++ b/content/telegraf/v1/output-plugins/librato/_index.md @@ -10,7 +10,7 @@ introduced: "v0.2.0" os_support: "freebsd, linux, macos, solaris, windows" related: - /telegraf/v1/configure_plugins/ - - https://github.com/influxdata/telegraf/tree/v1.37.2/plugins/outputs/librato/README.md, Librato Plugin Source + - https://github.com/influxdata/telegraf/tree/v1.37.3/plugins/outputs/librato/README.md, Librato Plugin Source --- # Librato Output Plugin diff --git a/content/telegraf/v1/output-plugins/logzio/_index.md b/content/telegraf/v1/output-plugins/logzio/_index.md index d34c97137..66bcc79f8 100644 --- a/content/telegraf/v1/output-plugins/logzio/_index.md +++ b/content/telegraf/v1/output-plugins/logzio/_index.md @@ -10,7 +10,7 @@ introduced: "v1.17.0" os_support: "freebsd, linux, macos, solaris, windows" related: - /telegraf/v1/configure_plugins/ - - https://github.com/influxdata/telegraf/tree/v1.37.2/plugins/outputs/logzio/README.md, Logz.io Plugin Source + - https://github.com/influxdata/telegraf/tree/v1.37.3/plugins/outputs/logzio/README.md, Logz.io Plugin Source --- # Logz.io Output Plugin diff --git a/content/telegraf/v1/output-plugins/loki/_index.md b/content/telegraf/v1/output-plugins/loki/_index.md index 4408a9363..fa99386f7 100644 --- a/content/telegraf/v1/output-plugins/loki/_index.md +++ b/content/telegraf/v1/output-plugins/loki/_index.md @@ -10,7 +10,7 @@ introduced: "v1.18.0" os_support: "freebsd, linux, macos, solaris, windows" related: - /telegraf/v1/configure_plugins/ - - https://github.com/influxdata/telegraf/tree/v1.37.2/plugins/outputs/loki/README.md, Grafana Loki Plugin Source + - https://github.com/influxdata/telegraf/tree/v1.37.3/plugins/outputs/loki/README.md, Grafana Loki Plugin Source --- # Grafana Loki Output Plugin diff --git a/content/telegraf/v1/output-plugins/microsoft_fabric/_index.md b/content/telegraf/v1/output-plugins/microsoft_fabric/_index.md index 9d4e0c030..4607efbda 100644 --- a/content/telegraf/v1/output-plugins/microsoft_fabric/_index.md +++ b/content/telegraf/v1/output-plugins/microsoft_fabric/_index.md @@ -10,7 +10,7 @@ introduced: "v1.35.0" os_support: "freebsd, linux, macos, solaris, windows" related: - /telegraf/v1/configure_plugins/ - - https://github.com/influxdata/telegraf/tree/v1.37.2/plugins/outputs/microsoft_fabric/README.md, Microsoft Fabric Plugin Source + - https://github.com/influxdata/telegraf/tree/v1.37.3/plugins/outputs/microsoft_fabric/README.md, Microsoft Fabric Plugin Source --- # Microsoft Fabric Output Plugin diff --git a/content/telegraf/v1/output-plugins/mongodb/_index.md b/content/telegraf/v1/output-plugins/mongodb/_index.md index 6901e658f..412701a0b 100644 --- a/content/telegraf/v1/output-plugins/mongodb/_index.md +++ b/content/telegraf/v1/output-plugins/mongodb/_index.md @@ -10,7 +10,7 @@ introduced: "v1.21.0" os_support: "freebsd, linux, macos, solaris, windows" related: - /telegraf/v1/configure_plugins/ - - https://github.com/influxdata/telegraf/tree/v1.37.2/plugins/outputs/mongodb/README.md, MongoDB Plugin Source + - https://github.com/influxdata/telegraf/tree/v1.37.3/plugins/outputs/mongodb/README.md, MongoDB Plugin Source --- # MongoDB Output Plugin diff --git a/content/telegraf/v1/output-plugins/mqtt/_index.md b/content/telegraf/v1/output-plugins/mqtt/_index.md index 3cbbe175d..90a55b3a5 100644 --- a/content/telegraf/v1/output-plugins/mqtt/_index.md +++ b/content/telegraf/v1/output-plugins/mqtt/_index.md @@ -10,7 +10,7 @@ introduced: "v0.2.0" os_support: "freebsd, linux, macos, solaris, windows" related: - /telegraf/v1/configure_plugins/ - - https://github.com/influxdata/telegraf/tree/v1.37.2/plugins/outputs/mqtt/README.md, MQTT Producer Plugin Source + - https://github.com/influxdata/telegraf/tree/v1.37.3/plugins/outputs/mqtt/README.md, MQTT Producer Plugin Source --- # MQTT Producer Output Plugin diff --git a/content/telegraf/v1/output-plugins/nats/_index.md b/content/telegraf/v1/output-plugins/nats/_index.md index 568cfdd2a..a58f54476 100644 --- a/content/telegraf/v1/output-plugins/nats/_index.md +++ b/content/telegraf/v1/output-plugins/nats/_index.md @@ -10,7 +10,7 @@ introduced: "v1.1.0" os_support: "freebsd, linux, macos, solaris, windows" related: - /telegraf/v1/configure_plugins/ - - https://github.com/influxdata/telegraf/tree/v1.37.2/plugins/outputs/nats/README.md, NATS Plugin Source + - https://github.com/influxdata/telegraf/tree/v1.37.3/plugins/outputs/nats/README.md, NATS Plugin Source --- # NATS Output Plugin diff --git a/content/telegraf/v1/output-plugins/nebius_cloud_monitoring/_index.md b/content/telegraf/v1/output-plugins/nebius_cloud_monitoring/_index.md index f8d2de2df..8e55aad07 100644 --- a/content/telegraf/v1/output-plugins/nebius_cloud_monitoring/_index.md +++ b/content/telegraf/v1/output-plugins/nebius_cloud_monitoring/_index.md @@ -10,7 +10,7 @@ introduced: "v1.27.0" os_support: "freebsd, linux, macos, solaris, windows" related: - /telegraf/v1/configure_plugins/ - - https://github.com/influxdata/telegraf/tree/v1.37.2/plugins/outputs/nebius_cloud_monitoring/README.md, Nebius Cloud Monitoring Plugin Source + - https://github.com/influxdata/telegraf/tree/v1.37.3/plugins/outputs/nebius_cloud_monitoring/README.md, Nebius Cloud Monitoring Plugin Source --- # Nebius Cloud Monitoring Output Plugin diff --git a/content/telegraf/v1/output-plugins/newrelic/_index.md b/content/telegraf/v1/output-plugins/newrelic/_index.md index 6310db68e..f0df09e5d 100644 --- a/content/telegraf/v1/output-plugins/newrelic/_index.md +++ b/content/telegraf/v1/output-plugins/newrelic/_index.md @@ -10,7 +10,7 @@ introduced: "v1.15.0" os_support: "freebsd, linux, macos, solaris, windows" related: - /telegraf/v1/configure_plugins/ - - https://github.com/influxdata/telegraf/tree/v1.37.2/plugins/outputs/newrelic/README.md, New Relic Plugin Source + - https://github.com/influxdata/telegraf/tree/v1.37.3/plugins/outputs/newrelic/README.md, New Relic Plugin Source --- # New Relic Output Plugin diff --git a/content/telegraf/v1/output-plugins/nsq/_index.md b/content/telegraf/v1/output-plugins/nsq/_index.md index debf8f0bf..5dbb9bf6e 100644 --- a/content/telegraf/v1/output-plugins/nsq/_index.md +++ b/content/telegraf/v1/output-plugins/nsq/_index.md @@ -10,7 +10,7 @@ introduced: "v0.2.1" os_support: "freebsd, linux, macos, solaris, windows" related: - /telegraf/v1/configure_plugins/ - - https://github.com/influxdata/telegraf/tree/v1.37.2/plugins/outputs/nsq/README.md, NSQ Plugin Source + - https://github.com/influxdata/telegraf/tree/v1.37.3/plugins/outputs/nsq/README.md, NSQ Plugin Source --- # NSQ Output Plugin diff --git a/content/telegraf/v1/output-plugins/opensearch/_index.md b/content/telegraf/v1/output-plugins/opensearch/_index.md index c14d7b17c..273d6c951 100644 --- a/content/telegraf/v1/output-plugins/opensearch/_index.md +++ b/content/telegraf/v1/output-plugins/opensearch/_index.md @@ -10,7 +10,7 @@ introduced: "v1.29.0" os_support: "freebsd, linux, macos, solaris, windows" related: - /telegraf/v1/configure_plugins/ - - https://github.com/influxdata/telegraf/tree/v1.37.2/plugins/outputs/opensearch/README.md, OpenSearch Plugin Source + - https://github.com/influxdata/telegraf/tree/v1.37.3/plugins/outputs/opensearch/README.md, OpenSearch Plugin Source --- # OpenSearch Output Plugin diff --git a/content/telegraf/v1/output-plugins/opentelemetry/_index.md b/content/telegraf/v1/output-plugins/opentelemetry/_index.md index 8e2c79e5a..9828b7f89 100644 --- a/content/telegraf/v1/output-plugins/opentelemetry/_index.md +++ b/content/telegraf/v1/output-plugins/opentelemetry/_index.md @@ -10,7 +10,7 @@ introduced: "v1.20.0" os_support: "freebsd, linux, macos, solaris, windows" related: - /telegraf/v1/configure_plugins/ - - https://github.com/influxdata/telegraf/tree/v1.37.2/plugins/outputs/opentelemetry/README.md, OpenTelemetry Plugin Source + - https://github.com/influxdata/telegraf/tree/v1.37.3/plugins/outputs/opentelemetry/README.md, OpenTelemetry Plugin Source --- # OpenTelemetry Output Plugin diff --git a/content/telegraf/v1/output-plugins/opentsdb/_index.md b/content/telegraf/v1/output-plugins/opentsdb/_index.md index d7ae66de3..c6ca28884 100644 --- a/content/telegraf/v1/output-plugins/opentsdb/_index.md +++ b/content/telegraf/v1/output-plugins/opentsdb/_index.md @@ -10,7 +10,7 @@ introduced: "v0.1.9" os_support: "freebsd, linux, macos, solaris, windows" related: - /telegraf/v1/configure_plugins/ - - https://github.com/influxdata/telegraf/tree/v1.37.2/plugins/outputs/opentsdb/README.md, OpenTSDB Plugin Source + - https://github.com/influxdata/telegraf/tree/v1.37.3/plugins/outputs/opentsdb/README.md, OpenTSDB Plugin Source --- # OpenTSDB Output Plugin diff --git a/content/telegraf/v1/output-plugins/parquet/_index.md b/content/telegraf/v1/output-plugins/parquet/_index.md index 5144449ec..54a93686e 100644 --- a/content/telegraf/v1/output-plugins/parquet/_index.md +++ b/content/telegraf/v1/output-plugins/parquet/_index.md @@ -10,7 +10,7 @@ introduced: "v1.32.0" os_support: "freebsd, linux, macos, solaris, windows" related: - /telegraf/v1/configure_plugins/ - - https://github.com/influxdata/telegraf/tree/v1.37.2/plugins/outputs/parquet/README.md, Parquet Plugin Source + - https://github.com/influxdata/telegraf/tree/v1.37.3/plugins/outputs/parquet/README.md, Parquet Plugin Source --- # Parquet Output Plugin diff --git a/content/telegraf/v1/output-plugins/postgresql/_index.md b/content/telegraf/v1/output-plugins/postgresql/_index.md index 334cab21e..e3d0fb8dc 100644 --- a/content/telegraf/v1/output-plugins/postgresql/_index.md +++ b/content/telegraf/v1/output-plugins/postgresql/_index.md @@ -10,7 +10,7 @@ introduced: "v1.24.0" os_support: "freebsd, linux, macos, solaris, windows" related: - /telegraf/v1/configure_plugins/ - - https://github.com/influxdata/telegraf/tree/v1.37.2/plugins/outputs/postgresql/README.md, PostgreSQL Plugin Source + - https://github.com/influxdata/telegraf/tree/v1.37.3/plugins/outputs/postgresql/README.md, PostgreSQL Plugin Source --- # PostgreSQL Output Plugin diff --git a/content/telegraf/v1/output-plugins/prometheus_client/_index.md b/content/telegraf/v1/output-plugins/prometheus_client/_index.md index 558afa1c0..453807386 100644 --- a/content/telegraf/v1/output-plugins/prometheus_client/_index.md +++ b/content/telegraf/v1/output-plugins/prometheus_client/_index.md @@ -10,7 +10,7 @@ introduced: "v0.2.1" os_support: "freebsd, linux, macos, solaris, windows" related: - /telegraf/v1/configure_plugins/ - - https://github.com/influxdata/telegraf/tree/v1.37.2/plugins/outputs/prometheus_client/README.md, Prometheus Plugin Source + - https://github.com/influxdata/telegraf/tree/v1.37.3/plugins/outputs/prometheus_client/README.md, Prometheus Plugin Source --- # Prometheus Output Plugin diff --git a/content/telegraf/v1/output-plugins/quix/_index.md b/content/telegraf/v1/output-plugins/quix/_index.md index 88b86f772..06b3c9db0 100644 --- a/content/telegraf/v1/output-plugins/quix/_index.md +++ b/content/telegraf/v1/output-plugins/quix/_index.md @@ -10,7 +10,7 @@ introduced: "v1.33.0" os_support: "freebsd, linux, macos, solaris, windows" related: - /telegraf/v1/configure_plugins/ - - https://github.com/influxdata/telegraf/tree/v1.37.2/plugins/outputs/quix/README.md, Quix Plugin Source + - https://github.com/influxdata/telegraf/tree/v1.37.3/plugins/outputs/quix/README.md, Quix Plugin Source --- # Quix Output Plugin diff --git a/content/telegraf/v1/output-plugins/redistimeseries/_index.md b/content/telegraf/v1/output-plugins/redistimeseries/_index.md index 0b145b49c..b53fdcd48 100644 --- a/content/telegraf/v1/output-plugins/redistimeseries/_index.md +++ b/content/telegraf/v1/output-plugins/redistimeseries/_index.md @@ -10,7 +10,7 @@ introduced: "v1.0.0" os_support: "freebsd, linux, macos, solaris, windows" related: - /telegraf/v1/configure_plugins/ - - https://github.com/influxdata/telegraf/tree/v1.37.2/plugins/outputs/redistimeseries/README.md, Redis Time Series Plugin Source + - https://github.com/influxdata/telegraf/tree/v1.37.3/plugins/outputs/redistimeseries/README.md, Redis Time Series Plugin Source --- # Redis Time Series Output Plugin diff --git a/content/telegraf/v1/output-plugins/remotefile/_index.md b/content/telegraf/v1/output-plugins/remotefile/_index.md index 515b0139b..6474bc1dd 100644 --- a/content/telegraf/v1/output-plugins/remotefile/_index.md +++ b/content/telegraf/v1/output-plugins/remotefile/_index.md @@ -10,7 +10,7 @@ introduced: "v1.32.0" os_support: "freebsd, linux, macos, solaris, windows" related: - /telegraf/v1/configure_plugins/ - - https://github.com/influxdata/telegraf/tree/v1.37.2/plugins/outputs/remotefile/README.md, Remote File Plugin Source + - https://github.com/influxdata/telegraf/tree/v1.37.3/plugins/outputs/remotefile/README.md, Remote File Plugin Source --- # Remote File Output Plugin diff --git a/content/telegraf/v1/output-plugins/riemann/_index.md b/content/telegraf/v1/output-plugins/riemann/_index.md index 5e8ba82f4..2d1d3e6a4 100644 --- a/content/telegraf/v1/output-plugins/riemann/_index.md +++ b/content/telegraf/v1/output-plugins/riemann/_index.md @@ -10,7 +10,7 @@ introduced: "v1.3.0" os_support: "freebsd, linux, macos, solaris, windows" related: - /telegraf/v1/configure_plugins/ - - https://github.com/influxdata/telegraf/tree/v1.37.2/plugins/outputs/riemann/README.md, Riemann Plugin Source + - https://github.com/influxdata/telegraf/tree/v1.37.3/plugins/outputs/riemann/README.md, Riemann Plugin Source --- # Riemann Output Plugin diff --git a/content/telegraf/v1/output-plugins/sensu/_index.md b/content/telegraf/v1/output-plugins/sensu/_index.md index 0a9dd4baa..28c9d31bc 100644 --- a/content/telegraf/v1/output-plugins/sensu/_index.md +++ b/content/telegraf/v1/output-plugins/sensu/_index.md @@ -10,7 +10,7 @@ introduced: "v1.18.0" os_support: "freebsd, linux, macos, solaris, windows" related: - /telegraf/v1/configure_plugins/ - - https://github.com/influxdata/telegraf/tree/v1.37.2/plugins/outputs/sensu/README.md, Sensu Go Plugin Source + - https://github.com/influxdata/telegraf/tree/v1.37.3/plugins/outputs/sensu/README.md, Sensu Go Plugin Source --- # Sensu Go Output Plugin diff --git a/content/telegraf/v1/output-plugins/signalfx/_index.md b/content/telegraf/v1/output-plugins/signalfx/_index.md index 98e97236b..6bc09f840 100644 --- a/content/telegraf/v1/output-plugins/signalfx/_index.md +++ b/content/telegraf/v1/output-plugins/signalfx/_index.md @@ -10,7 +10,7 @@ introduced: "v1.18.0" os_support: "freebsd, linux, macos, solaris, windows" related: - /telegraf/v1/configure_plugins/ - - https://github.com/influxdata/telegraf/tree/v1.37.2/plugins/outputs/signalfx/README.md, SignalFx Plugin Source + - https://github.com/influxdata/telegraf/tree/v1.37.3/plugins/outputs/signalfx/README.md, SignalFx Plugin Source --- # SignalFx Output Plugin diff --git a/content/telegraf/v1/output-plugins/socket_writer/_index.md b/content/telegraf/v1/output-plugins/socket_writer/_index.md index 39d4a83a0..317126475 100644 --- a/content/telegraf/v1/output-plugins/socket_writer/_index.md +++ b/content/telegraf/v1/output-plugins/socket_writer/_index.md @@ -10,7 +10,7 @@ introduced: "v1.3.0" os_support: "freebsd, linux, macos, solaris, windows" related: - /telegraf/v1/configure_plugins/ - - https://github.com/influxdata/telegraf/tree/v1.37.2/plugins/outputs/socket_writer/README.md, Socket Writer Plugin Source + - https://github.com/influxdata/telegraf/tree/v1.37.3/plugins/outputs/socket_writer/README.md, Socket Writer Plugin Source --- # Socket Writer Output Plugin diff --git a/content/telegraf/v1/output-plugins/sql/_index.md b/content/telegraf/v1/output-plugins/sql/_index.md index 3d26da150..5359dbf73 100644 --- a/content/telegraf/v1/output-plugins/sql/_index.md +++ b/content/telegraf/v1/output-plugins/sql/_index.md @@ -10,7 +10,7 @@ introduced: "v1.19.0" os_support: "freebsd, linux, macos, solaris, windows" related: - /telegraf/v1/configure_plugins/ - - https://github.com/influxdata/telegraf/tree/v1.37.2/plugins/outputs/sql/README.md, SQL Plugin Source + - https://github.com/influxdata/telegraf/tree/v1.37.3/plugins/outputs/sql/README.md, SQL Plugin Source --- # SQL Output Plugin diff --git a/content/telegraf/v1/output-plugins/stackdriver/_index.md b/content/telegraf/v1/output-plugins/stackdriver/_index.md index 2e739e148..9945f4a36 100644 --- a/content/telegraf/v1/output-plugins/stackdriver/_index.md +++ b/content/telegraf/v1/output-plugins/stackdriver/_index.md @@ -10,7 +10,7 @@ introduced: "v1.9.0" os_support: "freebsd, linux, macos, solaris, windows" related: - /telegraf/v1/configure_plugins/ - - https://github.com/influxdata/telegraf/tree/v1.37.2/plugins/outputs/stackdriver/README.md, Google Cloud Monitoring Plugin Source + - https://github.com/influxdata/telegraf/tree/v1.37.3/plugins/outputs/stackdriver/README.md, Google Cloud Monitoring Plugin Source --- # Google Cloud Monitoring Output Plugin diff --git a/content/telegraf/v1/output-plugins/stomp/_index.md b/content/telegraf/v1/output-plugins/stomp/_index.md index 428895ea1..9f1b5bffa 100644 --- a/content/telegraf/v1/output-plugins/stomp/_index.md +++ b/content/telegraf/v1/output-plugins/stomp/_index.md @@ -10,7 +10,7 @@ introduced: "v1.24.0" os_support: "freebsd, linux, macos, solaris, windows" related: - /telegraf/v1/configure_plugins/ - - https://github.com/influxdata/telegraf/tree/v1.37.2/plugins/outputs/stomp/README.md, ActiveMQ STOMP Plugin Source + - https://github.com/influxdata/telegraf/tree/v1.37.3/plugins/outputs/stomp/README.md, ActiveMQ STOMP Plugin Source --- # ActiveMQ STOMP Output Plugin diff --git a/content/telegraf/v1/output-plugins/sumologic/_index.md b/content/telegraf/v1/output-plugins/sumologic/_index.md index 58e51ea0c..9535aa1d7 100644 --- a/content/telegraf/v1/output-plugins/sumologic/_index.md +++ b/content/telegraf/v1/output-plugins/sumologic/_index.md @@ -10,7 +10,7 @@ introduced: "v1.16.0" os_support: "freebsd, linux, macos, solaris, windows" related: - /telegraf/v1/configure_plugins/ - - https://github.com/influxdata/telegraf/tree/v1.37.2/plugins/outputs/sumologic/README.md, Sumo Logic Plugin Source + - https://github.com/influxdata/telegraf/tree/v1.37.3/plugins/outputs/sumologic/README.md, Sumo Logic Plugin Source --- # Sumo Logic Output Plugin diff --git a/content/telegraf/v1/output-plugins/syslog/_index.md b/content/telegraf/v1/output-plugins/syslog/_index.md index 735ebaae9..d67879247 100644 --- a/content/telegraf/v1/output-plugins/syslog/_index.md +++ b/content/telegraf/v1/output-plugins/syslog/_index.md @@ -10,7 +10,7 @@ introduced: "v1.11.0" os_support: "freebsd, linux, macos, solaris, windows" related: - /telegraf/v1/configure_plugins/ - - https://github.com/influxdata/telegraf/tree/v1.37.2/plugins/outputs/syslog/README.md, Syslog Plugin Source + - https://github.com/influxdata/telegraf/tree/v1.37.3/plugins/outputs/syslog/README.md, Syslog Plugin Source --- # Syslog Output Plugin diff --git a/content/telegraf/v1/output-plugins/timestream/_index.md b/content/telegraf/v1/output-plugins/timestream/_index.md index 694f72329..76a739153 100644 --- a/content/telegraf/v1/output-plugins/timestream/_index.md +++ b/content/telegraf/v1/output-plugins/timestream/_index.md @@ -10,7 +10,7 @@ introduced: "v1.16.0" os_support: "freebsd, linux, macos, solaris, windows" related: - /telegraf/v1/configure_plugins/ - - https://github.com/influxdata/telegraf/tree/v1.37.2/plugins/outputs/timestream/README.md, Amazon Timestream Plugin Source + - https://github.com/influxdata/telegraf/tree/v1.37.3/plugins/outputs/timestream/README.md, Amazon Timestream Plugin Source --- # Amazon Timestream Output Plugin diff --git a/content/telegraf/v1/output-plugins/warp10/_index.md b/content/telegraf/v1/output-plugins/warp10/_index.md index a95d23a0b..9abc0635c 100644 --- a/content/telegraf/v1/output-plugins/warp10/_index.md +++ b/content/telegraf/v1/output-plugins/warp10/_index.md @@ -10,7 +10,7 @@ introduced: "v1.14.0" os_support: "freebsd, linux, macos, solaris, windows" related: - /telegraf/v1/configure_plugins/ - - https://github.com/influxdata/telegraf/tree/v1.37.2/plugins/outputs/warp10/README.md, Warp10 Plugin Source + - https://github.com/influxdata/telegraf/tree/v1.37.3/plugins/outputs/warp10/README.md, Warp10 Plugin Source --- # Warp10 Output Plugin diff --git a/content/telegraf/v1/output-plugins/wavefront/_index.md b/content/telegraf/v1/output-plugins/wavefront/_index.md index a8dd4ce40..5354bbc07 100644 --- a/content/telegraf/v1/output-plugins/wavefront/_index.md +++ b/content/telegraf/v1/output-plugins/wavefront/_index.md @@ -10,7 +10,7 @@ introduced: "v1.5.0" os_support: "freebsd, linux, macos, solaris, windows" related: - /telegraf/v1/configure_plugins/ - - https://github.com/influxdata/telegraf/tree/v1.37.2/plugins/outputs/wavefront/README.md, Wavefront Plugin Source + - https://github.com/influxdata/telegraf/tree/v1.37.3/plugins/outputs/wavefront/README.md, Wavefront Plugin Source --- # Wavefront Output Plugin diff --git a/content/telegraf/v1/output-plugins/websocket/_index.md b/content/telegraf/v1/output-plugins/websocket/_index.md index 97c95c40d..2cf7d56e7 100644 --- a/content/telegraf/v1/output-plugins/websocket/_index.md +++ b/content/telegraf/v1/output-plugins/websocket/_index.md @@ -10,7 +10,7 @@ introduced: "v1.19.0" os_support: "freebsd, linux, macos, solaris, windows" related: - /telegraf/v1/configure_plugins/ - - https://github.com/influxdata/telegraf/tree/v1.37.2/plugins/outputs/websocket/README.md, Websocket Plugin Source + - https://github.com/influxdata/telegraf/tree/v1.37.3/plugins/outputs/websocket/README.md, Websocket Plugin Source --- # Websocket Output Plugin diff --git a/content/telegraf/v1/output-plugins/yandex_cloud_monitoring/_index.md b/content/telegraf/v1/output-plugins/yandex_cloud_monitoring/_index.md index 5b4097697..32e86d1d9 100644 --- a/content/telegraf/v1/output-plugins/yandex_cloud_monitoring/_index.md +++ b/content/telegraf/v1/output-plugins/yandex_cloud_monitoring/_index.md @@ -10,7 +10,7 @@ introduced: "v1.17.0" os_support: "freebsd, linux, macos, solaris, windows" related: - /telegraf/v1/configure_plugins/ - - https://github.com/influxdata/telegraf/tree/v1.37.2/plugins/outputs/yandex_cloud_monitoring/README.md, Yandex Cloud Monitoring Plugin Source + - https://github.com/influxdata/telegraf/tree/v1.37.3/plugins/outputs/yandex_cloud_monitoring/README.md, Yandex Cloud Monitoring Plugin Source --- # Yandex Cloud Monitoring Output Plugin diff --git a/content/telegraf/v1/output-plugins/zabbix/_index.md b/content/telegraf/v1/output-plugins/zabbix/_index.md index 792819f91..b1cbac242 100644 --- a/content/telegraf/v1/output-plugins/zabbix/_index.md +++ b/content/telegraf/v1/output-plugins/zabbix/_index.md @@ -10,7 +10,7 @@ introduced: "v1.30.0" os_support: "freebsd, linux, macos, solaris, windows" related: - /telegraf/v1/configure_plugins/ - - https://github.com/influxdata/telegraf/tree/v1.37.2/plugins/outputs/zabbix/README.md, Zabbix Plugin Source + - https://github.com/influxdata/telegraf/tree/v1.37.3/plugins/outputs/zabbix/README.md, Zabbix Plugin Source --- # Zabbix Output Plugin diff --git a/content/telegraf/v1/processor-plugins/aws_ec2/_index.md b/content/telegraf/v1/processor-plugins/aws_ec2/_index.md index 3d7e74554..002487e2a 100644 --- a/content/telegraf/v1/processor-plugins/aws_ec2/_index.md +++ b/content/telegraf/v1/processor-plugins/aws_ec2/_index.md @@ -10,7 +10,7 @@ introduced: "v1.18.0" os_support: "freebsd, linux, macos, solaris, windows" related: - /telegraf/v1/configure_plugins/ - - https://github.com/influxdata/telegraf/tree/v1.37.2/plugins/processors/aws_ec2/README.md, AWS EC2 Metadata Plugin Source + - https://github.com/influxdata/telegraf/tree/v1.37.3/plugins/processors/aws_ec2/README.md, AWS EC2 Metadata Plugin Source --- # AWS EC2 Metadata Processor Plugin diff --git a/content/telegraf/v1/processor-plugins/batch/_index.md b/content/telegraf/v1/processor-plugins/batch/_index.md index faf86a9c4..73ff3f788 100644 --- a/content/telegraf/v1/processor-plugins/batch/_index.md +++ b/content/telegraf/v1/processor-plugins/batch/_index.md @@ -10,7 +10,7 @@ introduced: "v1.33.0" os_support: "freebsd, linux, macos, solaris, windows" related: - /telegraf/v1/configure_plugins/ - - https://github.com/influxdata/telegraf/tree/v1.37.2/plugins/processors/batch/README.md, Batch Plugin Source + - https://github.com/influxdata/telegraf/tree/v1.37.3/plugins/processors/batch/README.md, Batch Plugin Source --- # Batch Processor Plugin diff --git a/content/telegraf/v1/processor-plugins/clone/_index.md b/content/telegraf/v1/processor-plugins/clone/_index.md index f5e46cb3e..32519a7e2 100644 --- a/content/telegraf/v1/processor-plugins/clone/_index.md +++ b/content/telegraf/v1/processor-plugins/clone/_index.md @@ -10,7 +10,7 @@ introduced: "v1.13.0" os_support: "freebsd, linux, macos, solaris, windows" related: - /telegraf/v1/configure_plugins/ - - https://github.com/influxdata/telegraf/tree/v1.37.2/plugins/processors/clone/README.md, Clone Plugin Source + - https://github.com/influxdata/telegraf/tree/v1.37.3/plugins/processors/clone/README.md, Clone Plugin Source --- # Clone Processor Plugin diff --git a/content/telegraf/v1/processor-plugins/converter/_index.md b/content/telegraf/v1/processor-plugins/converter/_index.md index 6c8110e4b..70a2f831d 100644 --- a/content/telegraf/v1/processor-plugins/converter/_index.md +++ b/content/telegraf/v1/processor-plugins/converter/_index.md @@ -10,7 +10,7 @@ introduced: "v1.7.0" os_support: "freebsd, linux, macos, solaris, windows" related: - /telegraf/v1/configure_plugins/ - - https://github.com/influxdata/telegraf/tree/v1.37.2/plugins/processors/converter/README.md, Converter Plugin Source + - https://github.com/influxdata/telegraf/tree/v1.37.3/plugins/processors/converter/README.md, Converter Plugin Source --- # Converter Processor Plugin diff --git a/content/telegraf/v1/processor-plugins/cumulative_sum/_index.md b/content/telegraf/v1/processor-plugins/cumulative_sum/_index.md index c2c3131d7..b00022072 100644 --- a/content/telegraf/v1/processor-plugins/cumulative_sum/_index.md +++ b/content/telegraf/v1/processor-plugins/cumulative_sum/_index.md @@ -10,7 +10,7 @@ introduced: "v1.35.0" os_support: "freebsd, linux, macos, solaris, windows" related: - /telegraf/v1/configure_plugins/ - - https://github.com/influxdata/telegraf/tree/v1.37.2/plugins/processors/cumulative_sum/README.md, Cumulative Sum Plugin Source + - https://github.com/influxdata/telegraf/tree/v1.37.3/plugins/processors/cumulative_sum/README.md, Cumulative Sum Plugin Source --- # Cumulative Sum Processor Plugin diff --git a/content/telegraf/v1/processor-plugins/date/_index.md b/content/telegraf/v1/processor-plugins/date/_index.md index 024f6bd4d..6aae7d255 100644 --- a/content/telegraf/v1/processor-plugins/date/_index.md +++ b/content/telegraf/v1/processor-plugins/date/_index.md @@ -10,7 +10,7 @@ introduced: "v1.12.0" os_support: "freebsd, linux, macos, solaris, windows" related: - /telegraf/v1/configure_plugins/ - - https://github.com/influxdata/telegraf/tree/v1.37.2/plugins/processors/date/README.md, Date Plugin Source + - https://github.com/influxdata/telegraf/tree/v1.37.3/plugins/processors/date/README.md, Date Plugin Source --- # Date Processor Plugin diff --git a/content/telegraf/v1/processor-plugins/dedup/_index.md b/content/telegraf/v1/processor-plugins/dedup/_index.md index b82849514..93de9b711 100644 --- a/content/telegraf/v1/processor-plugins/dedup/_index.md +++ b/content/telegraf/v1/processor-plugins/dedup/_index.md @@ -10,7 +10,7 @@ introduced: "v1.14.0" os_support: "freebsd, linux, macos, solaris, windows" related: - /telegraf/v1/configure_plugins/ - - https://github.com/influxdata/telegraf/tree/v1.37.2/plugins/processors/dedup/README.md, Dedup Plugin Source + - https://github.com/influxdata/telegraf/tree/v1.37.3/plugins/processors/dedup/README.md, Dedup Plugin Source --- # Dedup Processor Plugin diff --git a/content/telegraf/v1/processor-plugins/defaults/_index.md b/content/telegraf/v1/processor-plugins/defaults/_index.md index fbc6b85d8..1547879b2 100644 --- a/content/telegraf/v1/processor-plugins/defaults/_index.md +++ b/content/telegraf/v1/processor-plugins/defaults/_index.md @@ -10,7 +10,7 @@ introduced: "v1.15.0" os_support: "freebsd, linux, macos, solaris, windows" related: - /telegraf/v1/configure_plugins/ - - https://github.com/influxdata/telegraf/tree/v1.37.2/plugins/processors/defaults/README.md, Defaults Plugin Source + - https://github.com/influxdata/telegraf/tree/v1.37.3/plugins/processors/defaults/README.md, Defaults Plugin Source --- # Defaults Processor Plugin diff --git a/content/telegraf/v1/processor-plugins/enum/_index.md b/content/telegraf/v1/processor-plugins/enum/_index.md index 7f0472367..1bdababff 100644 --- a/content/telegraf/v1/processor-plugins/enum/_index.md +++ b/content/telegraf/v1/processor-plugins/enum/_index.md @@ -10,7 +10,7 @@ introduced: "v1.8.0" os_support: "freebsd, linux, macos, solaris, windows" related: - /telegraf/v1/configure_plugins/ - - https://github.com/influxdata/telegraf/tree/v1.37.2/plugins/processors/enum/README.md, Enum Plugin Source + - https://github.com/influxdata/telegraf/tree/v1.37.3/plugins/processors/enum/README.md, Enum Plugin Source --- # Enum Processor Plugin diff --git a/content/telegraf/v1/processor-plugins/execd/_index.md b/content/telegraf/v1/processor-plugins/execd/_index.md index ef58166c2..20eadfdfc 100644 --- a/content/telegraf/v1/processor-plugins/execd/_index.md +++ b/content/telegraf/v1/processor-plugins/execd/_index.md @@ -10,7 +10,7 @@ introduced: "v1.15.0" os_support: "freebsd, linux, macos, solaris, windows" related: - /telegraf/v1/configure_plugins/ - - https://github.com/influxdata/telegraf/tree/v1.37.2/plugins/processors/execd/README.md, Execd Plugin Source + - https://github.com/influxdata/telegraf/tree/v1.37.3/plugins/processors/execd/README.md, Execd Plugin Source --- # Execd Processor Plugin diff --git a/content/telegraf/v1/processor-plugins/filepath/_index.md b/content/telegraf/v1/processor-plugins/filepath/_index.md index 7ba517e19..f210ae661 100644 --- a/content/telegraf/v1/processor-plugins/filepath/_index.md +++ b/content/telegraf/v1/processor-plugins/filepath/_index.md @@ -10,7 +10,7 @@ introduced: "v1.15.0" os_support: "freebsd, linux, macos, solaris, windows" related: - /telegraf/v1/configure_plugins/ - - https://github.com/influxdata/telegraf/tree/v1.37.2/plugins/processors/filepath/README.md, Filepath Plugin Source + - https://github.com/influxdata/telegraf/tree/v1.37.3/plugins/processors/filepath/README.md, Filepath Plugin Source --- # Filepath Processor Plugin diff --git a/content/telegraf/v1/processor-plugins/filter/_index.md b/content/telegraf/v1/processor-plugins/filter/_index.md index fac319c11..f49fca7ce 100644 --- a/content/telegraf/v1/processor-plugins/filter/_index.md +++ b/content/telegraf/v1/processor-plugins/filter/_index.md @@ -10,7 +10,7 @@ introduced: "v1.29.0" os_support: "freebsd, linux, macos, solaris, windows" related: - /telegraf/v1/configure_plugins/ - - https://github.com/influxdata/telegraf/tree/v1.37.2/plugins/processors/filter/README.md, Filter Plugin Source + - https://github.com/influxdata/telegraf/tree/v1.37.3/plugins/processors/filter/README.md, Filter Plugin Source --- # Filter Processor Plugin diff --git a/content/telegraf/v1/processor-plugins/ifname/_index.md b/content/telegraf/v1/processor-plugins/ifname/_index.md index 09a92d957..09ae56720 100644 --- a/content/telegraf/v1/processor-plugins/ifname/_index.md +++ b/content/telegraf/v1/processor-plugins/ifname/_index.md @@ -10,7 +10,7 @@ introduced: "v1.15.0" os_support: "freebsd, linux, macos, solaris, windows" related: - /telegraf/v1/configure_plugins/ - - https://github.com/influxdata/telegraf/tree/v1.37.2/plugins/processors/ifname/README.md, Network Interface Name Plugin Source + - https://github.com/influxdata/telegraf/tree/v1.37.3/plugins/processors/ifname/README.md, Network Interface Name Plugin Source --- # Network Interface Name Processor Plugin diff --git a/content/telegraf/v1/processor-plugins/lookup/_index.md b/content/telegraf/v1/processor-plugins/lookup/_index.md index c2ecee6c4..61615c084 100644 --- a/content/telegraf/v1/processor-plugins/lookup/_index.md +++ b/content/telegraf/v1/processor-plugins/lookup/_index.md @@ -10,7 +10,7 @@ introduced: "v1.15.0" os_support: "freebsd, linux, macos, solaris, windows" related: - /telegraf/v1/configure_plugins/ - - https://github.com/influxdata/telegraf/tree/v1.37.2/plugins/processors/lookup/README.md, Lookup Plugin Source + - https://github.com/influxdata/telegraf/tree/v1.37.3/plugins/processors/lookup/README.md, Lookup Plugin Source --- # Lookup Processor Plugin diff --git a/content/telegraf/v1/processor-plugins/noise/_index.md b/content/telegraf/v1/processor-plugins/noise/_index.md index 971838ae6..327940fda 100644 --- a/content/telegraf/v1/processor-plugins/noise/_index.md +++ b/content/telegraf/v1/processor-plugins/noise/_index.md @@ -10,7 +10,7 @@ introduced: "v1.22.0" os_support: "freebsd, linux, macos, solaris, windows" related: - /telegraf/v1/configure_plugins/ - - https://github.com/influxdata/telegraf/tree/v1.37.2/plugins/processors/noise/README.md, Noise Plugin Source + - https://github.com/influxdata/telegraf/tree/v1.37.3/plugins/processors/noise/README.md, Noise Plugin Source --- # Noise Processor Plugin diff --git a/content/telegraf/v1/processor-plugins/override/_index.md b/content/telegraf/v1/processor-plugins/override/_index.md index 4040105ca..8dd104865 100644 --- a/content/telegraf/v1/processor-plugins/override/_index.md +++ b/content/telegraf/v1/processor-plugins/override/_index.md @@ -10,7 +10,7 @@ introduced: "v1.6.0" os_support: "freebsd, linux, macos, solaris, windows" related: - /telegraf/v1/configure_plugins/ - - https://github.com/influxdata/telegraf/tree/v1.37.2/plugins/processors/override/README.md, Override Plugin Source + - https://github.com/influxdata/telegraf/tree/v1.37.3/plugins/processors/override/README.md, Override Plugin Source --- # Override Processor Plugin diff --git a/content/telegraf/v1/processor-plugins/parser/_index.md b/content/telegraf/v1/processor-plugins/parser/_index.md index 4d3744685..f4afb64ee 100644 --- a/content/telegraf/v1/processor-plugins/parser/_index.md +++ b/content/telegraf/v1/processor-plugins/parser/_index.md @@ -10,7 +10,7 @@ introduced: "v1.8.0" os_support: "freebsd, linux, macos, solaris, windows" related: - /telegraf/v1/configure_plugins/ - - https://github.com/influxdata/telegraf/tree/v1.37.2/plugins/processors/parser/README.md, Parser Plugin Source + - https://github.com/influxdata/telegraf/tree/v1.37.3/plugins/processors/parser/README.md, Parser Plugin Source --- # Parser Processor Plugin diff --git a/content/telegraf/v1/processor-plugins/pivot/_index.md b/content/telegraf/v1/processor-plugins/pivot/_index.md index 683fc3061..8e4855d9e 100644 --- a/content/telegraf/v1/processor-plugins/pivot/_index.md +++ b/content/telegraf/v1/processor-plugins/pivot/_index.md @@ -10,7 +10,7 @@ introduced: "v1.12.0" os_support: "freebsd, linux, macos, solaris, windows" related: - /telegraf/v1/configure_plugins/ - - https://github.com/influxdata/telegraf/tree/v1.37.2/plugins/processors/pivot/README.md, Pivot Plugin Source + - https://github.com/influxdata/telegraf/tree/v1.37.3/plugins/processors/pivot/README.md, Pivot Plugin Source --- # Pivot Processor Plugin diff --git a/content/telegraf/v1/processor-plugins/port_name/_index.md b/content/telegraf/v1/processor-plugins/port_name/_index.md index 14e4aa0f4..f74cf9677 100644 --- a/content/telegraf/v1/processor-plugins/port_name/_index.md +++ b/content/telegraf/v1/processor-plugins/port_name/_index.md @@ -10,7 +10,7 @@ introduced: "v1.15.0" os_support: "freebsd, linux, macos, solaris, windows" related: - /telegraf/v1/configure_plugins/ - - https://github.com/influxdata/telegraf/tree/v1.37.2/plugins/processors/port_name/README.md, Port Name Lookup Plugin Source + - https://github.com/influxdata/telegraf/tree/v1.37.3/plugins/processors/port_name/README.md, Port Name Lookup Plugin Source --- # Port Name Lookup Processor Plugin diff --git a/content/telegraf/v1/processor-plugins/printer/_index.md b/content/telegraf/v1/processor-plugins/printer/_index.md index 7604819a2..f42278c06 100644 --- a/content/telegraf/v1/processor-plugins/printer/_index.md +++ b/content/telegraf/v1/processor-plugins/printer/_index.md @@ -10,7 +10,7 @@ introduced: "v1.1.0" os_support: "freebsd, linux, macos, solaris, windows" related: - /telegraf/v1/configure_plugins/ - - https://github.com/influxdata/telegraf/tree/v1.37.2/plugins/processors/printer/README.md, Printer Plugin Source + - https://github.com/influxdata/telegraf/tree/v1.37.3/plugins/processors/printer/README.md, Printer Plugin Source --- # Printer Processor Plugin diff --git a/content/telegraf/v1/processor-plugins/regex/_index.md b/content/telegraf/v1/processor-plugins/regex/_index.md index b9c1db153..ad91a5703 100644 --- a/content/telegraf/v1/processor-plugins/regex/_index.md +++ b/content/telegraf/v1/processor-plugins/regex/_index.md @@ -10,7 +10,7 @@ introduced: "v1.7.0" os_support: "freebsd, linux, macos, solaris, windows" related: - /telegraf/v1/configure_plugins/ - - https://github.com/influxdata/telegraf/tree/v1.37.2/plugins/processors/regex/README.md, Regex Plugin Source + - https://github.com/influxdata/telegraf/tree/v1.37.3/plugins/processors/regex/README.md, Regex Plugin Source --- # Regex Processor Plugin diff --git a/content/telegraf/v1/processor-plugins/rename/_index.md b/content/telegraf/v1/processor-plugins/rename/_index.md index de671c170..b479855cb 100644 --- a/content/telegraf/v1/processor-plugins/rename/_index.md +++ b/content/telegraf/v1/processor-plugins/rename/_index.md @@ -10,7 +10,7 @@ introduced: "v1.8.0" os_support: "freebsd, linux, macos, solaris, windows" related: - /telegraf/v1/configure_plugins/ - - https://github.com/influxdata/telegraf/tree/v1.37.2/plugins/processors/rename/README.md, Rename Plugin Source + - https://github.com/influxdata/telegraf/tree/v1.37.3/plugins/processors/rename/README.md, Rename Plugin Source --- # Rename Processor Plugin diff --git a/content/telegraf/v1/processor-plugins/reverse_dns/_index.md b/content/telegraf/v1/processor-plugins/reverse_dns/_index.md index ea22ad2cb..0c10608c4 100644 --- a/content/telegraf/v1/processor-plugins/reverse_dns/_index.md +++ b/content/telegraf/v1/processor-plugins/reverse_dns/_index.md @@ -10,7 +10,7 @@ introduced: "v1.15.0" os_support: "freebsd, linux, macos, solaris, windows" related: - /telegraf/v1/configure_plugins/ - - https://github.com/influxdata/telegraf/tree/v1.37.2/plugins/processors/reverse_dns/README.md, Reverse DNS Plugin Source + - https://github.com/influxdata/telegraf/tree/v1.37.3/plugins/processors/reverse_dns/README.md, Reverse DNS Plugin Source --- # Reverse DNS Processor Plugin diff --git a/content/telegraf/v1/processor-plugins/round/_index.md b/content/telegraf/v1/processor-plugins/round/_index.md index f8903bc07..1f8ef2287 100644 --- a/content/telegraf/v1/processor-plugins/round/_index.md +++ b/content/telegraf/v1/processor-plugins/round/_index.md @@ -10,7 +10,7 @@ introduced: "v1.36.0" os_support: "freebsd, linux, macos, solaris, windows" related: - /telegraf/v1/configure_plugins/ - - https://github.com/influxdata/telegraf/tree/v1.37.2/plugins/processors/round/README.md, Round Plugin Source + - https://github.com/influxdata/telegraf/tree/v1.37.3/plugins/processors/round/README.md, Round Plugin Source --- # Round Processor Plugin diff --git a/content/telegraf/v1/processor-plugins/s2geo/_index.md b/content/telegraf/v1/processor-plugins/s2geo/_index.md index 0185e6a1b..0acfdb7f8 100644 --- a/content/telegraf/v1/processor-plugins/s2geo/_index.md +++ b/content/telegraf/v1/processor-plugins/s2geo/_index.md @@ -10,7 +10,7 @@ introduced: "v1.14.0" os_support: "freebsd, linux, macos, solaris, windows" related: - /telegraf/v1/configure_plugins/ - - https://github.com/influxdata/telegraf/tree/v1.37.2/plugins/processors/s2geo/README.md, S2 Geo Plugin Source + - https://github.com/influxdata/telegraf/tree/v1.37.3/plugins/processors/s2geo/README.md, S2 Geo Plugin Source --- # S2 Geo Processor Plugin diff --git a/content/telegraf/v1/processor-plugins/scale/_index.md b/content/telegraf/v1/processor-plugins/scale/_index.md index a35186232..18fb212f5 100644 --- a/content/telegraf/v1/processor-plugins/scale/_index.md +++ b/content/telegraf/v1/processor-plugins/scale/_index.md @@ -10,7 +10,7 @@ introduced: "v1.27.0" os_support: "freebsd, linux, macos, solaris, windows" related: - /telegraf/v1/configure_plugins/ - - https://github.com/influxdata/telegraf/tree/v1.37.2/plugins/processors/scale/README.md, Scale Plugin Source + - https://github.com/influxdata/telegraf/tree/v1.37.3/plugins/processors/scale/README.md, Scale Plugin Source --- # Scale Processor Plugin diff --git a/content/telegraf/v1/processor-plugins/snmp_lookup/_index.md b/content/telegraf/v1/processor-plugins/snmp_lookup/_index.md index 304fc5f0b..8f67100fb 100644 --- a/content/telegraf/v1/processor-plugins/snmp_lookup/_index.md +++ b/content/telegraf/v1/processor-plugins/snmp_lookup/_index.md @@ -10,7 +10,7 @@ introduced: "v1.30.0" os_support: "freebsd, linux, macos, solaris, windows" related: - /telegraf/v1/configure_plugins/ - - https://github.com/influxdata/telegraf/tree/v1.37.2/plugins/processors/snmp_lookup/README.md, SNMP Lookup Plugin Source + - https://github.com/influxdata/telegraf/tree/v1.37.3/plugins/processors/snmp_lookup/README.md, SNMP Lookup Plugin Source --- # SNMP Lookup Processor Plugin diff --git a/content/telegraf/v1/processor-plugins/split/_index.md b/content/telegraf/v1/processor-plugins/split/_index.md index faa03a444..7cde5f967 100644 --- a/content/telegraf/v1/processor-plugins/split/_index.md +++ b/content/telegraf/v1/processor-plugins/split/_index.md @@ -10,7 +10,7 @@ introduced: "v1.28.0" os_support: "freebsd, linux, macos, solaris, windows" related: - /telegraf/v1/configure_plugins/ - - https://github.com/influxdata/telegraf/tree/v1.37.2/plugins/processors/split/README.md, Split Plugin Source + - https://github.com/influxdata/telegraf/tree/v1.37.3/plugins/processors/split/README.md, Split Plugin Source --- # Split Processor Plugin diff --git a/content/telegraf/v1/processor-plugins/starlark/_index.md b/content/telegraf/v1/processor-plugins/starlark/_index.md index ffe479a5f..6bfade8f8 100644 --- a/content/telegraf/v1/processor-plugins/starlark/_index.md +++ b/content/telegraf/v1/processor-plugins/starlark/_index.md @@ -10,7 +10,7 @@ introduced: "v1.15.0" os_support: "freebsd, linux, macos, solaris, windows" related: - /telegraf/v1/configure_plugins/ - - https://github.com/influxdata/telegraf/tree/v1.37.2/plugins/processors/starlark/README.md, Starlark Plugin Source + - https://github.com/influxdata/telegraf/tree/v1.37.3/plugins/processors/starlark/README.md, Starlark Plugin Source --- # Starlark Processor Plugin diff --git a/content/telegraf/v1/processor-plugins/strings/_index.md b/content/telegraf/v1/processor-plugins/strings/_index.md index 42e61adac..45ce80ad7 100644 --- a/content/telegraf/v1/processor-plugins/strings/_index.md +++ b/content/telegraf/v1/processor-plugins/strings/_index.md @@ -10,7 +10,7 @@ introduced: "v1.8.0" os_support: "freebsd, linux, macos, solaris, windows" related: - /telegraf/v1/configure_plugins/ - - https://github.com/influxdata/telegraf/tree/v1.37.2/plugins/processors/strings/README.md, Strings Plugin Source + - https://github.com/influxdata/telegraf/tree/v1.37.3/plugins/processors/strings/README.md, Strings Plugin Source --- # Strings Processor Plugin diff --git a/content/telegraf/v1/processor-plugins/tag_limit/_index.md b/content/telegraf/v1/processor-plugins/tag_limit/_index.md index d56803a70..1b5c76f2b 100644 --- a/content/telegraf/v1/processor-plugins/tag_limit/_index.md +++ b/content/telegraf/v1/processor-plugins/tag_limit/_index.md @@ -10,7 +10,7 @@ introduced: "v1.12.0" os_support: "freebsd, linux, macos, solaris, windows" related: - /telegraf/v1/configure_plugins/ - - https://github.com/influxdata/telegraf/tree/v1.37.2/plugins/processors/tag_limit/README.md, Tag Limit Plugin Source + - https://github.com/influxdata/telegraf/tree/v1.37.3/plugins/processors/tag_limit/README.md, Tag Limit Plugin Source --- # Tag Limit Processor Plugin diff --git a/content/telegraf/v1/processor-plugins/template/_index.md b/content/telegraf/v1/processor-plugins/template/_index.md index 1ed2ffada..27bc28d99 100644 --- a/content/telegraf/v1/processor-plugins/template/_index.md +++ b/content/telegraf/v1/processor-plugins/template/_index.md @@ -10,7 +10,7 @@ introduced: "v1.14.0" os_support: "freebsd, linux, macos, solaris, windows" related: - /telegraf/v1/configure_plugins/ - - https://github.com/influxdata/telegraf/tree/v1.37.2/plugins/processors/template/README.md, Template Plugin Source + - https://github.com/influxdata/telegraf/tree/v1.37.3/plugins/processors/template/README.md, Template Plugin Source --- # Template Processor Plugin diff --git a/content/telegraf/v1/processor-plugins/timestamp/_index.md b/content/telegraf/v1/processor-plugins/timestamp/_index.md index 29f5bb3b2..e0fe60723 100644 --- a/content/telegraf/v1/processor-plugins/timestamp/_index.md +++ b/content/telegraf/v1/processor-plugins/timestamp/_index.md @@ -10,7 +10,7 @@ introduced: "v1.31.0" os_support: "freebsd, linux, macos, solaris, windows" related: - /telegraf/v1/configure_plugins/ - - https://github.com/influxdata/telegraf/tree/v1.37.2/plugins/processors/timestamp/README.md, Timestamp Plugin Source + - https://github.com/influxdata/telegraf/tree/v1.37.3/plugins/processors/timestamp/README.md, Timestamp Plugin Source --- # Timestamp Processor Plugin diff --git a/content/telegraf/v1/processor-plugins/topk/_index.md b/content/telegraf/v1/processor-plugins/topk/_index.md index 314419210..8b2a003bf 100644 --- a/content/telegraf/v1/processor-plugins/topk/_index.md +++ b/content/telegraf/v1/processor-plugins/topk/_index.md @@ -10,7 +10,7 @@ introduced: "v1.7.0" os_support: "freebsd, linux, macos, solaris, windows" related: - /telegraf/v1/configure_plugins/ - - https://github.com/influxdata/telegraf/tree/v1.37.2/plugins/processors/topk/README.md, TopK Plugin Source + - https://github.com/influxdata/telegraf/tree/v1.37.3/plugins/processors/topk/README.md, TopK Plugin Source --- # TopK Processor Plugin diff --git a/content/telegraf/v1/processor-plugins/unpivot/_index.md b/content/telegraf/v1/processor-plugins/unpivot/_index.md index 3efe38e19..a09c12d28 100644 --- a/content/telegraf/v1/processor-plugins/unpivot/_index.md +++ b/content/telegraf/v1/processor-plugins/unpivot/_index.md @@ -10,7 +10,7 @@ introduced: "v1.12.0" os_support: "freebsd, linux, macos, solaris, windows" related: - /telegraf/v1/configure_plugins/ - - https://github.com/influxdata/telegraf/tree/v1.37.2/plugins/processors/unpivot/README.md, Unpivot Plugin Source + - https://github.com/influxdata/telegraf/tree/v1.37.3/plugins/processors/unpivot/README.md, Unpivot Plugin Source --- # Unpivot Processor Plugin diff --git a/content/telegraf/v1/release-notes.md b/content/telegraf/v1/release-notes.md index f427d1194..96094f5e1 100644 --- a/content/telegraf/v1/release-notes.md +++ b/content/telegraf/v1/release-notes.md @@ -11,6 +11,67 @@ menu: weight: 60 --- +## v1.37.3 {date="2026-02-23"} + +### Bugfixes + +- [#18195](https://github.com/influxdata/telegraf/pull/18195) `common.jolokia2` Add Jolokia 2.x compatibility for proxy target tag +- [#18378](https://github.com/influxdata/telegraf/pull/18378) `common.opcua` Include node ID in duplicate metric check +- [#18335](https://github.com/influxdata/telegraf/pull/18335) `inputs.disk` Preserve device tag for virtual filesystems +- [#18374](https://github.com/influxdata/telegraf/pull/18374) `inputs.docker` Remove pre-filtering of states +- [#18383](https://github.com/influxdata/telegraf/pull/18383) `inputs.docker_log` Remove pre-filtering of states +- [#18347](https://github.com/influxdata/telegraf/pull/18347) `inputs.jenkins` Report all concurrent builds +- [#18377](https://github.com/influxdata/telegraf/pull/18377) `inputs.prometheus` Add thread safety and proper cleanup for shared informer factories +- [#18304](https://github.com/influxdata/telegraf/pull/18304) `inputs.prometheus` Cleanup shared informers on stop +- [#18367](https://github.com/influxdata/telegraf/pull/18367) `inputs.upsd` Stop silently dropping mandatory variables from additional_fields +- [#18386](https://github.com/influxdata/telegraf/pull/18386) `serializers.template` Unwrap tracking metrics + +### Dependency Updates + +- [#18354](https://github.com/influxdata/telegraf/pull/18354) `deps` Bump cloud.google.com/go/auth from 0.18.1 to 0.18.2 +- [#18324](https://github.com/influxdata/telegraf/pull/18324) `deps` Bump cloud.google.com/go/bigquery from 1.72.0 to 1.73.1 +- [#18319](https://github.com/influxdata/telegraf/pull/18319) `deps` Bump cloud.google.com/go/pubsub/v2 from 2.3.0 to 2.4.0 +- [#18298](https://github.com/influxdata/telegraf/pull/18298) `deps` Bump cloud.google.com/go/storage from 1.59.1 to 1.59.2 +- [#18361](https://github.com/influxdata/telegraf/pull/18361) `deps` Bump cloud.google.com/go/storage from 1.59.2 to 1.60.0 +- [#18376](https://github.com/influxdata/telegraf/pull/18376) `deps` Bump filippo.io/edwards25519 from 1.1.0 to 1.1.1 +- [#18292](https://github.com/influxdata/telegraf/pull/18292) `deps` Bump github.com/ClickHouse/clickhouse-go/v2 from 2.42.0 to 2.43.0 +- [#18295](https://github.com/influxdata/telegraf/pull/18295) `deps` Bump github.com/IBM/nzgo/v12 from 12.0.10 to 12.0.11 +- [#18297](https://github.com/influxdata/telegraf/pull/18297) `deps` Bump github.com/SAP/go-hdb from 1.14.18 to 1.14.19 +- [#18328](https://github.com/influxdata/telegraf/pull/18328) `deps` Bump github.com/SAP/go-hdb from 1.14.19 to 1.14.22 +- [#18364](https://github.com/influxdata/telegraf/pull/18364) `deps` Bump github.com/SAP/go-hdb from 1.14.22 to 1.15.0 +- [#18358](https://github.com/influxdata/telegraf/pull/18358) `deps` Bump github.com/alitto/pond/v2 from 2.6.0 to 2.6.2 +- [#18289](https://github.com/influxdata/telegraf/pull/18289) `deps` Bump github.com/aws/aws-sdk-go-v2/service/ec2 from 1.282.0 to 1.285.0 +- [#18362](https://github.com/influxdata/telegraf/pull/18362) `deps` Bump github.com/coocood/freecache from 1.2.4 to 1.2.5 +- [#18299](https://github.com/influxdata/telegraf/pull/18299) `deps` Bump github.com/coreos/go-systemd/v22 from 22.6.0 to 22.7.0 +- [#18294](https://github.com/influxdata/telegraf/pull/18294) `deps` Bump github.com/golang-jwt/jwt/v5 from 5.3.0 to 5.3.1 +- [#18291](https://github.com/influxdata/telegraf/pull/18291) `deps` Bump github.com/google/cel-go from 0.26.1 to 0.27.0 +- [#18330](https://github.com/influxdata/telegraf/pull/18330) `deps` Bump github.com/klauspost/compress from 1.18.3 to 1.18.4 +- [#18268](https://github.com/influxdata/telegraf/pull/18268) `deps` Bump github.com/lxc/incus/v6 from 6.20.0 to 6.21.0 +- [#18296](https://github.com/influxdata/telegraf/pull/18296) `deps` Bump github.com/nats-io/nats-server/v2 from 2.12.3 to 2.12.4 +- [#18356](https://github.com/influxdata/telegraf/pull/18356) `deps` Bump github.com/p4lang/p4runtime from 1.4.1 to 1.5.0 +- [#18326](https://github.com/influxdata/telegraf/pull/18326) `deps` Bump github.com/prometheus-community/pro-bing from 0.7.0 to 0.8.0 +- [#18355](https://github.com/influxdata/telegraf/pull/18355) `deps` Bump github.com/redis/go-redis/v9 from 9.17.3 to 9.18.0 +- [#18293](https://github.com/influxdata/telegraf/pull/18293) `deps` Bump github.com/shirou/gopsutil/v4 from 4.25.11 to 4.26.1 +- [#18331](https://github.com/influxdata/telegraf/pull/18331) `deps` Bump github.com/snowflakedb/gosnowflake from 1.18.1 to 1.19.0 +- [#18323](https://github.com/influxdata/telegraf/pull/18323) `deps` Bump github.com/vertica/vertica-sql-go from 1.3.4 to 1.3.5 +- [#18290](https://github.com/influxdata/telegraf/pull/18290) `deps` Bump go.mongodb.org/mongo-driver from 1.17.7 to 1.17.8 +- [#18332](https://github.com/influxdata/telegraf/pull/18332) `deps` Bump go.mongodb.org/mongo-driver from 1.17.8 to 1.17.9 +- [#18318](https://github.com/influxdata/telegraf/pull/18318) `deps` Bump golang.org/x/mod from 0.32.0 to 0.33.0 +- [#18322](https://github.com/influxdata/telegraf/pull/18322) `deps` Bump golang.org/x/net from 0.49.0 to 0.50.0 +- [#18333](https://github.com/influxdata/telegraf/pull/18333) `deps` Bump golang.org/x/term from 0.39.0 to 0.40.0 +- [#18329](https://github.com/influxdata/telegraf/pull/18329) `deps` Bump golang.org/x/text from 0.33.0 to 0.34.0 +- [#18300](https://github.com/influxdata/telegraf/pull/18300) `deps` Bump google.golang.org/api from 0.262.0 to 0.264.0 +- [#18317](https://github.com/influxdata/telegraf/pull/18317) `deps` Bump google.golang.org/api from 0.264.0 to 0.265.0 +- [#18357](https://github.com/influxdata/telegraf/pull/18357) `deps` Bump google.golang.org/grpc from 1.78.0 to 1.79.1 +- [#18363](https://github.com/influxdata/telegraf/pull/18363) `deps` Bump k8s.io/client-go from 0.35.0 to 0.35.1 +- [#18327](https://github.com/influxdata/telegraf/pull/18327) `deps` Bump modernc.org/sqlite from 1.44.3 to 1.45.0 +- [#18288](https://github.com/influxdata/telegraf/pull/18288) `deps` Bump super-linter/super-linter from 8.3.2 to 8.4.0 +- [#18315](https://github.com/influxdata/telegraf/pull/18315) `deps` Bump super-linter/super-linter from 8.4.0 to 8.5.0 +- [#18353](https://github.com/influxdata/telegraf/pull/18353) `deps` Bump the aws-sdk-go-v2 group with 2 updates +- [#18316](https://github.com/influxdata/telegraf/pull/18316) `deps` Bump the aws-sdk-go-v2 group with 2 updates +- [#18314](https://github.com/influxdata/telegraf/pull/18314) `deps` Bump tj-actions/changed-files from 47.0.1 to 47.0.2 +- [#18372](https://github.com/influxdata/telegraf/pull/18372) `deps` Update github.com/pion/dtls from v2 to v3 + ## v1.37.2 {date="2026-02-02"} ### Bugfixes diff --git a/cypress/e2e/content/index.cy.js b/cypress/e2e/content/index.cy.js index 84ad1d9a3..7707c44a0 100644 --- a/cypress/e2e/content/index.cy.js +++ b/cypress/e2e/content/index.cy.js @@ -1,39 +1,39 @@ /// -describe('Docs home', function() { +describe('Docs home', function () { beforeEach(() => cy.visit('/')); - it('has metadata', function() { + it('has metadata', function () { cy.title().should('eq', 'InfluxData Documentation'); }); - it('can search with mispellings', function() { + it('can search with mispellings', function () { cy.get('.sidebar--search').within(() => { cy.get('input#algolia-search-input').type('sql uery'); - cy.get('#algolia-autocomplete-listbox-0') - .should('contain', 'Basic query examples') - cy.get('input#algolia-search-input') - .type('{esc}') - cy.get('#algolia-autocomplete-listbox-0') - .should('not.be.visible'); + cy.get('#algolia-autocomplete-listbox-0').should( + 'contain', + 'Basic query examples' + ); + cy.get('input#algolia-search-input').type('{esc}'); + cy.get('#algolia-autocomplete-listbox-0').should('not.be.visible'); }); }); - it('main heading', function() { + it('main heading', function () { cy.get('h1').should('contain', 'InfluxData Documentation'); }); - it('content has links to all products', function() { - cy.task('getData', 'products').then((productData) => { - Object.values(productData).forEach((p) => { - let name = p.altname?.length > p.name.length ? p.altname : p.name; - name = name.replace(/\((.*)\)/, '$1'); - cy.get('.home-content a').filter(`:contains(${name})`).first().click(); - const urlFrag = p.latest.replace(/(v\d+)\.\w+/, '$1'); - cy.url().should('include', urlFrag); - cy.go('back'); + it('content has links to all products', function () { + // Collect hrefs first to avoid stale DOM references after navigation. + cy.get('.home-content h3 > a') + .should('have.length.gte', 13) + .then(($links) => { + const hrefs = [...$links].map((a) => a.getAttribute('href')); + hrefs.forEach((href, i) => { + cy.get('.home-content h3 > a').eq(i).click(); + cy.url().should('include', href); + cy.go('back'); + }); }); - }); }); }); - diff --git a/cypress/e2e/content/shortcodes-real-pages.cy.js b/cypress/e2e/content/shortcodes-real-pages.cy.js new file mode 100644 index 000000000..be532996e --- /dev/null +++ b/cypress/e2e/content/shortcodes-real-pages.cy.js @@ -0,0 +1,88 @@ +/// + +/** + * Tests for shortcodes that require real page context— + * URL paths, child pages, or site-wide data— + * and cannot be tested on flat _test/shortcodes.md pages. + * + * Shortcodes tested: + * cli/mapped — parses CLI command name from URL path + * children — lists child pages (.Page.Pages) + * flux/list-all-functions — iterates all flux function pages + * telegraf/plugins — reads site.data.telegraf_plugins + * html-diagram/sso-auth-flow — inserts product name into diagram + * cli/influxd-flags — reads site.data.influxd_flags + */ + +describe('Shortcodes on real content pages', function () { + let products; + + before(function () { + cy.task('getData', 'products').then((data) => { + products = data; + }); + }); + + describe('cli/mapped', function () { + it('renders "Maps to" link on CLI command page', function () { + cy.visit('/influxdb/v2/reference/cli/influx/bucket/'); + cy.get('a.q-link[href*="#view-mapped-environment-variables"]').should( + 'exist' + ); + }); + }); + + describe('children', function () { + it('renders child page links on section page', function () { + cy.visit('/telegraf/v1/data_formats/'); + cy.get('.children-links').should('exist'); + cy.get('.children-links a').should('have.length.at.least', 1); + }); + }); + + describe('flux/list-all-functions', function () { + it('renders function list with links', function () { + cy.visit('/flux/v0/stdlib/all-functions/'); + cy.get('ul.function-list').should('exist'); + cy.get('ul.function-list li a').should('have.length.at.least', 10); + }); + }); + + describe('telegraf/plugins', function () { + it('renders plugin cards with version info', function () { + cy.visit('/telegraf/v1/plugins/'); + cy.get('.plugin-card').should('have.length.at.least', 10); + cy.get('.plugin-card .info h3').first().should('exist'); + cy.get('.plugin-card .info .meta code') + .first() + .invoke('text') + .should('match', /^(input|output|processor|aggregator)s\./); + }); + }); + + describe('html-diagram/sso-auth-flow', function () { + it('renders SSO diagram with product name', function () { + cy.visit('/influxdb3/cloud-dedicated/admin/sso/'); + const expectedName = products.influxdb3_cloud_dedicated.name; + cy.get('#sso-auth-flow').should('exist'); + cy.get('#sso-auth-flow .auth-item#influxdb').should( + 'contain.text', + expectedName + ); + }); + }); + + describe('cli/influxd-flags', function () { + it('renders flag list with config-options links', function () { + cy.visit('/influxdb/v2/reference/cli/influxd/'); + cy.get('a[href*="/reference/config-options/#"]').should( + 'have.length.at.least', + 3 + ); + cy.get('a[href*="/reference/config-options/#"]') + .first() + .invoke('text') + .should('match', /^--/); + }); + }); +}); diff --git a/cypress/e2e/content/shortcodes.cy.js b/cypress/e2e/content/shortcodes.cy.js new file mode 100644 index 000000000..21a316854 --- /dev/null +++ b/cypress/e2e/content/shortcodes.cy.js @@ -0,0 +1,432 @@ +/// + +/** + * Tests for refactored shortcodes that use cascade product data. + * Each test page inherits product and version from its section cascade. + * + * Shortcode compatibility: + * Universal: product-name, product-key, current-version, influxdb/host, + * latest-patch, icon, api-endpoint, show-in, hide-in + * InfluxDB3 only: influxdb3/home-sample-link, influxdb3/limit, + * token-link (core/enterprise) + * InfluxDB v2/cloud: latest-patch(cli), cli/influx-creds-note, + * release-toc, influxdb/points-series-flux + * InfluxDB3 SQL: sql/sql-schema-intro, influxql/v1-v3-data-model-note + * CTA products: cta-link (cloud-dedicated, clustered) + * Telegraf: telegraf/verify + * + * Test pages live at /{content-path}/__tests__/shortcodes/. + * This array maps product keys to their content paths and versions. + * All other test expectations (name, altname, limits, distributed, host) + * are derived at runtime from products.yml via cy.task('getData'). + */ +const testPages = [ + // InfluxDB 3 products + { key: 'influxdb3_core', version: 'core', path: '/influxdb3/core/' }, + { + key: 'influxdb3_enterprise', + version: 'enterprise', + path: '/influxdb3/enterprise/', + }, + { + key: 'influxdb3_explorer', + version: 'explorer', + path: '/influxdb3/explorer/', + }, + { + key: 'influxdb3_cloud_serverless', + version: 'cloud-serverless', + path: '/influxdb3/cloud-serverless/', + }, + { + key: 'influxdb3_cloud_dedicated', + version: 'cloud-dedicated', + path: '/influxdb3/cloud-dedicated/', + }, + { + key: 'influxdb3_clustered', + version: 'clustered', + path: '/influxdb3/clustered/', + }, + // InfluxDB v2, v1, Cloud (TSM) + { key: 'influxdb', version: 'v2', path: '/influxdb/v2/' }, + { key: 'influxdb', version: 'v1', path: '/influxdb/v1/' }, + { key: 'influxdb_cloud', version: 'cloud', path: '/influxdb/cloud/' }, + // Other products + { key: 'telegraf', version: 'v1', path: '/telegraf/v1/' }, + { key: 'chronograf', version: 'v1', path: '/chronograf/v1/' }, + { key: 'kapacitor', version: 'v1', path: '/kapacitor/v1/' }, + { + key: 'enterprise_influxdb', + version: 'v1', + path: '/enterprise_influxdb/v1/', + }, + { key: 'flux', version: 'v0', path: '/flux/v0/' }, +]; + +/** + * Mirrors the Hugo current-version shortcode logic: + * 1. If version_label exists → use it + * 2. Else if version starts with "v" and latest_patches[version] exists → + * strip trailing .N from the patch version + * 3. Otherwise → empty string + */ +function expectedCurrentVersion(product, version) { + if (product.version_label) return product.version_label; + if (/^v/.test(version) && product.latest_patches?.[version]) { + return product.latest_patches[version].replace(/\.\d+$/, ''); + } + return ''; +} + +/** + * Mirrors the Hugo latest-patch shortcode logic (non-CLI): + * 1. If latest_patch exists → use it + * 2. Else if latest_patches[version] exists → use it + * 3. Otherwise → empty string + */ +function expectedLatestPatch(product, version) { + if (product.latest_patch) return String(product.latest_patch); + if (product.latest_patches?.[version]) { + return String(product.latest_patches[version]); + } + return ''; +} + +/** + * Mirrors the Hugo latest-patch cli=true logic: + * Always uses products.influxdb.latest_cli map. + * For cloud/cloud-serverless → use influxdb.latest stripped to major ("v2.8" → "v2"). + * For other versions → use the version key directly. + */ +function expectedLatestPatchCli(products, version) { + const cliVersions = products.influxdb.latest_cli; + if (!cliVersions) return ''; + if (version === 'cloud' || version === 'cloud-serverless') { + const influxdbLatest = String(products.influxdb.latest).replace( + /\..*$/, + '' + ); + return String(cliVersions[influxdbLatest] || ''); + } + return String(cliVersions[version] || ''); +} + +/** + * Resolves the clockface icon version for a product. + * Mirrors the Hugo icon shortcode's clockface lookup: + * 1. Look up clockface[namespace] + * 2. If namespace entry has the version key → use it + * 3. Otherwise use the "default" key + * 4. If no clockface entry for namespace → empty string + */ +function resolveClockfaceVersion(clockface, namespace, version) { + const entry = clockface[namespace]; + if (!entry) return ''; + if (entry[version] !== undefined) return entry[version]; + return entry.default || ''; +} + +describe('Cascade product shortcodes', function () { + let products; + let clockface; + + before(function () { + cy.task('getData', 'products').then((data) => { + products = data; + }); + cy.task('getData', 'clockface').then((data) => { + clockface = data; + }); + }); + + testPages.forEach(({ key, version, path }) => { + const label = key === 'influxdb' ? `${key} (${version})` : key; + const testUrl = `${path}__tests__/shortcodes/`; + const isInfluxdb3 = path.startsWith('/influxdb3/'); + + describe(label, function () { + let product; + + beforeEach(function () { + product = products[key]; + cy.visit(testUrl); + }); + + // ──────────────────────────────────────────── + // Existing tests: product-name, product-key, + // current-version, influxdb/host, + // influxdb3/home-sample-link, influxdb3/limit + // ──────────────────────────────────────────── + + it('renders product-name', function () { + cy.get('[data-testid="product-name"]').should( + 'contain.text', + product.name + ); + }); + + it('renders product-name "short"', function () { + if (product.altname) { + cy.get('[data-testid="product-name-short"]').should( + 'contain.text', + product.altname + ); + } else { + cy.get('[data-testid="product-name-short"]') + .invoke('text') + .invoke('trim') + .should('equal', ''); + } + }); + + it('renders product-key', function () { + cy.get('[data-testid="product-key"]').should('contain.text', version); + }); + + it('renders current-version', function () { + const expected = expectedCurrentVersion(product, version); + if (expected) { + cy.get('[data-testid="current-version"] .current-version').should( + 'have.text', + expected + ); + } else { + cy.get('[data-testid="current-version"]') + .invoke('text') + .invoke('trim') + .should('equal', ''); + } + }); + + it('renders influxdb/host', function () { + const expected = product.placeholder_host || 'localhost:8086'; + cy.get('[data-testid="host"]').should('contain.text', expected); + }); + + if (isInfluxdb3) { + it('renders influxdb3/home-sample-link', function () { + const anchor = product.distributed_architecture + ? '#get-started-home-sensor-data' + : '#home-sensor-data'; + cy.get('[data-testid="home-sample-link"] a').should( + 'have.attr', + 'href', + `/influxdb3/${version}/reference/sample-data/${anchor}` + ); + }); + } + + if (isInfluxdb3) { + it('renders influxdb3/limit "database"', function () { + if (product.limits?.database != null) { + cy.get('[data-testid="limit-database"]').should( + 'contain.text', + String(product.limits.database) + ); + } + }); + } + + // ──────────────────────────────────────────── + // Category A: Version lookups + // ──────────────────────────────────────────── + + it('renders latest-patch', function () { + const expected = expectedLatestPatch(product, version); + if (expected) { + cy.get('[data-testid="latest-patch"]').should( + 'contain.text', + expected + ); + } else { + cy.get('[data-testid="latest-patch"]') + .invoke('text') + .invoke('trim') + .should('equal', ''); + } + }); + + if (version === 'v2' || version === 'cloud') { + it('renders latest-patch cli=true', function () { + const expected = expectedLatestPatchCli(products, version); + cy.get('[data-testid="latest-patch-cli"]').should( + 'contain.text', + expected + ); + }); + } + + if (key === 'telegraf') { + it('renders telegraf/verify with correct version', function () { + const expected = product.latest_patches?.[version]; + cy.get('body').should('contain.text', `telegraf-${expected}`); + }); + } + + // ──────────────────────────────────────────── + // Category B: Namespace in URLs / Icon + // ──────────────────────────────────────────── + + it('renders icon "check"', function () { + const cfVersion = resolveClockfaceVersion( + clockface, + product.namespace, + version + ); + if (cfVersion === 'v2') { + cy.get('[data-testid="icon-check"] span').should( + 'have.class', + 'icon-checkmark' + ); + } else { + cy.get('[data-testid="icon-check"] span').should( + 'have.class', + 'cf-icon' + ); + } + }); + + if (version === 'v2' || version === 'cloud') { + it('renders cli/influx-creds-note', function () { + cy.get('[data-testid="influx-creds-note"]').should( + 'contain.text', + 'Authentication credentials' + ); + cy.get( + '[data-testid="influx-creds-note"] a[href*="/reference/cli/influx/"]' + ).should('exist'); + }); + } + + if (key === 'influxdb3_core' || key === 'influxdb3_enterprise') { + it('renders token-link', function () { + cy.get('[data-testid="token-link"]') + .invoke('text') + .should('contain', 'token') + .and('contain', `/admin/tokens/`); + }); + + it('renders token-link "database" with blacklist', function () { + cy.get('[data-testid="token-link-database"]') + .invoke('text') + .then((text) => { + if (version === 'core') { + // "database" is blacklisted on core + expect(text).to.not.contain('database token'); + } else { + // "database" is NOT blacklisted on enterprise + expect(text).to.contain('database token'); + } + expect(text).to.contain('token'); + }); + }); + } + + // ──────────────────────────────────────────── + // Category C: Product name in text + // ──────────────────────────────────────────── + + if (key === 'influxdb3_core' || key === 'influxdb3_cloud_dedicated') { + it('renders sql/sql-schema-intro with product name', function () { + cy.get('[data-testid="sql-schema-intro"]').should( + 'contain.text', + product.name + ); + if (version === 'cloud-dedicated') { + cy.get('[data-testid="sql-schema-intro"]').should( + 'not.contain.text', + 'bucket' + ); + } else { + cy.get('[data-testid="sql-schema-intro"]').should( + 'contain.text', + 'bucket' + ); + } + }); + + it('renders influxql/v1-v3-data-model-note with product name', function () { + cy.get('[data-testid="v1-v3-data-model-note"]').should( + 'contain.text', + product.name + ); + }); + } + + // ──────────────────────────────────────────── + // Category D: placeholder_host in api-endpoint + // ──────────────────────────────────────────── + + it('renders api-endpoint with placeholder host', function () { + const expected = product.placeholder_host || 'localhost:8086'; + cy.get('[data-testid="api-endpoint"] pre.api-endpoint').should( + 'contain.text', + expected + ); + }); + + // ──────────────────────────────────────────── + // Category E: Version visibility + // ──────────────────────────────────────────── + + it('renders show-in/hide-in based on version', function () { + if (version === 'core') { + cy.get('[data-testid="show-in-core"]').should( + 'contain.text', + 'VISIBLE_IN_CORE' + ); + cy.get('[data-testid="hide-in-core"]').should( + 'not.contain.text', + 'HIDDEN_IN_CORE' + ); + } else { + cy.get('[data-testid="show-in-core"]').should( + 'not.contain.text', + 'VISIBLE_IN_CORE' + ); + cy.get('[data-testid="hide-in-core"]').should( + 'contain.text', + 'HIDDEN_IN_CORE' + ); + } + }); + + // ──────────────────────────────────────────── + // Category F: Link field (cta-link) + // ──────────────────────────────────────────── + + if ( + key === 'influxdb3_cloud_dedicated' || + key === 'influxdb3_clustered' + ) { + it('renders cta-link', function () { + cy.get('[data-testid="cta-link"]').should( + 'contain.text', + product.link + ); + }); + } + + // ──────────────────────────────────────────── + // Category G: Site-level data + // ──────────────────────────────────────────── + + if (version === 'v2' || version === 'cloud') { + it('renders release-toc', function () { + cy.get('[data-testid="release-toc"] #release-toc') + .should('have.class', version) + .and('have.attr', 'data-component', 'release-toc'); + }); + + it('renders influxdb/points-series-flux', function () { + const expectedCount = version === 'cloud' ? 4 : 2; + cy.get('[data-testid="points-series-flux"] .series-diagram').should( + 'have.length', + expectedCount + ); + }); + } + }); + }); +}); diff --git a/data/products.yml b/data/products.yml index 22b0e7885..e9522e81f 100644 --- a/data/products.yml +++ b/data/products.yml @@ -6,8 +6,12 @@ influxdb3_core: versions: [core] list_order: 2 latest: core - latest_patch: 3.8.0 + latest_patch: 3.8.3 placeholder_host: localhost:8181 + limits: + database: 5 + table: 2000 + column: 500 detector_config: query_languages: SQL: @@ -38,8 +42,12 @@ influxdb3_enterprise: versions: [enterprise] list_order: 2 latest: enterprise - latest_patch: 3.8.0 + latest_patch: 3.8.3 placeholder_host: localhost:8181 + limits: + database: 100 + table: 10000 + column: 500 detector_config: query_languages: SQL: @@ -87,6 +95,8 @@ influxdb3_cloud_serverless: list_order: 2 latest: cloud-serverless placeholder_host: cloud2.influxdata.com + version_label: Cloud Serverless + distributed_architecture: true detector_config: query_languages: SQL: @@ -120,6 +130,8 @@ influxdb3_cloud_dedicated: link: 'https://www.influxdata.com/contact-sales-cloud-dedicated/' latest_cli: 2.12.0 placeholder_host: cluster-id.a.influxdb.io + version_label: Cloud Dedicated + distributed_architecture: true detector_config: query_languages: SQL: @@ -148,6 +160,8 @@ influxdb3_clustered: latest: clustered link: 'https://www.influxdata.com/contact-sales-influxdb-clustered/' placeholder_host: cluster-host.com + version_label: Clustered + distributed_architecture: true detector_config: query_languages: SQL: @@ -224,6 +238,7 @@ influxdb_cloud: list_order: 1 latest: cloud placeholder_host: cloud2.influxdata.com + version_label: Cloud detector_config: query_languages: InfluxQL: @@ -252,7 +267,7 @@ telegraf: versions: [v1] latest: v1.37 latest_patches: - v1: 1.37.2 + v1: 1.37.3 ai_sample_questions: - How do I configure Telegraf for InfluxDB 3? - How do I write a custom Telegraf plugin? @@ -274,9 +289,9 @@ chronograf: menu_category: other list_order: 7 versions: [v1] - latest: v1.10 + latest: v1.11 latest_patches: - v1: 1.10.9 + v1: 1.11.0 ai_sample_questions: - How do I configure Chronograf for InfluxDB v1? - How do I create a dashboard in Chronograf? diff --git a/layouts/partials/product/get-data.html b/layouts/partials/product/get-data.html new file mode 100644 index 000000000..72e50e740 --- /dev/null +++ b/layouts/partials/product/get-data.html @@ -0,0 +1,20 @@ +{{- /* + Retrieve product data from cascade frontmatter. + Uses .Page.Params.product (set via cascade in each product section's _index.md) + to look up the product entry in data/products.yml. + + Usage: + {{- $productData := partial "product/get-data.html" . -}} + {{- $productData.name -}} + + Context: Pass the shortcode context (.) which provides .Page and .Site. +*/ -}} +{{- $productKey := .Page.Params.product -}} +{{- $productData := dict -}} +{{- if $productKey -}} + {{- $productData = index .Site.Data.products $productKey -}} + {{- if not $productData -}} + {{- errorf "No product data found for key '%s' on page: %s. Check data/products.yml." $productKey .Page.RelPermalink -}} + {{- end -}} +{{- end -}} +{{- return $productData -}} diff --git a/layouts/shortcodes/api-endpoint.html b/layouts/shortcodes/api-endpoint.html index f266d8521..f33bf66b9 100644 --- a/layouts/shortcodes/api-endpoint.html +++ b/layouts/shortcodes/api-endpoint.html @@ -1,16 +1,7 @@ -{{- $productPathData := findRE "[^/]+.*?" .Page.RelPermalink -}} -{{- /* Support deployments (such as CI tools) with subdirectory baseURL */ -}} -{{- $pathOffset := .Site.Params.prPreviewPathOffset | default 0 -}} -{{- $currentVersion := index $productPathData (add $pathOffset 1) -}} +{{- $productData := partial "product/get-data.html" . -}} +{{- $hostOverride := .Get "influxdb_host" | default "" -}} +{{- $placeholderHost := cond (gt (len $hostOverride) 0) $hostOverride ($productData.placeholder_host | default "localhost:8086") -}} {{- $endpoint := .Get "endpoint" -}} -{{- $isOSS := ne (len (findRE `^v[0-9]` $currentVersion)) 0 -}} -{{- $parsedProductKey := cond $isOSS "oss" $currentVersion -}} -{{- $productKey := .Get "influxdb_host" | default $parsedProductKey -}} -{{- $productAliases := dict "oss" "influxdb" "cloud" "influxdb_cloud" "cloud-tsm" "influxdb_cloud" "core" "influxdb3_core" "enterprise" "influxdb3_enterprise" "cloud-serverless" "influxdb3_cloud_serverless" "serverless" "influxdb3_cloud_serverless" "cloud-dedicated" "influxdb3_cloud_dedicated" "dedicated" "influxdb3_cloud_dedicated" "clustered" "influxdb3_clustered" "cloud1" "influxdb_cloud1" -}} -{{- $productRef := index $productAliases $productKey -}} -{{- $productData := dict -}} -{{- with $productRef }}{{- $productData = index $.Site.Data.products . | default dict -}}{{- end -}} -{{- $placeholderHost := $productData.placeholder_host | default "localhost:8086" }} {{- $method := .Get "method" | upper -}} {{- $methodStyle := .Get "method" | lower -}} {{- $apiRef := .Get "api-ref" | default "" -}} @@ -21,4 +12,4 @@ {{- else -}} {{ $method }} {{ $renderedEndpoint }} {{- end -}} - \ No newline at end of file + diff --git a/layouts/shortcodes/children.html b/layouts/shortcodes/children.html index 0cc6f540a..021145a92 100644 --- a/layouts/shortcodes/children.html +++ b/layouts/shortcodes/children.html @@ -42,16 +42,7 @@ {{ end }} {{ end }} {{ if .Params.list_code_example }} - {{- $productPathData := findRE "[^/]+.*?" $.Page.RelPermalink -}} - {{- /* Support deployments (such as CI tools) with subdirectory baseURL */ -}} - {{- $pathOffset := $.Site.Params.prPreviewPathOffset | default 0 -}} - {{- $currentVersion := index $productPathData (add $pathOffset 1) -}} - {{- $isOSS := ne (len (findRE `^v[0-9]` $currentVersion)) 0 -}} - {{- $productKey := cond $isOSS "oss" $currentVersion -}} - {{- $productAliases := dict "oss" "influxdb" "core" "influxdb3_core" "enterprise" "influxdb3_enterprise" "cloud" "influxdb_cloud" "cloud-tsm" "influxdb_cloud" "cloud-serverless" "influxdb3_cloud_serverless" "serverless" "influxdb3_cloud_serverless" "cloud-dedicated" "influxdb3_cloud_dedicated" "dedicated" "influxdb3_cloud_dedicated" "clustered" "influxdb3_clustered" "cloud1" "influxdb_cloud1" -}} - {{- $productRef := index $productAliases $productKey -}} - {{- $productData := dict -}} - {{- with $productRef }}{{- $productData = index $.Site.Data.products . | default dict -}}{{- end -}} + {{- $productData := partial "product/get-data.html" $ -}} {{- $placeholderHost := $productData.placeholder_host | default "localhost:8086" }} {{ .Params.list_code_example | replaceRE `\{\{[<\%] influxdb/host [>%]\}\}` $placeholderHost | .RenderString }} {{ end }} diff --git a/layouts/shortcodes/cli/influx-creds-note.html b/layouts/shortcodes/cli/influx-creds-note.html index 9a51eaa79..39dde6059 100644 --- a/layouts/shortcodes/cli/influx-creds-note.html +++ b/layouts/shortcodes/cli/influx-creds-note.html @@ -1,16 +1,16 @@ -{{- $productPathData := findRE "[^/]+.*?" .Page.RelPermalink -}} -{{- $product := index $productPathData 0 -}} -{{- $version := index $productPathData 1 -}} +{{- $productData := partial "product/get-data.html" . -}} +{{- $namespace := $productData.namespace -}} +{{- $version := .Page.Params.version -}}

Authentication credentials

The examples below assume your InfluxDB host, organization, and token are - provided by either the active influx CLI configuration or by environment variables (INFLUX_HOST, INFLUX_ORG, and INFLUX_TOKEN). + provided by either the active influx CLI configuration or by environment variables (INFLUX_HOST, INFLUX_ORG, and INFLUX_TOKEN). If you do not have a CLI configuration set up or the environment variables set, include these required credentials for each command with the following flags:

    -
  • --host: InfluxDB host
  • +
  • --host: InfluxDB host
  • -o, --org or --org-id: InfluxDB organization name or ID
  • -t, --token: InfluxDB API token
-
\ No newline at end of file + diff --git a/layouts/shortcodes/cli/influxd-flags.html b/layouts/shortcodes/cli/influxd-flags.html index ae4fcf1a3..f23ffe5db 100644 --- a/layouts/shortcodes/cli/influxd-flags.html +++ b/layouts/shortcodes/cli/influxd-flags.html @@ -1,5 +1,4 @@ -{{- $productPathData := findRE "[^/]+.*?" .Page.RelPermalink -}} -{{- $currentVersion := index $productPathData 1 -}} +{{- $currentVersion := .Page.Params.version -}} {{- $flags := .Site.Data.influxd_flags -}}
    @@ -8,7 +7,7 @@ {{- $deprecated := cond (isset . "deprecated") true false -}} {{- $deprecatedVersion := cond $deprecated .deprecated 0.0 -}}
  • - {{ if .nolink }}{{ .flag }}{{ else }}{{ .flag }}{{ end }} + {{ if .nolink }}{{ .flag }}{{ else }}{{ .flag }}{{ end }} {{ if $deprecated }} - (deprecated in InfluxDB {{ $deprecatedVersion }}){{ end }}
  • {{- end -}} diff --git a/layouts/shortcodes/cli/mapped.html b/layouts/shortcodes/cli/mapped.html index f15f3c385..bbfbe5866 100644 --- a/layouts/shortcodes/cli/mapped.html +++ b/layouts/shortcodes/cli/mapped.html @@ -1,6 +1,7 @@ -{{ $product := (index (findRE "[^/]+.*?" .Page.RelPermalink) 0) }} -{{ $currentVersion := (index (findRE "[^/]+.*?" .Page.RelPermalink) 1) }} +{{- $productData := partial "product/get-data.html" . -}} +{{- $namespace := $productData.namespace -}} +{{- $currentVersion := .Page.Params.version -}} {{ $cli := replaceRE "/cli/" "" (index (findRE "/cli/[a-z]*" .Page.RelPermalink) 0) }} -{{ $link := print "/" $product "/" $currentVersion "/reference/cli/" $cli "/#view-mapped-environment-variables"}} +{{ $link := print "/" $namespace "/" $currentVersion "/reference/cli/" $cli "/#view-mapped-environment-variables"}} Maps to ? diff --git a/layouts/shortcodes/cta-link.html b/layouts/shortcodes/cta-link.html index 36ed08dd2..5cab8d1ca 100644 --- a/layouts/shortcodes/cta-link.html +++ b/layouts/shortcodes/cta-link.html @@ -1,7 +1,2 @@ -{{- $productPathData := findRE "[^/]+.*?" .Page.RelPermalink -}} -{{- $product := index $productPathData 0 -}} -{{- $version := index $productPathData 1 -}} -{{- $isInfluxDBOSS := and (eq $product "influxdb") (gt (len (findRE `^v[0-9]` $version)) 0)}} -{{- $productKey := cond (and (in $product "influxdb") (not $isInfluxDBOSS)) (print $product "_" (replaceRE "-" "_" $version)) $product -}} -{{- $productData := index $.Site.Data.products $productKey -}} -{{ $productData.link }} \ No newline at end of file +{{- $productData := partial "product/get-data.html" . -}} +{{ $productData.link }} diff --git a/layouts/shortcodes/current-version.html b/layouts/shortcodes/current-version.html index a3c606a2e..85c4a1902 100644 --- a/layouts/shortcodes/current-version.html +++ b/layouts/shortcodes/current-version.html @@ -1,18 +1,14 @@ -{{- $scratch := newScratch }} -{{- $productPathData := findRE "[^/]+.*?" .Page.RelPermalink -}} -{{- $product := index $productPathData 0 -}} -{{- $majorVersion := index $productPathData 1 -}} +{{- $productData := partial "product/get-data.html" . -}} +{{- $version := .Page.Params.version -}} {{- $keep := .Get "keep" | default false -}} {{- $keepClass := cond ( $keep ) " keep" "" -}} -{{- $noSpan := .Get "nospan" | default false }} -{{- $nonNumericVersions := dict "cloud" "Cloud" "cloud-serverless" "Cloud Serverless" "cloud-dedicated" "Cloud Dedicated" "clustered" "Clustered" -}} -{{- $scratch.Set "versionText" "" -}} -{{- if gt (len (findRE `^v` $majorVersion)) 0 -}} - {{- $latestPatch := index (index $.Site.Data.products $product).latest_patches $majorVersion -}} - {{- $scratch.Set "versionText" (replaceRE `\.[0-9]+$` "" $latestPatch) -}} -{{- else if (ne $majorVersion nil) }} - {{- $scratch.Set "versionText" (index $nonNumericVersions $majorVersion) }} +{{- $noSpan := .Get "nospan" | default false -}} +{{- $versionText := "" -}} +{{- if $productData.version_label -}} + {{- $versionText = $productData.version_label -}} +{{- else if gt (len (findRE `^v` $version)) 0 -}} + {{- $latestPatch := index $productData.latest_patches $version -}} + {{- $versionText = replaceRE `\.[0-9]+$` "" $latestPatch -}} {{- end -}} -{{- $versionText := $scratch.Get "versionText" -}} {{- if $noSpan -}}{{- $versionText -}}{{- else -}} -{{- $versionText -}}{{- end -}} \ No newline at end of file +{{- $versionText -}}{{- end -}} diff --git a/layouts/shortcodes/flux/list-all-functions.html b/layouts/shortcodes/flux/list-all-functions.html index d1153c754..8e42773da 100644 --- a/layouts/shortcodes/flux/list-all-functions.html +++ b/layouts/shortcodes/flux/list-all-functions.html @@ -1,5 +1,6 @@ -{{ $section := (index (findRE "[^/]+.*?" .Page.RelPermalink) 0) }} -{{ $currentVersion := (index (findRE "[^/]+.*?" .Page.RelPermalink) 1) }} +{{- $productData := partial "product/get-data.html" . -}} +{{ $section := $productData.namespace }} +{{ $currentVersion := .Page.Params.version }} {{ $filters := .Get "filters" | default "" }} {{ $filterArr := split $filters ", "}} {{ $tagTaxonomy := print $section "/" $currentVersion "/tags" }} diff --git a/layouts/shortcodes/hide-in.html b/layouts/shortcodes/hide-in.html index 63fa2d2cf..ac65cc576 100644 --- a/layouts/shortcodes/hide-in.html +++ b/layouts/shortcodes/hide-in.html @@ -1,7 +1,6 @@ -{{- $productPathData := split .Page.RelPermalink "/" -}} -{{- $productVersion := index $productPathData 2 -}} +{{- $productVersion := .Page.Params.version -}} {{- $defaultHideInString := "v2,cloud,cloud-serverless,cloud-dedicated,clustered,core,enterprise" -}} {{- $hideInString := .Get 0 | default $defaultHideInString }} {{- $hideInList := split $hideInString "," -}} {{- $hide := in $hideInList $productVersion -}} -{{ if $hide }}{{ else }}{{ .Inner }}{{ end }} \ No newline at end of file +{{ if $hide }}{{ else }}{{ .Inner }}{{ end }} diff --git a/layouts/shortcodes/html-diagram/sso-auth-flow.html b/layouts/shortcodes/html-diagram/sso-auth-flow.html index 5e40ebf82..266fd5627 100644 --- a/layouts/shortcodes/html-diagram/sso-auth-flow.html +++ b/layouts/shortcodes/html-diagram/sso-auth-flow.html @@ -1,14 +1,4 @@ -{{- $productPathData := findRE "[^/]+.*?" .Page.RelPermalink -}} -{{- $currentProduct := index $productPathData 1 -}} -{{- $scratch := newScratch -}} -{{- if eq $currentProduct "cloud-serverless" -}} - {{- $scratch.Set "productData" .Site.Data.products.influxdb3_cloud_serverless -}} -{{- else if eq $currentProduct "cloud-dedicated" -}} - {{- $scratch.Set "productData" .Site.Data.products.influxdb3_cloud_dedicated -}} -{{- else if eq $currentProduct "clustered" -}} - {{- $scratch.Set "productData" .Site.Data.products.influxdb3_clustered -}} -{{- end -}} -{{- $productData := $scratch.Get "productData" -}} +{{- $productData := partial "product/get-data.html" . -}} {{ $productName := $productData.name }}
    diff --git a/layouts/shortcodes/icon.html b/layouts/shortcodes/icon.html index 2f5fa0c70..31c4d0e4d 100644 --- a/layouts/shortcodes/icon.html +++ b/layouts/shortcodes/icon.html @@ -1,11 +1,11 @@ {{- $_hugo_config := `{ "version": 1 }` -}} {{- $icon := .Get 0 | default "influx" -}} -{{- $productPathData := findRE "[^/]+.*?" .Page.RelPermalink -}} -{{- $product := index $productPathData 0 -}} -{{- $productVersion := index $productPathData 1 | default "v0" -}} +{{- $productData := partial "product/get-data.html" . -}} +{{- $namespace := $productData.namespace | default (index (findRE "[^/]+.*?" .Page.RelPermalink) 0) -}} +{{- $productVersion := .Page.Params.version | default "v0" -}} {{- $defaultClockface := "" -}} -{{- with (index .Site.Data.clockface $product) -}} +{{- with (index .Site.Data.clockface $namespace) -}} {{- $defaultClockface = index . (cond (isset . $productVersion) $productVersion "default") -}} {{- end -}} {{- $version := .Get 1 | default $defaultClockface -}} diff --git a/layouts/shortcodes/influxdb/host.html b/layouts/shortcodes/influxdb/host.html index 61494e80b..82f295ebc 100644 --- a/layouts/shortcodes/influxdb/host.html +++ b/layouts/shortcodes/influxdb/host.html @@ -1,12 +1,2 @@ -{{- $productPathData := findRE "[^/]+.*?" .Page.RelPermalink -}} -{{- /* Support deployments (such as CI tools) with subdirectory baseURL */ -}} -{{- $pathOffset := .Site.Params.prPreviewPathOffset | default 0 -}} -{{- $currentVersion := index $productPathData (add $pathOffset 1) -}} -{{- $isOSS := ne (len (findRE `^v[0-9]` $currentVersion)) 0 -}} -{{- $parsedProductKey := cond $isOSS "oss" $currentVersion -}} -{{- $productKey := .Get 0 | default $parsedProductKey -}} -{{- $productAliases := dict "oss" "influxdb" "cloud" "influxdb_cloud" "cloud-tsm" "influxdb_cloud" "core" "influxdb3_core" "enterprise" "influxdb3_enterprise" "cloud-serverless" "influxdb3_cloud_serverless" "serverless" "influxdb3_cloud_serverless" "cloud-dedicated" "influxdb3_cloud_dedicated" "dedicated" "influxdb3_cloud_dedicated" "clustered" "influxdb3_clustered" -}} -{{- $productRef := index $productAliases $productKey -}} -{{- $productData := dict -}} -{{- with $productRef }}{{- $productData = index $.Site.Data.products . | default dict -}}{{- end -}} -{{ $productData.placeholder_host | default "localhost:8086" }} \ No newline at end of file +{{- $productData := partial "product/get-data.html" . -}} +{{ $productData.placeholder_host | default "localhost:8086" }} diff --git a/layouts/shortcodes/influxdb/install-old-versions.html b/layouts/shortcodes/influxdb/install-old-versions.html index d9b70d1c4..136c9d3e7 100644 --- a/layouts/shortcodes/influxdb/install-old-versions.html +++ b/layouts/shortcodes/influxdb/install-old-versions.html @@ -1,5 +1,4 @@ -{{- $productPathData := findRE "[^/]+.*?" .Page.RelPermalink -}} -{{- $currentVersion := index $productPathData 1 -}} +{{- $currentVersion := .Page.Params.version -}} {{- $influxdbVersions := .Site.Data.products.influxdb.versions -}}
      {{- range $influxdbVersions -}} diff --git a/layouts/shortcodes/influxdb/points-series-flux.html b/layouts/shortcodes/influxdb/points-series-flux.html index 5ad754a72..e0305365c 100644 --- a/layouts/shortcodes/influxdb/points-series-flux.html +++ b/layouts/shortcodes/influxdb/points-series-flux.html @@ -1,5 +1,4 @@ -{{- $productPathData := findRE "[^/]+.*?" .Page.RelPermalink -}} -{{- $currentVersion := index $productPathData 1 -}} +{{- $currentVersion := .Page.Params.version -}} {{- $isOSS := cond (in $currentVersion "cloud") false true -}}
      diff --git a/layouts/shortcodes/influxdb3/home-sample-link.html b/layouts/shortcodes/influxdb3/home-sample-link.html index dec324560..2719dd5db 100644 --- a/layouts/shortcodes/influxdb3/home-sample-link.html +++ b/layouts/shortcodes/influxdb3/home-sample-link.html @@ -1,8 +1,7 @@ -{{- $productPathData := split .Page.RelPermalink "/" -}} -{{- $product := index $productPathData 2 -}} -{{- $isDistributed := in (slice "cloud-dedicated" "cloud-serverless" "clustered") $product -}} -{{- if $isDistributed -}} -Get started home sensor sample data +{{- $productData := partial "product/get-data.html" . -}} +{{- $version := .Page.Params.version -}} +{{- if $productData.distributed_architecture -}} +Get started home sensor sample data {{- else -}} -Home sensor sample data +Home sensor sample data {{- end -}} diff --git a/layouts/shortcodes/influxdb3/limit.html b/layouts/shortcodes/influxdb3/limit.html index fe7e36b76..04046e330 100644 --- a/layouts/shortcodes/influxdb3/limit.html +++ b/layouts/shortcodes/influxdb3/limit.html @@ -1,8 +1,4 @@ -{{- $productPathData := split .Page.RelPermalink "/" -}} -{{- $product := index $productPathData 2 -}} +{{- $productData := partial "product/get-data.html" . -}} {{- $limit := .Get 0 | default "database" -}} {{- $modifier := .Get 1 | default 0 -}} -{{- $coreLimits := dict "database" 5 "table" 2000 "column" 500 -}} -{{- $enterpriseLimits := dict "database" 100 "table" 10000 "column" 500 -}} -{{- $productLimits := cond (eq $product "core") $coreLimits $enterpriseLimits -}} -{{ add (index $productLimits $limit) $modifier }} \ No newline at end of file +{{ add (index $productData.limits $limit) $modifier }} \ No newline at end of file diff --git a/layouts/shortcodes/influxql/v1-v3-data-model-note.md b/layouts/shortcodes/influxql/v1-v3-data-model-note.md index 2307e9d14..b3d510f80 100644 --- a/layouts/shortcodes/influxql/v1-v3-data-model-note.md +++ b/layouts/shortcodes/influxql/v1-v3-data-model-note.md @@ -1,8 +1,6 @@ -{{- $productPathData := findRE "[^/]+.*?" .Page.RelPermalink -}} -{{- $currentProduct := index $productPathData 1 -}} -{{- $productKey := print "influxdb3_" (replaceRE "-" "_" $currentProduct) }} -{{- $productData := index .Site.Data.products $productKey -}} +{{- $productData := partial "product/get-data.html" . -}} {{- $productName := $productData.name -}} + > [!Note] > > #### InfluxDB v1 to InfluxDB 3 data model @@ -13,4 +11,4 @@ > > - an InfluxDB v1 **database and retention policy** combination is combined > into a single InfluxDB 3 **database** entity. -> - an InfluxDB v1 **measurement** is equivalent to an InfluxDB 3 **table**. \ No newline at end of file +> - an InfluxDB v1 **measurement** is equivalent to an InfluxDB 3 **table**. diff --git a/layouts/shortcodes/latest-cli.html b/layouts/shortcodes/latest-cli.html index 9eb55c48f..e701530ec 100644 --- a/layouts/shortcodes/latest-cli.html +++ b/layouts/shortcodes/latest-cli.html @@ -1,13 +1,9 @@ -{{- $scratch := newScratch -}} -{{- $productPathData := findRE "[^/]+.*?" .Page.RelPermalink -}} -{{- $parsedVersion := replaceRE "v" "" (index $productPathData 1) -}} {{- $versionArg := .Get "version" | default "" -}} +{{- $version := cond (gt (len $versionArg) 0) $versionArg .Page.Params.version -}} {{- $latestVersion := replaceRE "v" "" (index .Site.Data.products.influxdb "latest") -}} -{{- $version := cond (gt (len $versionArg) 0) $versionArg $parsedVersion -}} {{- $cliVersions := index .Site.Data.products.influxdb "latest_cli" -}} {{- if eq $version "cloud" -}} - {{- $scratch.Set "cliVersion" (index $cliVersions $latestVersion) -}} + {{- index $cliVersions $latestVersion -}} {{- else -}} - {{- $scratch.Set "cliVersion" (index $cliVersions $version) -}} + {{- index $cliVersions $version -}} {{- end -}} -{{- $scratch.Get "cliVersion" -}} \ No newline at end of file diff --git a/layouts/shortcodes/latest-patch.html b/layouts/shortcodes/latest-patch.html index e3703edfc..f58637f05 100644 --- a/layouts/shortcodes/latest-patch.html +++ b/layouts/shortcodes/latest-patch.html @@ -1,19 +1,17 @@ -{{- $cli := .Get "cli" | default false }} -{{- $productPathData := split .Page.RelPermalink "/" -}} -{{- /* Support deployments (such as CI tools) with subdirectory baseURL */ -}} -{{- $pathOffset := .Site.Params.prPreviewPathOffset | default 0 -}} -{{- $parsedProduct := index $productPathData (add $pathOffset 1) | default "influxdb" -}} -{{- $parsedVersion := index $productPathData (add $pathOffset 2) -}} +{{- $cli := .Get "cli" | default false -}} {{- $productArg := .Get "product" | default "" -}} {{- $versionArg := .Get "version" | default "" -}} -{{- $product := cond (gt (len $productArg) 0) $productArg $parsedProduct -}} -{{- $latestVersion := replaceRE `\..*$` "" (index (index .Site.Data.products $product) "latest") -}} -{{- $version := cond (gt (len $versionArg) 0) $versionArg $parsedVersion -}} -{{- $patchVersions := index (index .Site.Data.products $product) "latest_patches" -}} -{{- $cliVersions := index .Site.Data.products.influxdb "latest_cli" -}} -{{- $isInfluxDB3 := eq $product "influxdb3" -}} -{{- if $cli }} - {{- /* For CLI versions, use influxdb's latest version as the lookup key for cloud products */ -}} +{{- /* Use shortcode product arg if provided, otherwise cascade */ -}} +{{- $productData := dict -}} +{{- if gt (len $productArg) 0 -}} + {{- $productData = index .Site.Data.products $productArg -}} +{{- else -}} + {{- $productData = partial "product/get-data.html" . -}} +{{- end -}} +{{- $version := cond (gt (len $versionArg) 0) $versionArg .Page.Params.version -}} +{{- if $cli -}} + {{- /* CLI versions use influxdb's latest_cli map */ -}} + {{- $cliVersions := index .Site.Data.products.influxdb "latest_cli" -}} {{- $influxdbLatest := replaceRE `\..*$` "" (index .Site.Data.products.influxdb "latest") -}} {{- if or (eq $version "cloud") (eq $version "cloud-serverless") -}} {{- .Store.Set "patchVersion" (index $cliVersions $influxdbLatest) -}} @@ -21,12 +19,14 @@ {{- .Store.Set "patchVersion" (index $cliVersions $version) -}} {{- end -}} {{- else -}} - {{- if eq $version "cloud" -}} - {{- .Store.Set "patchVersion" (index $patchVersions $latestVersion) -}} - {{- else if $isInfluxDB3 -}} - {{- .Store.Set "patchVersion" (index .Site.Data.products (print $product "_" $version)).latest_patch -}} + {{- /* For products with a single latest_patch (influxdb3), use it directly */ -}} + {{- with $productData.latest_patch -}} + {{- $.Store.Set "patchVersion" . -}} {{- else -}} - {{- .Store.Set "patchVersion" (index $patchVersions $version) -}} + {{- /* For multi-version products, look up by version key */ -}} + {{- with $productData.latest_patches -}} + {{- $.Store.Set "patchVersion" (index . $version) -}} + {{- end -}} {{- end -}} {{- end -}} -{{- .Store.Get "patchVersion" -}} \ No newline at end of file +{{- .Store.Get "patchVersion" -}} diff --git a/layouts/shortcodes/nav-icon.html b/layouts/shortcodes/nav-icon.html index 8b794b030..16cca4f36 100644 --- a/layouts/shortcodes/nav-icon.html +++ b/layouts/shortcodes/nav-icon.html @@ -1,9 +1,9 @@ {{ $navIcon := lower (.Get 0) | default "influx" }} -{{- $productPathData := findRE "[^/]+.*?" .Page.RelPermalink -}} -{{- $product := index $productPathData 0 -}} -{{- $productVersion := index $productPathData 1 | default "v0" -}} +{{- $productData := partial "product/get-data.html" . -}} +{{- $namespace := $productData.namespace | default (index (findRE "[^/]+.*?" .Page.RelPermalink) 0) -}} +{{- $productVersion := .Page.Params.version | default "v0" -}} {{- $defaultClockface := "" -}} -{{- with (index .Site.Data.clockface $product) -}} +{{- with (index .Site.Data.clockface $namespace) -}} {{- $defaultClockface = default (index . "default") (index . $productVersion) -}} {{- end -}} {{- $version := .Get 1 | default $defaultClockface -}} diff --git a/layouts/shortcodes/product-key.html b/layouts/shortcodes/product-key.html index 631349a46..e5f01fd6d 100644 --- a/layouts/shortcodes/product-key.html +++ b/layouts/shortcodes/product-key.html @@ -1,3 +1 @@ -{{- $productPathData := findRE "[^/]+.*?" .Page.RelPermalink -}} -{{- $currentProduct := index $productPathData 1 -}} -{{ $currentProduct }} \ No newline at end of file +{{- .Page.Params.version -}} diff --git a/layouts/shortcodes/product-name.html b/layouts/shortcodes/product-name.html index e17785532..a163a5e1a 100644 --- a/layouts/shortcodes/product-name.html +++ b/layouts/shortcodes/product-name.html @@ -1,50 +1,6 @@ -{{- $productPathData := findRE "[^/]+.*?" .Page.RelPermalink -}} -{{- /* Support deployments (such as CI tools) with subdirectory baseURL */ -}} -{{- $pathOffset := .Site.Params.prPreviewPathOffset | default 0 -}} -{{- $namespace := index $productPathData (add $pathOffset 0) -}} -{{- $currentProduct := index $productPathData (add $pathOffset 1) -}} +{{- $productData := partial "product/get-data.html" . -}} {{- $length := .Get 0 | default "long" -}} {{- $omit := .Get "omit" | default "" -}} -{{- $scratch := newScratch -}} -{{- /* Products identified by second path segment (influxdb, influxdb3) */ -}} -{{- if eq $currentProduct "v2" -}} - {{- $scratch.Set "productData" .Site.Data.products.influxdb -}} -{{- else if eq $currentProduct "v1" -}} - {{- /* v1 requires checking namespace to distinguish products */ -}} - {{- if eq $namespace "influxdb" -}} - {{- $scratch.Set "productData" .Site.Data.products.influxdb -}} - {{- else if eq $namespace "enterprise_influxdb" -}} - {{- $scratch.Set "productData" .Site.Data.products.enterprise_influxdb -}} - {{- else if eq $namespace "telegraf" -}} - {{- $scratch.Set "productData" .Site.Data.products.telegraf -}} - {{- else if eq $namespace "chronograf" -}} - {{- $scratch.Set "productData" .Site.Data.products.chronograf -}} - {{- else if eq $namespace "kapacitor" -}} - {{- $scratch.Set "productData" .Site.Data.products.kapacitor -}} - {{- end -}} -{{- else if eq $currentProduct "v0" -}} - {{- /* v0 is Flux */ -}} - {{- if eq $namespace "flux" -}} - {{- $scratch.Set "productData" .Site.Data.products.flux -}} - {{- end -}} -{{- else if eq $currentProduct "cloud" -}} - {{- $scratch.Set "productData" .Site.Data.products.influxdb_cloud -}} -{{- else if eq $currentProduct "core" -}} - {{- $scratch.Set "productData" .Site.Data.products.influxdb3_core -}} -{{- else if eq $currentProduct "enterprise" -}} - {{- $scratch.Set "productData" .Site.Data.products.influxdb3_enterprise -}} -{{- else if eq $currentProduct "explorer" -}} - {{- $scratch.Set "productData" .Site.Data.products.influxdb3_explorer -}} -{{- else if eq $currentProduct "cloud-serverless" -}} - {{- $scratch.Set "productData" .Site.Data.products.influxdb3_cloud_serverless -}} -{{- else if eq $currentProduct "cloud-dedicated" -}} - {{- $scratch.Set "productData" .Site.Data.products.influxdb3_cloud_dedicated -}} -{{- else if eq $currentProduct "clustered" -}} - {{- $scratch.Set "productData" .Site.Data.products.influxdb3_clustered -}} -{{- else if eq $currentProduct "controller" -}} - {{- $scratch.Set "productData" .Site.Data.products.telegraf_controller -}} -{{- end -}} -{{- $productData := $scratch.Get "productData" -}} {{- if eq $length "long" }} {{- $productData.name | replaceRE $omit "" -}} {{ else if eq $length "short" }} diff --git a/layouts/shortcodes/release-toc.html b/layouts/shortcodes/release-toc.html index 8769548a1..c004dc28d 100644 --- a/layouts/shortcodes/release-toc.html +++ b/layouts/shortcodes/release-toc.html @@ -1,5 +1,4 @@ -{{- $productPathData := findRE "[^/]+.*?" .Page.RelPermalink -}} -{{- $currentVersion := index $productPathData 1 -}} +{{- $currentVersion := .Page.Params.version -}} {{- $show := .Get "show" | default 12 -}}
      diff --git a/layouts/shortcodes/show-in.html b/layouts/shortcodes/show-in.html index 457bc4659..e67f245c4 100644 --- a/layouts/shortcodes/show-in.html +++ b/layouts/shortcodes/show-in.html @@ -1,7 +1,6 @@ -{{- $productPathData := split .Page.RelPermalink "/" -}} -{{- $productVersion := index $productPathData 2 -}} +{{- $productVersion := .Page.Params.version -}} {{- $defaultShowInString := "v2,cloud,cloud-serverless,cloud-dedicated,clustered,core,enterprise" -}} {{- $showInString := .Get 0 | default $defaultShowInString }} {{- $showInList := split $showInString "," -}} {{- $show := in $showInList $productVersion -}} -{{ if $show }}{{ .Inner }}{{ end }} \ No newline at end of file +{{ if $show }}{{ .Inner }}{{ end }} diff --git a/layouts/shortcodes/sql/sql-schema-intro.md b/layouts/shortcodes/sql/sql-schema-intro.md index 88a230eb6..ab4df512c 100644 --- a/layouts/shortcodes/sql/sql-schema-intro.md +++ b/layouts/shortcodes/sql/sql-schema-intro.md @@ -1,10 +1,7 @@ -{{- $productPathData := findRE "[^/]+.*?" .Page.RelPermalink -}} -{{- $currentProduct := index $productPathData 1 -}} -{{- $productKey := print "influxdb3_" (replaceRE "-" "_" $currentProduct) }} -{{- $productData := index .Site.Data.products $productKey -}} +{{- $productData := partial "product/get-data.html" . -}} {{- $productName := $productData.name -}} -{{- $isDedicated := in .Page.RelPermalink "/cloud-dedicated/" -}} +{{- $isDedicated := eq .Page.Params.version "cloud-dedicated" -}} When working with the {{ $productName }} SQL implementation {{ if not $isDedicated }}a **bucket** is equivalent to a **database**,{{ end }} a **measurement** is equivalent to a **table**, and **time**, **fields**, and -**tags** are structured as **columns**. \ No newline at end of file +**tags** are structured as **columns**. diff --git a/layouts/shortcodes/telegraf/plugins.html b/layouts/shortcodes/telegraf/plugins.html index 304df7486..15e449f99 100644 --- a/layouts/shortcodes/telegraf/plugins.html +++ b/layouts/shortcodes/telegraf/plugins.html @@ -1,8 +1,7 @@ {{ $scratch := newScratch }} {{ $type := .Get "type" }} -{{ $pathData := findRE "[^/]+.*?" .Page.RelPermalink }} {{ $latestTelegrafVersion := replaceRE `\.[0-9]+$` "" .Site.Data.products.telegraf.latest_patches.v1 }} -{{ $externalPluginLink := print "/telegraf/" (index $pathData 1) "/configure_plugins/external_plugins/" }} +{{ $externalPluginLink := print "/telegraf/" .Page.Params.version "/configure_plugins/external_plugins/" }} {{ range (index .Site.Data.telegraf_plugins $type ) }} {{ $pluginTags := delimit .tags " " }} diff --git a/layouts/shortcodes/telegraf/verify.md b/layouts/shortcodes/telegraf/verify.md index 7b42b5d56..7d85913f0 100644 --- a/layouts/shortcodes/telegraf/verify.md +++ b/layouts/shortcodes/telegraf/verify.md @@ -1,7 +1,7 @@ -{{- $productPathData := findRE "[^/]+.*?" .Page.RelPermalink -}} -{{- $version := replaceRE "v" "" (index $productPathData 1) -}} -{{- $patchVersions := .Site.Data.products.telegraf.latest_patches -}} -{{- $latestPatch := print $version "." (index $patchVersions $version) -}} +{{- $productData := partial "product/get-data.html" . -}} +{{- $version := .Page.Params.version -}} +{{- $latestPatch := index $productData.latest_patches $version -}} + ### Verify the authenticity of downloaded binary (optional) InfluxData cryptographically signs each Telegraf binary release. @@ -12,25 +12,25 @@ If `gpg` is not available, see the [GnuPG homepage](https://gnupg.org/download/) 1. Download and import InfluxData's public key: - ``` - curl -sL https://repos.influxdata.com/influxdata-archive.key | gpg --import - ``` + ``` + curl -sL https://repos.influxdata.com/influxdata-archive.key | gpg --import + ``` 2. Download the signature file for the release by adding `.asc` to the download URL. For example: - ``` - wget https://dl.influxdata.com/telegraf/releases/telegraf-{{ $latestPatch }}_linux_amd64.tar.gz.asc - ``` + ``` + wget https://dl.influxdata.com/telegraf/releases/telegraf-{{ $latestPatch }}_linux_amd64.tar.gz.asc + ``` 3. Verify the signature with `gpg --verify`: - ``` - gpg --verify telegraf-{{ $latestPatch }}_linux_amd64.tar.gz.asc telegraf-{{ $latestPatch }}_linux_amd64.tar.gz - ``` + ``` + gpg --verify telegraf-{{ $latestPatch }}_linux_amd64.tar.gz.asc telegraf-{{ $latestPatch }}_linux_amd64.tar.gz + ``` - The output from this command should include the following: + The output from this command should include the following: - ``` - gpg: Good signature from "InfluxData Package Signing Key " [unknown] - ``` + ``` + gpg: Good signature from "InfluxData Package Signing Key " [unknown] + ``` diff --git a/layouts/shortcodes/token-link.md b/layouts/shortcodes/token-link.md index 185cdf867..c1dcaac3f 100644 --- a/layouts/shortcodes/token-link.md +++ b/layouts/shortcodes/token-link.md @@ -1,7 +1,7 @@ {{- $s := newScratch -}} -{{- $productPathData := split .Page.RelPermalink "/" -}} -{{- $product := index $productPathData 1 -}} -{{- $version := index $productPathData 2 -}} +{{- $productData := partial "product/get-data.html" . -}} +{{- $product := $productData.namespace -}} +{{- $version := .Page.Params.version -}} {{- $descriptor := .Get 0 | default "" -}} {{- $linkAppend := .Get 1 | default "" -}} {{- $link := print "/" $product "/" $version "/admin/tokens/" -}} @@ -11,13 +11,13 @@ {{- $enterpriseDescriptorBlacklist := slice "operator" -}} {{- $s.Set "showDescriptor" $hasDescriptor -}} {{- if (eq $version "core") -}} - {{- if and $hasDescriptor (in $coreDescriptorBlacklist $descriptor) -}} - {{- $s.Set "showDescriptor" false -}} - {{- end -}} +{{- if and $hasDescriptor (in $coreDescriptorBlacklist $descriptor) -}} +{{- $s.Set "showDescriptor" false -}} +{{- end -}} {{- else if (eq $version "enterprise") -}} - {{- if and $hasDescriptor (in $enterpriseDescriptorBlacklist $descriptor) -}} - {{- $s.Set "showDescriptor" false -}} - {{- end -}} +{{- if and $hasDescriptor (in $enterpriseDescriptorBlacklist $descriptor) -}} +{{- $s.Set "showDescriptor" false -}} +{{- end -}} {{- end -}} {{- $showDescriptor := $s.Get "showDescriptor" -}} -[{{ if $showDescriptor }}{{ $descriptor }} {{ end }}token]({{ $renderedLink }}) \ No newline at end of file +[{{ if $showDescriptor }}{{ $descriptor }} {{ end }}token]({{ $renderedLink }}) diff --git a/lefthook.yml b/lefthook.yml index d822e1dfc..1595531e0 100644 --- a/lefthook.yml +++ b/lefthook.yml @@ -34,10 +34,15 @@ pre-commit: # Auto-fix markdown formatting for instruction and README files (like prettier) lint-markdown-instructions: tags: lint - glob: "{README.md,*[A-Z]*.md,.github/**/*.md,.claude/**/*.md}" + glob: + - "README.md" + - "[A-Z]*.md" + - ".github/**/*.md" + - ".claude/**/*.md" run: | - # Filter out content directory files, then prepend /workdir/ to each remaining file - files=$(echo '{staged_files}' | tr ' ' '\n' | grep -v '^content/' | sed 's|^|/workdir/|' | tr '\n' ' ' | sed 's/ $//') + # Filter out content and layout files (shortcode .md files contain Hugo template syntax + # that remark-lint would escape), then prepend /workdir/ to each remaining file + files=$(echo '{staged_files}' | tr ' ' '\n' | grep -v '^content/' | grep -v '^layouts/' | sed 's|^|/workdir/|' | tr '\n' ' ' | sed 's/ $//') if [ -n "$files" ]; then docker compose run --rm --name remark-lint remark-lint $files --output --quiet || \ { echo "⚠️ Remark found formatting issues in instruction files. Automatic formatting applied."; } @@ -130,6 +135,15 @@ pre-commit: glob: "assets/js/*.{js,ts}" run: yarn eslint {staged_files} fail_text: "JavaScript linting failed. Fix errors before committing." + shellcheck: + tags: lint + glob: "*.sh" + exclude: + - "shared/text/**/*.sh" + - "layouts/shortcodes/**/*.sh" + - "node_modules/**" + run: .ci/shellcheck/shellcheck.sh {staged_files} + fail_text: "ShellCheck found issues in shell scripts. Fix errors before committing." pre-push: commands: packages-audit: diff --git a/package.json b/package.json index e9a0907a6..f05c1202b 100644 --- a/package.json +++ b/package.json @@ -17,10 +17,9 @@ "lodash-es": "^4.17.23" }, "devDependencies": { - "@eslint/js": "^9.18.0", + "@eslint/js": "^10.0.1", "@evilmartians/lefthook": "^1.7.1", "@types/js-yaml": "^4.0.9", - "@vvago/vale": "^3.12.0", "autoprefixer": ">=10.2.5", "cypress": "^14.0.1", "eslint": "^10.0.0", diff --git a/static/img/influxdb3/cloud-dedicated-admin-ui-autoscaling.png b/static/img/influxdb3/cloud-dedicated-admin-ui-autoscaling.png new file mode 100644 index 000000000..f68df6b3c Binary files /dev/null and b/static/img/influxdb3/cloud-dedicated-admin-ui-autoscaling.png differ diff --git a/static/img/influxdb3/cloud-dedicated-admin-ui-query-log-detail-view.png b/static/img/influxdb3/cloud-dedicated-admin-ui-query-log-detail-view.png new file mode 100644 index 000000000..22da99d63 Binary files /dev/null and b/static/img/influxdb3/cloud-dedicated-admin-ui-query-log-detail-view.png differ diff --git a/static/img/influxdb3/cloud-dedicated-admin-ui-query-log-list-view.png b/static/img/influxdb3/cloud-dedicated-admin-ui-query-log-list-view.png new file mode 100644 index 000000000..26ab18414 Binary files /dev/null and b/static/img/influxdb3/cloud-dedicated-admin-ui-query-log-list-view.png differ diff --git a/yarn.lock b/yarn.lock index de9d65885..56c52b105 100644 --- a/yarn.lock +++ b/yarn.lock @@ -27,15 +27,15 @@ lru-cache "^11.2.5" "@asamuzakjp/dom-selector@^6.7.6": - version "6.7.8" - resolved "https://registry.yarnpkg.com/@asamuzakjp/dom-selector/-/dom-selector-6.7.8.tgz#caac36d625ddc34d33dd9e092d80be5dd8e315ba" - integrity sha512-stisC1nULNc9oH5lakAj8MH88ZxeGxzyWNDfbdCxvJSJIvDsHNZqYvscGTgy/ysgXWLJPt6K/4t0/GjvtKcFJQ== + version "6.8.1" + resolved "https://registry.yarnpkg.com/@asamuzakjp/dom-selector/-/dom-selector-6.8.1.tgz#39b20993672b106f7cd9a3a9a465212e87e0bfd1" + integrity sha512-MvRz1nCqW0fsy8Qz4dnLIvhOlMzqDVBabZx6lH+YywFDdjXhMY37SmpV1XFX3JzG5GWHn63j6HX6QPr3lZXHvQ== dependencies: "@asamuzakjp/nwsapi" "^2.3.9" bidi-js "^1.0.3" css-tree "^3.1.0" is-potential-custom-element-name "^1.0.1" - lru-cache "^11.2.5" + lru-cache "^11.2.6" "@asamuzakjp/nwsapi@^2.3.9": version "2.3.9" @@ -61,60 +61,60 @@ resolved "https://registry.yarnpkg.com/@braintree/sanitize-url/-/sanitize-url-7.1.2.tgz#ca2035b0fefe956a8676ff0c69af73e605fcd81f" integrity sha512-jigsZK+sMF/cuiB7sERuo9V7N9jx+dhmHHnQyDSVdpZwVutaBu7WvNYqMDLSgFgfB30n452TP3vjDAvFC973mA== -"@chevrotain/cst-dts-gen@11.0.3": - version "11.0.3" - resolved "https://registry.yarnpkg.com/@chevrotain/cst-dts-gen/-/cst-dts-gen-11.0.3.tgz#5e0863cc57dc45e204ccfee6303225d15d9d4783" - integrity sha512-BvIKpRLeS/8UbfxXxgC33xOumsacaeCKAjAeLyOn7Pcp95HiRbrpl14S+9vaZLolnbssPIUuiUd8IvgkRyt6NQ== +"@chevrotain/cst-dts-gen@11.1.2": + version "11.1.2" + resolved "https://registry.yarnpkg.com/@chevrotain/cst-dts-gen/-/cst-dts-gen-11.1.2.tgz#501ea6177fa21cc57264c792ef5cc3d0bb9410fd" + integrity sha512-XTsjvDVB5nDZBQB8o0o/0ozNelQtn2KrUVteIHSlPd2VAV2utEb6JzyCJaJ8tGxACR4RiBNWy5uYUHX2eji88Q== dependencies: - "@chevrotain/gast" "11.0.3" - "@chevrotain/types" "11.0.3" - lodash-es "4.17.21" + "@chevrotain/gast" "11.1.2" + "@chevrotain/types" "11.1.2" + lodash-es "4.17.23" -"@chevrotain/gast@11.0.3": - version "11.0.3" - resolved "https://registry.yarnpkg.com/@chevrotain/gast/-/gast-11.0.3.tgz#e84d8880323fe8cbe792ef69ce3ffd43a936e818" - integrity sha512-+qNfcoNk70PyS/uxmj3li5NiECO+2YKZZQMbmjTqRI3Qchu8Hig/Q9vgkHpI3alNjr7M+a2St5pw5w5F6NL5/Q== +"@chevrotain/gast@11.1.2": + version "11.1.2" + resolved "https://registry.yarnpkg.com/@chevrotain/gast/-/gast-11.1.2.tgz#213393f2b5842e8bf13369bdc042c7fd18201af2" + integrity sha512-Z9zfXR5jNZb1Hlsd/p+4XWeUFugrHirq36bKzPWDSIacV+GPSVXdk+ahVWZTwjhNwofAWg/sZg58fyucKSQx5g== dependencies: - "@chevrotain/types" "11.0.3" - lodash-es "4.17.21" + "@chevrotain/types" "11.1.2" + lodash-es "4.17.23" -"@chevrotain/regexp-to-ast@11.0.3": - version "11.0.3" - resolved "https://registry.yarnpkg.com/@chevrotain/regexp-to-ast/-/regexp-to-ast-11.0.3.tgz#11429a81c74a8e6a829271ce02fc66166d56dcdb" - integrity sha512-1fMHaBZxLFvWI067AVbGJav1eRY7N8DDvYCTwGBiE/ytKBgP8azTdgyrKyWZ9Mfh09eHWb5PgTSO8wi7U824RA== +"@chevrotain/regexp-to-ast@11.1.2": + version "11.1.2" + resolved "https://registry.yarnpkg.com/@chevrotain/regexp-to-ast/-/regexp-to-ast-11.1.2.tgz#6aeb0b3fd5e3f220b063b3d856fbbaed582e4cfa" + integrity sha512-nMU3Uj8naWer7xpZTYJdxbAs6RIv/dxYzkYU8GSwgUtcAAlzjcPfX1w+RKRcYG8POlzMeayOQ/znfwxEGo5ulw== -"@chevrotain/types@11.0.3": - version "11.0.3" - resolved "https://registry.yarnpkg.com/@chevrotain/types/-/types-11.0.3.tgz#f8a03914f7b937f594f56eb89312b3b8f1c91848" - integrity sha512-gsiM3G8b58kZC2HaWR50gu6Y1440cHiJ+i3JUvcp/35JchYejb2+5MVeJK0iKThYpAa/P2PYFV4hoi44HD+aHQ== +"@chevrotain/types@11.1.2": + version "11.1.2" + resolved "https://registry.yarnpkg.com/@chevrotain/types/-/types-11.1.2.tgz#e83a1a2704f0c5e49e7592b214031a0f4a34d7e5" + integrity sha512-U+HFai5+zmJCkK86QsaJtoITlboZHBqrVketcO2ROv865xfCMSFpELQoz1GkX5GzME8pTa+3kbKrZHQtI0gdbw== -"@chevrotain/utils@11.0.3": - version "11.0.3" - resolved "https://registry.yarnpkg.com/@chevrotain/utils/-/utils-11.0.3.tgz#e39999307b102cff3645ec4f5b3665f5297a2224" - integrity sha512-YslZMgtJUyuMbZ+aKvfF3x1f5liK4mWNxghFRv7jqRR9C3R3fAOGTTKvxXDa2Y1s9zSbcpuO0cAxDYsc9SrXoQ== +"@chevrotain/utils@11.1.2": + version "11.1.2" + resolved "https://registry.yarnpkg.com/@chevrotain/utils/-/utils-11.1.2.tgz#a0b13637acc0a2933d8a2edeba4bf1da789c565d" + integrity sha512-4mudFAQ6H+MqBTfqLmU7G1ZwRzCLfJEooL/fsF6rCX5eePMbGhoy5n4g+G4vlh2muDcsCTJtL+uKbOzWxs5LHA== "@colors/colors@1.6.0", "@colors/colors@^1.6.0": version "1.6.0" resolved "https://registry.yarnpkg.com/@colors/colors/-/colors-1.6.0.tgz#ec6cd237440700bc23ca23087f513c75508958b0" integrity sha512-Ir+AOibqzrIsL6ajt3Rz3LskB7OiMVHqltZmspbW/TJuTVuyOMirVqAkjfY6JISiLHgyNqicAC8AyHHGzNd/dA== -"@csstools/color-helpers@^6.0.1": - version "6.0.1" - resolved "https://registry.yarnpkg.com/@csstools/color-helpers/-/color-helpers-6.0.1.tgz#637c08a61bea78be9b602216f47b0fb93c996178" - integrity sha512-NmXRccUJMk2AWA5A7e5a//3bCIMyOu2hAtdRYrhPPHjDxINuCwX1w6rnIZ4xjLcp0ayv6h8Pc3X0eJUGiAAXHQ== +"@csstools/color-helpers@^6.0.2": + version "6.0.2" + resolved "https://registry.yarnpkg.com/@csstools/color-helpers/-/color-helpers-6.0.2.tgz#82c59fd30649cf0b4d3c82160489748666e6550b" + integrity sha512-LMGQLS9EuADloEFkcTBR3BwV/CGHV7zyDxVRtVDTwdI2Ca4it0CCVTT9wCkxSgokjE5Ho41hEPgb8OEUwoXr6Q== -"@csstools/css-calc@^3.0.0": - version "3.0.1" - resolved "https://registry.yarnpkg.com/@csstools/css-calc/-/css-calc-3.0.1.tgz#a8c1301c91b249d5ea445f90f3f8b03b2b7eb87f" - integrity sha512-bsDKIP6f4ta2DO9t+rAbSSwv4EMESXy5ZIvzQl1afmD6Z1XHkVu9ijcG9QR/qSgQS1dVa+RaQ/MfQ7FIB/Dn1Q== +"@csstools/css-calc@^3.0.0", "@csstools/css-calc@^3.1.1": + version "3.1.1" + resolved "https://registry.yarnpkg.com/@csstools/css-calc/-/css-calc-3.1.1.tgz#78b494996dac41a02797dcca18ac3b46d25b3fd7" + integrity sha512-HJ26Z/vmsZQqs/o3a6bgKslXGFAungXGbinULZO3eMsOyNJHeBBZfup5FiZInOghgoM4Hwnmw+OgbJCNg1wwUQ== "@csstools/css-color-parser@^4.0.1": - version "4.0.1" - resolved "https://registry.yarnpkg.com/@csstools/css-color-parser/-/css-color-parser-4.0.1.tgz#c40eac0ad218afb20b91735350270df8454ec307" - integrity sha512-vYwO15eRBEkeF6xjAno/KQ61HacNhfQuuU/eGwH67DplL0zD5ZixUa563phQvUelA07yDczIXdtmYojCphKJcw== + version "4.0.2" + resolved "https://registry.yarnpkg.com/@csstools/css-color-parser/-/css-color-parser-4.0.2.tgz#c27e03a3770d0352db92d668d6dde427a37859e5" + integrity sha512-0GEfbBLmTFf0dJlpsNU7zwxRIH0/BGEMuXLTCvFYxuL1tNhqzTbtnFICyJLTNK4a+RechKP75e7w42ClXSnJQw== dependencies: - "@csstools/color-helpers" "^6.0.1" - "@csstools/css-calc" "^3.0.0" + "@csstools/color-helpers" "^6.0.2" + "@csstools/css-calc" "^3.1.1" "@csstools/css-parser-algorithms@^4.0.0": version "4.0.0" @@ -122,9 +122,9 @@ integrity sha512-+B87qS7fIG3L5h3qwJ/IFbjoVoOe/bpOdh9hAjXbvx0o8ImEmUsGXN0inFOnk2ChCFgqkkGFQ+TpM5rbhkKe4w== "@csstools/css-syntax-patches-for-csstree@^1.0.21": - version "1.0.27" - resolved "https://registry.yarnpkg.com/@csstools/css-syntax-patches-for-csstree/-/css-syntax-patches-for-csstree-1.0.27.tgz#47caab710c26b5cfba200c5820b11dba29a2fcc9" - integrity sha512-sxP33Jwg1bviSUXAV43cVYdmjt2TLnLXNqCWl9xmxHawWVjGz/kEbdkr7F9pxJNBN2Mh+dq0crgItbW6tQvyow== + version "1.0.28" + resolved "https://registry.yarnpkg.com/@csstools/css-syntax-patches-for-csstree/-/css-syntax-patches-for-csstree-1.0.28.tgz#cd239a16f95c0ed7c6d74315da4e38f2e93bbf19" + integrity sha512-1NRf1CUBjnr3K7hu8BLxjQrKCxEe8FP/xmPTenAxCRZWVLbmGotkFvG9mfNpjA6k7Bw1bw4BilZq9cu19RA5pg== "@csstools/css-tokenizer@^4.0.0": version "4.0.0" @@ -195,14 +195,14 @@ resolved "https://registry.yarnpkg.com/@eslint-community/regexpp/-/regexpp-4.12.2.tgz#bccdf615bcf7b6e8db830ec0b8d21c9a25de597b" integrity sha512-EriSTlt5OC9/7SXkRSCAhfSxxoSUgBm33OH+IkwbdpgoqsSsUg7y3uh+IICI/Qg4BBWr3U2i39RpmycbxMq4ew== -"@eslint/config-array@^0.23.0": - version "0.23.1" - resolved "https://registry.yarnpkg.com/@eslint/config-array/-/config-array-0.23.1.tgz#908223da7b9148f1af5bfb3144b77a9387a89446" - integrity sha512-uVSdg/V4dfQmTjJzR0szNczjOH/J+FyUMMjYtr07xFRXR7EDf9i1qdxrD0VusZH9knj1/ecxzCQQxyic5NzAiA== +"@eslint/config-array@^0.23.2": + version "0.23.2" + resolved "https://registry.yarnpkg.com/@eslint/config-array/-/config-array-0.23.2.tgz#db85beeff7facc685a5775caacb1c845669b9470" + integrity sha512-YF+fE6LV4v5MGWRGj7G404/OZzGNepVF8fxk7jqmqo3lrza7a0uUcDnROGRBG1WFC1omYUS/Wp1f42i0M+3Q3A== dependencies: - "@eslint/object-schema" "^3.0.1" + "@eslint/object-schema" "^3.0.2" debug "^4.3.1" - minimatch "^10.1.1" + minimatch "^10.2.1" "@eslint/config-helpers@^0.5.2": version "0.5.2" @@ -218,15 +218,15 @@ dependencies: "@types/json-schema" "^7.0.15" -"@eslint/js@^9.18.0": - version "9.39.2" - resolved "https://registry.yarnpkg.com/@eslint/js/-/js-9.39.2.tgz#2d4b8ec4c3ea13c1b3748e0c97ecd766bdd80599" - integrity sha512-q1mjIoW1VX4IvSocvM/vbTiveKC4k9eLrajNEuSsmjymSDEbpGddtpfOoN7YGAqBK3NG+uqo8ia4PDTt8buCYA== +"@eslint/js@^10.0.1": + version "10.0.1" + resolved "https://registry.yarnpkg.com/@eslint/js/-/js-10.0.1.tgz#1e8a876f50117af8ab67e47d5ad94d38d6622583" + integrity sha512-zeR9k5pd4gxjZ0abRoIaxdc7I3nDktoXZk2qOv9gCNWx3mVwEn32VRhyLaRsDiJjTs0xq/T8mfPtyuXu7GWBcA== -"@eslint/object-schema@^3.0.1": - version "3.0.1" - resolved "https://registry.yarnpkg.com/@eslint/object-schema/-/object-schema-3.0.1.tgz#9a1dc9af00d790dc79a9bf57a756e3cb2740ddb9" - integrity sha512-P9cq2dpr+LU8j3qbLygLcSZrl2/ds/pUpfnHNNuk5HW7mnngHs+6WSq5C9mO3rqRX8A1poxqLTC9cu0KOyJlBg== +"@eslint/object-schema@^3.0.2": + version "3.0.2" + resolved "https://registry.yarnpkg.com/@eslint/object-schema/-/object-schema-3.0.2.tgz#c59c6a94aa4b428ed7f1615b6a4495c0a21f7a22" + integrity sha512-HOy56KJt48Bx8KmJ+XGQNSUMT/6dZee/M54XyUyuvTvPXJmsERRvBchsUVx1UMe1WwIH49XLAczNC7V2INsuUw== "@eslint/plugin-kit@^0.6.0": version "0.6.0" @@ -242,51 +242,51 @@ integrity sha512-79vplrUBWL4Fkt59YkEBdSpqBVhNrY8t5+jEp+wX5QbsmbQLcSULqwS7FmbNRyECa2LWMrUWpe6ENIfNwB4jiw== "@exodus/bytes@^1.6.0": - version "1.12.0" - resolved "https://registry.yarnpkg.com/@exodus/bytes/-/bytes-1.12.0.tgz#c7a268cf9c14d44e14959e08824467f496c5f10a" - integrity sha512-BuCOHA/EJdPN0qQ5MdgAiJSt9fYDHbghlgrj33gRdy/Yp1/FMCDhU6vJfcKrLC0TPWGSrfH3vYXBQWmFHxlddw== + version "1.14.1" + resolved "https://registry.yarnpkg.com/@exodus/bytes/-/bytes-1.14.1.tgz#9b5c29077162a35f1bd25613e0cd3c239f6e7ad8" + integrity sha512-OhkBFWI6GcRMUroChZiopRiSp2iAMvEBK47NhJooDqz1RERO4QuZIZnjP63TXX8GAiLABkYmX+fuQsdJ1dd2QQ== -"@github/copilot-darwin-arm64@0.0.406": - version "0.0.406" - resolved "https://registry.yarnpkg.com/@github/copilot-darwin-arm64/-/copilot-darwin-arm64-0.0.406.tgz#01cefa05f4ff601783f0b21e412f64e4f8902c5d" - integrity sha512-grg6H7Bkg6Jep/Da2RlXd3JTXSko2fa3vM9LgsoNmbEKAbhyRcUA2XGV+Th/I4KTcgAzfyF6RhtJB7cFjjq23Q== +"@github/copilot-darwin-arm64@0.0.420": + version "0.0.420" + resolved "https://registry.yarnpkg.com/@github/copilot-darwin-arm64/-/copilot-darwin-arm64-0.0.420.tgz#560ca002fa491c04fdb6f74f84fee87e52575c53" + integrity sha512-sj8Oxcf3oKDbeUotm2gtq5YU1lwCt3QIzbMZioFD/PMLOeqSX/wrecI+c0DDYXKofFhALb0+DxxnWgbEs0mnkQ== -"@github/copilot-darwin-x64@0.0.406": - version "0.0.406" - resolved "https://registry.yarnpkg.com/@github/copilot-darwin-x64/-/copilot-darwin-x64-0.0.406.tgz#d3fabddede4a82d598db2f0c2e4e3b70fffd5bb7" - integrity sha512-JL/QP7bIOja2DhtOHOhwn6ZIy/Zotp0p7k5mLXk4gIjgb1fEVz7L2OcFauZsxDBPOFmTNSfdsqFC2E2liHPQmw== +"@github/copilot-darwin-x64@0.0.420": + version "0.0.420" + resolved "https://registry.yarnpkg.com/@github/copilot-darwin-x64/-/copilot-darwin-x64-0.0.420.tgz#1d5cf40ac4e04bbd69fb0a79abf3743897c5f795" + integrity sha512-2acA93IqXz1uuz3TVUm0Y7BVrBr0MySh1kQa8LqMILhTsG0YHRMm8ybzTp2HA7Mi1tl5CjqMSk163kkS7OzfUA== -"@github/copilot-linux-arm64@0.0.406": - version "0.0.406" - resolved "https://registry.yarnpkg.com/@github/copilot-linux-arm64/-/copilot-linux-arm64-0.0.406.tgz#6b78827591146ab029ceb4213f5ae1346cf681a2" - integrity sha512-ZQE1VQoYBYPouS5VH98KuwBaGfHz5A5p98utE74w5i6OvTqs95MhFsKMO1+NK0FnVuxkpTrd6ocl7QesgnNrIQ== +"@github/copilot-linux-arm64@0.0.420": + version "0.0.420" + resolved "https://registry.yarnpkg.com/@github/copilot-linux-arm64/-/copilot-linux-arm64-0.0.420.tgz#e247517854927a14f5c076bfa99309160afec2d7" + integrity sha512-h/IvEryTOYm1HzR2GNq8s2aDtN4lvT4MxldfZuS42CtWJDOfVG2jLLsoHWU1T3QV8j1++PmDgE//HX0JLpLMww== -"@github/copilot-linux-x64@0.0.406": - version "0.0.406" - resolved "https://registry.yarnpkg.com/@github/copilot-linux-x64/-/copilot-linux-x64-0.0.406.tgz#8026e9ea893db08e5d7800473c71a3fb2876371f" - integrity sha512-yJJuZIaShnGUMalx0cJDo2wVJ8zMUy2fXKLHsfiDYMgjoV8ps6SRwnNzvVlXlgnMGtjJdQaq0+6Hzku0S2Tpyw== +"@github/copilot-linux-x64@0.0.420": + version "0.0.420" + resolved "https://registry.yarnpkg.com/@github/copilot-linux-x64/-/copilot-linux-x64-0.0.420.tgz#00d22974499f0fab6354fe4e22f6be59b800ab98" + integrity sha512-iL2NpZvXIDZ+3lw7sO2fo5T0nKmP5dZbU2gdYcv+SFBm/ONhCxIY5VRX4yN/9VkFaa9ePv5JzCnsl3vZINiDxg== -"@github/copilot-win32-arm64@0.0.406": - version "0.0.406" - resolved "https://registry.yarnpkg.com/@github/copilot-win32-arm64/-/copilot-win32-arm64-0.0.406.tgz#16b98f093b2bdce6188047327d766add8b6e2a40" - integrity sha512-U0Yc6VsBReelgT8AeKGN/ScXZMC2W5E/0DdZphaX8AGjhVOdjzfx081S4/8ABLMyfhyuv210c4YSDP2zlVvrBQ== +"@github/copilot-win32-arm64@0.0.420": + version "0.0.420" + resolved "https://registry.yarnpkg.com/@github/copilot-win32-arm64/-/copilot-win32-arm64-0.0.420.tgz#733c45aced1e42c2877ae44012074abbcce3d55d" + integrity sha512-Njlc2j9vYSBAL+lC6FIEhQ3C+VxO3xavwKnw0ecVRiNLcGLyPrTdzPfPQOmEjC63gpVCqLabikoDGv8fuLPA2w== -"@github/copilot-win32-x64@0.0.406": - version "0.0.406" - resolved "https://registry.yarnpkg.com/@github/copilot-win32-x64/-/copilot-win32-x64-0.0.406.tgz#fa10ce5c4b20de18c73a6d7142af285fe3b6c984" - integrity sha512-Nn9/qlZOKWvM8/P8vnxpN4rKgDE81meGrxsQ6ZGAnUgLFY/nNRIfOmVbDSWGJZAZyaDGNjfaETzrEtyne902yw== +"@github/copilot-win32-x64@0.0.420": + version "0.0.420" + resolved "https://registry.yarnpkg.com/@github/copilot-win32-x64/-/copilot-win32-x64-0.0.420.tgz#d45f47f2f08d4bba87760b8afb21af19d1988780" + integrity sha512-rZlH35oNehAP2DvQbu4vQFVNeCh/1p3rUjafBYaEY0Nkhx7RmdrYBileL5U3PtRPPRsBPaq3Qp+pVIrGoCDLzQ== "@github/copilot@latest": - version "0.0.406" - resolved "https://registry.yarnpkg.com/@github/copilot/-/copilot-0.0.406.tgz#c6473b4dd3264eac15f3cdf302a0059e6832b093" - integrity sha512-nQVdIlHaSxdaIW4a/QpT9ymESLiDpq/lRURP/ugMf4zy3Moaw0CzQXpCU6XeAN8K1YlJOrCFflb/jBeau1E2Qg== + version "0.0.420" + resolved "https://registry.yarnpkg.com/@github/copilot/-/copilot-0.0.420.tgz#596349de076566a310836a7e06e6807b87ea6bfe" + integrity sha512-UpPuSjxUxQ+j02WjZEFffWf0scLb23LvuGHzMFtaSsweR+P/BdbtDUI5ZDIA6T0tVyyt6+X1/vgfsJiRqd6jig== optionalDependencies: - "@github/copilot-darwin-arm64" "0.0.406" - "@github/copilot-darwin-x64" "0.0.406" - "@github/copilot-linux-arm64" "0.0.406" - "@github/copilot-linux-x64" "0.0.406" - "@github/copilot-win32-arm64" "0.0.406" - "@github/copilot-win32-x64" "0.0.406" + "@github/copilot-darwin-arm64" "0.0.420" + "@github/copilot-darwin-x64" "0.0.420" + "@github/copilot-linux-arm64" "0.0.420" + "@github/copilot-linux-x64" "0.0.420" + "@github/copilot-win32-arm64" "0.0.420" + "@github/copilot-win32-x64" "0.0.420" "@humanfs/core@^0.19.1": version "0.19.1" @@ -337,11 +337,6 @@ wrap-ansi "^8.1.0" wrap-ansi-cjs "npm:wrap-ansi@^7.0.0" -"@isaacs/cliui@^9.0.0": - version "9.0.0" - resolved "https://registry.yarnpkg.com/@isaacs/cliui/-/cliui-9.0.0.tgz#4d0a3f127058043bf2e7ee169eaf30ed901302f3" - integrity sha512-AokJm4tuBHillT+FpMtxQ60n8ObyXBatq7jD2/JA9dxbDDokKQm8KMht5ibGzLVU9IJDIKK4TPKgMHEYMn3lMg== - "@isaacs/fs-minipass@^4.0.0": version "4.0.1" resolved "https://registry.yarnpkg.com/@isaacs/fs-minipass/-/fs-minipass-4.0.1.tgz#2d59ae3ab4b38fb4270bfa23d30f8e2e86c7fe32" @@ -349,12 +344,12 @@ dependencies: minipass "^7.0.4" -"@mermaid-js/parser@^0.6.3": - version "0.6.3" - resolved "https://registry.yarnpkg.com/@mermaid-js/parser/-/parser-0.6.3.tgz#3ce92dad2c5d696d29e11e21109c66a7886c824e" - integrity sha512-lnjOhe7zyHjc+If7yT4zoedx2vo4sHaTmtkl1+or8BRTnCtDmcTpAjpzDSfCZrshM5bCoz0GyidzadJAH1xobA== +"@mermaid-js/parser@^1.0.0": + version "1.0.0" + resolved "https://registry.yarnpkg.com/@mermaid-js/parser/-/parser-1.0.0.tgz#076d01775f841d7578cdc6b68a428c749120e6b3" + integrity sha512-vvK0Hi/VWndxoh03Mmz6wa1KDriSPjS2XMZL/1l19HFwygiObEEoEwSDxOqyLzzAI6J2PU3261JjTMTO7x+BPw== dependencies: - langium "3.3.1" + langium "^4.0.0" "@mixmark-io/domino@^2.2.0": version "2.2.0" @@ -366,16 +361,16 @@ resolved "https://registry.yarnpkg.com/@pkgjs/parseargs/-/parseargs-0.11.0.tgz#a77ea742fab25775145434eb1d2328cf5013ac33" integrity sha512-+1VkjdD0QBLPodGrJUeqarH8VAIvQODIbwh9XpP5Syisf7YoQgsJKPNFoqqLQlu+VQ/tVSshMR6loPMn8U+dPg== -"@puppeteer/browsers@2.12.0": - version "2.12.0" - resolved "https://registry.yarnpkg.com/@puppeteer/browsers/-/browsers-2.12.0.tgz#da618270082bb6dfa8b0565623efa80d5bf911b1" - integrity sha512-Xuq42yxcQJ54ti8ZHNzF5snFvtpgXzNToJ1bXUGQRaiO8t+B6UM8sTUJfvV+AJnqtkJU/7hdy6nbKyA12aHtRw== +"@puppeteer/browsers@2.13.0": + version "2.13.0" + resolved "https://registry.yarnpkg.com/@puppeteer/browsers/-/browsers-2.13.0.tgz#10f980c6d65efeff77f8a3cac6e1a7ac10604500" + integrity sha512-46BZJYJjc/WwmKjsvDFykHtXrtomsCIrwYQPOP7VfMJoZY2bsDF9oROBABR3paDjDcmkUye1Pb1BqdcdiipaWA== dependencies: debug "^4.4.3" extract-zip "^2.0.1" progress "^2.0.3" proxy-agent "^6.5.0" - semver "^7.7.3" + semver "^7.7.4" tar-fs "^3.1.1" yargs "^17.7.2" @@ -657,11 +652,11 @@ integrity sha512-GsCCIZDE/p3i96vtEqx+7dBUGXrc7zeSK3wwPHIaRThS+9OhWIXRqzs4d6k1SVU8g91DrNRWxWUGhp5KXQb2VA== "@types/node@*": - version "25.2.3" - resolved "https://registry.yarnpkg.com/@types/node/-/node-25.2.3.tgz#9c18245be768bdb4ce631566c7da303a5c99a7f8" - integrity sha512-m0jEgYlYz+mDJZ2+F4v8D1AyQb+QzsNqRuI7xg1VQX/KlKS0qT9r1Mo16yo5F/MtifXFgaofIFsdFMox2SxIbQ== + version "25.3.2" + resolved "https://registry.yarnpkg.com/@types/node/-/node-25.3.2.tgz#cbc4b963e1b3503eb2bcf7c55bf48c95204918d1" + integrity sha512-RpV6r/ij22zRRdyBPcxDeKAzH43phWVKEjL2iksqo1Vz3CuBUrgmPpPhALKiRfU7OMCmeeO9vECBMsV0hMTG8Q== dependencies: - undici-types "~7.16.0" + undici-types "~7.18.0" "@types/sinonjs__fake-timers@8.1.1": version "8.1.1" @@ -700,121 +695,111 @@ dependencies: "@types/node" "*" -"@typescript-eslint/eslint-plugin@8.55.0": - version "8.55.0" - resolved "https://registry.yarnpkg.com/@typescript-eslint/eslint-plugin/-/eslint-plugin-8.55.0.tgz#086d2ef661507b561f7b17f62d3179d692a0765f" - integrity sha512-1y/MVSz0NglV1ijHC8OT49mPJ4qhPYjiK08YUQVbIOyu+5k862LKUHFkpKHWu//zmr7hDR2rhwUm6gnCGNmGBQ== +"@typescript-eslint/eslint-plugin@8.56.1": + version "8.56.1" + resolved "https://registry.yarnpkg.com/@typescript-eslint/eslint-plugin/-/eslint-plugin-8.56.1.tgz#b1ce606d87221daec571e293009675992f0aae76" + integrity sha512-Jz9ZztpB37dNC+HU2HI28Bs9QXpzCz+y/twHOwhyrIRdbuVDxSytJNDl6z/aAKlaRIwC7y8wJdkBv7FxYGgi0A== dependencies: "@eslint-community/regexpp" "^4.12.2" - "@typescript-eslint/scope-manager" "8.55.0" - "@typescript-eslint/type-utils" "8.55.0" - "@typescript-eslint/utils" "8.55.0" - "@typescript-eslint/visitor-keys" "8.55.0" + "@typescript-eslint/scope-manager" "8.56.1" + "@typescript-eslint/type-utils" "8.56.1" + "@typescript-eslint/utils" "8.56.1" + "@typescript-eslint/visitor-keys" "8.56.1" ignore "^7.0.5" natural-compare "^1.4.0" ts-api-utils "^2.4.0" -"@typescript-eslint/parser@8.55.0": - version "8.55.0" - resolved "https://registry.yarnpkg.com/@typescript-eslint/parser/-/parser-8.55.0.tgz#6eace4e9e95f178d3447ed1f17f3d6a5dfdb345c" - integrity sha512-4z2nCSBfVIMnbuu8uinj+f0o4qOeggYJLbjpPHka3KH1om7e+H9yLKTYgksTaHcGco+NClhhY2vyO3HsMH1RGw== +"@typescript-eslint/parser@8.56.1": + version "8.56.1" + resolved "https://registry.yarnpkg.com/@typescript-eslint/parser/-/parser-8.56.1.tgz#21d13b3d456ffb08614c1d68bb9a4f8d9237cdc7" + integrity sha512-klQbnPAAiGYFyI02+znpBRLyjL4/BrBd0nyWkdC0s/6xFLkXYQ8OoRrSkqacS1ddVxf/LDyODIKbQ5TgKAf/Fg== dependencies: - "@typescript-eslint/scope-manager" "8.55.0" - "@typescript-eslint/types" "8.55.0" - "@typescript-eslint/typescript-estree" "8.55.0" - "@typescript-eslint/visitor-keys" "8.55.0" + "@typescript-eslint/scope-manager" "8.56.1" + "@typescript-eslint/types" "8.56.1" + "@typescript-eslint/typescript-estree" "8.56.1" + "@typescript-eslint/visitor-keys" "8.56.1" debug "^4.4.3" -"@typescript-eslint/project-service@8.55.0": - version "8.55.0" - resolved "https://registry.yarnpkg.com/@typescript-eslint/project-service/-/project-service-8.55.0.tgz#b8a71c06a625bdad481c24d5614b68e252f3ae9b" - integrity sha512-zRcVVPFUYWa3kNnjaZGXSu3xkKV1zXy8M4nO/pElzQhFweb7PPtluDLQtKArEOGmjXoRjnUZ29NjOiF0eCDkcQ== +"@typescript-eslint/project-service@8.56.1": + version "8.56.1" + resolved "https://registry.yarnpkg.com/@typescript-eslint/project-service/-/project-service-8.56.1.tgz#65c8d645f028b927bfc4928593b54e2ecd809244" + integrity sha512-TAdqQTzHNNvlVFfR+hu2PDJrURiwKsUvxFn1M0h95BB8ah5jejas08jUWG4dBA68jDMI988IvtfdAI53JzEHOQ== dependencies: - "@typescript-eslint/tsconfig-utils" "^8.55.0" - "@typescript-eslint/types" "^8.55.0" + "@typescript-eslint/tsconfig-utils" "^8.56.1" + "@typescript-eslint/types" "^8.56.1" debug "^4.4.3" -"@typescript-eslint/scope-manager@8.55.0": - version "8.55.0" - resolved "https://registry.yarnpkg.com/@typescript-eslint/scope-manager/-/scope-manager-8.55.0.tgz#8a0752c31c788651840dc98f840b0c2ebe143b8c" - integrity sha512-fVu5Omrd3jeqeQLiB9f1YsuK/iHFOwb04bCtY4BSCLgjNbOD33ZdV6KyEqplHr+IlpgT0QTZ/iJ+wT7hvTx49Q== +"@typescript-eslint/scope-manager@8.56.1": + version "8.56.1" + resolved "https://registry.yarnpkg.com/@typescript-eslint/scope-manager/-/scope-manager-8.56.1.tgz#254df93b5789a871351335dd23e20bc164060f24" + integrity sha512-YAi4VDKcIZp0O4tz/haYKhmIDZFEUPOreKbfdAN3SzUDMcPhJ8QI99xQXqX+HoUVq8cs85eRKnD+rne2UAnj2w== dependencies: - "@typescript-eslint/types" "8.55.0" - "@typescript-eslint/visitor-keys" "8.55.0" + "@typescript-eslint/types" "8.56.1" + "@typescript-eslint/visitor-keys" "8.56.1" -"@typescript-eslint/tsconfig-utils@8.55.0", "@typescript-eslint/tsconfig-utils@^8.55.0": - version "8.55.0" - resolved "https://registry.yarnpkg.com/@typescript-eslint/tsconfig-utils/-/tsconfig-utils-8.55.0.tgz#62f1d005419985e09d37a040b2f1450e4e805afa" - integrity sha512-1R9cXqY7RQd7WuqSN47PK9EDpgFUK3VqdmbYrvWJZYDd0cavROGn+74ktWBlmJ13NXUQKlZ/iAEQHI/V0kKe0Q== +"@typescript-eslint/tsconfig-utils@8.56.1", "@typescript-eslint/tsconfig-utils@^8.56.1": + version "8.56.1" + resolved "https://registry.yarnpkg.com/@typescript-eslint/tsconfig-utils/-/tsconfig-utils-8.56.1.tgz#1afa830b0fada5865ddcabdc993b790114a879b7" + integrity sha512-qOtCYzKEeyr3aR9f28mPJqBty7+DBqsdd63eO0yyDwc6vgThj2UjWfJIcsFeSucYydqcuudMOprZ+x1SpF3ZuQ== -"@typescript-eslint/type-utils@8.55.0": - version "8.55.0" - resolved "https://registry.yarnpkg.com/@typescript-eslint/type-utils/-/type-utils-8.55.0.tgz#195d854b3e56308ce475fdea2165313bb1190200" - integrity sha512-x1iH2unH4qAt6I37I2CGlsNs+B9WGxurP2uyZLRz6UJoZWDBx9cJL1xVN/FiOmHEONEg6RIufdvyT0TEYIgC5g== +"@typescript-eslint/type-utils@8.56.1": + version "8.56.1" + resolved "https://registry.yarnpkg.com/@typescript-eslint/type-utils/-/type-utils-8.56.1.tgz#7a6c4fabf225d674644931e004302cbbdd2f2e24" + integrity sha512-yB/7dxi7MgTtGhZdaHCemf7PuwrHMenHjmzgUW1aJpO+bBU43OycnM3Wn+DdvDO/8zzA9HlhaJ0AUGuvri4oGg== dependencies: - "@typescript-eslint/types" "8.55.0" - "@typescript-eslint/typescript-estree" "8.55.0" - "@typescript-eslint/utils" "8.55.0" + "@typescript-eslint/types" "8.56.1" + "@typescript-eslint/typescript-estree" "8.56.1" + "@typescript-eslint/utils" "8.56.1" debug "^4.4.3" ts-api-utils "^2.4.0" -"@typescript-eslint/types@8.55.0", "@typescript-eslint/types@^8.11.0", "@typescript-eslint/types@^8.55.0": - version "8.55.0" - resolved "https://registry.yarnpkg.com/@typescript-eslint/types/-/types-8.55.0.tgz#8449c5a7adac61184cac92dbf6315733569708c2" - integrity sha512-ujT0Je8GI5BJWi+/mMoR0wxwVEQaxM+pi30xuMiJETlX80OPovb2p9E8ss87gnSVtYXtJoU9U1Cowcr6w2FE0w== +"@typescript-eslint/types@8.56.1", "@typescript-eslint/types@^8.11.0", "@typescript-eslint/types@^8.56.1": + version "8.56.1" + resolved "https://registry.yarnpkg.com/@typescript-eslint/types/-/types-8.56.1.tgz#975e5942bf54895291337c91b9191f6eb0632ab9" + integrity sha512-dbMkdIUkIkchgGDIv7KLUpa0Mda4IYjo4IAMJUZ+3xNoUXxMsk9YtKpTHSChRS85o+H9ftm51gsK1dZReY9CVw== -"@typescript-eslint/typescript-estree@8.55.0": - version "8.55.0" - resolved "https://registry.yarnpkg.com/@typescript-eslint/typescript-estree/-/typescript-estree-8.55.0.tgz#c83ac92c11ce79bedd984937c7780a65e7f7b2e3" - integrity sha512-EwrH67bSWdx/3aRQhCoxDaHM+CrZjotc2UCCpEDVqfCE+7OjKAGWNY2HsCSTEVvWH2clYQK8pdeLp42EVs+xQw== +"@typescript-eslint/typescript-estree@8.56.1": + version "8.56.1" + resolved "https://registry.yarnpkg.com/@typescript-eslint/typescript-estree/-/typescript-estree-8.56.1.tgz#3b9e57d8129a860c50864c42188f761bdef3eab0" + integrity sha512-qzUL1qgalIvKWAf9C1HpvBjif+Vm6rcT5wZd4VoMb9+Km3iS3Cv9DY6dMRMDtPnwRAFyAi7YXJpTIEXLvdfPxg== dependencies: - "@typescript-eslint/project-service" "8.55.0" - "@typescript-eslint/tsconfig-utils" "8.55.0" - "@typescript-eslint/types" "8.55.0" - "@typescript-eslint/visitor-keys" "8.55.0" + "@typescript-eslint/project-service" "8.56.1" + "@typescript-eslint/tsconfig-utils" "8.56.1" + "@typescript-eslint/types" "8.56.1" + "@typescript-eslint/visitor-keys" "8.56.1" debug "^4.4.3" - minimatch "^9.0.5" + minimatch "^10.2.2" semver "^7.7.3" tinyglobby "^0.2.15" ts-api-utils "^2.4.0" -"@typescript-eslint/utils@8.55.0": - version "8.55.0" - resolved "https://registry.yarnpkg.com/@typescript-eslint/utils/-/utils-8.55.0.tgz#c1744d94a3901deb01f58b09d3478d811f96d619" - integrity sha512-BqZEsnPGdYpgyEIkDC1BadNY8oMwckftxBT+C8W0g1iKPdeqKZBtTfnvcq0nf60u7MkjFO8RBvpRGZBPw4L2ow== +"@typescript-eslint/utils@8.56.1": + version "8.56.1" + resolved "https://registry.yarnpkg.com/@typescript-eslint/utils/-/utils-8.56.1.tgz#5a86acaf9f1b4c4a85a42effb217f73059f6deb7" + integrity sha512-HPAVNIME3tABJ61siYlHzSWCGtOoeP2RTIaHXFMPqjrQKCGB9OgUVdiNgH7TJS2JNIQ5qQ4RsAUDuGaGme/KOA== dependencies: "@eslint-community/eslint-utils" "^4.9.1" - "@typescript-eslint/scope-manager" "8.55.0" - "@typescript-eslint/types" "8.55.0" - "@typescript-eslint/typescript-estree" "8.55.0" + "@typescript-eslint/scope-manager" "8.56.1" + "@typescript-eslint/types" "8.56.1" + "@typescript-eslint/typescript-estree" "8.56.1" -"@typescript-eslint/visitor-keys@8.55.0": - version "8.55.0" - resolved "https://registry.yarnpkg.com/@typescript-eslint/visitor-keys/-/visitor-keys-8.55.0.tgz#3d9a40fd4e3705c63d8fae3af58988add3ed464d" - integrity sha512-AxNRwEie8Nn4eFS1FzDMJWIISMGoXMb037sgCBJ3UR6o0fQTzr2tqN9WT+DkWJPhIdQCfV7T6D387566VtnCJA== +"@typescript-eslint/visitor-keys@8.56.1": + version "8.56.1" + resolved "https://registry.yarnpkg.com/@typescript-eslint/visitor-keys/-/visitor-keys-8.56.1.tgz#50e03475c33a42d123dc99e63acf1841c0231f87" + integrity sha512-KiROIzYdEV85YygXw6BI/Dx4fnBlFQu6Mq4QE4MOH9fFnhohw6wX/OAvDY2/C+ut0I3RSPKenvZJIVYqJNkhEw== dependencies: - "@typescript-eslint/types" "8.55.0" - eslint-visitor-keys "^4.2.1" - -"@vvago/vale@^3.12.0": - version "3.12.0" - resolved "https://registry.yarnpkg.com/@vvago/vale/-/vale-3.12.0.tgz#3b68fa5670d8d24a3aaa9b4709f66ebd5a7c85aa" - integrity sha512-9VxKDaJT0oyxJh+qN+tW2e78M+1xGMkXqbbZ2XlAvyhOrjA3OSOCaZQjRu6+c9lv/h1OQRNT50XIuhngrVoSew== - dependencies: - axios "^1.4.0" - rimraf "^5.0.0" - tar "^6.1.15" - unzipper "^0.10.14" + "@typescript-eslint/types" "8.56.1" + eslint-visitor-keys "^5.0.0" acorn-jsx@^5.3.2: version "5.3.2" resolved "https://registry.yarnpkg.com/acorn-jsx/-/acorn-jsx-5.3.2.tgz#7ed5bb55908b3b2f1bc55c6af1653bada7f07937" integrity sha512-rq9s+JNhf0IChjtDXxllJ7g41oZk5SlXtp0LHwyA5cejwn7vKmKp4pPri6YEePv2PU65sAsegbXtIinmDFDXgQ== -acorn@^8.15.0: - version "8.15.0" - resolved "https://registry.yarnpkg.com/acorn/-/acorn-8.15.0.tgz#a360898bc415edaac46c8241f6383975b930b816" - integrity sha512-NZyJarBfL7nWwIq+FDL6Zp/yHEhePMNnnJ0y3qfieCrmNvYct8uvtiV41UvlSe6apAfk0fY1FbWx+NwfmpvtTg== +acorn@^8.15.0, acorn@^8.16.0: + version "8.16.0" + resolved "https://registry.yarnpkg.com/acorn/-/acorn-8.16.0.tgz#4ce79c89be40afe7afe8f3adb902a1f1ce9ac08a" + integrity sha512-UVJyE9MttOsBQIDKw1skb9nAwQuR5wuGD3+82K6JgJlm/Y+KI92oNsMNGZCYdDsVtRHSak0pcV5Dno5+4jh9sw== adm-zip@^0.5.16: version "0.5.16" @@ -834,10 +819,10 @@ aggregate-error@^3.0.0: clean-stack "^2.0.0" indent-string "^4.0.0" -ajv@^6.12.4: - version "6.12.6" - resolved "https://registry.yarnpkg.com/ajv/-/ajv-6.12.6.tgz#baf5a62e802b07d977034586f8c3baf5adf26df4" - integrity sha512-j3fVLgvTo527anyYyJOGTYJbG+vnnQYvE0m5mmkc1TK+nxAppkCLMIL0aZ4dblVCNoGShhm+kzE4ZUykBoMg4g== +ajv@^6.14.0: + version "6.14.0" + resolved "https://registry.yarnpkg.com/ajv/-/ajv-6.14.0.tgz#fd067713e228210636ebb08c60bd3765d6dbe73a" + integrity sha512-IWrosm/yrn43eiKqkfkHis7QioDleaXQHdDVPKg0FSwwd/DuvyX79TZnFOnYpB7dcsFAMmtFztZuXPDvSePkFw== dependencies: fast-deep-equal "^3.1.1" fast-json-stable-stringify "^2.0.0" @@ -861,7 +846,7 @@ ansi-regex@^5.0.1: resolved "https://registry.yarnpkg.com/ansi-regex/-/ansi-regex-5.0.1.tgz#082cb2c89c9fe8659a311a53bd6a4dc5301db304" integrity sha512-quJQXlTSUGL2LH9SUXo8VwsY4soanhgo6LNSm84E1LBcE8s3O0wpdiRzyR9z/ZZJMlMWv37qOOb9pdJlMUEKFQ== -ansi-regex@^6.0.1: +ansi-regex@^6.2.2: version "6.2.2" resolved "https://registry.yarnpkg.com/ansi-regex/-/ansi-regex-6.2.2.tgz#60216eea464d864597ce2832000738a0589650c1" integrity sha512-Bq3SmSpyFHaWjPk8If9yc6svM8c56dB5BAtW4Qbw5jHTwwXXcTLoRMkpDJp6VL0XzlWaCHTXrkFURMYmD0sLqg== @@ -1031,12 +1016,12 @@ at-least-node@^1.0.0: integrity sha512-+q/t7Ekv1EDY2l6Gda6LLiX14rU9TV20Wa3ofeQmwPFZbOMo9DXrLbOjFaaclkXKWidIaopwAObQDqwWtGUjqg== autoprefixer@>=10.2.5: - version "10.4.24" - resolved "https://registry.yarnpkg.com/autoprefixer/-/autoprefixer-10.4.24.tgz#2c29595f3abd820a79976a609d0bf40eecf212fb" - integrity sha512-uHZg7N9ULTVbutaIsDRoUkoS8/h3bdsmVJYZ5l3wv8Cp/6UIIoRDm90hZ+BwxUj/hGBEzLxdHNSKuFpn8WOyZw== + version "10.4.27" + resolved "https://registry.yarnpkg.com/autoprefixer/-/autoprefixer-10.4.27.tgz#51ea301a5c3c5f8642f8e564759c4f573be486f2" + integrity sha512-NP9APE+tO+LuJGn7/9+cohklunJsXWiaWEfV3si4Gi/XHDwVNgkwr1J3RQYFIvPy76GmJ9/bW8vyoU1LcxwKHA== dependencies: browserslist "^4.28.1" - caniuse-lite "^1.0.30001766" + caniuse-lite "^1.0.30001774" fraction.js "^5.3.4" picocolors "^1.1.1" postcss-value-parser "^4.2.0" @@ -1063,10 +1048,10 @@ axe-core@^4.10.0: resolved "https://registry.yarnpkg.com/axe-core/-/axe-core-4.11.1.tgz#052ff9b2cbf543f5595028b583e4763b40c78ea7" integrity sha512-BASOg+YwO2C+346x3LZOeoovTIoTrRqEsqMa6fmfAV0P+U9mFr9NsyOEpiYvFjbc64NMrSswhV50WdXzdb/Z5A== -axios@^1.13.5, axios@^1.4.0: - version "1.13.5" - resolved "https://registry.yarnpkg.com/axios/-/axios-1.13.5.tgz#5e464688fa127e11a660a2c49441c009f6567a43" - integrity sha512-cz4ur7Vb0xS4/KUN0tPWe44eqxrIu31me+fbang3ijiNscE129POzipJJA6zniq2C/Z6sJCjMimjS8Lc/GAs8Q== +axios@^1.13.5: + version "1.13.6" + resolved "https://registry.yarnpkg.com/axios/-/axios-1.13.6.tgz#c3f92da917dc209a15dd29936d20d5089b6b6c98" + integrity sha512-ChTCHMouEe2kn713WHbQGcuYrr6fXTBiu460OTwWrWob16g1bXn4vtz07Ope7ewMozJAnEquLk5lWQWtBig9DQ== dependencies: follow-redirects "^1.15.11" form-data "^4.0.5" @@ -1078,9 +1063,9 @@ axobject-query@^4.1.0: integrity sha512-qIj0G9wZbMGNLjLmg1PT6v2mE9AH2zlnADJD/2tC6E00hgmhUOfEB6greHPAfLRSufHqROIUTkw6E+M3lH0PTQ== b4a@^1.6.4: - version "1.7.3" - resolved "https://registry.yarnpkg.com/b4a/-/b4a-1.7.3.tgz#24cf7ccda28f5465b66aec2bac69e32809bf112f" - integrity sha512-5Q2mfq2WfGuFp3uS//0s6baOJLMoVduPYVeNmDYxu5OUA1/cBfvr2RIS7vi62LdNj/urk1hfmj867I3qt6uZ7Q== + version "1.8.0" + resolved "https://registry.yarnpkg.com/b4a/-/b4a-1.8.0.tgz#1ca3ba0edc9469aaabef5647e769a83d50180b1a" + integrity sha512-qRuSmNSkGQaHwNbM7J78Wwy+ghLEYF1zNrSeMxj4Kgw6y33O3mXcQ6Ie9fRvfU/YnxWkOchPXbaLb73TkIsfdg== bail@^2.0.0: version "2.0.2" @@ -1093,11 +1078,9 @@ balanced-match@^1.0.0: integrity sha512-3oSeUO0TMV67hN1AmbXsK4yaqU7tjiHlbxRDZOpH0KW9+CeX4bRAaX0Anxt0tx2MrpRpWwQaPwIlISEJhYU5Pw== balanced-match@^4.0.2: - version "4.0.2" - resolved "https://registry.yarnpkg.com/balanced-match/-/balanced-match-4.0.2.tgz#241591ea634702bef9c482696f2469406e16d233" - integrity sha512-x0K50QvKQ97fdEz2kPehIerj+YTeptKF9hyYkKf6egnwmMWAkADiO0QCzSp0R5xN8FTZgYaBfSaue46Ej62nMg== - dependencies: - jackspeak "^4.2.3" + version "4.0.4" + resolved "https://registry.yarnpkg.com/balanced-match/-/balanced-match-4.0.4.tgz#bfb10662feed8196a2c62e7c68e17720c274179a" + integrity sha512-BLrgEcRTwX2o6gGxGOCNyMvGSp35YofuYzw9h1IMTRmKqttAZZVU67bdb9Pr2vUHA8+j3i2tJfjO6C6+4myGTA== bare-events@^2.5.4, bare-events@^2.7.0: version "2.8.2" @@ -1105,9 +1088,9 @@ bare-events@^2.5.4, bare-events@^2.7.0: integrity sha512-riJjyv1/mHLIPX4RwiK+oW9/4c3TEUeORHKefKAKnZ5kyslbN+HXowtbaVEqt4IMUB7OXlfixcs6gsFeo/jhiQ== bare-fs@^4.0.1: - version "4.5.3" - resolved "https://registry.yarnpkg.com/bare-fs/-/bare-fs-4.5.3.tgz#316cce9bcec66a5e49fb24ec2743f6b846a2f35c" - integrity sha512-9+kwVx8QYvt3hPWnmb19tPnh38c6Nihz8Lx3t0g9+4GoIf3/fTgYwM4Z6NxgI+B9elLQA7mLE9PpqcWtOMRDiQ== + version "4.5.5" + resolved "https://registry.yarnpkg.com/bare-fs/-/bare-fs-4.5.5.tgz#589a8f87a32af0266aa474413c8d7d11d50e4a65" + integrity sha512-XvwYM6VZqKoqDll8BmSww5luA5eflDzY0uEFfBJtFKe4PAAtxBjU3YIxzIBzhyaEQBy1VXEQBto4cpN5RZJw+w== dependencies: bare-events "^2.5.4" bare-path "^3.0.0" @@ -1116,9 +1099,9 @@ bare-fs@^4.0.1: fast-fifo "^1.3.2" bare-os@^3.0.1: - version "3.6.2" - resolved "https://registry.yarnpkg.com/bare-os/-/bare-os-3.6.2.tgz#b3c4f5ad5e322c0fd0f3c29fc97d19009e2796e5" - integrity sha512-T+V1+1srU2qYNBmJCXZkUY5vQ0B4FSlL3QDROnKQYOqeiQR8UbjNHlPa+TIbM4cuidiN9GaTaOZgSEgsvPbh5A== + version "3.7.0" + resolved "https://registry.yarnpkg.com/bare-os/-/bare-os-3.7.0.tgz#23c60064e53400db1550ef4b2987fdc42ee399b2" + integrity sha512-64Rcwj8qlnTZU8Ps6JJEdSmxBEUGgI7g8l+lMtsJLl4IsfTcHMTfJ188u2iGV6P6YPRZrtv72B2kjn+hp+Yv3g== bare-path@^3.0.0: version "3.0.0" @@ -1128,11 +1111,12 @@ bare-path@^3.0.0: bare-os "^3.0.1" bare-stream@^2.6.4: - version "2.7.0" - resolved "https://registry.yarnpkg.com/bare-stream/-/bare-stream-2.7.0.tgz#5b9e7dd0a354d06e82d6460c426728536c35d789" - integrity sha512-oyXQNicV1y8nc2aKffH+BUHFRXmx6VrPzlnaEvMhram0nPBrKcEdcyBg5r08D0i8VxngHFAiVyn1QKXpSG0B8A== + version "2.8.0" + resolved "https://registry.yarnpkg.com/bare-stream/-/bare-stream-2.8.0.tgz#3ac6141a65d097fd2bf6e472c848c5d800d47df9" + integrity sha512-reUN0M2sHRqCdG4lUK3Fw8w98eeUIZHL5c3H7Mbhk2yVBL+oofgaIp0ieLfD5QXwPCypBpmEEKU2WZKzbAk8GA== dependencies: streamx "^2.21.0" + teex "^1.0.1" bare-url@^2.2.2: version "2.3.2" @@ -1147,14 +1131,14 @@ base64-js@^1.3.1: integrity sha512-AKpaYlHn8t4SVbOHCy+b5+KKgvR4vrsD8vbvrbiQJps7fKDTkjkDry6ji0rUJjC0kzbNePLwzxq8iypo41qeWA== baseline-browser-mapping@^2.9.0: - version "2.9.19" - resolved "https://registry.yarnpkg.com/baseline-browser-mapping/-/baseline-browser-mapping-2.9.19.tgz#3e508c43c46d961eb4d7d2e5b8d1dd0f9ee4f488" - integrity sha512-ipDqC8FrAl/76p2SSWKSI+H9tFwm7vYqXQrItCuiVPt26Km0jS+NzSsBWAaBusvSbQcfJG+JitdMm+wZAgTYqg== + version "2.10.0" + resolved "https://registry.yarnpkg.com/baseline-browser-mapping/-/baseline-browser-mapping-2.10.0.tgz#5b09935025bf8a80e29130251e337c6a7fc8cbb9" + integrity sha512-lIyg0szRfYbiy67j9KN8IyeD7q7hcmqnJ1ddWmNt19ItGpNN64mnllmxUNFIOdOm6by97jlL6wfpTTJrmnjWAA== basic-ftp@^5.0.2: - version "5.1.0" - resolved "https://registry.yarnpkg.com/basic-ftp/-/basic-ftp-5.1.0.tgz#00eb8128ce536aa697c45716c739bf38e8d890f5" - integrity sha512-RkaJzeJKDbaDWTIPiJwubyljaEPwpVWkm9Rt5h9Nd6h7tEXTJ3VB4qxdZBioV7JO5yLUaOKwz7vDOzlncUsegw== + version "5.2.0" + resolved "https://registry.yarnpkg.com/basic-ftp/-/basic-ftp-5.2.0.tgz#7c2dff63c918bde60e6bad1f2ff93dcf5137a40a" + integrity sha512-VoMINM2rqJwJgfdHq6RiUudKt2BV+FY5ZFezP/ypmwayk68+NzzAQy4XXLlqsGD4MCzq3DrmNFD/uUmBJuGoXw== bcrypt-pbkdf@^1.0.0: version "1.0.2" @@ -1170,7 +1154,7 @@ bidi-js@^1.0.3: dependencies: require-from-string "^2.0.2" -big-integer@^1.6.17, big-integer@^1.6.48: +big-integer@^1.6.48: version "1.6.52" resolved "https://registry.yarnpkg.com/big-integer/-/big-integer-1.6.52.tgz#60a887f3047614a8e1bffe5d7173490a97dc8c85" integrity sha512-QxD8cf2eVqJOOz63z6JIN9BzvVs/dlySa5HGSBH5xtR8dPteIRQnBxxKqkNTiT6jbDTF6jAfrd4oMcND9RGbQg== @@ -1180,14 +1164,6 @@ binary-extensions@^2.0.0: resolved "https://registry.yarnpkg.com/binary-extensions/-/binary-extensions-2.3.0.tgz#f6e14a97858d327252200242d4ccfe522c445522" integrity sha512-Ceh+7ox5qe7LJuLHoY0feh3pHuUDHAcRUeyL2VYghZwfpkNIy/+8Ocg0a3UuSoYzavmylwuLWQOf3hl0jjMMIw== -binary@~0.3.0: - version "0.3.0" - resolved "https://registry.yarnpkg.com/binary/-/binary-0.3.0.tgz#9f60553bc5ce8c3386f3b553cff47462adecaa79" - integrity sha512-D4H1y5KYwpJgK8wk1Cue5LLPgmwHKYSChkbspQg5JtVuR5ulGckxfR62H3AE9UDkdMC8yyXlqYihuz3Aqg2XZg== - dependencies: - buffers "~0.1.1" - chainsaw "~0.1.0" - blob-util@^2.0.2: version "2.0.2" resolved "https://registry.yarnpkg.com/blob-util/-/blob-util-2.0.2.tgz#3b4e3c281111bb7f11128518006cdc60b403a1eb" @@ -1198,11 +1174,6 @@ bluebird@^3.7.2: resolved "https://registry.yarnpkg.com/bluebird/-/bluebird-3.7.2.tgz#9f229c15be272454ffa973ace0dbee79a1b0c36f" integrity sha512-XpNj6GDQzdfW+r2Wnn7xiSAd7TM3jzkxGXBGTtWKuSXv1xUV+azxAm8jdWZN06QTQk+2N2XB9jRDkvbmQmcRtg== -bluebird@~3.4.1: - version "3.4.7" - resolved "https://registry.yarnpkg.com/bluebird/-/bluebird-3.4.7.tgz#f72d760be09b7f76d08ed8fae98b289a8d05fab3" - integrity sha512-iD3898SR7sWVRHbiQv+sHUtHnMvC1o3nW5rAcqnq3uOn07DSAppZYUkIGslDz6gXC7HfunPe7YVBgoEJASPcHA== - brace-expansion@^1.1.7: version "1.1.12" resolved "https://registry.yarnpkg.com/brace-expansion/-/brace-expansion-1.1.12.tgz#ab9b454466e5a8cc3a187beaad580412a9c5b843" @@ -1211,7 +1182,7 @@ brace-expansion@^1.1.7: balanced-match "^1.0.0" concat-map "0.0.1" -brace-expansion@^2.0.1: +brace-expansion@^2.0.2: version "2.0.2" resolved "https://registry.yarnpkg.com/brace-expansion/-/brace-expansion-2.0.2.tgz#54fc53237a613d854c7bd37463aad17df87214e7" integrity sha512-Jt0vHyM+jmUBqojB7E1NIYadt0vI0Qxjxd2TErW94wDz+E2LAm5vKMXXwg6ZZBTHPuUlDgQHKXvjGBdfcF1ZDQ== @@ -1219,9 +1190,9 @@ brace-expansion@^2.0.1: balanced-match "^1.0.0" brace-expansion@^5.0.2: - version "5.0.2" - resolved "https://registry.yarnpkg.com/brace-expansion/-/brace-expansion-5.0.2.tgz#b6c16d0791087af6c2bc463f52a8142046c06b6f" - integrity sha512-Pdk8c9poy+YhOgVWw1JNN22/HcivgKWwpxKq04M/jTmHyCZn12WPJebZxdjSa5TmBqISrUSgNYU3eRORljfCCw== + version "5.0.4" + resolved "https://registry.yarnpkg.com/brace-expansion/-/brace-expansion-5.0.4.tgz#614daaecd0a688f660bbbc909a8748c3d80d4336" + integrity sha512-h+DEnpVvxmfVefa4jFbCf5HdH5YMDXRsmKflpf1pILZWRFlTbJpxeU55nJl4Smt5HQaGzg1o6RHFPJaOqnmBDg== dependencies: balanced-match "^4.0.2" @@ -1248,11 +1219,6 @@ buffer-crc32@~0.2.3: resolved "https://registry.yarnpkg.com/buffer-crc32/-/buffer-crc32-0.2.13.tgz#0d333e3f00eac50aa1454abd30ef8c2a5d9a7242" integrity sha512-VO9Ht/+p3SN7SKWqcrgEzjGbRSJYTx+Q1pTQC0wrWqHx0vpJraQ6GtHx8tvcg1rlK1byhU5gccxgOgj7B0TDkQ== -buffer-indexof-polyfill@~1.0.0: - version "1.0.2" - resolved "https://registry.yarnpkg.com/buffer-indexof-polyfill/-/buffer-indexof-polyfill-1.0.2.tgz#d2732135c5999c64b277fcf9b1abe3498254729c" - integrity sha512-I7wzHwA3t1/lwXQh+A5PbNvJxgfo5r3xulgpYDB5zckTu/Z9oUK9biouBKQUjEqzaz3HnAT6TYoovmE+GqSf7A== - buffer@^5.7.1: version "5.7.1" resolved "https://registry.yarnpkg.com/buffer/-/buffer-5.7.1.tgz#ba62e7c13133053582197160851a8f648e99eed0" @@ -1261,11 +1227,6 @@ buffer@^5.7.1: base64-js "^1.3.1" ieee754 "^1.1.13" -buffers@~0.1.1: - version "0.1.1" - resolved "https://registry.yarnpkg.com/buffers/-/buffers-0.1.1.tgz#b24579c3bed4d6d396aeee6d9a8ae7f5482ab7bb" - integrity sha512-9q/rDEGSb/Qsvv2qvzIzdluL5k7AaJOTrw23z9reQthrbF7is4CtlT0DXyO1oei2DCp4uojjzQ7igaSHp1kAEQ== - cachedir@^2.3.0: version "2.4.0" resolved "https://registry.yarnpkg.com/cachedir/-/cachedir-2.4.0.tgz#7fef9cf7367233d7c88068fe6e34ed0d355a610d" @@ -1302,10 +1263,10 @@ callsites@^3.0.0: resolved "https://registry.yarnpkg.com/callsites/-/callsites-3.1.0.tgz#b3630abd8943432f54b3f0519238e33cd7df2f73" integrity sha512-P8BjAsXvZS+VIDUI11hHCQEv74YT67YUi5JJFNWIqL235sBmjX4+qx9Muvls5ivyNENctx46xQLQ3aTuE7ssaQ== -caniuse-lite@^1.0.30001759, caniuse-lite@^1.0.30001766: - version "1.0.30001769" - resolved "https://registry.yarnpkg.com/caniuse-lite/-/caniuse-lite-1.0.30001769.tgz#1ad91594fad7dc233777c2781879ab5409f7d9c2" - integrity sha512-BCfFL1sHijQlBGWBMuJyhZUhzo7wer5sVj9hqekB/7xn0Ypy+pER/edCYQm4exbXj4WiySGp40P8UuTh6w1srg== +caniuse-lite@^1.0.30001759, caniuse-lite@^1.0.30001774: + version "1.0.30001774" + resolved "https://registry.yarnpkg.com/caniuse-lite/-/caniuse-lite-1.0.30001774.tgz#0e576b6f374063abcd499d202b9ba1301be29b70" + integrity sha512-DDdwPGz99nmIEv216hKSgLD+D4ikHQHjBC/seF98N9CPqRX4M5mSxT9eTV6oyisnJcuzxtZy4n17yKKQYmYQOA== caseless@~0.12.0: version "0.12.0" @@ -1317,13 +1278,6 @@ ccount@^2.0.0: resolved "https://registry.yarnpkg.com/ccount/-/ccount-2.0.1.tgz#17a3bf82302e0870d6da43a01311a8bc02a3ecf5" integrity sha512-eyrF0jiFpY+3drT6383f1qhkbGsLSifNAjA61IUjZjmLCWjItY6LB9ft9YhoDgwfmclB2zhu51Lc7+95b8NRAg== -chainsaw@~0.1.0: - version "0.1.0" - resolved "https://registry.yarnpkg.com/chainsaw/-/chainsaw-0.1.0.tgz#5eab50b28afe58074d0d58291388828b5e5fbc98" - integrity sha512-75kWfWt6MEKNC8xYXIdRpDehRYY/tNSgwKaJq+dbbDcxORuVrrQ+SEHoWsniVn9XPYfP4gmdWIeDk/4YNp1rNQ== - dependencies: - traverse ">=0.3.0 <0.4" - chalk@^4.1.0: version "4.1.2" resolved "https://registry.yarnpkg.com/chalk/-/chalk-4.1.2.tgz#aac4e2b7734a740867aeb16bf02aad556a1e7a01" @@ -1342,24 +1296,24 @@ check-more-types@^2.24.0: resolved "https://registry.yarnpkg.com/check-more-types/-/check-more-types-2.24.0.tgz#1420ffb10fd444dcfc79b43891bbfffd32a84600" integrity sha512-Pj779qHxV2tuapviy1bSZNEL1maXr13bPYpsvSDB68HlYcYuhlDrmGd63i0JHMCLKzc7rUSNIrpdJlhVlNwrxA== -chevrotain-allstar@~0.3.0: +chevrotain-allstar@~0.3.1: version "0.3.1" resolved "https://registry.yarnpkg.com/chevrotain-allstar/-/chevrotain-allstar-0.3.1.tgz#b7412755f5d83cc139ab65810cdb00d8db40e6ca" integrity sha512-b7g+y9A0v4mxCW1qUhf3BSVPg+/NvGErk/dOkrDaHA0nQIQGAtrOjlX//9OQtRlSCy+x9rfB5N8yC71lH1nvMw== dependencies: lodash-es "^4.17.21" -chevrotain@~11.0.3: - version "11.0.3" - resolved "https://registry.yarnpkg.com/chevrotain/-/chevrotain-11.0.3.tgz#88ffc1fb4b5739c715807eaeedbbf200e202fc1b" - integrity sha512-ci2iJH6LeIkvP9eJW6gpueU8cnZhv85ELY8w8WiFtNjMHA5ad6pQLaJo9mEly/9qUyCpvqX8/POVUTf18/HFdw== +chevrotain@~11.1.1: + version "11.1.2" + resolved "https://registry.yarnpkg.com/chevrotain/-/chevrotain-11.1.2.tgz#1db446bdeb63fe42d366508a34280c2e3c0c4f62" + integrity sha512-opLQzEVriiH1uUQ4Kctsd49bRoFDXGGSC4GUqj7pGyxM3RehRhvTlZJc1FL/Flew2p5uwxa1tUDWKzI4wNM8pg== dependencies: - "@chevrotain/cst-dts-gen" "11.0.3" - "@chevrotain/gast" "11.0.3" - "@chevrotain/regexp-to-ast" "11.0.3" - "@chevrotain/types" "11.0.3" - "@chevrotain/utils" "11.0.3" - lodash-es "4.17.21" + "@chevrotain/cst-dts-gen" "11.1.2" + "@chevrotain/gast" "11.1.2" + "@chevrotain/regexp-to-ast" "11.1.2" + "@chevrotain/types" "11.1.2" + "@chevrotain/utils" "11.1.2" + lodash-es "4.17.23" chokidar@^3.3.0: version "3.6.0" @@ -1381,10 +1335,10 @@ chownr@^3.0.0: resolved "https://registry.yarnpkg.com/chownr/-/chownr-3.0.0.tgz#9855e64ecd240a9cc4267ce8a4aa5d24a1da15e4" integrity sha512-+IxzY9BZOQd/XuYPRmrvEVjF/nqj5kgT4kEq7VofrDoM1MxoRjEWkrCC3EtLi59TVawxTAn+orJwFQcrqEN1+g== -chromium-bidi@13.1.1: - version "13.1.1" - resolved "https://registry.yarnpkg.com/chromium-bidi/-/chromium-bidi-13.1.1.tgz#e4c1ef6307b19cb00b048a03d34dfd60746e31ca" - integrity sha512-zB9MpoPd7VJwjowQqiW3FKOvQwffFMjQ8Iejp5ZW+sJaKLRhZX1sTxzl3Zt22TDB4zP0OOqs8lRoY7eAW5geyQ== +chromium-bidi@14.0.0: + version "14.0.0" + resolved "https://registry.yarnpkg.com/chromium-bidi/-/chromium-bidi-14.0.0.tgz#15a12ab083ae519a49a724e94994ca0a9ced9c8e" + integrity sha512-9gYlLtS6tStdRWzrtXaTMnqcM4dudNegMXJxkR0I/CXObHalYeYcAMPrL19eroNZHtJ8DQmu1E+ZNOYu/IXMXw== dependencies: mitt "^3.0.1" zod "^3.24.1" @@ -1540,11 +1494,6 @@ core-util-is@1.0.2: resolved "https://registry.yarnpkg.com/core-util-is/-/core-util-is-1.0.2.tgz#b5fd54220aa2bc5ab57aab7140c940754503c1a7" integrity sha512-3lqz5YjWTYnW6dlDa5TLaTCcShfar1e40rmcJVwCBJC6mWlFuj0eCHIElmG1g5kyuJ/GD+8Wn4FFCcz4gJPfaQ== -core-util-is@~1.0.0: - version "1.0.3" - resolved "https://registry.yarnpkg.com/core-util-is/-/core-util-is-1.0.3.tgz#a6042d3634c2b27e9328f837b965fac83808db85" - integrity sha512-ZQBvi1DcpJ4GDqanjucZ2Hj3wEO5pZDS89BWbkcrvdxksJorwUDDZamX9ldFkp9aw2lmBDLgkObEA4DWNJ9FYQ== - cose-base@^1.0.0: version "1.0.3" resolved "https://registry.yarnpkg.com/cose-base/-/cose-base-1.0.3.tgz#650334b41b869578a543358b80cda7e0abe0a60a" @@ -2121,13 +2070,6 @@ dunder-proto@^1.0.0, dunder-proto@^1.0.1: es-errors "^1.3.0" gopd "^1.2.0" -duplexer2@~0.1.4: - version "0.1.4" - resolved "https://registry.yarnpkg.com/duplexer2/-/duplexer2-0.1.4.tgz#8b12dab878c0d69e3e7891051662a32fc6bddcc1" - integrity sha512-asLFVfWWtJ90ZyOUHMqk7/S2w2guQKxUI2itj3d92ADHhxUSbCMGi1f1cBcJ7xM1To+pE/Khbwo1yuNbMEPKeA== - dependencies: - readable-stream "^2.0.2" - eastasianwidth@^0.2.0: version "0.2.0" resolved "https://registry.yarnpkg.com/eastasianwidth/-/eastasianwidth-0.2.0.tgz#696ce2ec0aa0e6ea93a397ffcf24aa7840c827cb" @@ -2142,9 +2084,9 @@ ecc-jsbn@~0.1.1: safer-buffer "^2.1.0" electron-to-chromium@^1.5.263: - version "1.5.286" - resolved "https://registry.yarnpkg.com/electron-to-chromium/-/electron-to-chromium-1.5.286.tgz#142be1ab5e1cd5044954db0e5898f60a4960384e" - integrity sha512-9tfDXhJ4RKFNerfjdCcZfufu49vg620741MNs26a9+bhLThdB+plgMeou98CAaHu/WATj2iHOOHTp1hWtABj2A== + version "1.5.302" + resolved "https://registry.yarnpkg.com/electron-to-chromium/-/electron-to-chromium-1.5.302.tgz#032a5802b31f7119269959c69fe2015d8dad5edb" + integrity sha512-sM6HAN2LyK82IyPBpznDRqlTQAtuSaO+ShzFiWTvoMJLHyZ+Y39r8VMfHzwbU8MVBzQ4Wdn85+wlZl2TLGIlwg== emoji-regex@^8.0.0: version "8.0.0" @@ -2410,10 +2352,10 @@ eslint-plugin-jsx-a11y@^6.10.2: safe-regex-test "^1.0.3" string.prototype.includes "^2.0.1" -eslint-scope@^9.1.0: - version "9.1.0" - resolved "https://registry.yarnpkg.com/eslint-scope/-/eslint-scope-9.1.0.tgz#dfcb41d6c0d73df6b977a50cf3e91c41ddb4154e" - integrity sha512-CkWE42hOJsNj9FJRaoMX9waUFYhqY4jmyLFdAdzZr6VaCg3ynLYx4WnOdkaIifGfH4gsUcBTn4OZbHXkpLD0FQ== +eslint-scope@^9.1.1: + version "9.1.1" + resolved "https://registry.yarnpkg.com/eslint-scope/-/eslint-scope-9.1.1.tgz#f6a209486e38bd28356b5feb07d445cc99c89967" + integrity sha512-GaUN0sWim5qc8KVErfPBWmc31LEsOkrUJbvJZV+xuL3u2phMUK4HIvXlWAakfC8W4nzlK+chPEAkYOYb5ZScIw== dependencies: "@types/esrecurse" "^4.3.1" "@types/estree" "^1.0.8" @@ -2430,19 +2372,19 @@ eslint-visitor-keys@^4.2.1: resolved "https://registry.yarnpkg.com/eslint-visitor-keys/-/eslint-visitor-keys-4.2.1.tgz#4cfea60fe7dd0ad8e816e1ed026c1d5251b512c1" integrity sha512-Uhdk5sfqcee/9H/rCOJikYz67o0a2Tw2hGRPOG2Y1R2dg7brRe1uG0yaNQDHu+TO/uQPF/5eCapvYSmHUjt7JQ== -eslint-visitor-keys@^5.0.0: - version "5.0.0" - resolved "https://registry.yarnpkg.com/eslint-visitor-keys/-/eslint-visitor-keys-5.0.0.tgz#b9aa1a74aa48c44b3ae46c1597ce7171246a94a9" - integrity sha512-A0XeIi7CXU7nPlfHS9loMYEKxUaONu/hTEzHTGba9Huu94Cq1hPivf+DE5erJozZOky0LfvXAyrV/tcswpLI0Q== +eslint-visitor-keys@^5.0.0, eslint-visitor-keys@^5.0.1: + version "5.0.1" + resolved "https://registry.yarnpkg.com/eslint-visitor-keys/-/eslint-visitor-keys-5.0.1.tgz#9e3c9489697824d2d4ce3a8ad12628f91e9f59be" + integrity sha512-tD40eHxA35h0PEIZNeIjkHoDR4YjjJp34biM0mDvplBe//mB+IHCqHDGV7pxF+7MklTvighcCPPZC7ynWyjdTA== eslint@^10.0.0: - version "10.0.0" - resolved "https://registry.yarnpkg.com/eslint/-/eslint-10.0.0.tgz#c93c36a96d91621d0fbb680db848ea11af56ab1e" - integrity sha512-O0piBKY36YSJhlFSG8p9VUdPV/SxxS4FYDWVpr/9GJuMaepzwlf4J8I4ov1b+ySQfDTPhc3DtLaxcT1fN0yqCg== + version "10.0.2" + resolved "https://registry.yarnpkg.com/eslint/-/eslint-10.0.2.tgz#1009263467591810320f2e1ad52b8a750d1acbab" + integrity sha512-uYixubwmqJZH+KLVYIVKY1JQt7tysXhtj21WSvjcSmU5SVNzMus1bgLe+pAt816yQ8opKfheVVoPLqvVMGejYw== dependencies: "@eslint-community/eslint-utils" "^4.8.0" "@eslint-community/regexpp" "^4.12.2" - "@eslint/config-array" "^0.23.0" + "@eslint/config-array" "^0.23.2" "@eslint/config-helpers" "^0.5.2" "@eslint/core" "^1.1.0" "@eslint/plugin-kit" "^0.6.0" @@ -2450,13 +2392,13 @@ eslint@^10.0.0: "@humanwhocodes/module-importer" "^1.0.1" "@humanwhocodes/retry" "^0.4.2" "@types/estree" "^1.0.6" - ajv "^6.12.4" + ajv "^6.14.0" cross-spawn "^7.0.6" debug "^4.3.2" escape-string-regexp "^4.0.0" - eslint-scope "^9.1.0" - eslint-visitor-keys "^5.0.0" - espree "^11.1.0" + eslint-scope "^9.1.1" + eslint-visitor-keys "^5.0.1" + espree "^11.1.1" esquery "^1.7.0" esutils "^2.0.2" fast-deep-equal "^3.1.3" @@ -2467,7 +2409,7 @@ eslint@^10.0.0: imurmurhash "^0.1.4" is-glob "^4.0.0" json-stable-stringify-without-jsonify "^1.0.1" - minimatch "^10.1.1" + minimatch "^10.2.1" natural-compare "^1.4.0" optionator "^0.9.3" @@ -2480,14 +2422,14 @@ espree@^10.3.0: acorn-jsx "^5.3.2" eslint-visitor-keys "^4.2.1" -espree@^11.1.0: - version "11.1.0" - resolved "https://registry.yarnpkg.com/espree/-/espree-11.1.0.tgz#7d0c82a69f8df670728dba256264b383fbf73e8f" - integrity sha512-WFWYhO1fV4iYkqOOvq8FbqIhr2pYfoDY0kCotMkDeNtGpiGGkZ1iov2u8ydjtgM8yF8rzK7oaTbw2NAzbAbehw== +espree@^11.1.1: + version "11.1.1" + resolved "https://registry.yarnpkg.com/espree/-/espree-11.1.1.tgz#866f6bc9ccccd6f28876b7a6463abb281b9cb847" + integrity sha512-AVHPqQoZYc+RUM4/3Ly5udlZY/U4LS8pIG05jEjWM2lQMU/oaZ7qshzAl2YP1tfNmXfftH3ohurfwNAug+MnsQ== dependencies: - acorn "^8.15.0" + acorn "^8.16.0" acorn-jsx "^5.3.2" - eslint-visitor-keys "^5.0.0" + eslint-visitor-keys "^5.0.1" esprima@^4.0.0, esprima@^4.0.1: version "4.0.1" @@ -2741,11 +2683,6 @@ fs-extra@^9.1.0: jsonfile "^6.0.1" universalify "^2.0.0" -fs.realpath@^1.0.0: - version "1.0.0" - resolved "https://registry.yarnpkg.com/fs.realpath/-/fs.realpath-1.0.0.tgz#1504ad2523158caa40db4a2787cb01411994ea4f" - integrity sha512-OO0pH2lK6a0hZnAdau5ItzHPI6pUlvI7jMVnxUQRtw4owF2wk8lOSabtGDCTP4Ggrg2MbGnWO9X8K1t4+fGMDw== - fsevents@2.3.2: version "2.3.2" resolved "https://registry.yarnpkg.com/fsevents/-/fsevents-2.3.2.tgz#8a526f78b8fdf4623b709e0b975c52c24c02fd1a" @@ -2756,16 +2693,6 @@ fsevents@~2.3.2: resolved "https://registry.yarnpkg.com/fsevents/-/fsevents-2.3.3.tgz#cac6407785d03675a2a5e1a5305c697b347d90d6" integrity sha512-5xoDfX+fL7faATnagmWPpbFtwh/R77WmMMqqHGS65C3vvB0YHrgF+B1YmZ3441tMj5n63k0212XNoJwzlhffQw== -fstream@^1.0.12: - version "1.0.12" - resolved "https://registry.yarnpkg.com/fstream/-/fstream-1.0.12.tgz#4e8ba8ee2d48be4f7d0de505455548eae5932045" - integrity sha512-WvJ193OHa0GHPEL+AycEJgxvBEwyfRkN1vhjca23OaPVMCaLCXTd5qAu82AjTcgP1UJmytkOKb63Ypde7raDIg== - dependencies: - graceful-fs "^4.1.2" - inherits "~2.0.0" - mkdirp ">=0.5 0" - rimraf "2" - function-bind@^1.1.2: version "1.1.2" resolved "https://registry.yarnpkg.com/function-bind/-/function-bind-1.1.2.tgz#2c02d864d97f3ea6c8830c464cbd11ab6eab7a1c" @@ -2875,7 +2802,7 @@ glob-parent@~5.1.2: dependencies: is-glob "^4.0.1" -glob@^10.3.10, glob@^10.3.7: +glob@^10.3.10: version "10.5.0" resolved "https://registry.yarnpkg.com/glob/-/glob-10.5.0.tgz#8ec0355919cd3338c28428a23d4f24ecc5fe738c" integrity sha512-DfXN8DfhJ7NH3Oe7cFmu3NCu1wKbkReJ8TorzSAFbSKrlNaQSKfIzqYqVY8zlbs2NLBbWpRiU52GX2PbaBVNkg== @@ -2887,18 +2814,6 @@ glob@^10.3.10, glob@^10.3.7: package-json-from-dist "^1.0.0" path-scurry "^1.11.1" -glob@^7.1.3: - version "7.2.3" - resolved "https://registry.yarnpkg.com/glob/-/glob-7.2.3.tgz#b8df0fb802bbfa8e89bd1d938b4e16578ed44f2b" - integrity sha512-nFR0zLpU2YCaRxwoCJvL6UvCH2JFyFVIvwTLsIf21AuHlMskA1hhTdk+LlYJtOlYt9v6dvszD2BGRqBL+iQK9Q== - dependencies: - fs.realpath "^1.0.0" - inflight "^1.0.4" - inherits "2" - minimatch "^3.1.1" - once "^1.3.0" - path-is-absolute "^1.0.0" - global-dirs@^3.0.0: version "3.0.1" resolved "https://registry.yarnpkg.com/global-dirs/-/global-dirs-3.0.1.tgz#0c488971f066baceda21447aecb1a8b911d22485" @@ -2924,7 +2839,7 @@ gopd@^1.0.1, gopd@^1.2.0: resolved "https://registry.yarnpkg.com/gopd/-/gopd-1.2.0.tgz#89f56b8217bdbc8802bd299df6d7f1081d7e51a1" integrity sha512-ZUKRh6/kUFoAiTAtTYPZJ3hw9wNxx+BIBOijnlG9PnrJsCcSjs1wyyD6vJpaYtgnzDrKYRSqf3OO6Rfa93xsRg== -graceful-fs@^4.1.2, graceful-fs@^4.1.6, graceful-fs@^4.2.0, graceful-fs@^4.2.2: +graceful-fs@^4.1.6, graceful-fs@^4.2.0: version "4.2.11" resolved "https://registry.yarnpkg.com/graceful-fs/-/graceful-fs-4.2.11.tgz#4183e4e8bf08bb6e05bbb2f7d2e0c8f712ca40e3" integrity sha512-RbJ5/jmFcNNCcDV5o9eTnBLJ/HszWV0P73bc+Ff4nS/rJj+YaS6IGyiOL0VoBYX+l1Wrl3k63h/KrH+nhJ0XvQ== @@ -3028,12 +2943,12 @@ https-proxy-agent@^7.0.6: debug "4" hugo-extended@>=0.101.0: - version "0.155.3" - resolved "https://registry.yarnpkg.com/hugo-extended/-/hugo-extended-0.155.3.tgz#b2dc650bd5b172f53ae97c11c5022e155cd17e21" - integrity sha512-nzGmsgnOdeOGDgtpPHEPZ1PVizDHPU3240UdRmxu0b9vT+A7iB9toaUGcUQXQ/PVURq6y8lIuoTFsI4xfDoLLA== + version "0.157.0" + resolved "https://registry.yarnpkg.com/hugo-extended/-/hugo-extended-0.157.0.tgz#6d7921e8a2c7f05337599541219831b2a903c213" + integrity sha512-vjkR5TKK7mQcACYneext4D/YofJnfcHsFZzwItfevAOYoQUAZ+gUim3gwOLTImrTy8QdyzDtaF4/EHOhXEKWvg== dependencies: adm-zip "^0.5.16" - tar "^7.5.7" + tar "^7.5.9" human-signals@^1.1.1: version "1.1.1" @@ -3080,15 +2995,7 @@ indent-string@^4.0.0: resolved "https://registry.yarnpkg.com/indent-string/-/indent-string-4.0.0.tgz#624f8f4497d619b2d9768531d58f4122854d7251" integrity sha512-EdDDZu4A2OyIK7Lr/2zG+w5jmbuk1DVBnEwREQvBzspBJkCEbRa8GxU1lghYcaGJCnRWibjDXlq779X1/y5xwg== -inflight@^1.0.4: - version "1.0.6" - resolved "https://registry.yarnpkg.com/inflight/-/inflight-1.0.6.tgz#49bd6331d7d02d0c09bc910a1075ba8165b56df9" - integrity sha512-k92I/b08q4wvFscXCLvqfsHCrjrF7yiXsQuIVvVE7N82W3+aqpzuUdBbfhWcy/FZR3/4IgflMgKLOsvPDrGCJA== - dependencies: - once "^1.3.0" - wrappy "1" - -inherits@2, inherits@^2.0.3, inherits@~2.0.0, inherits@~2.0.3: +inherits@^2.0.3: version "2.0.4" resolved "https://registry.yarnpkg.com/inherits/-/inherits-2.0.4.tgz#0fa2c64f932917c3433a0ded55363aae37416b7c" integrity sha512-k/vGaX4/Yla3WzyMCvTQOXYeIHvqOKtnqBduzTHpzpQZzAskKMhZ2K+EnBiSM9zGSoIFeMpXKxa4dYeZIQqewQ== @@ -3370,11 +3277,6 @@ isarray@^2.0.5: resolved "https://registry.yarnpkg.com/isarray/-/isarray-2.0.5.tgz#8af1e4c1221244cc62459faf38940d4e644a5723" integrity sha512-xHjhDr3cNBK0BzdUJSPXZntQUx/mwMS5Rw4A7lPJ90XGAO6ISP/ePDNuo0vhqOZU+UD5JoodwCAAoZQd3FeAKw== -isarray@~1.0.0: - version "1.0.0" - resolved "https://registry.yarnpkg.com/isarray/-/isarray-1.0.0.tgz#bb935d48582cba168c06834957a54a3e07124f11" - integrity sha512-VLghIWNM6ELQzo7zwmcg0NmTVyWKYjvIeM83yjp0wRDTmUnrM678fQbcKBo6n2CJEF0szoG//ytg+TKla89ALQ== - isexe@^2.0.0: version "2.0.0" resolved "https://registry.yarnpkg.com/isexe/-/isexe-2.0.0.tgz#e8fbf374dc556ff8947a10dcb0572d633f2cfa10" @@ -3394,13 +3296,6 @@ jackspeak@^3.1.2: optionalDependencies: "@pkgjs/parseargs" "^0.11.0" -jackspeak@^4.2.3: - version "4.2.3" - resolved "https://registry.yarnpkg.com/jackspeak/-/jackspeak-4.2.3.tgz#27ef80f33b93412037c3bea4f8eddf80e1931483" - integrity sha512-ykkVRwrYvFm1nb2AJfKKYPr0emF6IiXDYUaFx4Zn9ZuIH7MrzEZ3sD5RlqGXNRpHtvUHJyOnCEFxOlNDtGo7wg== - dependencies: - "@isaacs/cliui" "^9.0.0" - jquery@^3.7.1: version "3.7.1" resolved "https://registry.yarnpkg.com/jquery/-/jquery-3.7.1.tgz#083ef98927c9a6a74d05a6af02806566d16274de" @@ -3539,9 +3434,9 @@ jsx-ast-utils@^3.3.5: object.values "^1.1.6" katex@^0.16.22: - version "0.16.28" - resolved "https://registry.yarnpkg.com/katex/-/katex-0.16.28.tgz#64068425b5a29b41b136aae0d51cbb2c71d64c39" - integrity sha512-YHzO7721WbmAL6Ov1uzN/l5mY5WWWhJBSW+jq4tkfZfsxmo1hu6frS0EOswvjBUnWE6NtjEs48SFn5CQESRLZg== + version "0.16.33" + resolved "https://registry.yarnpkg.com/katex/-/katex-0.16.33.tgz#5cd5af2ddc1132fe6a710ae6604ec1f19fca9e91" + integrity sha512-q3N5u+1sY9Bu7T4nlXoiRBXWfwSefNGoKeOwekV+gw0cAXQlz2Ww6BLcmBxVDeXBMUDQv6fK5bcNaJLxob3ZQA== dependencies: commander "^8.3.0" @@ -3567,16 +3462,16 @@ kuler@^2.0.0: resolved "https://registry.yarnpkg.com/kuler/-/kuler-2.0.0.tgz#e2c570a3800388fb44407e851531c1d670b061b3" integrity sha512-Xq9nH7KlWZmXAtodXDDRE7vs6DU1gTU8zYDHDiWLSip45Egwq3plLHzPn27NgvzL2r1LMPC1vdqh98sQxtqj4A== -langium@3.3.1: - version "3.3.1" - resolved "https://registry.yarnpkg.com/langium/-/langium-3.3.1.tgz#da745a40d5ad8ee565090fed52eaee643be4e591" - integrity sha512-QJv/h939gDpvT+9SiLVlY7tZC3xB2qK57v0J04Sh9wpMb6MP1q8gB21L3WIo8T5P1MSMg3Ep14L7KkDCFG3y4w== +langium@^4.0.0: + version "4.2.1" + resolved "https://registry.yarnpkg.com/langium/-/langium-4.2.1.tgz#23e9e12d79778578efa912e3ca8fe313aa61ac17" + integrity sha512-zu9QWmjpzJcomzdJQAHgDVhLGq5bLosVak1KVa40NzQHXfqr4eAHupvnPOVXEoLkg6Ocefvf/93d//SB7du4YQ== dependencies: - chevrotain "~11.0.3" - chevrotain-allstar "~0.3.0" + chevrotain "~11.1.1" + chevrotain-allstar "~0.3.1" vscode-languageserver "~9.0.1" vscode-languageserver-textdocument "~1.0.11" - vscode-uri "~3.0.8" + vscode-uri "~3.1.0" language-subtag-registry@^0.3.20: version "0.3.23" @@ -3689,11 +3584,6 @@ lines-and-columns@^1.1.6: resolved "https://registry.yarnpkg.com/lines-and-columns/-/lines-and-columns-1.2.4.tgz#eca284f75d2965079309dc0ad9255abb2ebc1632" integrity sha512-7ylylesZQ/PV29jhEDl3Ufjo6ZX7gCqJr5F7PKrqc93v7fzSymt1BpwEU8nAUXs8qzzvqhbjhK5QZg6Mt/HkBg== -listenercount@~1.0.1: - version "1.0.1" - resolved "https://registry.yarnpkg.com/listenercount/-/listenercount-1.0.1.tgz#84c8a72ab59c4725321480c975e6508342e70937" - integrity sha512-3mk/Zag0+IJxeDrxSgaDPy4zZ3w05PRZeJNnlWhzFz5OkX49J4krc+A8X2d2M69vGMBEX0uyl8M+W+8gH+kBqQ== - listr2@^3.8.3: version "3.14.0" resolved "https://registry.yarnpkg.com/listr2/-/listr2-3.14.0.tgz#23101cc62e1375fd5836b248276d1d2b51fdbe9e" @@ -3715,7 +3605,7 @@ locate-path@^6.0.0: dependencies: p-locate "^5.0.0" -lodash-es@4.17.21, lodash-es@^4.17.21, lodash-es@^4.17.23: +lodash-es@4.17.23, lodash-es@^4.17.21, lodash-es@^4.17.23: version "4.17.23" resolved "https://registry.yarnpkg.com/lodash-es/-/lodash-es-4.17.23.tgz#58c4360fd1b5d33afc6c0bbd3d1149349b1138e0" integrity sha512-kVI48u3PZr38HdYz98UmfPnXl2DXrpdctLrFLCd3kOx1xUkOmpFPx7gCWWM5MPkL/fD8zb+Ph0QzjGFs4+hHWg== @@ -3770,7 +3660,7 @@ lru-cache@^10.2.0: resolved "https://registry.yarnpkg.com/lru-cache/-/lru-cache-10.4.3.tgz#410fc8a17b70e598013df257c2446b7f3383f119" integrity sha512-JNAzZcXrCt42VGLuYz0zfAzDfAvJWW6AfYlDBQyDV5DClI2m5sAmK+OIO7s59XfsRsWHp02jAJrRadPRGTt6SQ== -lru-cache@^11.2.4, lru-cache@^11.2.5: +lru-cache@^11.2.4, lru-cache@^11.2.5, lru-cache@^11.2.6: version "11.2.6" resolved "https://registry.yarnpkg.com/lru-cache/-/lru-cache-11.2.6.tgz#356bf8a29e88a7a2945507b31f6429a65a192c58" integrity sha512-ESL2CrkS/2wTPfuend7Zhkzo2u0daGJ/A2VucJOgQ/C48S/zB8MMeMHSGKYpXhIjbPxfuezITkaBH1wqv00DDQ== @@ -3811,9 +3701,9 @@ mdast-util-find-and-replace@^3.0.0: unist-util-visit-parents "^6.0.0" mdast-util-from-markdown@^2.0.0: - version "2.0.2" - resolved "https://registry.yarnpkg.com/mdast-util-from-markdown/-/mdast-util-from-markdown-2.0.2.tgz#4850390ca7cf17413a9b9a0fbefcd1bc0eb4160a" - integrity sha512-uZhTV/8NBuw0WHkPTrCqDOl0zVe1BIng5ZtHoDk49ME1qqcjYmmLmOf0gELgcRMxN4w2iuIeVso5/6QymSrgmA== + version "2.0.3" + resolved "https://registry.yarnpkg.com/mdast-util-from-markdown/-/mdast-util-from-markdown-2.0.3.tgz#c95822b91aab75f18a4cbe8b2f51b873ed2cf0c7" + integrity sha512-W4mAWTvSlKvf8L6J+VN9yLSqQ9AOAAvHuoDAmPkz4dHf553m5gVj2ejadHJhoJmcmxEnOv6Pa8XJhpxE93kb8Q== dependencies: "@types/mdast" "^4.0.0" "@types/unist" "^3.0.0" @@ -3946,13 +3836,13 @@ merge-stream@^2.0.0: integrity sha512-abv/qOcuPfk3URPfDzmZU1LKmuw8kT+0nIHvKrKgFrwifol/doWcdA4ZqsWQ8ENrFKkd67Mfpo/LovbIUsbt3w== mermaid@^11.10.0: - version "11.12.2" - resolved "https://registry.yarnpkg.com/mermaid/-/mermaid-11.12.2.tgz#48bbdb9f724bc2191e2128e1403bf964fff2bc3d" - integrity sha512-n34QPDPEKmaeCG4WDMGy0OT6PSyxKCfy2pJgShP+Qow2KLrvWjclwbc3yXfSIf4BanqWEhQEpngWwNp/XhZt6w== + version "11.12.3" + resolved "https://registry.yarnpkg.com/mermaid/-/mermaid-11.12.3.tgz#e150dae69ca291254fb408cf36d001b2efad62bf" + integrity sha512-wN5ZSgJQIC+CHJut9xaKWsknLxaFBwCPwPkGTSUYrTiHORWvpT8RxGk849HPnpUAQ+/9BPRqYb80jTpearrHzQ== dependencies: "@braintree/sanitize-url" "^7.1.1" "@iconify/utils" "^3.0.1" - "@mermaid-js/parser" "^0.6.3" + "@mermaid-js/parser" "^1.0.0" "@types/d3" "^7.4.3" cytoscape "^3.29.3" cytoscape-cose-bilkent "^4.1.0" @@ -3964,7 +3854,7 @@ mermaid@^11.10.0: dompurify "^3.2.5" katex "^0.16.22" khroma "^2.1.0" - lodash-es "^4.17.21" + lodash-es "^4.17.23" marked "^16.2.1" roughjs "^4.6.6" stylis "^4.3.6" @@ -4271,26 +4161,26 @@ mimic-fn@^2.1.0: resolved "https://registry.yarnpkg.com/mimic-fn/-/mimic-fn-2.1.0.tgz#7ed2c2ccccaf84d3ffcb7a69b57711fc2083401b" integrity sha512-OqbOk5oEQeAZ8WXWydlu9HJjz9WVdEIvamMCcXmuqUYjTknH/sqsWvhQ3vgwKFRR1HpjvNBKQ37nbJgYzGqGcg== -minimatch@^10.1.1: - version "10.2.1" - resolved "https://registry.yarnpkg.com/minimatch/-/minimatch-10.2.1.tgz#9d82835834cdc85d5084dd055e9a4685fa56e5f0" - integrity sha512-MClCe8IL5nRRmawL6ib/eT4oLyeKMGCghibcDWK+J0hh0Q8kqSdia6BvbRMVk6mPa6WqUa5uR2oxt6C5jd533A== +minimatch@^10.2.1, minimatch@^10.2.2: + version "10.2.4" + resolved "https://registry.yarnpkg.com/minimatch/-/minimatch-10.2.4.tgz#465b3accbd0218b8281f5301e27cedc697f96fde" + integrity sha512-oRjTw/97aTBN0RHbYCdtF1MQfvusSIBQM0IZEgzl6426+8jSC0nF1a/GmnVLpfB9yyr6g6FTqWqiZVbxrtaCIg== dependencies: brace-expansion "^5.0.2" -minimatch@^3.1.1, minimatch@^3.1.2: - version "3.1.2" - resolved "https://registry.yarnpkg.com/minimatch/-/minimatch-3.1.2.tgz#19cd194bfd3e428f049a70817c038d89ab4be35b" - integrity sha512-J7p63hRiAjw1NDEww1W7i37+ByIrOWO5XQQAzZ3VOcL0PNybwpfmV/N05zFAzwQ9USyEcX6t3UO+K5aqBQOIHw== +minimatch@^3.1.2: + version "3.1.5" + resolved "https://registry.yarnpkg.com/minimatch/-/minimatch-3.1.5.tgz#580c88f8d5445f2bd6aa8f3cadefa0de79fbd69e" + integrity sha512-VgjWUsnnT6n+NUk6eZq77zeFdpW2LWDzP6zFGrCbHXiYNul5Dzqk2HHQ5uFH2DNW5Xbp8+jVzaeNt94ssEEl4w== dependencies: brace-expansion "^1.1.7" -minimatch@^9.0.4, minimatch@^9.0.5: - version "9.0.5" - resolved "https://registry.yarnpkg.com/minimatch/-/minimatch-9.0.5.tgz#d74f9dd6b57d83d8e98cfb82133b03978bc929e5" - integrity sha512-G6T0ZX48xgozx7587koeX9Ys2NYy6Gmv//P89sEte9V9whIapMNF4idKxnW2QtCcLiTWlb/wfCabAtAFWhhBow== +minimatch@^9.0.4: + version "9.0.9" + resolved "https://registry.yarnpkg.com/minimatch/-/minimatch-9.0.9.tgz#9b0cb9fcb78087f6fd7eababe2511c4d3d60574e" + integrity sha512-OBwBN9AL4dqmETlpS2zasx+vTeWclWzkblfZk7KTA5j3jeOONz/tRCnZomUyvNg83wL5Zv9Ss6HMJXAgL8R2Yg== dependencies: - brace-expansion "^2.0.1" + brace-expansion "^2.0.2" minimist@^1.2.0, minimist@^1.2.6, minimist@^1.2.8: version "1.2.8" @@ -4298,9 +4188,9 @@ minimist@^1.2.0, minimist@^1.2.6, minimist@^1.2.8: integrity sha512-2yyAR8qBkN3YuheJanUpWC5U3bb5osDywNB8RzDVlDwDHbocAJveqqj1u8+SVD7jkWT4yvsHCpWqqWqAxb0zCA== "minipass@^5.0.0 || ^6.0.2 || ^7.0.0", minipass@^7.0.4, minipass@^7.1.2: - version "7.1.2" - resolved "https://registry.yarnpkg.com/minipass/-/minipass-7.1.2.tgz#93a9626ce5e5e66bd4db86849e7515e92340a707" - integrity sha512-qOOzS1cBTWYF4BH8fVePDBOO9iptMnGUEZwNc/cMWnTV2nVLZ7VoNWEPHkYczZA0pdoA7dl6e7FL659nX9S2aw== + version "7.1.3" + resolved "https://registry.yarnpkg.com/minipass/-/minipass-7.1.3.tgz#79389b4eb1bb2d003a9bba87d492f2bd37bdc65b" + integrity sha512-tEBHqDnIoM/1rXME1zgka9g6Q2lcoCkxHLuc7ODJ5BxbP5d4c2Z5cGgtXAku59200Cx7diuHTOYfSBD8n6mm8A== minizlib@^3.1.0: version "3.1.0" @@ -4314,13 +4204,6 @@ mitt@^3.0.1: resolved "https://registry.yarnpkg.com/mitt/-/mitt-3.0.1.tgz#ea36cf0cc30403601ae074c8f77b7092cdab36d1" integrity sha512-vKivATfr97l2/QBCYAkXYDbrIWPM2IIKEl7YPhjCvKlG3kE2gm+uBo6nEXK3M5/Ffh/FLpKExzOQ3JJoJGFKBw== -"mkdirp@>=0.5 0": - version "0.5.6" - resolved "https://registry.yarnpkg.com/mkdirp/-/mkdirp-0.5.6.tgz#7def03d2432dcae4ba1d611445c48396062255f6" - integrity sha512-FP+p8RB8OWpF3YZBCrP5gtADmtXApB5AMLn+vdyA+PyxCjrCs00mjyUozssO33cwDeT3wNGdLxJ5M//YqtHAJw== - dependencies: - minimist "^1.2.6" - mlly@^1.7.4, mlly@^1.8.0: version "1.8.0" resolved "https://registry.yarnpkg.com/mlly/-/mlly-1.8.0.tgz#e074612b938af8eba1eaf43299cbc89cb72d824e" @@ -4441,7 +4324,7 @@ object.values@^1.1.6, object.values@^1.2.1: define-properties "^1.2.1" es-object-atoms "^1.0.0" -once@^1.3.0, once@^1.3.1, once@^1.4.0: +once@^1.3.1, once@^1.4.0: version "1.4.0" resolved "https://registry.yarnpkg.com/once/-/once-1.4.0.tgz#583b1aa775961d4b113ac17d9c50baef9dd76bd1" integrity sha512-lNaJgI+2Q5URQBkccEKHTQOPaXdUxnZZElQTZY0MFUAuaEqe1E+Nyvgdz/aIyNi6Z9MzO5dv1H8n58/GELp3+w== @@ -4594,11 +4477,6 @@ path-exists@^4.0.0: resolved "https://registry.yarnpkg.com/path-exists/-/path-exists-4.0.0.tgz#513bdbe2d3b95d7762e8c1137efa195c6c61b5b3" integrity sha512-ak9Qy5Q7jYb2Wwcey5Fpvg2KoAc/ZIhLSLOSBmRmygPsGwkVVt0fZa0qrtMz+m6tJTAHfZQ8FnmB4MG4LWy7/w== -path-is-absolute@^1.0.0: - version "1.0.1" - resolved "https://registry.yarnpkg.com/path-is-absolute/-/path-is-absolute-1.0.1.tgz#174b9268735534ffbc7ace6bf53a5a9e1b5c5f5f" - integrity sha512-AVbw3UJ2e9bq64vSaS9Am0fje1Pa8pbGqTTsmXfaIiMpnr5DlDhfJOuLj9Sf95ZPVDAUerDfEk88MPmPe7UCQg== - path-key@^3.0.0, path-key@^3.1.0: version "3.1.1" resolved "https://registry.yarnpkg.com/path-key/-/path-key-3.1.1.tgz#581f6ade658cbba65a0d3380de7753295054f375" @@ -4782,11 +4660,6 @@ pretty-hrtime@^1.0.3: resolved "https://registry.yarnpkg.com/pretty-hrtime/-/pretty-hrtime-1.0.3.tgz#b7e3ea42435a4c9b2759d99e0f201eb195802ee1" integrity sha512-66hKPCr+72mlfiSjlEB1+45IjXSqvVAIy6mocupoww4tBFE9R9IhwwUGoI4G++Tc9Aq+2rxOt0RFU6gPcrte0A== -process-nextick-args@~2.0.0: - version "2.0.1" - resolved "https://registry.yarnpkg.com/process-nextick-args/-/process-nextick-args-2.0.1.tgz#7820d9b16120cc55ca9ae7792680ae7dba6d7fe2" - integrity sha512-3ouUOpQhtgrbOa17J7+uxOTpITYWaGP7/AhoR3+A+/1e9skrzelGi/dXzEYyvbxubEF6Wn2ypscTKiKJFFn1ag== - process@^0.11.10: version "0.11.10" resolved "https://registry.yarnpkg.com/process/-/process-0.11.10.tgz#7332300e840161bda3e69a1d1d91a7d4bc16f182" @@ -4834,29 +4707,29 @@ punycode@^2.1.0, punycode@^2.3.1: resolved "https://registry.yarnpkg.com/punycode/-/punycode-2.3.1.tgz#027422e2faec0b25e1549c3e1bd8309b9133b6e5" integrity sha512-vYt7UD1U9Wg6138shLtLOvdAu+8DsC/ilFtEVHcH+wydcSpNE20AfSOduf6MkRFahL5FY7X1oU7nKVZFtfq8Fg== -puppeteer-core@24.37.2: - version "24.37.2" - resolved "https://registry.yarnpkg.com/puppeteer-core/-/puppeteer-core-24.37.2.tgz#1055f26426be352e03c0d503548ad02a360f6711" - integrity sha512-nN8qwE3TGF2vA/+xemPxbesntTuqD9vCGOiZL2uh8HES3pPzLX20MyQjB42dH2rhQ3W3TljZ4ZaKZ0yX/abQuw== +puppeteer-core@24.37.5: + version "24.37.5" + resolved "https://registry.yarnpkg.com/puppeteer-core/-/puppeteer-core-24.37.5.tgz#b957f424717c13ff15765bc664a9b97808e5cbb4" + integrity sha512-ybL7iE78YPN4T6J+sPLO7r0lSByp/0NN6PvfBEql219cOnttoTFzCWKiBOjstXSqi/OKpwae623DWAsL7cn2MQ== dependencies: - "@puppeteer/browsers" "2.12.0" - chromium-bidi "13.1.1" + "@puppeteer/browsers" "2.13.0" + chromium-bidi "14.0.0" debug "^4.4.3" devtools-protocol "0.0.1566079" typed-query-selector "^2.12.0" - webdriver-bidi-protocol "0.4.0" + webdriver-bidi-protocol "0.4.1" ws "^8.19.0" puppeteer@^24.35.0: - version "24.37.2" - resolved "https://registry.yarnpkg.com/puppeteer/-/puppeteer-24.37.2.tgz#059a486d1db6d16ea58c4456eba896b27946656f" - integrity sha512-FV1W/919ve0y0oiS/3Rp5XY4MUNUokpZOH/5M4MMDfrrvh6T9VbdKvAHrAFHBuCxvluDxhjra20W7Iz6HJUcIQ== + version "24.37.5" + resolved "https://registry.yarnpkg.com/puppeteer/-/puppeteer-24.37.5.tgz#c61932cdb2bc53d18970671be18d547216d295f0" + integrity sha512-3PAOIQLceyEmn1Fi76GkGO2EVxztv5OtdlB1m8hMUZL3f8KDHnlvXbvCXv+Ls7KzF1R0KdKBqLuT/Hhrok12hQ== dependencies: - "@puppeteer/browsers" "2.12.0" - chromium-bidi "13.1.1" + "@puppeteer/browsers" "2.13.0" + chromium-bidi "14.0.0" cosmiconfig "^9.0.0" devtools-protocol "0.0.1566079" - puppeteer-core "24.37.2" + puppeteer-core "24.37.5" typed-query-selector "^2.12.0" qs@~6.14.1: @@ -4893,19 +4766,6 @@ read-cache@^1.0.0: dependencies: pify "^2.3.0" -readable-stream@^2.0.2, readable-stream@~2.3.6: - version "2.3.8" - resolved "https://registry.yarnpkg.com/readable-stream/-/readable-stream-2.3.8.tgz#91125e8042bba1b9887f49345f6277027ce8be9b" - integrity sha512-8p0AUk4XODgIewSi0l8Epjs+EVnWiK7NoDIEGU0HhE7+ZyY8D1IMY7odu5lRrFXGg71L15KG8QrPmum45RTtdA== - dependencies: - core-util-is "~1.0.0" - inherits "~2.0.3" - isarray "~1.0.0" - process-nextick-args "~2.0.0" - safe-buffer "~5.1.1" - string_decoder "~1.1.1" - util-deprecate "~1.0.1" - readable-stream@^3.4.0, readable-stream@^3.6.2: version "3.6.2" resolved "https://registry.yarnpkg.com/readable-stream/-/readable-stream-3.6.2.tgz#56a9b36ea965c00c5a93ef31eb111a0f11056967" @@ -5048,20 +4908,6 @@ rfdc@^1.3.0: resolved "https://registry.yarnpkg.com/rfdc/-/rfdc-1.4.1.tgz#778f76c4fb731d93414e8f925fbecf64cce7f6ca" integrity sha512-q1b3N5QkRUWUl7iyylaaj3kOpIT0N2i9MqIEQXP73GVsN9cw3fdx8X63cEmWhJGi2PPCF23Ijp7ktmd39rawIA== -rimraf@2: - version "2.7.1" - resolved "https://registry.yarnpkg.com/rimraf/-/rimraf-2.7.1.tgz#35797f13a7fdadc566142c29d4f07ccad483e3ec" - integrity sha512-uWjbaKIK3T1OSVptzX7Nl6PvQ3qAGtKEtVRjRuazjfL3Bx5eI409VZSqgND+4UNnmzLVdPj9FqFJNPqBZFve4w== - dependencies: - glob "^7.1.3" - -rimraf@^5.0.0: - version "5.0.10" - resolved "https://registry.yarnpkg.com/rimraf/-/rimraf-5.0.10.tgz#23b9843d3dc92db71f96e1a2ce92e39fd2a8221c" - integrity sha512-l0OE8wL34P4nJH/H2ffoaniAokM2qSmrtXHmlpvYr5AVVX8msAyW0l8NVJFDxlSK4u3Uh/f41cQheDVdnYijwQ== - dependencies: - glob "^10.3.7" - robust-predicates@^3.0.2: version "3.0.2" resolved "https://registry.yarnpkg.com/robust-predicates/-/robust-predicates-3.0.2.tgz#d5b28528c4824d20fc48df1928d41d9efa1ad771" @@ -5105,11 +4951,6 @@ safe-buffer@^5.0.1, safe-buffer@^5.1.0, safe-buffer@^5.1.2, safe-buffer@~5.2.0: resolved "https://registry.yarnpkg.com/safe-buffer/-/safe-buffer-5.2.1.tgz#1eaf9fa9bdb1fdd4ec75f58f9cdb4e6b7827eec6" integrity sha512-rp3So07KcdmmKbGvgaNxQSJr7bGVSVk5S9Eq1F+ppbRo70+YeaDxkw5Dd8NPN+GD6bjnYm2VuPuCXmpuYvmCXQ== -safe-buffer@~5.1.0, safe-buffer@~5.1.1: - version "5.1.2" - resolved "https://registry.yarnpkg.com/safe-buffer/-/safe-buffer-5.1.2.tgz#991ec69d296e0313747d59bdfd2b745c35f8828d" - integrity sha512-Gd2UZBJDkXlY7GbJxfsE8/nvKkUEU1G38c1siN6QP6a9PT9MmHB8GnpscSmMJSoF8LOIrt8ud/wPtojys4G6+g== - safe-push-apply@^1.0.0: version "1.0.0" resolved "https://registry.yarnpkg.com/safe-push-apply/-/safe-push-apply-1.0.0.tgz#01850e981c1602d398c85081f360e4e6d03d27f5" @@ -5157,7 +4998,7 @@ semver@^6.3.1: resolved "https://registry.yarnpkg.com/semver/-/semver-6.3.1.tgz#556d2ef8689146e46dcea4bfdd095f3434dffcb4" integrity sha512-BR7VvDCVHO+q2xBEWskxS6DJE1qRnb7DxzUrogb71CWoSficBxYsiAGd+Kl0mmq/MprG9yArRkyrQxTO6XjMzA== -semver@^7.7.1, semver@^7.7.2, semver@^7.7.3: +semver@^7.7.1, semver@^7.7.2, semver@^7.7.3, semver@^7.7.4: version "7.7.4" resolved "https://registry.yarnpkg.com/semver/-/semver-7.7.4.tgz#28464e36060e991fa7a11d0279d2d3f3b57a7e8a" integrity sha512-vFKC2IEtQnVhpT78h1Yp8wzwrf8CM+MzKMHGJZfBtzhZNycRFnXsHk6E5TxIkkMsgNS7mdX3AGB7x2QM2di4lA== @@ -5200,11 +5041,6 @@ set-proto@^1.0.0: es-errors "^1.3.0" es-object-atoms "^1.0.0" -setimmediate@~1.0.4: - version "1.0.5" - resolved "https://registry.yarnpkg.com/setimmediate/-/setimmediate-1.0.5.tgz#290cbb232e306942d7d7ea9b83732ab7856f8285" - integrity sha512-MATJdZp8sLqDl/68LfQmbP8zKPLQNV6BIZoIgrscFDQ+RsvK/BxeDQOgyxKKoh0y/8h3BqVFnCqQ/gd+reiIXA== - shebang-command@^2.0.0: version "2.0.0" resolved "https://registry.yarnpkg.com/shebang-command/-/shebang-command-2.0.0.tgz#ccd0af4f8835fbdc265b82461aaf0c36663f34ea" @@ -5336,9 +5172,9 @@ spdx-expression-parse@^4.0.0: spdx-license-ids "^3.0.0" spdx-license-ids@^3.0.0: - version "3.0.22" - resolved "https://registry.yarnpkg.com/spdx-license-ids/-/spdx-license-ids-3.0.22.tgz#abf5a08a6f5d7279559b669f47f0a43e8f3464ef" - integrity sha512-4PRT4nh1EImPbt2jASOKHX7PB7I+e4IWNLvkKFDxNhJlfjbYlleYQh285Z/3mPTHSAK/AvdMmw5BNNuYH8ShgQ== + version "3.0.23" + resolved "https://registry.yarnpkg.com/spdx-license-ids/-/spdx-license-ids-3.0.23.tgz#b069e687b1291a32f126893ed76a27a745ee2133" + integrity sha512-CWLcCCH7VLu13TgOH+r8p1O/Znwhqv/dbb6lqWy67G+pT1kHmeD/+V36AVb/vq8QMIQwVShJ6Ssl5FPh0fuSdw== sprintf-js@~1.0.2: version "1.0.3" @@ -5346,9 +5182,9 @@ sprintf-js@~1.0.2: integrity sha512-D9cPgkvLlV3t3IzL0D0YLvGA9Ahk4PcvVwUbN0dSGr1aP0Nrt4AEnTUbuGvquEC0mA64Gqt1fzirlRs5ibXx8g== sql-formatter@^15.0.2: - version "15.7.0" - resolved "https://registry.yarnpkg.com/sql-formatter/-/sql-formatter-15.7.0.tgz#f9a1867e82a8341bb0057cb7b9cd5470dcfd22e9" - integrity sha512-o2yiy7fYXK1HvzA8P6wwj8QSuwG3e/XcpWht/jIxkQX99c0SVPw0OXdLSV9fHASPiYB09HLA0uq8hokGydi/QA== + version "15.7.2" + resolved "https://registry.yarnpkg.com/sql-formatter/-/sql-formatter-15.7.2.tgz#d385a4f9ddf95b7916c66286c93374b1417bc70b" + integrity sha512-b0BGoM81KFRVSpZFwPpIPU5gng4YD8DI/taLD96NXCFRf5af3FzSE4aSwjKmxcyTmf/MfPu91j75883nRrWDBw== dependencies: argparse "^2.0.1" nearley "^2.20.1" @@ -5381,7 +5217,7 @@ stop-iteration-iterator@^1.1.0: es-errors "^1.3.0" internal-slot "^1.1.0" -streamx@^2.15.0, streamx@^2.21.0: +streamx@^2.12.5, streamx@^2.15.0, streamx@^2.21.0: version "2.23.0" resolved "https://registry.yarnpkg.com/streamx/-/streamx-2.23.0.tgz#7d0f3d00d4a6c5de5728aecd6422b4008d66fd0b" integrity sha512-kn+e44esVfn2Fa/O0CPFcex27fjIL6MkVae0Mm6q+E6f0hWv578YCERbv+4m02cjxvDsPKLnmxral/rR6lBMAg== @@ -5465,13 +5301,6 @@ string_decoder@^1.1.1: dependencies: safe-buffer "~5.2.0" -string_decoder@~1.1.1: - version "1.1.1" - resolved "https://registry.yarnpkg.com/string_decoder/-/string_decoder-1.1.1.tgz#9cf1611ba62685d7030ae9e4ba34149c3af03fc8" - integrity sha512-n/ShnvDi6FHbbVfviro+WojiFzv+s8MPMHBczVePfUpDJLwoLT0ht1l4YwBCbi8pJAveEEdnkHyPyTP/mzRfwg== - dependencies: - safe-buffer "~5.1.0" - "strip-ansi-cjs@npm:strip-ansi@^6.0.1": version "6.0.1" resolved "https://registry.yarnpkg.com/strip-ansi/-/strip-ansi-6.0.1.tgz#9e26c63d30f53443e9489495b2105d37b67a85d9" @@ -5487,11 +5316,11 @@ strip-ansi@^6.0.0, strip-ansi@^6.0.1: ansi-regex "^5.0.1" strip-ansi@^7.0.1: - version "7.1.2" - resolved "https://registry.yarnpkg.com/strip-ansi/-/strip-ansi-7.1.2.tgz#132875abde678c7ea8d691533f2e7e22bb744dba" - integrity sha512-gmBGslpoQJtgnMAvOVqGZpEz9dyoKTCzy2nfz/n8aIFhN/jCE/rCmcxabB6jOOHV+0WNnylOxaxBQPSvcWklhA== + version "7.2.0" + resolved "https://registry.yarnpkg.com/strip-ansi/-/strip-ansi-7.2.0.tgz#d22a269522836a627af8d04b5c3fd2c7fa3e32e3" + integrity sha512-yDPMNjp4WyfYBkHnjIRLfca1i6KMyGCtsVgoKe/z1+6vukgaENdgGBZt+ZmKPc4gavvEZ5OgHfHdrazhgNyG7w== dependencies: - ansi-regex "^6.0.1" + ansi-regex "^6.2.2" strip-bom-string@^1.0.0: version "1.0.0" @@ -5557,7 +5386,7 @@ tar-stream@^3.1.5: fast-fifo "^1.2.0" streamx "^2.15.0" -tar@7.5.7, tar@^6.1.15, tar@^7.5.7: +tar@7.5.7, tar@^7.5.9: version "7.5.7" resolved "https://registry.yarnpkg.com/tar/-/tar-7.5.7.tgz#adf99774008ba1c89819f15dbd6019c630539405" integrity sha512-fov56fJiRuThVFXD6o6/Q354S7pnWMJIVlDBYijsTNx6jKSE4pvrDTs6lUnmGvNyfJwFQQwWy3owKz1ucIhveQ== @@ -5568,10 +5397,17 @@ tar@7.5.7, tar@^6.1.15, tar@^7.5.7: minizlib "^3.1.0" yallist "^5.0.0" +teex@^1.0.1: + version "1.0.1" + resolved "https://registry.yarnpkg.com/teex/-/teex-1.0.1.tgz#b8fa7245ef8e8effa8078281946c85ab780a0b12" + integrity sha512-eYE6iEI62Ni1H8oIa7KlDU6uQBtqr4Eajni3wX7rpfXD8ysFx8z0+dri+KWEPWpBsxXfxu58x/0jvTVT1ekOSg== + dependencies: + streamx "^2.12.5" + text-decoder@^1.1.0: - version "1.2.3" - resolved "https://registry.yarnpkg.com/text-decoder/-/text-decoder-1.2.3.tgz#b19da364d981b2326d5f43099c310cc80d770c65" - integrity sha512-3/o9z3X0X0fTupwsYvR03pJ/DjWuqqrfwBgTQzdWDiQSm9KitAyz/9WqsT2JQW7KV2m+bC2ol/zqpW37NHxLaA== + version "1.2.7" + resolved "https://registry.yarnpkg.com/text-decoder/-/text-decoder-1.2.7.tgz#5d073a9a74b9c0a9d28dfadcab96b604af57d8ba" + integrity sha512-vlLytXkeP4xvEq2otHeJfSQIRyWxo/oZGEbXrtEEF9Hnmrdly59sUbzZ/QgyWuLYHctCHxFF4tRQZNQ9k60ExQ== dependencies: b4a "^1.6.4" @@ -5665,11 +5501,6 @@ tr46@^6.0.0: dependencies: punycode "^2.3.1" -"traverse@>=0.3.0 <0.4": - version "0.3.9" - resolved "https://registry.yarnpkg.com/traverse/-/traverse-0.3.9.tgz#717b8f220cc0bb7b44e40514c22b2e8bbc70d8b9" - integrity sha512-iawgk0hLP3SxGKDfnDJf8wTz4p2qImnyihM5Hh/sGvQ3K37dPi/w8sRhdNIxYA1TwFwc5mDhIJq+O0RsvXBKdQ== - tree-kill@1.2.2: version "1.2.2" resolved "https://registry.yarnpkg.com/tree-kill/-/tree-kill-1.2.2.tgz#4ca09a9092c88b73a7cdc5e8a01b507b0790a0cc" @@ -5792,19 +5623,19 @@ typed-array-length@^1.0.7: reflect.getprototypeof "^1.0.6" typed-query-selector@^2.12.0: - version "2.12.0" - resolved "https://registry.yarnpkg.com/typed-query-selector/-/typed-query-selector-2.12.0.tgz#92b65dbc0a42655fccf4aeb1a08b1dddce8af5f2" - integrity sha512-SbklCd1F0EiZOyPiW192rrHZzZ5sBijB6xM+cpmrwDqObvdtunOHHIk9fCGsoK5JVIYXoyEp4iEdE3upFH3PAg== + version "2.12.1" + resolved "https://registry.yarnpkg.com/typed-query-selector/-/typed-query-selector-2.12.1.tgz#04423bfb71b8f3aee3df1c29598ed6c7c8f55284" + integrity sha512-uzR+FzI8qrUEIu96oaeBJmd9E7CFEiQ3goA5qCVgc4s5llSubcfGHq9yUstZx/k4s9dXHVKsE35YWoFyvEqEHA== typescript-eslint@^8.32.1: - version "8.55.0" - resolved "https://registry.yarnpkg.com/typescript-eslint/-/typescript-eslint-8.55.0.tgz#abae8295c5f0f82f816218113a46e89bc30c3de2" - integrity sha512-HE4wj+r5lmDVS9gdaN0/+iqNvPZwGfnJ5lZuz7s5vLlg9ODw0bIiiETaios9LvFI1U94/VBXGm3CB2Y5cNFMpw== + version "8.56.1" + resolved "https://registry.yarnpkg.com/typescript-eslint/-/typescript-eslint-8.56.1.tgz#15a9fcc5d2150a0d981772bb36f127a816fe103f" + integrity sha512-U4lM6pjmBX7J5wk4szltF7I1cGBHXZopnAXCMXb3+fZ3B/0Z3hq3wS/CCUB2NZBNAExK92mCU2tEohWuwVMsDQ== dependencies: - "@typescript-eslint/eslint-plugin" "8.55.0" - "@typescript-eslint/parser" "8.55.0" - "@typescript-eslint/typescript-estree" "8.55.0" - "@typescript-eslint/utils" "8.55.0" + "@typescript-eslint/eslint-plugin" "8.56.1" + "@typescript-eslint/parser" "8.56.1" + "@typescript-eslint/typescript-estree" "8.56.1" + "@typescript-eslint/utils" "8.56.1" typescript@^5.8.3: version "5.9.3" @@ -5826,10 +5657,10 @@ unbox-primitive@^1.1.0: has-symbols "^1.1.0" which-boxed-primitive "^1.1.1" -undici-types@~7.16.0: - version "7.16.0" - resolved "https://registry.yarnpkg.com/undici-types/-/undici-types-7.16.0.tgz#ffccdff36aea4884cbfce9a750a0580224f58a46" - integrity sha512-Zz+aZWSj8LE6zoxD+xrjh4VfkIG8Ya6LvYkZqtUQGJPZjYl53ypCaUwWqo7eI0x66KBGeRo+mlBEkMSeSZ38Nw== +undici-types@~7.18.0: + version "7.18.2" + resolved "https://registry.yarnpkg.com/undici-types/-/undici-types-7.18.2.tgz#29357a89e7b7ca4aef3bf0fd3fd0cd73884229e9" + integrity sha512-AsuCzffGHJybSaRrmr5eHr81mwJU3kjw6M+uprWvCXiNeN9SOGwQ3Jn8jb8m3Z6izVgknn1R0FTCEAP2QrLY/w== unified@^11.0.0, unified@^11.0.5: version "11.0.5" @@ -5885,22 +5716,6 @@ untildify@^4.0.0: resolved "https://registry.yarnpkg.com/untildify/-/untildify-4.0.0.tgz#2bc947b953652487e4600949fb091e3ae8cd919b" integrity sha512-KK8xQ1mkzZeg9inewmFVDNkg3l5LUhoq9kN6iWYB/CC9YMG8HA+c1Q8HwDe6dEX7kErrEVNVBO3fWsVq5iDgtw== -unzipper@^0.10.14: - version "0.10.14" - resolved "https://registry.yarnpkg.com/unzipper/-/unzipper-0.10.14.tgz#d2b33c977714da0fbc0f82774ad35470a7c962b1" - integrity sha512-ti4wZj+0bQTiX2KmKWuwj7lhV+2n//uXEotUmGuQqrbVZSEGFMbI68+c6JCQ8aAmUWYvtHEz2A8K6wXvueR/6g== - dependencies: - big-integer "^1.6.17" - binary "~0.3.0" - bluebird "~3.4.1" - buffer-indexof-polyfill "~1.0.0" - duplexer2 "~0.1.4" - fstream "^1.0.12" - graceful-fs "^4.2.2" - listenercount "~1.0.1" - readable-stream "~2.3.6" - setimmediate "~1.0.4" - update-browserslist-db@^1.2.0: version "1.2.3" resolved "https://registry.yarnpkg.com/update-browserslist-db/-/update-browserslist-db-1.2.3.tgz#64d76db58713136acbeb4c49114366cc6cc2e80d" @@ -5916,7 +5731,7 @@ uri-js@^4.2.2: dependencies: punycode "^2.1.0" -util-deprecate@^1.0.1, util-deprecate@~1.0.1: +util-deprecate@^1.0.1: version "1.0.2" resolved "https://registry.yarnpkg.com/util-deprecate/-/util-deprecate-1.0.2.tgz#450d4dc9fa70de732762fbd2d4a28981419a0ccf" integrity sha512-EPD5q1uXyFxJpCrLnCc1nHnq3gOa6DZBocAIiI2TaSCA7VCJ1UJDMagCzIkXNsUYfD1daK//LTEQ8xiIbrHtcw== @@ -5991,10 +5806,10 @@ vscode-languageserver@~9.0.1: dependencies: vscode-languageserver-protocol "3.17.5" -vscode-uri@~3.0.8: - version "3.0.8" - resolved "https://registry.yarnpkg.com/vscode-uri/-/vscode-uri-3.0.8.tgz#1770938d3e72588659a172d0fd4642780083ff9f" - integrity sha512-AyFQ0EVmsOZOlAnxoFOGOq1SQDWAB7C6aqMGS23svWAllfOaxbuFvcT8D1i8z3Gyn8fraVeZNNmN6e9bxxXkKw== +vscode-uri@~3.1.0: + version "3.1.0" + resolved "https://registry.yarnpkg.com/vscode-uri/-/vscode-uri-3.1.0.tgz#dd09ec5a66a38b5c3fffc774015713496d14e09c" + integrity sha512-/BpdSx+yCQGnCvecbyXdxHDkuk55/G3xwnC0GqY4gmQ3j+A+g8kzzgB4Nk/SINjqn6+waqw3EgbVF2QKExkRxQ== w3c-xmlserializer@^5.0.0: version "5.0.0" @@ -6003,10 +5818,10 @@ w3c-xmlserializer@^5.0.0: dependencies: xml-name-validator "^5.0.0" -webdriver-bidi-protocol@0.4.0: - version "0.4.0" - resolved "https://registry.yarnpkg.com/webdriver-bidi-protocol/-/webdriver-bidi-protocol-0.4.0.tgz#3057477209cc5beebba19d50b31304c4cec1006d" - integrity sha512-U9VIlNRrq94d1xxR9JrCEAx5Gv/2W7ERSv8oWRoNe/QYbfccS0V3h/H6qeNeCRJxXGMhhnkqvwNrvPAYeuP9VA== +webdriver-bidi-protocol@0.4.1: + version "0.4.1" + resolved "https://registry.yarnpkg.com/webdriver-bidi-protocol/-/webdriver-bidi-protocol-0.4.1.tgz#d411e7b8e158408d83bb166b0b4f1054fa3f077e" + integrity sha512-ARrjNjtWRRs2w4Tk7nqrf2gBI0QXWuOmMCx2hU+1jUt6d00MjMxURrhxhGbrsoiZKJrhTSTzbIrc554iKI10qw== webidl-conversions@^8.0.0: version "8.0.1"