我有this个小型bash脚本(sendmail.sh)来发送使用mandril的电子邮件,这些邮件在使用时会超级./sendmail.sh "my@email.com" "Email Subject" "Email body"
。感谢black @ LET但是我希望这个脚本从echo命令中获取其电子邮件正文,就像linux mail命令一样。 echo "email body" | mail -s "email subject" email@any.com
当我使用下面的脚本使用此命令echo "email body" |./sendmail.sh "my@email.com" "Email Subject"
时,它会输出else块中指定的错误(因为只提供了2个参数但需要3个参数)
/sendmail.sh requires 3 arguments - to address, subject, content
Example: ././sendmail.sh "to-address@mail-address.com" "test" "hello this is a test message"
很惊讶地看到为什么echo
命令输出不被视为脚本中$ 3参数的输入。
#!/bin/bash
#created by black @ LET
#MIT license, please give credit if you use this for your own projects
#depends on curl
key="" #your maildrill API key
from_email="" #who is sending the email
reply_to="$from_email" #reply email address
from_name="curl sender" #from name
if [ $# -eq 3 ]; then
msg='{ "async": false, "key": "'$key'", "message": { "from_email": "'$from_email'", "from_name": "'$from_name'", "headers": { "Reply-To": "'$reply_to'" }, "return_path_domain": null, "subject": "'$2'", "text": "'$3'", "to": [ { "email": "'$1'", "type": "to" } ] } }'
results=$(curl -A 'Mandrill-Curl/1.0' -d "$msg" 'https://mandrillapp.com/api/1.0/messages/send.json' -s 2>&1);
echo "$results" | grep "sent" -q;
if [ $? -ne 0 ]; then
echo "An error occured: $results";
exit 2;
fi
else
echo "$0 requires 3 arguments - to address, subject, content";
echo "Example: ./$0 \"to-address@mail-address.com\" \"test\" \"hello this is a test message\""
exit 1;
fi
答案 0 :(得分:2)
为什么这令人惊讶?您正在混合参数和标准输入,这些根本完全不同。
但是,要满足这一要求并不难。
case $# in
3) text="$3" ;;
2) text=$(cat) ;;
esac
: .... do stuff with "$text"
你的脚本有一些略显草率的缩进和引用,所以这里有一个有点重构的版本。
key="" #your maildrill API key
from_email="" #who is sending the email
from_name="curl sender" #from name
case $# in
3) text="$3";;
2) text="$(cat)";;
*) echo "$0: oops! Need 2 or 3 arguments -- aborting" >&2; exit 1 ;;
esac
msg='{ "async": false, "key": "'"$key"'", "message": { "from_email": "'"$from_email"'", "from_name": "'"$from_name"'", "return_path_domain": null, "subject": "'"$2"'", "text": "'"$text"'", "to": [ { "email": "'"$1"'", "type": "to" } ] } }'
result=$(curl -A 'Mandrill-Curl/1.0' -d "$msg" 'https://mandrillapp.com/api/1.0/messages/send.json' -s 2>&1)
case $results in
*"sent"*) exit 0;;
*) echo "$0: error: $results" >&2; exit 2;;
esac
特别注意用户提供的字符串绝对必须在双引号内。
(我拿出Reply-To:
,因为当它等于From:
标题时,它完全是多余的。)