Java 替换 ${} 中的参数

引言

在 Java 开发中,我们经常会遇到需要替换字符串中的参数的情况。例如,当我们需要将一段文本模板中的占位符替换成实际的数值或者变量时,就需要使用参数替换功能。Java 提供了多种方法来实现这个功能,本文将介绍其中常用的方法,并附带代码示例。

字符串拼接

最简单的替换参数的方法是使用字符串拼接。我们可以通过使用加号 + 将字符串和参数拼接在一起。例如:

String name = "Alice";
String message = "Hello, " + name + "!";

System.out.println(message);

输出结果为:

Hello, Alice!

这种方法非常简单,适用于只有一个或者少量参数的情况。然而,当参数较多时,使用字符串拼接会显得冗长并且容易出错。此外,字符串拼接也不适用于多语言环境下的国际化处理,因为每个语言的文本模板可能有所不同。

字符串格式化

Java 提供了 String.format 方法来进行字符串格式化,以替代字符串拼接。该方法的用法类似于 C 语言中的 printf 函数。我们可以使用占位符 %s 表示字符串参数,并通过参数列表传递实际的值。例如:

String name = "Bob";
String message = String.format("Hello, %s!", name);

System.out.println(message);

输出结果为:

Hello, Bob!

String.format 方法支持多种占位符,例如 %d 表示整数,%f 表示浮点数等。我们可以根据实际需要选择合适的占位符。此外,我们还可以通过指定参数的索引来对参数进行定位,以解决参数顺序不一致的问题。例如:

String name = "Charlie";
int age = 25;
String message = String.format("My name is %1$s and I am %2$d years old.", name, age);

System.out.println(message);

输出结果为:

My name is Charlie and I am 25 years old.

这种方法在参数较多时非常有用,并且支持多语言处理,因为我们可以根据不同的语言环境提供不同的格式化模板。

正则表达式替换

当我们需要替换字符串中的多个参数时,使用正则表达式替换可能是更好的选择。Java 中的 String.replaceAll 方法可以接受一个正则表达式作为匹配模式,并用指定的替换字符串替换匹配的部分。我们可以使用 ${} 来表示参数的占位符,并通过正则表达式匹配并替换这些占位符。例如:

import java.util.regex.Matcher;
import java.util.regex.Pattern;

String template = "Hello, ${name}! You are ${age} years old.";
String name = "David";
int age = 30;

Pattern pattern = Pattern.compile("\\$\\{([^}]+)\\}");
Matcher matcher = pattern.matcher(template);
StringBuffer buffer = new StringBuffer();

while (matcher.find()) {
    String placeholder = matcher.group(1);
    String replacement;
    
    switch (placeholder) {
        case "name":
            replacement = name;
            break;
        case "age":
            replacement = String.valueOf(age);
            break;
        default:
            replacement = "";
    }
    
    matcher.appendReplacement(buffer, replacement);
}

matcher.appendTail(buffer);
String message = buffer.toString();

System.out.println(message);

输出结果为:

Hello, David! You are 30 years old.

这种方法非常灵活,可以替换任意数量的参数,并且可以在替换过程中进行逻辑判断。然而,由于使用了正则表达式,性能可能不如其他方法。

字符串模板引擎

如果我们需要在大量文本模板中进行参数替换,并且希望能够更方便地管理模板,那么使用字符串模板引擎可能是更好的选择。Java 中有许多优秀的字符串模板引擎可供选择,例如 [FreeMarker](