婷婷综合国产,91蜜桃婷婷狠狠久久综合9色 ,九九九九九精品,国产综合av

主頁 > 知識庫 > 深入Lumisoft.NET組件與.NET API實現郵件發送功能的對比分析

深入Lumisoft.NET組件與.NET API實現郵件發送功能的對比分析

熱門標簽:電銷語音自動機器人 鄭州400電話辦理 聯通 五常地圖標注 智能電話營銷外呼系統 凱立德導航官網地圖標注 戶外地圖標注軟件手機哪個好用 萊蕪外呼電銷機器人價格 長春呼叫中心外呼系統哪家好 地圖標注和認領

我在另一篇文章《深入Lumisoft.NET實現郵件發送功能的方法詳解》有大致對這個Lumisoft.NET組件的使用進行了介紹,當然Lumisoft.NET組件除了提供郵件發送功能外,還提供了郵件接收等功能的處理(包括基于POP3協議和IMAP協議),而.NET則除了提供SMTP協議功能外,則沒有提供POP3協議處理的相關類庫,因此收取郵件這需要自己進行封裝(需要也可以參考codeproject.com上的相關文章)。

1、.NET的郵件發送功能實現
.NET本身封裝了一個SmtpClient類以及相關的郵件對象類,這樣利用這些類庫,也可以方便實現郵件的發送功能的了。

如添加發送人地址,抄送地址,以及暗送地址(多個地址用逗號分開)代碼如下。

復制代碼 代碼如下:

string toEmails = mailInfo.ToEmail;

            string bcc = "";
            mailInfo.RecipientBCC.ForEach(obj => bcc += string.Format("{0},", obj));
            bcc = bcc.Trim(',');

            string cc = "";
            mailInfo.RecipientCC.ForEach(obj => cc += string.Format("{0},", obj));
            cc = cc.Trim(',');

            MailMessage mail = new MailMessage(settingInfo.MailFrom, toEmails);
            if (!string.IsNullOrEmpty(bcc))
            {
                mail.Bcc.Add(bcc);
            }
            if (!string.IsNullOrEmpty(cc))
            {
                mail.CC.Add(cc);
            }


.NET的附件和嵌入式資源由對象Attachment和LinkedResource進行管理,他們的利用代碼如下所示:
復制代碼 代碼如下:

//附件
            foreach (string fileName in mailInfo.Attachments)
            {
                mail.Attachments.Add(new Attachment(fileName));
            }

            //嵌入資源
            AlternateView view = AlternateView.CreateAlternateViewFromString(mailInfo.Body, Encoding.UTF8, MediaTypeNames.Text.Html);
            foreach (LinkedAttachementInfo link in mailInfo.EmbedObjects)
            {
                LinkedResource resource = new LinkedResource(link.Stream, link.MimeType);
                resource.ContentId = link.ContentId;
                view.LinkedResources.Add(resource);
            }
            mail.AlternateViews.Add(view);


發送郵件的其他部分代碼如下所示
復制代碼 代碼如下:

mail.IsBodyHtml = mailInfo.IsBodyHtml;
            mail.BodyEncoding = Encoding.UTF8;
            mail.Subject = mailInfo.Subject;
            mail.SubjectEncoding = Encoding.UTF8;

            //發送賬戶設置信息
            SmtpClient client = new SmtpClient();
            client.Host = settingInfo.SmtpServer;
            client.Port = settingInfo.SmptPort;
            client.UseDefaultCredentials = false;
            client.DeliveryMethod = SmtpDeliveryMethod.Network;
            client.Credentials = new NetworkCredential(settingInfo.SmtpUser, settingInfo.SmtpPass);

            bool success = false;
            try
            {
                client.Send(mail);
                success = true;
            }
            catch (Exception ex)
            {
                LogTextHelper.Error(ex);
                //throw;
            }


上面利用.net的SmtpClient發送郵件操作的完整代碼如下:
復制代碼 代碼如下:

