我是Spring Boot的新手,我无法从Spring Boot的书中获得示例来工作。这是代码


  描述:
  
  Thomas.ChapterController中的构造函数的参数0需要一个类型为'Thomas.ChapterRepository'的bean,但找不到。
  
  行动:
  
  考虑在配置中定义类型为'Thomas.ChapterRepository'的bean。




package Thomas;
import lombok.Data;

import org.springframework.data.annotation.Id;
import org.springframework.data.mongodb.core.mapping.Document;

@Data
@Document
public class Chapter {

    @Id /*tells mongodb that this will be the primary key for Mongo Document */
    private String Id;
    private String name;

    public Chapter(String name) {
        this.name = name;
    }
}


ChapterRepository.java

package Thomas;

import org.springframework.data.repository.reactive.ReactiveCrudRepository;

public interface ChapterRepository extends ReactiveCrudRepository<Chapter, String> {
}


加载数据库

package Thomas;

import org.springframework.boot.CommandLineRunner;
import org.springframework.context.annotation.Bean;
import reactor.core.publisher.Flux;
import org.springframework.context.annotation.Configuration;

@Configuration /* Marks this class as a source of beans */
public class LoadDatabase {

    @Bean /* Indicates that the return value of init is a Spring Bean */
    CommandLineRunner init(ChapterRepository repository) {
        return args -> {
            Flux.just (
                    new Chapter("Quick Start With Java"),
                    new Chapter("Reactive Web With Spring Boot"),
                    new Chapter("...and More!"))
                    .flatMap(repository::save)
                    .subscribe(System.out::println);

        };
    }
}


ChapterController.java

package Thomas;

import reactor.core.publisher.Flux;

import org.springframework.web.bind.annotation.GetMapping;
import org.springframework.web.bind.annotation.RestController;

@RestController
public class ChapterController {

    private final ChapterRepository repository;

    public ChapterController(ChapterRepository repository)
    {
        this.repository = repository;
    }

    @GetMapping("/chapters")
    public Flux<Chapter> listing() {
        return repository.findAll();
    }
}


ThomasSpringApplication.java

package Thomas;

import org.springframework.boot.SpringApplication;
import org.springframework.boot.autoconfigure.SpringBootApplication;

@SpringBootApplication
public class ThomasSpringApplication {

    public static void main(String [] args) {
        SpringApplication.run(ThomasSpringApplication.class, args);
    }
}

最佳答案

弄清楚我在pom.xml中引入了错误的依赖项

关于java - Thomas.ChapterController中的构造函数的参数0需要一个类型为'Thomas.ChapterRepository'的bean,但找不到,我们在Stack Overflow上找到一个类似的问题:https://stackoverflow.com/questions/55026032/

10-12 17:28