probo/models/participant.go

88 lines
1.7 KiB
Go
Raw Normal View History

2023-10-18 13:40:21 +02:00
package models
import (
"crypto/sha256"
2023-11-20 14:14:09 +01:00
"encoding/json"
"fmt"
2023-11-21 15:12:13 +01:00
"sort"
"strings"
)
2023-11-21 15:12:13 +01:00
type AttributeList map[string]string
2023-10-18 13:40:21 +02:00
type Participant struct {
ID string `csv:"id" gorm:"primaryKey"`
2023-10-18 13:40:21 +02:00
Firstname string `csv:"firstname"`
Lastname string `csv:"lastname"`
Token int `csv:"token"`
2023-11-21 15:12:13 +01:00
Attributes AttributeList `csv:"attributes"`
2023-10-18 13:40:21 +02:00
}
func (p *Participant) String() string {
return fmt.Sprintf("%s %s", p.Lastname, p.Firstname)
}
func (p *Participant) GetID() string {
return p.ID
}
func (p *Participant) SetID(id string) {
p.ID = id
}
func (p *Participant) GetHash() string {
return fmt.Sprintf("%x", sha256.Sum256([]byte(strings.Join(append([]string{p.Lastname, p.Firstname}, p.AttributesToSlice()...), ""))))
}
func (p *Participant) AttributesToSlice() []string {
result := make([]string, len(p.Attributes)*2)
for k, v := range p.Attributes {
result = append(result, k, v)
}
return result
}
2023-11-20 14:14:09 +01:00
func (p *Participant) Marshal() ([]byte, error) {
return json.Marshal(p)
}
func (p *Participant) Unmarshal(data []byte) error {
return json.Unmarshal(data, p)
}
2023-11-21 15:12:13 +01:00
func (al AttributeList) MarshalCSV() (string, error) {
result := convertMapToKeyValueOrderedString(al)
return result, nil
}
2023-11-21 18:24:10 +01:00
func (al AttributeList) UnmarshalCSV(csv string) error {
al = make(map[string]string)
al["foo"] = "bar"
return nil
}
2023-11-21 15:12:13 +01:00
func convertMapToKeyValueOrderedString(m map[string]string) string {
keys := make([]string, 0, len(m))
for key := range m {
keys = append(keys, key)
}
sort.Strings(keys)
var result strings.Builder
for _, key := range keys {
result.WriteString(key)
result.WriteString(":")
result.WriteString(m[key])
result.WriteString(",")
}
return strings.TrimSuffix(result.String(), ",")
}