/// summary>
        /// 發送外部郵件(系統配置,系統郵件)
        /// /summary>
        /// param name="mailInfo">發送郵件信息/param>
        /// returns>/returns>
        public CommonResult Send(MailInfo mailInfo)
        {
            CommonResult result = new CommonResult();
            try
            {
                AppConfig config = new AppConfig();
                string MailDomain = config.AppConfigGet("MailDomain");
                string MailUsername = config.AppConfigGet("MailUsername");
                string MailPassword = config.AppConfigGet("MailPassword");
                string MailPort = config.AppConfigGet("MailPort");
                string MailFrom = config.AppConfigGet("MailFrom");
                int port = 25;
                int.TryParse(MailPort, out port);

                SmtpSettingInfo settingInfo = new SmtpSettingInfo(MailDomain, port,
                    MailUsername, MailPassword, MailFrom);

                result.Success = PrivateSendEmail(mailInfo, settingInfo);
            }
            catch (Exception ex)
            {
                result.ErrorMessage = ex.Message;
                throw;
            }

            return result;
        }

        /// summary>
        /// 通用發送郵件操作
        /// /summary>
        private static bool PrivateSendEmail(MailInfo mailInfo, SmtpSettingInfo settingInfo)
        {         
            string toEmails = mailInfo.ToEmail;

            string bcc = "";
            mailInfo.RecipientBCC.ForEach(obj => bcc += string.Format("{0},", obj));
            bcc = bcc.Trim(',');

            string cc = "";
            mailInfo.RecipientCC.ForEach(obj => cc += string.Format("{0},", obj));
            cc = cc.Trim(',');

            MailMessage mail = new MailMessage(settingInfo.MailFrom, toEmails);
            if (!string.IsNullOrEmpty(bcc))
            {
                mail.Bcc.Add(bcc);
            }
            if (!string.IsNullOrEmpty(cc))
            {
                mail.CC.Add(cc);
            }

            //附件
            foreach (string fileName in mailInfo.Attachments)
            {
                mail.Attachments.Add(new Attachment(fileName));
            }

            //嵌入資源
            AlternateView view = AlternateView.CreateAlternateViewFromString(mailInfo.Body, Encoding.UTF8, MediaTypeNames.Text.Html);
            foreach (LinkedAttachementInfo link in mailInfo.EmbedObjects)
            {
                LinkedResource resource = new LinkedResource(link.Stream, link.MimeType);
                resource.ContentId = link.ContentId;
                view.LinkedResources.Add(resource);
            }
            mail.AlternateViews.Add(view);
            mail.IsBodyHtml = mailInfo.IsBodyHtml;
            mail.BodyEncoding = Encoding.UTF8;
            mail.Subject = mailInfo.Subject;
            mail.SubjectEncoding = Encoding.UTF8;

            //發送賬戶設置信息
            SmtpClient client = new SmtpClient();
            client.Host = settingInfo.SmtpServer;
            client.Port = settingInfo.SmptPort;
            client.UseDefaultCredentials = false;
            client.DeliveryMethod = SmtpDeliveryMethod.Network;
            client.Credentials = new NetworkCredential(settingInfo.SmtpUser, settingInfo.SmtpPass);

            bool success = false;
            try
            {
                client.Send(mail);
                success = true;
            }
            catch (Exception ex)
            {
                LogTextHelper.Error(ex);
                //throw;
            }

            string message = string.Format("發送給【{0}】的郵件“{1}”,{2},時間:{3}",
                mailInfo.ToEmail[0], mailInfo.Subject, success ? "發送成功" : "發送失敗", DateTime.Now);
            LogTextHelper.Info(message);

            return success;
        }


2、基于Lumisoft.NET組件的郵件發送功能實現

基于Lumisoft.NET組件的郵件發送,也是一種很常用的,因為這個開源組件非常強大,經常可以在一些程序中被使用。

這個發送郵件的功能主要是利用SMTP_Client類來實現的,如下代碼所示。注意其中的Authenticate函數已經被舍棄,可以使用Auth方法進行驗證。但是函數參數有所不同,根據驗證對象,使用不同的驗證方式,一般選擇AUTH_SASL_Client_Plain對象即可。

復制代碼 代碼如下:

