我正忙着使用JMX实施监控解决方案。我需要公开某些属性,这些属性主要是JMX客户端的计数器。我已经使用Spring来解决这个问题,但效果很好。
以下是我的MBean课程:
@Component
@ManagedResource(objectName="org.samples:type=Monitoring,name=Sample")
public class JmxMonitorServiceImpl implements JmxMonitorService {
private AtomicInteger counter = new AtomicInteger(0);
@Override
public int incrementCounter() {
return counter.incrementAndGet();
}
@ManagedAttribute(description="Current Counter value")
public int getCounter() {
return counter.intValue();
}
@Override
@ManagedOperation(description="Reset the Counter to Zero")
public void resetCounter() {
counter.set(0);
}
}
MBean属性按预期公开,所以我没有问题。我的问题出现在我想增加计数器的位置。
从上面的代码段中,您会看到“incrementCounter”方法上没有@ManagedOperation
注释。原因是我不想将它暴露给JMX客户端,只想在我的组件中使用它。
我能从多个组件中使用MBean的唯一方法是创建一个代理对象。在这里我也使用Spring,从下面的上下文中提取:
<bean id="jmxMonitorServiceProxy" class="org.springframework.jmx.access.MBeanProxyFactoryBean">
<property name="objectName" value="org.samples:type=Monitoring,name=Sample" />
<property name="proxyInterface" value="org.samples.monitoring.JmxMonitorService" />
</bean>
使用这个代理,我现在可以与我的MBean进行交互,但为了增加计数器,我需要在方法上加上@ManagedOperation
注释,否则我会得到一个异常
操作incrementCounter不在ModelMBeanInfo
中
如果这个MBean只在1个组件中使用,我可以克服这个问题,因为Spring也为我公开了实际的类实例,但是只要在多个组件中使用相同的MBean,它就会实例化它自己的实例。
所以经过长时间的解释:),我的问题是,如果通过代理公开这些敏感方法是跨组件使用MBean的唯一方法,还是有人可以指出我正确的方向?
期待回复:)
答案 0 :(得分:2)
将计数器移动到另一个bean并将其注入所有MBean实例中。