0

我正在尝试使用 QRegularExpression 获取不同捕获组中 xml 标记的所有属性。我使用与标签匹配的正则表达式,并设法获取包含属性值的捕获组,但使用量词,我只得到最后一个。

我使用这个正则表达式:

<[a-z]+(?: [a-z]+=("[^"]*"))*>

我想用这个文本得到“a”和“b”:

<p a="a" b="b">

这是代码:

const QString text { "<p a=\"a\" b=\"b\">" };
const QRegularExpression pattern { "<[a-z]+(?: [a-z]+=(\"[^\"]*\"))*>" };

QRegularExpressionMatchIterator it = pattern.globalMatch(text);
while (it.hasNext())
{
    const QRegularExpressionMatch match = it.next();

    qDebug() << "Match with" << match.lastCapturedIndex() + 1 << "captured groups";
    for (int i { 0 }; i <= match.lastCapturedIndex(); ++i)
        qDebug() << match.captured(i);
}

和输出:

Match with 2 captured groups
"<p a=\"a\" b=\"b\">"
"\"b\""

是否可以使用量词获取多个捕获组,*或者让我QRegularExpressionMatchIterator在字符串文字上使用特定的正则表达式进行迭代?

4

1 回答 1

1

此表达式可能会帮助您简单地捕获这些属性,并且它不受左右限制:

([A-z]+)(=\x22)([A-z]+)(\x22)

在此处输入图像描述

图形

此图显示了表达式的工作原理,如果您想知道,您可以在此链接中可视化其他表达式:

在此处输入图像描述


如果您想为它添加额外的边界,您可能想要这样做,您可以进一步扩展它,可能类似于

(?:^<p )?([A-z]+)(=\x22)([A-z]+)(\x22)

测试正则表达式

const regex = /(?:^<p )?([A-z]+)(=\x22)([A-z]+)(\x22)/gm;
const str = `<p attributeA="foo" attributeB="bar" attributeC="baz" attributeD="qux"></p>`;
let m;

while ((m = regex.exec(str)) !== null) {
    // This is necessary to avoid infinite loops with zero-width matches
    if (m.index === regex.lastIndex) {
        regex.lastIndex++;
    }
    
    // The result can be accessed through the `m`-variable.
    m.forEach((match, groupIndex) => {
        console.log(`Found match, group ${groupIndex}: ${match}`);
    });
}

于 2019-05-08T13:29:30.587 回答