3

我在其中一台 linux 主机(bash 版本 3.2.25(1))上运行 bash 脚本很好,因为我已将脚本移动到另一台主机(bash 版本 4.2.25(1)),它会引发警告作为

line 36: warning: here-document at line 30 delimited by end-of-file (wanted `EOM') (wanted `EOM')

有问题的代码是:-(不确定 EOM 是如何工作的)

USAGE=$(cat <<EOM
Usage:${BASENAME} [-h] [-n] [-q]
-h, --help        This usage message
-n, --dry-run     
-q, --quiet       
-d, --Destination 
EOM)

}

我确保在 EOM 之前和之后没有空格、制表符或任何特殊符号,因为这是在 google 研究期间发现错误的原因。

bash (bash -x) 调试后的输出如下所示:-

+ source /test/test1/script.sh
./test.sh: line 36: warning: here-document at line 30 delimited by end-of-file      
(wanted `EOM')
++ cat
+ USAGE='Usage:test [-h] [-n] [-q]
-h, --help        This usage message
-n, --dry-run     
-q, --quiet       
-d, --Destination

这是采购一个script.sh,其中一个函数中使用了用法:(但是我想这不是错误的原因,但可能是我错了)-

show_usage()
{

declare -i rc=0
show_error "${@}"
rc=${?}
echo "${USAGE}"
exit ${rc}  
}  

请帮助并摆脱这个警告以及这个 EOM 是如何在这里工作的?

4

2 回答 2

9

使用 here-document 时,请确保分隔符是该行中唯一的字符串。在您的情况下,右括号被视为单词的一部分,因此找不到匹配的分隔符。您可以安全地将其移至下一行:

USAGE=$(cat <<EOM
Usage:${BASENAME} [-h] [-n] [-q]
-h, --help        This usage message
-n, --dry-run     
-q, --quiet       
-d, --Destination 
EOM
)
于 2013-08-07T12:55:32.227 回答
3

虽然这并不能真正回答您的问题,但您是否考虑过使用read而不是cat

read -d '' usage <<- EOF
Usage:${BASENAME} [-h] [-n] [-q]
-h, --help        This usage message
-n, --dry-run     
-q, --quiet       
-d, --Destination 
EOF

echo "$usage"

它将此处字符串的内容读入变量用法,然后您可以使用 echo 或 printf 将其输出。

优点是它read是内置的 bash ,因此比cat(这是一个外部命令)更快。

您也可以简单地在字符串中嵌入换行符:

usage="Usage:${BASENAME} [-h] [-n] [-q]
-h, --help     This usage message
...
"
于 2013-08-07T12:58:45.873 回答