Spring -Data MongoDB问题,字段是一个接口
我正在使用Spring-Data for MongoDB:
版本信息 - org.mongodb.mongo-java-driver version 2.10.1, org.springframework.data.spring-data-mongodb version 1.2.1.RELEASE.
我有一个类似于这里定义的案例,即(抱歉格式...):
我刚刚开始用spring-data-mongodb在Java中开发一些应用程序,并遇到了一些我无法解决的问题:
我有几个像这样的文档豆:
@Document(collection="myBeanBar")
public class BarImpl implements Bar {
String id;
Foo foo;
// More fields and methods ...
}
@Document
public class FooImpl implements Foo {
String id;
String someField;
// some more fields and methods ...
}
我有一个存储库类,其中包含一个方法,该方法只是调用类似于以下内容的查找:
public List<? extends Bar> findByFooField(final String fieldValue) {
Query query = Query.query(Criteria.where("foo.someField").is(fieldValue));
return getMongoOperations().find(query, BarImpl.class);
}
保存一个 Bar 工作得很好,它会将其与 Foo 和 Bar 的“_class”属性一起保存在 mongo 中。但是,在 Foo 中查找某个属性会引发如下异常:
Exception in thread "main" java.lang.IllegalArgumentException: No
property someField found on test.Foo!
at org.springframework.data.mapping.context.AbstractMappingContext.getPersistentPropertyPath(AbstractMappingContext.java:225)
at org.springframework.data.mongodb.core.convert.QueryMapper.getPath(QueryMapper.java:202)
at org.springframework.data.mongodb.core.convert.QueryMapper.getTargetProperty(QueryMapper.java:190)
at org.springframework.data.mongodb.core.convert.QueryMapper.getMappedObject(QueryMapper.java:86)
at org.springframework.data.mongodb.core.MongoTemplate.doFind(MongoTemplate.java:1336)
at org.springframework.data.mongodb.core.MongoTemplate.doFind(MongoTemplate.java:1322)
at org.springframework.data.mongodb.core.MongoTemplate.find(MongoTemplate.java:495)
at org.springframework.data.mongodb.core.MongoTemplate.find(MongoTemplate.java:486)
给出的解决方案是在抽象类上使用@TypeAlias注释,它告诉框架使用特定的实现(在本例中为FooImpl)。
在我的情况下,我有接口成员,而不是抽象成员:
@Document(collection="myBeanBar")
public class BarImpl implements Bar {
String id;
IFoo foo;
// More fields and methods ...
}
我非常不愿意在接口IFoo上放置一个注释来给出默认实现,而是我想告诉框架这个字段在实现BarImpl类的上下文中的默认实现是什么,类似于@JsonTypeInfo:
@Document(collection="myBeanBar")
public class BarImpl implements Bar {
String id;
@JsonTypeInfo(use = Id.CLASS, defaultImpl = FooImpl.class)
IFoo foo;
// More fields and methods ...
}
我找到了这个答案,它或多或少地说要避免使用接口。但我很高兴知道如果没有更好的选择。
有什么想法吗?
谢谢!