ebcd6fcea1
A little coding hygiene cannot hurt. Add a simple awk script to check all source files for bad white space habits: - trailing white space - trailing new lines at the end of files - missing new line at the end of files - spaces followed by tabs The script outputs color when the terminal supports it. It exits with a non-zero code when there was at least one white space issue found. Call the script in the lint step. Example output of the awk script: config/default_styleset:1:# <-- trailing whitespace config/default_styleset:3:# <-- trailing whitespace doc/aerc.1.scd:78: Executes an arbitrary command in the background. Aerc will set the <-- trailing whitespace doc/aerc.1.scd:234: <-- trailing whitespace doc/aerc.1.scd:237: <-- trailing whitespace worker/types/thread_test.go:74: // return ErrSkipThread<-- space(s) followed by tab(s) worker/lib/testdata/message/invalid/hexa: trailing new line(s) Fix issues reported by the script. NB: The ENDFILE match is a GNU extension. It will be ignored on BSD-awk and trailing new lines will not be detected. The lint make target is only invoked on alpine linux which has GNU awk anyway. NB: Empty cells in scdoc tables require trailing white space... Avoid this by setting content in these cells. I don't really see a use for empty cells. Signed-off-by: Robin Jarry <robin@jarry.cc> Tested-by: Moritz Poldrack <moritz@poldrack.dev>
51 lines
1.1 KiB
Awk
Executable file
51 lines
1.1 KiB
Awk
Executable file
#!/usr/bin/awk -f
|
|
|
|
BEGIN {
|
|
isatty = system("test -t 1") == "0"
|
|
retcode = 0
|
|
}
|
|
|
|
function color(code, s) {
|
|
if (isatty) {
|
|
return "\033[" code "m" s "\033[0m"
|
|
}
|
|
return s
|
|
}
|
|
function red(s) { return color("31", s) }
|
|
function green(s) { return color("32", s) }
|
|
function magenta(s) { return color("35", s) }
|
|
function cyan(s) { return color("36", s) }
|
|
function bg_red(s) { return color("41", s) }
|
|
function hl_ws(s, pattern) {
|
|
gsub(pattern, bg_red("&"), s)
|
|
# convert tab characters to 8 spaces to allow coloring
|
|
gsub(/\t/, " ", s)
|
|
return s
|
|
}
|
|
|
|
/ +\t+/ {
|
|
retcode = 1
|
|
print magenta(FILENAME) cyan(":") green(FNR) cyan(":") \
|
|
hl_ws($0, " +\\t+") red("<-- space(s) followed by tab(s)")
|
|
}
|
|
|
|
/[ \t]+$/ {
|
|
retcode = 1
|
|
print magenta(FILENAME) cyan(":") green(FNR) cyan(":") \
|
|
hl_ws($0, "[ \\t]+$") red("<-- trailing whitespace")
|
|
}
|
|
|
|
ENDFILE {
|
|
# will only match on GNU awk, ignored on non-GNU versions
|
|
if ($0 ~ /^[ \t]*$/) {
|
|
retcode = 1
|
|
print magenta(FILENAME) cyan(": ") red("trailing new line(s)")
|
|
} else if (RT != "\n") {
|
|
retcode = 1
|
|
print magenta(FILENAME) cyan(": ") red("no new line at end of file")
|
|
}
|
|
}
|
|
|
|
END {
|
|
exit retcode
|
|
}
|