我正在尝试为我的项目定义一个Spring启动的架构
我要做的是创建一个从JpaRepository扩展的通用存储库
public interface BaseRepository<T, ID extends Serializable> extends JpaRepository<T, ID> {
}
之后,每个实体道将从BaseRepository扩展
@Repository
public interface AuthorityDao extends BaseRepository<Authority, Long> {
Authority findById(Long idRole);
Authority findByRoleName(String findByRoleName);
}
这就是我在存储库层的做法。在服务层,我创建了一个名为GenericService的类,它实现了IGenericService,并将我的BaseRepository注入其中:
@Service
public class GenericService<T, D extends Serializable> implements IGenericService<T, D> {
@Autowired
@Qualifier("UserDao")
private BaseRepository<T, D> baseRepository;
// implemented method from IGenericService
}
每个服务都将从GenericService扩展:
public class AuthorityService extends GenericService<Authority, Long> implements IAuthorityService {
@Autowired
GenericService<Authority, Long> genericService;
当我运行项目时,我收到这个错误:
申请未能开始
说明:
fr.java. service.iml.GenericService中的Field baseRepository需要一个找不到的fr.config.daogeneric.BaseRepository类型的bean。
操作:
考虑在您的配置中定义一个类型为“fr. config.daogeneric.BaseRepository”的bean。
我如何解决这个问题?
更新:
@SpringBootApplication
@EntityScan("fr.java.entities")
@ComponentScan("fr.java")
@EnableJpaRepositories("fr.java")
@EnableScheduling
@EnableAsync
@PropertySource({ "classpath:mail.properties", "classpath:ldap.properties" })
@EnableCaching
@RefreshScope
public class MainApplication extends SpringBootServletInitializer {
private static final Logger log = LoggerFactory.getLogger(MainApplication.class);
@Override
protected SpringApplicationBuilder configure(SpringApplicationBuilder application) {
return application.sources(MainApplication.class);
}
public static void main(String[] args) {
log.debug("Starting {} application...", "Java-back-end-java");
SpringApplication.run(MainApplication.class, args);
}
}
您遇到这个问题是因为您将GenericService
创建为bean并尝试注入BaseRepository
,但Spring无法做到这一点,因为不清楚BaseRepository
是由哪些类参数化的。
从我的角度来看,我可以建议你下一步做:首先你GenericService
不应该是一个bean,他所有的孩子都是bean,你应该删除在你的孩子类中注入GenericService
,他们已经扩展了它。你的GenericService应该是抽象的,它可以有抽象方法getRepository
,它将在GenericService
中使用,并且存储库的注入将在GenericService
子类中完成。
所以你应该有这样的东西:
public abstract class GenericService<T, D extends Serializable> implements IGenericService<T,D> {
abstract BaseRepository<T, D> getRepository();
}
@Service
public class AuthorityService extends GenericService<Authority, Long> implements IAuthorityService {
@Autowired
BaseRepository<Authority, Long> baseRepository;
public BaseRepository<Authority, Long> getRepository() {
retrurn baseRepository;
}
}