0

首先,我只想说,我知道对 HTML 使用正则表达式是个坏主意。我只是用它来获取<img>标签信息,所以我不关心嵌套等。

话虽如此,我正在尝试获取src网页中所有图像的 URL。但是,我似乎只得到第一个结果。是我的正则表达式,还是我使用它的方式?我的正则表达式技能有点生疏,所以我可能会遗漏一些明显的东西。

QRegExp imgTagRegex("(<img.*>)+", Qt::CaseInsensitive); //Grab the entire <img> tag
imgTagRegex.setMinimal(true);
imgTagRegex.indexIn(pDocument);
QStringList imgTagList = imgTagRegex.capturedTexts();
imgTagList.removeFirst();   //the first is always the total captured text

foreach (QString imgTag, imgTagList) //now we want to get the source URL
{
    QRegExp urlRegex("src=\"(.*)\"", Qt::CaseInsensitive);
    urlRegex.setMinimal(true);
    urlRegex.indexIn(imgTag);
    QStringList resultList = urlRegex.capturedTexts();
    resultList.removeFirst();
    imageUrls.append(resultList.first());
}

当我点击foreach循环时,imgTagList它只包含 1 个字符串。对于“古埃及的猫”维基百科页面,它包含:

<img alt="" src="//upload.wikimedia.org/wikipedia/commons/thumb/1/13/Egypte_louvre_058.jpg/220px-Egypte_louvre_058.jpg" width="220" height="407" class="thumbimage" srcset="//upload.wikimedia.org/wikipedia/commons/thumb/1/13/Egypte_louvre_058.jpg/330px-Egypte_louvre_058.jpg 1.5x, //upload.wikimedia.org/wikipedia/commons/1/13/Egypte_louvre_058.jpg 2x" />

这就是我想要的,但我知道页面上有更多的图像标签......任何想法为什么我只得到第一个回来?


更新

在 Sebastian Lange 的帮助下,我能够做到这一点:

QRegExp imgTagRegex("<img.*src=\"(.*)\".*>", Qt::CaseInsensitive);
imgTagRegex.setMinimal(true);
QStringList urlMatches;
QStringList imgMatches;
int offset = 0;
while(offset >= 0)
{
    offset = imgTagRegex.indexIn(pDocument, offset);
    offset += imgTagRegex.matchedLength();

    QString imgTag = imgTagRegex.cap(0);
    if (!imgTag.isEmpty())
        imgMatches.append(imgTag); // Should hold complete img tag

    QString url = imgTagRegex.cap(1);
    if (!url.isEmpty())
    {
        url = url.split("\"").first(); //ehhh....
        if (!urlMatches.contains(url))
            urlMatches.append(url); // Should hold only src property
    }
}

最后split是摆脱<img>标签中非 src 元素的一种 hacky 方式,因为看起来我无法仅获取src="..."段内的数据。它可以工作,但这只是因为我无法以正确的方式进行工作。我还添加了一些东西来标准化

4

1 回答 1

1

QRegExp 通常只给出一个匹配。列表 captureTexts() 给出了这一匹配的所有捕获!一个正则表达式语句中可以有多个捕获括号。要解决您的问题,您需要执行以下操作:

QRegExp imgTagRegex("\\<img[^\\>]*src\\s*=\\s*\"([^\"]*)\"[^\\>]*\\>", Qt::CaseInsensitive);
imgTagRegex.setMinimal(true);
QStringList urlmatches;
QStringList imgmatches;
int offset = 0;
while( (offset = imgTagRegex.indexIn(pDocument, offset)) != -1){
    offset += imgTagRegex.matchedLength();
    imgmatches.append(imgTagRegex.cap(0)); // Should hold complete img tag
    urlmatches.append(imgTagRegex.cap(1)); // Should hold only src property
}

编辑:将捕获 RegExpression 更改为"\\<img[^\\>]*src=\"([^\"]*)\"[^\\>]*\\>" EDIT2:在 src 字符串中添加了可能的空格:"\\<img[^\\>]*src\\s*=\\s*\"([^\"]*)\"[^\\>]*\\>"

于 2013-07-17T05:53:22.050 回答