我有一个测试类,它加载测试spring应用程序上下文,现在我想创建一个junit规则,它将在mongodb中设置一些测试数据。为此,我创建了一个规则类。
public class MongoRule<T> extends ExternalResource {
private MongoOperations mongoOperations;
private final String collectionName;
private final String file;
public MongoRule(MongoOperations mongoOperations, String file, String collectionName) {
this.mongoOperations = mongoOperations;
this.file = file;
this.collectionName = collectionName;
}
@Override
protected void before() throws Throwable {
String entitiesStr = FileUtils.getFileAsString(file);
List<T> entities = new ObjectMapper().readValue(entitiesStr, new TypeReference<List<T>>() {
});
entities.forEach((t) -> {
mongoOperations.save(t, collectionName);
});
}
}
现在我在测试类中使用这个规则,并传递mongoOperationsbean。
@RunWith(SpringJUnit4ClassRunner.class)
@ContextConfiguration(classes = SpringTestConfiguration.class)
public class TransactionResourceTest {
@Autowired
private ITransactionResource transactionResource;
@Autowired
private MongoOperations mongoOperations;
@Rule
public MongoRule<PaymentInstrument> paymentInstrumentMongoRule
= new MongoRule(mongoOperations, "paymentInstrument.js", "paymentInstrument");
....
}
问题是,Rule是在加载应用程序上下文之前执行的,因此mongoOperations引用被传递为null。有没有一种方法可以让规则在加载上下文后运行?
据我所知,你试图以这种直接的方式实现的目标是不可能的,因为:
- 该规则是在Spring的应用程序上下文之前实例化的
- SpringJUnit4ClassRunner不会尝试在规则的实例上注入任何内容
这里描述了一种替代方案:https://blog.jayway.com/2014/12/07/junit-rule-spring-caches/但我认为,就可以加载到mongodb中的内容而言,它还不够。
为了实现您想要实现的目标,您可能需要一个测试执行侦听器,该侦听器将在规则对象上注入您需要的任何依赖项。
这里有一个解决方案,使用一些抽象的超类:
@RunWith(SpringJUnit4ClassRunner.class)
@ContextConfiguration(classes = SpringTestConfiguration.class)
public abstract class AbstractTransactionResourceTest<T> {
@Autowired
private ITransactionResource transactionResource;
@Autowired
private MongoOperations mongoOperations;
@Before
public void setUpDb() {
String entitiesStr = FileUtils.getFileAsString(entityName() + ".js");
List<T> entities = new ObjectMapper().readValue(entitiesStr, new TypeReference<List<T>>() {});
entities.forEach((t) -> {
mongoOperations.save(t, entityName());
});
}
protected abstract String entityName();
}
然后
public class TransactionResourceTest extends AbstractTransactionResourceTest<PaymentInstrument> {
@Override
protected String entityName() {
return "paymentInstrument";
};
// ...
}