Skip to content

Commit 2275571

Browse files
committed
proc,terminal: allow setting suspended breakpoints
Allows setting suspended breakpoints and try to enable them automatically after every time a plugin is loaded. Fixes go-delve#1653 Updates go-delve#2551
1 parent aac6ee0 commit 2275571

File tree

15 files changed

+222
-51
lines changed

15 files changed

+222
-51
lines changed

Documentation/cli/starlark.md

+1-1
Original file line numberDiff line numberDiff line change
@@ -26,7 +26,7 @@ checkpoint(Where) | Equivalent to API call [Checkpoint](https://godoc.org/github
2626
clear_breakpoint(Id, Name) | Equivalent to API call [ClearBreakpoint](https://godoc.org/github.com/go-delve/delve/service/rpc2#RPCServer.ClearBreakpoint)
2727
clear_checkpoint(ID) | Equivalent to API call [ClearCheckpoint](https://godoc.org/github.com/go-delve/delve/service/rpc2#RPCServer.ClearCheckpoint)
2828
raw_command(Name, ThreadID, GoroutineID, ReturnInfoLoadConfig, Expr, UnsafeCall) | Equivalent to API call [Command](https://godoc.org/github.com/go-delve/delve/service/rpc2#RPCServer.Command)
29-
create_breakpoint(Breakpoint, LocExpr, SubstitutePathRules) | Equivalent to API call [CreateBreakpoint](https://godoc.org/github.com/go-delve/delve/service/rpc2#RPCServer.CreateBreakpoint)
29+
create_breakpoint(Breakpoint, LocExpr, SubstitutePathRules, Suspended) | Equivalent to API call [CreateBreakpoint](https://godoc.org/github.com/go-delve/delve/service/rpc2#RPCServer.CreateBreakpoint)
3030
create_ebpf_tracepoint(FunctionName) | Equivalent to API call [CreateEBPFTracepoint](https://godoc.org/github.com/go-delve/delve/service/rpc2#RPCServer.CreateEBPFTracepoint)
3131
create_watchpoint(Scope, Expr, Type) | Equivalent to API call [CreateWatchpoint](https://godoc.org/github.com/go-delve/delve/service/rpc2#RPCServer.CreateWatchpoint)
3232
detach(Kill) | Equivalent to API call [Detach](https://godoc.org/github.com/go-delve/delve/service/rpc2#RPCServer.Detach)

pkg/locspec/locations.go

+7-1
Original file line numberDiff line numberDiff line change
@@ -270,6 +270,9 @@ func packageMatch(specPkg, symPkg string, packageMap map[string][]string) bool {
270270
// Find will search all functions in the target program and filter them via the
271271
// regex location spec. Only functions matching the regex will be returned.
272272
func (loc *RegexLocationSpec) Find(t *proc.Target, _ []string, scope *proc.EvalScope, locStr string, includeNonExecutableLines bool, _ [][2]string) ([]api.Location, error) {
273+
if scope == nil {
274+
return nil, fmt.Errorf("could not determine location (scope is nil)")
275+
}
273276
funcs := scope.BinInfo.Functions
274277
matches, err := regexFilterFuncs(loc.FuncRegex, funcs)
275278
if err != nil {
@@ -390,7 +393,10 @@ func (loc *NormalLocationSpec) Find(t *proc.Target, processArgs []string, scope
390393
candidateFuncs = loc.findFuncCandidates(t.BinInfo(), limit)
391394
}
392395

393-
if matching := len(candidateFiles) + len(candidateFuncs); matching == 0 && scope != nil {
396+
if matching := len(candidateFiles) + len(candidateFuncs); matching == 0 {
397+
if scope == nil {
398+
return nil, fmt.Errorf("location \"%s\" not found", locStr)
399+
}
394400
// if no result was found this locations string could be an
395401
// expression that the user forgot to prefix with '*', try treating it as
396402
// such.

pkg/proc/bininfo.go

+21
Original file line numberDiff line numberDiff line change
@@ -394,6 +394,27 @@ func FirstPCAfterPrologue(p Process, fn *Function, sameline bool) (uint64, error
394394
return pc, nil
395395
}
396396

397+
func findRetPC(t *Target, name string) ([]uint64, error) {
398+
fn := t.BinInfo().LookupFunc[name]
399+
if fn == nil {
400+
return nil, fmt.Errorf("could not find %s", name)
401+
}
402+
text, err := Disassemble(t.Memory(), nil, t.Breakpoints(), t.BinInfo(), fn.Entry, fn.End)
403+
if err != nil {
404+
return nil, err
405+
}
406+
r := []uint64{}
407+
for _, instr := range text {
408+
if instr.IsRet() {
409+
r = append(r, instr.Loc.PC)
410+
}
411+
}
412+
if len(r) == 0 {
413+
return nil, fmt.Errorf("could not find return instruction in %s", name)
414+
}
415+
return r, nil
416+
}
417+
397418
// cpuArch is a stringer interface representing CPU architectures.
398419
type cpuArch interface {
399420
String() string

pkg/proc/breakpoints.go

+7-1
Original file line numberDiff line numberDiff line change
@@ -131,6 +131,10 @@ const (
131131
// adjust the watchpoint of stack variables.
132132
StackResizeBreakpoint
133133

134+
// PluginOpenBreakpoint is a breakpoint used to detect that a plugin has
135+
// been loaded and we should try to enable suspended breakpoints.
136+
PluginOpenBreakpoint
137+
134138
steppingMask = NextBreakpoint | NextDeferBreakpoint | StepBreakpoint
135139
)
136140

@@ -204,6 +208,8 @@ func (bp *Breakpoint) VerboseDescr() []string {
204208
r = append(r, fmt.Sprintf("WatchOutOfScope Cond=%q checkPanicCall=%v", exprToString(breaklet.Cond), breaklet.checkPanicCall))
205209
case StackResizeBreakpoint:
206210
r = append(r, fmt.Sprintf("StackResizeBreakpoint Cond=%q", exprToString(breaklet.Cond)))
211+
case PluginOpenBreakpoint:
212+
r = append(r, "PluginOpenBreakpoint")
207213
default:
208214
r = append(r, fmt.Sprintf("Unknown %d", breaklet.Kind))
209215
}
@@ -304,7 +310,7 @@ func (bpstate *BreakpointState) checkCond(tgt *Target, breaklet *Breaklet, threa
304310
}
305311
}
306312

307-
case StackResizeBreakpoint:
313+
case StackResizeBreakpoint, PluginOpenBreakpoint:
308314
// no further checks
309315

310316
default:

pkg/proc/stackwatch.go

+5-17
Original file line numberDiff line numberDiff line change
@@ -96,27 +96,15 @@ func (t *Target) setStackWatchBreakpoints(scope *EvalScope, watchpoint *Breakpoi
9696

9797
// Stack Resize Sentinel
9898

99-
fn := t.BinInfo().LookupFunc["runtime.copystack"]
100-
if fn == nil {
101-
return errors.New("could not find runtime.copystack")
102-
}
103-
text, err := Disassemble(t.Memory(), nil, t.Breakpoints(), t.BinInfo(), fn.Entry, fn.End)
99+
retpcs, err := findRetPC(t, "runtime.copystack")
104100
if err != nil {
105101
return err
106102
}
107-
var retpc uint64
108-
for _, instr := range text {
109-
if instr.IsRet() {
110-
if retpc != 0 {
111-
return errors.New("runtime.copystack has too many return instructions")
112-
}
113-
retpc = instr.Loc.PC
114-
}
103+
if len(retpcs) > 1 {
104+
return errors.New("runtime.copystack has too many return instructions")
115105
}
116-
if retpc == 0 {
117-
return errors.New("could not find return instruction in runtime.copystack")
118-
}
119-
rszbp, err := t.SetBreakpoint(0, retpc, StackResizeBreakpoint, sameGCond)
106+
107+
rszbp, err := t.SetBreakpoint(0, retpcs[0], StackResizeBreakpoint, sameGCond)
120108
if err != nil {
121109
return err
122110
}

pkg/proc/target.go

+41
Original file line numberDiff line numberDiff line change
@@ -10,6 +10,7 @@ import (
1010

1111
"github.com/go-delve/delve/pkg/dwarf/op"
1212
"github.com/go-delve/delve/pkg/goversion"
13+
"github.com/go-delve/delve/pkg/logflags"
1314
"github.com/go-delve/delve/pkg/proc/internal/ebpf"
1415
)
1516

@@ -213,6 +214,7 @@ func NewTarget(p ProcessInternal, pid int, currentThread Thread, cfg NewTargetCo
213214

214215
t.createUnrecoveredPanicBreakpoint()
215216
t.createFatalThrowBreakpoint()
217+
t.createPluginOpenBreakpoint()
216218

217219
t.gcache.init(p.BinInfo())
218220
t.fakeMemoryRegistryMap = make(map[string]*compositeMemory)
@@ -426,6 +428,21 @@ func (t *Target) createFatalThrowBreakpoint() {
426428
}
427429
}
428430

431+
// createPluginOpenBreakpoint creates a breakpoint at the return instruction
432+
// of plugin.Open (if it exists) that will try to enable suspended
433+
// breakpoints.
434+
func (t *Target) createPluginOpenBreakpoint() {
435+
retpcs, _ := findRetPC(t, "plugin.Open")
436+
for _, retpc := range retpcs {
437+
bp, err := t.SetBreakpoint(0, retpc, PluginOpenBreakpoint, nil)
438+
if err != nil {
439+
t.BinInfo().logger.Errorf("could not set plugin.Open breakpoint: %v", err)
440+
} else {
441+
bp.Breaklets[len(bp.Breaklets)-1].callback = t.pluginOpenCallback
442+
}
443+
}
444+
}
445+
429446
// CurrentThread returns the currently selected thread which will be used
430447
// for next/step/stepout and for reading variables, unless a goroutine is
431448
// selected.
@@ -586,6 +603,30 @@ func (t *Target) dwrapUnwrap(fn *Function) *Function {
586603
return fn
587604
}
588605

606+
func (t *Target) pluginOpenCallback(Thread) bool {
607+
logger := logflags.DebuggerLogger()
608+
for _, lbp := range t.Breakpoints().Logical {
609+
if isSuspended(t, lbp) {
610+
err := enableBreakpointOnTarget(t, lbp)
611+
if err != nil {
612+
logger.Debugf("could not enable breakpoint %d: %v", lbp.LogicalID, err)
613+
} else {
614+
logger.Debugf("suspended breakpoint %d enabled", lbp.LogicalID)
615+
}
616+
}
617+
}
618+
return false
619+
}
620+
621+
func isSuspended(t *Target, lbp *LogicalBreakpoint) bool {
622+
for _, bp := range t.Breakpoints().M {
623+
if bp.LogicalID() == lbp.LogicalID {
624+
return false
625+
}
626+
}
627+
return true
628+
}
629+
589630
type dummyRecordingManipulation struct {
590631
}
591632

pkg/terminal/command.go

+30-7
Original file line numberDiff line numberDiff line change
@@ -1720,19 +1720,37 @@ func setBreakpoint(t *Term, ctx callContext, tracepoint bool, argstr string) ([]
17201720
}
17211721

17221722
requestedBp.Tracepoint = tracepoint
1723-
locs, err := t.client.FindLocation(ctx.Scope, spec, true, t.substitutePathRules())
1724-
if err != nil {
1725-
if requestedBp.Name == "" {
1726-
return nil, err
1727-
}
1723+
locs, findLocErr := t.client.FindLocation(ctx.Scope, spec, true, t.substitutePathRules())
1724+
if findLocErr != nil && requestedBp.Name != "" {
17281725
requestedBp.Name = ""
17291726
spec = argstr
17301727
var err2 error
17311728
locs, err2 = t.client.FindLocation(ctx.Scope, spec, true, t.substitutePathRules())
1732-
if err2 != nil {
1729+
if err2 == nil {
1730+
findLocErr = nil
1731+
}
1732+
}
1733+
if findLocErr != nil && shouldAskToSuspendBreakpoint(t) {
1734+
fmt.Fprintf(os.Stderr, "Command failed: %s\n", findLocErr.Error())
1735+
findLocErr = nil
1736+
answer, err := yesno(t.line, "Set a suspended breakpoint (Delve will try to set this breakpoint when a plugin is loaded) [Y/n]?")
1737+
if err != nil {
17331738
return nil, err
17341739
}
1740+
if !answer {
1741+
return nil, nil
1742+
}
1743+
bp, err := t.client.CreateBreakpointWithExpr(requestedBp, spec, t.substitutePathRules(), true)
1744+
if err != nil {
1745+
return nil, err
1746+
}
1747+
fmt.Fprintf(t.stdout, "%s set at %s\n", formatBreakpointName(bp, true), t.formatBreakpointLocation(bp))
1748+
return nil, nil
1749+
}
1750+
if findLocErr != nil {
1751+
return nil, findLocErr
17351752
}
1753+
17361754
created := []*api.Breakpoint{}
17371755
for _, loc := range locs {
17381756
requestedBp.Addr = loc.PC
@@ -1742,7 +1760,7 @@ func setBreakpoint(t *Term, ctx callContext, tracepoint bool, argstr string) ([]
17421760
requestedBp.LoadArgs = &ShortLoadConfig
17431761
}
17441762

1745-
bp, err := t.client.CreateBreakpointWithExpr(requestedBp, spec, t.substitutePathRules())
1763+
bp, err := t.client.CreateBreakpointWithExpr(requestedBp, spec, t.substitutePathRules(), false)
17461764
if err != nil {
17471765
return nil, err
17481766
}
@@ -3161,3 +3179,8 @@ func (t *Term) formatBreakpointLocation(bp *api.Breakpoint) string {
31613179
}
31623180
return out.String()
31633181
}
3182+
3183+
func shouldAskToSuspendBreakpoint(t *Term) bool {
3184+
fns, _ := t.client.ListFunctions(`^plugin\.Open$`)
3185+
return len(fns) > 0
3186+
}

pkg/terminal/starbind/starlark_mapping.go

+8
Original file line numberDiff line numberDiff line change
@@ -319,6 +319,12 @@ func (env *Env) starlarkPredeclare() starlark.StringDict {
319319
return starlark.None, decorateError(thread, err)
320320
}
321321
}
322+
if len(args) > 3 && args[3] != starlark.None {
323+
err := unmarshalStarlarkValue(args[3], &rpcArgs.Suspended, "Suspended")
324+
if err != nil {
325+
return starlark.None, decorateError(thread, err)
326+
}
327+
}
322328
for _, kv := range kwargs {
323329
var err error
324330
switch kv[0].(starlark.String) {
@@ -328,6 +334,8 @@ func (env *Env) starlarkPredeclare() starlark.StringDict {
328334
err = unmarshalStarlarkValue(kv[1], &rpcArgs.LocExpr, "LocExpr")
329335
case "SubstitutePathRules":
330336
err = unmarshalStarlarkValue(kv[1], &rpcArgs.SubstitutePathRules, "SubstitutePathRules")
337+
case "Suspended":
338+
err = unmarshalStarlarkValue(kv[1], &rpcArgs.Suspended, "Suspended")
331339
default:
332340
err = fmt.Errorf("unknown argument %q", kv[0])
333341
}

service/client.go

+1-1
Original file line numberDiff line numberDiff line change
@@ -70,7 +70,7 @@ type Client interface {
7070
// CreateBreakpoint creates a new breakpoint.
7171
CreateBreakpoint(*api.Breakpoint) (*api.Breakpoint, error)
7272
// CreateBreakpointWithExpr creates a new breakpoint and sets an expression to restore it after it is disabled.
73-
CreateBreakpointWithExpr(*api.Breakpoint, string, [][2]string) (*api.Breakpoint, error)
73+
CreateBreakpointWithExpr(*api.Breakpoint, string, [][2]string, bool) (*api.Breakpoint, error)
7474
// CreateWatchpoint creates a new watchpoint.
7575
CreateWatchpoint(api.EvalScope, string, api.WatchType) (*api.Breakpoint, error)
7676
// ListBreakpoints gets all breakpoints.

service/dap/server.go

+1-1
Original file line numberDiff line numberDiff line change
@@ -1383,7 +1383,7 @@ func (s *Session) setBreakpoints(prefix string, totalBps int, metadataFunc func(
13831383
err = setLogMessage(bp, want.logMessage)
13841384
if err == nil {
13851385
// Create new breakpoints.
1386-
got, err = s.debugger.CreateBreakpoint(bp, "", nil)
1386+
got, err = s.debugger.CreateBreakpoint(bp, "", nil, false)
13871387
}
13881388
}
13891389
}

service/debugger/debugger.go

+15-4
Original file line numberDiff line numberDiff line change
@@ -636,7 +636,11 @@ func (d *Debugger) state(retLoadCfg *proc.LoadConfig, withBreakpointInfo bool) (
636636
//
637637
// If LocExpr is specified it will be used, along with substitutePathRules,
638638
// to re-enable the breakpoint after it is disabled.
639-
func (d *Debugger) CreateBreakpoint(requestedBp *api.Breakpoint, locExpr string, substitutePathRules [][2]string) (*api.Breakpoint, error) {
639+
//
640+
// If suspended is true a logical breakpoint will be created even if the
641+
// location can not be found, the backend will attempt to enable the
642+
// breakpoint every time a new plugin is loaded.
643+
func (d *Debugger) CreateBreakpoint(requestedBp *api.Breakpoint, locExpr string, substitutePathRules [][2]string, suspended bool) (*api.Breakpoint, error) {
640644
d.targetMutex.Lock()
641645
defer d.targetMutex.Unlock()
642646

@@ -699,7 +703,9 @@ func (d *Debugger) CreateBreakpoint(requestedBp *api.Breakpoint, locExpr string,
699703
}
700704
}
701705
default:
702-
addrs = []pidAddr{{d.target.Selected.Pid(), requestedBp.Addr}}
706+
if requestedBp.Addr != 0 {
707+
addrs = []pidAddr{{d.target.Selected.Pid(), requestedBp.Addr}}
708+
}
703709
}
704710

705711
if err != nil {
@@ -714,6 +720,7 @@ func (d *Debugger) CreateBreakpoint(requestedBp *api.Breakpoint, locExpr string,
714720
setbp.Expr = func(t *proc.Target) []uint64 {
715721
locs, err := loc.Find(t, d.processArgs, nil, locExpr, false, substitutePathRules)
716722
if err != nil || len(locs) != 1 {
723+
logflags.DebuggerLogger().Debugf("could not evaluate breakpoint expression %q: %v (number of results %d)", locExpr, err, len(locs))
717724
return nil
718725
}
719726
return locs[0].PCs
@@ -740,8 +747,12 @@ func (d *Debugger) CreateBreakpoint(requestedBp *api.Breakpoint, locExpr string,
740747
if len(addrs) == 0 {
741748
err := d.target.EnableBreakpoint(lbp)
742749
if err != nil {
743-
delete(d.target.LogicalBreakpoints, lbp.LogicalID)
744-
return nil, err
750+
if suspended {
751+
logflags.DebuggerLogger().Debugf("could not enable new breakpoint: %v (breakpoint will be suspended)", err)
752+
} else {
753+
delete(d.target.LogicalBreakpoints, lbp.LogicalID)
754+
return nil, err
755+
}
745756
}
746757
} else {
747758
bps := make([]*proc.Breakpoint, len(addrs))

service/rpc1/server.go

+1-1
Original file line numberDiff line numberDiff line change
@@ -106,7 +106,7 @@ func (s *RPCServer) CreateBreakpoint(bp, newBreakpoint *api.Breakpoint) error {
106106
if err := api.ValidBreakpointName(bp.Name); err != nil {
107107
return err
108108
}
109-
createdbp, err := s.debugger.CreateBreakpoint(bp, "", nil)
109+
createdbp, err := s.debugger.CreateBreakpoint(bp, "", nil, false)
110110
if err != nil {
111111
return err
112112
}

service/rpc2/client.go

+3-3
Original file line numberDiff line numberDiff line change
@@ -245,16 +245,16 @@ func (c *RPCClient) GetBreakpointByName(name string) (*api.Breakpoint, error) {
245245
// https://pkg.go.dev/github.com/go-delve/delve/service/debugger#Debugger.CreateBreakpoint
246246
func (c *RPCClient) CreateBreakpoint(breakPoint *api.Breakpoint) (*api.Breakpoint, error) {
247247
var out CreateBreakpointOut
248-
err := c.call("CreateBreakpoint", CreateBreakpointIn{*breakPoint, "", nil}, &out)
248+
err := c.call("CreateBreakpoint", CreateBreakpointIn{*breakPoint, "", nil, false}, &out)
249249
return &out.Breakpoint, err
250250
}
251251

252252
// CreateBreakpointWithExpr is like CreateBreakpoint but will also set a
253253
// location expression to be used to restore the breakpoint after it is
254254
// disabled.
255-
func (c *RPCClient) CreateBreakpointWithExpr(breakPoint *api.Breakpoint, locExpr string, substitutePathRules [][2]string) (*api.Breakpoint, error) {
255+
func (c *RPCClient) CreateBreakpointWithExpr(breakPoint *api.Breakpoint, locExpr string, substitutePathRules [][2]string, suspended bool) (*api.Breakpoint, error) {
256256
var out CreateBreakpointOut
257-
err := c.call("CreateBreakpoint", CreateBreakpointIn{*breakPoint, locExpr, substitutePathRules}, &out)
257+
err := c.call("CreateBreakpoint", CreateBreakpointIn{*breakPoint, locExpr, substitutePathRules, suspended}, &out)
258258
return &out.Breakpoint, err
259259
}
260260

service/rpc2/server.go

+2-1
Original file line numberDiff line numberDiff line change
@@ -245,6 +245,7 @@ type CreateBreakpointIn struct {
245245

246246
LocExpr string
247247
SubstitutePathRules [][2]string
248+
Suspended bool
248249
}
249250

250251
type CreateBreakpointOut struct {
@@ -259,7 +260,7 @@ func (s *RPCServer) CreateBreakpoint(arg CreateBreakpointIn, out *CreateBreakpoi
259260
if err := api.ValidBreakpointName(arg.Breakpoint.Name); err != nil {
260261
return err
261262
}
262-
createdbp, err := s.debugger.CreateBreakpoint(&arg.Breakpoint, arg.LocExpr, arg.SubstitutePathRules)
263+
createdbp, err := s.debugger.CreateBreakpoint(&arg.Breakpoint, arg.LocExpr, arg.SubstitutePathRules, arg.Suspended)
263264
if err != nil {
264265
return err
265266
}

0 commit comments

Comments
 (0)