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

Autoaccept a Meeting Request using Rules

Slipstick Systems

› Outlook › Calendar › Autoaccept a Meeting Request using Rules

Last reviewed on September 27, 2021     211 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.

An interesting problem came up in the Microsoft public newsgroups this week. Richard posts:

We have a specific user requirement to auto accept meeting requests only from some selected organizers, but I don't see any choice in Rule Wizard for meeting requests. Does anyone have an idea, please?

Create a ruleOf course I have an idea. Begin with a rule using the conditions "from people or distribution list" and "uses the specified form", choosing the Meeting Request form under Application forms.

Since there is not an action to respond to meeting requests, you'll need to use a script to accept it. Outlook MVP Michal Bednarz offers this script, which you need to add to ThisOutlookSession before creating the rule.

This was tested in Outlook 2007 and should work in any version which supports the Run a Script action.

The Basic Code

Sub AutoAcceptMeetings(oRequest As MeetingItem)

If oRequest.MessageClass <> "IPM.Schedule.Meeting.Request" Then
  Exit Sub
End If

Dim oAppt As AppointmentItem
Set oAppt = oRequest.GetAssociatedAppointment(True)

Dim oResponse
 Set oResponse = oAppt.Respond(olMeetingAccepted, True)
 oResponse.Display '.Send
End Sub

How to use

Open Outlook's VBA editor (Alt+F11), expand Microsoft Office Outlook Objects then double click on ThisOutlookSession. Type or paste the code into the module, then create the rule with the 'run script' Action and select this script

To decline a meeting, replace olMeetingAccepted with olMeetingDeclined:

Set oResponse = oAppt.Respond(olMeetingDeclined, True)

To Save with no response sent

To accept the meeting and add it to your calendar automatically, without sending a response, one of two options should work to suppress the response:

oResponse.Close (olDiscard)
or
oResponse.Close (olSave)
oResponse.Delete

The difference between the two is that olSave saves a draft of the acceptance (or decline) and if you don't delete it using the Delete line, a tentative appointment may be added to the calendar.

Sub AutoAcceptMeetings(oRequest As MeetingItem)

If oRequest.MessageClass <> "IPM.Schedule.Meeting.Request" Then
  Exit Sub
End If

Dim oAppt As AppointmentItem
Set oAppt = oRequest.GetAssociatedAppointment(True)
Dim oResponse

Set oResponse = oAppt.Respond(olMeetingAccepted, True)
' creates response, saves to drafts without sending
oResponse.Close (olSave)
' deletes draft response
' if not deleted, may create tentative appt on calendar
oResponse.Delete
End Sub

 

Add a Category when the meeting is accepted

This version looks for the meeting acceptance message and adds a category to the meeting, allowing you to see at a glance if it was accepted.

Sub AutoAcceptMeetings(oRequest As MeetingItem)

If oRequest.MessageClass <> "IPM.Schedule.Meeting.Resp.Pos" Then
  Exit Sub
End If

Dim oAppt As AppointmentItem
Set oAppt = oRequest.GetAssociatedAppointment(True)

Debug.Print oAppt.Subject
oAppt.Categories = "Accepted"
oAppt.Save

End Sub

 

Move meeting to a new calendar after accepting

This run a script macro accepts the meeting then moves it to another calendar (a subfolder of the default calendar as written). See Working with VBA and non-default Outlook Folders for the methods needed to move it to other calendar folders.

Because moving a meeting adds Copy to the subject, it picks up the original subject and replaces the subject with it after the move.

Sub AutoAcceptMeetings(oRequest As MeetingItem)
If oRequest.MessageClass <> "IPM.Schedule.Meeting.Request" Then
  Exit Sub
End If

Dim oAppt As AppointmentItem
Dim strSubject As String
Dim newCalFolder As Outlook.Folder
Dim apptMove As Object

Set oAppt = oRequest.GetAssociatedAppointment(True)
Dim oResponse
 Set oResponse = oAppt.Respond(olMeetingAccepted, True)
 oResponse.Send

strSubject = oAppt.Subject

Set newCalFolder = Session.GetDefaultFolder(olFolderCalendar).Folders("New")
Set apptMove = oAppt.Move(newCalFolder)

