Maximizing Execution Speed
Overview
Optimizing execution speed is a key element of software performance. Code that executes faster can also have other positive effects, like reducing overall power consumption. However, improving execution speed may have trade-offs with other aspects of performance such as Minimizing Binary Size.
Choose What To Optimize
If a function in the application firmware is executed once per week in the background, it may not matter if that function takes 10 ms or 100 ms to execute. If a function is executed constantly at 10 Hz, it matters greatly if it takes 10 ms or 100 ms to execute.
Most application firmwares will only have a small set of functions which require optimal performance. Perhaps those functions are executed very often, or have to meet some application requirements for latency or throughput. Optimization efforts should be targeted at these particular functions.
Measuring Performance
The first step to improving something is to measure it.
Basic Performance Measurements
If measuring performance relative to an external interaction with the world, you may be able to measure this directly (for example see the examples wifi/iperf and ethernet/iperf for measuring general network performance, or you can use an oscilloscope or logic analyzer to measure timing of an interaction with a device peripheral.)
Otherwise, one way to measure performance is to augment the code to take timing measurements:
#include "esp_timer.h"
void measure_important_function(void) {
    const unsigned MEASUREMENTS = 5000;
    uint64_t start = esp_timer_get_time();
    for (int retries = 0; retries < MEASUREMENTS; retries++) {
        important_function(); // This is the thing you need to measure
    }
    uint64_t end = esp_timer_get_time();
    printf("%u iterations took %ull milliseconds (%ull microseconds per invocation)\n",
           MEASUREMENTS, (end - start)/1000, (end - start)/MEASUREMENTS);
}
Executing the target multiple times can help average out factors like RTOS context switches, overhead of measurements, etc.
- Using - esp_timer_get_time()generates “wall clock” timestamps with microsecond precision, but has moderate overhead each time the timing functions are called.
- It’s also possible to use the standard Unix - gettimeofday()and- utime()functions, although the overhead is slightly higher.
- Otherwise, including - hal/cpu_hal.hand calling the HAL function- cpu_hal_get_cycle_count()will return the number of CPU cycles executed. This function has lower overhead than the others. It is good for measuring very short execution times with high precision.
- If making “microbenchmarks” (i.e. benchmarking only a very small routine of code that runs in less than 1-2 milliseconds) then flash cache performance can sometimes cause big variations in timing measurements depending on the binary. This happens because binary layout can cause different patterns of cache misses in a particular sequence of execution. If the test code is larger then this effect usually averages out. Executing a small function multiple times when benchmarking can help reduce the impact of flash cache misses. Alternatively, move this code to IRAM (see Targeted Optimizations). 
External Tracing
The 应用层跟踪库 allows measuring code execution with minimal impact on the code itself.
Tasks
If the option CONFIG_FREERTOS_GENERATE_RUN_TIME_STATS is enabled then the FreeRTOS API vTaskGetRunTimeStats() can be used to retrieve runtime information about the processor time used by each FreeRTOS task.
SEGGER SystemView is an excellent tool for visualizing task execution and looking for performance issues or improvements in the system as a whole.
Improving Overall Speed
The following optimizations will improve the execution of nearly all code - including boot times, throughput, latency, etc:
- Set CONFIG_ESPTOOLPY_FLASHMODE to QIO or QOUT mode (Quad I/O). Both will almost double the speed at which code is loaded or executed from flash compared to the default DIO mode. QIO is slightly faster than QOUT if both are supported. Note that both the flash chip model and the electrical connections between the ESP32-C3 and the flash chip must support quad I/O modes or the SoC will not work correctly. 
- Set CONFIG_COMPILER_OPTIMIZATION to “Optimize for performance (-O2)”. This may slightly increase binary size compared to the default setting, but will almost certainly increase performance of some code. Note that if your code contains C or C++ Undefined Behaviour then increasing the compiler optimization level may expose bugs that otherwise are not seen. 
- Avoid using floating point arithmetic ( - float). On ESP32-C3 these calculations are emulated in software and are very slow. If possible then use fixed point representations, a different method of integer representation, or convert part of the calculation to be integer only before switching to floating point.
- Avoid using double precision floating point arithmetic ( - double). These calculations are emulated in software and are very slow. If possible then use an integer-based representation, or single-precision floating point.
Reduce Logging Overhead
Although standard output is buffered, it’s possible for an application to be limited by the rate at which it can print data to log output once buffers are full. This is particularly relevant for startup time if a lot of output is logged, but can happen at other times as well. There are multiple ways to solve this problem:
- Reduce the volume of log output by lowering the app CONFIG_LOG_DEFAULT_LEVEL (the equivalent bootloader setting is CONFIG_BOOTLOADER_LOG_LEVEL). This also reduces the binary size, and saves some CPU time spent on string formatting. 
- Increase the speed of logging output by increasing the CONFIG_ESP_CONSOLE_UART_BAUDRATE 
Not Recommended
The following options will also increase execution speed, but are not recommended as they also reduce the debuggability of the firmware application and may increase the severity of any bugs.
- Set CONFIG_COMPILER_OPTIMIZATION_ASSERTION_LEVEL to disabled. This also reduces firmware binary size by a small amount. However, it may increase the severity of bugs in the firmware including security-related bugs. If necessary to do this to optimize a particular function, consider adding - #define NDEBUGin the top of that single source file instead.
Targeted Optimizations
The following changes will increase the speed of a chosen part of the firmware application:
- Move frequently executed code to IRAM. By default, all code in the app is executed from flash cache. This means that it’s possible for the CPU to have to wait on a “cache miss” while the next instructions are loaded from flash. Functions which are copied into IRAM are loaded once at boot time, and then will always execute at full speed. - IRAM is a limited resource, and using more IRAM may reduce available DRAM, so a strategic approach is needed when moving code to IRAM. See IRAM(指令 RAM) for more information. 
- Jump table optimizations can be re-enabled for individual source files that don’t need to be placed in IRAM. For hot paths in large switch cases this will improve performance. For instructions on how to add the -fjump-tables -ftree-switch-conversion options when compiling individual source files, see 组件编译控制 
Improving Startup Time
In addition to the overall performance improvements shown above, the following options can be tweaked to specifically reduce startup time:
- Minimizing the CONFIG_LOG_DEFAULT_LEVEL and CONFIG_BOOTLOADER_LOG_LEVEL has a large impact on startup time. To enable more logging after the app starts up, set the CONFIG_LOG_MAXIMUM_LEVEL as well and then call - esp_log_set_level()to restore higher level logs. The system/startup_time main function shows how to do this.
- If using deep sleep, setting CONFIG_BOOTLOADER_SKIP_VALIDATE_IN_DEEP_SLEEP allows a faster wake from sleep. Note that if using Secure Boot this represents a security compromise, as Secure Boot validation will not be performed on wake. 
- Setting CONFIG_BOOTLOADER_SKIP_VALIDATE_ON_POWER_ON will skip verifying the binary on every boot from power-on reset. How much time this saves depends on the binary size and the flash settings. Note that this setting carries some risk if the flash becomes corrupt unexpectedly. Read the help text of the config item for an explanation and recommendations if using this option. 
- It’s possible to save a small amount of time during boot by disabling RTC slow clock calibration. To do so, set CONFIG_ESP32C3_RTC_CLK_CAL_CYCLES to 0. Any part of the firmware that uses RTC slow clock as a timing source will be less accurate as a result. 
The example project system/startup_time is pre-configured to optimize startup time. The files system/startup_time/sdkconfig.defaults and system/startup_time/sdkconfig.defaults.esp32c3 contain all of these settings. You can append these to the end of your project’s own sdkconfig file to merge the settings, but please read the documentation for each setting first.
Task Priorities
As ESP-IDF FreeRTOS is a real-time operating system, it’s necessary to ensure that high throughput or low latency tasks are granted a high priority in order to run immediately. Priority is set when calling xTaskCreate() or xTaskCreatePinnedToCore() and can be changed at runtime by calling vTaskPrioritySet().
It’s also necessary to ensure that tasks yield CPU (by calling vTaskDelay(), sleep(), or by blocking on semaphores, queues, task notifications, etc) in order to not starve lower priority tasks and cause problems for the overall system. The Task Watchdog Timer provides a mechanism to automatically detect if task starvation happens, however note that a Task WDT timeout does not always indicate a problem (sometimes the correct operation of the firmware requires some long-running computation). In these cases tweaking the Task WDT timeout or even disabling the Task WDT may be necessary.
Built-In Task Priorities
ESP-IDF starts a number of system tasks at fixed priority levels. Some are automatically started during the boot process, some are started only if the application firmware initializes a particular feature. To optimize performance, structure application task priorities so that they are not delayed by system tasks, while also not starving system tasks and impacting other functions of the system.
This may require splitting up a particular task. For example, perform a time-critical operation in a high priority task or an interrupt handler and do the non-time-critical part in a lower priority task.
Header components/esp_system/include/esp_task.h contains macros for the priority levels used for built-in ESP-IDF tasks system.
Common priorities are:
- Main task that executes app_main function has minimum priority (1). 
- High Resolution Timer system task to manage timer events and execute callbacks has high priority (22, - ESP_TASK_TIMER_PRIO)
- FreeRTOS Timer Task to handle FreeRTOS timer callbacks is created when the scheduler initializes and has minimum task priority (1, configurable). 
- Event Handling system task to manage the default system event loop and execute callbacks has high priority (20, - ESP_TASK_EVENT_PRIO). This configuration is only used if the application calls- esp_event_loop_create_default(), it’s possible to call- esp_event_loop_create()with a custom task configuration instead.
- lwIP TCP/IP task has high priority (18, - ESP_TASK_TCPIP_PRIO).
- Wi-Fi Driver task has high priority (23). 
- Wi-Fi wpa_supplicant component may create dedicated tasks while the Wi-Fi Protected Setup (WPS), WPA2 EAP-TLS, Device Provisioning Protocol (DPP) or BSS Transition Management (BTM) features are in use. These tasks all have low priority (2). 
- Bluetooth Controller task has high priority (23, - ESP_TASK_BT_CONTROLLER_PRIO). The Bluetooth Controller needs to respond to requests with low latency, so it should always be close to the highest priority task in the system.
- NimBLE Bluetooth Host host task has high priority (21). 
- The Ethernet driver creates a task for the MAC to receive Ethernet frames. If using the default config - ETH_MAC_DEFAULT_CONFIGthen the priority is medium-high (15). This setting can be changed by passing a custom- eth_mac_config_tstruct when initializing the Ethernet MAC.
- If using the mDNS component, it creates a task with default low priority 1 (configurable. 
- If using the MQTT component, it creates a task with default priority 5 (configurable, depends on CONFIG_MQTT_USE_CUSTOM_CONFIG (also configurable runtime by - task_priofield in the- esp_mqtt_client_config_t)
Choosing application task priorities
In general, it’s not recommended to set task priorities higher than the built-in Wi-Fi/BT operations as starving them of CPU may make the system unstable. For very short timing-critical operations that don’t use the network, use an ISR or a very restricted task (very short bursts of runtime only) at highest priority (24). Choosing priority 19 will allow lower layer Wi-Fi/BT functionality to run without delays, but still preempts the lwIP TCP/IP stack and other less time-critical internal functionality - this is the best option for time-critical tasks that don’t perform network operations. Any task that does TCP/IP network operations should run at lower priority than the lwIP TCP/IP task (18) to avoid priority inversion issues.
备注
Task execution is always completely suspended when writing to the built-in SPI flash chip. Only IRAM 安全中断处理程序 will continue executing.
Improving Interrupt Performance
ESP-IDF supports dynamic Interrupt allocation with interrupt preemption. Each interrupt in the system has a priority, and higher priority interrupts will preempt lower priority ones.
Interrupt handlers will execute in preference to any task (provided the task is not inside a critical section). For this reason, it’s important to minimize the amount of time spent executing in an interrupt handler.
To obtain the best performance for a particular interrupt handler:
- Assign more important interrupts a higher priority using a flag such as - ESP_INTR_FLAG_LEVEL2or- ESP_INTR_FLAG_LEVEL3when calling- esp_intr_alloc().
- If you’re sure the entire interrupt handler can run from IRAM (see IRAM 安全中断处理程序) then set the - ESP_INTR_FLAG_IRAMflag when calling- esp_intr_alloc()to assign the interrupt. This prevents it being temporarily disabled if the application firmware writes to the internal SPI flash.
- Even if the interrupt handler is not IRAM safe, if it is going to be executed frequently then consider moving the handler function to IRAM anyhow. This minimizes the chance of a flash cache miss when the interrupt code is executed (see Targeted Optimizations). It’s possible to do this without adding the - ESP_INTR_FLAG_IRAMflag to mark the interrupt as IRAM-safe, if only part of the handler is guaranteed to be in IRAM.
Improving Network Speed
- For Wi-Fi, see 如何提高 Wi-Fi 性能 and Wi-Fi 缓冲区使用情况 
- For lwIP TCP/IP (Wi-Fi and Ethernet), see Performance Optimization 
- The wifi/iperf example contains a configuration that is heavily optimized for Wi-Fi TCP/IP throughput. Append the contents of the files wifi/iperf/sdkconfig.defaults, wifi/iperf/sdkconfig.defaults.esp32c3 and wifi/iperf/sdkconfig.ci.99 to your project - sdkconfigfile in order to add all of these options. Note that some of these options may have trade-offs in terms of reduced debuggability, increased firmware size, increased memory usage, or reduced performance of other features. To get the best result, read the documentation pages linked above and use this information to determine exactly which options are best suited for your app.