0

我正在用正则表达式解析 Java 中的一些文本

我有看起来像这样的字符串:myAttribute="some text",并像这样解析它们

Pattern attributePattern = Pattern.compile("[a-z0-9]*=\"[^\"]*\"");

但是,我意识到人们可能希望在其属性值中使用双引号。

例如 myAttribute="some text with a double quote \" here"

如何调整我的正则表达式来处理这个

这是我解析属性的代码

private HashMap<String, String> findAttributes(String macroAttributes) {
    Matcher matcher = attributePattern.matcher(macroAttributes);
    HashMap<String, String> map = new HashMap<String, String>();
    while (matcher.find()) {
        String attribute = macroAttributes.substring(matcher.start(), matcher.end());
        int equalsIndex = attribute.indexOf("=");
        String attrName = attribute.substring(0, equalsIndex);
        String attrValue = attribute.substring(equalsIndex+2, attribute.length()-1);
        map.put(attrName, attrValue);
    }
    return map;
}

findAttributes("my=\"some text with a double quote \\\" here\"");

应该返回一个大小为 1 的地图值应该是一些带有双引号 \" 的文本这里

4

2 回答 2

1

您可以为此使用交替和积极的后向断言

Pattern attributePattern = Pattern.compile("[a-z0-9]*=\"(?:[^\"]*|(?<=\\\\)\")*\"");

(?:[^\"]*|(?<=\\\\)\")*是一个交替,匹配[^\"]*或者(?<=\\\\)\"

(?<=\\\\)\"匹配一个“,但前提是它前面有一个反冲。

于 2013-03-04T10:10:03.263 回答
1

您可以使用否定的外观来查看引号之前是否有反斜杠,但如果反斜杠本身也可以转义,则失败:

myAttribute="some text with a trailing backslash \\"

如果可能,请尝试以下操作:

Pattern.compile("[a-zA-Z0-9]+=\"([^\"\\\\]|\\\\[\"\\\\])*\"")

快速解释:

[a-zA-Z0-9]+     # the key
=                # a literal '='
\"               # a literal '"'
(                # start group
  [^\"\\\\]      #   any char except '\' and '"'
  |              #   OR
  \\\\[\"\\\\]   # either '\\' or '\"'
)*               # end group and repeat zero or more times
\"               # a literal '"'

快速演示:

public class Main {

    private static HashMap<String, String> findAttributes(Pattern p, String macroAttributes) {
        Matcher matcher = p.matcher(macroAttributes);
        HashMap<String, String> map = new HashMap<String, String>();
        while (matcher.find()) {
            map.put(matcher.group(1), matcher.group(2));
        }
        return map;
    }

    public static void main(String[] args) {
        final String text = "my=\"some text with a double quote \\\" here\"";
        System.out.println(findAttributes(Pattern.compile("([a-z0-9]+)=\"((?:[^\"\\\\]|\\\\[\"\\\\])*)\""), text));
        System.out.println(findAttributes(Pattern.compile("([a-z0-9]*)=\"((?:[^\"]*|(?<=\\\\)\")*)\""), text));
    }
}

将打印:

{my=some text with a double quote \" here}
{my=一些带双引号的文本 \}
于 2013-03-04T10:47:28.393 回答