Spring Expression Language 简明教程

Spring SpEL - Annotation Based Configuration

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

Syntax

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

@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;
}

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

Example

让我们更新在 Spring SpEL - Create Project 章节创建的项目。我们添加/更新了以下文件:

  1. Employee.java - 一个员工类。

  2. AppConfig.java - 一个配置类。

  3. 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);
   }
}

Output

[84, Mahesh, IN]