Jay Taylor's notes

back to listing index

Go Generated Code

[web search]
Original source (developers.google.com)
Tags: serialization protobuf protocol-buffers developers.google.com
Clipped on: 2016-05-16

star_border
star_border
star_border
star_border
star_border

Go Generated Code

This page describes exactly what Go code the protocol buffer compiler generates for any given protocol definition. Any differences between proto2 and proto3 generated code are highlighted - note that these differences are in the generated code as described in this document, not the base API, which are the same in both versions. You should read the proto2 language guide and/or the proto3 language guide before reading this document.

Compiler Invocation

The protocol buffer compiler requires a plugin to generate Go code. Installing it with

$ go get github.com/golang/protobuf/protoc-gen-go
provides a protoc-gen-go binary which protoc uses when invoked with the --go_out command-line flag. The --go_out flag tells the compiler where to write the Go source files. The compiler creates a single source file for each .proto file input.

The names of the output files are computed by taking the name of the .proto file and making two changes:

  • The extension (.proto) is replaced with .pb.go. For example, a file called player_record.proto results in an output file called player_record.pb.go.
  • The proto path (specified with the --proto_path or -I command-line flag) is replaced with the output path (specified with the --go_out flag).

When you run the proto compiler like this:

protoc --proto_path=src --go_out=build/gen src/foo.proto src/bar/baz.proto

the compiler will read the files src/foo.proto and src/bar/baz.proto. It produces two output files: build/gen/foo.pb.go and build/gen/bar/baz.pb.go.

The compiler automatically creates the directory build/gen/bar if necessary, but it will not create build or build/gen; they must already exist.

Packages

If a .proto file contains a package declaration, the generated code uses the proto's package as its Go package name, converting . characters into _ first. For example, a proto package name of example.high_score results in a Go package name of example_high_score.

You can override the default generated package for a particular .proto using the option go_package in your .proto file. For example, a .proto file containing

content_copy
package example.high_score;
option go_package = "hs";
generates a file with the Go package name hs.

Otherwise, if a .proto file does not contain a package declaration, the generated code uses the file name (minus the extension) as its Go package name, converting . characters into _ first. For example, a proto package named high.score.proto without a package declaration will result in a file high.score.pb.go with package high_score.

Messages

Given a simple message declaration:

content_copy
message Foo {}

the protocol buffer compiler generates a struct called Foo. A *Foo implements the Message interface. See the inline comments for more information.

content_copy
type Foo struct {
}

// Reset sets the proto's state to default values.
func (m *Foo) Reset()         { *m = Foo{} }

// String returns a string representation of the proto.
func (m *Foo) String() string { return proto.CompactTextString(m) }

// ProtoMessage acts as a tag to make sure no one accidentally implements the
// proto.Message interface.
func (*Foo) ProtoMessage()    {}

Note that all of these members are always present; the optimize_for option does not affect the output of the Go code generator.

Nested Types

A message can be declared inside another message. For example:

content_copy
message Foo {
 
message Bar {
 
}
}

In this case, the compiler generates two structs: Foo and Foo_Bar.

Fields

The protocol buffer compiler generates a struct field for each field defined within a message. The exact nature of this field depends on its type and whether it is a singular, repeated, map, or oneof field.

Note that the generated Go field names always use camel-case naming, even if the field name in the .proto file uses lower-case with underscores (as it should). The case-conversion works as follows:

  1. The first letter is capitalized for export.
  2. For each underscore in the name, the underscore is removed, and the following letter is capitalized.

Thus, the proto field foo_bar_baz becomes FooBarBaz in Go.

Singular Scalar Fields (proto2)

For either of these field definitions:

content_copy
optional int32 foo = 1;
required int32 foo = 1;

the compiler generates a struct with an *int32 field named Foo and an accessor method GetFoo() which returns the int32 value in Foo or the default value if the field is unset. If the default is not explicitly set, the zero value of that type is used instead (0 for numbers, the empty string for strings).

For other scalar field types (including bool, bytes, and string), *int32 is replaced with the corresponding Go type according to the scalar value types table.

Singular Scalar Fields (proto3)

For this field definition:

content_copy
int32 foo = 1;
The compiler will generate a struct with an int32 field named Foo. No helper methods are generated.

For other scalar field types (including bool, bytes, and string), int32 is replaced with the corresponding Go type according to the scalar value types table. Unset values in the proto will be represented as the zero value of that type (0 for numbers, the empty string for strings).

Singular Message Fields

Given the message type:

content_copy
message Bar {}
For a message with a Bar field:
content_copy
// proto2
message Baz {
 
optional Bar foo = 1;
 
// The generated code is the same result if required instead of optional.
}

// proto3
message Baz {
 
Bar foo = 1;
}
The compiler will generate a Go struct
content_copy
type Baz struct {
        Foo *Bar
}

Message fields can be set to nil, which means that the field is unset, effectively clearing the field. This is not equivalent to setting the value to an "empty" instance of the message struct.

The compiler also generates a func (m *Baz) GetFoo() *Bar helper function. This makes it possible to chain get calls with out intermediate nil checks.

Repeated Fields

Each repeated field generates a slice of T field in the struct in Go, where T is the field's element type. For this message with a repeated field:

