Changing log level and properties from HAC is often used by developers for various support things. Unfortunately on SAP
Commerce Cloud (CCv2) there is no more such possibility, as HAC is not available on storefront nodes.
Due to HAC can not be enabled on all CCv2 node types a new infrastructure must be implemented to add possibility of
changing log levels and properties from backoffice node on other nodes. For that can be used Spring Event system and
OOTB SAP Commerce ClusterAwareEvent, which allows to publish events across all nodes.
Firstly we need to define ChangeLogLevelEvent and ChangeConfigValueEvent and create corresponding implementations
of AbstractEventListener to handle these events. In most cases both types of events should be executed only on some
types of nodes (only storefront nodes etc.), so some abstract event should be created to limit execution on some types
of nodes:
packagecom.blog.event;importde.hybris.platform.servicelayer.event.ClusterAwareEvent;importde.hybris.platform.servicelayer.event.PublishEventContext;importde.hybris.platform.servicelayer.event.events.AbstractEvent;importorg.apache.commons.collections4.CollectionUtils;importorg.apache.commons.lang3.StringUtils;importorg.slf4j.Logger;importorg.slf4j.LoggerFactory;publicabstractclassAbstractAspectAwareEventextendsAbstractEventimplementsClusterAwareEvent{privatestaticfinalLoggerLOG=LoggerFactory.getLogger(AbstractAspectAwareEvent.class);protectedStringtargetNodeGroups;@OverridepublicbooleancanPublish(PublishEventContextpublishEventContext){if(StringUtils.isEmpty(targetNodeGroups)||CollectionUtils.isEmpty(publishEventContext.getTargetNodeGroups())){//broadcast from all to all cluster nodesLOG.info("Broadcast from all to all cluster nodes");returntrue;}booleancanPublish=CollectionUtils.containsAny(publishEventContext.getTargetNodeGroups(),targetNodeGroups.split(","));LOG.info("Event canPublish: "+canPublish+"/n for nodeGroups: "+targetNodeGroups+"/n and targetNodeGroups: "+publishEventContext.getTargetNodeGroups());returncanPublish;}publicabstractbooleanvalidateRequiredFields();publicvoidsetTargetNodeGroups(StringtargetNodeGroups){this.targetNodeGroups=targetNodeGroups;}}
Now could be defined ChangeLogLevelEvent class, which is a specific event type that extends the base event
class AbstractAspectAwareEvent. It’s designed to handle events related to changing log levels for specific loggers.
This class provides fields for specifying the target logger and the desired log level and implements a method to
validate that these fields are not empty when processing the event.:
ChangeLogLevelEventListener class extends AbstractEventListener and is responsible for handling events of
type ChangeLogLevelEvent. When such an event is received, it triggers a change in the log level for a specified
logger. The class dynamically configures and updates the logger configurations based on the event, allowing for runtime
adjustments to logging behavior. The main idea of implementation was taken from HacLog4JFacade#changeLogLevel.
packagecom.blog.event;importde.hybris.platform.servicelayer.event.impl.AbstractEventListener;importde.hybris.platform.util.logging.log4j2.HybrisLoggerContext;importorg.apache.logging.log4j.LogManager;importorg.apache.logging.log4j.core.config.AppenderRef;importorg.apache.logging.log4j.core.config.Configuration;importorg.apache.logging.log4j.core.config.LoggerConfig;importorg.slf4j.Logger;importorg.slf4j.LoggerFactory;publicclassChangeLogLevelEventListenerextendsAbstractEventListener<ChangeLogLevelEvent>{privatestaticfinalLoggerLOG=LoggerFactory.getLogger(ChangeLogLevelEventListener.class);@OverrideprotectedvoidonEvent(ChangeLogLevelEventevent){changeLogLevel(event.getTargetLogger(),event.getLevelName());}privatevoidchangeLogLevel(StringtargetLogger,StringlevelName){LoggerConfigconfig=this.getOrCreateLoggerConfigFor(fromPresentationFormat(targetLogger));org.apache.logging.log4j.Levellevel=org.apache.logging.log4j.Level.getLevel(levelName);LOG.info("Changing level of "+config+" from "+config.getLevel()+" to "+level);config.setLevel(level);this.getLoggerContext().updateLoggers();}privateLoggerConfiggetOrCreateLoggerConfigFor(StringloggerName){Configurationconfiguration=this.getLoggerContext().getConfiguration();LoggerConfigexistingConfig=configuration.getLoggerConfig(loggerName);if(existingConfig.getName().equals(loggerName)){returnexistingConfig;}else{LOG.info("Creating logger "+loggerName);LoggerConfigrootLoggerConfig=configuration.getRootLogger();LoggerConfignewLoggerConfig=LoggerConfig.createLogger(true,rootLoggerConfig.getLevel(),loggerName,String.valueOf(rootLoggerConfig.isIncludeLocation()),rootLoggerConfig.getAppenderRefs().toArray(newAppenderRef[0]),null,configuration,rootLoggerConfig.getFilter());rootLoggerConfig.getAppenders().forEach((k,v)->rootLoggerConfig.addAppender(v,null,null));configuration.addLogger(loggerName,newLoggerConfig);returnnewLoggerConfig;}}privateHybrisLoggerContextgetLoggerContext(){return(HybrisLoggerContext)LogManager.getContext(false);}privatestaticStringfromPresentationFormat(Stringname){return"root".equals(name)?"":name;}}
In the same way would be implemented ChangeConfigValueEvent. This class is another specific event type that extends
the base event class AbstractAspectAwareEvent. It represents an event where the configuration value for a specified
key is intended to be changed. The class includes fields for specifying the key and value to be updated and implements a
method to validate that these fields are not empty when processing the event.:
ChangeConfigValueEventListener class is an event listener designed to handle events of ChangeConfigValueEvent. When
such an event is received, it updates or creates configuration properties based on the key-value pair provided in the
event. This class utilizes the Hybris ConfigurationService to manage configuration properties:
Using groovy script is not always convenient, so it could be more reasonable to create some UI in HAC or backoffice. In
case of HAC could be followed instruction
from help SAP Commerce
to create a new tab in HAC with additional functionality.
Below is Spring MVC controller, which could be used for HAC UI implementation. It handles HTTP requests mapped to the "
/clusteraware" path with 2 main methods:
getEvents this method handles GET requests to “/clusteraware/events” and adds a list of cluster events obtained from
hacAspectAwareEventsFacade to pass it in JSP. It then returns the view name “clusterAwareEvents” for rendering.
publishEvent this method handles POST requests to “/clusteraware/publish-event” with JSON content. It publishes an
event using the hacAspectAwareEventsFacade and returns a JSON response indicating the success or failure of the event
publication.
packagede.hybris.platform.hac.controller;importcom.blog.facades.reflection.ClassData;importcom.blog.facade.HacAspectAwareEventsFacade;importorg.springframework.stereotype.Controller;importorg.springframework.ui.Model;importorg.springframework.web.bind.annotation.RequestBody;importorg.springframework.web.bind.annotation.RequestMapping;importorg.springframework.web.bind.annotation.RequestMethod;importorg.springframework.web.bind.annotation.ResponseBody;importjavax.annotation.Resource;importjava.util.HashMap;importjava.util.Map;@Controller@RequestMapping({"/clusteraware"})publicclassHacClusterAwareEventController{@ResourceprivateHacAspectAwareEventsFacadehacAspectAwareEventsFacade;@RequestMapping({"/events"})publicStringgetEvents(Modelmodel){model.addAttribute("clusterEventDataList",hacAspectAwareEventsFacade.getEvents());return"clusterAwareEvents";}@RequestMapping(value={"/publish-event"},method={RequestMethod.POST},headers={"Accept=application/json"})@ResponseBodypublicMap<String,Object>publishEvent(@RequestBodyClassDataeventClassData){Map<String,Object>result=newHashMap<>();if(hacAspectAwareEventsFacade.publishEvent(eventClassData)){result.put("success",true);returnresult;}result.put("success",false);result.put("errorMessage","An error happened. Event hasn't been published. See the logs for more details.");returnresult;}}
And regular beans definitions for DTOs from Controller:
In Controller is used DefaultHacAspectAwareEventsFacade which implements the HacAspectAwareEventsFacade interface.
It retrieves a list of classes that extend AbstractAspectAwareEvent through reflection and converts them into a list
of ClassData objects.
The publishEvent method converts a ClassData object into an instance of an AbstractAspectAwareEvent class using
reflection with method handles and publishes this event using the EventService.
packagecom.blog.facade.impl;importcom.blog.event.AbstractAspectAwareEvent;importcom.loopintegration.core.util.MethodHandleUtils;importcom.blog.facades.reflection.ClassData;importcom.blog.facades.reflection.FieldData;importcom.blog.facade.HacAspectAwareEventsFacade;importde.hybris.platform.servicelayer.event.EventService;importorg.apache.el.util.ReflectionUtil;importorg.reflections.Reflections;importorg.slf4j.Logger;importorg.slf4j.LoggerFactory;importjavax.annotation.Resource;importjava.lang.reflect.Constructor;importjava.lang.reflect.Field;importjava.lang.reflect.InvocationTargetException;importjava.util.ArrayList;importjava.util.List;importjava.util.Set;publicclassDefaultHacAspectAwareEventsFacadeimplementsHacAspectAwareEventsFacade{privatestaticfinalLoggerLOG=LoggerFactory.getLogger(DefaultHacAspectAwareEventsFacade.class);@ResourceprivateEventServiceeventService;@OverridepublicList<ClassData>getEvents(){Reflectionsreflections=newReflections("com.blog");Set<Class<?extendsAbstractAspectAwareEvent>>eventClasses=reflections.getSubTypesOf(AbstractAspectAwareEvent.class);List<ClassData>clusterEventDataList=newArrayList<>();for(Class<?extendsAbstractAspectAwareEvent>eventClass:eventClasses){ClassDataclassData=convertToClassData(eventClass);List<FieldData>fieldDataList=convertToFieldDataList(eventClass.getDeclaredFields());classData.setFields(fieldDataList);clusterEventDataList.add(classData);}returnclusterEventDataList;}privatestaticClassDataconvertToClassData(Class<?extendsAbstractAspectAwareEvent>eventClass){ClassDataclassData=newClassData();classData.setName(eventClass.getName());classData.setSimpleName(eventClass.getSimpleName());returnclassData;}@OverridepublicbooleanpublishEvent(ClassDataclassData){AbstractAspectAwareEventevent=convertToEvent(classData);if(event==null||!event.validateRequiredFields()){returnfalse;}eventService.publishEvent(event);returntrue;}privateAbstractAspectAwareEventconvertToEvent(ClassDataclassData){try{Constructor<?>constructor=ReflectionUtil.forName(classData.getName()).getConstructor();AbstractAspectAwareEventevent=(AbstractAspectAwareEvent)constructor.newInstance();for(FieldDatafield:classData.getFields()){MethodHandleUtils.invokeSetterMethod(event,field.getName(),field.getValue());}returnevent;}catch(NoSuchMethodExceptione){LOG.error("Event should have constructor without arguments!",e);}catch(ClassNotFoundException|InvocationTargetException|InstantiationException|IllegalAccessExceptione){LOG.error("An error happened during event creation!",e);}returnnull;}privateList<FieldData>convertToFieldDataList(Field[]declaredFields){List<FieldData>fieldDataList=newArrayList<>();for(Fieldfield:declaredFields){fieldDataList.add(createFieldData(field.getName()));}returnfieldDataList;}privateFieldDatacreateFieldData(Stringname){FieldDatafieldData=newFieldData();fieldData.setName(name);returnfieldData;}}
Mainly for implementation is used reflections library, which is bundled in platform, but there are several utility
methods for converting between different data structures and handling event creation and validation, which should be
implemented additionally. Also JSP and JS files must be written according to desired UI to complete integration with
HAC.