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

Copy Recurring Appointment Series to Appointments

Slipstick Systems

› Developer › Copy Recurring Appointment Series to Appointments

Last reviewed on February 9, 2018     40 Comments

Applies to: Outlook (classic), Outlook 2007, Outlook 2010

This code creates appointments from a selected recurring appointment. It picks up the appointment's start date (see warning below!) and creates appointments from the start date up to 30 days in the future, if the recurring appointment does not have an end date set.

The code gets the subject from the date of the selected appointment and creates a filter, so only the selected recurring appointment series is copied to appointments. If you have more than one appointment series with the same subject, appointments will be created for each series, since the filter uses the subject. Edit the subject of the series you want to copy so it is unique.

If you just need a list of dates, see How to print a list of recurring dates using VBA. To copy just a single occurrence to an appointment, see Copy Selected Occurrence to Appointment.

Using the macro

This macro was tested in Outlook 2010, Outlook 2007 and Outlook 2003. It should work with at least Outlook 2002 as well (it's built off the Outlook 2002 macro listed in More Information).

However, the filter (sFilter) needs to be edited for older versions, as [IsRecurring] does not work. Use this instead:

sFilter = "[Start] >= '1/1/2000' And [End] < '" & tEnd & "' And [Subject] = " & strSubject

Also, leading or ending spaces (" My Appointment" or "My Appointment ") in the subject will cause the macro to fail with 0 appointments found. Removing the spaces from the subject should take care of it. You could also move or copy the recurring appointment to a new Calendar folder and remove the subject filter.

When you select an appointment in Day/Week/Month view, the start date is for the selected occurrence, not the first appointment in the series. When you select the series in list view, it will use the very first date of the appointment. For this reason, I recommend using list view with this macro. I also recommend leaving the Message Box popup in the code and assigning categories to the copies. It makes it easier to identify inconsistencies before removing the original appointment series. See Tweaking the Macro for additional filter options

I recommend testing this macro first by creating (or copying) a recurring event (or two) to a second Calendar folder and running the code while viewing that folder.

Run a macro from the Developer tab
Outlook 2010 users can customize the QAT or ribbon with a button for the macro (File, Custom ribbon or Quick Access toolbar commands) or you can show the Developer ribbon and run it from the Macros button.

In older versions of Outlook, run the macro from the Tools, Macros menu or customize the toolbar and assign the macro to a toolbar button.

Convert Recurring Appointments to Appointments

Open the VBA Editor using Alt+F11. Expand the Project to display ThisOutlookSession on the left. Double click to open it and paste the code below into the right side. Select a calendar folder then run the macro.

To use, select a recurring appointment or meeting and run the macro. I highly recommend using list view when you use this macro.

Press the Break key on your keyboard to end macro if it is running longer than a few minutes and you are not using a date filter.

Sub ConvertRecurring()
    
   Dim CalFolder As Outlook.MAPIFolder
   Dim CalItems As Outlook.Items
   Dim ResItems As Outlook.Items
   Dim sFilter, strSubject As String
   Dim iNumRestricted As Integer
   Dim itm, newAppt As Object
   Dim tStart, tEnd As Date
   Dim recAppt As Object

   ' Use the selected calendar folder
   Set CalFolder = Application.ActiveExplorer.CurrentFolder
    
   Set recAppt = Application.ActiveExplorer.Selection.Item(1)
   ' Get all of the appointments in the folder
   Set CalItems = CalFolder.Items
 
   ' Sort all of the appointments based on the start time
   CalItems.Sort "[Start]"
 
   ' Include the recurrences from the selected date forward
   CalItems.IncludeRecurrences = True
    
   ' Pick up the Start Date of the selected appointment occurrence
   ' Use a List view to get all occurrences
    tStart = Format(recAppt.Start, "Short Date")
    
 ' macro limits all appt to 30 days from now
 ' so you can end a series early 
  tEnd = Format(Now + 30, "Short Date")

   ' Pick up the selected appointment's subject
    strSubject = recAppt.Subject
  
   'create the Restrict filter
   sFilter = "[Start] >= '" & tStart & "'" & " And [End] < '" & tEnd & "' And  [IsRecurring]  = True And [Subject] = " & Chr(34) & strSubject & Chr(34)
   
   ' Apply the filter to the collection
   Set ResItems = CalItems.Restrict(sFilter)
 
   iNumRestricted = 0
 
   'Loop through the items in the collection.
   For Each itm In ResItems
      iNumRestricted = iNumRestricted + 1
       
  Set newAppt = ActiveExplorer.CurrentFolder.Items.Add(olAppointmentItem)
 
  newAppt.Start = itm.Start
  newAppt.End = itm.End
  newAppt.Subject = itm.Subject & " (Copy)"
  newAppt.Body = itm.Body
  newAppt.Location = itm.Location
  newAppt.Categories = "Test Code, " & itm.Categories
  newAppt.ReminderSet = False
   
' Copies attachments to each appointment.
  If itm.Attachments.Count > 0 Then
    CopyAttachments itm, newAppt
  End If
         
  newAppt.Save
 
   Next
 
   ' Display the actual number of appointments created
     MsgBox (iNumRestricted & " appointments were created"), vbOKOnly, "Convert Recurring Appointments"
 
   Set itm = Nothing
   Set newAppt = Nothing
   Set ResItems = Nothing
   Set CalItems = Nothing
   Set CalFolder = 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

Tweaking the Macro

If you want to create appointments for all recurring series in the selected calendar, remove the subject from the filter and use a generic start date, or hard-code a date. By using a start date far in the past, you can select any date in the Day, Week, or Month view.
Remember: [IsRecurring] doesn't work in Outlook 2007 and under.

Use a specific start (or end) date

Use a filter with the start date hard-coded:

sFilter = "[Start] >= '1/1/2000' And [End] < '" & tEnd & "' And  [IsRecurring]  = True And [Subject] = " & strSubject

Use a start date in the past:

tStart = Format(Now - 365, "Short Date")
sFilter = "[Start] >= '" & tStart & "'" & " And [End] < '" & tEnd & "' And  [IsRecurring]  = True"

To use a specific end date, replace tEnd with the date:

sFilter = "[Start] >= '1/1/2000' And [End] < '1/1/2016' And  [IsRecurring]  = True And [Subject] = " & strSubject

Include attendees names in appointments

To include a list of meeting invitees in the appointment body, use

newAppt.Body = "Attendees: " & itm.RequiredAttendees & itm.OptionalAttendees & vbCrLf & itm.Body

This will add your own name on appointments (you are always 'attending').

Convert all appointments in a series

To convert all events in the series, replace tEnd = Format(Now + 30, "Short Date") with the following code. If the series doesn't have an end date, appointments are created through one year from now. (The start date is the appointment start, if selected in list view.)

Change the 2 and 1 as needed.

   Dim oPattern As RecurrencePattern
   Set oPattern = recAppt.GetRecurrencePattern
    tEnd = oPattern.PatternEndDate
    
    ' if no end date or more than 2 years into the future
    ' then 1 year from now
    ' date for 'if tEnd >' should always be equal or higher
    If tEnd > Format(Now, "mm/dd/") & Format(Now, "yyyy") + 2 Then
        tEnd = Format(Now, "mm/dd/") & Format(Now, "yyyy") + 1 
    End If

More Information

OL2002: Incorrect Count Property Using Recurring Appointments

Copy Recurring Appointment Series to Appointments was last modified: February 9th, 2018 by Diane Poremsky
Post Views: 46

Related Posts:

  • Copy Selected Occurrence to an Appointment
  • How to print a list of recurring dates using VBA
  • See all dates in a recurring series
  • Create Outlook appointments using multiple recurring patterns

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.

Comments

  1. Joris Linssen says

    January 4, 2019 at 3:27 am

    This is a great solution for an obviously missing feature in Outlook, so thanks for that! To make the solution even more complete I've added the code newAppt.BusyStatus = itm.BusyStatus to my implementation of the macro, in order to carry over the busy/free/tentative state of the recurring appointment.

    Reply
  2. Ken says

    August 28, 2017 at 5:32 pm

    I receive "0 appointments were created" in Outlook 2013 running this on a recurring meeting copied from another calendar. The original appointment was created with Outlook 2003. This appointment is the only one in this calendar.

    I see an IsRecurring property in Item 1 of CalItems, but tried using the pre-2007 sFilter, but get the same results. ResItems is empty.

    I noticed that after setting the CalItems,IncludeRecurrences to true, the CalItems.count = 2147483647 and CalItems.Item 1.ConversationID changes from something that looks like a GUID to .

    It seems like the filter isn't working.

    Any Ideas?

    Reply
    • Diane Poremsky says

      August 30, 2017 at 12:55 am

      This: CalItems.count = 2147483647 is normal - outlook doesn't actually count each specific occurrence, it counts between the start and end, resulting in the weird value. I've used it with both outlook 2013 and 2016, so the version is not the problem. I'll see if i can repro.

      Ohhh... when you copied the meeting, did it copy the series or just the single occurrence? Outlook has been known to copy only the single occurrence.

      Reply
  3. casonsemail says

    April 16, 2015 at 9:02 am

    I get: Run-time Error '91' Object Variable or With Block not set..

    Set newAppt = ActiveExplorer.CurrentFolder.Items.Add(olAppointmentItem)
    newAppt.MessageClass = "IPM.Appointment.PMAppointment-v4"

    With newAppt

    .Start = itm.Start
    .End = itm.End
    .Subject = itm.Subject
    .Body = itm.Body
    .Location = itm.Location
    .Categories = itm.Categories
    .ReminderSet = False

    .Save

    'calling user-defined fields from form
    Set objProp = newAppt.UserProperties.Add("ProjectName", olText, True)
    objProp.Value = itm.UserProperties("ProjectName").Value
    .Save

    End With

    ' Copies attachments to each appointment.
    If itm.Attachments.Count > 0 Then
    CopyAttachments itm, newAppt
    End If

    newAppt.Save

    Next

    ' Display the actual number of appointments created
    MsgBox (iNumRestricted & " appointments were created"), vbOKOnly, "Convert Recurring Appointments"

    Set itm = Nothing
    Set newAppt = Nothing
    Set ResItems = Nothing
    Set CalItems = Nothing
    Set CalFolder = Nothing
    Set objProp = Nothing

    End Sub

    Reply
  4. casonsemail says

    April 15, 2015 at 1:50 pm

    Hi Diane, thanks for the additional input. I'm not entirely certain what the problem is. After I made those modifications, I no longer get the mismatch error, but the value simply doesn't carry over into the field on the form. I'll do some additional research and see if I can find a solution. If I do, I'll share it back here.

    Thanks for your help.

    Best,
    Cason

    Reply
    • Diane Poremsky says

      April 15, 2015 at 2:38 pm

      Uncomment error handling code and try adding value to this:
      objProp.Value = itm.UserProperties("ProjectName").value

      Reply
  5. Denis says

    April 15, 2015 at 4:44 am

    Thank you so much!

    Reply
  6. Denis says

    April 14, 2015 at 11:29 am

    Hi Diane,

    Application.ActiveExplorer.Selection.Item(1) it looks like this line is taking out one appointment at a time, is there a way to change this so that the script will take out all appointments in the folder?

    Reply
    • Diane Poremsky says

      April 14, 2015 at 4:44 pm

      You should be able to do that. You need to check each event and make sure it's recurring then move on to the next one.
      In a quickie test, this macro worked on all recurring appt.
      Convert all recurring appt macro

      Reply
  7. casonsemail says

    March 26, 2015 at 8:57 am

    I've added the field, and entered the code, but I am getting a mismatch error. I've modified the code so it is uniform with your previous recommendations. I'm sure this is attributable to my lack of knowledge, but could you show me how to declare these values using the code you've previously provided? Thank you.

    Set newAppt = ActiveExplorer.CurrentFolder.Items.Add(olAppointmentItem)
    newAppt.MessageClass = "IPM.Appointment.PMAppointment-v3"
    Set objProp = newAppt.UserProperties.Add("ProjectName", olText, True)

    With newAppt

    .Start = itm.Start
    .End = itm.End
    .Subject = itm.Subject
    .Body = itm.Body
    .Location = itm.Location
    .Categories = itm.Categories
    .ReminderSet = False

    .Save
    'calling user-defined fields from form
    .UserProperties("ProjectName").Value = itm.UserProperties("ProjectName")

    .Save
    End With

    Reply
    • Diane Poremsky says

      April 14, 2015 at 4:51 pm

      I think you can set the Set objProp and objProp.value right before With newappt line, but they will also work before the Save -

      Dim objProp As Outlook.UserProperty

      Set newAppt = ActiveExplorer.CurrentFolder.Items.Add(olAppointmentItem)
      newAppt.MessageClass = "IPM.Appointment.PMAppointment-v3"

      With newAppt

      .Start = itm.Start
      .End = itm.End
      .Subject = itm.Subject
      .Body = itm.Body
      .Location = itm.Location
      .Categories = itm.Categories
      .ReminderSet = False

      .Save
      'calling user-defined fields from form

      Set objProp = newAppt.UserProperties.Add("ProjectName", olText, True)
      objProp.Value = itm.UserProperties("ProjectName")

      .Save
      End With

      Reply
  8. casonsemail says

    March 18, 2015 at 8:35 am

    Hi Diane, apologies that the code didn't copy over properly. I'm not trying to filter on the UDF. I was simply trying to copy the field values over. This is the code I have using your suggestions, but it still is not working. I've looked in the "all fields" tab in developer mode in Outlook, and my fields are there, so I'm not sure what is going on. Thank you for any additional troubleshooting you can help with.

    Set newAppt = ActiveExplorer.CurrentFolder.Items.Add(olAppointmentItem)
    newAppt.MessageClass = "IPM.Appointment.PMAppointment-v3"

    With newAppt

    .Start = itm.Start
    .End = itm.End
    .Subject = itm.Subject
    .Body = itm.Body
    .Location = itm.Location
    .Categories = itm.Categories
    .ReminderSet = False

    .Save
    'calling user-defined fields from form

    .UserProperties("ProjectName") = itm.UserProperties("ProjectName")
    .UserProperties("ProjectOwner") = itm.UserProperties("ProjectOwner")
    .UserProperties("ProjectDescription") = itm.UserProperties("ProjectDescription")

    .Save
    End With

    Reply
    • Diane Poremsky says

      March 24, 2015 at 11:58 pm

      if the field doesn't exist, you need to add it.
      Dim objProp As Outlook.UserProperty
      Set objProp = newAppt.UserProperties.Add("ProjectName", olText, True)
      objProp.Value = itm.UserProperties("ProjectName")

      Reply
  9. casonsemail says

    March 16, 2015 at 11:14 am

    This macro is excellent! I've been able to copy not only the calendar invite, but also call on my custom form. I am having difficulty carrying over my user-defined fields,however, even with the suggestions above. I've tried making some modifications using the .User Properties.Find("...") function without any success. My code doesn't error out anywhere, it simply fails to copy over the data in the UDF. Can you please share some insight when you have a minute? Here is the code in full, below:

    Diane - apologies for the second post, for some reason the code didn't copy properly into the comment box:

    Sub ConvertRecurring()
    Dim CalFolder As Outlook.MAPIFolder
    Dim CalItems As Outlook.Items
    Dim ResItems As Outlook.Items
    Dim sFilter, strSubject As String
    Dim iNumRestricted As Integer
    Dim itm, newAppt As Object
    Dim tStart, tEnd As Date
    Dim recAppt As Object

    ' Use the selected calendar folder
    Set CalFolder = Application.ActiveExplorer.CurrentFolder

    Set recAppt = Application.ActiveExplorer.Selection.Item(1)
    ' Get all of the appointments in the folder
    Set CalItems = CalFolder.Items

    ' Sort all of the appointments based on the start time
    CalItems.Sort "[Start]"

    ' Include the recurrences from the selected date forward
    CalItems.IncludeRecurrences = True

    ' Pick up the Start Date of the selected appointment occurrence
    ' Use a List view to get all occurrences
    tStart = Format(recAppt.Start, "Short Date")

    ' macro limits all appt to 360 days from now
    ' so you can end a series early
    tEnd = Format(Now + 360, "Short Date")

    ' Pick up the selected appointment's subject
    strSubject = recAppt.Subject

    'create the Restrict filter
    sFilter = "[Start] >= '" & tStart & "'" & " And [End] 0 Then
    CopyAttachments itm, newAppt
    End If

    newAppt.Save

    Next

    ' Display the actual number of appointments created
    MsgBox (iNumRestricted & " appointments were created"), vbOKOnly, "Convert Recurring Appointments"

    Set itm = Nothing
    Set newAppt = Nothing
    Set ResItems = Nothing
    Set CalItems = Nothing
    Set CalFolder = 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

    Reply
    • Diane Poremsky says

      March 16, 2015 at 11:26 pm

      Are you trying to filter on the UDF? If you want to copy the fields, add them to the lines that create the new appt.
      newappt.UserProperties("Custom1") = itm.UserProperties("Custom1")

      Reply
  10. Luis says

    August 27, 2014 at 8:32 am

    Thank you Diane,
    We are making progress: now the appointments created by the macro contain the custom form.

    Still, though, the values of the custom fields are not created: they are left blank.

    This is the portion of your code to which I added the additional lines for custom class and fields:

    Set newAppt = ActiveExplorer.CurrentFolder.Items.Add(olAppointmentItem)

    'added class
    newAppt.MessageClass = "IPM.Appointment.Activity"

    newAppt.Start = itm.Start
    newAppt.End = itm.End
    newAppt.Mileage = itm.Mileage
    newAppt.Subject = itm.Subject & " (Copy)"
    newAppt.Body = itm.Body
    newAppt.Location = itm.Location
    newAppt.Categories = "Test Code, " & itm.Categories
    newAppt.ReminderSet = False

    'calling custom fields
    newAppt.UserProperties("InvoiceTo") = itm.UserProperties("InvoiceTo")

    Thanks for your help and patience!

    Reply
    • Diane Poremsky says

      September 29, 2014 at 10:12 pm

      I assume there is a .save there somewhere?

      Also, it's cleaner to use with statement when you use an object multiple times like this. I wonder if it's because the field doesn't exist. Add a save before the custom field to read - the custom form will be set and the field should exist.

      With newAppt

      .MessageClass = "IPM.Appointment.Activity"
      .Start = itm.Start
      .End = itm.End
      .Mileage = itm.Mileage
      .Subject = itm.Subject & " (Copy)"
      .Body = itm.Body
      .Location = itm.Location
      .Categories = "Test Code, " & itm.Categories
      .ReminderSet = False

      .Save
      'calling custom fields
      .UserProperties("InvoiceTo") = itm.UserProperties("InvoiceTo")

      End with

      Reply
  11. Luis says

    August 26, 2014 at 7:34 pm

    Thanks for your reply! I used this code but the custom fields are not copied. Actually I notice that if I open the individual appointments created by the macro, they are in the default Outlook format and they don't correspond to the custom form (even if I set it as default for the folder): not only the custom values are not copied, but I cannot even add them manually because the entire form is missing.
    Could it be because I need to declare the custom form somewhere at the beginning of the macro...? Or specify the folder where the form is published?
    I really appreciate your help with this!

    Reply
    • Diane Poremsky says

      August 26, 2014 at 11:53 pm

      You can add the fields, but will need to add the fields to the view to see the values. To change the form, you need to set the message class.
      newAppt.MessageClass = IPM.Appointment.myform

      You could call the template when you create the newappt, but changing the class is probably easier.

      Reply
  12. Luis says

    August 26, 2014 at 1:41 pm

    Hello Diane,
    Thanks for the great macro, it's a time saver!
    Could you please help me to include custom fields so they don't get lost? Our appointments are created with a custom form. I tried to add these fields in the macro but I must got the syntax wrong: how can I call them?
    Thanks a lot!

    Reply
    • Diane Poremsky says

      August 26, 2014 at 6:26 pm

      custom fields are copied like this:
      newAppt.UserProperties("Custom4") = itm.UserProperties("Custom4")

      Reply
  13. Devin says

    April 18, 2014 at 9:44 pm

    Hi. Thanks for the code. I actually am at this page to include the 'Sub CopyAttachments(...) into the 'Create a Task From Email' code you provided elsewhere. It throws a run-time error 424 ('object required') at:

    'For Each objAtt In objSourceItem.Attachments'

    It appears that the objAtt is not defined, and I can't see where this comes from. Could you help me with this? Thanks.

    Reply
    • Diane Poremsky says

      April 22, 2014 at 12:28 am

      It doesn't need to be declared. Are objSourceItem & objTargetItem (or whatever you are passing to the sub) declared?
      Sub CopyAttachments(objSourceItem, objTargetItem)

      Reply
  14. Van Knowles says

    March 3, 2014 at 1:55 pm

    This a great macro, and very instructive to those of us who are sort of middling VBA coders.

    In Outlook 2007, I was able to find the recurrence start date even in Day/Week/Month view by using the RecurrencePattern object:

    Dim FocalItem As AppointmentItem
    Dim FocalRecur As RecurrencePattern
    ...
    Set FocalItem = Application.ActiveExplorer.Selection.Item(1)

    Set FocalRecur = FocalItem.GetRecurrencePattern

    ' Pick up the Start Date of the selected appointment occurrence
    tStart = Format(FocalRecur.PatternStartDate, "Short Date")

    I have not tested this extensively, so maybe there are pitfalls I'm not aware of. I don't know which versions of Outlook include this object, but it exists and seems to work in 2007.

    FYI

    Reply
  15. Dave Schmied says

    May 7, 2013 at 9:41 am

    Is there a way to include and update attendees of each recurrence? Or, is there some way to delete the original without sending a cancellation to attendees?

    Reply
    • Diane Poremsky says

      May 7, 2013 at 12:17 pm

      To delete the original without sending notification, set outlook offline and delete it. Let outlook send updates, delete the updates from the outbox.

      You can open the appointment as an occurrence, make changes and send updates just for that date.

      Reply
  16. Bart Stouten says

    May 6, 2013 at 2:02 am

    Hi Diana,

    Thank you for this beautiful macro. In Outlook 2010 I encountered a problem when the first word in the Subject was 'All'. Changing the sFilter line to

    sFilter = "[Start] >= '" & tStart & "'" & " And [End] < '" & tEnd & "' And [IsRecurring] = True And [Subject] = """ & strSubject & """"

    solved the problem.

    Reply
  17. totalflex says

    February 7, 2013 at 12:23 pm

    Great macro, it does the job. Thank you for sharing it.

    I have one simple question:

    Is there a way to also copy "show as" value from the original recurring appointment to the copied one?

    The free, out of office and busy are so meaningful for my particular case...

    Reply
    • Diane Poremsky says

      February 7, 2013 at 12:47 pm

      Yes, you can copy any field -

      newAppt.BusyStatus= itm.BusyStatus

      Reply
    • Eric says

      July 29, 2015 at 11:38 am

      Responding to Diane's response: I believe the correct name for this property is BusyStatus (I was not able to find a "ShowtimeAs" property in a live 2013 object model, or documented anywhere).

      Reply
      • Diane Poremsky says

        July 29, 2015 at 6:52 pm

        Correct. The name in the UI is show time as, the field name is BusyStatus. Have no idea why I wrote that - obviously wasn't thinking. :)

  18. Ed Roberts says

    December 14, 2012 at 9:42 am

    Diane,
    That did the trick. I re-ran the macro with the edited itm.subject line and everything looks just the way I wanted. Removing the messages with the appended subject lines was simple in View/List mode.
    Thanks, again!
    Ed

    Reply
  19. Ed Roberts says

    December 13, 2012 at 12:49 pm

    This code worked perfectly in Outlook 2010 in converting a recurring appointment with many exceptions into individual appointments with all the exception information preserved. THANK YOU!!

    This was truly a life saver and will gets lots of use.

    The new appointment subjects are all appended with "(Copy)". Is there a global way of renaming a portion of the list view so that I can eliminate those extra characters (like find/replace perhaps)? I can find them easily enough with the Test Code category. Or would REMing the line "newAppt.Subject = itm.Subject & " (Copy)"" be easier?

    Thanks, again.

    Reply
    • Diane Poremsky says

      December 13, 2012 at 12:56 pm

      You are on the right track - if you don't want that word in the subject, edit the subject line:
      newAppt.Subject = itm.Subject

      If you need to remove it from existing copies you created, I have a macro that can do it - remove the first batch you ran through the macro and rerun it.

      Reply
  20. Jonathan says

    October 17, 2012 at 3:56 pm

    Thank you very much for the quick response. I tried the filter, but wasn't able to get it to work in Outlook 2007, either. About the same time, I made the realization that shifting to individual appointments won't solve the dilemma I have, and I abandoned the venture.

    Thanks, again, for trying to help. I greatly appreciate it.

    Reply
  21. Jonathan says

    October 16, 2012 at 2:24 pm

    Hi Diance,

    Thank you for the post, but I've had some issues implementing this macro in my team's particular situation.

    We have seven people making appointments for four training associates. We use a shared calendar on which we've partitioned out each day in 45-minute intervals for each associate's schedule. The training associate is invited to the meeting so that they receive any updates that are made to the appointment. The meetings are set to recur so that I didn't have to individually copy and invite each associate to each appointment each day.

    Since implementing this system, I've discovered all the issues that arise out of relying on exceptions made to recurring appointments. I tried this macro, but we use Outlook 2007, and either none of the exceptions are copied, or everything is copied, including the copies, creating an infinite loop.

    I presume the trouble boils down to the lack of the "IsRecurring" tag in 2007. Without it, Subject is the only limiting factor, and if you remove Subject, you open up everything to being copied.

    To avoid that, is there some way to add a category limiter to the macro? I notice that the macro adds the category of "Test Code" to copied appointments. Is there some way I can tell the macro to ignore any appointment that has "Test Code" as a category?

    Thank you very much.

    P.S. I've tried a few times to export and import the calendar, as I know this both breaks up the series and also maintains exceptions, but the import has scrambled the calendar each time I've tried. Some appointments are fine, some are way off, and some just disappear into the ether.

    Reply
    • Diane Poremsky says

      October 16, 2012 at 3:54 pm

      This should work to restrict categories under one condition - you use either one category or enter the full category string as the category name 'text code, bill' exactly as it appears in the category field. Or if you use categories already, use [categories] = 'category name' and add a category to meetings you converted already.

      sFilter = "[Start] >= '" & tStart & "'" & " And [End] < '" & tEnd & "' And [Categories] <> 'Test Code' And [Subject] = " & strSubject

      But its not working for me in Outlook 2013.

      Reply
  22. Mark Laforest says

    August 21, 2012 at 4:53 pm

    Hi Diane
    Any progress?
    Thanks
    Mark.

    Reply
  23. Mark Laforest says

    August 14, 2012 at 7:07 pm

    Hi Dianne
    Howare you?
    You may recall I started that threat about changing the end date on recurring Appointments in Outlook and the problems it creates with past Appointments (losing notes and attachments).
    I think it prompted you to do this Macro.
    Have you considered making it more user friendly?
    My customers have no idea how to creat and run Macros. They just want to click a button and be asked a simple question like "What date range would you like to convert this series into single Appointments" and then for the program to do its bit.
    Would you like to do that? Would you like to quote me to do that?
    Thanks
    Mark
    Medical Business Systems.

    Reply
    • Diane Poremsky says

      August 14, 2012 at 9:59 pm

      I'll take a look at it.

      Reply

Leave a Reply Cancel reply

Your email address will not be published. Required fields are marked *

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

Latest EMO: Vol. 31 Issue 7

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
  • How to Remove the Primary Account from Outlook
  • Reset the New Outlook Profile
  • Disable "Always ask before opening" Dialog
  • How to Hide or Delete Outlook's Default Folders
  • This operation has been cancelled due to restrictions
  • Change Outlook's Programmatic Access Options
  • Use Public Folders In new Outlook
  • Removing Suggested Accounts in New Outlook
  • How to Delete Stuck Read Receipts
  • Sync Issues and Errors with Gmail and Yahoo accounts
  • Error Opening iCloud Appointments in Classic Outlook
  • 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
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

Sync Issues and Errors with Gmail and Yahoo accounts

Error Opening iCloud Appointments in Classic Outlook

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

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 © 2026 Slipstick Systems. All rights reserved.
Slipstick Systems is not affiliated with Microsoft Corporation.