• Outlook User
  • New Outlook app
  • Outlook.com
  • Outlook Mac
  • Outlook & iCloud
  • Developer
  • Microsoft 365 Admin
    • Common Problems
    • Microsoft 365
    • Outlook BCM
    • Utilities & Addins

Create a Task from an Email using a Rule

Slipstick Systems

› Outlook › Rules, Filters & Views › Create a Task from an Email using a Rule

Last reviewed on April 8, 2025     338 Comments

A security update disabled the Run a script option in the rules wizard in Outlook 2010 and all newer Outlook versions. See Run-a-Script Rules Missing in Outlook for more information and the registry key to fix restore it.

I regularly convert many of my emails into tasks, is there a way to create a rule that will automatically convert emails with a specific subject line, into a task?

Sure, you can use a simple script that creates a task from an email and use it with a Run a Script rule. We also added a second code sample that creates a task from the message you are reading in the reading pane.

To create an appointment from an email message, see Create an Outlook appointment from an email message.

VBA to Convert an Email to a Task

Press Alt+F11 to open the VBA editor and expand the tree to find ThisOutlookSession. Paste this code into the VBA editor then create a rule and choose Run a script as the action.

Sub ConvertMailtoTask(Item As Outlook.MailItem)
    Dim objTask As Outlook.TaskItem
    Set objTask = Application.CreateItem(olTaskItem)
With objTask
    .Subject = Item.Subject
    .StartDate = Item.ReceivedTime
    .Body = Item.Body
    .Save
End With
    Set objTask = Nothing
End Sub

You can customize the script to set a category or due date (or any other fields supported in Tasks). To calculate the due date, you'll use the DueDate property and add a whole number to the Received date. If you prefer to change the Start date, you would add a whole number to the start date line. If you use a category that is not in your Categories list, the color category field in the view will be colorless as the category is not in the master list.

    objTask.StartDate = Item.ReceivedTime + 2
    objTask.DueDate = Item.ReceivedTime + 3
    objTask.Categories = "Slipstick"

To use today's date only, not the current time, use Date and decimals to set the due date or reminder time.

    .DueDate = Date + 3.5 '3 days at noon
    .ReminderTime = Date + 2.25 ' remind at 6 AM 2 days from now

To override your default settings for Task reminders (set in Options, Tasks), you can use the ReminderSet and ReminderTime properties.

This example creates a reminder for 6 hrs before the due date or 6 pm the day before. If a reminder time is not set, it will use the default setting for Tasks, usually 8 am on the due date.

Accepted values for ReminderSet are True (on) or False (no reminder)

    objTask.ReminderSet = True 
    objTask.ReminderTime = objTask.DueDate - 0.25
 

Create a task using a Run a Script rule video tutorial

Working with Attachments

To add the item as an attachment to the task, add the following lines after the Item.Body line:

 Dim newAttachment As Outlook.Attachments

 Set newAttachment = objTask.Attachments
   newAttachment.Add Item, olEmbeddeditem

To copy attachments from the messages to the task, you need to use the CopyAttachments, added to the end of the task macro.
Add this code before the .save

If Item.Attachments.Count > 0 Then
CopyAttachments Item, objTask
End If

Then this after the end of the first macro:

Sub CopyAttachments(objSourceItem, objTargetItem)
   Set fso = CreateObject("Scripting.FileSystemObject")
   Set fldTemp = fso.GetSpecialFolder(2) ' TemporaryFolder
   strPath = fldTemp.Path & "\"
   For Each objAtt In objSourceItem.Attachments
      strFile = strPath &objAtt.FileName
      objAtt.SaveAsFile strFile
      objTargetItem.Attachments.Add strFile, , , objAtt.DisplayName
      fso.DeleteFile strFile
   Next
 
   Set fldTemp = Nothing
   Set fso = Nothing
End Sub

Send a Task Request

If you want to send a Task Request, you need to Assign it and add the Recipient. You can use either the full email address or the GAL alias, or even the person's display name, provided the name can resolve to an entry in your address book or GAL. I recommend using the address only because it can't resolve to the wrong person.

You'll need to add .Assign to the With objTask code block, along with .Recipients.Add "email@address.com" line. You'll also need to change .Save to .Send

With objTask
    .Assign
    .Recipients.Add "email@address.com"
    .Subject = Item.Subject
    .StartDate = Item.ReceivedTime
    .Body = Item.Body
    .Send
