-
Notifications
You must be signed in to change notification settings - Fork 1
/
chat.go
96 lines (84 loc) · 3.18 KB
/
chat.go
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
63
64
65
66
67
68
69
70
71
72
73
74
75
76
77
78
79
80
81
82
83
84
85
86
87
88
89
90
91
92
93
94
95
package main
import (
"fmt"
"strings"
"time"
)
// ChatMessage เก็บข้อมูลของข้อความแชท
type ChatMessage struct {
Timestamp time.Time
ClientID string
ServerID string
MessageType ChatType // เปลี่ยนเป็น enum
Username string
Content string
}
// ChatType enum สำหรับประเภทข้อความต่างๆ
type ChatType string
const (
ChatTypeLocal ChatType = "local" // ข้อความในด่าน
ChatTypeGlobal ChatType = "global" // # ข้อความ global
ChatTypeWhisper ChatType = "whisper" // @ ข้อความ whisper
ChatTypeTrade ChatType = "trade" // $ ข้อความ trade
ChatTypeParty ChatType = "party" // % ข้อความปาร์ตี้
ChatTypeGuild ChatType = "guild" // & ข้อความกิลด์
ChatTypeSystem ChatType = "system" // ข้อความระบบ
)
func ParseChatMessage(logLine string) (*ChatMessage, error) {
// แยกส่วนของ timestamp และข้อมูลอื่นๆ
parts := strings.SplitN(logLine, " ", 6)
if len(parts) < 6 {
return nil, fmt.Errorf("invalid log format")
}
timestamp, err := time.Parse("2006/01/02 15:04:05", parts[0]+" "+parts[1])
if err != nil {
return nil, fmt.Errorf("invalid timestamp format: %v", err)
}
// แยกส่วน [INFO Client xxxxx] ออกจากข้อความ
infoAndMessage := strings.SplitN(parts[5], "] ", 2)
if len(infoAndMessage) != 2 {
return nil, fmt.Errorf("invalid message format")
}
// แยกส่วนของ username และ content
messageParts := strings.SplitN(infoAndMessage[1], ": ", 2)
var username, content string
if len(messageParts) == 2 {
username = messageParts[0]
content = messageParts[1]
} else {
// กรณีเป็นข้อความระบบที่ไม่มี username
username = ""
content = messageParts[0]
}
// ระบุประเภทของข้อความ
var messageType ChatType
switch {
case strings.HasPrefix(username, "@"):
messageType = ChatTypeWhisper
username = strings.TrimPrefix(username, "@")
case strings.HasPrefix(username, "#"):
messageType = ChatTypeGlobal
username = strings.TrimPrefix(username, "#")
case strings.HasPrefix(username, "$"):
messageType = ChatTypeTrade
username = strings.TrimPrefix(username, "$")
case strings.HasPrefix(username, "%"):
messageType = ChatTypeParty
username = strings.TrimPrefix(username, "%")
case strings.HasPrefix(username, "&"):
messageType = ChatTypeGuild
username = strings.TrimPrefix(username, "&")
case username == "":
messageType = ChatTypeSystem
default:
messageType = ChatTypeLocal
}
return &ChatMessage{
Timestamp: timestamp,
ClientID: parts[2],
ServerID: parts[3],
MessageType: messageType,
Username: username,
Content: content,
}, nil
}