programing

MailMessage 개체를 * .eml 또는 * .msg 파일로 디스크에 저장하는 방법

nasanasas 2020. 10. 5. 08:01
반응형

MailMessage 개체를 * .eml 또는 * .msg 파일로 디스크에 저장하는 방법


MailMessage 개체를 디스크에 어떻게 저장합니까? MailMessage 개체는 Save () 메서드를 노출하지 않습니다.

* .eml 또는 * .msg 형식으로 저장하면 문제가 없습니다. 이 작업을 수행하는 방법을 아십니까?


간단히하기 위해 Connect 항목 에서 설명을 인용하겠습니다 .

실제로 네트워크 대신 파일 시스템으로 이메일을 보내도록 SmtpClient를 구성 할 수 있습니다. 다음 코드를 사용하여 프로그래밍 방식으로이 작업을 수행 할 수 있습니다.

SmtpClient client = new SmtpClient("mysmtphost");
client.DeliveryMethod = SmtpDeliveryMethod.SpecifiedPickupDirectory;
client.PickupDirectoryLocation = @"C:\somedirectory";
client.Send(message);

다음과 같이 애플리케이션 구성 파일에서이를 설정할 수도 있습니다.

 <configuration>
     <system.net>
         <mailSettings>
             <smtp deliveryMethod="SpecifiedPickupDirectory">
                 <specifiedPickupDirectory pickupDirectoryLocation="C:\somedirectory" />
             </smtp>
         </mailSettings>
     </system.net>
 </configuration>

이메일을 보낸 후 지정한 디렉토리에 이메일 파일이 추가되는 것을 볼 수 있습니다. 그런 다음 별도의 프로세스에서 배치 모드로 전자 메일 메시지를 보낼 수 있습니다.

나열된 생성자 대신 빈 생성자를 사용할 수 있어야합니다. 그래도 전송하지 않을 것입니다.


다음은 MailMessage를 EML 데이터를 포함하는 스트림으로 변환하는 확장 메서드입니다. 파일 시스템을 사용하기 때문에 분명히 약간의 해킹이지만 작동합니다.

public static void SaveMailMessage(this MailMessage msg, string filePath)
{
    using (var fs = new FileStream(filePath, FileMode.Create))
    {
        msg.ToEMLStream(fs);
    }
}

/// <summary>
/// Converts a MailMessage to an EML file stream.
/// </summary>
/// <param name="msg"></param>
/// <returns></returns>
public static void ToEMLStream(this MailMessage msg, Stream str)
{
    using (var client = new SmtpClient())
    {
        var id = Guid.NewGuid();

        var tempFolder = Path.Combine(Path.GetTempPath(), Assembly.GetExecutingAssembly().GetName().Name);

        tempFolder = Path.Combine(tempFolder, "MailMessageToEMLTemp");

        // create a temp folder to hold just this .eml file so that we can find it easily.
        tempFolder = Path.Combine(tempFolder, id.ToString());

        if (!Directory.Exists(tempFolder))
        {
            Directory.CreateDirectory(tempFolder);
        }

        client.UseDefaultCredentials = true;
        client.DeliveryMethod = SmtpDeliveryMethod.SpecifiedPickupDirectory;
        client.PickupDirectoryLocation = tempFolder;
        client.Send(msg);

        // tempFolder should contain 1 eml file

        var filePath = Directory.GetFiles(tempFolder).Single();

        // stream out the contents
        using (var fs = new FileStream(filePath, FileMode.Open))
        {
            fs.CopyTo(str);
        }

        if (Directory.Exists(tempFolder))
        {
            Directory.Delete(tempFolder, true);
        }
    }
}

그런 다음 반환 된 스트림을 가져 와서 디스크의 다른 위치에 저장하거나 데이터베이스 필드에 저장하거나 첨부 파일로 이메일을 보내는 등 원하는대로 수행 할 수 있습니다.


Mailkit 을 사용하는 경우 . 아래 코드를 작성하십시오.

string fileName = "your filename full path";
MimeKit.MimeMessage message = CreateMyMessage ();
message.WriteTo(fileName);

어떤 이유로 든 client.send가 실패했기 때문에 (그 방법을 사용하여 실제 전송 직후) 좋은 'ole CDO 및 ADODB 스트림을 연결했습니다. 또한 .Message 값을 설정하기 전에 template.eml로 CDO.message를로드해야했습니다. 하지만 작동합니다.

위의 것은 C이므로 여기는 VB 용입니다

    MyMessage.From = New Net.Mail.MailAddress(mEmailAddress)
    MyMessage.To.Add(mToAddress)
    MyMessage.Subject = mSubject
    MyMessage.Body = mBody

    Smtp.Host = "------"
    Smtp.Port = "2525"
    Smtp.Credentials = New NetworkCredential(------)

    Smtp.Send(MyMessage)        ' Actual Send

    Dim oldCDO As CDO.Message
    oldCDO = MyLoadEmlFromFile("template.eml")  ' just put from, to, subject blank. leave first line blank
    oldCDO.To = mToAddress
    oldCDO.From = mEmailAddress
    oldCDO.Subject = mSubject
    oldCDO.TextBody = mBody
    oldCDO.HTMLBody = mBody
    oldCDO.GetStream.Flush()
    oldCDO.GetStream.SaveToFile(yourPath)

참고URL : https://stackoverflow.com/questions/1264672/how-to-save-mailmessage-object-to-disk-as-eml-or-msg-file

반응형