How to send mail in mvc

In an ASP.NET MVC application, you can send mail using the System.Net.Mail namespace. Here's a step-by-step guide:

Step 1: Install the necessary NuGet package

In your MVC project, right-click on the project in Visual Studio, select "Manage NuGet Packages", and search for "System.Net.Mail". Install the package.

Step 2: Create a mail message

Create a new instance of the MailMessage class and set its properties:

MailMessage mail = new MailMessage();
mail.From = new MailAddress("[email protected]");
mail.To.Add("[email protected]");
mail.Subject = "Test Email";
mail.Body = "This is a test email";

Step 3: Set the SMTP server settings

Create a new instance of the SmtpClient class and set its properties:

SmtpClient client = new SmtpClient();
client.Host = "your-smtp-server.com";
client.Port = 587; // or 25, depending on your SMTP server
client.EnableSsl = true; // if your SMTP server requires SSL
client.Credentials = new NetworkCredential("[email protected]", "your-password");

Step 4: Send the mail

Use the SendMailAsync method to send the mail:

await client.SendMailAsync(mail);

Example code

Here's the complete example code:

using System.Net.Mail;
using System.Threading.Tasks;

public class MailController : Controller
{
    public async Task SendMail()
    {
        MailMessage mail = new MailMessage();
        mail.From = new MailAddress("[email protected]");
        mail.To.Add("[email protected]");
        mail.Subject = "Test Email";
        mail.Body = "This is a test email";

        SmtpClient client = new SmtpClient();
        client.Host = "your-smtp-server.com";
        client.Port = 587;
        client.EnableSsl = true;
        client.Credentials = new NetworkCredential("[email protected]", "your-password");

        await client.SendMailAsync(mail);
    }
}

Note: Make sure to replace the placeholders ([email protected], [email protected], your-smtp-server.com, and your-password) with your actual email address, recipient's email address, SMTP server, and password.

Additional tips: