2018-01-12 10:08:02 +00:00
|
|
|
# sum integers from a file or stdin, one integer per line:
|
|
|
|
printf '1\n2\n3\n' | awk '{ sum += $1} END {print sum}'
|
|
|
|
|
|
|
|
# using specific character as separator to sum integers from a file or stdin
|
|
|
|
printf '1:2:3' | awk -F ":" '{print $1+$2+$3}'
|
|
|
|
|
|
|
|
# print a multiplication table
|
|
|
|
seq 9 | sed 'H;g' | awk -v RS='' '{for(i=1;i<=NF;i++)printf("%dx%d=%d%s", i, NR, i*NR, i==NR?"\n":"\t")}'
|
|
|
|
|
|
|
|
# Specify output separator character
|
|
|
|
printf '1 2 3' | awk 'BEGIN {OFS=":"}; {print $1,$2,$3}'
|
|
|
|
|
|
|
|
# search for a paragraph containing string
|
|
|
|
awk -v RS='' '/42B/' file
|
2019-03-15 10:03:07 +00:00
|
|
|
|
|
|
|
# display only first column from multi-column text
|
|
|
|
echo "first-column second-column third-column" | awk '{print $1}'
|
2019-11-06 00:11:43 +00:00
|
|
|
|
|
|
|
# Use awk solo; without the need for something via STDIN.
|
|
|
|
awk BEGIN'{printf("Example text.\n")}'
|
2019-11-06 00:18:59 +00:00
|
|
|
|
|
|
|
# Accessing environment variables from within awk.
|
|
|
|
awk 'BEGIN{print ENVIRON["LS_COLORS"]}'
|
2019-11-06 00:28:10 +00:00
|
|
|
|
|
|
|
# One method to count the number of lines; in this case, read from STDIN.
|
|
|
|
free | awk '{i++} END{print i}'
|
2019-11-22 02:03:22 +00:00
|
|
|
|
|
|
|
# Output a (unique) list of available sections under which to create a DEB package.
|
|
|
|
awk '!A[$1]++{print($1)}' <<< "$(dpkg-query --show -f='${Section}\n')"
|
2019-11-26 23:49:20 +00:00
|
|
|
|
|
|
|
# Using process substitution (`<()` is NOT command substitution), with AWK and its
|
|
|
|
# associative array variables, we can print just column 2 for lines whose first
|
|
|
|
# column is equal to what's between the double-quotes.
|
|
|
|
awk '{NR!=1&&A[$1]=$2} END{print(A["Mem:"])}' <(free -h)
|
|
|
|
# While below is an easier and simpler solution to the above, it's not at all the
|
|
|
|
# same, and in other cases, the above is definitely preferable; more accurate.
|
|
|
|
awk '/^Mem:/{print($2)}' <(free -h)
|
Fetch unique list of uppercase-only variables
Just wrote this because I'm wanting to convert numerous uppercase
variables in lots of shell programs to lowercase, except the initial
letter of a word. Manually, doing this would take forever.
First, however, I need to compile a list of variable names so I know
for what I want to search and replace, then omit certain ones typically
named in all uppercase, like `UID`, `USER`, `HOSTNAME`, etc, which I
will probably do by parsing `env` and various other special parameters
used by Bash.
Fun times.
2019-11-27 16:44:28 +00:00
|
|
|
|
|
|
|
# Output a unique-d list of uppercase-only, sigil-omitted variables used in [FILE].
|
|
|
|
awk '{for(F=0; F<NF; F++){if($F~/^\$[A-Z_]+$/){A[$F]++}}} END{for(I in A){X=substr(I, 2, length(I)); printf("%s\n", X)}}' [FILE]
|