1 2 3 4 5 6 7 8 9 10 11 12 13 14 15 16 17 18 19 20 21 22 23 24 25 26 27 28 29 30 31 32 33 34 35 36 37 38 39 40 41 42 43 44 45 46 47 48 49 50 51 52 53 54 55 56 57 58 59 60 61 62 63 64 65 66 67 68 69 70 71 72 73 74 75 76 77 78 79 80 81 82 83 84 85 86 87 88 89 90 91 92 93 94 95 96 97 98 99 100 101 102 103 104 105 106 107 108 109 110 111 112 113 114 115 116 117 118 119 120 121 122 123 124 125 126 127 128 129 130 131 132 133 134 135 136 137 138 139 140 141 142 143 144 145 146 147 148 149 150 151 152 153 154 155 156 157 158 159 160 161 162 163 164 165 166 167 168 169 170 171 172 173 174 175 176 177 178 179 180 181 182 183 184 185 186 187 188 189 190 191 192 193 194 195 196 197 198 199 200 201 202 203 204 205 206 207 208 209 210 211 212 213 214 215 216 217 218 219 220 221 222 223 224 225 226 227 228 229 230 231 232 233 234 235 236 237 238 239 240 241 242 243 244 245 246 247 248 249 250 251 252 253 254 255 256 257 258 259 260 261 262 263 264 265 266 267 268 269 270 271 272 273 274 275 276 277 278 279 280 281 282 283 284 285 286 287 288 289 290 291 292 293 294 295 296 297 298 299 300 301 302 303 304 305 306 307 308 309 310 311 312 313 314 315 316 317 318 319 320 321 322 323 324 325 326 327 328 329 330 331 332 333 334 335 336 337 338 339 340 341 342 343 344 345 346 347 348 349 350 351 352 353 354 355 356 357 358 359 360
|
// Copyright 2022 The Go Authors. All rights reserved.
// Use of this source code is governed by a BSD-style
// license that can be found in the LICENSE file.
// The generate command generates Go declarations from VSCode's
// description of the Language Server Protocol.
//
// To run it, type 'go generate' in the parent (protocol) directory.
package main
// see https://github.com/golang/go/issues/61217 for discussion of an issue
import (
"bytes"
"encoding/json"
"flag"
"fmt"
"go/format"
"log"
"os"
"os/exec"
"path/filepath"
"strings"
)
const vscodeRepo = "https://github.com/microsoft/vscode-languageserver-node"
// lspGitRef names a branch or tag in vscodeRepo.
// It implicitly determines the protocol version of the LSP used by gopls.
// For example, tag release/protocol/3.17.3 of the repo defines
// protocol version 3.17.0 (as declared by the metaData.version field).
// (Point releases are reflected in the git tag version even when they are cosmetic
// and don't change the protocol.)
var lspGitRef = "release/protocol/3.17.6-next.2"
var (
repodir = flag.String("d", "", "directory containing clone of "+vscodeRepo)
outputdir = flag.String("o", ".", "output directory")
// PJW: not for real code
cmpdir = flag.String("c", "", "directory of earlier code")
doboth = flag.String("b", "", "generate and compare")
lineNumbers = flag.Bool("l", false, "add line numbers to generated output")
)
func main() {
log.SetFlags(log.Lshortfile) // log file name and line number, not time
flag.Parse()
processinline()
}
func processinline() {
// A local repository may be specified during debugging.
// The default behavior is to download the canonical version.
if *repodir == "" {
tmpdir, err := os.MkdirTemp("", "")
if err != nil {
log.Fatal(err)
}
defer os.RemoveAll(tmpdir) // ignore error
// Clone the repository.
cmd := exec.Command("git", "clone", "--quiet", "--depth=1", "-c", "advice.detachedHead=false", vscodeRepo, "--branch="+lspGitRef, "--single-branch", tmpdir)
cmd.Stdout = os.Stderr
cmd.Stderr = os.Stderr
if err := cmd.Run(); err != nil {
log.Fatal(err)
}
*repodir = tmpdir
} else {
lspGitRef = fmt.Sprintf("(not git, local dir %s)", *repodir)
}
model := parse(filepath.Join(*repodir, "protocol/metaModel.json"))
findTypeNames(model)
generateOutput(model)
fileHdr = fileHeader(model)
// write the files
writeclient()
writeserver()
writeprotocol()
writejsons()
checkTables()
}
// common file header for output files
var fileHdr string
func writeclient() {
out := new(bytes.Buffer)
fmt.Fprintln(out, fileHdr)
out.WriteString(
`import (
"context"
"golang.org/x/tools/internal/jsonrpc2"
)
`)
out.WriteString("type Client interface {\n")
for _, k := range cdecls.keys() {
out.WriteString(cdecls[k])
}
out.WriteString("}\n\n")
out.WriteString(`func clientDispatch(ctx context.Context, client Client, reply jsonrpc2.Replier, r jsonrpc2.Request) (bool, error) {
defer recoverHandlerPanic(r.Method())
switch r.Method() {
`)
for _, k := range ccases.keys() {
out.WriteString(ccases[k])
}
out.WriteString(("\tdefault:\n\t\treturn false, nil\n\t}\n}\n\n"))
for _, k := range cfuncs.keys() {
out.WriteString(cfuncs[k])
}
formatTo("tsclient.go", out.Bytes())
}
func writeserver() {
out := new(bytes.Buffer)
fmt.Fprintln(out, fileHdr)
out.WriteString(
`import (
"context"
"golang.org/x/tools/internal/jsonrpc2"
)
`)
out.WriteString("type Server interface {\n")
for _, k := range sdecls.keys() {
out.WriteString(sdecls[k])
}
out.WriteString(`
}
func serverDispatch(ctx context.Context, server Server, reply jsonrpc2.Replier, r jsonrpc2.Request) (bool, error) {
defer recoverHandlerPanic(r.Method())
switch r.Method() {
`)
for _, k := range scases.keys() {
out.WriteString(scases[k])
}
out.WriteString(("\tdefault:\n\t\treturn false, nil\n\t}\n}\n\n"))
for _, k := range sfuncs.keys() {
out.WriteString(sfuncs[k])
}
formatTo("tsserver.go", out.Bytes())
}
func writeprotocol() {
out := new(bytes.Buffer)
fmt.Fprintln(out, fileHdr)
out.WriteString("import \"encoding/json\"\n\n")
// The following are unneeded, but make the new code a superset of the old
hack := func(newer, existing string) {
if _, ok := types[existing]; !ok {
log.Fatalf("types[%q] not found", existing)
}
types[newer] = strings.Replace(types[existing], existing, newer, 1)
}
hack("ConfigurationParams", "ParamConfiguration")
hack("InitializeParams", "ParamInitialize")
hack("PreviousResultId", "PreviousResultID")
hack("WorkspaceFoldersServerCapabilities", "WorkspaceFolders5Gn")
hack("_InitializeParams", "XInitializeParams")
for _, k := range types.keys() {
if k == "WatchKind" {
types[k] = "type WatchKind = uint32" // strict gopls compatibility needs the '='
}
out.WriteString(types[k])
}
out.WriteString("\nconst (\n")
for _, k := range consts.keys() {
out.WriteString(consts[k])
}
out.WriteString(")\n\n")
formatTo("tsprotocol.go", out.Bytes())
}
func writejsons() {
out := new(bytes.Buffer)
fmt.Fprintln(out, fileHdr)
out.WriteString("import \"encoding/json\"\n\n")
out.WriteString("import \"fmt\"\n")
out.WriteString(`
// UnmarshalError indicates that a JSON value did not conform to
// one of the expected cases of an LSP union type.
type UnmarshalError struct {
msg string
}
func (e UnmarshalError) Error() string {
return e.msg
}
`)
for _, k := range jsons.keys() {
out.WriteString(jsons[k])
}
formatTo("tsjson.go", out.Bytes())
}
// formatTo formats the Go source and writes it to *outputdir/basename.
func formatTo(basename string, src []byte) {
formatted, err := format.Source(src)
if err != nil {
failed := filepath.Join("/tmp", basename+".fail")
os.WriteFile(failed, src, 0644)
log.Fatalf("formatting %s: %v (see %s)", basename, err, failed)
}
if err := os.WriteFile(filepath.Join(*outputdir, basename), formatted, 0644); err != nil {
log.Fatal(err)
}
}
// create the common file header for the output files
func fileHeader(model *Model) string {
fname := filepath.Join(*repodir, ".git", "HEAD")
buf, err := os.ReadFile(fname)
if err != nil {
log.Fatal(err)
}
buf = bytes.TrimSpace(buf)
var githash string
if len(buf) == 40 {
githash = string(buf[:40])
} else if bytes.HasPrefix(buf, []byte("ref: ")) {
fname = filepath.Join(*repodir, ".git", string(buf[5:]))
buf, err = os.ReadFile(fname)
if err != nil {
log.Fatal(err)
}
githash = string(buf[:40])
} else {
log.Fatalf("githash cannot be recovered from %s", fname)
}
format := `// Copyright 2023 The Go Authors. All rights reserved.
// Use of this source code is governed by a BSD-style
// license that can be found in the LICENSE file.
// Code generated for LSP. DO NOT EDIT.
package protocol
// Code generated from %[1]s at ref %[2]s (hash %[3]s).
// %[4]s/blob/%[2]s/%[1]s
// LSP metaData.version = %[5]s.
`
return fmt.Sprintf(format,
"protocol/metaModel.json", // 1
lspGitRef, // 2
githash, // 3
vscodeRepo, // 4
model.Version.Version) // 5
}
func parse(fname string) *Model {
buf, err := os.ReadFile(fname)
if err != nil {
log.Fatal(err)
}
buf = addLineNumbers(buf)
model := new(Model)
if err := json.Unmarshal(buf, model); err != nil {
log.Fatal(err)
}
return model
}
// Type.Value has to be treated specially for literals and maps
func (t *Type) UnmarshalJSON(data []byte) error {
// First unmarshal only the unambiguous fields.
var x struct {
Kind string `json:"kind"`
Items []*Type `json:"items"`
Element *Type `json:"element"`
Name string `json:"name"`
Key *Type `json:"key"`
Value any `json:"value"`
Line int `json:"line"`
}
if err := json.Unmarshal(data, &x); err != nil {
return err
}
*t = Type{
Kind: x.Kind,
Items: x.Items,
Element: x.Element,
Name: x.Name,
Value: x.Value,
Line: x.Line,
}
// Then unmarshal the 'value' field based on the kind.
// This depends on Unmarshal ignoring fields it doesn't know about.
switch x.Kind {
case "map":
var x struct {
Key *Type `json:"key"`
Value *Type `json:"value"`
}
if err := json.Unmarshal(data, &x); err != nil {
return fmt.Errorf("Type.kind=map: %v", err)
}
t.Key = x.Key
t.Value = x.Value
case "literal":
var z struct {
Value ParseLiteral `json:"value"`
}
if err := json.Unmarshal(data, &z); err != nil {
return fmt.Errorf("Type.kind=literal: %v", err)
}
t.Value = z.Value
case "base", "reference", "array", "and", "or", "tuple",
"stringLiteral":
// no-op. never seen integerLiteral or booleanLiteral.
default:
return fmt.Errorf("cannot decode Type.kind %q: %s", x.Kind, data)
}
return nil
}
// which table entries were not used
func checkTables() {
for k := range disambiguate {
if !usedDisambiguate[k] {
log.Printf("disambiguate[%v] unused", k)
}
}
for k := range renameProp {
if !usedRenameProp[k] {
log.Printf("renameProp {%q, %q} unused", k[0], k[1])
}
}
for k := range goplsStar {
if !usedGoplsStar[k] {
log.Printf("goplsStar {%q, %q} unused", k[0], k[1])
}
}
for k := range goplsType {
if !usedGoplsType[k] {
log.Printf("unused goplsType[%q]->%s", k, goplsType[k])
}
}
}
|