I have a working function implementation in c
that requires a large locally allocated chunk of memory as a working space. This function gets called a lot in succession where it is guaranteed that the required amount of working space does not change. To optimize the function I have refactored it to allocate a static single continuous piece of memory the first time it is called, that is only released when it is asked to. It looks something like this
void worker(struct* ptr, size_t m) {
static double *stack;
static size_t sz_stack;
static double *alpha;
static double *delta;
if (!ptr) {
if (stack) {
free(stack);
}
stack = NULL;
sz_stack = 0;
return;
}
if (!stack) {
sz_stack = 2*m;
stack = calloc(sz_stack, sizeof(*stack));
if (stack==NULL)
// Error and cleanup
alpha = stack;
delta = alpha + m;
}
// Do work using alpha and delta as arrays
return;
}
The caller can call this function successively where ptr
will hold the final result as long as the problem size given by m
does not change. When the caller is done with the function, or the problem size changes, he calls worker(NULL, 0);
and the allocated memory will be freed.
I am now working on rewriting this codebase to c++
and as the best practices tell me I have used individual std::vector
for alpha
and delta
instead of the contiguous stack
. However, profiling revealed that there is a huge bottleneck as the std::vector
containers are allocated and free'd each and every function call.
My question now is:
What is the modern c++
way to maintain a contiguous piece of working space for a function in between calls?
If it is guaranteed that the required working space will not be changing during contiguous function calls (as you mentioned), to me it seems the simplest solution would be to use a static array (somewhat similar to your C code, but using 'new' and 'delete[]' instead of 'calloc' and 'free').