所以你没有给出你想要实现的很多范围,但我会尝试解决一些观点,至少可以让你开始。
归结为(对吗?):如何获取指向堆栈和堆的指针及其大小?
堆栈是一个很大的东西,并且通常可以扩展。我将跳过堆位,因为您将努力保存所有堆(这没有任何意义)。获取指向堆栈的指针就像声明一个变量并引用它一样简单。
int a = 5;
void *stack_ptr = &a;
void *another_stack_ptr = &stack_ptr;
// We could could go on forever with this....
然而,这不是堆栈的基地址。如果你想发现可能有很多方法,甚至是API(我认为Windows上有)。您甚至可以从堆栈上的地址向两个方向走,直到出现页面错误。这很可能标志着堆栈的开始和结束。以下可能有效,但不能保证。您需要设置一个异常处理程序来处理页面错误,这样您的应用程序就不会崩溃。
int variable = 5;
int *stack_start = &variable;
int *stack_end = stack_start;
int *last_good_address = NULL;
// Setup an exception handler
...
// Try accessing addresses lower than the variable address
for(;;)
{
int try_read = stack_start[0];
// The read didn't trigger an exception, so store the address
last_good_address = stack_start
stack_start--;
}
// Catch exception
... stack_start = last_good_address
// Setup an exception handler
...
// Try accessing addresses higher than the variable address
for(;;)
{
int try_read = stack_end[0];
// The read didn't trigger an exception, so store the address
last_good_address = stack_end
stack_end--;
}
// Catch exception
... stack_end = last_good_address
因此,如果您有堆栈的基址和结束地址,您现在可以将其 memcpy 到一些内存中(不过我建议不要使用堆栈!)。
如果你只是想复制几个变量,因为复制整个堆栈会很疯狂,传统的方法是在调用之前保存它们
int a = 5;
int b = 6;
int c = 7;
// save old values
int a_old = a;
int b_old = b;
int c_old = c;
some_call(&a, &b, &c);
// do whatever with old values
我假设您已经编写了一个在堆栈上有 10,000 个变量的函数,并且您不想手动保存它们。以下应该在这种情况下工作。它用于_AddressOfReturnAddress
获取当前函数堆栈的最高地址,并分配一些堆栈内存以获取最低的当前值。然后它复制介于两者之间的所有内容。
免责声明:这尚未编译,不太可能开箱即用,但我相信这个理论是合理的。
// Get the address of the return address, this is the highest address in the current stack frame.
// If you over-write this you are in trouble
char *end_of_function_stack = _AddressOfReturnAddress();
// Allocate some fresh memory on the stack
char *start_of_function_stack = alloca(16);
// Calculate the difference between our freshly allocated memory and the address of the return address
// Remember to subtract the size of our allocation from this to not include it in the stack size.
ptrdiff_t stack_size = (end_of_function_stack - start_of_function_stack) - 16);
// Calculation should not be negative
assert(stack_size > 0)
// Allocate some memory to save stack variables
void *save_the_stack = malloc(stack_size);
// Copy the variables
memcpy(save_the_stack, &start_of_function_stack[16], stack_size);
这就是我可以为您提供的关于您问题中有限信息的全部内容。