Spring SpEL - 基于 XML 的配置


SpEL 表达式可用于基于 XML 的 bean 配置

句法

以下是在 xml 配置中使用表达式的示例。

<bean id="randomNumberGenerator" class="com.tutorialspoint.RandomNumberGenerator">
   <property name="randomNumber" value="#{ T(java.lang.Math).random() * 100.0 }"/>
</bean> 

这里我们指定了一个要使用 Math.random() 方法填充的属性。对于类,其名称应该是完全限定的。我们也可以使用系统变量以及使用systemProperties。它是一个内置变量。

<property name="country" value="#{ systemProperties['user.country'] }"/>

我们还可以使用另一个带有 SpEL 表达式的 bean,如下所示:

<property name="id" value="#{ randomNumberGenerator.randomNumber }"/>

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

例子

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

  • RandomNumberGenerator.java - 随机数生成器类。

  • Employee.java - 员工类。

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

  • applicationcontext.xml - beans 配置文件。

这是RandomNumberGenerator.java文件的内容-

package com.tutorialspoint;
public class RandomNumberGenerator {
   private int randomNumber;
   public int getRandomNumber() {
      return randomNumber;
   } 
   public void setRandomNumber(int randomNumber) {
      this.randomNumber = randomNumber;
   }
}

这是Employee.java文件的内容-

package com.tutorialspoint;

public class Employee {
   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;
   }
   public void setName(String name) {
      this.name = name;
   }
   public String getCountry() {
      return country;
   }
   public void setCountry(String country) {
      this.country = country;
   }
   @Override
   public String toString() {
      return "[" + id + ", " + name + ", " + country + "]";
   }
}

这是MainApp.java文件的内容-

package com.tutorialspoint;

import org.springframework.context.ApplicationContext;
import org.springframework.context.support.ClassPathXmlApplicationContext;

public class MainApp {
   public static void main(String[] args) {
      ApplicationContext applicationContext = new ClassPathXmlApplicationContext("applicationcontext.xml");
      Employee employee = (Employee) applicationContext.getBean("employee");
      System.out.println(employee);
   }
}

这是applicationcontext.xml文件的内容-

<?xml version="1.0" encoding="UTF-8"?> <beans xmlns="http://www.springframework.org/schema/beans"  
   xmlns:xsi="http://www.w3.org/2001/XMLSchema-instance" 
   xsi:schemaLocation="http://www.springframework.org/schema/beans   
   http://www.springframework.org/schema/beans/spring-beans-3.0.xsd"> 

   <bean id="randomNumberGenerator" class="com.tutorialspoint.RandomNumberGenerator">
      <property name="randomNumber" value="#{ T(java.lang.Math).random() * 100.0 }"/>
   </bean> 
   <bean id="employee" class="com.tutorialspoint.Employee">
      <property name="id" value="#{ randomNumberGenerator.randomNumber }"/>
      <property name="country" value="#{ systemProperties['user.country'] }"/>
      <property name="name" value="Mahesh"/>
   </bean> 
</beans> 

输出

[84, Mahesh, IN]