Click here to Skip to main content
15,860,972 members
Articles / Web Development / ASP.NET
Article

Programming with Exchange Server 2007 (EWS) - Part 3

Rate me:
Please Sign up or sign in to vote.
4.81/5 (22 votes)
1 Dec 2008CPOL3 min read 200.2K   50   51
This article is the third in a series on EWS, which explores Exchange Web Services.

Background

In my last article, I discussed how to read different folders like inbox, sent items etc., and also do a search on the basis of some criteria.

My previous articles on this series include:

  1. Programming with Exchange Server 2007 (EWS) - Part 1
  2. Programming with Exchange Server 2007 (EWS) - Part 2

In this part, first, I'll discuss reading the details of a mail from the inbox, and also cover the mystery behind extended properties. The key points are:

Introduction

Every mail is of type MessageType or is inherited from MessageType, so we can access all the items from the inbox as MessageType even mails related to Calendaring.

Reading Mails

To read the details of a mail, we need to use the GetItem API provided by EWS, as:

C#
public void GetSignalDetails(ItemIdType p_strItemId)
{
    GetItemType MailId = new GetItemType();
    GetItemResponseType mailResponse;
    string strMsg = string.Empty;

    MailId.ItemIds = new BaseItemIdType[] { idType };
    MailId.ItemShape = new ItemResponseShapeType();
    MailId.ItemShape.BaseShape = DefaultShapeNamesType.AllProperties;
    mailResponse = _esb.GetItem(MailId);
    ArrayOfResponseMessagesType arrMail = p_mailResponse.ResponseMessages;
    ResponseMessageType[] responseMessages = arrMail.Items;
    foreach (ResponseMessageType respmsg in responseMessages)
    {
        if (respmsg.ResponseClass == ResponseClassType.Error)
        {
            throw new Exception("Error: " + respmsg.MessageText);
        }
        else if (respmsg.ResponseClass == ResponseClassType.Warning)
        {
            throw new Exception("Error: " + respmsg.MessageText);
        }
        //check to determine whether the response message is correct type 
        if (respmsg is ItemInfoResponseMessageType)
        {
            ItemInfoResponseMessageType createItemResp = 
                     (respmsg as ItemInfoResponseMessageType);
            ArrayOfRealItemsType aorit = createItemResp.Items;
            foreach (MessageType myitem in aorit.Items)
            {
                string  strSubject = myMessage.Subject;
                if (myMessage.From != null)
                {
                       string strFrom = myMessage.From.Item.Name;
                }
                StringBuilder objTo = new StringBuilder();

                if (myMessage.ToRecipients != null)
                {
                    //To be checked only for single recipient
                    foreach (EmailAddressType email in myMessage.ToRecipients)
                    {
                        objTo.Append(email.Name + "[" + email.EmailAddress + "];");


                    }
                }
                StringBuilder objCC = new StringBuilder();

                if (myMessage.CcRecipients != null)
                {
                    //To be checked only for single recipient
                    foreach (EmailAddressType email in myMessage.CcRecipients)
                    {
                        objCC.Append(email.Name + "[" + email.EmailAddress + "];");
                    }
                }
                objSignalDetailsRow.MailBody = myMessage.Body.Value;
            }
            //Similarly we can read other properties
        }

In the same way, we can read mails related to Calendaring, which will be explored in subsequent articles.

Setting Read Mails as Read

There is a property of type bool for MessageType called isRead. The first time a mail comes to the inbox, we show it in bold because it is not read yet, but when the mail is read, we need to set the property isRead to true so that the next time we show it as normal. After successfully reading a mail, we need to update this property to true. We have an API UpdateItem to update any existing item. The code to accomplish this is as shown:

C#
public bool SetReadStatus(ItemIdType item)
{
    SetItemFieldType setField = new SetItemFieldType();
    PathToUnindexedFieldType path = new PathToUnindexedFieldType();

    MessageType message = new MessageType();
    message.IsRead = true;
    message.IsReadSpecified = true;
    setField.Item1 = message;
    path.FieldURI = UnindexedFieldURIType.messageIsRead;


    setField.Item = path;
    ItemChangeType[] updatedItems = new ItemChangeType[1];
    updatedItems[0] = new ItemChangeType();
    updatedItems[0].Updates = new ItemChangeDescriptionType[1];
    updatedItems[0].Updates[0] = setField;

    ItemChangeDescriptionType[] updates = new ItemChangeDescriptionType[1];
    updates[0] = new ItemChangeDescriptionType();
    updates[0].Item = path;

    updatedItems[0].Item = new ItemIdType();
    ((ItemIdType)updatedItems[0].Item).Id = item.Id;
    ((ItemIdType)updatedItems[0].Item).ChangeKey = item.ChangeKey;
    UpdateItemType request = new UpdateItemType();
    request.ItemChanges = updatedItems;
    request.ConflictResolution = ConflictResolutionType.AutoResolve;
    request.MessageDisposition = MessageDispositionType.SaveOnly;
    request.MessageDispositionSpecified = true;

    UpdateItemResponseType response = _esb.UpdateItem(request);

    if (response.ResponseMessages.Items[0].ResponseClass != 
                         ResponseClassType.Success)
        return false;
    else
        return true;
}

Extended Properties - Intro

Extended properties are very important for us when we make custom mail applications because, let's say, in a mail, we have default properties in the MessageType item, and if we want a new property, let's say, Classification, for our custom application, then we need to use an extended property.

Extended Properties - How to set them

We can create and set a new property as an extended property at the time of making an instance of the class (i.e., when setting the properties of that class).

C#
MessageType p_objMessage=new p_objMessage();
p_objMessage.ExtendedProperty = new ExtendedPropertyType[1];

PathToExtendedFieldType pathClassification = new PathToExtendedFieldType();
pathClassification.DistinguishedPropertySetId =

DistinguishedPropertySetType.PublicStrings;
pathClassification.DistinguishedPropertySetIdSpecified = true;
pathClassification.PropertyName = "Classification";
pathClassification.PropertyType = MapiPropertyTypeType.String;
p_objMessage.ExtendedProperty[0] = new ExtendedPropertyType();
p_objMessage.ExtendedProperty[0].ExtendedFieldURI = pathClassification;
p_objMessage.ExtendedProperty[0].Item = msgRow.Classification;

Here, I am creating an extended property "Classification" for the MessageType object .This should be done at the time of setting the other properties of that object, after creating the object.

Extended Properties - How to read them

We have two scenarios here:

  • Reading it at the time of searching\reading all the items for folders.
  • Reading at the time of detailed reading.

For the first case: We first need to specify which property we want to read:

C#
PathToExtendedFieldType pathClassification = new PathToExtendedFieldType();
pathClassification.DistinguishedPropertySetId = 
          DistinguishedPropertySetType.PublicStrings;
pathClassification.DistinguishedPropertySetIdSpecified = true;
pathClassification.PropertyName = "Clasification";
pathClassification.PropertyType = MapiPropertyTypeType.String;

But for using this, we first need to create an object of type ItemResponseShapeType as shown below and set the BaseShape property:

C#
ItemResponseShapeType itemProperties = new ItemResponseShapeType();
// Use the Default shape for the response. 
itemProperties.BaseShape = DefaultShapeNamesType.Default;
itemProperties.AdditionalProperties = new BasePathToElementType[]
{ pathClassification };

And finally, we need to set this to the findRequest object, as:

C#
findRequest.ItemShape = itemProperties;

For the second case: we first need to read the details by using GetItem; then again, we need to call the EWS API for all the extended properties because we can't do it in one go. The code is as shown:

C#
public ExtendedPropertyType[] GetExtendedProperties(ItemIdType itemid)
{
    PathToExtendedFieldType pathClassification = new PathToExtendedFieldType();
    pathClassification.DistinguishedPropertySetId = 
       DistinguishedPropertySetType.PublicStrings;
    pathClassification.DistinguishedPropertySetIdSpecified = true;
    pathClassification.PropertyName = "Classification";
    pathClassification.PropertyType = MapiPropertyTypeType.String;


    GetItemType getExPropertiesRequest = new GetItemType();
    ItemIdType iiItemId = new ItemIdType();
    iiItemId = itemid;

    ItemResponseShapeType getResponseShape = new ItemResponseShapeType();
    getResponseShape.BaseShape = DefaultShapeNamesType.AllProperties;
    getResponseShape.IncludeMimeContent = true;
    getExPropertiesRequest.ItemShape = getResponseShape;

    getExPropertiesRequest.ItemShape.AdditionalProperties = 
                                     new BasePathToElementType[1];
    getExPropertiesRequest.ItemShape.AdditionalProperties[0] = pathClassification;


    getExPropertiesRequest.ItemIds = new ItemIdType[1];
    getExPropertiesRequest.ItemIds[0] = iiItemId;
    getExPropertiesRequest.ItemShape.BaseShape = DefaultShapeNamesType.AllProperties;

    GetItemResponseType giResponse = _esb.GetItem(getExPropertiesRequest);
    if (giResponse.ResponseMessages.Items[0].ResponseClass == ResponseClassType.Error)
    {
        throw new Exception("Error: " +
        giResponse.ResponseMessages.Items[0].MessageText);
    }
    else
    {
        ItemInfoResponseMessageType rmResponseMessage = 
             giResponse.ResponseMessages.Items[0] as ItemInfoResponseMessageType;

        if (rmResponseMessage.Items.Items[0].ExtendedProperty != null)
        {
            MessageType message = rmResponseMessage.Items.Items[0] as MessageType;
            return (message.ExtendedProperty);
        }
        else
        {
            return null;
        }
    }
}

Note: In this article, _esb is the object of ExchangeService is as in my earlier articles of the series.

I hope this series is useful for all those who are working on EWS. Suggestions are highly appreciated. In the next article, I'll start exploring the Calendaring provided by EWS.

License

This article, along with any associated source code and files, is licensed under The Code Project Open License (CPOL)


Written By
Software Developer (Senior)
India India
Brij is a 3-times Microsoft MVP in ASP.NET/IIS Category and a passionate .NET developer. More than 6 years of experience in IT field, currently serving a MNC as a Tech Lead/Architect.

He is a very passionate .NET developer and have expertise over Web technologies like ASP.NET 2.0/3.5/4.0, jQuery, JSON, Javascript, IIS and related technologies. He is also a Exchange Server (EWS) Specialist. He has great experience in design patterns and N-Tier Architecture.

He is also certified as Microsoft Certified Technologies Specialist-ASP.NET and Microsoft Certified Technologies Specialist-WCF in .NET 4.0. He has also received several awards at various forums and his various articles got listed as "Article of the day" at ASP.NET Microsoft Official Website www.asp.net.

He has done MCA from NIT Durgapur and completed his graduation from Lucknow University.

Learning new technologies and sharing knowledge excites him most. Blogging, solving problems at various forums, helping people, keeps him busy entire day.


Visit his Blog: Code Wala

Area of Expertise :
C#, ASP.NET 2.0,3.5,4.0, AJAX, JQuery, JSON, XML, XSLT, ADO.Net, WCF, Active Directory, Exchange Server 2007 (EWS), Java script, Web Services ,Win services, DotnetNuke, WSS 3.0,Sharepoint Designer, SQL Server 2000/2005/2008

Comments and Discussions

 
QuestionFinding reply text from EmailMessage.Body Pin
dinod29-Feb-12 8:27
dinod29-Feb-12 8:27 
GeneralHow to mark messages .IsRead = true Pin
moila3-Jun-11 10:38
moila3-Jun-11 10:38 
QuestionHow to get Message classification type from Exchange server Pin
Ishak16-Mar-11 23:24
Ishak16-Mar-11 23:24 
AnswerRe: How to get Message classification type from Exchange server Pin
Brij3-Apr-11 10:55
mentorBrij3-Apr-11 10:55 
GeneralMy vote of 5 Pin
tuningrm9-Jul-10 4:17
tuningrm9-Jul-10 4:17 
GeneralRe: My vote of 5 Pin
Brij16-Dec-10 6:44
mentorBrij16-Dec-10 6:44 
GeneralSetReadStatus Pin
zayar_min18-Apr-10 21:30
zayar_min18-Apr-10 21:30 
GeneralRe: SetReadStatus Pin
Brij19-Apr-10 8:22
mentorBrij19-Apr-10 8:22 
GeneralVoice Mail Pin
MrGreene1-Mar-10 6:21
MrGreene1-Mar-10 6:21 
GeneralFor some reason the return value did not work for me Pin
Gcawley13-Feb-10 15:26
Gcawley13-Feb-10 15:26 
GeneralRe: For some reason the return value did not work for me Pin
Brij19-Apr-10 8:09
mentorBrij19-Apr-10 8:09 
GeneralId Type Pin
NewCoder55519-Jan-10 12:17
NewCoder55519-Jan-10 12:17 
GeneralRe: Id Type Pin
Brij9-Feb-10 5:26
mentorBrij9-Feb-10 5:26 
GeneralLocal member Pin
NewCoder55519-Jan-10 11:46
NewCoder55519-Jan-10 11:46 
GeneralRe: Local member Pin
Brij9-Feb-10 5:23
mentorBrij9-Feb-10 5:23 
QuestionHow to get or add contacts to users mailbox, using account with admin rights to access them in Exchange 2007. coding in C# 2008. Pin
Ruslan Guryanov5-Nov-09 5:50
Ruslan Guryanov5-Nov-09 5:50 
QuestionHow to check if the mail is replied/forwarded or not Pin
vstonape2-Nov-09 19:33
vstonape2-Nov-09 19:33 
AnswerRe: How to check if the mail is replied/forwarded or not Pin
Brij9-Feb-10 5:34
mentorBrij9-Feb-10 5:34 
GeneralMy vote of 1 Pin
Bhavneet8314-Oct-09 12:22
Bhavneet8314-Oct-09 12:22 
GeneralRe: My vote of 1 Pin
Brij18-Jan-10 7:57
mentorBrij18-Jan-10 7:57 
Questionhow to extract body as text Pin
Ameen Azam Khan29-Sep-09 3:48
Ameen Azam Khan29-Sep-09 3:48 
AnswerRe: how to extract body as text Pin
Brij18-Jan-10 8:24
mentorBrij18-Jan-10 8:24 
GeneralNice Article but ... [modified] Pin
Bhavneet8325-Sep-09 7:24
Bhavneet8325-Sep-09 7:24 
GeneralRe: Nice Article but ... Pin
Brij26-Sep-09 19:48
mentorBrij26-Sep-09 19:48 
GeneralRe: Nice Article but ... Pin
Bhavneet8328-Sep-09 6:02
Bhavneet8328-Sep-09 6:02 

General General    News News    Suggestion Suggestion    Question Question    Bug Bug    Answer Answer    Joke Joke    Praise Praise    Rant Rant    Admin Admin   

Use Ctrl+Left/Right to switch messages, Ctrl+Up/Down to switch threads, Ctrl+Shift+Left/Right to switch pages.