-
Notifications
You must be signed in to change notification settings - Fork 5
/
readfiles.go
272 lines (238 loc) · 7.92 KB
/
readfiles.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
202
203
204
205
206
207
208
209
210
211
212
213
214
215
216
217
218
219
220
221
222
223
224
225
226
227
228
229
230
231
232
233
234
235
236
237
238
239
240
241
242
243
244
245
246
247
248
249
250
251
252
253
254
255
256
257
258
259
260
261
262
263
264
265
266
267
268
269
270
271
272
package main
import (
"bufio"
"errors"
"net"
"os"
"path/filepath"
"regexp"
"strings"
)
// FileData структура для хранения информации о файле
type FileData struct {
Path string // полный путь к файлу
IsInclude bool // true, если файл "include" и false, если файл "exclude"
IsIP bool // true, если файл c IP-адресами и false, если файл с доменами
IsRegexp bool // true, если файл с регулярными выражениями
Category string // категория файла
Content []string // содержимое файла
Regex []*regexp.Regexp // скомпилированные Regex выражения из файла
IpAddresses []net.IP // содержимое файла (ip-адреса)
IpNetworks []net.IPNet // содержимое файла (ip сети)
// ExcludeData []string // содержимое файла exclude с регулярными выражениями
}
func processFiles(folderPath string) ([]FileData, error) {
// Получаем список файлов в папке
files, err := getFilesInFolder(folderPath)
if err != nil {
return nil, err
}
// Создаем массив структур FileData
fileDataArray := make([]FileData, 0)
// Обрабатываем каждый файл и заполняем массив структур
for _, file := range files {
fileData, err := getFileInfo(file)
if err != nil {
logWarn.Printf("file '%s' skipped: %v", file, err)
continue
}
logInfo.Printf("file '%s' successfully read", file)
fileDataArray = append(fileDataArray, *fileData)
}
return fileDataArray, nil
}
// getFilesInFolder возвращает список .lst и .rgx файлов в заданной папке
func getFilesInFolder(folderPath string) ([]string, error) {
var files []string
err := filepath.Walk(folderPath, func(path string, info os.FileInfo, err error) error {
if err != nil {
return err
}
if !info.IsDir() {
files = append(files, path)
}
return nil
})
return files, err
}
// getFileInfo по названию файла определяет параметры файла и читает его, возвращает структуру с данными и содержимым
func getFileInfo(filePath string) (*FileData, error) {
// Получаем имя файла без пути к нему и убираем расширение
fileName := filepath.Base(filePath)
fileExtension := filepath.Ext(fileName)
fileNameWithoutExt := strings.TrimSuffix(fileName, fileExtension)
// Проверяем расширение на .lst и .rgx
if fileExtension != ".lst" && fileExtension != ".rgx" {
return nil, errors.New("'" + fileExtension + "' is invalid extension, expected '.lst' or '.rgx'")
}
// Разделяем имя файла получая 3 значения
parts := strings.Split(fileNameWithoutExt, "-")
if len(parts) < 3 {
return nil, errors.New("expected at least 3 values in the file name: include/exclude, ip/domain, category_name")
}
// Определяем файл типа include или exclude
include, err := checkIncludeExclude(parts[0])
if err != nil {
return nil, err
}
// Определяем файл с IP-адресами или доменами
ip, err := checkIpDomain(parts[1])
if err != nil {
return nil, err
}
// Считываем категорию
category := parts[2]
if fileExtension == ".rgx" {
// Если файл с регулярками, получаем массив скомпилированных регулярных выражений
content, err := readRegexFile(filePath)
if err != nil {
return nil, err
}
return &FileData{
Path: filePath,
IsInclude: include,
IsIP: ip,
IsRegexp: true,
Category: category,
Regex: content,
}, nil
} else {
// Если обычный, получаем массив строк
content, err := readFile(filePath)
if err != nil {
return nil, err
}
var ipNetworks []net.IPNet
var ipAddresses []net.IP
// Если список с IP адресами, то парсим их
if ip {
ipNetworks, ipAddresses = parseIPsAndNetworks(content)
logInfo.Println("parsed", len(ipAddresses), "IP addresses")
logInfo.Println("parsed", len(ipNetworks), "IP networks")
}
return &FileData{
Path: filePath,
IsInclude: include,
IsIP: ip,
IsRegexp: false,
Category: category,
Content: content,
IpNetworks: ipNetworks,
IpAddresses: ipAddresses,
}, nil
}
}
func parseIPsAndNetworks(Content []string) ([]net.IPNet, []net.IP) {
var networks []net.IPNet
var ips []net.IP
for _, address := range Content {
_, ipNet, err := net.ParseCIDR(address)
if err == nil {
ones, bits := ipNet.Mask.Size()
if ones == bits { // Если маска равна длине адреса, это одиночный хост
ips = append(ips, ipNet.IP)
// fmt.Print(ipNet, ones, bits, "\n")
continue
}
networks = append(networks, *ipNet)
} else {
ip := net.ParseIP(address)
if ip != nil {
ips = append(ips, ip)
} else {
logWarn.Printf("invalid IP address or subnet: %s", address)
}
}
}
return networks, ips
}
// checkIncludeExclude проверяет входную строку на include и exclude
func checkIncludeExclude(input string) (bool, error) {
lowerInput := strings.ToLower(input)
switch lowerInput {
case "include":
return true, nil
case "exclude":
return false, nil
default:
return false, errors.New("invalid value, expected 'include' or 'exclude'")
}
}
// checkIpDomain проверяет входную строку на ip и domain
func checkIpDomain(input string) (bool, error) {
lowerInput := strings.ToLower(input)
switch lowerInput {
case "ip":
return true, nil
case "domain":
return false, nil
default:
return false, errors.New("invalid value, expected 'ip' or 'domain'")
}
}
// readFile читает строки из файла
func readFile(filePath string) ([]string, error) {
// Читаем файл filePath
file, err := os.Open(filePath)
if err != nil {
return nil, err
}
defer file.Close()
// Переменная со строками для результата
var content []string
// Запускаем чтение файла построчно
scanner := bufio.NewScanner(file)
for scanner.Scan() {
line := scanner.Text()
// Пропускаем комментарии
if strings.HasPrefix(line, "#") {
continue
}
// Пропускаем пустые строки
if len(line) == 0 {
continue
}
// Добавляем в результирующую переменную
content = append(content, line)
}
if err := scanner.Err(); err != nil {
return nil, err
}
return content, nil
}
// readFile читает строки из файла
func readRegexFile(filePath string) ([]*regexp.Regexp, error) {
// Читаем файл filePath
file, err := os.Open(filePath)
if err != nil {
return nil, err
}
defer file.Close()
// Переменная со строками для результата
var regex []*regexp.Regexp
// Запускаем чтение файла построчно
scanner := bufio.NewScanner(file)
for scanner.Scan() {
line := scanner.Text()
// Пропускаем комментарии
if strings.HasPrefix(line, "#") {
continue
}
// Пропускаем пустые строки
if len(line) == 0 {
continue
}
// Компилируем полученную регулярку
rx, err := regexp.Compile(line)
if err != nil {
logWarn.Println(err)
continue
}
// Если удачно, добавляем регулярку в исключающий массив
regex = append(regex, rx)
}
if err := scanner.Err(); err != nil {
return nil, err
}
return regex, nil
}