将C#正则表达式转换为Java匹配器问题

时间:2019-03-08 11:23:04

标签: java regex matcher

public static String ReturnBetween(String heap, String startEx, String endEx, boolean include) {
        int startPos = 0;
        int endPos = heap.length();
        String starts = "";
        String ends = "";

        if (!startEx.equals("^")) {
            Pattern regexStart = Pattern.compile(startEx, Pattern.CASE_INSENSITIVE | Pattern.DOTALL);
            starts = regexStart.matcher(heap).toString();
            if (starts.equals("")) {
                startPos = -1;
            } else {
                startPos = heap.indexOf(starts);
            }
        }

        if (startPos == -1) {
            return "";
        }

        if (!endEx.equals("$")) {
            Pattern regexEnd = Pattern.compile(endEx, Pattern.CASE_INSENSITIVE | Pattern.DOTALL );
            ends = regexEnd.Match(heap, startPos + starts.length()).toString();
            if (ends.equals("")) {
                endPos = -1;
            } else {
                endPos = heap.indexOf(ends, startPos + starts.length());
            }
        }

        if (endPos == -1) {
            return "";
        }

        if (!include) {
            startPos += starts.length();
        }
        if (include) {
            endPos += ends.length();
        }

        String result = heap.substring(startPos, endPos);
        return result;
    }

这是一个c#函数,用于获取两个变量之间的字符串,我正尝试将其转换为Java函数,大部分已转换为Java代码。 我已经设法转换此功能。除了这部分:

  ends = regexEnd.Match(heap, startPos + starts.length()).toString();

1 个答案:

答案 0 :(得分:1)

您应该替换

ends = regexEnd.Match(heap, startPos + starts.length()).toString();

使用

Matcher m = regexEnd.matcher(heap);
if (m.find(startPos + starts.length())) {
  ends =  m.group();
}

重点是您需要声明一个匹配器,并使用您已经拥有(heap)的Pattern中的输入字符串(regexEnd)对其进行实例化。

然后,您使用.find(index)执行匹配器,其中index是搜索的起始位置。如果存在匹配项,则m.group()包含匹配值。