github.com/jackc/pgx/v5@v5.5.5/pgproto3/sasl_initial_response.go (about) 1 package pgproto3 2 3 import ( 4 "bytes" 5 "encoding/hex" 6 "encoding/json" 7 "errors" 8 9 "github.com/jackc/pgx/v5/internal/pgio" 10 ) 11 12 type SASLInitialResponse struct { 13 AuthMechanism string 14 Data []byte 15 } 16 17 // Frontend identifies this message as sendable by a PostgreSQL frontend. 18 func (*SASLInitialResponse) Frontend() {} 19 20 // Decode decodes src into dst. src must contain the complete message with the exception of the initial 1 byte message 21 // type identifier and 4 byte message length. 22 func (dst *SASLInitialResponse) Decode(src []byte) error { 23 *dst = SASLInitialResponse{} 24 25 rp := 0 26 27 idx := bytes.IndexByte(src, 0) 28 if idx < 0 { 29 return errors.New("invalid SASLInitialResponse") 30 } 31 32 dst.AuthMechanism = string(src[rp:idx]) 33 rp = idx + 1 34 35 rp += 4 // The rest of the message is data so we can just skip the size 36 dst.Data = src[rp:] 37 38 return nil 39 } 40 41 // Encode encodes src into dst. dst will include the 1 byte message type identifier and the 4 byte message length. 42 func (src *SASLInitialResponse) Encode(dst []byte) ([]byte, error) { 43 dst, sp := beginMessage(dst, 'p') 44 45 dst = append(dst, []byte(src.AuthMechanism)...) 46 dst = append(dst, 0) 47 48 dst = pgio.AppendInt32(dst, int32(len(src.Data))) 49 dst = append(dst, src.Data...) 50 51 return finishMessage(dst, sp) 52 } 53 54 // MarshalJSON implements encoding/json.Marshaler. 55 func (src SASLInitialResponse) MarshalJSON() ([]byte, error) { 56 return json.Marshal(struct { 57 Type string 58 AuthMechanism string 59 Data string 60 }{ 61 Type: "SASLInitialResponse", 62 AuthMechanism: src.AuthMechanism, 63 Data: string(src.Data), 64 }) 65 } 66 67 // UnmarshalJSON implements encoding/json.Unmarshaler. 68 func (dst *SASLInitialResponse) UnmarshalJSON(data []byte) error { 69 // Ignore null, like in the main JSON package. 70 if string(data) == "null" { 71 return nil 72 } 73 74 var msg struct { 75 AuthMechanism string 76 Data string 77 } 78 if err := json.Unmarshal(data, &msg); err != nil { 79 return err 80 } 81 dst.AuthMechanism = msg.AuthMechanism 82 if msg.Data != "" { 83 decoded, err := hex.DecodeString(msg.Data) 84 if err != nil { 85 return err 86 } 87 dst.Data = decoded 88 } 89 return nil 90 }