public bool Send()
        {
            bool sended = false;
            using (SMTP_Client client = new SMTP_Client())
            {
                client.Connect(smtpServer, smtpPort, smtpUseSsl);
                client.EhloHelo(smtpServer);
                var authhh = new AUTH_SASL_Client_Plain(username, password);
                client.Auth(authhh);
                //client.Authenticate(username, password);
                //string text = client.GreetingText;
                client.MailFrom(from, -1);
                foreach (string address in toList.Keys)
                {
                    client.RcptTo(address);
                }

                //采用Mail_Message類型的Stream
                Mail_Message m = Create_PlainText_Html_Attachment_Image(toList, ccList, from, fromDisplay, subject, body, attachments);
                using (MemoryStream stream = new MemoryStream())
                {
                    m.ToStream(stream, new MIME_Encoding_EncodedWord(MIME_EncodedWordEncoding.Q, Encoding.UTF8), Encoding.UTF8);
                    stream.Position = 0;
                    client.SendMessage(stream);

                    sended = true;
                }
                if (m != null)
                {
                    m.Dispose();
                }

                client.Disconnect();
            }
            return sended;
        }


構造用于SMTP發送的數據,可以使用Mail_Message 對象,也可以使用Mime對象,雖然讀都可以實現發送功能,不過Mime對象是舍棄的對象了。

構造Mail_Message對象后,創建用于發送的格式要轉換為Stream對象。轉換為發送的Stream操作如下所示。

復制代碼 代碼如下:

using (MemoryStream stream = new MemoryStream())
{
        m.ToStream(stream, new MIME_Encoding_EncodedWord(MIME_EncodedWordEncoding.Q, Encoding.UTF8), Encoding.UTF8);
        stream.Position = 0;
        client.SendMessage(stream);

        sended = true;
 }


構造Mail_Message格式的郵件操作如下所示。
復制代碼 代碼如下:

private Mail_Message Create_PlainText_Html_Attachment_Image(Dictionarystring,string> tomails, Dictionarystring, string> ccmails, string mailFrom, string mailFromDisplay,
            string subject, string body, Dictionarystring, string> attachments, string notifyEmail = "", string plaintTextTips = "")
        {
            Mail_Message msg = new Mail_Message();
            msg.MimeVersion = "1.0";
            msg.MessageID = MIME_Utils.CreateMessageID();
            msg.Date = DateTime.Now;
            msg.Subject = subject;
            msg.From = new Mail_t_MailboxList();
            msg.From.Add(new Mail_t_Mailbox(mailFromDisplay, mailFrom));
            msg.To = new Mail_t_AddressList();
            foreach (string address in tomails.Keys)
            {
                string displayName = tomails[address];
                msg.To.Add(new Mail_t_Mailbox(displayName, address));
            }
            msg.Cc = new Mail_t_AddressList();
            foreach (string address in ccmails.Keys)
            {
                string displayName = ccmails[address];
                msg.Cc.Add(new Mail_t_Mailbox(displayName, address));
            }           

            //設置回執通知
            if (!string.IsNullOrEmpty(notifyEmail) ValidateUtil.IsEmail(notifyEmail))
            {
                msg.DispositionNotificationTo.Add(new Mail_t_Mailbox(notifyEmail, notifyEmail));
            }

            #region MyRegion

            //--- multipart/mixed -----------------------------------
            MIME_h_ContentType contentType_multipartMixed = new MIME_h_ContentType(MIME_MediaTypes.Multipart.mixed);
            contentType_multipartMixed.Param_Boundary = Guid.NewGuid().ToString().Replace('-', '.');
            MIME_b_MultipartMixed multipartMixed = new MIME_b_MultipartMixed(contentType_multipartMixed);
            msg.Body = multipartMixed;

            //--- multipart/alternative -----------------------------
            MIME_Entity entity_multipartAlternative = new MIME_Entity();
            MIME_h_ContentType contentType_multipartAlternative = new MIME_h_ContentType(MIME_MediaTypes.Multipart.alternative);
            contentType_multipartAlternative.Param_Boundary = Guid.NewGuid().ToString().Replace('-', '.');
            MIME_b_MultipartAlternative multipartAlternative = new MIME_b_MultipartAlternative(contentType_multipartAlternative);
            entity_multipartAlternative.Body = multipartAlternative;
            multipartMixed.BodyParts.Add(entity_multipartAlternative);

            //--- text/plain ----------------------------------------
            MIME_Entity entity_text_plain = new MIME_Entity();
            MIME_b_Text text_plain = new MIME_b_Text(MIME_MediaTypes.Text.plain);
            entity_text_plain.Body = text_plain;

            //普通文本郵件內容,如果對方的收件客戶端不支持HTML,這是必需的
            string plainTextBody = "如果你郵件客戶端不支持HTML格式,或者你切換到“普通文本”視圖,將看到此內容";
            if (!string.IsNullOrEmpty(plaintTextTips))
            {
                plainTextBody = plaintTextTips;
            }

            text_plain.SetText(MIME_TransferEncodings.QuotedPrintable, Encoding.UTF8, plainTextBody);
            multipartAlternative.BodyParts.Add(entity_text_plain);

            //--- text/html -----------------------------------------
            string htmlText = body;//"html>這是一份測試郵件,img src=\"cid:test.jpg\">來自font color=red>b>LumiSoft.Net/b>/font>/html>";
            MIME_Entity entity_text_html = new MIME_Entity();
            MIME_b_Text text_html = new MIME_b_Text(MIME_MediaTypes.Text.html);
            entity_text_html.Body = text_html;
            text_html.SetText(MIME_TransferEncodings.QuotedPrintable, Encoding.UTF8, htmlText);
            multipartAlternative.BodyParts.Add(entity_text_html);

            //--- application/octet-stream -------------------------
            WebClient client = new WebClient();
            foreach (string attach in attachments.Keys)
            {
                try
                {
                    byte[] bytes = client.DownloadData(attach);
                    using (MemoryStream stream = new MemoryStream(bytes))
                    {
                        multipartMixed.BodyParts.Add(Mail_Message.CreateAttachment(stream, attachments[attach]));
                    }
                }
                catch (Exception ex)
                {
                    LogTextHelper.Error(ex);
                }
            }

            #endregion

            return msg;
        }


