bloblang-authoring
This skill should be used when users need to create or debug Bloblang transformation scripts. Trigger when users ask about transforming data, mapping fields, parsing JSON/CSV/XML, converting timestamps, filtering arrays, or mention "bloblang", "blobl", "mapping processor", or describe any data transformation need like "convert this to that" or "transform my JSON".
Install
mkdir -p .claude/skills/bloblang-authoring && curl -L -o skill.zip "https://mcp.directory/api/skills/download/7246" && unzip -o skill.zip -d .claude/skills/bloblang-authoring && rm skill.zipInstalls to .claude/skills/bloblang-authoring
About this skill
Redpanda Connect Bloblang Script Generator
Create working, tested Bloblang transformation scripts from natural language descriptions.
Objective
Generate a Bloblang (blobl) script that correctly transforms the user's input data according to their requirements. The script MUST be tested before presenting it.
Setup
This skill requires rpk rpk connect, python3, and jq.
See the SETUP for installation instructions.
Tools
Script format-bloblang.sh
Generates category-organized Bloblang reference files in XML format. Run once at the start of each session before searching for functions/methods.
# Usage:
./resources/scripts/format-bloblang.sh
- No arguments
- Generates category files organized by type (e.g.,
functions-General.xml,methods-String_Manipulation.xml) - Outputs generated files to a versioned directory
- Outputs the directory path to stdout (capture in
BLOBLREF_DIRvariable for later use) - Each XML file contains structured function/method definitions with parameters, descriptions, and examples
Functions
Generated function files have functions-<Category>.xml names and contain functions relevant to that category.
functions-Encoding.xml- Schema registry headersfunctions-Environment.xml- Environment vars, files, timestamps, hostnamefunctions-Fake_Data_Generation.xml- Fake data generationfunctions-General.xml- Bytes, counter, deleted, ksuid, nanoid, uuid, random, range, snowflakefunctions-Message_Info.xml- Batch index, content, error, metadata, span links, tracing IDs- etc.
The function XML tag format:
nameattribute - function nameparamsattribute - comma-separated list of parameters with types, format<name>:<type>or empty string if no parameters- body - description of function purpose and usage
exampleXML subtagsummaryattribute (optional) - brief description of the example- body - code block demonstrating usage
Example function definition:
<function name="random_int" params="seed:query expression, min:integer, max:integer">
Generates a pseudo-random non-negative 64-bit integer.
Use this for creating random IDs, sampling data, or generating test values.
Provide a seed for reproducible randomness, or use a dynamic seed like `timestamp_unix_nano()` for unique values per mapping instance.
Optional `min` and `max` parameters constrain the output range (both inclusive).
For dynamic ranges based on message data, use the modulo operator instead: `random_int() % dynamic_max + dynamic_min`.
<example>
root.first = random_int()
root.second = random_int(1)
root.third = random_int(max:20)
root.fourth = random_int(min:10, max:20)
root.fifth = random_int(timestamp_unix_nano(), 5, 20)
root.sixth = random_int(seed:timestamp_unix_nano(), max:20)
</example>
<example summary="Use a dynamic seed for unique random values per mapping instance.">
root.random_id = random_int(timestamp_unix_nano())
root.sample_percent = random_int(seed: timestamp_unix_nano(), min: 0, max: 100)
</example>
</function>
Methods
Generated method files have methods-<Category>.xml names and contain methods relevant to that category.
methods-Encoding_and_Encryption.xml- Base64, compression, hashing, encryptionmethods-General.xml- Basic operations, type checkingmethods-GeoIP.xml- GeoIP lookupsmethods-JSON_Web_Tokens.xml- JWT operationsmethods-Number_Manipulation.xml- Arithmetic, rounding, formattingmethods-Object___Array_Manipulation.xml- Filtering, mapping, sorting, mergingmethods-Parsing.xml- JSON, CSV, XML, protocol buffer parsingmethods-Regular_Expressions.xml- Regex matching and replacementmethods-SQL.xml- SQL operationsmethods-String_Manipulation.xml- Case, trimming, splitting, formattingmethods-Timestamp_Manipulation.xml- Parsing, formatting, timezone conversionmethods-Type_Coercion.xml- Type conversions- etc.
The method XML tag format:
nameattribute - function nameparamsattribute - comma-separated list of parameters with types, format<name>:<type>or empty string if no parameters- body - description of function purpose and usage
exampleXML subtagsummaryattribute (optional) - brief description of the example- body - code block demonstrating usage
Example method definition:
<method name="ts_format" params="format:string, tz:string">
Formats a timestamp into a string using the specified format layout.
<example>
root.formatted = this.timestamp.ts_format("2006-01-02T15:04:05Z07:00")
</example>
</method>
Grep Search
Lists Available functions and methods without loading full files.
# List all available functions and methods by name
grep -hE '<(function|method) name=' "$BLOBLREF_DIR"
# Search by keyword (searches names, descriptions, params, examples)
grep -i "timestamp" "$BLOBLREF_DIR"
# Search by parameter name (e.g., find all with "format" parameter)
grep 'params="[^"]*format' "$BLOBLREF_DIR"
- Requires
BLOBLREF_DIRset to the directory output byformat-bloblang.sh
Script test-blobl.sh
Tests a Bloblang script against input data. Executes the transformation and returns results or errors. Can be run repeatedly during iteration.
# Usage:
./resources/scripts/test-blobl.sh <target-directory>
- Requires
data.json(input) andscript.blobl(transformation) in the target directory - Returns transformed data or error messages
Bloblang
Bloblang (blobl) is Redpanda Connect's native mapping language for transforming message data. It's designed for readability and safely reshaping documents of any structure.
Core Concepts
Assignment: Create new documents by assigning values to paths.
root= the new document being createdthis= the input document being read
# Copy entire input
root = this
# Create specific fields
root.id = this.thing.id
root.type = "processed"
# In: {"thing":{"id":"abc123"}}
# Out: {"id":"abc123","type":"processed"}
Field Paths: Use dot notation for nested fields. Use quotes for special characters:
root.user.name = this.customer.full_name
root."foo.bar".baz = this."field with spaces"
Literals: Numbers, booleans, strings, null, arrays, and objects:
root = {
"count": 42,
"active": true,
"items": ["a", "b", "c"],
"nested": {"key": "value"}
}
Functions and Methods
Functions generate values (no target needed):
root.id = uuid_v4()
root.timestamp = now()
root.hostname = hostname()
Methods transform values (called on a target with .):
root.upper = this.name.uppercase()
root.formatted = this.date.ts_parse("2006-01-02").ts_format("Mon Jan 2")
root.sorted = this.items.sort()
Methods can be chained:
root.clean = this.text.trim().lowercase().replace_all("_", "-")
Methods require a target (called with .), while functions do not.
Check the XML reference files to determine correct usage:
# Bad: floor() is a method, not a function
root.rounded = floor(this.value) # Error: floor is not a function
# Good: Call floor() as a method on a value
root.rounded = this.value.floor()
# Bad: uuid_v4() is a function, not a method
root.id = this.uuid_v4() # Error: uuid_v4 is not a method
# Good: Call uuid_v4() as a function
root.id = uuid_v4()
Discovering Available Functions & Methods
Bloblang provides hundreds of functions and methods organized into categories. Start with these foundational categories that cover common use cases:
functions-General.xml- Core utility functions (uuid_v4, timestamp, random, etc.)functions-Message_Info.xml- Message metadata access (hostname, env, content_type, etc.)methods-General.xml- Universal transformations (type conversions, existence checks, etc.)
For specialized needs, consult domain-specific categories: strings (uppercase, trim, regexp), timestamps (ts_parse, ts_format), arrays (map_each, filter), objects (keys, values), encoding (base64, json), and more.
Discovery tools:
- Run
format-bloblang.shto generate category-organized XML reference files in a versioned directory - Use grep patterns to search function/method names, descriptions, parameters, and examples across categories
- Read specific category XML files for structured definitions with complete function signatures, parameter details, and usage examples
Control Flow
Conditionals (if/else):
root.category = if this.score >= 80 {
"high"
} else if this.score >= 50 {
"medium"
} else {
"low"
}
Pattern Matching (match):
root.sound = match this.animal {
"cat" => "meow"
"dog" => "woof"
"cow" => "moo"
_ => "unknown" # Catch-all
}
Coalescing (try multiple paths with |):
# Use first non-null value from alternative fields
root.content = this.article.body | this.comment.text | "no content"
# Try different nested paths
root.id = this.data.(primary_id | secondary_id | backup_id)
Note: Use | for alternative field paths (missing fields), use .catch() for operation failures (parse errors, type mismatches).
Common Operations
Deletion:
root = this
root.password = deleted() # Remove field
# Or filter entire message
root = if this.spam { deleted() }
Variables (reuse values without adding to output):
let user_id = this.user.id
let enriched = this.user.name + " (" + $user_id + ")"
root.display_name = $enriched
root.user_id = $user_id
IMPORTANT: Variables must be declared at the top level, not inside if, match, or other blocks.
# Bad: Will cause "expected }" parse error
root.age = if this.birthdate != null {
let parsed = this.birthdate.ts_parse("2006-01-02") # let not allowed here!
$parsed.ts_unix()
}
# Good: Declare variables at top level
let parsed = this.birthdate.ts_parse("2006-01-02").catch(null
---
*Content truncated.*
More by redpanda-data
View all skills by redpanda-data →You might also like
flutter-development
aj-geddes
Build beautiful cross-platform mobile apps with Flutter and Dart. Covers widgets, state management with Provider/BLoC, navigation, API integration, and material design.
drawio-diagrams-enhanced
jgtolentino
Create professional draw.io (diagrams.net) diagrams in XML format (.drawio files) with integrated PMP/PMBOK methodologies, extensive visual asset libraries, and industry-standard professional templates. Use this skill when users ask to create flowcharts, swimlane diagrams, cross-functional flowcharts, org charts, network diagrams, UML diagrams, BPMN, project management diagrams (WBS, Gantt, PERT, RACI), risk matrices, stakeholder maps, or any other visual diagram in draw.io format. This skill includes access to custom shape libraries for icons, clipart, and professional symbols.
ui-ux-pro-max
nextlevelbuilder
"UI/UX design intelligence. 50 styles, 21 palettes, 50 font pairings, 20 charts, 8 stacks (React, Next.js, Vue, Svelte, SwiftUI, React Native, Flutter, Tailwind). Actions: plan, build, create, design, implement, review, fix, improve, optimize, enhance, refactor, check UI/UX code. Projects: website, landing page, dashboard, admin panel, e-commerce, SaaS, portfolio, blog, mobile app, .html, .tsx, .vue, .svelte. Elements: button, modal, navbar, sidebar, card, table, form, chart. Styles: glassmorphism, claymorphism, minimalism, brutalism, neumorphism, bento grid, dark mode, responsive, skeuomorphism, flat design. Topics: color palette, accessibility, animation, layout, typography, font pairing, spacing, hover, shadow, gradient."
godot
bfollington
This skill should be used when working on Godot Engine projects. It provides specialized knowledge of Godot's file formats (.gd, .tscn, .tres), architecture patterns (component-based, signal-driven, resource-based), common pitfalls, validation tools, code templates, and CLI workflows. The `godot` command is available for running the game, validating scripts, importing resources, and exporting builds. Use this skill for tasks involving Godot game development, debugging scene/resource files, implementing game systems, or creating new Godot components.
nano-banana-pro
garg-aayush
Generate and edit images using Google's Nano Banana Pro (Gemini 3 Pro Image) API. Use when the user asks to generate, create, edit, modify, change, alter, or update images. Also use when user references an existing image file and asks to modify it in any way (e.g., "modify this image", "change the background", "replace X with Y"). Supports both text-to-image generation and image-to-image editing with configurable resolution (1K default, 2K, or 4K for high resolution). DO NOT read the image file first - use this skill directly with the --input-image parameter.
fastapi-templates
wshobson
Create production-ready FastAPI projects with async patterns, dependency injection, and comprehensive error handling. Use when building new FastAPI applications or setting up backend API projects.
Related MCP Servers
Browse all serversUnlock seamless Figma to code: streamline Figma to HTML with Framelink MCP Server for fast, accurate design-to-code work
Official Laravel-focused MCP server for augmenting AI-powered local development. Provides deep context about your Larave
Safely connect cloud Grafana to AI agents with MCP: query, inspect, and manage Grafana resources using simple, focused o
Empower your workflows with Perplexity Ask MCP Server—seamless integration of AI research tools for real-time, accurate
Boost your productivity by managing Azure DevOps projects, pipelines, and repos in VS Code. Streamline dev workflows wit
Boost AI coding agents with Ref Tools—efficient documentation access for faster, smarter code generation than GitHub Cop
Stay ahead of the MCP ecosystem
Get weekly updates on new skills and servers.