End With

If you use the user's name or alias, you may need to Resolve it using code before it's sent. .Assign goes in the With objTask code block, but the Recipient is added outside of the With statement, then it's sent.

The DIM statement goes at the top of the macro with the other DIM statements.

 Dim myDelegate As Outlook.Recipient

With objTask
    .Assign
    .Subject = Item.Subject
    .StartDate = Item.ReceivedTime
    .Body = Item.Body
End With

 Set myDelegate = objTask.Recipients.Add("alias")
 myDelegate.Resolve

objTask.Send

Add Categories to the tasks

Carol asked how to add a category to the tasks. This is easy if you want one category for all tasks - just place this line before the objTask.Save line:

objTask.Categories = "keyword"

To assign different categories based on different keywords in the subject, you can use an IF statement for a couple of keywords but should use an array for a larger number of keywords. Instructions are at Using Arrays with Outlook macros.

 

Save to a different tasks folder

You can save the task to a different folder by adding two lines to the code. This example saves it to a Task folder in a different data file, in this case, a Sharepoint task list that is linked to Outlook.

You can also use a different folder in the mailbox. When the folder is the same level as the Tasks folder, using the example below.

Set SPSFolder = Session.GetDefaultFolder(olFolderTasks).Parent.Folders("Task folder Name")

When the folder is a subfolder under the default Tasks folder, use this:

Set SPSFolder = Session.GetDefaultFolder(olFolderTasks).Folders("Subfolder Name")

See Working with non-default Outlook Folders for more information.

' You need the GetFolderpath function from 
'http://slipstick.me/qf#GetFolderPath
Set SPSFolder = GetFolderPath("SharePoint Lists\Slipstick - Tasks")
    
    Set objTask = SPSFolder.Items.Add(olTaskItem)
    ' do whatever
    ' 
    objTask.Save

Create the rule

Create a rule using the condition and choose the action "Run a Script", choosing the ConvertMailtoTask script you pasted into the VBA editor. Complete the rule.
Create a rule to run a script

When a new message arrives meeting the conditions in the rule, the script runs and creates a task out of the message.

 

Create Task from the selected message

Jason wanted to know if we could use the code with a button to create a task from a selected message.

To do this, we needed to modify the original code just a little. To use it, create a command on the ribbon or toolbar and assign the macro to it. When you are reading a message in the reading pane, you can click the button to create a task.

This code doesn't work with open messages, but a little more tweaking can change that. Simply change the Set objMail line to Set objMail = GetCurrentItem() and get the GetCurrentItem function from "Outlook VBA: Work with Open Item or Selected Item".

To use, select the message and run the macro.

Sub ConvertSelectedMailtoTask()
    Dim objTask As Outlook.TaskItem
    Dim objMail As Outlook.MailItem
    
    Set objTask = Application.CreateItem(olTaskItem)
    Set objMail = Application.ActiveExplorer.Selection.Item(1)

With objTask
    .Subject = objMail.Subject
    .StartDate = objMail.ReceivedTime
    .Body = objMail.Body
'Add the message as an attachment
    .Attachments.Add objMail
    .Save
End With

    Set objTask = Nothing
    Set objMail = Nothing
End Sub
 

Tools

SimplyFile for Microsoft Outlook

SimplyFile helps you file incoming and outgoing messages to the right Outlook folder with one click of a mouse. SimplyFile's state of the art algorithm learns as you file messages and suggests destination folders for filing. All you have to do to send a message to the right folder is click a button. SimplyFile also includes buttons for turning messages into Tasks and Appointments. Compatible with Outlook 2000, 2002, 2003 and 2007. Version 2.3.4.106.

How to use macros

First: You will need macro security set to low during testing.

To check your macro security in Outlook 2010 or 2013, go to File, Options, Trust Center and open Trust Center Settings, and change the Macro Settings. In Outlook 2007 and older, it’s at Tools, Macro Security.

After you test the macro and see that it works, you can either leave macro security set to low or sign the macro.

Open the VBA Editor by pressing Alt+F11 on your keyboard.

To put the code in a module:

  1. Right click on Project1 and choose Insert > Module
  2. Copy and paste the macro into the new module.

More information as well as screenshots are at How to use the VBA Editor

More Information

Other macros to create tasks or appointments are at

  • Automatically create a task when sending a message
  • Create an Outlook Appointment from a Message
  • Create Task or Appointment and Insert Selected Text
  • Create Tasks from Email and move to different Task folders
  • How to set a flag to follow up using VBA
  • Replicate GTD: Create a task after sending a message
