CLI Reference¶
Complete command-line interface reference for Kelora. For quick start examples, see the Quickstart Guide.
Synopsis¶
Processing Modes¶
Kelora supports two processing modes:
| Mode | When to Use | Characteristics | 
|---|---|---|
| Sequential (default) | Streaming, interactive, ordered output | Events processed one at a time in order | 
| Parallel ( --parallel) | High-throughput batch processing | Events processed in parallel batches across cores | 
Common Examples¶
# Find errors in access logs
kelora access.log --levels error,critical
# Transform JSON logs with Rhai
kelora -j app.json --exec 'e.duration_ms = e.end_time - e.start_time'
# Extract specific fields from NGINX logs
kelora nginx.log -f combined --keys method,status,path
Arguments¶
Files¶
Input files to process. If omitted, reads from stdin. Use - to explicitly specify stdin.
Examples:
kelora app.log                    # Single file
kelora logs/*.jsonl               # Multiple files with glob
kelora file1.log file2.log        # Multiple files explicit
tail -f app.log | kelora -j       # From stdin
kelora -                          # Explicitly read stdin
Global Options¶
Help and Version¶
| Flag | Description | 
|---|---|
| -h, --help | Print complete help (use -hfor summary) | 
| -V, --version | Print version information | 
Help Topics¶
| Flag | Description | 
|---|---|
| --help-rhai | Rhai scripting guide and stage semantics | 
| --help-functions | All 40+ built-in Rhai functions | 
| --help-examples | Practical log analysis patterns | 
| --help-time | Timestamp format reference (chrono format strings) | 
| --help-multiline | Multi-line event detection strategies | 
Input Options¶
Format Selection¶
-f, --input-format <FORMAT>¶
Specify input format. Supports standard formats, column parsing, and CSV with type annotations.
Standard Formats:
- json- JSON lines (one JSON object per line)
- line- Plain text (default, one line per event)
- csv- CSV with header row
- tsv- Tab-separated values with header
- logfmt- Key-value pairs (logfmt format)
- syslog- Syslog RFC5424 and RFC3164
- combined- Apache/Nginx log formats (Common + Combined)
- cef- ArcSight Common Event Format
- auto- Auto-detect format
Column Parsing:
CSV with Types:
Examples:
kelora -f json app.log
kelora -f combined nginx.log
kelora -f 'cols:ts(2) level *msg' custom.log  # `ts` is auto-detected as a timestamp
-j¶
Shortcut for -f json.
File Processing¶
--file-order <FILE_ORDER>¶
Control file processing order.
Values:
- cli- Process files in command-line order (default)
- name- Sort files alphabetically by name
- mtime- Sort files by modification time (oldest first)
Line Filtering¶
--skip-lines <N>¶
Skip the first N input lines.
--keep-lines <REGEX>¶
Keep only input lines matching regex pattern (applied before --ignore-lines).
--ignore-lines <REGEX>¶
Ignore input lines matching regex pattern.
Section Selection¶
Process specific sections of log files with multiple logical sections.
--section-from <REGEX>¶
Start emitting a section from the line that matches (inclusive). Without a stop flag, processing continues until EOF or the next occurrence of the start pattern.
--section-after <REGEX>¶
Begin the section after the matching line (exclusive start). Useful when headers are just markers.
--section-before <REGEX>¶
Stop the section when the regex matches (exclusive end). This mirrors the previous --section-end behavior.
--section-through <REGEX>¶
Stop only after emitting the matching line (inclusive end). Handy when the footer carries status information.
--max-sections <N>¶
Maximum number of sections to process. Default: -1 (unlimited).
# Process first 2 sections
kelora --section-from '^== ' --max-sections 2 system.log
# Process only first section
kelora --section-from '^Session' --section-before '^End' --max-sections 1 app.log
Processing Order:
Section selection runs early in the pipeline, before --keep-lines and --ignore-lines:
- --skip-lines- Skip first N lines
- --section-from/after/before/through- Select sections
- --keep-lines- Keep matching lines within sections
- --ignore-lines- Ignore matching lines within sections
- -M/--multiline- Group lines into events
- Parsing - Parse into structured events
Use Cases:
# Extract specific service logs from docker-compose output
docker compose logs | kelora --section-from '^web_1' --section-before '^(db_1|api_1)' -f line
# Process first 3 user sessions
kelora --section-from 'User .* logged in' --section-through 'logged out' --max-sections 3 app.log
# Extract iked section, then filter for errors
kelora --section-after '^== iked' --section-before '^==' --keep-lines 'ERROR' system.log
Performance:
- Section selection is single-threaded (even with --parallel)
- Minimal overhead - just regex matching per line
- Heavy processing (parsing, filtering, Rhai) still parallelizes
- No full-file buffering - processes line-by-line
Timestamp Configuration¶
--ts-field <FIELD>¶
Custom timestamp field name for parsing. When set, Kelora only inspects that field; the built-in fallbacks are disabled so missing or malformed values stay visible in stats and diagnostics.
--ts-format <FORMAT>¶
Custom timestamp format using chrono format strings. See --help-time for format reference.
--input-tz <TIMEZONE>¶
Timezone for naive input timestamps (without timezone info). Default: UTC.
Values:
- UTC- Coordinated Universal Time
- local- System local time
- Named timezones: Europe/Berlin,America/New_York, etc.
Multi-line Events¶
-M, --multiline <STRATEGY>¶
Multi-line event detection strategy. See --help-multiline for details.
kelora -M json app.log              # JSON events across lines
kelora -M '^\\d{4}-' app.log        # Events start with date
Prefix Extraction¶
--extract-prefix <FIELD>¶
Extract text before separator to specified field (runs before parsing).
--prefix-sep <STRING>¶
Separator string for prefix extraction. Default: |
Column Format Options¶
--cols-sep <SEPARATOR>¶
Column separator for cols:<spec> format. Default: whitespace.
Processing Options¶
Scripting Stages¶
--begin <SCRIPT>¶
Run Rhai script once before processing any events. Typical use: initialize lookup tables or shared context in the global conf map.
Available helpers:
- read_lines(path)- Read file as array of lines
- read_file(path)- Read file as string
--filter <EXPRESSION>¶
Boolean filter expression. Events where expression returns true are kept. Multiple filters are combined with AND logic.
kelora -j --filter 'e.status >= 400' app.log
kelora -j --filter 'e.service == "api"' --filter 'e.level == "ERROR"' app.log
-e, --exec <SCRIPT>¶
Transform/process script evaluated on each event. Multiple --exec scripts run in order.
kelora -j --exec 'e.duration_s = e.duration_ms / 1000' app.log
kelora -j --exec 'track_count(e.service)' app.log
-E, --exec-file <FILE>¶
Execute Rhai script from file (runs in exec stage).
-I, --include <FILE>¶
Include Rhai files before script stages (library imports).
--end <SCRIPT>¶
Run once after processing completes (post-processing stage). Access global metrics map from track_*() calls here.
kelora -j \
    --exec 'track_count(e.service)' \
    --end 'print("Total services: " + metrics.len())' \
    app.log
Span Aggregation¶
--span <N | DURATION>¶
Group events into non-overlapping spans before running a span-close hook. Sequential mode is required (Kelora prints a warning and falls back to sequential if --parallel is also supplied).
- --span <N>– Count-based spans. Close after every N events that survive all filters. Example:- --span 500.
- --span <DURATION>– Time-based spans aligned to the events' canonical timestamp (- ts). The first event with a valid- tsanchors fixed windows such as- 1m,- 5m,- 30s,- 1h.
How it works:
- Per-event scripts still run for every event.
- Events missing a timestamp (time mode) are marked meta.span_status == "unassigned"and excluded from the span buffer.
- Events with timestamps that fall into an already-closed window are emitted immediately with meta.span_status == "late". Closed spans are never reopened.
- Count spans keep buffered events in memory until the span closes. Kelora warns when N > 100_000.
--span-close <SCRIPT>¶
Run a Rhai snippet once whenever a span closes. Use it to emit per-span summaries, metrics, or rollups. The script runs after the event that triggered the close finishes all per-event stages (filters, execs, etc.).
Read-only span object available inside --span-close:
- span.id– Unique span identifier (- #0,- 2024-05-19T12:00:00Z/5m, etc.)
- span.start/- span.end– Half-open window bounds for time-based spans (count spans return- ())
- span.size– Number of events that survived filters and were included in this span
- span.events– Array of events in arrival order (each map includes- span_status,- span_start, etc.)
- span.metrics– Map of per-span deltas from- track_*calls (automatically reset after each span)
Metadata added to meta during per-event stages:
- meta.span_status–- "included",- "late",- "unassigned", or- "filtered"
- meta.span_id– Span identifier (- nullfor unassigned events)
- meta.span_start,- meta.span_end– Boundaries as DateTime values (or- ()when not applicable)
Kelora cleans up span state automatically when processing completes or on graceful shutdown.
File System Access¶
--allow-fs-writes¶
Allow Rhai scripts to create directories and write files. Required for file helpers like append_file() or mkdir().
Window Functions¶
--window <SIZE>¶
Enable sliding window of N+1 recent events. Required for window_*() functions.
Timestamp Conversion¶
--convert-ts <FIELDS>¶
Convert timestamp fields to RFC3339 format (ISO 8601 compatible). Modifies event data - affects all output formats.
Error Handling Options¶
Strict Mode¶
--strict¶
Exit on first error (fail-fast behavior). Parsing errors, filter errors, or exec errors will immediately abort processing.
--no-strict¶
Disable strict mode explicitly (resilient mode is default).
Verbosity¶
-v, --verbose¶
Show detailed error information. Use multiple times for more verbosity: -v, -vv, -vvv.
Quiet Mode¶
-q, --quiet¶
Graduated quiet mode with explicit levels:
| Level | Effect | 
|---|---|
| -q | Suppress kelora diagnostics (errors, stats, context markers) | 
| -qq | Additionally suppress event output (same as -F none) | 
| -qqq | Additionally suppress script side effects ( print(),eprint()) | 
kelora -qq --exec 'track_count("errors")' app.log     # Only metrics
kelora -qqq app.log; echo "Exit: $?"                  # Exit code only
Filtering Options¶
Level Filtering¶
-l, --levels <LEVELS>¶
Include only events with specified log levels (comma-separated, case-insensitive).
-L, --exclude-levels <LEVELS>¶
Exclude events with specified log levels (comma-separated, case-insensitive).
Field Selection¶
-k, --keys <FIELDS>¶
Output only specified top-level fields (comma-separated list).
-K, --exclude-keys <FIELDS>¶
Exclude specified fields from output (comma-separated list).
Time Range Filtering¶
--since <TIME>¶
Include events from this time onward. Accepts journalctl-style timestamps.
Formats:
- Absolute: 2024-01-15T12:00:00Z,2024-01-15 12:00
- Relative: 1h,-30m,yesterday
kelora -j --since '1 hour ago' app.log
kelora -j --since yesterday app.log
kelora -j --since 2024-01-15T10:00:00Z app.log
--until <TIME>¶
Include events until this time. Accepts journalctl-style timestamps.
Formats:
- Absolute: 2024-01-15T12:00:00Z,2024-01-15 12:00
- Relative: 1h,+30m,tomorrow
kelora -j --until '30 minutes ago' app.log
kelora -j --until tomorrow app.log
kelora -j --until 2024-01-15T18:00:00Z app.log
Output Limiting¶
-n, --take <N>¶
Limit output to the first N events (after filtering).
Context Lines¶
-B, --before-context <N>¶
Show N lines before each match (requires filtering with --filter or --levels).
-A, --after-context <N>¶
Show N lines after each match (requires filtering).
-C, --context <N>¶
Show N lines before and after each match (requires filtering).
Output Options¶
Output Format¶
-F, --output-format <FORMAT>¶
Output format. Default: default
Values:
- default- Key-value format with colors
- json- JSON lines (one object per line)
- logfmt- Key-value pairs (logfmt format)
- inspect- Debug format with type information
- levelmap- Grouped by log level
- csv- CSV with header
- tsv- Tab-separated values with header
- csvnh- CSV without header
- tsvnh- TSV without header
- none- No event output (only metrics/stats)
-J¶
Shortcut for -F json.
Output Destination¶
-o, --output-file <FILE>¶
Write formatted events to file instead of stdout.
Core Fields¶
-c, --core¶
Output only core fields (timestamp, level, message).
Default Format Options¶
These options only affect the default formatter (-F default).
Brief Mode¶
-b, --brief¶
Output only field values (omit field names).
Nested Structures¶
--expand-nested¶
Expand nested structures (maps/arrays) with indentation.
Word Wrapping¶
--wrap¶
Enable word-wrapping (default: on).
--no-wrap¶
Disable word-wrapping (overrides --wrap).
Timestamp Display¶
-z, --show-ts-local¶
Display timestamps as local RFC3339 (ISO 8601 compatible). Display-only - only affects default formatter output.
-Z, --show-ts-utc¶
Display timestamps as UTC RFC3339 (ISO 8601 compatible). Display-only - only affects default formatter output.
Display Options¶
Colors¶
--force-color¶
Force colored output (even when piping to file).
--no-color¶
Disable colored output.
Gap Markers¶
--mark-gaps <DURATION>¶
Insert centered marker when time delta between events exceeds duration.
kelora -j --mark-gaps 30s app.log    # Mark 30+ second gaps
kelora -j --mark-gaps 5m app.log     # Mark 5+ minute gaps
Emoji¶
--no-emoji¶
Disable emoji prefixes in output.
Performance Options¶
Parallel Processing¶
--parallel¶
Enable parallel processing across multiple cores. Higher throughput, may reorder output.
--no-parallel¶
Disable parallel processing explicitly (sequential mode is default).
--threads <N>¶
Number of worker threads for parallel processing. Default: 0 (auto-detect cores).
--batch-size <N>¶
Batch size for parallel processing. Larger batches improve throughput but increase memory usage.
--batch-timeout <MS>¶
Flush partially full batches after idle period (milliseconds). Lower values reduce latency; higher values improve throughput.
Default: 200ms
--unordered¶
Disable ordered output for maximum parallel performance.
Metrics and Statistics¶
Statistics¶
-s, --stats¶
Show processing statistics at end (default: off).
--no-stats¶
Disable processing statistics explicitly (default: off).
-S, --stats-only¶
Print processing statistics only (implies -F none).
Tracked Metrics¶
-m, --metrics¶
Show metrics recorded via track_*() functions in Rhai scripts.
--no-metrics¶
Disable tracked metrics explicitly (default: off).
--metrics-file <FILE>¶
Persist metrics map to disk as JSON.
Configuration Options¶
Configuration File¶
Kelora uses a configuration file for defaults and aliases. See Configuration System for details.
-a, --alias <ALIAS>¶
Use alias from configuration file.
--config-file <FILE>¶
Specify custom configuration file path.
--show-config¶
Show current configuration with precedence information and exit.
--edit-config¶
Edit configuration file in default editor and exit.
--ignore-config¶
Ignore configuration file (use built-in defaults only).
--save-alias <NAME>¶
Save current command as alias to configuration file.
kelora -j --levels error --keys timestamp,message --save-alias errors
# Later use: kelora -a errors app.log
Exit Codes¶
Kelora uses standard Unix exit codes to indicate success or failure:
| Code | Meaning | 
|---|---|
| 0 | Success - no errors occurred | 
| 1 | Processing errors (parse/filter/exec errors) | 
| 2 | Usage errors (invalid flags, file not found, config errors) | 
| 130 | Interrupted (Ctrl+C / SIGINT) | 
| 141 | Broken pipe (SIGPIPE - normal in pipelines) | 
| 143 | Terminated (SIGTERM) | 
For detailed information on exit codes, error handling modes, scripting patterns, and troubleshooting, see the Exit Codes Reference.
Environment Variables¶
Configuration¶
- TZ- Default timezone for naive timestamps (overridden by- --input-tz)
Rhai Scripts¶
Access environment variables in scripts using get_env():
Common Option Combinations¶
Error Analysis¶
# Find errors with context
kelora -j --levels error --context 2 app.log
# Count errors by service
kelora -j --levels error --exec 'track_count(e.service)' --metrics app.log
Performance Analysis¶
# Find slow requests
kelora -f combined --filter 'e.request_time.to_float() > 1.0' nginx.log
# Track response time percentiles
kelora -f combined \
    --exec 'track_bucket("latency", e.request_time.to_float() * 1000)' \
    --metrics nginx.log
Data Export¶
# Export to JSON
kelora -j -F json -o output.json app.log
# Export to CSV
kelora -j -F csv --keys timestamp,level,service,message -o report.csv app.log
Real-Time Monitoring¶
High-Performance Batch Processing¶
# Parallel processing with optimal batch size
kelora -j --parallel --batch-size 5000 --unordered large.log
# Compressed archives
kelora -j --parallel logs/*.log.gz
See Also¶
- Quickstart Guide - Get started in 5 minutes
- Function Reference - All 40+ built-in Rhai functions
- Pipeline Model - How processing stages work
- Configuration System - Configuration files and aliases