我想写一些预定义的文本与以下文件:

text="this is line one\n
this is line two\n
this is line three"

echo -e $text > filename

我期待的是这样的:

this is line one
this is line two
this is line three

但我明白了:

this is line one
 this is line two
 this is line three

我确信在每个\n之后没有空间,但额外的空间是如何出来的?


当前回答

如果你把它放在下面,它就会工作:

AA='first line
\nsecond line 
\nthird line'
echo $AA
output:
first line
second line
third line

其他回答

下面是我喜欢的方式来分配一个多行字符串的变量(我认为它看起来不错)。

read -r -d '' my_variable << \
_______________________________________________________________________________

String1
String2
String3
...
StringN
_______________________________________________________________________________

在这两种情况下,下划线的数量是相同的(这里是80)。

如果你试图将字符串转换为变量,另一种简单的方法是这样的:

USAGE=$(cat <<-END
    This is line one.
    This is line two.
    This is line three.
END

)

如果你用制表符缩进字符串(例如,'\t'),缩进将被删除。如果使用空格缩进,则缩进将保留。

注意:最后一个右括号在另一行,这很重要。END文本必须单独出现在一行中。

我听到这个答案,但也想把它输送到另一个命令。给出的答案是正确的,但如果有人想要管道它,您需要在像这样的多行字符串之前管道它

echo | tee /tmp/pipetest << EndOfMessage
This is line 1.
This is line 2.
Line 3.
EndOfMessage

这将允许您拥有多行字符串,但也可以将其放在后续命令的stdin中。

这里只提一个简单的单行连接,因为它有时很有用。

# for bash

v=" guga "$'\n'"   puga "

# Just for an example.
v2="bar "$'\n'"   foo "$'\n'"$v"

# Let's simplify the previous version of $v2.
n=$'\n'
v3="bar ${n}   foo ${n}$v"

echo "$v3" 

你会得到这样的结果

bar 
   foo 
 guga 
   puga 

所有前导和结尾空格将被保留

echo "$v3" > filename

有很多方法可以做到这一点。对我来说,将缩进的字符串输送到sed中效果很好。

printf_strip_indent() {
   printf "%s" "$1" | sed "s/^\s*//g" 
}

printf_strip_indent "this is line one
this is line two
this is line three" > "file.txt"

这个答案是基于Mateusz Piotrowski的回答,但做了一些改进。