Create a Task from an Email using a Rule was last modified: April 8th, 2025 by Diane Poremsky

Related Posts:

  • Create a Task and copy to another Tasks folder
  • Automatically create a task when sending a message
  • Create a Series of Tasks Leading up to an Appointment
  • Create Task or Appointment and Insert Selected Text

About Diane Poremsky

A Microsoft Outlook Most Valuable Professional (MVP) since 1999, Diane is the author of several books, including Outlook 2013 Absolute Beginners Book. She also created video training CDs and online training classes for Microsoft Outlook. You can find her helping people online in Outlook Forums as well as in the Microsoft Answers and TechNet forums.

Subscribe
Notify of
338 Comments
newest
oldest most voted
Inline Feedbacks
View all comments

Josh
April 18, 2023 11:29 am

Hello,

How should one edit the code to have the attachments (and the email) inserted at the top of the body of the task?

Thanks!

0
0
Reply
Brian Stone
January 27, 2023 2:13 am

Thank you for the help! Wonderful tutorial! I am confused on the step to add the created task to a custom "task list" (screenshot attached)

Any help would be much appreciated.

Capture.JPG
0
0
Reply
Brian Stone
January 26, 2023 5:09 am

Hi Diane

Thank you so much for the clear wonderful instruction! Everything is working except when the mail comes in I would like the task to be created within a custom named "list"

I would love for the task to be created in the list in this screenshot.

Capture.JPG
0
0
Reply
Diane Poremsky
Author
Reply to  Brian Stone
January 26, 2023 9:08 am

For that you need to get the folder path - if the task folder is in the accounts data file:
When the folder is the same level as the Tasks folder, using the example below.
Set SPSFolder = Session.GetDefaultFolder(olFolderTasks).Parent.Folders("Task folder Name")

When the folder is a subfolder under the default Tasks folder, use this:
Set SPSFolder = Session.GetDefaultFolder(olFolderTasks).Folders("Subfolder Name")

Then this to create it:
Set objTask = SPSFolder.Items.Add(olTaskItem)
' do whatever
'
objTask.Save

If its in another data file, you need to get the folder path:
' You need the GetFolderpath function from
'http://slipstick.me/qf#GetFolderPath
Set SPSFolder = GetFolderPath("SharePoint Lists\Slipstick - Tasks")
Set objTask = SPSFolder.Items.Add(olTaskItem)
' do whatever
'
objTask.Save

0
0
Reply
Brian Stone
Reply to  Diane Poremsky
February 1, 2023 5:39 am

Dear Diane

Thank you so much, I'm afraid I'm still not quite sure where I am going wrong, what would I add to the script I have?

Sub ConvertMailtoTask(Item As Outlook.MailItem)
    Dim objTask As Outlook.TaskItem
    Set objTask = Application.CreateItem(olTaskItem)
    Set SPSFolder = Session.GetDefaultFolder(olFolderTasks).Parent.Folders("RedBerries")
With objTask
    .Subject = Item.Subject
    .StartDate = Item.ReceivedTime
    .Body = Item.Body
     Dim newAttachment As Outlook.Attachments

 Set newAttachment = objTask.Attachments
   newAttachment.Add Item, olEmbeddeditem
   If Item.Attachments.Count > 0 Then
CopyAttachments Item, objTask
End If
    .Save
End With
    Set objTask = Nothing
End Sub

Sub CopyAttachments(objSourceItem, objTargetItem)
   Set fso = CreateObject("Scripting.FileSystemObject")
   Set fldTemp = fso.GetSpecialFolder(2) ' TemporaryFolder
   strPath = fldTemp.Path & "\"
   For Each objAtt In objSourceItem.Attachments
      strFile = strPath & objAtt.FileName
      objAtt.SaveAsFile strFile
      objTargetItem.Attachments.Add strFile, , , objAtt.DisplayName
      fso.DeleteFile strFile
   Next
 
   Set fldTemp = Nothing
   Set fso = Nothing
End Sub

Apologies, still learning.

Kind Regards

0
0
Reply
Sherlin
June 14, 2021 4:32 am

I think the other way to do this to create "Quick Steps".
In the Home tab, click on "Create New" under "Quick Steps" category. Refer below link for more information
Automate common or repetitive tasks with Quick Steps - Outlook (microsoft.com)

