2

我有一些(非 Grails 工件)类通过传递grailsApplication对象来访问服务层 bean。但是,我在对以这种方式实现的类进行单元测试时遇到了麻烦。为什么 bean 没有在主上下文中注册?

@TestMixin(GrailsUnitTestMixin)
class ExampleTests {
  void setUp() {}

  void tearDown() {}

  void testSomething() {
    defineBeans {
      myService(MyService)
    }

    assert grailsApplication.mainContext.getBean("myService") != null
  }
}

上面的代码失败了:

org.springframework.beans.factory.NoSuchBeanDefinitionException:没有定义名为“myService”的bean

我想要做的是通过 grailsApplication 从普通的旧 Java 类访问服务。这有效,但不适用于单元测试环境。我应该采取不同的做法吗?

class POJO {
  MyService myService;

  public POJO(GrailsApplication grailsApplication) {
    myService = (MyService) grailsApplication.getMainContext().getBean("myService");
  }
}
4

3 回答 3

9

答案是在GrailsUnitTestMixin包含你的 bean 的 applicationContext 中设置parentContextgrailsApplication

beans.registerBeans(applicationContext)

static void initGrailsApplication() {
...
//the setApplicationContext in DefaultGrailsApplication set's the parentContext
grailsApplication.applicationContext = applicationContext
}

所以你可以得到你的豆子:

defineBeans {
  myService(MyService)
}

assert applicationContext.getBean("myService")
assert grailsApplication.parentContext.getBean("myService")

编辑

今天我遇到了同样的问题,我的解决方案是:

@Before
void setup() {
  Holders.grailsApplication.mainContext.registerMockBean("myService", new MyService())
}
于 2012-11-23T17:23:23.850 回答
7

在我的情况下(grails 2.4.4),接受的解决方案不起作用,但为我指明了正确的方向,这条线改为工作,因为我的单元测试中 mainContext 中的 bean 工厂是OptimizedAutowireCapableBeanFactory

Holders.grailsApplication.mainContext.beanFactory.registerSingleton('myBean', new MyBeanClass())
于 2015-04-26T13:28:23.333 回答
2

我在同样的问题上花了一些时间,在我的情况下运行 grails 2.2.4 并具有(在 src/groovy 中):

import grails.util.Holders
class SomeClass {
  transient myService = Holders.grailsApplication.mainContext.getBean 'myService'
  .....
}

这与问题作者有点不同,但至少它对来自搜索引擎结果的人有用

尽管如此,接受的答案对我不起作用,所以我想出了一些不同的方法来模拟和注册 SomeClass 中使用的服务。

import grails.util.Holders
.. other imports
@TestMixin(GrailsUnitTestMixin)
class SomeClassTests {
    @Before
    void setUp() {
        Holders.grailsApplication = grailsApplication
        defineBeans {
            myService(MyServiceMock)
        }
    }
    ....
}

class MyServiceMock extends MyService {
  // overriden methods here
}
于 2015-02-25T14:35:45.507 回答