content_copy
message Baz {
 
repeated Bar foo = 1;
}

the compiler generates the Go struct:

content_copy
type Baz struct {
        Foo  []*Bar
}

Likewise, for the field definition repeated bytes foo = 1; the compiler will generate a Go struct with a [][]byte field named Foo.

Map Fields

Each map field generates a field in the struct of type map[TKey]TValue where TKey is the field's key type and TValue is the field's value type. For this message with a map field:

content_copy
message Bar {}

message Baz {
  map
<string, Bar> foo = 1;
}

the compiler generates the Go struct:

content_copy
type Baz struct {
        Foo map[string]*Bar
}

Oneof Fields

For a oneof field, the protobuf compiler generates a single field with an interface type isMessageName_MyField. It also generates a struct for each of the singular fields within the oneof. These all implement this isMessageName_MyField interface.

For this message with a oneof field:

content_copy
package account;
message Profile {
  oneof avatar
{
   
string image_url = 1;
   
bytes image_data = 2;
 
}
}

the compiler generates the structs:

content_copy
type Profile struct {
       
// Types that are valid to be assigned to Avatar:
       
//      *Profile_ImageUrl
       
//      *Profile_ImageData
        Avatar isProfile_Avatar `protobuf_oneof:"avatar"`
}

type Profile_ImageUrl struct {
        ImageUrl string
}
type Profile_ImageData struct {
        ImageData []byte
}

Both *Profile_ImageUrl and *Profile_ImageData implement isProfile_Avatar by providing an empty isProfile_Avatar() method. This means that you can use a type switch on the value to handle the different message types.

content_copy
switch x := m.Avatar.(type) {
case *account.Profile_ImageUrl:
       
// Load profile image based on URL
       
// using x.ImageUrl
case *account.Profile_ImageData:
       
// Load profile image based on bytes
       
// using x.ImageData
case nil:
       
// The field is not set.
default:
        return fmt.Errorf("Profile.Avatar has unexpected type %T", x)
}

The compiler also generates get methods func (m *Profile) GetImageUrl() string and func (m *Profile) GetImageData() []byte. Each get function returns the value for that field or the zero value if it is not set.

Enumerations

Given an enumeration like:

content_copy
message SearchRequest {
 
enum Corpus {
    UNIVERSAL
= 0;
    WEB
= 1;
    IMAGES
= 2;
    LOCAL
= 3;
    NEWS
= 4;
    PRODUCTS
= 5;
    VIDEO
= 6;
 
}
 
Corpus corpus = 1;
 
...
}

the protocol buffer compiler generates a type and a series of constants with that type.

For enums within a message (like the one above), the type name begins with the message name:

content_copy
type SearchRequest_Corpus int32

For a package-level enum:

content_copy
enum Foo {
  DEFAULT_BAR
= 0;
  BAR_BELLS
= 1;
  BAR_B_CUE
= 2;
}

the Go type name is unmodified from the proto enum name:

content_copy
type Foo int32

This type has a String() method that returns the name of a given value.

The protocol buffer compiler generates a constant for each value in the enum. For enums within a message, the constants begin with the enclosing message's name:

content_copy
const (
        SearchRequest_UNIVERSAL SearchRequest_Corpus = 0
        SearchRequest_WEB       SearchRequest_Corpus = 1
        SearchRequest_IMAGES    SearchRequest_Corpus = 2
        SearchRequest_LOCAL     SearchRequest_Corpus = 3
        SearchRequest_NEWS      SearchRequest_Corpus = 4
        SearchRequest_PRODUCTS  SearchRequest_Corpus = 5
        SearchRequest_VIDEO     SearchRequest_Corpus = 6
)

For a package-level enum, the constants begin with the enum name instead:

content_copy
const (
        Foo_DEFAULT_BAR Foo = 0
        Foo_BAR_BELLS   Foo = 1
        Foo_BAR_B_CUE   Foo = 2
)

The protobuf compiler also generates a map from integer values to the string names and a map from the names to the values:

content_copy
var Foo_name = map[int32]string{
        0: "DEFAULT_BAR",
        1: "BAR_BELLS",
        2: "BAR_B_CUE",
}
var Foo_value = map[string]int32{
        "DEFAULT_BAR": 0,
        "BAR_BELLS":   1,
        "BAR_B_CUE":   2,
}

Note that the .proto language allows multiple enum symbols to have the same numeric value. Symbols with the same numeric value are synonyms. These are represented in Go in exactly the same way, with multiple names corresponding to the same numeric value. The reverse mapping contains a single entry for the numeric value to the name which appears first in the .proto file.

Services

The Go code generator does not produce output for services by default. If you enable the gRPC plugin (see the gRPC Go Quickstart guide) then code will be generated to support gRPC.

Except as otherwise noted, the content of this page is licensed under the Creative Commons Attribution 3.0 License, and code samples are licensed under the Apache 2.0 License. For details, see our Site Policies.

Last updated January 20, 2016.

  • file_download
    Downloads
    Protocol buffers downloads and instructions
  • Image (Asset 2/2) alt= GitHub
    The latest protocol buffers code and releases
Terms   |   Privacy
arrow_drop_down
English