Description
Depending on how our types are defined, we run into various interesting problems with setting empty values.
Option 1
This is the current behavior throughout the library.
As currently setup, we can't set empty values at all on Create or Update methods. For example, this won't work to remove the description from an existing repository:
// remove the repository description
r := &github.Repository{Description:""}
client.Repositories.Edit("user", "repo", r)
That is actually a no-op because the empty Description field gets dropped, since it is currently defined with omitempty
. Fortunately, there are only a handful of mutable values where the zero value is actually meaningful, most notably bool
values.
Option 2
We could then instead drop the omitempty
, but that has potentially really bad side-effects, particularly on edit methods. Take the above code sample. Without omitempty
on any of our fields, this would work as intended. However, it would also have the unintended side-effect of wiping out the repo homepage, [and once we add the additional fields...] making it public, and disabling issues and the wiki for the repo, since all of those fields would be passing their zero values. The solution there is to first call Get
, update the response, and then call Edit
with the updated object:
// remove the repository description
r, _ := client.Repositories.Get("user", "repo")
r.Description = ""
client.Repositories.Edit("user", "repo", r)
If you forget to follow that flow, you're gonna have a bad time.
Option 3
The third option is to do what goprotobuf does and actually use pointers for all non-repeated fields, since that allows a clear distinction between "unset" (nil) and "empty" (non-nil, zero value). That would result in types like:
type Repository struct {
ID *int `json:"id,omitempty"`
Owner *User `json:"owner,omitempty"`
Name *string `json:"name,omitempty"`
Description *string `json:"description,omitempty"`
CreatedAt *time.Time `json:"created_at,omitempty"`
PushedAt *time.Time `json:"pushed_at,omitempty"`
UpdatedAt *time.Time `json:"updated_at,omitempty"`
}
This is by far the safest approach, but does make working with the library a bit cumbersome, since creating pointers to primitive types takes a little extra work (multiplied by the number of fields you are setting). For example, the above code sample now becomes:
// remove the repository description
d = ""
r := &github.Repository{Description:&d}
client.Repositories.Edit("user", "repo", r)
The goprotobuf
library makes this a little simpler by providing helper functions for creating pointers to primitives. Using those methods would result in:
// remove the repository description
r := &github.Repository{Description:proto.String("")}
client.Repositories.Edit("user", "repo", r)
Additionally, when working with these values, developers will always have to remember to dereference them where appropriate. While this is common for anyone used to working with protocol buffers in go, I'm not sure how unexpected it will be for the general community.
Activity
willnorris commentedon Jul 11, 2013
some (though not much, at the time of this writing) discussion of this on golang-nuts here. After talking with a couple of engineers at Google, I'm leaning toward option 3, and just updating the docs to recommend use of the helper methods in
goprotobuf
.willnorris commentedon Aug 1, 2013
ugh. So goprotobuf's
Int()
returns anint32
instead of a plainint
, since protocol buffers requires int size to be explicit. So we can either declare all of our ints asint32
(not really a fan of that idea), add our ownInt()
convenience method (and then users of the library will need to remember to use goprotobuf for most types, but our function for ints... not great), or we just duplicate the convenience functions from goprotobuf and remove that dependency altogether.Looking at things more closely, I'm pretty sure we really only need the
Bool()
,Int()
, andString()
functions, so this last option doesn't seem so bad... it's all of like 15 lines of code.willnorris commentedon Aug 2, 2013
So yesterday I went through and updated all of our structs for GitHub resources to use pointers for singular fields, and was getting ready to write another "this makes me sad" commit message. Except that I realized that by doing this, it makes the output of
String()
completely useless, since it just outputs a bunch of pointer addresses for all the fields. Kinda wish I would have considered that before I changed everything. 😕The goprotobuf library handles this by providing a custom
String()
for allProtoMessage
objects that uses reflection to create really nice output (among a ton of other really awesome things it does with protos). So at this point, I'm planning on just using protos for realzies instead of just trying to cherry-pick bits and pieces. This will certainly add a new barrier for contributors wanting to add new resource types, since they'll have to deal withprotoc
. Dealing with the structs generated by protoc is also a little different than normal Go structs, but it's not really too bad. This will do a number on our generated documentation, since protoc generatesGet*()
funcs for every field, but there's not much we can do about that.For anyone interested on exactly what the generated structs will look like (and more importantly why they do what they do), read the goprotobuf README
willnorris commentedon Aug 5, 2013
So I've switched
User
andRepository
to use protos in 8d2a1c9.I've also gone ahead and merged that into my personal master branch just to see what the generated docs will look like (see here). They're certainly more verbose than what we had before, particularly because of all the new
Get*
funcs.It is customary to have proto files in a separate package ending in "pb" or "proto", so we could move these to
github.com/google/go-github/githubpb
. That would at least clean up the generated docs a little bit, but I'm not sure that's really worth it. In general, I've really liked the simplicity of having everything in a single package.The other sad part about moving to protos that I've seen is the lack of support for
time.Time
values. Since proto doesn't have a notion of a timestamp type, these just get encoded as strings. Converting that to atime.Time
would have to be a separate step.Given that the library simply doesn't work as-is (see original bug report), we have to do something, and this still seems like the best approach, despite the drawbacks.
/cc everyone who has contributed thus far in case anyone wants to weigh in before I move forward with this (@wlynch92, @imjasonh @sqs, @gedex, @stianeikeland, @beyang, @yml, @ktoso, @RC1140), since I'm not sure if you'll see this otherwise.
ktoso commentedon Aug 6, 2013
Hi Will,
So I have to say I had been thinking about this a bit before... For starters it's clear we have to switch to option 3, no doubt about it.
When it comes to proto / no proto, I was initially leaning against using protos because as library devs it's always nice to "pull nothing in", then again when looking at the code without protobuf helpers today... "oh, that's pretty ugly". And it's so common anyway that I'd +1 just using protobuf just like you started already.
As for the pattern with "the
pb
repo", I've seen it around and think it makes sense to stick to this custom. An example of a project doing so is https://github.com/golang/groupcache (btw. it's awesome 👍), so even though it's overhead it seems the "right thing to do", I'd +1 that. :-)Of course I'll try to help out again as much as I can - but argh, so much travel lately!
By the way, I'll be in SF / MTV next week, do you think we could meetup somehow? I'd love to do that :-)
If so, I'm @ktosopl on twitter.
PS: As for
time.Time
I think you meant serialize asint64
timestamps in proto, notstring
s?sqs commentedon Aug 6, 2013
I'd guess that most of the users of this library are only reading data from GitHub, not writing/updating data on GitHub. I think that any solution involving pointer fields for non-repeated values would increase the complexity of the API reader use case.
What about a 4th approach, where you must be explicit about the fields to include in the server request when writing/updating data? Then reading data from GitHub would remain as-is, and writing/updating might look like this:
Behind the scenes,
func (r *Repository) WithFields(fields... string) map[string]interface{}
would return a JSON object with only the named fields from the JSON representation ofr
. All of the API methods that write/update data would takemap[string]interface{}
(or similar), not the structs.The obvious downsides to this approach are that it's ad-hoc (protobuf is a superior general solution) and non-typesafe (the fields would be passed as strings). But it would retain the library's ease of use for API readers and may be simpler overall.
Just an idea...the protobuf solution would certainly work for us as well.
willnorris commentedon Aug 6, 2013
It depends on where in the API it is. Most of the timestamps are returned from GitHub as JSON strings (e.g.
"2011-01-26T19:06:43Z"
). Go's JSON encoder is smart enough to unmarshal those as nativetime.Time
objects. However, there's no way to have protoc generate structs that include that, so they would have to be encoded simply as strings.There are a couple of other places where times are returned as ints (notably, the new rate.reset), so yes you're absolutely right there... those would be stored in proto format as int64.
We could of course have some convenience methods for converting both of these (strings and ints) to
time.Time
, but it wouldn't be as seamless as what we have today.gedex commentedon Aug 6, 2013
@willnorris I can help with switching
Gist
andUserEmail
to proto. Should I wait for your personal branch getting merged to main repo first? Maybe we can create, for instance,switch_to_proto
branch in this repo for proto migration?willnorris commentedon Aug 6, 2013
@gedex: hold off for now... another update coming soon.
willnorris commentedon Aug 6, 2013
(continuing to update this bug with my progress, as this may be of use to others, or myself, in the future...)
So I'm running into more issues with how we handle Event payloads. Today we decode GitHub's "payload" field into a
json.RawMessage
, since the proper type really depends on what type of event it is. ThePayload()
func handles inspecting the event type and then unmarshalling the payload into the correct type. This works pretty well, but sadly we can't do this with protos because there is no way to express a "raw JSON message" type in our .proto file. The equivalent in proto-land would be thebytes
type, butencoding/json
won't unmarshal a JSON object into a byte slice.In essence, using
protoc
to generate Go structs that we will only ever serialize as JSON gives us the worst of both worlds 😖. Or more accurately, it prevents us from using any available methods to solve this, because we're limited to the least common denominator between proto and JSON. In pure JSON, we'd handle this the way we are today withjson.RawMessage
, and this would be a non-issue. Conversely, if we were actually using the proto wire format, we could take advantage of proto's "unrecognized fields" support. Basically, we wouldn't declare a "payload" field on our Event message, and would then manually pluck the payload data out of theXXX_unrecognized
field and parse that. That of course doesn't work because we're usingencoding/json
to unmarshal the API responses, and it knows nothing aboutXXX_unrecognized
... instead it drops unrecognized fields on the floor.So two options I'll be exploring:
UnmarshalJSON
func on the Events type that handles the payload.gedex commentedon Aug 7, 2013
@willnorris This maybe irrelevant with current issue, but calling
Payload()
toEvent
type doesn't returns corresponding struct type. A type assertion still needed to get the concrete event type, for instance we can't do:Using type assertion:
Maybe I used it improperly on first example?
willnorris commentedon Aug 7, 2013
@gedex yeah, you're right that you still need to do a type assertion. But
Payload()
will at least unmarshall the JSON into the right struct so that all the data is there. I'd be interested in other ways we could make this even easier if you have any ideas.move package docs to doc.go
22 remaining items
RussellLuo commentedon May 31, 2022
Hi there, sorry for replying to an old issue.
I encountered the the same problem as described in this thread. After some investigation, I think there might be a possible workaround for the problem with handling empty values from JSON:
map[string]interface{}
first.map[string]interface{}
as a filed mask (like whatprotobuf
provides)map[string]interface{}
into a struct by leveraging some library (such as mapstructure).See https://go.dev/play/p/aKDfn4HQLxM for a runnable example.
Advantages:
Disadvantages:
map[string]interface{}
-> struct)mapstructure
)What do you think?
gmlewis commentedon May 31, 2022
I'm concerned that this might be quite disruptive at this point with so many users of this repo, making a change like this 9 years later. It seems to me that this would be a major retrofit to users of this client library and a completely different style of usage (using the
Has
method instead of using nil checks).It might make sense to create a fork and try out these ideas and see how things go.
RussellLuo commentedon Jun 1, 2022
Thank you for the kind reply! I agree with you that it's unwise to try to change this repo.
I have just turned the idea into a little library called filedmask. As you suggested, I plan to try this library in real-world REST APIs and see how it will go.
Thanks again!
gmlewis commentedon Jun 1, 2022
Excellent! Feel free to report back here and let us know how the experiment goes. Thanks.
sliceofpointers
custom linter #3447