delve/proc/stack.go

84 lines
2.1 KiB
Go
Raw Normal View History

2015-06-12 19:49:23 +00:00
package proc
import "encoding/binary"
// Takes an offset from RSP and returns the address of the
2015-07-16 18:07:34 +00:00
// instruction the current function is going to return to.
2015-06-12 19:51:23 +00:00
func (thread *Thread) ReturnAddress() (uint64, error) {
locations, err := thread.Stacktrace(2)
if err != nil {
return 0, err
}
return locations[1].PC, nil
}
// Returns the stack trace for thread.
// Note the locations in the array are return addresses not call addresses.
func (thread *Thread) Stacktrace(depth int) ([]Location, error) {
regs, err := thread.Registers()
if err != nil {
return nil, err
}
return thread.dbp.stacktrace(regs.PC(), regs.SP(), depth)
}
// Returns the stack trace for a goroutine.
// Note the locations in the array are return addresses not call addresses.
func (dbp *Process) GoroutineStacktrace(g *G, depth int) ([]Location, error) {
if g.thread != nil {
return g.thread.Stacktrace(depth)
}
2015-06-28 15:00:56 +00:00
locs, err := dbp.stacktrace(g.PC, g.SP, depth)
return locs, err
}
2015-06-20 22:54:52 +00:00
func (dbp *Process) GoroutineLocation(g *G) *Location {
f, l, fn := dbp.PCToLine(g.PC)
return &Location{PC: g.PC, File: f, Line: l, Fn: fn}
}
2015-05-07 21:55:06 +00:00
type NullAddrError struct{}
func (n NullAddrError) Error() string {
return "NULL address"
}
2015-06-20 22:54:52 +00:00
func (dbp *Process) stacktrace(pc, sp uint64, depth int) ([]Location, error) {
var (
ret = pc
btoffset int64
locations []Location
retaddr uintptr
)
f, l, fn := dbp.PCToLine(pc)
locations = append(locations, Location{PC: pc, File: f, Line: l, Fn: fn})
2015-07-28 23:56:55 +00:00
for i := 0; i < depth; i++ {
fde, err := dbp.frameEntries.FDEForPC(ret)
if err != nil {
return nil, err
}
btoffset += fde.ReturnAddressOffset(ret)
2015-07-28 23:56:55 +00:00
retaddr = uintptr(int64(sp) + btoffset + int64(i*dbp.arch.PtrSize()))
2015-05-07 21:55:06 +00:00
if retaddr == 0 {
return nil, NullAddrError{}
}
2015-08-02 02:43:03 +00:00
data, err := dbp.CurrentThread.readMemory(retaddr, dbp.arch.PtrSize())
if err != nil {
return nil, err
}
ret = binary.LittleEndian.Uint64(data)
if ret <= 0 {
break
}
f, l, fn = dbp.goSymTable.PCToLine(ret)
2015-07-28 23:56:55 +00:00
if fn == nil {
break
}
locations = append(locations, Location{PC: ret, File: f, Line: l, Fn: fn})
2015-07-28 23:56:55 +00:00
if fn.Name == "runtime.goexit" {
break
}
}
return locations, nil
}