在运行时生成HTML文件并作为电子邮件附件发送

时间:2012-02-07 13:12:39

标签: c# asp.net webforms email-attachments

我有一个项目要求,我们需要将HTML格式的日志表附加到发送给用户的电子邮件中。 我不希望日志表成为正文的一部分。我宁愿不使用HTMLTextWriter或StringBuilder,因为日志表非常复杂。

是否有其他方法我没有提及或者是一种可以让这更容易的工具?

注意:我使用过MailDefinition类并创建了一个模板,但是如果可能的话,我还没有找到一种方法可以将它作为附件。

2 个答案:

答案 0 :(得分:3)

由于您使用的是WebForms,我建议使用rendering your log sheet in a Control as a string,然后attaching that to a MailMessage

渲染部分看起来有点像这样:

public static string GetRenderedHtml(this Control control)
{
    StringBuilder sbHtml = new StringBuilder();
    using (StringWriter stringWriter = new StringWriter(sbHtml))
    using (HtmlTextWriter textWriter = new HtmlTextWriter(stringWriter))
    {
        control.RenderControl(textWriter);
    }
    return sbHtml.ToString();
}

如果您有可编辑的控件(TextBoxDropDownList等),则在调用GetRenderedHtml()之前,您需要将它们替换为标签或文字。有关完整示例,请参阅this blog post

这是MSDN example for attachments

// Specify the file to be attached and sent.
// This example assumes that a file named Data.xls exists in the
// current working directory.
string file = "data.xls";
// Create a message and set up the recipients.
MailMessage message = new MailMessage(
   "jane@contoso.com",
   "ben@contoso.com",
   "Quarterly data report.",
   "See the attached spreadsheet.");

// Create  the file attachment for this e-mail message.
Attachment data = new Attachment(file, MediaTypeNames.Application.Octet);
// Add time stamp information for the file.
ContentDisposition disposition = data.ContentDisposition;
disposition.CreationDate = System.IO.File.GetCreationTime(file);
disposition.ModificationDate = System.IO.File.GetLastWriteTime(file);
disposition.ReadDate = System.IO.File.GetLastAccessTime(file);
// Add the file attachment to this e-mail message.
message.Attachments.Add(data);

答案 1 :(得分:2)