Redirection and pipes
Bash redirection and pipes are powerful features that allow you to control input and output streams, and chain commands together.
Redirection
Redirection allows you to control where input comes from and where output goes.
Output Redirection
- >: Redirect stdout to a file (overwrite)
- >>: Redirect stdout to a file (append)
- 2>: Redirect stderr to a file
- &>: Redirect both stdout and stderr to a file
# Redirect stdout to a file
echo "Hello" > output.txt
# Append stdout to a file
echo "World" >> output.txt
# Redirect stderr to a file
ls non_existent_file 2> error.log
# Redirect both stdout and stderr to different files
command > output.txt 2> error.log
# Redirect both stdout and stderr to the same file
command &> output_and_error.logInput Redirection
- <: Redirect input from a file
# Use file content as input
sort < unsorted_list.txt
WarningWarning
Be careful! Redirects can overwrite the target file.
echo "Hello, Bash!" > output.txtIf output.txt already existed, it would be permanently overwritten by the above command.
Pipes
Pipes (|) allow you to send the output of one command as input to another command.
Syntax:
command1 | command2 | command3Examples:
# Count number of files in a directory
ls | wc -l
# Find the 5 largest files in a directory
du -h | sort -rh | head -5Combining Redirection and Pipes
You can combine redirection and pipes for more complex operations:
# Search for a pattern, sort results, remove duplicates and save to a file
grep "error" log.txt | sort | uniq > unique_errors.txt