SpringBoot 使用lombok的@RequiredArgsConstructor注解进行Bean注入

参考资料:

  1. lombok 使用 @RequiredArgsConstructor 注解完成 spring 注入问题

一. 需求场景

⏹当我们使用@Autowired进行Bean注入的时候,IDEA会提示警告,不建议使用此方式进行注入。Spring官方更推荐使用构造方法进行注入。

⏹随之而来的问题就是如果一个类中要注入多个对象的话,构造方法进行注入的方式会显得代码很臃肿

import org.springframework.boot.CommandLineRunner;
import org.springframework.stereotype.Component;

@Component
public class ZTestController implements CommandLineRunner {
	
	// 支付宝支付
    private AliaPay aliaPay;
	
	// 京东支付
    private JingDongPay jingDongPay;
	
	// 使用构造方法进行注入(如果要注入多个对象会让构造器变得臃肿)
    @Autowired
    public ZTestController(AliaPay aliaPay, JingDongPay jingDongPay) {
        this.aliaPay = aliaPay;
        this.jingDongPay = jingDongPay;
    }

    @Override
    public void run(String... args) throws Exception {
		
		// 调用完成支付
        aliaPay.pay();
        jingDongPay.pay();
    }
}

二. 前期准备

⏹支付接口

public interface IPay {

    void pay();
}

各种支付方式

@Component
public class AliaPay implements IPay {

    @Override
    public void pay() {
        System.out.println("===发起支付宝支付===");
    }
}

@Component
public class JingDongPay implements IPay {

    @Override
    public void pay() {
        System.out.println("===发起京东支付===");
    }
}

@Component
public class WeixinPay implements IPay {

    @Override
    public void pay() {
        System.out.println("===发起微信支付===");
    }
}

二. @RequiredArgsConstructor注解

  • 该注解作用于类上
  • 标记为final的对象,会自动进行注入
  • 使用lombok@NonNull 注解标记的对象,会自动进行注入
import lombok.NonNull;
import lombok.RequiredArgsConstructor;

import org.springframework.boot.CommandLineRunner;
import org.springframework.stereotype.Component;

@Component
// 使用lombok的@RequiredArgsConstructor注解进行注入
@RequiredArgsConstructor
public class ZTestController implements CommandLineRunner {
	
	// 标记为final的,会自动进行注入
    private final AliaPay aliaPay;
	
	// 使用lombok的@NonNull注解标记的,会自动进行注入
    @NonNull
    private JingDongPay jingDongPay;
	
	// 未标记final或@NonNull,不会进行注入
    private WeixinPay weixinPay;

    @Override
    public void run(String... args) throws Exception {

        aliaPay.pay();

        jingDongPay.pay();

        if (weixinPay == null) {
            System.out.println("WeixinPay注入失败");
        }
    }
}

三. 效果

SpringBoot 使用lombok的@RequiredArgsConstructor注解进行Bean注入_第1张图片

你可能感兴趣的:(SpringBoot,spring,boot,spring)