而構造Mime格式的操作如下所示。
復制代碼 代碼如下:

private Mime Create_Html_Attachment_Image(string mailTo, string mailFrom, string mailFromDisplay,
            string subject, string body, Liststring> attachments, Dictionarystring, string> embedImages, string notifyEmail = "", string plaintTextTips = "",
            string replyEmail = "")
        {
            Mime m = new Mime();
            MimeEntity mainEntity = m.MainEntity;

            mainEntity.From = new AddressList();
            mainEntity.From.Add(new MailboxAddress(mailFromDisplay, mailFrom));
            mainEntity.To = new AddressList();
            mainEntity.To.Add(new MailboxAddress(mailTo, mailTo));
            mainEntity.Subject = subject;
            mainEntity.ContentType = MediaType_enum.Multipart_mixed;

            //設置回執通知
            if (!string.IsNullOrEmpty(notifyEmail) ValidateUtil.IsEmail(notifyEmail))
            {
                mainEntity.DSN = notifyEmail;
            }

            //設置統一回復地址
            if (!string.IsNullOrEmpty(replyEmail) ValidateUtil.IsEmail(replyEmail))
            {
                mainEntity.ReplyTo = new AddressList();
                mainEntity.ReplyTo.Add(new MailboxAddress(replyEmail, replyEmail));
            }

            MimeEntity textEntity = mainEntity.ChildEntities.Add();
            textEntity.ContentType = MediaType_enum.Text_html;
            textEntity.ContentTransferEncoding = ContentTransferEncoding_enum.QuotedPrintable;
            textEntity.DataText = body;

            //附件
            foreach (string attach in attachments)
            {
                MimeEntity attachmentEntity = mainEntity.ChildEntities.Add();
                attachmentEntity.ContentType = MediaType_enum.Application_octet_stream;
                attachmentEntity.ContentDisposition = ContentDisposition_enum.Attachment;
                attachmentEntity.ContentTransferEncoding = ContentTransferEncoding_enum.Base64;
                FileInfo file = new FileInfo(attach);
                attachmentEntity.ContentDisposition_FileName = file.Name;
                attachmentEntity.DataFromFile(attach);
            }

            //嵌入圖片
            foreach (string key in embedImages.Keys)
            {
                MimeEntity attachmentEntity = mainEntity.ChildEntities.Add();
                attachmentEntity.ContentType = MediaType_enum.Application_octet_stream;
                attachmentEntity.ContentDisposition = ContentDisposition_enum.Inline;
                attachmentEntity.ContentTransferEncoding = ContentTransferEncoding_enum.Base64;
                string imageFile = embedImages[key];
                FileInfo file = new FileInfo(imageFile);
                attachmentEntity.ContentDisposition_FileName = file.Name;

                //string displayName = Path.GetFileNameWithoutExtension(fileName);
                attachmentEntity.ContentID = key;//BytesTools.BytesToHex(Encoding.Default.GetBytes(fileName));

                attachmentEntity.DataFromFile(imageFile);
            }

            return m;
        }