Last edited 4 years ago by Sherlin
0
0
Reply
Diane Poremsky
Author
Reply to  Sherlin
June 14, 2021 7:18 am

That method is not automatic (a rule is) and a macro can copy the message body exactly - the quick step adds a to/from header and removes images. It also only uses the default tasks folder. A macro can use any task folder in your profile.

0
0
Reply
Cischology
June 8, 2021 9:49 am

Thank you so much for share this. I tried your code and the only thing that is not working and I am having an issue with, how do I make the email as an attachment in the task created?

2021-06-08_6-43-39.jpg
0
0
Reply
Diane Poremsky
Author
Reply to  Cischology
June 9, 2021 12:25 am

Do you have macro security set to low? If not, outlook might be blocking it.

This will add the message as an attachment -
'Add the message as an attachment
  .Attachments.Add objMail

0
0
Reply
cischology
Reply to  Diane Poremsky
June 9, 2021 3:34 pm

Thank you for your quick reply, however, it does not seem to change anything no matter which option I chose.

low2021-06-09_12-30-38.jpg
code.jpg
0
0
Reply
Diane Poremsky
Author
Reply to  cischology
June 9, 2021 6:35 pm

Oh, wait. I think I misread - the macro works, just not adding an attachment.

you are declaring the mail item as 'item' in the first line - so you need to use item here-

 .Attachments.Add item

Sorry for misunderstanding.

1
0
Reply
cischology
Reply to  Diane Poremsky
June 10, 2021 5:51 pm

Thank you so much. Can you please also assist me with a way on how I can eliminate duplicated tasks? or some times I get the same email twice so instead of having duplicate task the code will check for it and create the task once.
Sorry I am not too savvy with VBA. TIA

0
0
Reply
Diane Poremsky
Author
Reply to  cischology
June 10, 2021 9:47 pm

I'll have to think on the best way to do this - duplicate checking macros can be slow.

0
0
Reply
Edward
January 14, 2021 10:46 am

Hi Diane - hoping you are well. I've looked at a variety of your codes and found one that will automatically create a task based on sending an email that contains a category - I will paste it below with my minor changes. Private Sub Application_ItemSend(ByVal Item As Object, Cancel As Boolean) 'Updated by Extendoffice 20181123 If Item.Categories <> "3 month follow up" Then  Exit Sub End If       Dim xYesNo As Integer   Dim xPrompt As String   Dim xTaskItem As TaskItem   Dim xRecipient As String   On Error Resume Next   xPrompt = "Do you want to create a task for this message?"   xYesNo = MsgBox(xPrompt, vbYesNo + vbInformation, "3 Month Follow Up")   Cancel = False   If xYesNo = vbNo Then Exit Sub   Set xTaskItem = Application.CreateItem(olTaskItem)   For Each Rcp In Item.Recipients     If xRecipient = "" Then       xRecipient = Rcp.Address     Else       xRecipient = xRecipient & vbCrLf & Rcp.Address     End If   Next Rcp   xRecipient = xRecipient & vbCrLf & Item.Body   With xTaskItem     .Subject = Item.Subject     .StartDate = Item.ReceivedTime     .DueDate = Date + 84 + CDate("8:00:00 AM")     .ReminderSet = True     .ReminderTime = Date + 84 + CDate("8:00:00 AM")     .Body = xRecipient     .Save   End With   Set xTaskItem = Nothing End Sub This code works as… Read more »

Last edited 4 years ago by Edward
0
0
Reply
Diane Poremsky
Author
Reply to  Edward
June 9, 2021 12:31 am

you need to use an if statement - probably in a select case to cover each category -
if item.categories = "category 1" then
 .ReminderTime = Date + 14 + CDate("8:00:00 AM")
end if

using select case will allow you to do something like this:

select case item.categories

case "category 1"
lRemind = 14

case "category 2"
lremind = 28

end select

Then you will use

.ReminderTime = Date + lremind + CDate("8:00:00 AM")

0
0
Reply
CharlesC
October 23, 2020 10:20 am

Hi Diane,

I Just want to sincerely thank you for all the valuable information you contribute. It has literally saved me days of work.

0
0
Reply
Neil
August 24, 2020 10:24 pm

Hi Diane I'm new to VBA but enjoying the cool features we can add like changing the subject line, reply all with attachment and automatically creating a task if someone sends me an email with "can you" [do something] in the body.