' use original subject and save
apptMove.Subject = strSubject
apptMove.Save
End Sub

Turn off Reminders

To turn reminders off on the meeting, add these lines to the code. It can either go right after the 'Set oAppt' line or before End Sub.

Appt.ReminderSet = False
Appt.Save

To Delete from the Inbox once processed

Add the following before End Sub:

oRequest.Delete

 

Apply rule to meetings scheduled for a specific day of the week

This edit uses the WeekDayName function to get the day of the week and automatically process the meeting. Use the full weekday name in the string.

dayWed = WeekdayName(Weekday(oAppt.Start))
If dayWed = "Wednesday" Then

Sub AutoAcceptMeetingsWed(oRequest As MeetingItem)

If oRequest.MessageClass <> "IPM.Schedule.Meeting.Request" Then
  Exit Sub
End If
     
Dim oAppt As AppointmentItem
Set oAppt = oRequest.GetAssociatedAppointment(True)

dayWed = WeekdayName(Weekday(oAppt.Start))
   
If dayWed = "Wednesday" Then

Dim oResponse
 Set oResponse = oAppt.Respond(olMeetingAccepted, True)
 oResponse.Send

End If
End Sub

 

Accept Meetings during working hours

Use this macro to accept meetings only during your working hours. Any meetings before your working time or after your day ends, you be declined. Meetings during those times will be accepted.

Sub AcceptWorkingHours(oRequest As MeetingItem)
If oRequest.MessageClass <> "IPM.Schedule.Meeting.Request" Then
  Exit Sub
End If
Dim oAppt As AppointmentItem
Dim oResponse
Set oAppt = oRequest.GetAssociatedAppointment(True)
meetingtime = Format(oAppt.Start, "h:mm:ss AM/PM")

If meetingtime < #8:45:00 AM# Or meetingtime > #6:45:00 PM# Then

Set oResponse = oAppt.Respond(olMeetingDeclined, True)
oResponse.Send
 
 Else
 
Set oResponse = oAppt.Respond(olMeetingAccepted, True)
 oResponse.Send
End If

oRequest.Close (olSave)
oRequest.Delete
End Sub

 

Decline if not enough lead time

This version of the macro will decline the meeting request if the meeting is on short notice. For this example, it is configured for 8 hours.

You can use either decimal points (Time + 0.333333) for the time difference or divide by hours or minutes: Time + 8/24 (or 480/1440).

Tip: If your lead time has many decimal places, the more you use, the more accurate the time, however, 5 to 6 decimal places should be accurate within a few seconds.

Sub LeadTime(oRequest As MeetingItem)
If oRequest.MessageClass <> "IPM.Schedule.Meeting.Request" Then
  Exit Sub
End If
Dim oAppt As AppointmentItem
Dim oResponse
Set oAppt = oRequest.GetAssociatedAppointment(True)

meetingtime = Format(oAppt.Start, "h:mm:ss AM/PM")
Debug.Print Time, Time + 0.333333

If Time + 0.3333333 < meetingtime Then

Set oResponse = oAppt.Respond(olMeetingDeclined, True)
oResponse.sEnd
 
 Else
 
' delete these if you want to accept/decline yourself
Set oResponse = oAppt.Respond(olMeetingAccepted, True)
 oResponse.sEnd
End If

oRequest.Close (olSave)
oRequest.Delete
End Sub

 

Check Free/Busy before accepting

Steve wanted to know how to decline if there was a conflict. For this we need to check Free/Busy. Checking the Free/Busy is actually fairly easy and the code we need is at Recipient.FreeBusy Method.

Set yourself as a Recipient, using your email address, display name, or alias:

Set myAcct = Session.CreateRecipient("alias@slipstick.com")

Then get your Free/Busy string:

myFB = myAcct.FreeBusy(oAppt.Start, 5, False)

You need a date to check, and we'll use the appointment start date. The Free/Busy string begins at midnight on this date.

The next value is how many minutes are in each Free/Busy "period" represented by the myFB string. After much trial and error, I've decided that 5 minutes is probably the best value, since it's the smallest time period displayed on the calendar.

