Evite enviar mensagens com muitas entradas nos campos Para: ou Cc:

4

Freqüentemente, uso a funcionalidade de alias do mutt para enviar uma mensagem a grupos maiores de pessoas (legítimo, não spam!). Normalmente, coloco o alias no campo Bcc: , para cancelar os coletores de spam e por motivos de privacidade (nem todos os destinatários se conhecem).

Por acaso, às vezes, coloco o alias no campo To: ou Cc: , onde ele é expandido, revelando todos os endereços de todos os destinatários. Isso é muito ruim, já que uma vez enviada, a informação vaza e não há como voltar atrás.

  • Como posso fazer mutt recusar o envio de um email, se houver mais de uma entrada no To: ou 5 entradas no campo Cc: ?

  • Melhoria: como posso fazer mutt enviar o e-mail mesmo assim, se eu adicionar um cabeçalho definido pelo usuário, por exemplo, X-limit-cc: 50 ?

Configurar um serviço de lista de e-mails separado não é o que eu estou pedindo, isso seria uma solução separada para o problema.

    
por stefan 10.07.2014 / 13:12

2 respostas

3

AFAIK, o próprio Mutt não pode fazer tais verificações, mas há uma solução alternativa! A idéia é redefinir a variável $sendmail para usar um wrapper que verificará o email antes de enviá-lo. Por exemplo, no seu arquivo .muttrc :

set sendmail=$HOME/scripts/sendmail-mutt

Este script pode terminar com um erro (status de saída diferente de zero) ou terminar com sucesso com algo como:

exec /usr/sbin/sendmail -oem -oi "$@"

em um script de shell ou:

exec qw(/usr/sbin/sendmail -oem -oi), @ARGV;

em Perl.

    
por 10.07.2014 / 16:24
1
#!/bin/bash
set -u -e -C;
shopt -s nullglob;

# This script can be used as a 'sendmail' replacement in 'mutt'.  It
# performs several checks on the mail before sending ist, and it's
# easy to modify these checks, or to add more.  Currently, these are:
#
#     attachment — fail on non-multipart message if text contains
#         keywords referring to an attachment (English, German).
#
#     size — refuse to send excessively large mails.
#
#     fixme — refuse to send mail containing the word 'FIXME'.
#
#     longline — refuse to send mails wit long lines, unless paths
#         (URLs) containing two slashes, or quoted.
#
#     limit-to, limit-cc — limit number of recipients in the according
#         header.  Better use Bcc field.
#
# Each of the tests can be disabled by puttig its name in an
# 'X-checks' header field.  E.g., 'X-checks: longline limit-cc' allows
# to send mails with long lines to unlimited number of recipients in
# the Cc field.
#
# To use this script, install it where it can be found, and configure
# mutt accordingly.  I have stored this script as '~/.mutt/sendmail',
# and my '~/.mutt/muttrc' contains the line
#
#     set sendmail = "~/.mutt/sendmail"
#
# When sending a mail, it is stored as 'mutt-sendmail.*' in a
# temporary location, from where it is accessible for checks.  On
# success, the mail is sent, otherwise this script fails.  The
# temporary file is deleted.



# ---- Configuration of this script ----------------------------------

# Mail is sent using '${sendmail} "$@" <"${wholemail}"', see last line
# of the script.

sendmail=/usr/bin/msmtp;

# You may explicitly skip some tests by putting their name in a header
# field of your mail.  On checking, these names are printed to stderr.
# The name of the header is:

myhdr='X-checks';



# ---- The script ----------------------------------------------------

# print message to stderr, maybe fail
function err { echo "$@" >&2; exit 1; }
function warn { echo "$@" >&2; }

# store the mail in a temporary file
wholemail="$(mktemp -t mutt-sendmail.XXXXXXXXXX)" &&
    trap "rm -f '${wholemail}'" EXIT &&
    cat >| "${wholemail}" ||
    err 'cannot create temporary file';

# get the header, with indented lines joined
header="$(sed -rn ':a;/^$/q;$!N;s/\n\s+/ /;ta;P;D' "${wholemail}")";

# get values of one particular header, each occurence on one line
function getHeader { sed -rn "s/^${1}:\s+//p" <<< "$header"; }

# use this function to read body of message
function getBody { sed '1,/^$/d' "${wholemail}"; }

# get list of checks to be ignored for this particular mail
checks="$(getHeader "${myhdr}")";
function requested {
    if grep -q "${1}" <<< "${checks}"; then
        warn "${myhdr}: ${1} — skipping";
        return 1;
    else
        warn "no ${myhdr}: ${1}";
        return 0;
    fi;
}


# --- do all tests here ----------------------------------------------
#
# '$wholemail' contains the file name of the whole mail, as passed to
#   sendmail.
# 'getBody' writes the body of the mail to stdout.
# 'getHeader foo' writes one line for each value of a 'foo:' header.
# 'requested bar' fails if a '$myhdr' header contains 'bar'.

# make a keyword search on the whole email, if it is not multipart.
requested 'attachment' &&
getHeader "Content-Type" | grep -vq multipart &&
grep -v '^>' "$wholemail" | grep -Eni 'attach|anhang|hängt|unten' &&
err "no multipart message, but hints to attachment.";

# reject emails greater than $maxsize bytes
maxsize='32768';
requested 'size' &&
test "$(stat -c%s "${wholemail}")" -gt "${maxsize}" &&
err "bigger then ${maxsize} bytes.";

# reject emails containing FIXME
requested 'fixme' &&
getBody | grep -n FIXME &&
err "FIXME keyword found.";

# reject emails with long lines
maxline=78;
requested 'longline' &&
test "$(getBody | grep -Ev '^>|/.*/' | wc -L)" -gt "$maxline" &&
err "lines longer than $maxline chars found.";

# count number of recipients
requested 'limit-to' &&
test "$(getHeader "To" | grep -o ',' | wc -l)" -gt 2 &&
err 'Too many recipients in the To field.';

requested 'limit-cc' &&
test "$(getHeader "Cc" | grep -o ',' | wc -l)" -gt 5 &&
err 'Too many recipients in the Cc field.';


# --- now send the mail ----------------------------------------------
#err 'debugging mode: not sending';

${sendmail} "$@" <"${wholemail}";
    
por 13.09.2014 / 19:06

Tags