微信公众号搜"智元新知"关注
微信扫一扫可直接关注哦!

java – 如何使用bean中的属性格式化字符串

我想使用格式创建一个String,用bean中的属性替换格式的一些标记.是否有支持功能的库或者我是否必须创建自己的实现?

让我举一个例子来证明.说我有一个豆人;

public class Person {
  private String id;
  private String name;
  private String age;

  //getters and setters
}

我希望能够指定类似的格式字符串;

"{name} is {age} years old."
"Person id {id} is called {name}."

并使用bean中的值自动填充格式占位符,例如;

String format = "{name} is {age} old."
Person p = new Person(1,"Fred","32 years");
String formatted = doFormat(format,person); //returns "Fred is 32 years old."

我看过messageformat,但这似乎只允许我传递数字索引,而不是bean属性.

解决方法

滚动我自己,现在测试.欢迎评论.
import java.lang.reflect.Field;
import java.util.regex.Matcher;
import java.util.regex.Pattern;

public class BeanFormatter<E> {

  private Matcher matcher;
  private static final Pattern pattern = Pattern.compile("\\{(.+?)\\}");

  public BeanFormatter(String formatString) {
    this.matcher = pattern.matcher(formatString);
  }

  public String format(E bean) throws Exception {
    StringBuffer buffer = new StringBuffer();

    try {
      matcher.reset();
      while (matcher.find()) {
        String token = matcher.group(1);
        String value = getProperty(bean,token);
        matcher.appendReplacement(buffer,value);
      }
      matcher.appendTail(buffer);
    } catch (Exception ex) {
      throw new Exception("Error formatting bean " + bean.getClass() + " with format " + matcher.pattern().toString(),ex);
    }
    return buffer.toString();
  }

  private String getProperty(E bean,String token) throws SecurityException,NoSuchFieldException,IllegalArgumentException,illegalaccessexception {
    Field field = bean.getClass().getDeclaredField(token);
    field.setAccessible(true);
    return String.valueOf(field.get(bean));
  }

  public static void main(String[] args) throws Exception {
    String format = "{name} is {age} old.";
    Person p = new Person("Fred","32 years",1);

    BeanFormatter<Person> bf = new BeanFormatter<Person>(format);
    String s = bf.format(p);
    System.out.println(s);
  }

}

原文地址:https://www.jb51.cc/java/128551.html

版权声明:本文内容由互联网用户自发贡献,该文观点与技术仅代表作者本人。本站仅提供信息存储空间服务,不拥有所有权,不承担相关法律责任。如发现本站有涉嫌侵权/违法违规的内容, 请发送邮件至 dio@foxmail.com 举报,一经查实,本站将立刻删除。

相关推荐