]> git.r.bdr.sh - rbdr/mobius/blob - hotline/user.go
Delete docs/Screenshot 2024-05-03 at 4.40.09 PM.png
[rbdr/mobius] / hotline / user.go
1 package hotline
2
3 import (
4 "encoding/binary"
5 "io"
6 "math/big"
7 "slices"
8 )
9
10 // User flags are stored as a 2 byte bitmap and represent various user states
11 const (
12 UserFlagAway = 0 // User is away
13 UserFlagAdmin = 1 // User is admin
14 UserFlagRefusePM = 2 // User refuses private messages
15 UserFlagRefusePChat = 3 // User refuses private chat
16 )
17
18 // User options are sent from clients and represent options set in the client's preferences.
19 const (
20 UserOptRefusePM = 0 // User has "Refuse private messages" pref set
21 UserOptRefuseChat = 1 // User has "Refuse private chat" pref set
22 UserOptAutoResponse = 2 // User has "Automatic response" pref set
23 )
24
25 type UserFlags [2]byte
26
27 func (f *UserFlags) IsSet(i int) bool {
28 flagBitmap := big.NewInt(int64(binary.BigEndian.Uint16(f[:])))
29 return flagBitmap.Bit(i) == 1
30 }
31
32 func (f *UserFlags) Set(i int, newVal uint) {
33 flagBitmap := big.NewInt(int64(binary.BigEndian.Uint16(f[:])))
34 flagBitmap.SetBit(flagBitmap, i, newVal)
35 binary.BigEndian.PutUint16(f[:], uint16(flagBitmap.Int64()))
36 }
37
38 type User struct {
39 ID [2]byte
40 Icon []byte // Size 2
41 Flags []byte // Size 2
42 Name string // Variable length user name
43
44 readOffset int // Internal offset to track read progress
45 }
46
47 func (u *User) Read(p []byte) (int, error) {
48 nameLen := make([]byte, 2)
49 binary.BigEndian.PutUint16(nameLen, uint16(len(u.Name)))
50
51 if len(u.Icon) == 4 {
52 u.Icon = u.Icon[2:]
53 }
54
55 if len(u.Flags) == 4 {
56 u.Flags = u.Flags[2:]
57 }
58
59 b := slices.Concat(
60 u.ID[:],
61 u.Icon,
62 u.Flags,
63 nameLen,
64 []byte(u.Name),
65 )
66
67 if u.readOffset >= len(b) {
68 return 0, io.EOF // All bytes have been read
69 }
70
71 n := copy(p, b)
72 u.readOffset = n
73
74 return n, nil
75 }
76
77 func (u *User) Write(p []byte) (int, error) {
78 namelen := int(binary.BigEndian.Uint16(p[6:8]))
79 u.ID = [2]byte(p[0:2])
80 u.Icon = p[2:4]
81 u.Flags = p[4:6]
82 u.Name = string(p[8 : 8+namelen])
83
84 return 8 + namelen, nil
85 }
86
87 // encodeString takes []byte s containing cleartext and rotates by 255 into obfuscated cleartext.
88 // The Hotline protocol uses this format for sending passwords over network.
89 // Not secure, but hey, it was the 90s!
90 func encodeString(clearText []byte) []byte {
91 obfuText := make([]byte, len(clearText))
92 for i := 0; i < len(clearText); i++ {
93 obfuText[i] = 255 - clearText[i]
94 }
95 return obfuText
96 }