-
Notifications
You must be signed in to change notification settings - Fork 250
/
Copy pathmysql.go
2224 lines (2080 loc) · 73.9 KB
/
mysql.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 (
"database/sql"
"errors"
"fmt"
"log"
"owl/common/types"
"sort"
"strings"
"time"
_ "github.com/go-sql-driver/mysql"
"github.com/jmoiron/sqlx"
)
var mydb *db
const (
dbDateFormat = "%Y-%m-%d %H:%i:%s"
timeFormat = "2006-01-02 15:04:05"
)
// InitMysqlConnPool 初始化数据库连接池
func InitMysqlConnPool() error {
var err error
var conn *sqlx.DB
conn, err = sqlx.Connect("mysql", fmt.Sprintf("%s:%s@tcp(%s)/%s?charset=utf8&parseTime=true&loc=Local",
config.MySQLUser, config.MySQLPassword, config.MySQLAddr, config.MySQLDBName))
if err != nil {
return err
}
conn.SetMaxIdleConns(config.MySQLMaxIdleConn)
conn.SetMaxOpenConns(config.MySQLMaxConn)
mydb = &db{conn}
return nil
}
type db struct {
*sqlx.DB
}
// ---------------------------------- Operation --------------------------------------------------
func (d *db) CreateOperation(operation *Operation) (err error) {
rawSQL := fmt.Sprintf("INSERT INTO operations values('%s', '%s', '%s', '%s', '%s', %d, DEFAULT)",
operation.IP, operation.Operator, operation.Method, operation.API, operation.Body, operation.Result)
if _, err := d.Exec(rawSQL); err != nil {
log.Println(err)
}
return
}
func (d *db) GetOperations(where, limit string) []*Operation {
operations := []*Operation{}
rawSQL := fmt.Sprintf("SELECT * FROM operations WHERE %s ORDER BY time desc LIMIT %s", where, limit)
if err := d.Select(&operations, rawSQL); err != nil {
log.Println(err)
}
return operations
}
func (d *db) GetOperationsCount(where string) int {
var total int
rawSQL := fmt.Sprintf("SELECT COUNT(*) FROM operations WHERE %s", where)
if err := d.Get(&total, rawSQL); err != nil {
log.Println(err)
}
return total
}
// ---------------------------------- Strategy --------------------------------------------------
// GetStrategies 获取策略列表
func (d *db) GetStrategies(where, order, limit string) []*StrategySummary {
strategies := []*StrategySummary{}
rawSQL := `SELECT s.*, IFNULL(user.username,'') user_name, IFNULL(se.alert_count, 0) alert_count, IFNULL(sef.nodata_count, 0) nodata_count, IFNULL(sef.unknow_count, 0) unknow_count
FROM strategy s LEFT JOIN user ON s.user_id = user.id LEFT JOIN (select strategy_id, sum(case when status=4 then 1 else 0 end) as nodata_count, sum(case when status=5 then 1 else 0 end) as unknow_count
from strategy_event_failed group by strategy_id) sef ON s.id = sef.strategy_id LEFT JOIN (select strategy_id, sum(case when status=1 then 1 else 0 end) as alert_count from strategy_event group by strategy_id) se ON s.id = se.strategy_id GROUP BY s.id`
if len(where) > 0 {
rawSQL = fmt.Sprintf("%s HAVING %s", rawSQL, where)
}
if len(order) > 0 {
rawSQL = fmt.Sprintf("%s ORDER BY %s", rawSQL, order)
}
if len(limit) > 0 {
rawSQL = fmt.Sprintf("%s LIMIT %s", rawSQL, limit)
}
log.Println(rawSQL)
if err := d.Select(&strategies, rawSQL); err != nil {
log.Println(err)
}
return strategies
}
// GetStrategiesCount 获取策略数量
func (d *db) GetStrategiesCount(where string) int {
var total int
rawSQL := `SELECT s.*, IFNULL(user.username, '') user_name, IFNULL(se.alert_count, 0) alert_count, IFNULL(sef.nodata_count, 0) nodata_count, IFNULL(sef.unknow_count, 0) unknow_count
FROM strategy s LEFT JOIN user ON s.user_id = user.id LEFT JOIN (select strategy_id, sum(case when status=4 then 1 else 0 end) as nodata_count, sum(case when status=5 then 1 else 0 end) as unknow_count
from strategy_event_failed group by strategy_id) sef ON s.id = sef.strategy_id LEFT JOIN (select strategy_id, sum(case when status=1 then 1 else 0 end) as alert_count from strategy_event group by strategy_id) se ON s.id = se.strategy_id GROUP BY s.id`
rawSQL = fmt.Sprintf("SELECT COUNT(*) FROM (%s HAVING %s) as s_se_sef", rawSQL, where)
if err := d.Get(&total, rawSQL); err != nil {
log.Println(err)
}
return total
}
// GetStrategiesByHostGroupID 获取主机组下的所有策略
func (d *db) GetStrategiesByHostGroupID(where, limit string) []*StrategySimple {
strategies := []*StrategySimple{}
rawSQL := `SELECT s.*, IFNULL(u.username, '') user_name FROM strategy_group sg LEFT JOIN strategy s ON sg.strategy_id = s.id LEFT JOIN user u ON s.user_id = u.id WHERE %s LIMIT %s`
rawSQL = fmt.Sprintf(rawSQL, where, limit)
if err := d.Select(&strategies, rawSQL); err != nil {
log.Println(err)
}
return strategies
}
// GetStrategiesByHostGroupIDCount 获取主机组下的所有策略个数
func (d *db) GetStrategiesByHostGroupIDCount(where string) int {
var total int
rawSQL := `SELECT COUNT(*) FROM strategy_group sg LEFT JOIN strategy s ON sg.strategy_id = s.id LEFT JOIN user u ON s.user_id = u.id WHERE %s`
rawSQL = fmt.Sprintf(rawSQL, where)
if err := d.Get(&total, rawSQL); err != nil {
log.Println(err)
}
return total
}
// GetStrategy 获取单个策略
func (d *db) GetStrategy(id int64, productID int) *Strategy {
strategy := Strategy{}
if err := d.Get(&strategy, "SELECT * FROM strategy WHERE id=? and product_id=?", id, productID); err != nil {
log.Println(err)
}
return &strategy
}
// CreateStrategy 创建一条策略
func (d *db) CreateStrategy(strategy *StrategyDetail) (err error) {
defer func() {
if r := recover(); r != nil {
switch x := r.(type) {
case string:
err = errors.New(x)
case error:
err = x
default:
err = errors.New("Unknown panic")
}
log.Println(err)
}
}()
tx := d.MustBegin()
defer tx.Rollback()
r := tx.MustExec("INSERT INTO strategy VALUES (DEFAULT, ?, ?, ?, ?, ?, ?, ?, ?, ?)",
strategy.ProductID, strategy.Name, strategy.Priority, strategy.AlarmCount, strategy.Cycle, strategy.Expression, strategy.Description, strategy.Enable, strategy.UserID)
strategyID, err := r.LastInsertId()
if err != nil {
panic(err)
}
for _, sg := range strategy.Groups {
tx.MustExec("INSERT INTO strategy_group VALUES (DEFAULT, ?, ?)", strategyID, sg.GroupID)
}
for _, se := range strategy.ExcludeHosts {
tx.MustExec("INSERT INTO strategy_host_exclude VALUES (DEFAULT, ?, ?)", strategyID, se.ID)
}
for _, tr := range strategy.Triggers {
tx.MustExec("INSERT INTO `trigger` VALUES (DEFAULT, ?, ?, ?, ?, ?, ?, ?, ?, ?)",
strategyID, tr.Metric, tr.Tags, tr.Number, tr.Index, tr.Method, tr.Symbol, tr.Threshold, tr.Description)
}
for _, ac := range strategy.Actions {
a := tx.MustExec("INSERT INTO action VALUES (DEFAULT, ?, ?, ?, ?, ?, ?, ?, ?, ?, ?, ?)",
strategyID, ac.Type, ac.Kind, ac.AlarmSubject, ac.AlarmTemplate, ac.RestoreSubject, ac.RestoreTemplate, ac.ScriptID, ac.BeginTime, ac.EndTime, ac.TimePeriod)
actionID, err := a.LastInsertId()
if err != nil {
log.Println(err)
return err
}
for _, g := range ac.UserGroups {
tx.MustExec("INSERT INTO action_user_group VALUES (DEFAULT, ?, ?)", actionID, g.UserGroupID)
}
}
if err := tx.Commit(); err != nil {
log.Println(err)
return err
}
return
}
// DeleteStrategies 批量删除策略
func (d *db) DeleteStrategies(ids []string, productID int) (err error) {
rawSQL := fmt.Sprintf("DELETE FROM strategy WHERE id in (%s) and product_id=%d", strings.Join(ids, ","), productID)
if _, err := d.Exec(rawSQL); err != nil {
log.Println(err)
}
return
}
// GetHostGroupsByStrategyID 获取策略下所监控的主机组
func (d *db) GetHostGroupsByStrategyID(id int64) []*types.Group {
groups := []*types.Group{}
if err := d.Select(&groups, "SELECT host_group.id, name FROM host_group JOIN strategy_group ON strategy_group.group_id = host_group.id WHERE strategy_id = ?", id); err != nil {
log.Println(err)
}
return groups
}
// GetTriggersByStrategyID 获取策略下的逻辑表达式
func (d *db) GetTriggersByStrategyID(id int64) []*Trigger {
triggers := []*Trigger{}
if err := d.Select(&triggers, "SELECT * FROM `trigger` WHERE strategy_id = ? ORDER BY `index` ASC", id); err != nil {
log.Println(err)
}
return triggers
}
// GetActionsByStrategyID 获取策略下的动作列表
func (d *db) GetActionsByStrategyID(id int64) []*ActionInfo {
actions := []*ActionInfo{}
if err := d.Select(&actions, "SELECT * FROM action WHERE strategy_id = ?", id); err != nil {
log.Println(err)
}
return actions
}
// GetUserGroupsByActionID 获取动作下的用户组
func (d *db) GetUserGroupsByActionID(id int) []*types.UserGroup {
groups := []*types.UserGroup{}
if err := d.Select(&groups, "SELECT user_group.id, user_group.name FROM user_group JOIN action_user_group ON user_group.ID = action_user_group.user_group_id WHERE action_id = ?", id); err != nil {
log.Println(err)
}
return groups
}
// UpdateStrategy 修改策略
func (d *db) UpdateStrategy(strategy *StrategyDetail) (err error) {
defer func() {
if r := recover(); r != nil {
switch x := r.(type) {
case string:
err = errors.New(x)
case error:
err = x
default:
err = errors.New("Unknown panic")
}
log.Println(err)
}
}()
tx := d.MustBegin()
defer tx.Rollback()
tx.MustExec("UPDATE strategy SET name=?, priority=?, alarm_count=?, cycle=?, expression=?, description=?, enable=? WHERE id=?",
strategy.Name, strategy.Priority, strategy.AlarmCount, strategy.Cycle, strategy.Expression, strategy.Description, strategy.Enable, strategy.ID)
tx.MustExec("DELETE FROM strategy_group WHERE strategy_id = ?", strategy.ID)
for _, sg := range strategy.Groups {
tx.MustExec("INSERT INTO strategy_group VALUES (0, ?, ?)", strategy.ID, sg.GroupID)
}
tx.MustExec("DELETE FROM strategy_host_exclude WHERE strategy_id = ?", strategy.ID)
for _, se := range strategy.ExcludeHosts {
tx.MustExec("INSERT INTO strategy_host_exclude VALUES (0, ?, ?)", strategy.ID, se.ID)
}
tx.MustExec("DELETE FROM `trigger` WHERE strategy_id = ?", strategy.ID)
for _, tr := range strategy.Triggers {
tx.MustExec("INSERT INTO `trigger` VALUES (0, ?, ?, ?, ?, ?, ?, ?, ?, ?)",
strategy.ID, tr.Metric, tr.Tags, tr.Number, tr.Index, tr.Method, tr.Symbol, tr.Threshold, tr.Description)
}
tx.MustExec("DELETE FROM action WHERE strategy_id = ?", strategy.ID)
for _, ac := range strategy.Actions {
a := tx.MustExec("INSERT INTO action VALUES (0, ?, ?, ?, ?, ?, ?, ?, ?, ?, ?, ?)",
strategy.ID, ac.Type, ac.Kind, ac.AlarmSubject, ac.AlarmTemplate, ac.RestoreSubject, ac.RestoreTemplate, ac.ScriptID, ac.BeginTime, ac.EndTime, ac.TimePeriod)
actionID, err := a.LastInsertId()
if err != nil {
return err
}
for _, g := range ac.UserGroups {
tx.MustExec("INSERT INTO action_user_group VALUES (0, ?, ?)", actionID, g.UserGroupID)
}
}
if err := tx.Commit(); err != nil {
log.Println(err)
return err
}
return
}
// UpdateStrategiesStatus 修改策略状态
func (d *db) UpdateStrategiesStatus(ids []string, productID int, enable string) (err error) {
rawSQL := fmt.Sprintf("UPDATE strategy SET enable=%s WHERE id in (%s) and product_id=%d", enable, strings.Join(ids, ","), productID)
if _, err := d.Exec(rawSQL); err != nil {
log.Println(err)
return err
}
return
}
// ---------------------------------- Strategy Event --------------------------------------------------
// GetStrategyEvents 获取报警事件列表
func (d *db) GetStrategyEvents(where, order, limit string) []*StrategyEvent {
events := []*StrategyEvent{}
rawSQL := "SELECT * FROM strategy_event"
if limit != "" && where != "" {
rawSQL = fmt.Sprintf("%s WHERE %s ORDER BY %s LIMIT %s", rawSQL, where, order, limit)
} else if where != "" {
rawSQL = fmt.Sprintf("%s WHERE %s ORDER BY %s", rawSQL, where, order)
} else {
rawSQL = fmt.Sprintf("%s ORDER BY %s", rawSQL, order)
}
if err := d.Select(&events, rawSQL); err != nil {
log.Println(err)
}
return events
}
// GetStrategiesEventsCount 获取报警事件个数
func (d *db) GetStrategiesEventsCount(where string) int {
var total int
rawSQL := "SELECT count(*) FROM strategy_event"
rawSQL = fmt.Sprintf("%s WHERE %s", rawSQL, where)
if err := d.Get(&total, rawSQL); err != nil {
log.Println(err)
}
return total
}
// UpdateStrategyEventsStatus 修改报警事件状态
func (d *db) UpdateStrategyEventsStatus(ids []string, awareEndTime string, productID, status int) (err error) {
rawSQL := fmt.Sprintf("UPDATE strategy_event SET status=%d, aware_end_time='%s' WHERE id in (%s) AND product_id=%d AND status != %d", status, awareEndTime, strings.Join(ids, ","), productID, types.EVENT_CLOSED)
if _, err := d.Exec(rawSQL); err != nil {
log.Println(err)
return err
}
return
}
// CreateStrategyEventProcesses 创建报警事件处理记录
func (d *db) CreateStrategyEventProcesses(strategyEventIDs []string, strategyEventStatus int, processUser, processComments string) (err error) {
defer func() {
if r := recover(); r != nil {
switch x := r.(type) {
case string:
err = errors.New(x)
case error:
err = x
default:
err = errors.New("Unknown panic")
}
fmt.Println(err)
}
}()
tx := d.MustBegin()
defer tx.Rollback()
for _, eventID := range strategyEventIDs {
tx.MustExec("INSERT INTO strategy_event_process VALUES(?, ?, ?, ?, DEFAULT)", eventID, strategyEventStatus, processUser, processComments)
}
if err := tx.Commit(); err != nil {
log.Println(err)
return err
}
return
}
func (d *db) CleanupHostEvents(hostID string) {
var err error
if err = d.cleanupHostEvent(hostID); err != nil {
log.Println("clean-up host event failed, error:", err.Error())
}
if err = d.cleanupHostEventFailed(hostID); err != nil {
log.Println("clean-up host failed event failed, error:", err.Error())
}
}
func (d *db) cleanupHostEventFailed(hostID string) error {
rawSQL := fmt.Sprintf("delete from strategy_event_failed where host_id='%s'", hostID)
log.Println(rawSQL)
_, err := d.Exec(rawSQL)
return err
}
func (d *db) cleanupHostEvent(hostID string) error {
rawSQL := fmt.Sprintf("delete from strategy_event where host_id='%s'", hostID)
log.Println(rawSQL)
_, err := d.Exec(rawSQL)
return err
}
// GetStrategyEventsFailed 获取失败的报警事件
func (d *db) GetStrategyEventsFailed(where, order, limit string) []*StrategyEventFailed {
eventsFailed := []*StrategyEventFailed{}
rawSQL := "SELECT sef.status, sef.update_time, sef.message, h.hostname, h.ip FROM strategy_event_failed sef LEFT JOIN host h ON sef.host_id = h.id"
if limit != "" {
rawSQL = fmt.Sprintf("%s WHERE %s ORDER BY %s LIMIT %s", rawSQL, where, order, limit)
} else {
rawSQL = fmt.Sprintf("%s WHERE %s ORDER BY %s", rawSQL, where, order)
}
log.Println(rawSQL)
if err := d.Select(&eventsFailed, rawSQL); err != nil {
log.Println(err)
}
return eventsFailed
}
// GetStrategyEventsFailedCount 获取失败的报警事件总数
func (d *db) GetStrategyEventsFailedCount(where string) int {
var total int
rawSQL := "SELECT count(*) FROM strategy_event_failed sef LEFT JOIN host h ON sef.host_id = h.id"
rawSQL = fmt.Sprintf("%s WHERE %s", rawSQL, where)
log.Println(rawSQL)
if err := d.Get(&total, rawSQL); err != nil {
log.Println(err)
}
return total
}
// GetStrategyEventProcessRecord 获取处理报警事件的处理记录
func (d *db) GetStrategyEventProcessRecord(eventID int64) []*StrategyEventProcess {
strategyEventProcess := []*StrategyEventProcess{}
rawSQL := "SELECT process_status, process_user, process_comments, process_time FROM strategy_event_process WHERE strategy_event_id = ? ORDER BY process_time DESC"
if err := d.Select(&strategyEventProcess, rawSQL, eventID); err != nil {
log.Println(err)
}
return strategyEventProcess
}
// GetAlarmRecord 获取报警历史记录
func (d *db) GetAlarmRecords(eventID int64, order, limit string) (records []*AlarmRecord, total int) {
records = make([]*AlarmRecord, 0)
events := []*StrategyEventRecord{}
rawSQL := fmt.Sprintf("SELECT count(*) FROM strategy_event_record WHERE strategy_event_id = ?")
if err := d.Get(&total, rawSQL, eventID); err != nil {
log.Println(err)
return
}
rawSQL = fmt.Sprintf("SELECT * FROM strategy_event_record WHERE strategy_event_id = ? ORDER BY %s LIMIT %s", order, limit)
if err := d.Select(&events, rawSQL, eventID); err != nil {
log.Println(err)
return
}
for _, event := range events {
record := new(AlarmRecord)
record.StrategyEvent = event
record.TriggerEvents = d.GetTriggersRecords(event.StrategyEventID, event.Count)
record.ActionResults = d.GetActionResults(event.StrategyEventID, event.Count)
records = append(records, record)
}
return
}
// GetTriggersRecords 获取报警事件下的表达式组
func (d *db) GetTriggersRecords(eventID int64, count int) []*TriggerEventRecord {
triggers := []*TriggerEventRecord{}
rawSQL := "SELECT * FROM trigger_event_record WHERE strategy_event_id = ? AND count = ? AND triggered=TRUE"
if err := d.Select(&triggers, rawSQL, eventID, count); err != nil {
log.Println(err)
return nil
}
return triggers
}
// GetActionResults 获取报警事件下的报警结果组
func (d *db) GetActionResults(eventID int64, count int) []*ActionResult {
results := []*ActionResult{}
rawSQL := "SELECT action_result.*, scripts.name as script_name, scripts.file_path as file_path FROM action_result LEFT JOIN scripts ON action_result.script_id = scripts.id WHERE strategy_event_id = ? AND count = ?"
if err := d.Select(&results, rawSQL, eventID, count); err != nil {
log.Println(err)
return nil
}
return results
}
// GetHostsExByStrategyID 获取排除的主机列表
func (d *db) GetHostsExByStrategyID(strategyID int64) []*AlarmHost {
hosts := []*AlarmHost{}
if err := d.Select(&hosts, "SELECT h.id, h.ip, h.hostname FROM strategy_host_exclude she LEFT JOIN host h ON she.host_id = h.id WHERE strategy_id=?;", strategyID); err != nil {
log.Println(err)
}
return hosts
}
// ---------------------------------- Script --------------------------------------------------
// GetScriptByScriptID 获取单个动作脚本
func (d *db) GetScriptByScriptID(id int) *Script {
script := Script{}
if err := d.Get(&script, "SELECT id, name, file_path FROM scripts WHERE id=?", id); err != nil {
log.Println(err)
}
return &script
}
// GetScripts 获取脚本列表
func (d *db) GetScripts() []*Script {
scripts := []*Script{}
if err := d.Select(&scripts, "SELECT id, name, file_path FROM scripts"); err != nil {
log.Println(err)
}
return scripts
}
// CreateScript 创建脚本
func (d *db) CreateScript(script *Script) (err error) {
rawSQL := fmt.Sprintf("INSERT INTO scripts VALUES(DEFAULT, '%s', '%s')", script.Name, script.FilePath)
if _, err := d.Exec(rawSQL); err != nil {
log.Println(err)
return err
}
return
}
// UpdateScript 修改脚本
func (d *db) UpdateScript(script *Script) (err error) {
rawSQL := fmt.Sprintf("UPDATE scripts set name='%s', file_path='%s' WHERE id='%d'", script.Name, script.FilePath, script.ID)
if _, err := d.Exec(rawSQL); err != nil {
log.Println(err)
return err
}
return
}
// DeleteScript 删除脚本
func (d *db) DeleteScript(scriptIDs []string) (err error) {
rawSQL := fmt.Sprintf("DELETE FROM scripts WHERE id in (%s)", strings.Join(scriptIDs, ","))
if _, err := d.Exec(rawSQL); err != nil {
log.Println(err)
return err
}
return
}
// ---------------------------------- StrategyTemplate --------------------------------------------------
// GetStrategyTemplateDetail 获取单个策略模板的详细
func (d *db) GetStrategyTemplateDetail(strategyTemplateID int) *StrategyTemplateDetail {
strategy := d.GetStrategyTemplate(strategyTemplateID)
triggers := d.GetTriggerTemplates(strategyTemplateID)
std := new(StrategyTemplateDetail)
std.ID = strategy.ID
std.Name = strategy.Name
std.AlarmCount = strategy.AlarmCount
std.Cycle = strategy.Cycle
std.Expression = strategy.Expression
std.Description = strategy.Description
std.TriggerTemplates = triggers
return std
}
// GetStrategyTemplate 获取单个策略模板
func (d *db) GetStrategyTemplate(strategyTemplateID int) *StrategyTemplate {
strategyTemplate := StrategyTemplate{}
if err := d.Get(&strategyTemplate, "SELECT * FROM strategy_template WHERE id=?", strategyTemplateID); err != nil {
log.Println(err)
}
return &strategyTemplate
}
// GetTriggerTemplates 获取表达式模板
func (d *db) GetTriggerTemplates(strategyTemplateID int) []*TriggerTemplate {
triggerTemplates := []*TriggerTemplate{}
if err := d.Select(&triggerTemplates, "SELECT * FROM trigger_template WHERE strategy_template_id=?", strategyTemplateID); err != nil {
log.Println(err)
}
return triggerTemplates
}
// GetStrategyTemplate 获取多个策略模板
func (d *db) GetStrategyTemplates() []*StrategyTemplate {
strategyTemplates := []*StrategyTemplate{}
if err := d.Select(&strategyTemplates, "SELECT * FROM strategy_template"); err != nil {
log.Println(err)
}
return strategyTemplates
}
// CreateStrategyTemplate 创建一条策略模板
func (d *db) CreateStrategyTemplate(strategyTemplate *StrategyTemplateDetail) (err error) {
defer func() {
if r := recover(); r != nil {
switch x := r.(type) {
case string:
err = errors.New(x)
case error:
err = x
default:
err = errors.New("Unknown panic")
}
log.Println(err)
}
}()
tx := d.MustBegin()
defer tx.Rollback()
r := tx.MustExec("INSERT INTO strategy_template VALUES (DEFAULT, ?, ?, ?, ?, ?)",
strategyTemplate.Name, strategyTemplate.AlarmCount, strategyTemplate.Cycle, strategyTemplate.Expression, strategyTemplate.Description)
strategyID, err := r.LastInsertId()
if err != nil {
log.Println(err)
return err
}
for _, tt := range strategyTemplate.TriggerTemplates {
tx.MustExec("INSERT INTO trigger_template VALUES (DEFAULT, ?, ?, ?, ?, ?, ?, ?, ?, ?)",
strategyID, tt.Metric, tt.Tags, tt.Number, tt.Index, tt.Method, tt.Symbol, tt.Threshold, tt.Description)
}
if err := tx.Commit(); err != nil {
log.Println(err)
return err
}
return
}
// UpdateStrategyTemplate 修改策略模板
func (d *db) UpdateStrategyTemplate(strategyTemplate *StrategyTemplateDetail) (err error) {
defer func() {
if r := recover(); r != nil {
switch x := r.(type) {
case string:
err = errors.New(x)
case error:
err = x
default:
err = errors.New("Unknown panic")
}
log.Println(err)
}
}()
tx := d.MustBegin()
defer tx.Rollback()
tx.MustExec("REPLACE INTO strategy_template VALUES (?, ?, ?, ?, ?, ?)",
strategyTemplate.ID, strategyTemplate.Name, strategyTemplate.AlarmCount, strategyTemplate.Cycle, strategyTemplate.Expression, strategyTemplate.Description)
tx.MustExec("DELETE FROM trigger_template WHERE strategy_template_id = ?", strategyTemplate.ID)
for _, tt := range strategyTemplate.TriggerTemplates {
tx.MustExec("INSERT INTO trigger_template VALUES (?, ?, ?, ?, ?, ?, ?, ?, ?, ?)",
tt.ID, tt.StrategyTemplateID, tt.Metric, tt.Tags, tt.Number, tt.Index, tt.Method, tt.Symbol, tt.Threshold, tt.Description)
}
if err := tx.Commit(); err != nil {
log.Println(err)
return err
}
return
}
// DeleteStrategyTemplates 批量删除策略模板
func (d *db) DeleteStrategyTemplates(ids []string) (err error) {
rawSQL := fmt.Sprintf("DELETE FROM strategy_template WHERE id in (%s)", strings.Join(ids, ","))
if _, err := d.Exec(rawSQL); err != nil {
log.Println(err)
return err
}
return
}
// ------------------------------------ new --------------------------------------------
func (d *db) getProducts(paging bool, query string, order string, isDelete string, offset, limit int) (int, []*Product) {
var (
products = []*Product{}
err error
cnt int
)
rawSQL := fmt.Sprintf("select id, name, description, creator from product")
cntSQL := fmt.Sprintf("select count(*) from product")
switch isDelete {
case "true":
rawSQL = fmt.Sprintf("%s where is_delete = 1", rawSQL)
cntSQL = fmt.Sprintf("%s where is_delete = 1", cntSQL)
default:
rawSQL = fmt.Sprintf("%s where is_delete = 0", rawSQL)
cntSQL = fmt.Sprintf("%s where is_delete = 0", cntSQL)
}
if len(query) > 0 {
rawSQL = fmt.Sprintf("%s and name like '%%%s%%'", rawSQL, query)
cntSQL = fmt.Sprintf("%s and name like '%%%s%%'", cntSQL, query)
}
if len(order) > 0 {
rawSQL = fmt.Sprintf("%s order by %s", rawSQL, order)
}
if paging {
rawSQL = fmt.Sprintf("%s limit %d,%d", rawSQL, offset, limit)
}
log.Println(rawSQL)
log.Println(cntSQL)
if err = d.Select(&products, rawSQL); err != nil {
log.Println(err)
}
if err = d.Get(&cnt, cntSQL); err != nil {
log.Println(err)
}
return cnt, products
}
//获取用户所在的产品线列表
func (d *db) getUserProducts(user *User) []Product {
products := []Product{}
rawSQL := fmt.Sprintf("select p.id, p.name, p.description, p.creator from product p where p.id in "+
"(select product_id from product_user where p.is_delete = 0 and user_id =%d)", user.ID)
log.Println(rawSQL)
if err := d.Select(&products, rawSQL); err != nil {
log.Println(err)
}
return products
}
// 根据名称获取产品线
func (d *db) getProductByName(productName string) *Product {
product := &Product{}
rawSQL := fmt.Sprintf("select id, name, description, creator from product where name='%s'", productName)
log.Println(rawSQL)
if err := d.Get(product, rawSQL); err != nil {
if err == sql.ErrNoRows {
return nil
}
log.Println(err)
}
return product
}
func (d *db) getAllUsers(paging bool, query string, order string, offset, limit int) (int, []User) {
var (
users = make([]User, 0)
cnt int
err error
)
rawSQL := fmt.Sprintf("select id, username, display_name, role, wechat, type, mail, phone, status, create_at, update_at from user")
cntSQL := fmt.Sprintf("select count(*) from user")
if len(query) > 0 {
rawSQL = fmt.Sprintf("%s where username like '%%%s%%' or display_name like '%%%s%%' or phone like '%%%s%%'", rawSQL, query, query, query)
cntSQL = fmt.Sprintf("%s where username like '%%%s%%' or display_name like '%%%s%%' or phone like '%%%s%%'", cntSQL, query, query, query)
}
if len(order) > 0 {
rawSQL = fmt.Sprintf("%s order by %s", rawSQL, order)
}
if paging {
rawSQL = fmt.Sprintf("%s limit %d, %d", rawSQL, offset, limit)
}
log.Println(rawSQL)
log.Println(cntSQL)
if err = d.Select(&users, rawSQL); err != nil {
log.Println(err)
}
if err = d.Get(&cnt, cntSQL); err != nil {
log.Println(err)
}
return cnt, users
}
// get user profile
func (d *db) getUserProfile(username string) *User {
user := &User{}
rawSQL := fmt.Sprintf("select id, username, password, display_name, phone, wechat, type, mail, role, "+
"DATE_FORMAT(create_at,'%s') as create_at, DATE_FORMAT(update_at,'%s') "+
"as update_at from user where username='%s'",
timeFormat, timeFormat, username)
log.Println(rawSQL)
if err := d.Get(user, rawSQL); err != nil {
if err != sql.ErrNoRows {
log.Println(err)
}
return nil
}
return user
}
// 创建用户
func (d *db) createUser(user *User) (*User, error) {
rawSQL := fmt.Sprintf("insert into user(username, password, display_name, mail, phone, wechat, type, role, status) "+
"values('%s', '%s', '%s', '%s', '%s', '%s', '%s', %d, %d)",
user.Username, user.Password, user.DisplayName, user.EmailAddress, user.PhoneNum, user.Wechat, user.Type, user.Role, user.Status)
log.Println(rawSQL)
res, err := d.Exec(rawSQL)
if err != nil {
log.Println(err)
return nil, err
}
id, _ := res.LastInsertId()
user.ID = int(id)
return user, nil
}
//根据用户id删除用户
func (d *db) deleteUser(userID int) error {
rawSQL := fmt.Sprintf("delete from user where id=%d", userID)
log.Println(rawSQL)
if _, err := d.Exec(rawSQL); err != nil {
log.Println(err)
return err
}
return nil
}
//更新用户配置信息
func (d *db) updateUserProfile(user *User) error {
rawSQL := fmt.Sprintf("update user set display_name='%s', password='%s', phone='%s', wechat='%s', update_at='%s' where id=%d",
user.DisplayName, user.Password, user.PhoneNum, user.Wechat, time.Now().Format(timeFormat), user.ID)
log.Println(rawSQL)
if _, err := d.Exec(rawSQL); err != nil {
log.Println(err)
return err
}
return nil
}
//设置用户角色
func (d *db) setUserRole(userID int, roleNum int) error {
rawSQL := fmt.Sprintf("update user set role=%d where id=%d", roleNum, userID)
log.Println(rawSQL)
if _, err := d.Exec(rawSQL); err != nil {
log.Println(err)
return err
}
return nil
}
//创建产品
func (d *db) createProduct(product *Product) (*Product, error) {
rawSQL := fmt.Sprintf("insert into product(name, description, creator, create_at) values('%s', '%s', '%s', '%s')",
product.Name, product.Description, product.Creator, time.Now().Format(timeFormat))
log.Println(rawSQL)
res, err := d.Exec(rawSQL)
if err != nil {
log.Printf("createProduct error %s", err)
return nil, err
}
id, _ := res.LastInsertId()
product.ID = int(id)
return product, nil
}
// 更新产品线
func (d *db) updateProduct(product *Product) error {
rawSQL := fmt.Sprintf("update product set name='%s', description='%s' where id=%d", product.Name, product.Description, product.ID)
log.Println(rawSQL)
if _, err := d.Exec(rawSQL); err != nil {
log.Println(err)
return err
}
return nil
}
//软删除产品线
func (d *db) deleteProduct(productID int) error {
rawSQL := fmt.Sprintf("update product set is_delete=1 where id=%d", productID)
log.Println(rawSQL)
if _, err := d.Exec(rawSQL); err != nil {
log.Println(err)
return err
}
return nil
}
// ---------------------------------- Product User --------------------------------------------------
// 获取产品下的用户
func (d *db) getProductUsers(productID int, paging bool, query string, order string, offset, limit int) (int, []types.User) {
var (
users = make([]types.User, 0)
err error
)
rawSQL := fmt.Sprintf("select u.id, u.username, u.role, u.phone, u.mail, u.wechat,u.status "+
"from user u inner join product_user pu on u.id = pu.user_id where pu.product_id = %d", productID)
if len(query) > 0 {
rawSQL = fmt.Sprintf("%s and (u.username like '%%%s%%')", rawSQL, query)
}
if len(order) > 0 {
rawSQL = fmt.Sprintf("%s order by %s", rawSQL, order)
}
if paging {
rawSQL = fmt.Sprintf("%s limit %d,%d", rawSQL, offset, limit)
}
log.Println(rawSQL)
if err = d.Select(&users, rawSQL); err != nil {
log.Println(err)
}
return d.getProductUsersCnt(productID, query), users
}
//获取产品线用户数
func (d *db) getProductUsersCnt(productID int, query string) int {
var cnt int
cntSQL := fmt.Sprintf("select count(*) from user u inner join product_user pu on u.id = pu.user_id where pu.product_id = %d", productID)
if len(query) > 0 {
cntSQL = fmt.Sprintf("%s and (u.username like '%%%s%%')", cntSQL, query)
}
log.Println(cntSQL)
if err := d.Get(&cnt, cntSQL); err != nil {
log.Println(err)
}
return cnt
}
//获取不在产品线的用户
func (d *db) getNotInProductUsers(productID int, paging bool, query string, order string, offset, limit int) (int, []types.User) {
var (
users = make([]types.User, 0)
cnt int
err error
)
rawSQL := fmt.Sprintf("select u.id, u.username, u.role, u.phone, u.mail, u.wechat,u.status "+
"from user u where u.id not in (select user_id from product_user where product_id = %d)", productID)
cntSQL := fmt.Sprintf("select count(*) from user u where u.id not in (select user_id from product_user where product_id = %d)", productID)
if len(query) > 0 {
rawSQL = fmt.Sprintf("%s and (u.username like '%%%s%%')", rawSQL, query)
cntSQL = fmt.Sprintf("%s and (u.username like '%%%s%%')", cntSQL, query)
}
if len(order) > 0 {
rawSQL = fmt.Sprintf("%s order by %s", rawSQL, order)
}
if paging {
rawSQL = fmt.Sprintf("%s limit %d,%d", rawSQL, offset, limit)
}
log.Println(rawSQL)
log.Println(cntSQL)
if err = d.Select(&users, rawSQL); err != nil {
log.Println(err)
}
if err = d.Get(&cnt, cntSQL); err != nil {
log.Println(err)
}
return cnt, users
}
// 添加用户到产品线
func (d *db) addUsers2Product(productID int, userids []int) error {
tx := d.MustBegin()
var err error
for _, id := range userids {
rawSQL := fmt.Sprintf("insert ignore into product_user(product_id, user_id) values(%d, %d)",
productID, id)
log.Println(rawSQL)
if _, err = tx.Exec(rawSQL); err != nil {
break
}
}
if err != nil {
log.Println(err)
tx.Rollback()
return err
}
return tx.Commit()
}
// 从产品线中移除用户
func (d *db) removeUsersFromProduct(productID int, userids []int) error {
tx := d.MustBegin()
var err error
for _, id := range userids {
rawSQL := fmt.Sprintf("delete from product_user where product_id = %d and user_id = %d",
productID, id)
log.Println(rawSQL)
if _, err = tx.Exec(rawSQL); err != nil {
break
}
}
if err != nil {
log.Println(err)
tx.Rollback()
return err
}
return tx.Commit()
}
// --------------------------------------- UserGroup --------------------------------------
// 获取产品线下的用户组
func (d *db) getProductUserGroups(productID int, paging bool, query string, order string, offset, limit int) (int, []UserGroup) {
var (
userGroups = make([]UserGroup, 0)
err error
cnt int
)
rawSQL := fmt.Sprintf("select id, name, description from user_group")
cntSQL := fmt.Sprintf("select count(*) from user_group")
if productID != 0 {
rawSQL = fmt.Sprintf("%s where product_id = %d", rawSQL, productID)
cntSQL = fmt.Sprintf("%s where product_id = %d", cntSQL, productID)
}
if len(query) > 0 {
rawSQL = fmt.Sprintf("%s and name like '%%%s%%'", rawSQL, query)
cntSQL = fmt.Sprintf("%s and name like '%%%s%%'", cntSQL, query)
}
if len(order) > 0 {
rawSQL = fmt.Sprintf("%s order by %s", rawSQL, order)
}
if paging {
rawSQL = fmt.Sprintf("%s limit %d, %d", rawSQL, offset, limit)
}
log.Println(rawSQL)
log.Println(cntSQL)
if err = d.Select(&userGroups, rawSQL); err != nil {
log.Println(err)
}
if err = d.Get(&cnt, cntSQL); err != nil {
log.Println(err)
}
return cnt, userGroups
}
//获取指定名称的用户组
func (d *db) findProductUserGroup(productID int, groupName string) *UserGroup {
userGroup := &UserGroup{}