bash-style-guide
Original:🇺🇸 English
Translated
Style, review, and refactoring standards for Bash shell scripting. Trigger when `.sh` files, files with `#!/usr/bin/env bash` or `#!/bin/bash`, or CI workflow blocks with `shell: bash` are created, modified, or reviewed and Bash-specific quality controls (quoting safety, error handling, portability, readability) must be enforced. Do not use for generic POSIX `sh`, PowerShell, or language-specific application style rules. In multi-language pull requests, run together with other applicable `*-style-guide` skills.
1installs
Added on
NPX Install
npx skill4agent add kentoshimizu/sw-agent-skills bash-style-guideTags
Translated version includes tags in frontmatterSKILL.md Content
View Translation Comparison →Bash Style Guide
Scope Boundaries
- Use this skill when the task matches the trigger condition described in .
description - Do not use this skill when the primary task falls outside this skill's domain.
Use this skill to write and review Bash scripts that are safe, debuggable, and operable in CI and production automation.
Trigger And Co-activation Reference
- If available, use for canonical co-activation rules.
references/trigger-matrix.md - If available, resolve style-guide activation from changed files with .
python3 scripts/resolve_style_guides.py <changed-path>... - If available, validate trigger matrix consistency with .
python3 scripts/validate_trigger_matrix_sync.py
Quality Gate Command Reference
- If available, use for CI check-only and local autofix mapping.
references/quality-gate-command-matrix.md
Quick Start Snippets
Script skeleton with strict mode and cleanup trap
bash
#!/usr/bin/env bash
set -euo pipefail
readonly SCRIPT_NAME="$(basename "$0")"
readonly TEMP_DIR="$(mktemp -d)"
cleanup() {
rm -rf -- "${TEMP_DIR}"
}
on_error() {
local line="$1"
local exit_code="$2"
echo "${SCRIPT_NAME}: failed at line ${line} (exit=${exit_code})" >&2
}
trap cleanup EXIT
trap 'on_error "$LINENO" "$?"' ERR
main() {
echo "working dir: ${TEMP_DIR}"
}
main "$@"Required environment variable check (fail fast)
bash
: "${API_TOKEN:?API_TOKEN is required}"
: "${API_BASE_URL:?API_BASE_URL is required}"Safe command assembly with arrays
bash
run_curl() {
local url="$1"
local -a args=(
--fail
--silent
--show-error
--header "Authorization: Bearer ${API_TOKEN}"
"${url}"
)
curl "${args[@]}"
}Bounded retry with explicit backoff constants
bash
readonly MAX_ATTEMPTS=5
readonly RETRY_DELAY_SECONDS=2
retry_command() {
local attempt=1
while (( attempt <= MAX_ATTEMPTS )); do
if "$@"; then
return 0
fi
if (( attempt == MAX_ATTEMPTS )); then
echo "command failed after ${MAX_ATTEMPTS} attempts" >&2
return 1
fi
sleep "${RETRY_DELAY_SECONDS}"
((attempt++))
done
}Safe line reading preserving whitespace
bash
while IFS= read -r line; do
printf 'line=%s\n' "${line}"
done < "${input_file}"Structure And Readability
- Use for executable scripts.
#!/usr/bin/env bash - For executable entrypoints, use strict mode: .
set -euo pipefail - Keep functions focused on one responsibility and use for orchestration.
main - Use uppercase constants () and lowercase locals (
MAX_RETRIES).retry_count - Use inside functions to avoid state leakage.
local - Add short intent comments only for non-obvious logic.
Data Handling And Quoting
- Quote expansions by default: ,
"${var}"."${array[@]}" - Use arrays for argument lists; avoid string-concatenated command assembly.
- Replace magic numbers with named constants including units ().
TIMEOUT_SECONDS - Avoid ; treat it as a security-sensitive last resort.
eval - Fail fast for required environment variables; do not add silent defaults for required config.
Error Handling And Control Flow
- Return explicit non-zero codes for expected failure modes.
- Use for cleanup and actionable error reporting.
trap - Handle failure paths intentionally () instead of masking.
if ! cmd; then ... fi - Avoid broad ; suppress only with explicit rationale.
|| true - Let failures surface when root cause should be fixed.
Security And Operational Safety
- Validate all external input before use.
- Use before positional paths in destructive commands (
--).rm -- "$target" - Prefer for temporary files/directories.
mktemp - Never print secrets or tokens in logs.
- Use least privilege and avoid unnecessary .
sudo
Performance And Scalability
- Avoid subshell spawning in tight loops when builtins suffice.
- Prefer single-pass text processing over repeated pipelines.
- Batch filesystem operations where practical.
- Use bounded retry loops with named backoff constants.
Testing And Verification
- Add tests for critical behavior and failure paths.
bats - Cover edge cases: empty input, whitespace paths, missing env vars, timeout, retry exhaustion.
- Document manual verification where automation is not feasible.
- Check idempotency for scripts that may run repeatedly.
Minimal bats
example
batsbash
#!/usr/bin/env bats
@test "fails when required env var is missing" {
run ./script.sh
[ "$status" -ne 0 ]
[[ "$output" == *"API_TOKEN is required"* ]]
}CI Required Quality Gates (check-only)
- Run with warnings treated as actionable.
shellcheck - Run (or equivalent check mode) and require zero diff.
shfmt -d - Run test suite (or repository-specific path).
bats test/ - Reject changes that hide failures or rely on implicit behavior.
Optional Autofix Commands (local)
- Run .
shfmt -w - Apply safe mechanical fixes suggested by , then rerun checks.
shellcheck