-
Notifications
You must be signed in to change notification settings - Fork 2
/
lineadd.go
1499 lines (1351 loc) · 36.8 KB
/
lineadd.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
273
274
275
276
277
278
279
280
281
282
283
284
285
286
287
288
289
290
291
292
293
294
295
296
297
298
299
300
301
302
303
304
305
306
307
308
309
310
311
312
313
314
315
316
317
318
319
320
321
322
323
324
325
326
327
328
329
330
331
332
333
334
335
336
337
338
339
340
341
342
343
344
345
346
347
348
349
350
351
352
353
354
355
356
357
358
359
360
361
362
363
364
365
366
367
368
369
370
371
372
373
374
375
376
377
378
379
380
381
382
383
384
385
386
387
388
389
390
391
392
393
394
395
396
397
398
399
400
401
402
403
404
405
406
407
408
409
410
411
412
413
414
415
416
417
418
419
420
421
422
423
424
425
426
427
428
429
430
431
432
433
434
435
436
437
438
439
440
441
442
443
444
445
446
447
448
449
450
451
452
453
454
455
456
457
458
459
460
461
462
463
464
465
466
467
468
469
470
471
472
473
474
475
476
477
478
479
480
481
482
483
484
485
486
487
488
489
490
491
492
493
494
495
496
497
498
499
500
501
502
503
504
505
506
507
508
509
510
511
512
513
514
515
516
517
518
519
520
521
522
523
524
525
526
527
528
529
530
531
532
533
534
535
536
537
538
539
540
541
542
543
544
545
546
547
548
549
550
551
552
553
554
555
556
557
558
559
560
561
562
563
564
565
566
567
568
569
570
571
572
573
574
575
576
577
578
579
580
581
582
583
584
585
586
587
588
589
590
591
592
593
594
595
596
597
598
599
600
601
602
603
604
605
606
607
608
609
610
611
612
613
614
615
616
617
618
619
620
621
622
623
624
625
626
627
628
629
630
631
632
633
634
635
636
637
638
639
640
641
642
643
644
645
646
647
648
649
650
651
652
653
654
655
656
657
658
659
660
661
662
663
664
665
666
667
668
669
670
671
672
673
674
675
676
677
678
679
680
681
682
683
684
685
686
687
688
689
690
691
692
693
694
695
696
697
698
699
700
701
702
703
704
705
706
707
708
709
710
711
712
713
714
715
716
717
718
719
720
721
722
723
724
725
726
727
728
729
730
731
732
733
734
735
736
737
738
739
740
741
742
743
744
745
746
747
748
749
750
751
752
753
754
755
756
757
758
759
760
761
762
763
764
765
766
767
768
769
770
771
772
773
774
775
776
777
778
779
780
781
782
783
784
785
786
787
788
789
790
791
792
793
794
795
796
797
798
799
800
801
802
803
804
805
806
807
808
809
810
811
812
813
814
815
816
817
818
819
820
821
822
823
824
825
826
827
828
829
830
831
832
833
834
835
836
837
838
839
840
841
842
843
844
845
846
847
848
849
850
851
852
853
854
855
856
857
858
859
860
861
862
863
864
865
866
867
868
869
870
871
872
873
874
875
876
877
878
879
880
881
882
883
884
885
886
887
888
889
890
891
892
893
894
895
896
897
898
899
900
901
902
903
904
905
906
907
908
909
910
911
912
913
914
915
916
917
918
919
920
921
922
923
924
925
926
927
928
929
930
931
932
933
934
935
936
937
938
939
940
941
942
943
944
945
946
947
948
949
950
951
952
953
954
955
956
957
958
959
960
961
962
963
964
965
966
967
968
969
970
971
972
973
974
975
976
977
978
979
980
981
982
983
984
985
986
987
988
989
990
991
992
993
994
995
996
997
998
999
1000
package main
import (
"archive/zip"
"bufio"
"flag"
"fmt"
"io"
"os"
"os/user"
"path/filepath"
"reflect"
"runtime"
"strconv"
"strings"
"time"
"gopkg.in/yaml.v3"
)
var version = "1.1"
var banner = `
_ _ _ _
| (_)_ __ ___ __ _ __| | __| |
| | | '_ \ / _ \/ _\` + "`" + `|/ _\` + "`" + `|/ _\` + "`" + `|
| | | | | | __/ (_| | (_| | (_| | version: ` + version + `
|_|_|_| |_|\___|\__,_|\__,_|\__,_|
https://github.com/ttstormxx/lineadd`
func showBanner() {
fmt.Println(banner)
fmt.Println()
}
// * 配置文件解析
// type Config struct {
// BaseDir string `yaml:"baseDir"`
// Items map[string]struct {
// Dicts []string `yaml:"dicts"`
// Path string `yaml:"path"`
// Alias []string `yaml:"alias"`
// } `yaml:",inline"`
// }
// 增加字典类型type 专用于path类型处理
type Config struct {
BaseDir string `yaml:"baseDir"`
Items map[string]struct {
Dicts []string `yaml:"dicts"`
Path string `yaml:"path"`
Alias []string `yaml:"alias"`
Type string `yaml:"type"`
} `yaml:",inline"`
}
func parseConfig(configfile string) (Config, error) {
// 读取配置文件
content, err := os.ReadFile(configfile)
if err != nil {
fmt.Println("读取配置文件出错:", err)
return Config{}, err
}
// 解析YAML
var config Config
err = yaml.Unmarshal(content, &config)
if err != nil {
// panic(err)
return Config{}, err
}
return config, nil
}
// *参数解析
var (
add string
del string
optype string //类型 add或del
category string //操作的类 web user pass
count bool //统计模式
read string //读取模式
stat bool //状态模式
target []string //添加行的目的文件
file string //存在新行的文件
line string //cmd输入的原始新行
lines []string //cmd输入的新行
rollback bool //回滚到上一次
single string //single模式
singletarget string //single模式操作目标
query bool //查询某行是否在字典中
silent bool //安静模式
bak bool //备份模式
reconfig bool //重新初始化
firstrun bool //首次运行
write bool //依据配置文件想字典根目录写入配置的字典
fresh bool //读取配置文件,再将配置重新写入,适配新增的type
BaseDir string //字典根目录
BaseDirFromUser string //用户-base输入的根目录
LogDir string //日志目录 log
BakDir string //备份目录 log/bak
LineConfigPath string //配置文件路径
LineConfigFile string //配置文件路径
newlines []string //新行 未去重
uniqlines []string //新行 去重
iswindows bool
)
func ParseImplement() {
// 挂件
}
// 判断是否存在必备参数 模式是否唯一
func ValidMode(config Config) {
num := 0
if len(add) > 0 {
num++
}
if len(del) > 0 {
num++
}
if query {
num++
if len(line) == 0 {
fmt.Println("line: " + line)
fmt.Println("query模式(-q)必须指定待查数据(-l)")
os.Exit(1)
}
}
if len(read) > 0 {
num++
if len(single) == 0 {
fmt.Println("read模式(-r)必须指定字典(-s)")
os.Exit(1)
}
}
if stat {
num++
}
if count {
num++
}
if bak {
num++
}
if rollback {
num++
}
if num > 0 {
if len(BaseDirFromUser) > 0 {
fmt.Println("-base选项仅在-config时有效")
os.Exit(1)
}
if write {
fmt.Println("-write选项仅在-config时有效")
os.Exit(1)
}
if fresh {
fmt.Println("-fresh选项仅在-config时有效")
os.Exit(1)
}
}
if reconfig {
num++
count := 0
if len(BaseDirFromUser) > 0 {
count++
}
if write {
count++
}
if fresh {
count++
}
if count > 1 {
fmt.Println("-base选项和-write和-fresh选项只能选一种")
os.Exit(1)
}
}
// judge
if firstrun {
return
} else {
if num == 0 {
// 特殊模式 判断字典类是否存在,若存在则为加行模式
var configtypekeys []string
for k := range config.Items {
configtypekeys = append(configtypekeys, k)
}
for _, arg := range os.Args {
if contains(configtypekeys, arg) {
add = arg
num += 1
break
}
}
if num == 0 { //再次判断
fmt.Println("请选择处理模式: add del count read backup stat query config")
flag.Usage()
os.Exit(1)
} else {
// 特殊模式 需要自主解析输入的新行
ParamParseImp()
}
// fmt.Println("请选择处理模式: add del count read backup stat query config")
// flag.Usage()
// os.Exit(1)
} else if num > 1 {
fmt.Println("只能选择1种模式: add del count read backup stat query config")
os.Exit(1)
}
}
}
// 判断输入的目标类是否有效
func ParamValid(config Config) {
var param string
var isvalid bool
ModeParse()
var configtypekeys []string
for k := range config.Items {
configtypekeys = append(configtypekeys, k)
}
if optype == "add" || optype == "del" || optype == "read" {
if len(add) > 0 {
param = add
} else if len(del) > 0 {
param = del
} else if len(read) > 0 {
param = read
}
for _, v := range configtypekeys {
if param == v {
isvalid = true
break
}
}
if !isvalid {
fmt.Println("目标类别在配置文件内不存在")
os.Exit(1)
}
}
category = param
target = config.Items[category].Dicts
// 初始化 Alias 用于别名支持
GetAlias(config)
// 判断single操作字典是否存在类别中
if len(single) > 0 {
if !IsSingleValid() {
fmt.Println("指定的字典不在该类别中")
os.Exit(1)
}
}
}
// 获得操作目标类别 设置optype
func ModeParse() {
if stat {
optype = "stat"
} else if len(read) > 0 {
optype = "read"
} else if count {
optype = "count"
} else if bak {
optype = "bak"
} else if len(add) > 0 {
optype = "add"
} else if len(del) > 0 {
optype = "del"
} else if query {
optype = "query"
} else if rollback {
optype = "rollback"
} else if reconfig {
optype = "reconfig"
} else if firstrun {
optype = "init"
}
}
func usage() {
usagetips := `
-a add 加行模式
-d delete 减行模式
-c count 统计【全部】字典情况 行数 大小
-r read 读取指定字典
-b backup 备份全部字典
-t status 字典状态 配置文件状态
-s single 指定单一字典
-f file 含有待处理数据的文件
-l line 命令行输入的待处理行(逗号分隔)
-q query 查询某行是否在字典中, 返回字典名和行数
-config 重新初始化(遍历字典根目录初始化配置文件)
-base 字典根目录(用于在-config时设置BaseDir)
-write 依据配置文件初始化字典根目录(-config时使用)
-fresh 读取配置文件, 写入配置文件, 什么都没变, 适配新增的字典Type(-config时使用)
-silent 安静模式 一个挂件`
fmt.Println(usagetips)
}
func ParamParseImp() {
for i := 0; i < len(os.Args); i++ {
if os.Args[i] == "-l" {
if i+1 < len(os.Args) {
line = os.Args[i+1]
} else {
fmt.Println("flag needs an argument: -l")
os.Exit(1)
}
if len(line) > 0 {
lines = strings.Split(line, ",")
loginfo(strings.Join(lines, " "))
}
} else if os.Args[i] == "-f" {
if i+1 < len(os.Args) {
file = os.Args[i+1]
} else {
fmt.Println("flag needs an argument: -f")
os.Exit(1)
}
}
}
if len(os.Args) > 2 && len(line) == 0 && len(file) == 0 {
fmt.Println("特殊模式(add)只能使用 -l -f 选项")
os.Exit(1)
}
}
func FlagParse(config Config) {
flag.Usage = usage
flag.StringVar(&add, "a", "", "添加模式, 指定字典")
flag.StringVar(&del, "d", "", "删除模式, 指定字典")
flag.StringVar(&read, "r", "", "删除模式, 指定字典")
flag.StringVar(&single, "s", "", "指定操作单一字典")
flag.StringVar(&file, "f", "", "存在待处理行的文本文件")
flag.StringVar(&line, "l", "", "待处理数据,逗号分隔")
flag.BoolVar(&silent, "silent", false, "安静模式: 一个挂件")
flag.BoolVar(&stat, "t", false, "状态")
flag.BoolVar(&count, "c", false, "统计字典")
flag.BoolVar(&bak, "b", false, "备份字典")
flag.BoolVar(&query, "q", false, "查询某行(单行数据)是否在字典中")
flag.BoolVar(&reconfig, "config", false, "重新初始化(遍历字典根目录初始化配置文件)")
flag.BoolVar(&write, "write", false, "依据配置文件初始化字典根目录(-config时使用)")
flag.BoolVar(&fresh, "fresh", false, "读取配置文件, 写入配置文件,什么都没变(-config时使用)")
flag.StringVar(&BaseDirFromUser, "base", "", "字典根目录(用于在-config时设置BaseDir)")
flag.Parse()
//有效性判断
ValidMode(config)
ParamValid(config)
if len(line) > 0 {
lines = strings.Split(line, ",")
loginfo(strings.Join(lines, " "))
}
}
// ?特殊模式
// lineadd web new.txt
// 获取目标类category后存储其相关信息
type Aliastruct struct {
index int
name string
alias string
}
var Alias = make(map[string]Aliastruct)
func GetAlias(config Config) {
for i, v := range target {
as := Alias[v]
as.index = i + 1
as.name = v
if i < len(config.Items[category].Alias) {
as.alias = config.Items[category].Alias[i]
}
Alias[v] = as
}
}
func IsSingleValid() bool {
for k := range Alias {
if strconv.Itoa(Alias[k].index) == single {
// fmt.Printf("目标为: %s 命中index: %d\n", k, Alias[k].index)
singletarget = k
return true
} else if Alias[k].alias == single {
// fmt.Printf("目标为: %s 命中alias: %s\n", k, Alias[k].alias)
singletarget = k
return true
} else if Alias[k].name == single {
// fmt.Printf("目标为: %s 命中name: %s\n", k, Alias[k].name)
singletarget = k
return true
}
}
return false
}
// stat implement
func StatDisplay(configfile string) {
config, err := parseConfig(configfile)
if err != nil {
fmt.Println(err)
} else {
// 配置文件位置
fmt.Printf("配置文件: %s\n", LineConfigFile)
// 输出配置项
fmt.Println("BaseDir:", config.BaseDir)
fmt.Println()
for k := range config.Items {
fmt.Println(k + ": ")
v := reflect.ValueOf(config.Items[k])
for i := 0; i < v.NumField(); i++ {
field := v.Type().Field(i)
value := v.Field(i)
fmt.Printf(" %s: %v\n", field.Name, value.Interface())
}
fmt.Println()
}
}
}
// * 目录 文件查询相关
func RealDir(dir string) string {
readDir := filepath.Join(BaseDir, dir)
// fmt.Println("readDir: " + readDir)
return readDir
}
// * 备份引擎
func backupFile(srcFile string) error {
// 拼接有效路径
srcFile = RealDir(srcFile)
destDir := BakDir
// 打开源文件
// fmt.Println("srcFile: " + srcFile)
src, err := os.Open(srcFile)
if err != nil {
return err
} else {
// fmt.Println("打开文件" + srcFile + "成功")
}
defer src.Close()
// 创建目标目录
if err := os.MkdirAll(destDir, 0755); err != nil {
return err
}
// 创建目标文件
t := time.Now().Format("【2006-01-02-15-04-05】")
destFile := t + filepath.Base(srcFile)
// destFile := "web2.txt"
destFile = filepath.Join(destDir, filepath.Base(destFile))
// fmt.Println("destFile: " + destFile)
dest, err := os.Create(destFile)
if err != nil {
return err
}
defer dest.Close()
// fmt.Println("创建文件" + destFile + "成功")
// 复制源文件到目标文件
if _, err := io.Copy(dest, src); err != nil {
return err
} else {
// fmt.Println("复制文件成功")
}
return nil
}
// * 日志引擎
// 日志轮转
func backupLogIfExceedsSize() error {
if !fileExists(BaseDir) || !fileExists(LogDir) {
return nil
}
maxSize := int64(5 * 1024 * 1024) // 5MB
// 获取文件信息
filename := filepath.Join(LogDir, "log.txt")
fi, err := os.Stat(filename)
if err != nil {
return err
}
// 判断文件大小是否超过最大值
if fi.Size() <= maxSize {
return nil
}
// 备份原文件
err = backupFile(filepath.Join("log", filepath.Base(filename)))
if err != nil {
return err
}
// 删除指定的文件
err = os.Remove(filename)
if err != nil {
// 处理删除文件时发生的错误
panic(err)
}
// 创建新的日志文件
err = createFileIfNotExist(filename)
if err != nil {
return err
}
return nil
}
// 日志信息
func loginfo(info string) error {
// 获取当前时间并格式化
t := time.Now().Format("2006-01-02 15:04:05")
// 将信息追加到日志文件中
if !silent && info != breakline {
fmt.Printf("[%s] %s\n", t, info)
// return nil
}
if len(LogDir) > 0 && fileExists(BaseDir) {
// logdir := filepath.Join(BaseDir, "log")
logFile := "log.txt"
logFile = filepath.Join(LogDir, logFile)
// 打开日志文件,如果不存在则创建
// 创建目标目录
if err := os.MkdirAll(LogDir, 0755); err != nil {
return err
}
f, err := os.OpenFile(logFile, os.O_APPEND|os.O_CREATE|os.O_WRONLY, 0644)
if err != nil {
return err
}
defer f.Close()
if _, err := fmt.Fprintf(f, "[%s] %s\n", t, info); err != nil {
return err
}
}
return nil
}
// 读取文件成行
func readFileIntoLines(filename string) []string {
// 打开文件
file, err := os.Open(filename)
if err != nil {
fmt.Println("打开文件出错:", err)
return nil
}
defer file.Close()
// 创建一个 slice 用于存储读取的每行数据
var lines []string
// 创建一个 Scanner 对象来逐行读取文件中的数据
scanner := bufio.NewScanner(file)
for scanner.Scan() {
// 将读取的每行数据添加到 slice 中
lines = append(lines, scanner.Text())
}
// 检查是否遇到了读取错误
if err := scanner.Err(); err != nil {
fmt.Println("读取文件出错:", err)
return nil
}
// 输出读取的每行数据
return lines
}
// 写入行至文件
func writeLinesToFile(lines []string, filename string) error {
// 创建一个新文件或截断一个已有的文件
file, err := os.Create(filename)
if err != nil {
return err
}
defer file.Close()
// 创建一个 Writer 对象来写入数据到文件中
writer := bufio.NewWriter(file)
// 将每行数据写入文件中
for _, line := range lines {
fmt.Fprintln(writer, line)
}
// 将缓存中的数据刷入文件中
return writer.Flush()
}
// 统计信息 结果展示用数据
// uniqlines
func removeDuplicates(s []string) []string {
m := make(map[string]bool)
for _, v := range s {
m[v] = true
}
var result []string
for k := range m {
result = append(result, k)
}
return result
}
// in逻辑
func contains(slice []string, item string) bool {
set := make(map[string]struct{}, len(slice))
for _, s := range slice {
set[s] = struct{}{}
}
_, ok := set[item]
return ok
}
// 返回是否存在 存在则返回index 否则返回null
func findIndex(arr []string, target string) *int {
for i, v := range arr {
if v == target {
return &i
}
}
return nil
}
// 输入数据处理
func InputManage(config Config) []string {
// 读取待处理行
var newlines []string
var newlinesfromfile []string
var newlinesfromcmd []string
var newlinesfrompipe []string
var newlinesfromuserinput []string
newlinesfrompipe = readFromPipe()
if newlinesfrompipe == nil && len(file) == 0 && len(lines) == 0 {
// fmt.Println("请输入待处理数据: ")
loginfo("请输入待处理数据: ")
newlinesfromuserinput = ReadLInesFromUserInput()
} else {
if newlinesfrompipe != nil {
// fmt.Println("获取管道符输入数据成功: " + strings.Join(newlinesfrompipe, ","))
loginfo("获取管道符输入数据: " + strings.Join(newlinesfrompipe, ","))
}
if len(file) > 0 {
loginfo("读取待处理行文件: " + file)
newlinesfromfile = readFileIntoLines(file)
}
if len(lines) > 0 {
loginfo("读取输入的待处理行: " + strings.Join(lines, ","))
newlinesfromcmd = lines
}
}
// 合并cmd和file内容
newlines = append(newlinesfromfile, newlinesfromcmd...)
newlines = append(newlines, newlinesfrompipe...)
newlines = append(newlines, newlinesfromuserinput...)
// 去重
uniqlines = removeDuplicates(newlines)
if config.Items[category].Type == "path" {
// 对于路径类字典,去除新行开始的/
var tmplines []string
for _, x := range uniqlines {
tmplines = append(tmplines, strings.TrimPrefix(x, "/"))
}
uniqlines = tmplines
}
return uniqlines
}
// * 加行引擎
type addinfo struct {
orilines []string
inputlines []string
resultlines []string
addedlines []string
duplines []string
}
// pipe支持
func readFromPipe() []string {
// 检查标准输入是否来自管道符
stat, _ := os.Stdin.Stat()
if (stat.Mode() & os.ModeCharDevice) != 0 {
return nil
}
// 创建一个新的 Scanner 对象来读取标准输入
scanner := bufio.NewScanner(os.Stdin)
// 创建一个空的 slice
lines := []string{}
// 读取标准输入中的每一行,并将其添加到 slice 中
for scanner.Scan() {
line := scanner.Text()
lines = append(lines, line)
}
// 检查是否发生错误
if err := scanner.Err(); err != nil {
return nil
}
// 如果有数据,则返回 slice
if len(lines) > 0 {
return lines
}
// 如果没有数据,则返回 nil
return nil
}
// 用户输入 stdin
func ReadLInesFromUserInput() []string {
scanner := bufio.NewScanner(os.Stdin)
lines := []string{}
for scanner.Scan() {
line := scanner.Text()
if line == "" {
// 遇到两个回车符结束输入
break
}
lines = append(lines, line)
}
return lines
}
func ADDENGINE(dir string, v string) {
if len(singletarget) == 0 {
loginfo("正在处理:" + v)
}
// cudir, _ := os.Getwd()
// loginfo("当前目录: " + cudir)
err := backupFile(filepath.Join(dir, v))
if err != nil {
fmt.Println(err)
}
loginfo("备份文件成功: " + v)
// 读取目标文件
orilines := readFileIntoLines(filepath.Join(BaseDir, dir, v))
loginfo("待处理行数: " + strconv.Itoa(len(newlines)) + ": " + strings.Join(newlines, ","))
//行处理
resultlines := addLines(newlines, orilines)
// 写入目标文件
writeLinesToFile(resultlines, filepath.Join(BaseDir, dir, v))
loginfo(v + " 文件写入完毕")
// 状态展示
// 写入日志信息
err = loginfo("处理完毕")
if err != nil {
fmt.Println(err)
}
// fmt.Println(resultlines)
// fmt.Println()
}
func addStatus(status addinfo) bool {
loginfo("原有行数: " + strconv.Itoa(len(status.orilines)))
loginfo("处理后行数: " + strconv.Itoa(len(status.resultlines)))
loginfo("输入的新行: " + strconv.Itoa(len(status.inputlines)) + ": " + strings.Join(status.inputlines, " "))
loginfo("添加的新行: " + strconv.Itoa(len(status.addedlines)) + ": " + strings.Join(status.addedlines, " "))
loginfo("重复行: " + strconv.Itoa(len(status.duplines)) + ": " + strings.Join(status.duplines, " "))
// loginfo("old lines count: " + strconv.Itoa(len(status.orilines)))
// loginfo("lines after merge count: " + strconv.Itoa(len(status.resultlines)))
// loginfo("input lines count: " + strconv.Itoa(len(status.inputlines)) + ": " + strings.Join(status.inputlines, " "))
// loginfo("added new lines count: " + strconv.Itoa(len(status.addedlines)) + ": " + strings.Join(status.addedlines, " "))
// loginfo("dup lines count: " + strconv.Itoa(len(status.duplines)) + ": " + strings.Join(status.duplines, " "))
return true
}
func addLines(newlines []string, orilines []string) []string {
loginfo("开始加行处理")
var linestoadd []string //新行
var duplines []string //重复行
var status addinfo
status.orilines = make([]string, len(orilines))
copy(status.orilines, orilines)
for _, new := range newlines {
if !contains(orilines, new) {
linestoadd = append(linestoadd, new)
orilines = append(orilines, new)
} else {
duplines = append(duplines, new)
}
}
//for status display
status.inputlines = newlines
status.resultlines = orilines
status.addedlines = linestoadd
status.duplines = duplines
addStatus(status)
// loginfo("加行处理结束")
return orilines
}
// * 减行引擎
type removeinfo struct {
orilines []string
inputlines []string
resultlines []string
linestosub []string
linesnotexist []string
}
func DELENGINE(dir string, v string) {
if len(singletarget) == 0 {
loginfo("正在处理:" + v)
}
// cudir, _ := os.Getwd()
// loginfo("当前目录: " + cudir)
err := backupFile(filepath.Join(dir, v))
if err != nil {
fmt.Println(err)
}
loginfo("备份文件成功: " + v)
// 读取目标文件
orilines := readFileIntoLines(filepath.Join(BaseDir, dir, v))
loginfo("待【删除】处理行数: " + strconv.Itoa(len(newlines)) + ": " + strings.Join(newlines, ","))
//行处理
resultlines := removeLines(newlines, orilines)
// 写入目标文件
writeLinesToFile(resultlines, filepath.Join(BaseDir, dir, v))
loginfo(v + " 文件写入完毕")
// 状态展示
// 写入日志信息
err = loginfo("【删除】处理完毕")
if err != nil {
fmt.Println(err)
}
// fmt.Println(resultlines)
// fmt.Println()
}
func removeStatus(status removeinfo) bool {
loginfo("原有行数: " + strconv.Itoa(len(status.orilines)))
loginfo("处理后行数: " + strconv.Itoa(len(status.resultlines)))
loginfo("输入的行: " + strconv.Itoa(len(status.inputlines)) + ": " + strings.Join(status.inputlines, " "))
loginfo("删除的行: " + strconv.Itoa(len(status.linestosub)) + ": " + strings.Join(status.linestosub, " "))
loginfo("不存在行: " + strconv.Itoa(len(status.linesnotexist)) + ": " + strings.Join(status.linesnotexist, " "))
// loginfo("old lines count: " + strconv.Itoa(len(status.orilines)))
// loginfo("lines after sub count: " + strconv.Itoa(len(status.resultlines)))
// loginfo("input lines: " + strconv.Itoa(len(status.inputlines)) + ": " + strings.Join(status.inputlines, " "))
// loginfo("lines subed count: " + strconv.Itoa(len(status.linestosub)) + ": " + strings.Join(status.linestosub, " "))
// loginfo("lines not exist count: " + strconv.Itoa(len(status.linesnotexist)) + ": " + strings.Join(status.linesnotexist, " "))
return true
}
// 删除元素
func deleteElement(arr []string, target string) *[]string {
if len(arr) == 0 {
return nil
} else if len(arr) == 1 {
if arr[0] == target {
return &[]string{}
}
} else {
for i, v := range arr {
if v == target {
tmp := append(arr[:i], arr[i+1:]...)
return &tmp
}
}
}
return nil
}
func removeLines(newlines []string, orilines []string) []string {
loginfo("开始【删行】处理")
var linestosub []string
var linesnotexist []string
var status removeinfo //for status display
v := make([]string, len(orilines))
copy(v, orilines)
status.orilines = v
for i, v := range newlines {
if findIndex(orilines, v) != nil {
linestosub = append(linestosub, newlines[i])
orilines = *deleteElement(orilines, v)
} else {
linesnotexist = append(linesnotexist, newlines[i])
}
}
//状态展示
status.inputlines = newlines
status.resultlines = orilines
status.linestosub = linestosub
status.linesnotexist = linesnotexist
removeStatus(status)
// loginfo("【删行】处理结束")
return orilines
}
// read模式
func READMODE(dir, filename string) {
lines := readFileIntoLines(filepath.Join(BaseDir, dir, filename))
for _, v := range lines {
fmt.Println(v)
}
}
// count模式
func COUNTMODE(config Config) {
for k := range config.Items {
fmt.Printf("%s: %d\n", k, len(config.Items[k].Dicts))
for _, dict := range config.Items[k].Dicts {
file := filepath.Join(BaseDir, config.Items[k].Path, dict)
// 获取文件信息
fileInfo, err := os.Stat(file)
if err != nil {
fmt.Println("无法获取文件信息:", err)
return
}
// 获取文件大小
fileSize := humanizeSize(fileInfo.Size())
filelines := readFileIntoLines(file)
fmt.Printf(" %s: line: %d size: %s\n", dict, len(filelines), fileSize)
// fmt.Printf(" line: %d \n", len(filelines))
// fmt.Printf(" size: %d B\n", fileSize)
}
}
}
// bak 模式
func BACKUPMODE() {
// 指定要压缩的目录路径
dirPath := BaseDir
// 指定保存zip文件的路径
t := time.Now().Format("2006-01-02-15-04-05")
destFile := "bak-" + t + ".zip"
zipPath := filepath.Join(BaseDir, "log", "bak", destFile)
// 指定要排除的目录
excludeDir := filepath.Join(BaseDir, "log")
// 创建zip文件
// 创建目标目录
if err := os.MkdirAll(filepath.Dir(zipPath), 0755); err != nil {
fmt.Println(err)
return
}
zipFile, err := os.Create(zipPath)
if err != nil {
fmt.Println("无法创建zip文件: ", err)
return
}
defer zipFile.Close()
// 创建zip写入器
zipWriter := zip.NewWriter(zipFile)
defer zipWriter.Close()
// 遍历目录中的所有文件和子目录
filepath.Walk(dirPath, func(path string, info os.FileInfo, err error) error {
// 如果遍历到的是目录,则跳过
// 如果遍历到的是要排除的目录,则跳过
if info.IsDir() {
if strings.HasPrefix(path, excludeDir) {
return filepath.SkipDir