6f6cd0fda07f3ee2d967eaaf1e59743712648a8c
[policy/drools-applications.git] /
1 /*-
2  * ============LICENSE_START=======================================================
3  * ONAP
4  * ================================================================================
5  * Copyright (C) 2021 AT&T Intellectual Property. All rights reserved.
6  * ================================================================================
7  * Licensed under the Apache License, Version 2.0 (the "License");
8  * you may not use this file except in compliance with the License.
9  * You may obtain a copy of the License at
10  *
11  *      http://www.apache.org/licenses/LICENSE-2.0
12  *
13  * Unless required by applicable law or agreed to in writing, software
14  * distributed under the License is distributed on an "AS IS" BASIS,
15  * WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied.
16  * See the License for the specific language governing permissions and
17  * limitations under the License.
18  * ============LICENSE_END=========================================================
19  */
20
21 package org.onap.policy.controlloop.eventmanager;
22
23 import java.util.ArrayDeque;
24 import java.util.Deque;
25 import java.util.LinkedHashMap;
26 import java.util.Map;
27 import java.util.UUID;
28 import lombok.AccessLevel;
29 import lombok.Getter;
30 import lombok.NonNull;
31 import lombok.Setter;
32 import lombok.ToString;
33 import org.drools.core.WorkingMemory;
34 import org.kie.api.runtime.rule.FactHandle;
35 import org.onap.policy.controlloop.ControlLoopException;
36 import org.onap.policy.controlloop.actorserviceprovider.OperationFinalResult;
37 import org.onap.policy.controlloop.actorserviceprovider.OperationOutcome;
38 import org.onap.policy.controlloop.actorserviceprovider.OperationResult;
39 import org.onap.policy.controlloop.actorserviceprovider.TargetType;
40 import org.onap.policy.controlloop.actorserviceprovider.parameters.ControlLoopOperationParams;
41 import org.onap.policy.controlloop.drl.legacy.ControlLoopParams;
42 import org.onap.policy.drools.domain.models.operational.ActorOperation;
43 import org.onap.policy.drools.domain.models.operational.Operation;
44 import org.onap.policy.drools.domain.models.operational.OperationalTarget;
45 import org.onap.policy.drools.system.PolicyEngine;
46 import org.onap.policy.drools.system.PolicyEngineConstants;
47 import org.slf4j.Logger;
48 import org.slf4j.LoggerFactory;
49
50 /**
51  * Manager for a single control loop event. Processing progresses through each policy,
52  * which involves at least one step. As a step is processed, additional preprocessor steps
53  * may be pushed onto the queue (e.g., locks, A&AI queries, guards).
54  */
55 @ToString(onlyExplicitlyIncluded = true)
56 public abstract class ClEventManagerWithSteps<T extends Step> extends ControlLoopEventManager implements StepContext {
57
58     private static final Logger logger = LoggerFactory.getLogger(ClEventManagerWithSteps.class);
59     private static final long serialVersionUID = -1216568161322872641L;
60
61     /**
62      * Maximum number of steps, for a single policy, allowed in the queue at a time. This
63      * prevents an infinite loop occurring with calls to {@link #loadPreprocessorSteps()}.
64      */
65     public static final int MAX_STEPS = 30;
66
67     public enum State {
68         LOAD_POLICY, POLICY_LOADED, AWAITING_OUTCOME, DONE
69     }
70
71     /**
72      * Request ID, as a String.
73      */
74     @Getter
75     private final String requestIdStr;
76
77     @Getter
78     @Setter
79     private State state;
80
81     /**
82      * {@code True} if the event has been accepted (i.e., an "ACTIVE" notification has
83      * been delivered), {@code false} otherwise.
84      */
85     @Getter
86     @Setter
87     private boolean accepted;
88
89     /**
90      * Queue of steps waiting to be performed.
91      */
92     @Getter
93     private final transient Deque<T> steps = new ArrayDeque<>(6);
94
95     /**
96      * Policy currently being processed.
97      */
98     @Getter(AccessLevel.PROTECTED)
99     private Operation policy;
100
101     /**
102      * Result of the last policy operation. This is just a place where the rules can store
103      * the value for passing to {@link #loadNextPolicy()}.
104      */
105     @Getter
106     @Setter
107     private OperationResult result = OperationResult.SUCCESS;
108
109     @Getter
110     @ToString.Include
111     private int numOnsets = 1;
112     @Getter
113     @ToString.Include
114     private int numAbatements = 0;
115
116     @Getter
117     private OperationFinalResult finalResult = null;
118
119     /**
120      * Message to be placed into the final notification. Typically used when something
121      * causes processing to abort.
122      */
123     @Getter
124     private String finalMessage = null;
125
126     private final transient WorkingMemory workMem;
127     private transient FactHandle factHandle;
128
129
130     /**
131      * Constructs the object.
132      *
133      * @param params control loop parameters
134      * @param requestId event request ID
135      * @param workMem working memory to update if this changes
136      * @throws ControlLoopException if the event is invalid or if a YAML processor cannot
137      *         be created
138      */
139     public ClEventManagerWithSteps(ControlLoopParams params, UUID requestId, WorkingMemory workMem)
140                     throws ControlLoopException {
141
142         super(params, requestId);
143
144         if (requestId == null) {
145             throw new ControlLoopException("No request ID");
146         }
147
148         this.workMem = workMem;
149         this.requestIdStr = getRequestId().toString();
150     }
151
152     @Override
153     public void destroy() {
154         for (T step : getSteps()) {
155             step.cancel();
156         }
157
158         super.destroy();
159     }
160
161     /**
162      * Starts the manager and loads the first policy.
163      *
164      * @throws ControlLoopException if the processor cannot get a policy
165      */
166     public void start() throws ControlLoopException {
167         if (!isActive()) {
168             throw new IllegalStateException("manager is no longer active");
169         }
170
171         if ((factHandle = workMem.getFactHandle(this)) == null) {
172             throw new IllegalStateException("manager is not in working memory");
173         }
174
175         if (!getSteps().isEmpty()) {
176             throw new IllegalStateException("manager already started");
177         }
178
179         loadPolicy();
180     }
181
182     /**
183      * Indicates that processing has been aborted.
184      *
185      * @param finalState final state
186      * @param finalResult final result
187      * @param finalMessage final message
188      */
189     public void abort(@NonNull State finalState, OperationFinalResult finalResult, String finalMessage) {
190         this.state = finalState;
191         this.finalResult = finalResult;
192         this.finalMessage = finalMessage;
193     }
194
195     /**
196      * Loads the next policy.
197      *
198      * @param lastResult result from the last policy
199      *
200      * @throws ControlLoopException if the processor cannot get a policy
201      */
202     public void loadNextPolicy(@NonNull OperationResult lastResult) throws ControlLoopException {
203         getProcessor().nextPolicyForResult(lastResult);
204         loadPolicy();
205     }
206
207     /**
208      * Loads the current policy.
209      *
210      * @throws ControlLoopException if the processor cannot get a policy
211      */
212     protected void loadPolicy() throws ControlLoopException {
213         if ((finalResult = getProcessor().checkIsCurrentPolicyFinal()) != null) {
214             // final policy - nothing more to do
215             return;
216         }
217
218         policy = getProcessor().getCurrentPolicy();
219
220         ActorOperation actor = policy.getActorOperation();
221
222         OperationalTarget target = actor.getTarget();
223         String targetType = (target != null ? target.getTargetType() : null);
224         Map<String, String> entityIds = (target != null ? target.getEntityIds() : null);
225
226         // convert policy payload from Map<String,String> to Map<String,Object>
227         Map<String, Object> payload = new LinkedHashMap<>();
228         if (actor.getPayload() != null) {
229             payload.putAll(actor.getPayload());
230         }
231
232         // @formatter:off
233         ControlLoopOperationParams params = ControlLoopOperationParams.builder()
234                         .actorService(getActorService())
235                         .actor(actor.getActor())
236                         .operation(actor.getOperation())
237                         .requestId(getRequestId())
238                         .executor(getExecutor())
239                         .retry(policy.getRetries())
240                         .timeoutSec(policy.getTimeout())
241                         .targetType(TargetType.toTargetType(targetType))
242                         .targetEntityIds(entityIds)
243                         .payload(payload)
244                         .startCallback(this::onStart)
245                         .completeCallback(this::onComplete)
246                         .build();
247         // @formatter:on
248
249         // load the policy's operation
250         loadPolicyStep(params);
251     }
252
253     /**
254      * Makes the step associated with the given parameters.
255      *
256      * @param params operation's parameters
257      * @return a new step
258      */
259     protected abstract void loadPolicyStep(ControlLoopOperationParams params);
260
261     /**
262      * Loads the preprocessor steps needed by the step that's at the front of the queue.
263      */
264     public void loadPreprocessorSteps() {
265         if (getSteps().size() >= MAX_STEPS) {
266             throw new IllegalStateException("too many steps");
267         }
268
269         // initialize the step so we can query its properties
270         getSteps().peek().init();
271     }
272
273     /**
274      * Executes the first step in the queue.
275      *
276      * @return {@code true} if the step was started, {@code false} if it is no longer
277      *         needed (or if the queue is empty)
278      */
279     public boolean executeStep() {
280         T step = getSteps().peek();
281         if (step == null) {
282             return false;
283         }
284
285         return step.start(getEndTimeMs() - System.currentTimeMillis());
286     }
287
288     /**
289      * Discards the current step, if any.
290      */
291     public void nextStep() {
292         getSteps().poll();
293     }
294
295     /**
296      * Delivers a notification to a topic.
297      *
298      * @param sinkName name of the topic sink
299      * @param notification notification to be published, or {@code null} if nothing is to
300      *        be published
301      * @param notificationType type of notification, used when logging error messages
302      * @param ruleName name of the rule doing the publishing
303      */
304     public <N> void deliver(String sinkName, N notification, String notificationType, String ruleName) {
305         try {
306             if (notification != null) {
307                 getPolicyEngineManager().deliver(sinkName, notification);
308             }
309
310         } catch (RuntimeException e) {
311             logger.warn("{}: {}.{}: manager={} exception publishing {}", getClosedLoopControlName(), getPolicyName(),
312                             ruleName, this, notificationType, e);
313         }
314     }
315
316     protected int bumpOffsets() {
317         return numOnsets++;
318     }
319
320     protected int bumpAbatements() {
321         return numAbatements++;
322     }
323
324     @Override
325     public void onStart(OperationOutcome outcome) {
326         super.onStart(outcome);
327         workMem.update(factHandle, this);
328     }
329
330     @Override
331     public void onComplete(OperationOutcome outcome) {
332         super.onComplete(outcome);
333         workMem.update(factHandle, this);
334     }
335
336     // these following methods may be overridden by junit tests
337
338     protected PolicyEngine getPolicyEngineManager() {
339         return PolicyEngineConstants.getManager();
340     }
341 }