下面将介绍使用.Net中System.Net.Mail类(http://msdn.microsoft.com/zh-cn/library/system.net.mail.smtpclient(VS.80).aspx)实现一个发送邮件的程序,在此将其做成一个组件(方便以后其他project使用)。在此需要说明一点;如果您使用的是第三方提供的邮箱,请确认您的邮箱已经开通SMTP服务。
尤其在使用网易的邮箱时请确认您的帐号是否是在06年以前注册的:以下是网易官方解释(http://help.163.com/09/0219/09/52GO7AKR007536NI.html):
目前免费邮箱新注册的用户不支持直接开通smtp、pop3的服务,之前已开通客户端功能的老用户不受影响。如果需要使用该功能,您可开通增值服务邮箱伴侣或随身邮 ,即可同时获取poo功能。或者您可以选择 VIP邮箱。另外我们也会陆续通过活动、“邮箱会员”等方式向有需要的用户提供该项服务,敬请关注。感谢您使用我们的产品!
如果是在找不到SMTP服务器,就是用Exchange邮箱提供的SMTP服务器(经常使用OutLook的朋友很熟悉),在没招的话在本地计算机上安装SMTP服务。
Code
1using System;
2using System.Collections.Specialized;
3using System.Text;
4using System.Net;
5using System.Net.Mail;
6
7namespace MailHelper
8{
9 public class MailOper
10 {
11 Field#region Field
12 private string _host;//SMTP服务器
13 private int _port;//SMTP端口号,通常为25
14 private string _account;//登录服务器的帐号
15 private string _pwd;//登录服务器密码
16 public static SmtpClient sc;//详见 http://msdn.microsoft.com/zh-cn/library/system.net.mail.smtpclient(VS.80).aspx
17 #endregion
18
19 Constraction#region Constraction
20 /**//// <summary>
21 /// Build MailOper By Config
22 /// </summary>
23 /// <param name="apps"></param>
24 public MailOper(NameValueCollection apps)
25 {
26 _host = apps["SmtpServer"];
27 _port = int.TryParse(apps["SmtpPort"], out _port) ? _port : 25;
28 _account = apps["SmtpUserName"];
29 _pwd = apps["SmtpUserPwd"];
30 InitOper();
31 }
32
33 public MailOper(string host, int port, string account, string pwd)
34 {
35 _host = host;
36 _port = port;
37 _account = account;
38 _pwd = pwd;
39 InitOper();
40 }
41 #endregion
42
43 Methord#region Methord
44 private void InitOper()
45 {
46 if (null == sc)
47 {
48 sc = new SmtpClient(_host, _port);
49 sc.Credentials = new NetworkCredential(_account, _pwd);
50 sc.DeliveryMethod = SmtpDeliveryMethod.Network;
51 }
52 }
53 /**//// <summary>
54 /// 发送Mail
55 /// </summary>
56 /// <param name="mailTo"></param>
57 /// <param name="title"></param>
58 /// <param name="body"></param>
59 /// <param name="isHTML"></param>
60 public void SendMail(string mailTo, string mailfrom, string title, string body, bool isHTML)
61 {
62 MailMessage msg = new MailMessage(mailfrom, mailTo, title, body);
63 msg.BodyEncoding = Encoding.UTF8;
64 msg.IsBodyHtml = isHTML;
65 sc.Send(msg);
66 }
67 #endregion
68 }
69}
70
以下是测试程序(注意引用以上Dll)
Code
1using System;
2using System.Collections.Generic;
3using System.Text;
4using MailHelper;
5
6namespace ConsoleApplication2
7{
8 class Program
9 {
10 static void Main(string[] args)
11 {
12 MailOper mob = new MailOper("mail.xx.com", 25, "xx@xx.com.cn", "xx-");//注意修改成您的SMTP
13 mob.SendMail("xx@hotmail.com", "xx@xx.com.cn", "This is a test mail from MailOB!", "content", false);
14 Console.Read();
15 }
16 }
17}
18