Now, keep reading if you want a small lesson in advanced bash. I'll go line by line to explain what this is doing.#!/bin/bash INPUTS=( "${@:-"-"}" ) for i in "${INPUTS[@]}"; do if [[ "$i" != "-" ]]; then exec 3< "$i" || exit 1 else exec 3<&0 fi while read -ru 3; do echo -E "$REPLY" done done
Line 1 is the shebang.#!/bin/bash INPUTS=( "${@:-"-"}" )
Line 2 assigns the array variable INPUTS either the arguments provided on the command line if they exist, or the single character "-". The way this happens is as follows: $@ is the variable to reference the positional parameters (the arguments to your program). If you have not heard of $*, read this. The way I reference the positional parameters is like ${@}. That's because the brackets allow me to add a "default value" to the variable. A default value is the value that the variable will seem to have if the variable is not set. The way to use a default value is with the :-, like so: ${@:-"hello"}. So if $@ is not set, it will seem to have the value "hello". You will then notice that is all enclosed in (). That makes an array out of the positional parameters (the first argument to the program becomes the first element in the array, the second argument becomes the second element, etc.).#!/bin/bash INPUTS=( "${@:-"-"}" ) for i in "${INPUTS[@]}"; do
Line 3 begins a for loop which will assign to i each value stored in the array INPUTS which was discussed earlier. The @ index used is the same for arrays as $@ is for the positional parameters.INPUTS=( "${@:-"-"}" ) for i in "${INPUTS[@]}"; do if [[ "$i" != "-" ]]; then
Maybe i'll explain more when i'm less lazy.