-
Notifications
You must be signed in to change notification settings - Fork 1
/
Copy pathengine.go
479 lines (424 loc) · 12.6 KB
/
engine.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
package rulesengine
import (
"context"
"encoding/json"
"errors"
"fmt"
"github.com/tidwall/gjson"
"sort"
"sync"
"github.com/asaskevich/EventBus"
)
// DefaultRuleEngineOptions returns a default set of options for the rules engine.
// This includes whether undefined facts or conditions are allowed, and if facts should be replaced in event parameters.
func DefaultRuleEngineOptions() *RuleEngineOptions {
return &RuleEngineOptions{
AllowUndefinedFacts: false,
AllowUndefinedConditions: false,
ReplaceFactsInEventParams: false,
}
}
// NewEngine creates a new Engine instance with the provided rules and options.
// If no options are passed, default options are used.
// Params:
// - rules: A slice of rules to be added to the engine.
// - options: Configuration options for the engine (can be nil).
// Returns a pointer to the newly created Engine.
func NewEngine(rules []*Rule, options *RuleEngineOptions) *Engine {
if options == nil {
options = DefaultRuleEngineOptions()
}
engine := &Engine{
Rules: []*Rule{},
Operators: make(map[string]Operator),
Status: READY,
bus: EventBus.New(),
AllowUndefinedConditions: options.AllowUndefinedConditions,
AllowUndefinedFacts: options.AllowUndefinedFacts,
ReplaceFactsInEventParams: options.ReplaceFactsInEventParams,
}
for _, r := range rules {
err := engine.AddRule(r)
if err != nil {
return nil
}
}
for _, o := range DefaultOperators() {
engine.AddOperator(o, nil)
}
return engine
}
// AddRule adds a single rule to the rules engine.
// The rule is linked to the engine and stored in the engine's rules list.
// Params:
// - rule: The rule to be added to the engine.
// Returns an error if the rule is invalid or cannot be added.
func (e *Engine) AddRule(rule *Rule) error {
if rule == nil {
return errors.New("engine: rule is required")
}
rule.SetEngine(e)
e.Rules = append(e.Rules, rule)
e.prioritizedRules = nil
return nil
}
// AddRuleFromMap adds a rule to the engine from a configuration map.
// The rule is created from the map and then added to the engine.
// Params:
// - rp: The rule configuration in map form.
// Returns an error if the rule configuration is invalid.
func (e *Engine) AddRuleFromMap(rp *RuleConfig) error {
if rp == nil {
return errors.New("engine: AddRuleFromMap invalid configuration")
}
r, _ := NewRule(rp)
r.SetEngine(e)
e.Rules = append(e.Rules, r)
e.prioritizedRules = nil
return nil
}
// AddRules adds multiple rules to the engine in a single operation.
// Each rule is validated and added to the engine.
// Params:
// - rules: A slice of rules to be added to the engine.
// Returns an error if any rule cannot be added.
func (e *Engine) AddRules(rules []*Rule) error {
for _, r := range rules {
err := e.AddRule(r)
if err != nil {
return err
}
}
return nil
}
// UpdateRule updates an existing rule in the engine by its name.
// If the rule exists, it is replaced by the new version.
// Params:
// - r: The updated rule.
// Returns an error if the rule cannot be found or updated.
func (e *Engine) UpdateRule(r *Rule) error {
ruleIndex := -1
for i, ruleInEngine := range e.Rules {
if ruleInEngine.Name == r.Name {
ruleIndex = i
break
}
}
if ruleIndex > -1 {
e.Rules = append(e.Rules[:ruleIndex], e.Rules[ruleIndex+1:]...)
err := e.AddRule(r)
if err != nil {
return err
}
e.prioritizedRules = nil
return nil
}
return errors.New("engine: updateRule() rule not found")
}
// RemoveRule removes an existing rule in the engine.
// Params:
// - r: The updated rule.
// Returns an error if the rule cannot be found or updated.
func (e *Engine) RemoveRule(rule *Rule) bool {
index := -1
for i, r := range e.Rules {
if r == rule {
index = i
break
}
}
if index > -1 {
e.Rules = append(e.Rules[:index], e.Rules[index+1:]...)
e.prioritizedRules = nil // reset prioritized rules
return true
}
return false
}
// RemoveRuleByName removes an existing rule in the engine by its name.
// Params:
// - name: The name of the rule to be removed.
// Returns true if the rule was removed, false if it was not found.
func (e *Engine) RemoveRuleByName(name string) bool {
var filteredRules []*Rule
for _, r := range e.Rules {
if r.Name != name {
filteredRules = append(filteredRules, r)
}
}
if len(filteredRules) != len(e.Rules) {
e.Rules = filteredRules
e.prioritizedRules = nil // reset prioritized rules
return true
}
return false
}
// GetRules returns all rules in the engine.
// Returns a slice of all rules in the engine.
func (e *Engine) GetRules() []*Rule {
return e.Rules
}
// TODO ADD CONDITION THAT CAN BE REUSED IN RULES
// RemoveCondition removes a condition that has previously been added to this engine
// Params:
// - name: The name of the condition to be removed.
// Returns true if the condition was removed, false if it was not found.
func (e *Engine) RemoveCondition(name string) bool {
_, ok := e.Conditions.Load(name)
if ok {
e.Conditions.Delete(name)
}
return ok
}
// AddOperator adds a custom operator definition
// Params:
// - operatorOrName: The operator to be added, or the name of the operator.
// - cb: The callback function to be executed when the operator is evaluated.
func (e *Engine) AddOperator(operatorOrName interface{}, cb func(*ValueNode, *ValueNode) bool) {
var op Operator
switch v := operatorOrName.(type) {
case Operator:
op = v
case string:
newOpp, _ := NewOperator(v, cb, nil)
op = *newOpp
}
Debug(fmt.Sprintf("engine::addOperator name:%s", op.Name))
e.Operators[op.Name] = op
}
// RemoveOperator removes a custom operator definition
// Params:
// - operatorOrName: The operator to be removed, or the name of the operator.
// Returns true if the operator was removed, false if it was not found.
func (e *Engine) RemoveOperator(operatorOrName interface{}) bool {
var operatorName string
switch v := operatorOrName.(type) {
case Operator:
operatorName = v.Name
case string:
operatorName = v
}
_, ok := e.Operators[operatorName]
if ok {
delete(e.Operators, operatorName)
}
return ok
}
// AddFact adds a fact definition to the engine
// Params:
// path: The path of the fact.
// value: The value of the fact.
// options: Additional options for the fact.
// Returns an error if the fact cannot be added.
func (e *Engine) AddFact(path string, value *ValueNode, options *FactOptions) error {
fact, err := NewFact(path, *value, options)
if err != nil {
return err
}
Debug(fmt.Sprintf("engine::addFact id:%s", fact.Path))
e.Facts.Set(fact.Path, fact)
return nil
}
// AddCalculatedFact adds a calculated fact definition to the engine
// Params:
// path: The path of the fact.
// method: The callback function to be executed when the fact is evaluated.
// options: Additional options for the fact.
// Returns an error if the fact cannot be added.
func (e *Engine) AddCalculatedFact(path string, method DynamicFactCallback, options *FactOptions) error {
fact := NewCalculatedFact(path, method, options)
Debug(fmt.Sprintf("engine::addFact id:%s", fact.Path))
e.Facts.Set(fact.Path, fact)
return nil
}
// RemoveFact removes a fact from the engine
// Params:
// path: The path of the fact to be removed.
// Returns true if the fact was removed, false if it was not found.
func (e *Engine) RemoveFact(path string) bool {
_, ok := e.Facts.Load(path)
if ok {
e.Facts.Delete(path)
}
return ok
}
// GetFact returns a fact by path
// Params:
// path: The path of the fact to be retrieved.
// Returns the fact if it exists, or nil if it does not.
func (e *Engine) GetFact(path string) *Fact {
f, _ := e.Facts.Load(path)
if &f == nil {
return nil
}
return f
}
// PrioritizeRules iterates over the engine rules, organizing them by highest -> lowest priority
// Returns a 2D slice of rules, where each inner slice contains rules of the same priority
func (e *Engine) PrioritizeRules() [][]*Rule {
if e.prioritizedRules == nil {
ruleSets := make(map[int][]*Rule)
for _, r := range e.Rules {
priority := r.GetPriority()
ruleSets[priority] = append(ruleSets[priority], r)
}
var keys []int
for k := range ruleSets {
keys = append(keys, k)
}
sort.Sort(sort.Reverse(sort.IntSlice(keys)))
for _, k := range keys {
e.prioritizedRules = append(e.prioritizedRules, ruleSets[k])
}
}
return e.prioritizedRules
}
// Stop stops the rules engine from running the next priority set of Rules
// Returns the engine instance
func (e *Engine) Stop() *Engine {
e.Status = FINISHED
return e
}
// EvaluateRules runs an array of rules
// Params:
// - rules: The rules to be evaluated.
// - almanac: The almanac containing facts and results.
// - ctx: The execution context for the rules.
// Returns an error if any rule evaluation fails.
func (e *Engine) EvaluateRules(rules []*Rule, almanac *Almanac, ctx *ExecutionContext) error {
// CHECK STATE OF ENGINE
if e.Status != RUNNING {
Debug(fmt.Sprintf("engine::run status:%s; skipping remaining rules", e.Status))
return nil
}
var wg sync.WaitGroup
errs := make(chan error, len(rules))
results := make(chan *RuleResult, len(rules))
for _, r := range rules {
if ctx.StopEarly {
break
}
wg.Add(1)
go func(rule *Rule) {
defer wg.Done()
select {
case <-ctx.Done():
Debug("Context cancelled inEvaluator goroutine")
return
default:
ruleResult, err := rule.Evaluate(ctx, almanac)
if err != nil {
errs <- err
return
}
Debug(fmt.Sprintf("engine::run ruleResult:%v", ruleResult.Result))
results <- ruleResult
Debug("Result sent to results channel inEvaluator goroutine")
}
}(r)
}
// Close results and errors channels after all goroutines complete
go func() {
wg.Wait()
Debug("All goroutines completed")
close(results)
close(errs)
}()
// Collect results
for ruleResult := range results {
Debug("Received result from results channel")
almanac.AddResult(ruleResult)
if ruleResult.Result != nil && *ruleResult.Result {
err := almanac.AddEvent(ruleResult.Event, "success")
if err != nil {
Debug(fmt.Sprintf("Error adding success event: %v", err))
return err
}
e.bus.Publish("success", ruleResult.Event, almanac, ruleResult)
e.bus.Publish(ruleResult.Event.Type, ruleResult.Event.Params, almanac, ruleResult)
} else {
err := almanac.AddEvent(ruleResult.Event, "failure")
if err != nil {
Debug(fmt.Sprintf("Error adding failure event: %v", err))
return err
}
e.bus.Publish("failure", ruleResult.Event, almanac, ruleResult)
}
}
// Check for errors
for err := range errs {
Debug("Received error from errs channel")
return err
}
return nil
}
func (e *Engine) Run(ctx context.Context, input []byte) (map[string]interface{}, error) {
return e.runInternal(ctx, input)
}
func (e *Engine) RunWithMap(ctx context.Context, input map[string]interface{}) (map[string]interface{}, error) {
factBytes, err := json.Marshal(input)
if err != nil {
return nil, fmt.Errorf("error marshaling input map: %v", err)
}
return e.runInternal(ctx, factBytes)
}
// Run runs the rules engine
func (e *Engine) runInternal(ctx context.Context, facts []byte) (map[string]interface{}, error) {
var err error
defer func() {
if r := recover(); r != nil {
err = fmt.Errorf("engine::run recovered from panic: %v", r)
}
}()
Debug("engine::run started")
e.Status = RUNNING
parsedFacts := gjson.ParseBytes(facts)
almanacInstance := NewAlmanac(parsedFacts, Options{
AllowUndefinedFacts: &e.AllowUndefinedFacts,
}, len(e.Rules))
e.Facts.Range(func(key string, f *Fact) bool {
if f.Dynamic {
f.Calculate(almanacInstance)
}
almanacInstance.AddFact(key, f)
return true
})
ctx, cancel := context.WithCancel(ctx)
defer cancel()
// Run Context
execCtx := &ExecutionContext{
Context: ctx,
Cancel: cancel,
}
orderedSets := e.PrioritizeRules()
for _, set := range orderedSets {
if err := e.EvaluateRules(set, almanacInstance, execCtx); err != nil {
return nil, err
}
if execCtx.StopEarly {
break
}
}
e.Status = FINISHED
Debug("engine::run completed")
ruleResults := almanacInstance.GetResults()
var results []*RuleResult
var failureResults []*RuleResult
// Safely dereference ruleResults before iterating
if ruleResults != nil {
for _, ruleResult := range ruleResults {
// Safely check if ruleResult.Result is not nil and true
if ruleResult.Result != nil && *ruleResult.Result {
results = append(results, &ruleResult)
} else {
failureResults = append(failureResults, &ruleResult)
}
}
}
return map[string]interface{}{
"almanac": almanacInstance,
"results": results,
"failureResults": failureResults,
"events": almanacInstance.GetEvents("success"),
"failureEvents": almanacInstance.GetEvents("failure"),
}, err
}