web-dev-qa-db-ja.com

Outlookの新しいメールウィンドウを開く方法C#

Outlookウィンドウで新しいメールを開く=の方法を探しています。

from、to、subject、body情報をプログラムで入力する必要がありますが、この新しいメールウィンドウを開いたままにして、コンテンツを確認/何かを追加してから通常のOutlookメッセージとして送信できるようにします。

を見つけた:

Process.Start(String.Format(
 "mailto:{0}?subject={1}&cc={2}&bcc={3}&body={4}", 
  address, subject, cc, bcc, body))

しかし、「差出人」オプションはありません(私のユーザーは複数のメールボックスを持っています...)

アドバイスはありますか?

33
Maciej

私はついに問題を解決しました。ここに私の問題を解決するコードの一部があります(Outlook相互運用機能を使用)

Outlook.Application oApp    = new Outlook.Application ();
Outlook._MailItem oMailItem = (Outlook._MailItem)oApp.CreateItem ( Outlook.OlItemType.olMailItem );
oMailItem.To    = address;
// body, bcc etc...
oMailItem.Display ( true );
50
Maciej

ここに私が試したものがあります。期待どおりに機能しています。

このアプリケーションは、受信者を追加し、ccを追加し、件名を追加して、新しいメールウィンドウを開きます。

using System;
using System.Collections.Generic;
using System.Linq;
using System.Web;
using System.Web.UI;
using System.Web.UI.WebControls;
using System.Threading;
using Outlook = Microsoft.Office.Interop.Outlook;

public partial class _Default : System.Web.UI.Page
{
    protected void Page_Load(object sender, EventArgs e)
    {

    }
    protected void ButtonSendMail_Click(object sender, EventArgs e)
    {
        try
        {
            List<string> lstAllRecipients = new List<string>();
            //Below is hardcoded - can be replaced with db data
            lstAllRecipients.Add("[email protected]");
            lstAllRecipients.Add("[email protected]");

            Outlook.Application outlookApp = new Outlook.Application();
            Outlook._MailItem oMailItem = (Outlook._MailItem)outlookApp.CreateItem(Outlook.OlItemType.olMailItem);
            Outlook.Inspector oInspector = oMailItem.GetInspector;
           // Thread.Sleep(10000);

            // Recipient
            Outlook.Recipients oRecips = (Outlook.Recipients)oMailItem.Recipients;
            foreach (String recipient in lstAllRecipients)
            {
                Outlook.Recipient oRecip = (Outlook.Recipient)oRecips.Add(recipient);
                oRecip.Resolve();
            }

            //Add CC
            Outlook.Recipient oCCRecip = oRecips.Add("[email protected]");
            oCCRecip.Type = (int)Outlook.OlMailRecipientType.olCC;
            oCCRecip.Resolve();

            //Add Subject
            oMailItem.Subject = "Test Mail";

            // body, bcc etc...

            //Display the mailbox
            oMailItem.Display(true);
        }
        catch (Exception objEx)
        {
            Response.Write(objEx.ToString());
        }
    }
}
7
Chandan Kumar