我试图获得一个干净的springboot maven multimodule项目。 我使用的是springboot 2.0.1.RELEASE
我想要实现的目标与此类似:SpringBootMultipleMavenModules
我遇到的问题是我希望能够在任何模块中注入我的依赖项。
例如,在此课程中:DBSeeder.java如下所示:
private HotelRepository hotelRepository;
public DbSeeder(HotelRepository hotelRepository){
this.hotelRepository = hotelRepository;
}
..
我想改用:
@Autowired
private HotelRepository hotelRepository;
Application类看起来如下:
@SpringBootApplication
@EnableJpaRepositories(basePackages = {"rc"})
@EntityScan(basePackages = {"rc"})
@ComponentScan(basePackages = {"rc"})
public class DemoApplication {
public static void main(String[] args) {
SpringApplication.run(DemoApplication.class, args);
}
}
任何可以将我与解决方案联系起来的想法都会受到欢迎。
答案 0 :(得分:1)
查看您的代码,您不能Autowire
Hotel
bean,因为它未正确注册。
您需要在@Component
添加Entity
才能将其注入https://github.com/IDCS1426/SpringBootMultipleMavenModules/blob/master/persistence/src/main/java/rc/persistence/DbSeeder.java#L21
此外,项目永远不会编译,因为您正在添加一个不存在的模块:https://github.com/IDCS1426/SpringBootMultipleMavenModules/blob/master/pom.xml#L14。你需要删除它:)。
说完所有这些之后,我对你试图注射getContext()
的方式非常奇怪,但这并不是这个问题的一部分。< / p>
通过这样做,代码编译得很好。
答案 1 :(得分:0)
工作解决方案可用here。实体中遗失了@Component
。
显然,bean不应该像在这里那样注入,而是实例化(例如marriot = new Hotel("Marriot", 5, true);
)并通过save
方法(或saveAll
为集合)持久化
仅为初始化注入实体是错误的,并且不会起作用: 每个酒店都将重复使用相同的实例。
@Autowired
private Hotel marriot, ibis, goldenTulip;
@Override
public void run(String... strings) throws Exception {
marriot.setName("Marriot");
marriot.setClassification(5);
marriot.setOpen(true);
ibis.setName("Ibis");
ibis.setClassification(3);
ibis.setOpen(false);
goldenTulip.setName("Golden Tulip");
goldenTulip.setClassification(4);
goldenTulip.setOpen(true);
List<Hotel> hotels = new ArrayList<>();
hotels.add(marriot);
hotels.add(ibis);
hotels.add(goldenTulip);
this.hotelRepository.saveAll(hotels);
}
将导致一个实体持续存在,因为所有3家酒店都是同一个实例。因此,http://localhost:8080/hotels将返回:
[{"id":1,"name":"Golden Tulip","classification":4,"open":true}]
虽然它是实例化的,
@Override
public void run(String... strings) throws Exception {
marriot = new Hotel("Marriot", 5, true);
ibis = new Hotel("Ibis", 3, false);
goldenTulip = new Hotel("Golden Tulip", 4, true);
List<Hotel> hotels = new ArrayList<>();
hotels.add(marriot);
hotels.add(ibis);
hotels.add(goldenTulip);
this.hotelRepository.saveAll(hotels);
}
它将返回3个实体:
[{"id":1,"name":"Marriot","classification":5,"open":true},{"id":2,"name":"Ibis","classification":3,"open":false},{"id":3,"name":"Golden Tulip","classification":4,"open":true}]
这正是我想在这里看到的,但忘了将@Component
添加到Entity类。一定不要那样做!
编辑: 尝试这个的原因是使用服务层:
public interface NoteService {
List<Note> loadAll();
}
@Service
public class NoteServiceImpl implements NoteService {
@Autowired
private NoteRepository noteRepository;
@Override
public List<Note> loadAll() {
return noteRepository.findAll();
}
}
最终在运行时失败,Note
不是托管bean。