mirror of
https://github.com/protocolbuffers/protobuf-go.git
synced 2025-01-29 09:32:38 +00:00
d901677135
The GoIdent type is now a tuple of import path and name. Generated files have an associated import path. Writing a GoIdent to a generated file qualifies the name if the identifier is from a different package. All necessary imports are automatically added to generated Go files. Change-Id: I839e0b7aa8ec967ce178aea4ffb960b62779cf74 Reviewed-on: https://go-review.googlesource.com/133635 Reviewed-by: Joe Tsai <thebrokentoaster@gmail.com>
332 lines
8.9 KiB
Go
332 lines
8.9 KiB
Go
// Copyright 2018 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.
|
|
|
|
// Package protogen provides support for writing protoc plugins.
|
|
//
|
|
// Plugins for protoc, the Protocol Buffers Compiler, are programs which read
|
|
// a CodeGeneratorRequest protocol buffer from standard input and write a
|
|
// CodeGeneratorResponse protocol buffer to standard output. This package
|
|
// provides support for writing plugins which generate Go code.
|
|
package protogen
|
|
|
|
import (
|
|
"bufio"
|
|
"bytes"
|
|
"fmt"
|
|
"go/parser"
|
|
"go/printer"
|
|
"go/token"
|
|
"io/ioutil"
|
|
"os"
|
|
"path/filepath"
|
|
"sort"
|
|
"strconv"
|
|
"strings"
|
|
|
|
"github.com/golang/protobuf/proto"
|
|
descpb "github.com/golang/protobuf/protoc-gen-go/descriptor"
|
|
pluginpb "github.com/golang/protobuf/protoc-gen-go/plugin"
|
|
"golang.org/x/tools/go/ast/astutil"
|
|
)
|
|
|
|
// Run executes a function as a protoc plugin.
|
|
//
|
|
// It reads a CodeGeneratorRequest message from os.Stdin, invokes the plugin
|
|
// function, and writes a CodeGeneratorResponse message to os.Stdout.
|
|
//
|
|
// If a failure occurs while reading or writing, Run prints an error to
|
|
// os.Stderr and calls os.Exit(1).
|
|
func Run(f func(*Plugin) error) {
|
|
if err := run(f); err != nil {
|
|
fmt.Fprintf(os.Stderr, "%s: %v\n", filepath.Base(os.Args[0]), err)
|
|
os.Exit(1)
|
|
}
|
|
}
|
|
|
|
func run(f func(*Plugin) error) error {
|
|
in, err := ioutil.ReadAll(os.Stdin)
|
|
if err != nil {
|
|
return err
|
|
}
|
|
req := &pluginpb.CodeGeneratorRequest{}
|
|
if err := proto.Unmarshal(in, req); err != nil {
|
|
return err
|
|
}
|
|
gen, err := New(req)
|
|
if err != nil {
|
|
return err
|
|
}
|
|
if err := f(gen); err != nil {
|
|
// Errors from the plugin function are reported by setting the
|
|
// error field in the CodeGeneratorResponse.
|
|
//
|
|
// In contrast, errors that indicate a problem in protoc
|
|
// itself (unparsable input, I/O errors, etc.) are reported
|
|
// to stderr.
|
|
gen.Error(err)
|
|
}
|
|
resp := gen.Response()
|
|
out, err := proto.Marshal(resp)
|
|
if err != nil {
|
|
return err
|
|
}
|
|
if _, err := os.Stdout.Write(out); err != nil {
|
|
return err
|
|
}
|
|
return nil
|
|
}
|
|
|
|
// A Plugin is a protoc plugin invocation.
|
|
type Plugin struct {
|
|
// Request is the CodeGeneratorRequest provided by protoc.
|
|
Request *pluginpb.CodeGeneratorRequest
|
|
|
|
// Files is the set of files to generate and everything they import.
|
|
// Files appear in topological order, so each file appears before any
|
|
// file that imports it.
|
|
Files []*File
|
|
filesByName map[string]*File
|
|
|
|
packageImportPath string // Go import path of the package we're generating code for.
|
|
|
|
genFiles []*GeneratedFile
|
|
err error
|
|
}
|
|
|
|
// New returns a new Plugin.
|
|
func New(req *pluginpb.CodeGeneratorRequest) (*Plugin, error) {
|
|
gen := &Plugin{
|
|
Request: req,
|
|
filesByName: make(map[string]*File),
|
|
}
|
|
|
|
// TODO: Figure out how to pass parameters to the generator.
|
|
for _, param := range strings.Split(req.GetParameter(), ",") {
|
|
var value string
|
|
if i := strings.Index(param, "="); i >= 0 {
|
|
value = param[i+1:]
|
|
param = param[0:i]
|
|
}
|
|
switch param {
|
|
case "":
|
|
// Ignore.
|
|
case "import_prefix":
|
|
// TODO
|
|
case "import_path":
|
|
gen.packageImportPath = value
|
|
case "paths":
|
|
// TODO
|
|
case "plugins":
|
|
// TODO
|
|
case "annotate_code":
|
|
// TODO
|
|
default:
|
|
if param[0] != 'M' {
|
|
return nil, fmt.Errorf("unknown parameter %q", param)
|
|
}
|
|
// TODO
|
|
}
|
|
}
|
|
|
|
for _, fdesc := range gen.Request.ProtoFile {
|
|
f := newFile(gen, fdesc)
|
|
name := f.Desc.GetName()
|
|
if gen.filesByName[name] != nil {
|
|
return nil, fmt.Errorf("duplicate file name: %q", name)
|
|
}
|
|
gen.Files = append(gen.Files, f)
|
|
gen.filesByName[name] = f
|
|
}
|
|
for _, name := range gen.Request.FileToGenerate {
|
|
f, ok := gen.FileByName(name)
|
|
if !ok {
|
|
return nil, fmt.Errorf("no descriptor for generated file: %v", name)
|
|
}
|
|
f.Generate = true
|
|
}
|
|
return gen, nil
|
|
}
|
|
|
|
// Error records an error in code generation. The generator will report the
|
|
// error back to protoc and will not produce output.
|
|
func (gen *Plugin) Error(err error) {
|
|
if gen.err == nil {
|
|
gen.err = err
|
|
}
|
|
}
|
|
|
|
// Response returns the generator output.
|
|
func (gen *Plugin) Response() *pluginpb.CodeGeneratorResponse {
|
|
resp := &pluginpb.CodeGeneratorResponse{}
|
|
if gen.err != nil {
|
|
resp.Error = proto.String(gen.err.Error())
|
|
return resp
|
|
}
|
|
for _, gf := range gen.genFiles {
|
|
content, err := gf.Content()
|
|
if err != nil {
|
|
return &pluginpb.CodeGeneratorResponse{
|
|
Error: proto.String(err.Error()),
|
|
}
|
|
}
|
|
resp.File = append(resp.File, &pluginpb.CodeGeneratorResponse_File{
|
|
Name: proto.String(gf.filename),
|
|
Content: proto.String(string(content)),
|
|
})
|
|
}
|
|
return resp
|
|
}
|
|
|
|
// FileByName returns the file with the given name.
|
|
func (gen *Plugin) FileByName(name string) (f *File, ok bool) {
|
|
f, ok = gen.filesByName[name]
|
|
return f, ok
|
|
}
|
|
|
|
// A File describes a .proto source file.
|
|
type File struct {
|
|
Desc *descpb.FileDescriptorProto // TODO: protoreflect.FileDescriptor
|
|
|
|
GoImportPath GoImportPath // import path of this file's Go package
|
|
Messages []*Message // top-level message declarations
|
|
Generate bool // true if we should generate code for this file
|
|
}
|
|
|
|
func newFile(gen *Plugin, p *descpb.FileDescriptorProto) *File {
|
|
f := &File{
|
|
Desc: p,
|
|
}
|
|
for i, mdesc := range p.MessageType {
|
|
f.Messages = append(f.Messages, newMessage(gen, f, nil, mdesc, i))
|
|
}
|
|
return f
|
|
}
|
|
|
|
// A Message describes a message.
|
|
type Message struct {
|
|
Desc *descpb.DescriptorProto // TODO: protoreflect.MessageDescriptor
|
|
|
|
GoIdent GoIdent // name of the generated Go type
|
|
Messages []*Message // nested message declarations
|
|
}
|
|
|
|
func newMessage(gen *Plugin, f *File, parent *Message, p *descpb.DescriptorProto, index int) *Message {
|
|
m := &Message{
|
|
Desc: p,
|
|
GoIdent: GoIdent{
|
|
GoName: camelCase(p.GetName()),
|
|
GoImportPath: f.GoImportPath,
|
|
},
|
|
}
|
|
if parent != nil {
|
|
m.GoIdent.GoName = parent.GoIdent.GoName + "_" + m.GoIdent.GoName
|
|
}
|
|
for i, nested := range p.GetNestedType() {
|
|
m.Messages = append(m.Messages, newMessage(gen, f, m, nested, i))
|
|
}
|
|
return m
|
|
}
|
|
|
|
// A GeneratedFile is a generated file.
|
|
type GeneratedFile struct {
|
|
filename string
|
|
goImportPath GoImportPath
|
|
buf bytes.Buffer
|
|
packageNames map[GoImportPath]GoPackageName
|
|
usedPackageNames map[GoPackageName]bool
|
|
}
|
|
|
|
// NewGeneratedFile creates a new generated file with the given filename
|
|
// and import path.
|
|
func (gen *Plugin) NewGeneratedFile(filename string, goImportPath GoImportPath) *GeneratedFile {
|
|
g := &GeneratedFile{
|
|
filename: filename,
|
|
goImportPath: goImportPath,
|
|
packageNames: make(map[GoImportPath]GoPackageName),
|
|
usedPackageNames: make(map[GoPackageName]bool),
|
|
}
|
|
gen.genFiles = append(gen.genFiles, g)
|
|
return g
|
|
}
|
|
|
|
// P prints a line to the generated output. It converts each parameter to a
|
|
// string following the same rules as fmt.Print. It never inserts spaces
|
|
// between parameters.
|
|
//
|
|
// TODO: .meta file annotations.
|
|
func (g *GeneratedFile) P(v ...interface{}) {
|
|
for _, x := range v {
|
|
switch x := x.(type) {
|
|
case GoIdent:
|
|
if x.GoImportPath != g.goImportPath {
|
|
fmt.Fprint(&g.buf, g.goPackageName(x.GoImportPath))
|
|
fmt.Fprint(&g.buf, ".")
|
|
}
|
|
fmt.Fprint(&g.buf, x.GoName)
|
|
default:
|
|
fmt.Fprint(&g.buf, x)
|
|
}
|
|
}
|
|
fmt.Fprintln(&g.buf)
|
|
}
|
|
|
|
func (g *GeneratedFile) goPackageName(importPath GoImportPath) GoPackageName {
|
|
if name, ok := g.packageNames[importPath]; ok {
|
|
return name
|
|
}
|
|
name := cleanPackageName(baseName(string(importPath)))
|
|
for i, orig := 1, name; g.usedPackageNames[name]; i++ {
|
|
name = orig + GoPackageName(strconv.Itoa(i))
|
|
}
|
|
g.packageNames[importPath] = name
|
|
g.usedPackageNames[name] = true
|
|
return name
|
|
}
|
|
|
|
// Write implements io.Writer.
|
|
func (g *GeneratedFile) Write(p []byte) (n int, err error) {
|
|
return g.buf.Write(p)
|
|
}
|
|
|
|
// Content returns the contents of the generated file.
|
|
func (g *GeneratedFile) Content() ([]byte, error) {
|
|
if !strings.HasSuffix(g.filename, ".go") {
|
|
return g.buf.Bytes(), nil
|
|
}
|
|
|
|
// Reformat generated code.
|
|
original := g.buf.Bytes()
|
|
fset := token.NewFileSet()
|
|
ast, err := parser.ParseFile(fset, "", original, parser.ParseComments)
|
|
if err != nil {
|
|
// Print out the bad code with line numbers.
|
|
// This should never happen in practice, but it can while changing generated code
|
|
// so consider this a debugging aid.
|
|
var src bytes.Buffer
|
|
s := bufio.NewScanner(bytes.NewReader(original))
|
|
for line := 1; s.Scan(); line++ {
|
|
fmt.Fprintf(&src, "%5d\t%s\n", line, s.Bytes())
|
|
}
|
|
return nil, fmt.Errorf("%v: unparsable Go source: %v\n%v", g.filename, err, src.String())
|
|
}
|
|
|
|
// Add imports.
|
|
var importPaths []string
|
|
for importPath := range g.packageNames {
|
|
importPaths = append(importPaths, string(importPath))
|
|
}
|
|
sort.Strings(importPaths)
|
|
for _, importPath := range importPaths {
|
|
astutil.AddNamedImport(fset, ast, string(g.packageNames[GoImportPath(importPath)]), importPath)
|
|
}
|
|
|
|
var out bytes.Buffer
|
|
if err = (&printer.Config{Mode: printer.TabIndent | printer.UseSpaces, Tabwidth: 8}).Fprint(&out, fset, ast); err != nil {
|
|
return nil, fmt.Errorf("%v: can not reformat Go source: %v", g.filename, err)
|
|
}
|
|
// TODO: Annotations.
|
|
return out.Bytes(), nil
|
|
|
|
}
|