What is the equivalent of Regex-replace-with-funct

2019-01-09 12:17发布

问题:

I'm looking for a very simple way of getting the equivalent of something like the following JavaScript code. That is, for each match I would like to call a certain transformation function and use the result as the replacement value.

var res = "Hello World!".replace(/\S+/, function (word) {
    // Since this function represents a transformation,
    // replacing literal strings (as with replaceAll) are not a viable solution.
    return "" + word.length;
})
// res => "5 6"

Only .. in Java. And, preferably as a "single method" or "template" that can be reused.

回答1:

Your answer is in the Matcher#appendReplacement documentation. Just put your function call in the while loop.

[The appendReplacement method] is intended to be used in a loop together with the appendTail and find methods. The following code, for example, writes one dog two dogs in the yard to the standard-output stream:

Pattern p = Pattern.compile("cat");
Matcher m = p.matcher("one cat two cats in the yard");
StringBuffer sb = new StringBuffer();
while (m.find()) {
    m.appendReplacement(sb, "dog");
}
m.appendTail(sb);
System.out.println(sb.toString());


回答2:

When allowing Java 8 you can use Lambda-Expressions, to have a JavaScript like replace:

String result = StringReplacer.replace("Hello World!", Pattern.compile("\\S+"), (Matcher m) -> {
    return "" + m.group().length();
});

StringReplacer.java:

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

public class StringReplacer {
    public static String replace(String input, Pattern regex, StringReplacerCallback callback) {
        StringBuffer resultString = new StringBuffer();
        Matcher regexMatcher = regex.matcher(input);
        while (regexMatcher.find()) {
            regexMatcher.appendReplacement(resultString, callback.replace(regexMatcher));
        }
        regexMatcher.appendTail(resultString);

        return resultString.toString();
    }
}

StringReplacerCallback.java:

import java.util.regex.Matcher;

public interface StringReplacerCallback {
    public String replace(Matcher match);
}

Source: http://www.whitebyte.info/programming/string-replace-with-callback-in-java-like-in-javascript



回答3:

Not sure what your precise requirements are but something like this could work:

String res = "";
for (String piece : "hello world".split(" "))
  res += Integer.toString(piece.length()) + " ";

Of course there are other ways to write that, and tweaks that can be made depending on requirements (e.g. use a more accurate delimiter than a space).

For a precise implementation of your snippet, you could use e.g. StreamTokenizer with a StringReader and some wrappers to parse out the delimiters and insert them between the counts.