
If the client supports paging, we allow them to fetch array and slice items in chunks that we assume will be of a reasonable size. For example, VS Code requests indexed variables in chunks of 100. Fixes golang/vscode-go#1518
76 lines
2.0 KiB
Go
76 lines
2.0 KiB
Go
package dap
|
|
|
|
import "github.com/go-delve/delve/pkg/proc"
|
|
|
|
const startHandle = 1000
|
|
|
|
// handlesMap maps arbitrary values to unique sequential ids.
|
|
// This provides convenient abstraction of references, offering
|
|
// opacity and allowing simplification of complex identifiers.
|
|
// Based on
|
|
// https://github.com/microsoft/vscode-debugadapter-node/blob/master/adapter/src/handles.ts
|
|
type handlesMap struct {
|
|
nextHandle int
|
|
handleToVal map[int]interface{}
|
|
}
|
|
|
|
type fullyQualifiedVariable struct {
|
|
*proc.Variable
|
|
// A way to load this variable by either using all names in the hierarchic
|
|
// sequence above this variable (most readable when referenced by the UI)
|
|
// if available or a special expression based on:
|
|
// https://github.com/go-delve/delve/blob/master/Documentation/api/ClientHowto.md#loading-more-of-a-variable
|
|
// Empty if the variable cannot or should not be reloaded.
|
|
fullyQualifiedNameOrExpr string
|
|
// True if this represents variable scope
|
|
isScope bool
|
|
// startIndex is the index of the first child for an array or slice.
|
|
// This variable represents a chunk of the array, slice or map.
|
|
startIndex int
|
|
}
|
|
|
|
func newHandlesMap() *handlesMap {
|
|
return &handlesMap{startHandle, make(map[int]interface{})}
|
|
}
|
|
|
|
func (hs *handlesMap) reset() {
|
|
hs.nextHandle = startHandle
|
|
hs.handleToVal = make(map[int]interface{})
|
|
}
|
|
|
|
func (hs *handlesMap) create(value interface{}) int {
|
|
next := hs.nextHandle
|
|
hs.nextHandle++
|
|
hs.handleToVal[next] = value
|
|
return next
|
|
}
|
|
|
|
func (hs *handlesMap) get(handle int) (interface{}, bool) {
|
|
v, ok := hs.handleToVal[handle]
|
|
return v, ok
|
|
}
|
|
|
|
type variablesHandlesMap struct {
|
|
m *handlesMap
|
|
}
|
|
|
|
func newVariablesHandlesMap() *variablesHandlesMap {
|
|
return &variablesHandlesMap{newHandlesMap()}
|
|
}
|
|
|
|
func (hs *variablesHandlesMap) create(value *fullyQualifiedVariable) int {
|
|
return hs.m.create(value)
|
|
}
|
|
|
|
func (hs *variablesHandlesMap) get(handle int) (*fullyQualifiedVariable, bool) {
|
|
v, ok := hs.m.get(handle)
|
|
if !ok {
|
|
return nil, false
|
|
}
|
|
return v.(*fullyQualifiedVariable), true
|
|
}
|
|
|
|
func (hs *variablesHandlesMap) reset() {
|
|
hs.m.reset()
|
|
}
|