Spring Boot提供了大量的注解来简化Spring应用的开发。下面我们将详细介绍一些最常用的Spring Boot注解。
一、核心注解
1. @SpringBootApplication
这是一个复合注解,用于标记应用的主类。它包含了以下三个注解:
@SpringBootConfiguration:等同于Spring的@Configuration,标明该类是配置类,并会把该类作为spring容器的源。
@EnableAutoConfiguration:启动自动配置,让Spring Boot根据类路径和定义的bean自动配置应用。
@ComponentScan:让Spring去扫描当前包及其子包下的类,并注册bean。
@SpringBootApplication public class Application { public static void main(String[] args) { SpringApplication.run(Application.class, args); } }
2. @Configuration
用于定义配置类,可替代XML配置文件。被注解的类内部包含有一个或多个被@Bean注解的方法,这些方法将会被AnnotationConfigApplicationContext或AnnotationConfigWebApplicationContext类进行扫描,并用于构建bean定义,初始化Spring容器。
@Configuration public class AppConfig { @Bean public MyService myService() { return new MyServiceImpl(); } }
二、Web开发相关注解
1. @RestController
这是一个复合注解,等同于@Controller
和@ResponseBody
的组合,表明这个类是一个全RESTful的控制器,不返回视图,只返回数据。
@RestController public class HelloController { @RequestMapping("/hello") public String hello() { return "Hello, World!"; } }
2. @RequestMapping
用于映射web请求,它有很多选项,包括指定HTTP方法、URL、请求参数、头部信息等。同时也有一些简化版的注解,如@GetMapping, @PostMapping, @PutMapping, @DeleteMapping。
@RequestMapping(value = "/users", method = RequestMethod.GET) public List<User> getUsers() { // ... }
3. @PathVariable
用于将请求URL中的模板变量映射到控制器处理方法的参数上。
@GetMapping("/users/{id}") public User getUser(@PathVariable String id) { // ... }
三、依赖注入相关注解
1. @Autowired
用于自动装配bean,可以用在构造器、属性、setter方法上。
@Autowired private MyService myService;
2. @Bean
用于声明一个bean,它会被Spring容器所管理。
@Bean public MyService myService() { return new MyServiceImpl(); }
3. @Component, @Service, @Repository, @Controller
这些注解用于定义bean,可以自动被Spring扫描和管理。其中,@Component
是通用注解,其他三个注解是具有特定语义的注解:
`
@Service`:用于标注业务层组件;
@Controller:用于标注控制层组件(如Spring MVC的控制器);
@Repository:用于标注数据访问组件,即DAO组件。
这只是Spring Boot中众多注解中的一部分,还有很多其他有用的注解,如@EnableConfigurationProperties, @Profile, @PropertySource等,你可以根据自己的需求进行学习和使用。希望这篇文章对你理解Spring Boot中的注解有所帮助。