Benchmarking Your C++ Code Using Google Benchmark
Why Benchmark Your Code?
Benchmarking is a way to measure how fast your code runs. This is useful when optimizing performance, comparing different implementations, or understanding how different inputs affect execution time.
What is Google Benchmark?
Google Benchmark is a library that helps you measure the performance of C++ functions. Unlike std::chrono
, it handles repetitions, statistical analysis, and optimizations automatically.
Installing Google Benchmark
Before using Google Benchmark, you need to install it. If you’re using Linux or macOS, you can follow these steps:
# Clone Google Benchmark
git clone https://github.com/google/benchmark.git
cd benchmark
# Create a build directory and compile
mkdir build && cd build
cmake .. -DCMAKE_BUILD_TYPE=Release
make -j$(nproc)
# Install the library
sudo make install
or if you like to directly in MacOS as,
brew install google-benchmark
Writing a Benchmark in C++
Here’s a simple example to benchmark a function that sorts a vector of integers:
#include <benchmark/benchmark.h>
#include <vector>
#include <algorithm>
// Function to benchmark
static void BM_Sort(benchmark::State& state) {
std::vector<int> v(state.range(0));
for (auto& num : v) num = rand();
for (auto _ : state) {
std::vector<int> v_copy = v; // Copy before sorting
std::sort(v_copy.begin(), v_copy.end());
}
}
// Register benchmark with different input sizes
BENCHMARK(BM_Sort)->Range(8, 8<<10);
// Main function
BENCHMARK_MAIN();
Running the Benchmark
To compile and run the benchmark, create a CMakeLists.txt
file:
cmake_minimum_required(VERSION 3.10)
project(BenchmarkExample)
find_package(benchmark REQUIRED)
add_executable(benchmark_test main.cpp)
target_link_libraries(benchmark_test PRIVATE benchmark::benchmark)
Then, build and run the benchmark:
mkdir build && cd build
cmake ..
make
./benchmark_test
Understanding the Output
The output will look something like this, in MacOS:
./benchmark_test ✔ 11:12:01 PM
Running ./benchmark_test
Run on (10 X 24 MHz CPU s)
CPU Caches:
L1 Data 64 KiB
L1 Instruction 128 KiB
L2 Unified 4096 KiB (x10)
Load Average: 1.47, 1.97, 1.88
-------------------------------------------------------
Benchmark Time CPU Iterations
-------------------------------------------------------
BM_Sort/8 267 ns 267 ns 2603489
BM_Sort/64 972 ns 972 ns 727802
BM_Sort/512 7029 ns 7027 ns 98971
BM_Sort/4096 131404 ns 131390 ns 5664
BM_Sort/8192 320982 ns 320925 ns 2186
- The first column is the function name and input size.
- The fourth column shows the number of iterations.
- The second and third column shows the average time per operation in nanoseconds.
Conclusion
Google Benchmark is a powerful tool that makes it easy to measure the performance of your C++ code. It automates repetitions, handles statistical analysis, and provides useful insights for optimization. If you’re serious about performance, it’s a great addition to your toolkit!