Skip to content

Commit 0ee74e5

Browse files
authored
Merge pull request #21 from hashicorp/feat/nullable
Introduce nullable types
2 parents 4b7b22a + 2dbeecf commit 0ee74e5

13 files changed

+531
-9
lines changed

.github/workflows/ci.yml

+1-1
Original file line numberDiff line numberDiff line change
@@ -10,7 +10,7 @@ jobs:
1010
runs-on: ubuntu-latest
1111
strategy:
1212
matrix:
13-
go: [ '1.21', '1.20', '1.19', '1.18', '1.17', '1.11' ]
13+
go: [ '1.21', '1.20', '1.19', '1.18']
1414
steps:
1515
- uses: actions/checkout@b4ffde65f46336ab88eb53be808477a3936bae11 # v4.1.1
1616

README.md

+66
Original file line numberDiff line numberDiff line change
@@ -409,6 +409,72 @@ func (post Post) JSONAPIRelationshipMeta(relation string) *Meta {
409409
}
410410
```
411411

412+
### Nullable attributes
413+
414+
Certain APIs may interpret the meaning of `null` attribute values as significantly
415+
different from unspecified values (those that do not show up in the request).
416+
The default use of the `omitempty` struct tag does not allow for sending
417+
significant `null`s.
418+
419+
A type is provided for this purpose if needed: `NullableAttr[T]`. This type
420+
provides an API for sending and receiving significant `null` values for
421+
attribute values of any type.
422+
423+
In the example below, a payload is presented for a fictitious API that makes use
424+
of significant `null` values. Once enabled, the `UnsettableTime` setting can
425+
only be disabled by updating it to a `null` value.
426+
427+
The payload struct below makes use of a `NullableAttr` with an inner `time.Time`
428+
to allow this behavior:
429+
430+
```go
431+
type Settings struct {
432+
ID int `jsonapi:"primary,videos"`
433+
UnsettableTime jsonapi.NullableAttr[time.Time] `jsonapi:"attr,unsettable_time,rfc3339,omitempty"`
434+
}
435+
```
436+
437+
To enable the setting as described above, an non-null `time.Time` value is
438+
sent to the API. This is done by using the exported
439+
`NewNullableAttrWithValue[T]()` method:
440+
441+
```go
442+
s := Settings{
443+
ID: 1,
444+
UnsettableTime: jsonapi.NewNullableAttrWithValue[time.Time](time.Now()),
445+
}
446+
```
447+
448+
To disable the setting, a `null` value needs to be sent to the API. This is done
449+
by using the exported `NewNullNullableAttr[T]()` method:
450+
451+
```go
452+
s := Settings{
453+
ID: 1,
454+
UnsettableTime: jsonapi.NewNullNullableAttr[time.Time](),
455+
}
456+
```
457+
458+
Once a payload has been marshaled, the attribute value is flattened to a
459+
primitive value:
460+
```
461+
"unsettable_time": "2021-01-01T02:07:14Z",
462+
```
463+
464+
Significant nulls are also included and flattened, even when specifying `omitempty`:
465+
```
466+
"unsettable_time": null,
467+
```
468+
469+
Once a payload is unmarshaled, the target attribute field is hydrated with
470+
the value in the payload and can be retrieved with the `Get()` method:
471+
```go
472+
t, err := s.UnsettableTime.Get()
473+
```
474+
475+
All other struct tags used in the attribute definition will be honored when
476+
marshaling and unmarshaling non-null values for the inner type.
477+
412478
### Custom types
413479

414480
Custom types are supported for primitive types, only, as attributes. Examples,

examples/app.go

+22
Original file line numberDiff line numberDiff line change
@@ -96,6 +96,28 @@ func exerciseHandler() {
9696
fmt.Println(buf.String())
9797
fmt.Println("============== end raw jsonapi response =============")
9898

99+
// update
100+
blog.UnsettableTime = jsonapi.NewNullableAttrWithValue[time.Time](time.Now())
101+
in = bytes.NewBuffer(nil)
102+
jsonapi.MarshalOnePayloadEmbedded(in, blog)
103+
104+
req, _ = http.NewRequest(http.MethodPatch, "/blogs", in)
105+
106+
req.Header.Set(headerAccept, jsonapi.MediaType)
107+
108+
w = httptest.NewRecorder()
109+
110+
fmt.Println("============ start update ===========")
111+
http.DefaultServeMux.ServeHTTP(w, req)
112+
fmt.Println("============ stop update ===========")
113+
114+
buf = bytes.NewBuffer(nil)
115+
io.Copy(buf, w.Body)
116+
117+
fmt.Println("============ jsonapi response from update ===========")
118+
fmt.Println(buf.String())
119+
fmt.Println("============== end raw jsonapi response =============")
120+
99121
// echo
100122
blogs := []interface{}{
101123
fixtureBlogCreate(1),

examples/fixtures.go

+3-1
Original file line numberDiff line numberDiff line change
@@ -1,6 +1,8 @@
11
package main
22

3-
import "time"
3+
import (
4+
"time"
5+
)
46

57
func fixtureBlogCreate(i int) *Blog {
68
return &Blog{

examples/handler.go

+25
Original file line numberDiff line numberDiff line change
@@ -1,6 +1,7 @@
11
package main
22

33
import (
4+
"fmt"
45
"net/http"
56
"strconv"
67

@@ -25,6 +26,8 @@ func (h *ExampleHandler) ServeHTTP(w http.ResponseWriter, r *http.Request) {
2526
switch r.Method {
2627
case http.MethodPost:
2728
methodHandler = h.createBlog
29+
case http.MethodPatch:
30+
methodHandler = h.updateBlog
2831
case http.MethodPut:
2932
methodHandler = h.echoBlogs
3033
case http.MethodGet:
@@ -61,6 +64,28 @@ func (h *ExampleHandler) createBlog(w http.ResponseWriter, r *http.Request) {
6164
}
6265
}
6366

67+
func (h *ExampleHandler) updateBlog(w http.ResponseWriter, r *http.Request) {
68+
jsonapiRuntime := jsonapi.NewRuntime().Instrument("blogs.update")
69+
70+
blog := new(Blog)
71+
72+
if err := jsonapiRuntime.UnmarshalPayload(r.Body, blog); err != nil {
73+
http.Error(w, err.Error(), http.StatusInternalServerError)
74+
return
75+
}
76+
77+
fmt.Println(blog)
78+
79+
// ...do stuff with your blog...
80+
81+
w.WriteHeader(http.StatusCreated)
82+
w.Header().Set(headerContentType, jsonapi.MediaType)
83+
84+
if err := jsonapiRuntime.MarshalPayload(w, blog); err != nil {
85+
http.Error(w, err.Error(), http.StatusInternalServerError)
86+
}
87+
}
88+
6489
func (h *ExampleHandler) echoBlogs(w http.ResponseWriter, r *http.Request) {
6590
jsonapiRuntime := jsonapi.NewRuntime().Instrument("blogs.list")
6691
// ...fetch your blogs, filter, offset, limit, etc...

examples/models.go

+8-7
Original file line numberDiff line numberDiff line change
@@ -9,13 +9,14 @@ import (
99

1010
// Blog is a model representing a blog site
1111
type Blog struct {
12-
ID int `jsonapi:"primary,blogs"`
13-
Title string `jsonapi:"attr,title"`
14-
Posts []*Post `jsonapi:"relation,posts"`
15-
CurrentPost *Post `jsonapi:"relation,current_post"`
16-
CurrentPostID int `jsonapi:"attr,current_post_id"`
17-
CreatedAt time.Time `jsonapi:"attr,created_at"`
18-
ViewCount int `jsonapi:"attr,view_count"`
12+
ID int `jsonapi:"primary,blogs"`
13+
Title string `jsonapi:"attr,title"`
14+
Posts []*Post `jsonapi:"relation,posts"`
15+
CurrentPost *Post `jsonapi:"relation,current_post"`
16+
CurrentPostID int `jsonapi:"attr,current_post_id"`
17+
CreatedAt time.Time `jsonapi:"attr,created_at"`
18+
UnsettableTime jsonapi.NullableAttr[time.Time] `jsonapi:"attr,unsettable_time,rfc3339,omitempty"`
19+
ViewCount int `jsonapi:"attr,view_count"`
1920
}
2021

2122
// Post is a model representing a post on a blog

go.mod

+2
Original file line numberDiff line numberDiff line change
@@ -1 +1,3 @@
11
module github.com/hashicorp/jsonapi
2+
3+
go 1.18

models_test.go

+9
Original file line numberDiff line numberDiff line change
@@ -35,6 +35,15 @@ type TimestampModel struct {
3535
RFC3339P *time.Time `jsonapi:"attr,rfc3339p,rfc3339"`
3636
}
3737

38+
type WithNullableAttrs struct {
39+
ID int `jsonapi:"primary,with-nullables"`
40+
Name string `jsonapi:"attr,name"`
41+
IntTime NullableAttr[time.Time] `jsonapi:"attr,int_time,omitempty"`
42+
RFC3339Time NullableAttr[time.Time] `jsonapi:"attr,rfc3339_time,rfc3339,omitempty"`
43+
ISO8601Time NullableAttr[time.Time] `jsonapi:"attr,iso8601_time,iso8601,omitempty"`
44+
Bool NullableAttr[bool] `jsonapi:"attr,bool,omitempty"`
45+
}
46+
3847
type Car struct {
3948
ID *string `jsonapi:"primary,cars"`
4049
Make *string `jsonapi:"attr,make,omitempty"`

nullable.go

+89
Original file line numberDiff line numberDiff line change
@@ -0,0 +1,89 @@
1+
package jsonapi
2+
3+
import (
4+
"errors"
5+
)
6+
7+
// NullableAttr is a generic type, which implements a field that can be one of three states:
8+
//
9+
// - field is not set in the request
10+
// - field is explicitly set to `null` in the request
11+
// - field is explicitly set to a valid value in the request
12+
//
13+
// NullableAttr is intended to be used with JSON marshalling and unmarshalling.
14+
// This is generally useful for PATCH requests, where attributes with zero
15+
// values are intentionally not marshaled into the request payload so that
16+
// existing attribute values are not overwritten.
17+
//
18+
// Internal implementation details:
19+
//
20+
// - map[true]T means a value was provided
21+
// - map[false]T means an explicit null was provided
22+
// - nil or zero map means the field was not provided
23+
//
24+
// If the field is expected to be optional, add the `omitempty` JSON tags. Do NOT use `*NullableAttr`!
25+
//
26+
// Adapted from https://www.jvt.me/posts/2024/01/09/go-json-nullable/
27+
type NullableAttr[T any] map[bool]T
28+
29+
// NewNullableAttrWithValue is a convenience helper to allow constructing a
30+
// NullableAttr with a given value, for instance to construct a field inside a
31+
// struct without introducing an intermediate variable.
32+
func NewNullableAttrWithValue[T any](t T) NullableAttr[T] {
33+
var n NullableAttr[T]
34+
n.Set(t)
35+
return n
36+
}
37+
38+
// NewNullNullableAttr is a convenience helper to allow constructing a NullableAttr with
39+
// an explicit `null`, for instance to construct a field inside a struct
40+
// without introducing an intermediate variable
41+
func NewNullNullableAttr[T any]() NullableAttr[T] {
42+
var n NullableAttr[T]
43+
n.SetNull()
44+
return n
45+
}
46+
47+
// Get retrieves the underlying value, if present, and returns an error if the value was not present
48+
func (t NullableAttr[T]) Get() (T, error) {
49+
var empty T
50+
if t.IsNull() {
51+
return empty, errors.New("value is null")
52+
}
53+
if !t.IsSpecified() {
54+
return empty, errors.New("value is not specified")
55+
}
56+
return t[true], nil
57+
}
58+
59+
// Set sets the underlying value to a given value
60+
func (t *NullableAttr[T]) Set(value T) {
61+
*t = map[bool]T{true: value}
62+
}
63+
64+
// Set sets the underlying value to a given value
65+
func (t *NullableAttr[T]) SetInterface(value interface{}) {
66+
t.Set(value.(T))
67+
}
68+
69+
// IsNull indicate whether the field was sent, and had a value of `null`
70+
func (t NullableAttr[T]) IsNull() bool {
71+
_, foundNull := t[false]
72+
return foundNull
73+
}
74+
75+
// SetNull sets the value to an explicit `null`
76+
func (t *NullableAttr[T]) SetNull() {
77+
var empty T
78+
*t = map[bool]T{false: empty}
79+
}
80+
81+
// IsSpecified indicates whether the field was sent
82+
func (t NullableAttr[T]) IsSpecified() bool {
83+
return len(t) != 0
84+
}
85+
86+
// SetUnspecified sets the value to be absent from the serialized payload
87+
func (t *NullableAttr[T]) SetUnspecified() {
88+
*t = map[bool]T{}
89+
}

request.go

+30
Original file line numberDiff line numberDiff line change
@@ -589,6 +589,12 @@ func unmarshalAttribute(
589589
value = reflect.ValueOf(attribute)
590590
fieldType := structField.Type
591591

592+
// Handle NullableAttr[T]
593+
if strings.HasPrefix(fieldValue.Type().Name(), "NullableAttr[") {
594+
value, err = handleNullable(attribute, args, structField, fieldValue)
595+
return
596+
}
597+
592598
// Handle field of type []string
593599
if fieldValue.Type() == reflect.TypeOf([]string{}) {
594600
value, err = handleStringSlice(attribute)
@@ -656,6 +662,30 @@ func handleStringSlice(attribute interface{}) (reflect.Value, error) {
656662
return reflect.ValueOf(values), nil
657663
}
658664

665+
func handleNullable(
666+
attribute interface{},
667+
args []string,
668+
structField reflect.StructField,
669+
fieldValue reflect.Value) (reflect.Value, error) {
670+
671+
if a, ok := attribute.(string); ok && a == "null" {
672+
return reflect.ValueOf(nil), nil
673+
}
674+
675+
innerType := fieldValue.Type().Elem()
676+
zeroValue := reflect.Zero(innerType)
677+
678+
attrVal, err := unmarshalAttribute(attribute, args, structField, zeroValue)
679+
if err != nil {
680+
return reflect.ValueOf(nil), err
681+
}
682+
683+
fieldValue.Set(reflect.MakeMapWithSize(fieldValue.Type(), 1))
684+
fieldValue.SetMapIndex(reflect.ValueOf(true), attrVal)
685+
686+
return fieldValue, nil
687+
}
688+
659689
func handleTime(attribute interface{}, args []string, fieldValue reflect.Value) (reflect.Value, error) {
660690
var isISO8601, isRFC3339 bool
661691
v := reflect.ValueOf(attribute)

0 commit comments

Comments
 (0)