綜合以上兩者的發送功能,都可以實現郵件的發送操作,如下界面是發送郵件界面。

3、LumiSoft.NET存儲eml郵件文件以及發送eml文件操作

除了上面的發送普通郵件,Lumisoft還支持吧郵件序列號存儲到文件(.eml郵件文件)里面,然后也可以通過把文件讀取到流里面,進行發送,對于某種場合,可以把郵件存儲到eml文件是一個很好的操作。

存儲EML文件的相關操作如下所示。

復制代碼 代碼如下:

private void btnCreateFile_Click(object sender, EventArgs e)
        {
            string attachFile = Path.Combine(Application.StartupPath, "Attachment/Hotel2.png");
            Liststring> attachments = new Liststring>();
            attachments.Add(attachFile);
            string subject = "測試郵件";
            string body = "html>這是一份測試郵件,來自font color=red>b>LumiSoft.Net/b>/font>/html>";
            string bodyEmbedy = "html>這是一份測試郵件img src=\"cid:test.jpg\">,來自font color=red>b>LumiSoft.Net/b>/font>/html>";
            Dictionarystring, string> embedList = new Dictionarystring, string>();
            embedList.Add("test.jpg", "C:\\test.jpg");

            //存儲為Eml文件
            string path = Path.Combine(Application.StartupPath, "Eml");
            DirectoryUtil.AssertDirExist(path);
            string emlFile = string.Format("{0}/{1}.eml", path, DateTime.Now.ToFileTime());

            Mime m = Create_Html_Attachment_Image(to, from, from, subject, bodyEmbedy, attachments, embedList);
            m.ToFile(emlFile);

            MessageUtil.ShowTips("OK");
        }


發送EML文件操作如下所示。
復制代碼 代碼如下:

private void btnSendFile_Click(object sender, EventArgs e)
        {
            using (SMTP_Client client = new SMTP_Client())
            {
                int smtpPort = smtpUseSsl ? WellKnownPorts.SMTP_SSL : WellKnownPorts.SMTP;

                client.Connect(smtpServer, smtpPort, smtpUseSsl);
                client.EhloHelo(smtpServer);
                //var authhh = new AUTH_SASL_Client_Plain(username, password);
                //client.Auth(authhh);
                client.Authenticate(username, password);
                //string text = client.GreetingText;
                client.MailFrom(from, -1);
                client.RcptTo(to);

                string path = Path.Combine(Application.StartupPath, "Eml");
                string emlFile = Directory.GetFiles(path)[0];
                var msg = Mail_Message.ParseFromFile(emlFile);

                MemoryStream stream = new MemoryStream();
                msg.ToStream(stream, new MIME_Encoding_EncodedWord(MIME_EncodedWordEncoding.Q, Encoding.UTF8), Encoding.UTF8);
                stream.Position = 0;
                client.SendMessage(stream);
                client.Disconnect();
            }
            MessageUtil.ShowTips("OK");
        }


