tips and tricks
260 Topics9 quick tips to improve your VBA macro performance
As part of our work to help enterprises upgrade to Office 365 ProPlus, we have found that some users have been experiencing slow running VBA, which can be frustrating. The good news is that there are steps which can be taken to improve performance. This post aims to raise awareness of the steps that you can take to improve the performance of your macros, whether you are an end user, IT admin, or developer. We’ve collected the following steps from blog posts, Microsoft field engineers, and Microsoft MVPs like Charles Williams and Jan Karel Pieterse. 1. Turn off everything but the essentials in VBA One of the first things to do when speeding up VBA code is to turn off unnecessary features such as animations, screen updating, automatic calculations and events while your macro is running. These features can add extra overhead and slow down the macro, particularly if the macro is modifying many cells and triggering lots of screen updates and recalculations. The below code sample shows you how to enable/disable: Manual calculations Screen updates Animations Option Explicit Dim lCalcSave As Long Dim bScreenUpdate As Boolean Sub SwitchOff(bSwitchOff As Boolean) Dim ws As Worksheet With Application If bSwitchOff Then ' OFF lCalcSave = .Calculation bScreenUpdate = .ScreenUpdating .Calculation = xlCalculationManual .ScreenUpdating = False .EnableAnimations = False ' ' switch off display pagebreaks for all worksheets ' For Each ws In ActiveWorkbook.Worksheets ws.DisplayPageBreaks = False Next ws Else ' ON If .Calculation <> lCalcSave And lCalcSave <> 0 Then .Calculation = lCalcSave .ScreenUpdating = bScreenUpdate .EnableAnimations = True End If End With End Sub Sub Main() SwitchOff(True) ‘ turn off these features MyFunction() ‘ do your processing here SwitchOff(False) ‘ turn these features back on End Sub 2. Disabling Office animations through system settings Animations can be disabled across Windows by accessing the Ease of Access Center. Animations can be disabled in Excel specifically, under the Advanced or Ease of Access tab, within the File > Options menu. Please see the following link for more information: https://support.office.com/en-us/article/turn-off-office-animations-9ee5c4d2-d144-4fd2-b670-22cef9fa025a 3. Disabling Office animations through registry settings Office animations can be disabled across multiple computers by setting the appropriate registry key via a group policy setting. HIVE: HKEY_CURRENT_USER Key Path: Software\Microsoft\Office\16.0\Common\Graphics Key Name: DisableAnimations Value type: REG_DWORD Value data: 0x00000001 (1) Warning: Using Registry Editor incorrectly can cause serious, system-wide problems that may require you to re-install Windows to correct them. Microsoft cannot guarantee that any problems resulting from the use of Registry Editor can be solved. Use this tool at your own risk. 4. Removing unnecessary selects The select method is common to see in VBA code, however it is often added to the macro where it isn’t needed. Select can trigger cell events such as animations and conditional formatting which slow the macro down, so removing unnecessary selects can significantly speed up your macro. The following example shows the code before and after making the change to remove unnecessary selects. Before Sheets("Order Details").Select Columns("AC:AH").Select Selection.ClearContents After Sheets("Order Details").Columns("AC:AH").ClearContents 5. Using the With statement to read object properties When working with objects, use the With statement to reduce the number of times object properties are read. The following example shows the code before and after making the change to use the With statement. Before Range("A1").Value = “Hello” Range("A1").Font.Name = “Calibri” Range("A1").Font.Bold = True Range("A1").HorizontalAlignment = xlCenter After With Range("A1") .Value2 = “Hello” .HorizontalAlignment = xlCenter With .Font .Name = “Calibri” .Bold = True End With End With 6. Using ranges and arrays Reading and writing to cells in Excel from VBA is expensive. There is an overhead that is incurred every time data moves between VBA and Excel. This means that you should try to reduce the number of times you pass data between VBA and Excel. This is where ranges are useful. Instead of reading and writing to each cell individually in a loop, read the entire range into an array at the start, loop through the array, and then write the entire array back at the end. The following example code shows how a range can be used to read and write the values once, instead of reading each cell individually. Dim vArray As Variant Dim iRow As Integer Dim iCol As Integer Dim dValue As Double vArray = Range("A1:C10000").Value2 ‘ read all the values at once from the Excel cells, put into an array For iRow = LBound(vArray, 1) To UBound(vArray, 1) For iCol = LBound(vArray, 2) To UBound(vArray, 2) dValue = vArray (iRow, iCol) If dValue > 0 Then dValue=dValue*dValue ‘ Change the values in the array, not the cells vArray(iRow, iCol) = dValue End If Next iCol Next iRow Range("A1:C10000").Value2 = vArray ‘ writes all the results back to the range at once 7. Use .Value2 instead of .Text or .Value There are different ways that you can retrieve values from a cell, and which property you use can make a different in the performance of your code. .Text is commonly used to retrieve the value of a cell – it returns the formatted value of a cell. Getting the formatting of a cell is more complex than just retrieving a value, and makes .Text quite slow. .Value is an improvement over .Text, as this mostly gets the value from the cell, without formatting. However for cells formatted as a date or currency, .Value will return a VBA date or VBA currency (which may truncate decimal places). .Value2 gives the underlying value of the cell. As it involves no formatting, .Value2 is faster than .Value. .Value2 is faster than .Value when processing numbers (there is no significant difference with text), and is much faster using a variant array. For a more detailed explanation, please see Charles William’s blog post, “TEXT vs VALUE vs VALUE2”: https://fastexcel.wordpress.com/2011/11/30/text-vs-value-vs-value2-slow-text-and-how-to-avoid-it/ 8. Bypass the clipboard (copy and paste) When you use the Macro Recorder to record operations that use copy and paste, the code will use the copy and paste methods by default. However, within VBA code, it is much faster to bypass the clipboard and use internal operations instead. By default, copying will copy everything, including formulas, values and formatting. You can make copying faster by only copying values or formulas, without the formatting. The following example shows the code before and after making the change to bypass the clipboard. Before Range("A1").Select Selection.Copy Range("A2").Select ActiveSheet.Paste After ‘ Approach 1: copy everything (formulas, values and formatting Range("A1").Copy Destination:=Range("A2") ‘ Approach 2: copy values only Range("A2").Value2 = Range("A1").Value2 ‘ Approach 3: copy formulas only Range("A2").Formula = Range("A1").Formula If you still find that a macro takes longer than expected to execute many individual copy and paste operations, you may want to apply the following hot fix: https://support.microsoft.com/en-in/help/2817672/macro-takes-longer-than-expected-to-execute-many-individual-copy-and-p 9. Use Option Explicit to catch undeclared variables Option Explicit is one of the available Module directives in VBA that instructs VBA how to treat the code within the code module. Setting Option Explicit requires all variables to be declared and will give compile errors if an undeclared variable is used. This helps catch incorrectly typed variable names and improves performance with all variable types being defined at compile time, instead of being inferred at runtime. This can be set by typing: Option Explicit at the top of each module in your project or by checking the "Require Variable Declaration" option under Tools -> Options in the VBA editor. Additional Details on Module directives can be found here: https://docs.microsoft.com/en-us/dotnet/visual-basic/language-reference/statements/option-explicit-statement Conclusion We hope that this has helped highlight some of the ways that you can make your macros run faster. We’re sure that we haven’t covered everything, so please comment below with any other tips or tricks to improve the performance of your macros in Excel. Further reading https://blogs.office.com/en-us/2009/03/12/excel-vba-performance-coding-best-practices/ http://datapigtechnologies.com/blog/index.php/ten-things-you-can-do-to-speed-up-your-excel-vba-code/ https://www.ozgrid.com/VBA/SpeedingUpVBACode.htm FAQs: After using the new macro animations stopped working/it’s stuck on manual calculation. It is possible the code disables the various settings, but the macro crashes before re-enabling these settings. To fix this, you will need to run the code to enable these settings again. Other resources https://www.thespreadsheetguru.com/blog/2015/2/25/best-way-to-improve-vba-macro-performance-and-prevent-slow-code-execution - The Best Way To Improve VBA Macro Performance And Prevent Slow Code Execution https://www.ozgrid.com/VBA/SpeedingUpVBACode.htm - Optimize Slow VBA Code. Speeding Up Slow Excel VBA Code About the co-authors Charles Williams founded Decision Models in 1996 to provide advanced consultancy, decision support solutions, and tools based on Microsoft Excel and relational databases. Charles is the author of FastExcel, the widely used Excel performance profiler and performance toolset, and co-author of Name Manager, the popular utility for managing defined names. For more information about Excel calculation performance and methods, memory usage, and VBA user-defined functions, visit the Decision Models Web site. Jan Karel Pieterse is a long time Excel MVP who develops custom solutions focused on Microsoft Office, with deep expertise in Excel and VBA. He runs the website JKP Application Development Services site, where you can find an interesting collection of articles, training events, and utilities. For a good overview of topics, see this list of in-depth articles. Jan develops some cool and useful utilities for Excel, including NameManager, RefTreeAnalyser, and Flexfind. You can find a full list on the downloads page.231KViews7likes6CommentsNEW: Welcome to Excel template
If you’re new to Excel, or even if you have some experience with it, you can walk through our most requested features in this tour. With real-world examples and helpful visuals, you’ll be able to sum, fill, sort, filter, and pivot like a pro. Download the template now. Please note that this template only applies to Excel 2013 and 2016 for Windows.12KViews6likes16CommentsMicrosoft Data Insight Summit 2017
First I like to thank the community for attending MDIS 2017. It has been a great sucess and it was amazing to see MDIS sold out again (and double the amount of attendees from last time). The last 3 days have been amazing. We, the Excel team, are so greatfull we got to spend time with all of you to hear your stories and get feedback. I wanted to post a quick recap of the event and the Excel session you can now see ondemand. The speaker will be checking the posts as can answer your questions, we will also share resources for each session where relevant. General Overview Excel and Power BI Better Together Whirlwind Tour of the Modern Excel Tips and Tricks for Working with Data in Excel Dashboard, Reports and Design Visualizing Complex Data in Excel Developer Make your App a Native Part of Office with Office Add-ins Working with web services in Power Query/Excel and Power BI Administration and Governance Spreadsheet Management And Compliance Enable BI & Productivity with Office Online and Office Online Server (On-premise) Advanced Analytics Create Advanced Forecasting Models using Excel & Machine Learning BI Power Hour Business Applications for Connected Data Transforming Knowledge Work with Office 365 Data Prep and Modeling Data Modeling in Excel using Power Pivot Working with Parameters and Functions in Power Query/Excel and Power BI Connect and Transform Data of Any Shape and Size using Power BI Desktop and Excel To see all sessions from MDIS 2017, check out the YouTube Channel.6.2KViews5likes2CommentsHave an Excel question?
Ask the Excel team anything. Get your questions ready for the Excel team! Join our Reddit AMA this Thurs. November 17th at 12pm EST. https://www.reddit.com/r/excel/comments/5aonww/microsoft_excel_product_team_ama_november_17th/ Related Excel Resources: Besides this community we also have a large set of related resources for Excel. From training videos to Hands on labs, from support to feature request. Here are the top links for Excel: Excel Basics Guided Learning: Excel LinkedIn Learning Videos Excel Documentation More Excel Learning YouTube Videos Excel Intermediate-Advanced Guided Learning: Data Analysis using Excel at edx.org Analyzing and Visualizing Data with Excel at edx.org Excel Hands On Labs Analyzing Data in Excel Hands On Labs Get and Transform Data Hands On Labs Excel Data Model Hands On Labs Support Documentation: Excel Documentation What is new in Excel Product and bug support: Excel Support Community: Excel Community Request a Feature: Excel Feature Requests Blog: Excel Blogs Demo Files: Excel Demos Download trial version of Excel Try Power BI for pre-built dashboards On Demand Excel session from Microsoft Ignite: Excel sessions at Microsoft Ignite 20161.4KViews4likes0CommentsModern Excel webinar: Working with tables in Microsoft Excel
Ever used Format as Table in Microsoft Excel? Did you know Format as Table can be a whole lot more than just fancy formating? Join MVP Jan Karel Pieterse as he discusses working with tables and how they can help you in your everyday work with Excel. Jan Karel Pieterse is the owner of JKP Application Development Services (jkp-ads.com). Jan Karel develops custom solutions in Microsoft Office and is a top expert in Microsoft Excel and VBA. Jan Karel has been granted the Microsoft MVP Award for each consecutive year since 2002 for his outstanding community work in newsgroups, forums and publications. Jan Karel lives in the Netherlands. Cuong Microsoft8KViews4likes5CommentsFaster OLAP PivotTables in Excel 2016
If you work with connections to OLAP servers, your PivotTables are now faster. The June 2016 update contains query and cache improvements to this powerful feature. You could benefit from these improvements, whether you use PivotTables to answer one-off questions or build complicated workbooks with dozens of PivotTables. These updates are available to Excel 2016 users as part of an Office 365 subscription. If you are already an Office 365 subscriber, find out how to get these latest updates. You’ll also need a workbook that has PivotTables connected to either the Data Model or to an OLAP server. About the improvements We have made significant improvements in three major areas while querying OLAP servers. Improved query efficiency—Excel will query for subtotals only if they’re required to render the PivotTable results. This means you wait less for the OLAP server to finish processing the query and spend less time waiting for the results to transfer over your network connection. Reduced the number of queries—Excel is smarter when refreshing your data. It now uses the LAST_SCHEMA_UPDATE property of a connection to limit schema requests to those times when it has, in fact, changed. Smarter caches—When the schema is retrieved, it is now shared across all of the PivotTables on that connection, further reducing the number of queries. Get the full story here https://blogs.office.com/2016/07/07/faster-olap-pivottables-in-excel-2016/2.3KViews3likes1CommentOur eight best tutorials on Excel charts
Excel spreadsheets are all about numbers. But tons of numbers are often not the most effective way to communicate . That’s where charts come in handy. Charts can display numeric data in a graphical format, making it easy to understand large quantities of data and the relationships among data. If you want to learn about Excel charts, you’ve come to the right place. We’ve pulled together out best tutorials and articles on charts to get you started. https://blogs.office.com/2012/05/30/our-eight-best-tutorials-on-excel-charts/2.2KViews2likes6Comments