我需要为会话范围(例如ServletScopes.SESSION)创建提供程序,但是在对象构造后(例如添加侦听器)还要执行一项额外的操作。第一个主意-扩展ServletScopes.SESSION并覆盖某些方法,但是不幸的是ServletScopes.SESSION是对象,而不是类。那么,如何在不从ServletScopes复制粘贴代码的情况下获得此类提供程序?

最佳答案

首先创建一个注释:

import java.lang.annotation.Retention;
import java.lang.annotation.Target;

import static java.lang.annotation.ElementType.METHOD;
import static java.lang.annotation.ElementType.TYPE;
import static java.lang.annotation.RetentionPolicy.RUNTIME;

@Target({TYPE, METHOD})
@Retention(RUNTIME)
public @interface AfterInjectionListener
{
}


然后,使用注释对实现方法`afterInjection()'的每个类进行注释,并将此绑定添加到您的Guice模块之一:

bindListener(Matchers.any(), new TypeListener()
{
  @Override
  public <I> void hear(TypeLiteral<I> typeLiteral, TypeEncounter<I> iTypeEncounter)
  {
    if (typeLiteral.getRawType().isAnnotationPresent(AfterInjectionListener.class))
    {
      logger.debug("adding injection listener {}", typeLiteral);
      iTypeEncounter.register(new InjectionListener<I>()
      {
        @Override
        public void afterInjection(I i)
        {
          try
          {
            logger.debug("after injection {}", i);
            i.getClass().getMethod("afterInjection").invoke(i);
          } catch (NoSuchMethodException e)
          {
            logger.trace("no such method", e);
          } catch (Exception e)
          {
            logger.debug("error after guice injection", e);
          }
        }
      });
    }
  }
});


afterInjection()方法内放置一个断点,在调试模式下运行应用程序,并检查注入后是否调用了该方法。

07-24 09:20