The create task wors fine but the maco doesn't seem to add the email as an attachment - for example in Outlook 365 you can drag an email to the to-do and it will maintain the email so when you click on the task it brings up the email.

Any thoughts? thanks!

0
0
Reply
Diane Poremsky
Author
Reply to  Neil
August 25, 2020 1:06 am

The last macro should add it as an attachment -
'Add the message as an attachment
  .Attachments.Add objMail

0
0
Reply
Neil
Reply to  Neil
August 25, 2020 7:58 am

Hi - thanks but I think I broke it...code is below - any thoughts would be appreciated!
Sub ConvertMailtoTask(Item As Outlook.MailItem)
  Dim objTask As Outlook.TaskItem
  Set objTask = Application.CreateItem(olTaskItem)
With objTask
  .Subject = Item.Subject
  .StartDate = Item.ReceivedTime
  .DueDate = Item.ReceivedTime + 1
  .Importance = olImportanceHigh
  .Body = Item.Body
  Dim newAttachment As Outlook.Attachments
  Set newAttachment = objTask.Attachments
  newAttachment.Add Item, olEmbeddeditem
  If Item.Attachments.Count > 0 Then
  CopyAttachments Item, objTask
  .Attachments.Add objMail
End If
  .Save
End With
  Set objTask = Nothing
End Sub

0
0
Reply
Neil
Reply to  Neil
August 28, 2020 6:04 am

changed ot this - seems ot work

<strong>Sub</strong>

CreateNewTask(Item&nbsp;

<strong>As</strong>

Outlook.MailItem)
<strong>Dim</strong>

xNewTask&nbsp;

<strong>As</strong>

TaskItem
<strong>On</strong>

<strong>Error</strong>

<strong>Resume</strong>

<strong>Next</strong>
<strong>Set</strong>

xNewTask = Outlook.CreateItem(olTaskItem)
<strong>With</strong>

xNewTask

.Subject = Item.Subject

.StartDate = Item.ReceivedTime

.DueDate = Item.ReceivedTime + 1

.Body = Item.Body

.Importance = olImportanceHigh

.Save
<strong>End</strong>

<strong>With</strong>
<strong>Set</strong>

xNewTask =&nbsp;

<strong>Nothing</strong>
<strong>End</strong>

<strong>Sub</strong>

0
0
Reply

Visit Slipstick Forums.
What's New at Slipstick.com

Latest EMO: Vol. 30 Issue 36

Subscribe to Exchange Messaging Outlook






Support Services

Do you need help setting up Outlook, moving your email to a new computer, migrating or configuring Office 365, or just need some one-on-one assistance?

Our Sponsors

CompanionLink
ReliefJet
  • Popular
  • Latest
  • Week Month All
  • Use Classic Outlook, not New Outlook
  • Mail Templates in Outlook for Windows (and Web)
  • How to Remove the Primary Account from Outlook
  • Reset the New Outlook Profile
  • Disable "Always ask before opening" Dialog
  • Adjusting Outlook's Zoom Setting in Email
  • This operation has been cancelled due to restrictions
  • How to Hide or Delete Outlook's Default Folders
  • Syncing Outlook with an Android smartphone
  • Remove a password from an Outlook *.pst File
  • Opt out of Microsoft 365 Companion Apps
  • Mail Templates in Outlook for Windows (and Web)
  • Urban legend: Microsoft Deletes Old Outlook.com Messages
  • Buttons in the New Message Notifications
  • Move Deleted Items to Another Folder Automatically
  • Open Outlook Templates using PowerShell
  • Count and List Folders in Classic Outlook
  • Google Workspace and Outlook with POP Mail
  • Import EML Files into New Outlook
  • Opening PST files in New Outlook
Ajax spinner

Recent Bugs List

Microsoft keeps a running list of issues affecting recently released updates at Fixes or workarounds for recent issues in classic Outlook (Windows).

For new Outlook for Windows: Fixes or workarounds for recent issues in new Outlook for Windows .

Outlook for Mac Recent issues: Fixes or workarounds for recent issues in Outlook for Mac

Outlook.com Recent issues: Fixes or workarounds for recent issues on Outlook.com

Office Update History

Update history for supported Office versions is at Update history for Office

Outlook Suggestions and Feedback

Outlook Feedback covers Outlook as an email client, including Outlook Android, iOS, Mac, and Windows clients, as well as the browser extension (PWA) and Outlook on the web.