您可能感興趣的文章:
  • MSScriptControl.ScriptControl組件屬性、方法、事件介紹
  • MSScriptControl.ScriptControl組件的用法實例
  • asp.net(c#)開發中的文件上傳組件uploadify的使用方法(帶進度條)
  • asp.net MVC實現無組件上傳圖片實例介紹
  • asp.net neatUpload 支持大文件上傳組件
  • asp.net中Word轉Html的辦法(不需要WORD組件)
  • asp.net(C#)防sql注入組件的實現代碼
  • asp.net 不用組件的URL重寫(適用于較大型項目)
  • asp.net中Fine Uploader文件上傳組件使用介紹
  • .NET程序集引用COM組件MSScriptControl遇到問題的解決方法

標簽:西寧 宣城 紅河 衢州 福州 西藏 岳陽 湖州

巨人網絡通訊聲明:本文標題《深入Lumisoft.NET組件與.NET API實現郵件發送功能的對比分析》,本文關鍵詞  深入,Lumisoft.NET,組件,與,;如發現本文內容存在版權問題,煩請提供相關信息告之我們,我們將及時溝通與處理。本站內容系統采集于網絡,涉及言論、版權與本站無關。
  • 相關文章
  • 下面列出與本文章《深入Lumisoft.NET組件與.NET API實現郵件發送功能的對比分析》相關的同類信息!
  • 本頁收集關于深入Lumisoft.NET組件與.NET API實現郵件發送功能的對比分析的相關信息資訊供網民參考!
  • 推薦文章
    婷婷综合国产,91蜜桃婷婷狠狠久久综合9色 ,九九九九九精品,国产综合av
    久久久精品天堂| 久久亚洲一区二区三区四区| 高清久久久久久| 久久不见久久见免费视频7 | av不卡在线观看| 国产99久久久精品| 国产黄色成人av| 成人av免费在线| 91年精品国产| 精品视频一区三区九区| 宅男在线国产精品| 日韩精品中文字幕在线不卡尤物| 日韩欧美国产电影| 久久蜜臀精品av| 中文字幕一区二区三区乱码在线| 国产精品电影院| 一区二区三区国产精品| 亚洲成av人片一区二区| 日韩精品久久理论片| 美女国产一区二区| 成人激情av网| 欧美精品日日鲁夜夜添| 欧美成人免费网站| 中文字幕中文字幕在线一区| 亚洲激情图片一区| 日本人妖一区二区| 国产精品99久久久久久似苏梦涵| 99久久精品国产导航| 欧美日韩一本到| 国产日产欧美精品一区二区三区| 亚洲女爱视频在线| 狠狠色2019综合网| 91福利国产精品| 精品国产亚洲在线| 亚洲香肠在线观看| 国产suv精品一区二区6| 欧美视频一区在线| 中文字幕免费观看一区| 午夜精品福利一区二区三区蜜桃| 国产呦萝稀缺另类资源| 91久久香蕉国产日韩欧美9色| 精品国产一二三| 亚洲国产成人av| 不卡一区在线观看| 欧美成人女星排名| 午夜精品福利在线| 91丨九色丨国产丨porny| 欧美mv日韩mv国产网站| 亚洲日本成人在线观看| 国产一区二区三区在线观看免费| 欧美三级蜜桃2在线观看| 国产精品三级av| 国产自产视频一区二区三区| 欧美久久久久久蜜桃| 中文字幕欧美一区| 国产盗摄一区二区三区| 精品成人一区二区| 美国av一区二区| 日韩一级片网址| 午夜在线成人av| 91蜜桃网址入口| 国产精品区一区二区三| 国产大陆精品国产| 2020国产精品自拍| 激情图片小说一区| 日韩三级伦理片妻子的秘密按摩| 亚洲一区二区三区小说| 91亚洲精品久久久蜜桃| 中文字幕永久在线不卡| 丁香激情综合国产| 亚洲国产精品二十页| 粉嫩av一区二区三区在线播放| 26uuu亚洲综合色| 国产乱色国产精品免费视频| 久久亚洲捆绑美女| 国产一区二区不卡| 中文字幕高清一区| 成人av先锋影音| 综合在线观看色| 欧美性xxxxxxxx| 水野朝阳av一区二区三区| 欧美一区二区在线视频| 男人操女人的视频在线观看欧美| 日韩免费高清视频| 国产电影一区二区三区| 18成人在线视频| 欧美午夜宅男影院| 毛片av中文字幕一区二区| 久久先锋影音av鲁色资源网| 精品一区二区三区av| 国产网红主播福利一区二区| 韩国精品一区二区| 国产欧美一区二区精品性色| 色综合av在线| 丝袜国产日韩另类美女| 国产无人区一区二区三区| 色菇凉天天综合网| 男人操女人的视频在线观看欧美| 久久综合九色综合欧美98| 99久久亚洲一区二区三区青草 | 在线不卡欧美精品一区二区三区| 天天色图综合网| 久久精品无码一区二区三区| 色综合久久久网| 日本成人在线网站| 国产精品国产三级国产普通话99| 精品视频1区2区| 国内精品自线一区二区三区视频| 最新国产の精品合集bt伙计| 91精选在线观看| 99久久99久久精品免费观看| 日韩一区欧美二区| 亚洲欧美激情一区二区| 欧美大片国产精品| 色菇凉天天综合网| 国产成人av影院| 美女爽到高潮91| 亚洲一线二线三线视频| 久久九九久久九九| 欧美日韩成人综合在线一区二区| 国产乱码精品一区二区三区av| 亚洲一级二级三级| 国产精品热久久久久夜色精品三区| 3atv在线一区二区三区| 99久久国产综合精品女不卡| 天堂av在线一区| 夜夜揉揉日日人人青青一国产精品| 亚洲精品在线电影| 日韩一区二区三区在线| 精品视频免费看| 日本高清不卡一区| 99这里只有精品| 成人国产精品免费网站| 精品一区二区三区av| 日韩电影一区二区三区| 亚洲一区二区在线免费看| 中文字幕一区免费在线观看| 国产日韩欧美综合在线| 久久午夜老司机| 欧美tickling挠脚心丨vk| 日韩三级视频在线观看| 日韩一二三四区| 欧美一区二区在线视频| 日韩欧美国产综合一区| 日韩免费视频一区| 日韩欧美在线不卡| 欧美电影免费观看高清完整版 | 91年精品国产| 色综合咪咪久久| 在线观看av不卡| 欧美日韩久久久一区| 欧美日韩精品一区二区| 欧美人狂配大交3d怪物一区| 91精品国产综合久久精品图片| 欧美日本韩国一区二区三区视频 | 久久九九国产精品| 国产目拍亚洲精品99久久精品 | 在线这里只有精品| 在线观看成人小视频| 555夜色666亚洲国产免| 欧美成人女星排行榜| 久久九九久精品国产免费直播| 日本一区二区免费在线观看视频 | 国精产品一区一区三区mba桃花 | 日韩精品电影一区亚洲| 裸体在线国模精品偷拍| 国产精品影音先锋| 一道本成人在线| 69堂成人精品免费视频| 日韩精品中文字幕在线一区| 国产色一区二区| 一区二区三区国产精华| 青青青爽久久午夜综合久久午夜| 久久精品国产精品亚洲综合| 丁香激情综合五月| 欧美精品一级二级| 久久久一区二区| 亚洲自拍偷拍麻豆| 精品一区二区三区的国产在线播放| 丁香婷婷综合五月| 欧美日韩一级二级| 国产女主播在线一区二区| 亚洲一区二区三区不卡国产欧美| 捆绑调教美女网站视频一区| 成人aaaa免费全部观看| 欧美一区二区三区四区在线观看 | 色激情天天射综合网| 2020国产精品久久精品美国| 亚洲色图欧洲色图| 国产美女娇喘av呻吟久久| 欧美丝袜自拍制服另类| 欧美激情中文字幕一区二区| 蜜乳av一区二区| av一区二区三区在线| 欧美mv日韩mv亚洲| 亚洲一区二区三区在线看| 成人在线视频首页| 精品精品欲导航| 免费在线看成人av| 欧美色爱综合网|