5

特定の時点で C アプリケーションのスタック情報を取得する必要があります。ドキュメントを読み、ネットを検索しましたが、どうすればよいかわかりません。簡単なプロセスの説明を教えてください。または、さらに良いのは、スタックの巻き戻しの例です。HP-UX (Itanium) と Linux で必要です。

4

3 に答える 3

4

linux/stacktrace.hをチェックしてください

API リファレンスは次のとおりです。

http://www.cs.cmu.edu/afs/cs/Web/People/tekkotsu/dox/StackTrace_8h.html

すべての Linux カーネルで動作するはずです

C の別の例を次に示します。

http://www.linuxjournal.com/article/6391

#include <stdio.h>
#include <signal.h>
#include <execinfo.h>

void show_stackframe() {
  void *trace[16];
  char **messages = (char **)NULL;
  int i, trace_size = 0;

  trace_size = backtrace(trace, 16);
  messages = backtrace_symbols(trace, trace_size);
  printf("[bt] Execution path:\n");
  for (i=0; i<trace_size; ++i)
    printf("[bt] %s\n", messages[i]);
}


int func_low(int p1, int p2) {

  p1 = p1 - p2;
  show_stackframe();

  return 2*p1;
}

int func_high(int p1, int p2) {

  p1 = p1 + p2;
  show_stackframe();

  return 2*p1;
}


int test(int p1) {
  int res;

  if (p1<10)
    res = 5+func_low(p1, 2*p1);
  else
    res = 5+func_high(p1, 2*p1);
  return res;
}



int main() {

  printf("First call: %d\n\n", test(27));
  printf("Second call: %d\n", test(4));

}
于 2009-06-10T11:49:57.017 に答える
3

libunwindを見てみましょう。これは、もともと HP が Itanium スタック トレース (特に複雑な) をアンワインドするために開発したクロスプラットフォーム ライブラリです。その後、他の多くのプラットフォームに拡張されました。x86-Linux と Itanium-HPUX の両方を含みます。

libunwind(3) の man ページから。libunwind を使用して典型的な「バックトレースを表示」関数を作成する例を次に示します。

#define UNW_LOCAL_ONLY
#include <libunwind.h>

void show_backtrace (void) {
  unw_cursor_t cursor; unw_context_t uc;
  unw_word_t ip, sp;

  unw_getcontext(&uc);
  unw_init_local(&cursor, &uc);
  while (unw_step(&cursor) > 0) {
    unw_get_reg(&cursor, UNW_REG_IP, &ip);
    unw_get_reg(&cursor, UNW_REG_SP, &sp);
    printf ("ip = %lx, sp = %lx\n", (long) ip, (long) sp);
  }
}
于 2009-06-20T11:23:30.357 に答える