bash-style-guide
0
总安装量
1
周安装量
安装命令
npx skills add https://github.com/kentoshimizu/sw-agent-skills --skill bash-style-guide
Agent 安装分布
amp
1
cline
1
opencode
1
cursor
1
continue
1
kimi-cli
1
Skill 文档
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
references/trigger-matrix.mdfor canonical co-activation rules. - 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
references/quality-gate-command-matrix.mdfor CI check-only and local autofix mapping.
Quick Start Snippets
Script skeleton with strict mode and cleanup trap
#!/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)
: "${API_TOKEN:?API_TOKEN is required}"
: "${API_BASE_URL:?API_BASE_URL is required}"
Safe command assembly with arrays
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
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
while IFS= read -r line; do
printf 'line=%s\n' "${line}"
done < "${input_file}"
Structure And Readability
- Use
#!/usr/bin/env bashfor executable scripts. - For executable entrypoints, use strict mode:
set -euo pipefail. - Keep functions focused on one responsibility and use
mainfor orchestration. - Use uppercase constants (
MAX_RETRIES) and lowercase locals (retry_count). - Use
localinside functions to avoid state leakage. - 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
eval; treat it as a security-sensitive last resort. - 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
trapfor cleanup and actionable error reporting. - Handle failure paths intentionally (
if ! cmd; then ... fi) instead of masking. - Avoid broad
|| true; suppress only with explicit rationale. - 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
mktempfor temporary files/directories. - 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
batstests for critical behavior and failure paths. - 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
#!/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
shellcheckwith warnings treated as actionable. - Run
shfmt -d(or equivalent check mode) and require zero diff. - Run test suite (
bats test/or repository-specific path). - Reject changes that hide failures or rely on implicit behavior.
Optional Autofix Commands (local)
- Run
shfmt -w. - Apply safe mechanical fixes suggested by
shellcheck, then rerun checks.