lbry.go/string.go

78 lines
1.8 KiB
Go
Raw Normal View History

2014-08-29 03:29:17 +02:00
// Package null provides an opinionated yet reasonable way of handling null values.
2014-08-28 17:11:18 +02:00
package null
import (
"database/sql"
"encoding/json"
)
2014-08-29 03:29:17 +02:00
// String is a nullable string.
2014-08-28 17:11:18 +02:00
type String struct {
sql.NullString
}
2014-08-29 03:29:17 +02:00
// StringFrom creates a new String that will be null if s is blank.
2014-08-28 17:11:18 +02:00
func StringFrom(s string) String {
2014-08-29 03:29:17 +02:00
return NewString(s, s != "")
}
// NewString creates a new String
func NewString(s string, valid bool) String {
2014-08-28 17:11:18 +02:00
return String{
NullString: sql.NullString{
String: s,
2014-08-29 04:31:09 +02:00
Valid: valid,
2014-08-28 17:11:18 +02:00
},
}
}
2014-08-29 03:29:17 +02:00
// UnmarshalJSON implements json.Unmarshaler.
// It supports string and null input. Blank string input produces a null String.
// It also supports unmarshalling a sql.NullString.
2014-08-28 17:11:18 +02:00
func (s *String) UnmarshalJSON(data []byte) error {
var err error
var v interface{}
json.Unmarshal(data, &v)
2014-08-30 16:53:25 +02:00
switch x := v.(type) {
2014-08-28 17:11:18 +02:00
case string:
2014-08-30 16:53:25 +02:00
s.String = x
2014-08-28 17:11:18 +02:00
case map[string]interface{}:
err = json.Unmarshal(data, &s.NullString)
case nil:
s.Valid = false
return nil
}
2014-08-29 03:29:17 +02:00
s.Valid = (err == nil) && (s.String != "")
2014-08-28 17:11:18 +02:00
return err
}
2014-08-29 03:29:17 +02:00
// MarshalText implements encoding.TextMarshaler.
// It will encode a blank string when this String is null.
func (s String) MarshalText() ([]byte, error) {
if !s.Valid {
return []byte{}, nil
}
return []byte(s.String), nil
}
// UnmarshalText implements encoding.TextUnmarshaler.
// It will unmarshal to a null String if the input is a blank string.
func (s *String) UnmarshalText(text []byte) error {
s.String = string(text)
s.Valid = s.String != ""
return nil
2014-08-28 17:11:18 +02:00
}
2014-08-29 03:29:17 +02:00
// Pointer returns a pointer to this String's value, or a nil pointer if this String is null.
2014-08-28 17:11:18 +02:00
func (s String) Pointer() *string {
2014-08-30 16:53:25 +02:00
if !s.Valid {
2014-08-28 17:11:18 +02:00
return nil
}
return &s.String
}
2014-08-29 04:12:48 +02:00
// IsZero returns true for null or empty strings, for future omitempty support. (Go 1.4?)
func (s String) IsZero() bool {
return !s.Valid || s.String == ""
}