web-dev-qa-db-ja.com

数字ではなく引数名でメッセージをフォーマットする方法は?

私のようなものがあります:

String text = "The user {0} has email address {1}."
// params = { "Robert", "[email protected]" }
String msg = MessageFormat.format(text, params);

翻訳者は{0}と{1}に何が入るかわからないこともあるので、これは私にとって素晴らしいことではありません。また、引数の順序を気にせずにメッセージを書き換えることができるのはいいことです。

引数を数字ではなく読みやすい名前に置き換えたいと思います。このようなもの:

String text = "The user {USERNAME} has email address {EMAILADDRESS}."
// Map map = new HashMap( ... [USERNAME="Robert", EMAILADDRESS="[email protected]"]
String msg = MessageFormat.format(text, map);

これを行う簡単な方法はありますか?

ありがとう!奪う

52
Robert Hume

これにはMapFormatを使用できます。詳細はこちらをご覧ください:

http://www.Java2s.com/Code/Java/I18N/AtextformatsimilartoMessageFormatbutusingstringratherthannumerickeys.htm

String text = "The user {name} has email address {email}.";
            Object[] params = { "nameRobert", "[email protected]" };
            Map map = new HashMap();
            map.put("name", "Robert");
            map.put("email", "[email protected]");

System.out.println("1st : " + MapFormat.format(text, map));

出力:1番目:ユーザーRobertのメールアドレスは[email protected]です。

29
GuruKulki

StrSubstitutor from org.Apache.commons.lang3

Map valuesMap = HashMap();
valuesMap.put("animal", "quick brown fox");
valuesMap.put("target", "lazy dog");
String templateString = "The ${animal} jumped over the ${target}.";
StrSubstitutor sub = new StrSubstitutor(valuesMap);
String resolvedString = sub.replace(templateString);

// resolvedString: "The quick brown fox jumped over the lazy dog."
17

自分で簡単に作成できます。これは私が使用するものです(main()関数はテストコード用です):

import Java.util.HashMap;
import Java.util.Map;
import Java.util.regex.Matcher;
import Java.util.regex.Pattern;

public class StringTemplate {
    final private String template;
    final private Matcher m;
    static final private Pattern keyPattern = 
        Pattern.compile("\\$\\{([a-zA-Z][a-zA-Z0-9_]*(\\.[a-zA-Z][a-zA-Z0-9_]*)*)\\}");
    private boolean blanknull=false;

    public StringTemplate(String template) { 
        this.template=template;
        this.m = keyPattern.matcher(template);
    }

    /**
     * @param map substitution map
     * @return substituted string
     */
    public String substitute(Map<String, ? extends Object> map)
    {
        this.m.reset();
        StringBuffer sb = new StringBuffer();
        while (this.m.find())
        {
            String k0 = this.m.group();
            String k = this.m.group(1);
            Object vobj = map.get(k);
            String v = (vobj == null) 
                ? (this.blanknull ? "" : k0)
                : vobj.toString();
            this.m.appendReplacement(sb, Matcher.quoteReplacement(v));
        }
        this.m.appendTail(sb);
        return sb.toString();       
    }

    public StringTemplate setBlankNull()
    {
        this.blanknull=true;
        return this;
    }

    static public void main(String[] args)
    {
        StringTemplate t1 = new StringTemplate("${this} is a ${test} of the ${foo} bar=${bar} ${emergency.broadcasting.system}");
        t1.setBlankNull();
        Map<String, String> m = new HashMap<String, String>();
        m.put("this", "*This*");
        m.put("test", "*TEST*");
        m.put("foo", "$$$aaa\\\\111");
        m.put("emergency.broadcasting.system", "EBS");
        System.out.println(t1.substitute(m));
    }
}
11
Jason S

あなたの質問は密接に関連しています: Java String のトークンのセットを置き換える方法) 速度 または別のテンプレートライブラリを使用できます。ただし、JavaにはMapリテラルの種類がないため、多少の痛みがあります。

2
kevin cline

答えが少し遅れることはわかっていますが、まだこの機能が必要な場合は、本格的なテンプレートエンジンをダウンロードする必要なく、 aleph-formatter (私は著者):

Student student = new Student("Andrei", 30, "Male");

String studStr = template("#{id}\tName: #{st.getName}, Age: #{st.getAge}, Gender: #{st.getGender}")
                    .arg("id", 10)
                    .arg("st", student)
                    .format();
System.out.println(studStr);

または、引数を連鎖できます:

String result = template("#{x} + #{y} = #{z}")
                    .args("x", 5, "y", 10, "z", 15)
                    .format();
System.out.println(result);

// Output: "5 + 10 = 15"

内部的には、StringBuilderを使用して機能し、式を「解析」して結果を作成します。文字列の連結はなく、正規表現/置換が実行されます。

2
Andrei Ciobanu
static final Pattern REPLACE_PATTERN = Pattern.compile("\\x24\\x7B([a-zA-Z][\\w\\x2E].*?)\\x7D");

/**
 * Check for unresolved environment
 *
 * @param str
 * @return Origin if all substitutions resolved
 */
public static String checkReplacement(String str) {
    Matcher matcher = REPLACE_PATTERN.matcher(str);
    if (matcher.find()) {
        throw LOG.getIllegalArgumentException("Environment variable '" + matcher.group(1) + "' is not defined");
    }
    return str;
}

// replace in str ${key} to value
public static String resolveReplacement(String str, Map<String, String> replacements) {
    Matcher matcher = REPLACE_PATTERN.matcher(str);
    while (matcher.find()) {
        String value = replacements.get(matcher.group(1));
        if (value != null) {
            str = matcher.replaceFirst(replaceWindowsSlash(value));
        }
    }
    return str;
}

ただし、すべての形式オプション(##。#など)を失う

1
GKislin