Outlook (new) Feedback. Use this for feedback and suggestions for Outlook (new).

Use Outlook.com Feedback for suggestions or feedback about Outlook.com accounts.

Other Microsoft 365 applications and services




New Outlook Articles

Opt out of Microsoft 365 Companion Apps

Mail Templates in Outlook for Windows (and Web)

Urban legend: Microsoft Deletes Old Outlook.com Messages

Buttons in the New Message Notifications

Move Deleted Items to Another Folder Automatically

Open Outlook Templates using PowerShell

Count and List Folders in Classic Outlook

Google Workspace and Outlook with POP Mail

Import EML Files into New Outlook

Opening PST files in New Outlook

Newest Code Samples

Open Outlook Templates using PowerShell

Count and List Folders in Classic Outlook

Insert Word Document into Email using VBA

Warn Before Deleting a Contact

Use PowerShell to Delete Attachments

Remove RE:, FWD:, and Other Prefixes from Subject Line

Change the Mailing Address Using PowerShell

Categorize @Mentioned Messages

Send an Email When You Open Outlook

Delete Old Calendar Events using VBA

VBA Basics

How to use the VBA Editor

Work with open item or selected item

Working with All Items in a Folder or Selected Items

VBA and non-default Outlook Folders

Backup and save your Outlook VBA macros

Get text using Left, Right, Mid, Len, InStr

Using Arrays in Outlook macros

Use RegEx to extract message text

Paste clipboard contents

Windows Folder Picker

Custom Forms

Designing Microsoft Outlook Forms

Set a custom form as default

Developer Resources

Developer Resources

Developer Tools

VBOffice.net samples

SlovakTech.com

Outlook MVP David Lee

Repair PST

Convert an OST to PST

Repair damaged PST file

Repair large PST File

Remove password from PST

Merge Two Data Files

Sync & Share Outlook Data

  • Share Calendar & Contacts
  • Synchronize two computers
  • Sync Calendar and Contacts Using Outlook.com
  • Sync Outlook & Android Devices
  • Sync Google Calendar with Outlook
  • Access Folders in Other Users Mailboxes

Diane Poremsky [Outlook MVP]

Make a donation

Mail Tools

Sending and Retrieval Tools

Mass Mail Tools

Compose Tools

Duplicate Remover Tools

Mail Tools for Outlook

Online Services

Calendar Tools

Schedule Management

Calendar Printing Tools

Calendar Reminder Tools

Calendar Dates & Data

Time and Billing Tools

Meeting Productivity Tools

Duplicate Remover Tools

Productivity

Productivity Tools

Automatic Message Processing Tools

Special Function Automatic Processing Tools

Housekeeping and Message Management

Task Tools

Project and Business Management Tools

Choosing the Folder to Save a Sent Message In

Run Rules on messages after reading

Help & Suggestions

Submit Outlook Feature Requests

Slipstick Support Services

Buy Microsoft 365 Office Software and Services

Visit Slipstick Forums.

What's New at Slipstick.com

Home | Outlook User | Exchange Administrator | Office 365 | Outlook.com | Outlook Developer
Outlook for Mac | Common Problems | Utilities & Addins | Tutorials
Outlook & iCloud Issues | Outlook Apps
EMO Archives | About Slipstick | Slipstick Forums
Submit New or Updated Outlook and Exchange Server Utilities

Send comments using our Feedback page
Copyright © 2025 Slipstick Systems. All rights reserved.
Slipstick Systems is not affiliated with Microsoft Corporation.

:wpds_smile::wpds_grin::wpds_wink::wpds_mrgreen::wpds_neutral::wpds_twisted::wpds_arrow::wpds_shock::wpds_unamused::wpds_cool::wpds_evil::wpds_oops::wpds_razz::wpds_roll::wpds_cry::wpds_eek::wpds_lol::wpds_mad::wpds_sad::wpds_exclamation::wpds_question::wpds_idea::wpds_hmm::wpds_beg::wpds_whew::wpds_chuckle::wpds_silly::wpds_envy::wpds_shutmouth:
wpDiscuz

Sign up for Exchange Messaging Outlook

Our weekly Outlook & Exchange newsletter (bi-weekly during the summer)






Please note: If you subscribed to Exchange Messaging Outlook before August 2019, please re-subscribe.

Never see this message again.

You are going to send email to

Move Comment