0
0
Bash-scriptingHow-ToBeginner · 3 min read

How to Append to File in Bash: Simple Syntax and Examples

In bash, you can append text to a file using the >> operator. For example, echo "text" >> filename adds "text" to the end of the file without overwriting its content.
📐

Syntax

The basic syntax to append text to a file in bash is:

  • command >> filename: Appends the output of command to the end of filename.
  • echo "text" >> filename: Appends the string "text" to the file.

The >> operator means append, unlike > which overwrites the file.

bash
echo "your text here" >> filename
💻

Example

This example shows how to append a line of text to a file named log.txt. If the file doesn't exist, it will be created.

bash
echo "New entry at $(date)" >> log.txt
cat log.txt
Output
New entry at Sat Jun 15 12:00:00 UTC 2024
⚠️

Common Pitfalls

Common mistakes when appending to files include:

  • Using > instead of >>, which overwrites the file instead of appending.
  • Not having write permission on the file or directory, causing errors.
  • Forgetting to quote text with spaces or special characters, leading to unexpected results.
bash
echo "This will overwrite" > file.txt
# Correct way to append:
echo "This will append" >> file.txt
📊

Quick Reference

OperatorDescriptionExample
>Overwrite file with outputecho "Hello" > file.txt
>>Append output to fileecho "Hello" >> file.txt

Key Takeaways

Use >> to append text to a file without overwriting it.
Quote text with spaces or special characters to avoid errors.
Ensure you have write permission on the file or directory.
Using > will overwrite the file, so double-check your operator.
If the file doesn't exist, >> will create it automatically.