[h2title]方法一:使用echo命令[/h2title]
echo "Hello, World!
My name is heigaga." > readme.txt
这种方法其实就是把echo
的输出重定向到了文件。echo
会原样保留换行符,所以多行也是支持的。
[h2title]方法二:使用cat命令[/h2title]
cat > readme.txt << END_TEXT
Hello, World!
My name is heigaga.
END_TEXT
上面的END_TEXT是一个自定义的标识符,二者之间的文本将被认为是一个文件的内容, 这个文件作为cat > readme.txt的输入参数。 这是一种被称为here document的技术。
这种方法有一点优势就是在脚本里写的文本内容的格式与想要呈现在文本文件中的一模一样。上一种方法则要求内容的第一行必须在echo的同一行。
[h2title]区分单引号与双引号[/h2title]
Shell中双引号之间的内容会被进行变量展开和命令执行,如果想原样保留文本字符串,应该使用单引号(这种单双引号的区分在别的语言里也有,如PHP、Perl之类的脚本语言)。
例如:
echo "Your working directory can be read from the variable $PWD." >> readme.txt
cat > readme.txt << END_TEXT
Your working directory can be read from the variable $PWD.
END_TEXT
产生的readme.txt内容都是类似这样的:
Your working directory can be read from the variable /root.
但实际希望的内容是:
Your working directory can be read from the variable $PWD.
所以正确的脚本应该这么写:
echo 'Your working directory can be read from the variable $PWD.' >> readme.txt
cat > readme.txt << 'END_TEXT'
Your working directory can be read from the variable $PWD.
END_TEXT
把起始标识符用单引号包起来,就会使其中的文本被认为是在单引号之间。
正文完