The final value is True or False (if you leave it blank, it's False). False tells Outlook to either return 0 for Free (and Working elsewhere in Outlook 2013) and 1 for "not free". True returns values specific to the Show time as setting.

Next, you need to know how many time periods are between midnight and the appointment time (there are 288 5 minutes periods each day):

i = (TimeValue(oAppt.Start) * 288)

Use that value to create a string of the periods the appointment covers. If you want to build in some downtime between appointments, subtract from i before calculating ( i - 2 gives 10 min between appointments) and add the same value to the duration calculation.

test = Mid(myFB, i, oAppt.Duration / 5)

test = Mid(myFB, i-2, (oAppt.Duration / 5)+2) starts 2 periods before the start time, or in my example, leaves 10 min between the last appointment and this one.

Finally, we use InStr to look for a match within the substring that covers our appointment period. If the string contains a 1, the appointment should be declined:

If InStr(1, test, "1") Then

To help you understand the code (and check my calculations), I left my Debug.Print code in. Open the Immediate windows in the VB Editor using Ctrl+G or select it from the View menu to see the results. Those 0, 1, and 2's each represent a 5 minute block of time beginning at 12:00 AM on that date.

Debug.print results in the Immediate window

Sub CheckFreeBusy(oRequest As MeetingItem)
If oRequest.MessageClass <> "IPM.Schedule.Meeting.Request" Then
  Exit Sub
End If
 
Dim oAppt As AppointmentItem
Set oAppt = oRequest.GetAssociatedAppointment(True)

Dim myAcct As Outlook.Recipient
Dim myFB As String

Set myAcct = Session.CreateRecipient("alias@slipstick.com")

Debug.Print oAppt.Duration
Debug.Print "Time: " & TimeValue(oAppt.Start)
Debug.Print "periods before appt: " & TimeValue(oAppt.Start) * 288
Debug.Print oAppt.Start

myFB = myAcct.FreeBusy(oAppt.Start, 5, False)

Debug.Print myFB

Dim oResponse
Dim i As Long
Dim test As String

i = (TimeValue(oAppt.Start) * 288)
test = Mid(myFB, i - 2, (oAppt.Duration / 5) + 2)

Debug.Print "String to check: " & test

If InStr(1, test, "1") Then
 Set oResponse = oAppt.Respond(olMeetingDeclined, True)
 oResponse.Display
 
 Else
  Set oResponse = oAppt.Respond(olMeetingAccepted, True)
 oResponse.Display
End If
End Sub

If you want to check for specific values or consider tentative appointments as Free, you can change If InStr(1, test, "1") Then to use different values. Use If InStr(1, test, "2") or InStr(1, test, "3") Then to check for Busy and Out of Office.

Free/BusyValue
Free0
Tentative1
Busy2
Out of Office3
Working Elsewhere (Outlook 2013)0

How to use the macros on this page

First: You need to have macro security set to the lowest setting, Enable all macros during testing. The macros will not work with the top two options that disable all macros or unsigned macros. You could choose the option Notification for all macros, then accept it each time you restart Outlook, however, because it's somewhat hard to sneak macros into Outlook (unlike in Word and Excel), allowing all macros is safe, especially during the testing phase. You can sign the macro when it is finished and change the macro security to notify.

To check your macro security in Outlook 2010 and newer, go to File, Options, Trust Center and open Trust Center Settings, and change the Macro Settings. In Outlook 2007 and older, look 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.

The macros on this page should be placed in a module.

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

More Run a Script Samples:

  • Autoaccept a Meeting Request using Rules
  • Automatically Add a Category to Accepted Meetings
  • Blocking Mail From New Top-Level Domains
  • Convert RTF Messages to Plain Text Format
  • Create a rule to delete mail after a number of days
  • Create a Task from an Email using a Rule
  • Create an Outlook Appointment from a Message
  • Create Appointment From Email Automatically
  • Delegates, Meeting Requests, and Rules
  • Delete attachments from messages
  • Forward meeting details to another address
  • How to Change the Font used for Outlook's RSS Feeds
  • How to Process Mail After Business Hours
  • Keep Canceled Meetings on Outlook's Calendar
  • Macro to Print Outlook email attachments as they arrive
  • Move messages CC'd to an address
  • Open All Hyperlinks in an Outlook Email Message
  • Outlook AutoReplies: One Script, Many Responses
  • Outlook's Rules and Alerts: Run a Script
  • Process messages received on a day of the week
  • Read Outlook Messages using Plain Text
  • Receive a Reminder When a Message Doesn't Arrive?
  • Run a script rule: Autoreply using a template
  • Run a script rule: Reply to a message
  • Run a Script Rule: Send a New Message when a Message Arrives
  • Run Rules Now using a Macro
  • Run-a-Script Rules Missing in Outlook
  • Save all incoming messages to the hard drive
  • Save and Rename Outlook Email Attachments
  • Save Attachments to the Hard Drive
  • Save Outlook Email as a PDF
  • Sort messages by Sender domain
  • Talking Reminders
  • To create a rule with wildcards
  • Use a Macro to Copy Data in an Email to Excel
  • Use a Rule to delete older messages as new ones arrive
  • Use a run a script rule to mark messages read
  • Use VBA to move messages with attachments
Autoaccept a Meeting Request using Rules was last modified: September 27th, 2021 by Diane Poremsky

Related Posts:

  • set a reminder using a rule
    Set a reminder when accepting a meeting request
  • Accept or decline a meeting request then forward or copy it
  • Forward meeting details to another address
  • Delegates, Meeting Requests, and Rules

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
211 Comments
newest
oldest most voted
Inline Feedbacks
View all comments

ajkessel
January 17, 2023 5:30 pm

This works for me for the most part on the latest Outlook 365; however, oRequest.Delete does not appear to actually delete the item. Any ideas why it's not working, or what needs to be changed?

0
0
Reply
Chris Mathison
September 28, 2021 10:45 am

Hi Diane, My company has a need for several custom Outlook add-ins. Can you recommend anyone who might be interested in working with us on this? Thanks in advance.

0
0
Reply
Eric Arnst
June 25, 2021 10:09 am

Diane, This is amazing. Thank you. For the FreeBusy macro on Outlook 2016, I noticed a couple things: It seems like meetings were being automatically set for "Tentative" when the request arrived, so it was necessary to change "myFB = myAcct.FreeBusy(oAppt.Start, 5, False)" to "True", otherwise everything got automatically declined. With that set to True, it works fine for me since I "accept" the request, even if I am "Tentative" during the time slot. It seemed like the time calculation was starting one "5-minute segment" too early. So if I had an invite come through for any otherwise free spot but scheduled directly behind another meeting, the string would look like, "2000000" which would cause it to be declined. I changed the "test" to be "test = Mid(myFB, i + 1, oAppt.Duration / 5)" and that seems to have solved the problem, but I'll continue to test. Curious to hear your thoughts on both of those items, especially the second one. I'm trying to think of scenarios where my "i + 1" might cause an issue. Seems pretty unlikely if it will ever matter if I am checking 8:05-8:30 rather than 8:00-8:30 (if that is indeed what my +1 is… Read more »

Last edited 4 years ago by Eric Arnst
0
0
Reply
Diane Poremsky
Author
Reply to  Eric Arnst
June 27, 2021 5:00 pm

>> Seems pretty unlikely if it will ever matter if I am checking 8:05-8:30 rather than 8:00-8:30 (if that is indeed what my +1 is actually achieving,
Correct, that is what the +1 is supposed to check.

That it works, that is what matters. :)

0
0
Reply
Foster
March 18, 2021 7:46 am

Thanks so much for this code. I am trying to implement the above codes for lead time and free/busy with some modifications. I am a novice with this coding and want to add a reply to the meeting organizer to tell them why their meeting is declined (too little notice or busy). How can I send the response with comments from within the scripts? And is it ok to run these scripts in successive rules (free/busy, then lead time)? Or do I need to put them in one script?

0
0
Reply
boredazfcuk
Reply to  Foster
June 30, 2022 5:00 am

This is how I'm sending comments in the appointment response... (taken from my script to decline based on working hours):

&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;'----- Add a response to the message body -----
&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;oResponse.Body = "Hi," &amp; vbCrLf &amp; vbCrLf &amp; "That meeting request is outside of business hours, which are currently 8:30am to 5pm." &amp; vbCrLf &amp; vbCrLf &amp; "Please reschedule." &amp; vbCrLf &amp; vbCrLf &amp; "Thanks."
&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;'----- Send the response -----
&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;oResponse.Send

0
0
Reply
Jordi
November 25, 2020 11:54 am

Thanks for this code, it is really helpful, just one question:
I understand that these macros only work while outlook is running, correct? If I have my computer switched off and I recieve a meeting invite, it will not be processed until I switch on my computer and run outlook.

0
0
Reply
Diane Poremsky
Author
Reply to  Jordi
November 25, 2020 1:40 pm

Correct, VBA only runs when outlook is open.

0
0
Reply
Joe Murphy
February 7, 2020 11:14 am

VB keeps failing on the oResponse. Close (olSave) line highlighted below.

Running Outlook for Office 365 MSO (16.0.11929.20536) 64-bit

I feel like it's a syntax error but unsure.

Sub AutoAcceptMeetings(oRequest As MeetingItem)

If oRequest.MessageClass "IPM.Schedule.Meeting.Request" Then
Exit Sub
End If

Dim oAppt As AppointmentItem
Set oAppt = oRequest.GetAssociatedAppointment(True)

Dim oResponse
Set oResponse = oAppt.Respond(olMeetingAccepted, True)
oResponse.Send

oResponse.Close (olSave)
oRequest.Delete

End Sub

Thanks!

Joe

0
0
Reply
Adam
July 19, 2019 9:24 am

Is there any way to add conditions to the auto decline/accept, say if I wanted to automatically decline meeting invitations from a specific user?

3
0
Reply
Alon
June 15, 2019 12:13 pm

Hi.

I have a few questions / problems:
1. Lets say someone sent me a meeting and the script auto-accepted it.
Then he adds an invitee and sends the update to everyone. The script auto-declines the meeting because I'm using the FreeBusy segment and it detects the same meeting at that time slot. What can I do?

2. After the script declines a meeting, the message is deleted. But not after accepting it.
How do I do that?

3. When I get a meeting request on a time slot that's free, the FreeBusy returns 1 as any meeting received is automatically set to tentative by outlook. Anything I can do so it would return 0?

Thanks!

0
0
Reply
Diane Poremsky
Author
Reply to  Alon
June 16, 2019 1:14 am

1. The update should not be detected as a new meeting. If it is, you'll need an if statement the for is a meeting update message class, to exit the macro. If using rules, you can create an exception for the meeting update form.

2. I thought that was fixed. Do you have oRequest.Delete in the code?

3 We'll need to replace 1 with 0 for the test. Either do a replace after getting the string in this line:
myFB = myAcct.FreeBusy(oAppt.Start, 5, False)
myfb = replace(myfb, "1", "0")

or change false to true and look for 2's. Using Replace might be easier.

0
0
Reply
Alon
Reply to  Diane Poremsky
June 16, 2019 5:22 am

1. It is detected as a new meeting.
Even if I use the update class, I only want to exit if it wasn't a time change.
If it was a time change then I need to handle the FreeBusy logic again.
But then I can run into a problem again if the new updated time includes part of the old time.

Let's say if the original meeting was 10:00 - 11:00 and the new one is 10:30 - 11:00

In that case I would like to confirm it and not detect my schedule as busy... Unless the new updated meeting would be detected as tentative again... and then i have no problem. I'll have to do some tests.

Regarding item 2 - you're right. I was missing that.

0
0
Reply

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

Latest EMO: Vol. 30 Issue 28

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
  • Jetpack plugin with Stats module needs to be enabled.
  • 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
  • New Outlook: Show To, CC, BCC in Replies
  • Insert Word Document into Email using VBA
  • Delete Empty Folders using PowerShell
  • Warn Before Deleting a Contact
  • Classic Outlook is NOT Going Away in 2026
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

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

New Outlook: Show To, CC, BCC in Replies

Insert Word Document into Email using VBA

Delete Empty Folders using PowerShell

Warn Before Deleting a Contact

Classic Outlook is NOT Going Away in 2026

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