あなたは達成しようとしていることの範囲をあまり示していませんが、私はいくつかの視点と、少なくともあなたが始めることができる何かに取り組みます.
要するに (そうですか?): スタックとヒープへのポインターとそのサイズを取得するにはどうすればよいですか?
スタックは大きなものであり、多くの場合、サイズを拡張できます。すべてのヒープを保存するのに苦労するので、ヒープ ビットをスキップします (意味がありません)。スタックへのポインターを取得するのは、変数を宣言してその参照を取得するのと同じくらい簡単です。
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);
あなたの質問の限られた情報で私が提供できるのはこれくらいです。