-
Notifications
You must be signed in to change notification settings - Fork 0
/
Copy pathserver.go
201 lines (167 loc) · 6.61 KB
/
server.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
96
97
98
99
100
101
102
103
104
105
106
107
108
109
110
111
112
113
114
115
116
117
118
119
120
121
122
123
124
125
126
127
128
129
130
131
132
133
134
135
136
137
138
139
140
141
142
143
144
145
146
147
148
149
150
151
152
153
154
155
156
157
158
159
160
161
162
163
164
165
166
167
168
169
170
171
172
173
174
175
176
177
178
179
180
181
182
183
184
185
186
187
188
189
190
191
192
193
194
195
196
197
198
199
200
201
package main
import (
"net"
"fmt"
"bufio"
"strings"
"regexp"
"./util"
"./endpoint/json"
"time"
"strconv"
) //ПАТехецкий далбаеб//ПАТехецкий далбаеб//ПАТехецкий далбаеб
//хранит в себе наших пользователей и их приоритеты
var m = make(map[string]int)
//хранит в себе подключившихся пользователей
var users = make([]int, 0)
//главная программа
func main() {
// запускаем сервер
properties := util.LoadConfig()
psock, err := net.Listen("tcp", ":" + properties.Port)
util.CheckForError(err, "Не удалось создать сервер")
fmt.Printf("Сервер запущен на порту %v...\n", properties.Port)
//переводим приоритеты (string) из конфига в (int) для работы с картой
firstP, _ := strconv.Atoi(properties.FirstAccountPriority)
SecondP, _ := strconv.Atoi(properties.SecondAccountPriority)
ThirdP, _ := strconv.Atoi(properties.ThirdAccountPriority)
FourthP, _ := strconv.Atoi(properties.FourthAccountPriority)
FifthP, _ := strconv.Atoi(properties.FifthAccountPriority)
SixthP, _ := strconv.Atoi(properties.SixthAccountPriority)
SevenP, _ := strconv.Atoi(properties.SevenAccountPriority)
//добавляем приоритеты в карту
m[properties.FirstAccount] = firstP
m[properties.SecondAccount] = SecondP
m[properties.ThirdAccount] = ThirdP
m[properties.FourthAccount] = FourthP
m[properties.FifthAccount] = FifthP
m[properties.SixthAccount] = SixthP
m[properties.SevenAccount] = SevenP
//Ставим максимальный приоритет подключившихся пользователей
maxusers, _ := strconv.Atoi(properties.MaxUsers)
users = append(users, maxusers)
// запускаем JSON-конфиг
go json.Start();
for {
// принимаем соединения
conn, err := psock.Accept()
util.CheckForError(err, "Невозможно принять соединение")
// отслеживаем детали клиента
client := util.Client{Connection: conn, Properties: properties}
client.Register();
//реализуем неблокирующую обработку клиентского запроса
channel := make(chan string)
go waitForInput(channel, &client)
go handleInput(channel, &client, properties)
util.SendClientMessage("ready", properties.Port, &client, true, properties)
}
}
//находим приоритет который нужно удалить из среза при дисконекте
func findMe(users []int, priority int) int {
for i, n := range users {
if (priority == n) {
return i
}
}
return len(users)
}
//удаляем приоритет из среза при дисконекте
func removeIndex(users []int, thisindexremove int) []int {
return append(users[:thisindexremove], users[thisindexremove+1:]...)
}
//Находим наименьший приоритет
func add(min int) int {
for _, v := range users {
if (v < min) {
min = v
}
}
return min
}
// ждем ввода от клиента и сигнализируем каналу
func waitForInput(out chan string, client *util.Client) {
defer close(out)
reader := bufio.NewReader(client.Connection)
for {
line, err := reader.ReadBytes('\n')
if err != nil {
// соединение было закрыто, удаляем клиента
client.Close(true);
return
}
out <- string(line)
}
}
// прослушиваем обновления канала для клиента и обрабатываем сообщение
func handleInput(in <-chan string, client *util.Client, props util.Properties) {
min := users[0]
for {
message := <- in
if (message != "") {
message = strings.TrimSpace(message)
action, body := getAction(message)
if (action != "") {
switch action {
//пользователь предоставил свое имя
case "user":
client.Username = body
priority := m[client.Username]//priority - приоритет текущего клиента
sum := add(min)
users = append(users, priority)
fmt.Println("Наша очередь (первое 8 - лимит): ", users)
fmt.Println("Администратор под приоритетом: ", sum)
//проверка на подключение приоритетного клиента
if priority <= sum {
util.SendClientMessage("writeandread", body, client, true, props)
util.SendClientMessage("readonlynewconnect", body, client, false, props)
} else {
util.SendClientMessage("readonly", body, client, true, props)
}
//проверка на несуществующее имя
if _, ok := m[body]; ok {
util.SendClientMessage("connect", "", client, false, props)
} else {
util.SendClientMessage("nopermission", body, client, true, props)
time.Sleep(1 * time.Second)
client.Close(false);
}
// пользователь отправил сообщение
case "message":
sum := add(min)
priority := m[client.Username]
//проверка на наличие Write&Read
if priority <= sum {
util.SendClientMessage("message", body, client, false, props)
} else {
util.SendClientMessage("readonly", body, client, true, props)
}
// пользователь отключается
case "disconnect":
priority := m[client.Username]
sum := add(min)
//находим клиента из среза
thisindexremove := findMe(users, priority)
//и удаляем
users = removeIndex(users, thisindexremove)
fmt.Println("Наша очередь (первое 8 - лимит): ", users)
fmt.Println("Администратор под приоритетом: ", sum)
if priority <= sum {
util.SendClientMessage("ifdisconnect", body, client, false, props)
}
client.Close(false);
default:
util.SendClientMessage("unrecognized", action, client, true, props)
}
}
}
}
}
// разбираем содержимое сообщения и возвращаем отдельные значения
func getAction(message string) (string, string) {
actionRegex, _ := regexp.Compile(`^\/([^\s]*)\s*(.*)$`)
res := actionRegex.FindAllStringSubmatch(message, -1)
if (len(res) == 1) {
return res[0][1], res[0][2]
}
return "", ""
}