4

使用 Visual Studio 从我的 ASP.NET 项目发送电子邮件非常快——只需一秒钟——但在同一台机器上的 IIS 7 中发布时,需要 50 秒或更长时间。有没有人遇到过这种速度降低?我已将 C# 代码和我的设置粘贴到 web.config 中。非常感谢你。

public static bool EnviarMail(String eOrigen, String eDestino, String asunto, String cueMensaje)
    {
        Boolean EstadoEnvio;
        MailMessage eMail = new MailMessage();
        eMail.From = new MailAddress(eOrigen);
        eMail.To.Add(new MailAddress(eDestino));
        eMail.Subject = asunto;
        eMail.IsBodyHtml = true;
        cueMensaje = cueMensaje.Replace("\r\n", "<BR>");
        eMail.Body = cueMensaje;
        eMail.Priority = MailPriority.Normal;

        SmtpClient clienteSMTP = new SmtpClient();
        try
        {   
            clienteSMTP.Send(eMail);
            EstadoEnvio = true;
        }
        catch 
        {
            EstadoEnvio = false;
        }
        return EstadoEnvio;            
    }

在我的 web.config 中:

    <mailSettings>
        <smtp from="iso@hmoore.com.ar">
            <network host="174.120.190.6" port="25" userName="iso@hmoore.com.ar" password="-----" defaultCredentials="true"/>
        </smtp>
    </mailSettings>
4

1 回答 1

1

在 ASP.NET 应用程序中发送电子邮件时,有时您不希望用户体验因为等待电子邮件发送而变慢。下面的代码示例是如何异步发送 System.Net.Mail.MailMessage 以便当前线程可以在辅助线程发送电子邮件时继续。

public static void SendEmail(System.Net.Mail.MailMessage m)
{
    SendEmail(m, true);
}



public static void SendEmail(System.Net.Mail.MailMessage m, Boolean Async)
{
    System.Net.Mail.SmtpClient smtpClient = null;
    smtpClient = new System.Net.Mail.SmtpClient("localhost");    
    if (Async)
    {
        SendEmailDelegate sd = new SendEmailDelegate(smtpClient.Send);
        AsyncCallback cb = new AsyncCallback(SendEmailResponse);
        sd.BeginInvoke(m, cb, sd);
    }
    else
    {
        smtpClient.Send(m);
    }
}

private delegate void SendEmailDelegate(System.Net.Mail.MailMessage m);
private static void SendEmailResponse(IAsyncResult ar)
{
    SendEmailDelegate sd = (SendEmailDelegate)(ar.AsyncState);

    sd.EndInvoke(ar);
}

要使用它,只需SendEmail()使用对象调用方法System.Net.Mail.MailMessage

于 2013-01-18T12:46:26.427 回答