Spring SpEL - 基于注解的配置

SpEL 表达式可以在基于注解的 bean 配置中使用


语法

以下是在基于注解的配置中使用表达式的示例。

@Value("#{ T(java.lang.Math).random() * 100.0 }")
private int id;

在这里,我们使用@Value 注解,并在属性上指定了 SpEL 表达式。 同样,我们也可以在 setter 方法、构造函数和自动装配期间指定 SpEL 表达式。

实例


@Value("#{ systemProperties['user.country'] }")
public void setCountry(String country) {
   this.country = country;
}

以下示例显示了各种用例。


示例

让我们更新在 Spring SpEL - 创建项目 章节中创建的项目。 我们正在添加/更新以下文件 −

  • Employee.java − An employee class.

  • AppConfig.java − A configuration class.

  • MainApp.java − 要运行和测试的主应用程序。

这是 Employee.java 文件的内容 −

实例


package com.tutorialspoint;

import org.springframework.beans.factory.annotation.Value;
import org.springframework.stereotype.Component;

@Component
public class Employee {
   @Value("#{ T(java.lang.Math).random() * 100.0 }")
   private int id;
   private String name;	
   private String country;

   public int getId() {
      return id;
   }
   public void setId(int id) {
      this.id = id;
   }
   public String getName() {
      return name;
   }
   @Value("Mahesh")
   public void setName(String name) {
      this.name = name;
   }
   public String getCountry() {
      return country;
   }
   @Value("#{ systemProperties['user.country'] }")
   public void setCountry(String country) {
      this.country = country;
   }
   @Override
   public String toString() {
      return "[" + id + ", " + name + ", " + country + "]";
   }
}

这是 AppConfig.java 文件的内容 −

实例


package com.tutorialspoint;

import org.springframework.context.annotation.ComponentScan;
import org.springframework.context.annotation.Configuration;

@Configuration
@ComponentScan(basePackages = "com.tutorialspoint")
public class AppConfig {
}

这是 MainApp.java 文件的内容 −

实例


package com.tutorialspoint;

import org.springframework.context.annotation.AnnotationConfigApplicationContext;

public class MainApp {
   public static void main(String[] args) {
      AnnotationConfigApplicationContext context = new AnnotationConfigApplicationContext();
      context.register(AppConfig.class);
      context.refresh();

      Employee emp = context.getBean(Employee.class);
      System.out.println(emp);	   
   }
}

输出

[84, Mahesh, IN]