Today I was trying to implement the Snowflake Id generator for Fly.io Gossip Glomers second challenge, Unique Id generation. Here’s what I came up with. 1 2 3 4 5 6 7 8 9 10 11 12 13 14 15 16 17 18 19 20 21 22 23 24 25 26 27 28 29 30 31 32 33 34 35 36 37 38 39 40 41 42 43 44 45 46 47 48 49 50 51 52 53 54 55 56 57 58 59 60 61 62 package main import ( "encoding/json" "log" "strconv" "time" maelstrom "github.com/jepsen-io/maelstrom/demo/go" ) type Snowflake struct { sequenceNumber uint64 selfId int lastTs int64 } func nextId(s *Snowflake) uint64 { ts := time.Now().UnixMilli() // this is 41 bits if s.lastTs == ts { s.sequenceNumber++ } else { s.sequenceNumber = 0 } s.lastTs = ts var id uint64 = uint64(ts << 22) // (64 - 1 sign bit - 41 unix timestamp bits) log.Printf("shifted %d", id) id = id | ((uint64(s.selfId) & 0x3f) << 16) // machine id is 10 bits log.Printf("after self Id %d", id) id = id | ((s.sequenceNumber & 0xffff) ) return id } func main() { n := maelstrom.NewNode() sf := &Snowflake{} n.Handle("generate", func(msg maelstrom.Message) error { var body map[string]any if err := json.Unmarshal(msg.Body, &body); err != nil { return err } selfId, err := strconv.Atoi(msg.Dest[1:]) if err != nil { log.Fatal("Cannot parse destination as a number", msg.Dest) } sf.selfId = selfId body["type"] = "generate_ok" body["id"] = nextId(sf) return n.Reply(msg, body) }) if err := n.Run(); err != nil { log.Fatal(err) } } It wasn’t too bad for how simple its supposed to be. My solution wasn’t getting accepted by maelstrom because there were duplicate Ids generated by my program. After looking at my code for very long and not finding any idea what went wrong, I asked ChatGPT, it suggested the sequenceNumber bits were too few and must probably be overflowing. After looking at the maelstrom logs I found the lines which had duplicate Ids. ...
