在邮件工具包中回复邮件

本文关键字:回复 工具包 | 更新日期: 2023-09-27 18:32:29

我正在为我的项目使用 Mailkit 库 (Imap(。

我可以轻松地通过SmtpClient发送新消息。

目前,我正在挖掘如何回复特定邮件。 是否可以向该回复邮件添加更多收件人?

@jstedfast感谢您的精彩:)

在邮件工具包中回复邮件

回复消息相当简单。在大多数情况下,您只需创建回复消息,就像创建任何其他消息一样。只有几个细微的区别:

    在回复
  1. 消息中,如果要回复的邮件中尚不存在前缀,则需要在 Subject 标头前面加上 "Re: "(换句话说,如果您要回复Subject"Re: party tomorrow night!" 的邮件,则不会在它前面加上另一个"Re: "(。
  2. 您需要将回复邮件的In-Reply-To标头设置为原始邮件中Message-Id标头的值。
  3. 您需要将原始邮件的References标头复制到回复邮件的References标头中,然后附加原始邮件的Message-Id标头。
  4. 您可能希望在回复中"引用"原始邮件的文本。

如果此逻辑在代码中表示,它可能如下所示:

public static MimeMessage Reply (MimeMessage message, bool replyToAll)
{
    var reply = new MimeMessage ();
    // reply to the sender of the message
    if (message.ReplyTo.Count > 0) {
        reply.To.AddRange (message.ReplyTo);
    } else if (message.From.Count > 0) {
        reply.To.AddRange (message.From);
    } else if (message.Sender != null) {
        reply.To.Add (message.Sender);
    }
    if (replyToAll) {
        // include all of the other original recipients - TODO: remove ourselves from these lists
        reply.To.AddRange (message.To);
        reply.Cc.AddRange (message.Cc);
    }
    // set the reply subject
    if (!message.Subject.StartsWith ("Re:", StringComparison.OrdinalIgnoreCase))
        reply.Subject = "Re:" + message.Subject;
    else
        reply.Subject = message.Subject;
    // construct the In-Reply-To and References headers
    if (!string.IsNullOrEmpty (message.MessageId)) {
        reply.InReplyTo = message.MessageId;
        foreach (var id in message.References)
            reply.References.Add (id);
        reply.References.Add (message.MessageId);
    }
    // quote the original message text
    using (var quoted = new StringWriter ()) {
        var sender = message.Sender ?? message.From.Mailboxes.FirstOrDefault ();
        quoted.WriteLine ("On {0}, {1} wrote:", message.Date.ToString ("f"), !string.IsNullOrEmpty (sender.Name) ? sender.Name : sender.Address);
        using (var reader = new StringReader (message.TextBody)) {
            string line;
            while ((line = reader.ReadLine ()) != null) {
                quoted.Write ("> ");
                quoted.WriteLine (line);
            }
        }
        reply.Body = new TextPart ("plain") {
            Text = quoted.ToString ()
        };
    }
    return reply;
}

注意:此代码假定该消息。文本正文不为空。尽管可能性很小,但可能会发生这种情况(这意味着消息不包含text/plain正文(。