QString::arg()
当字符串在位置标记之后包含一个数字时,会出现问题。从QString::arg()
功能描述中不清楚在这种替换的情况下会发生什么:
QString("String for replacement %1234").arg("blah");
这会导致"String for replacement blah234"
or"String for replacement blah34"
吗?
我查看了 QT 的源代码来回答这个问题。看起来寻找地点标记的算法是“贪婪的”,并且在上面的例子中它会占用两个数字。
这是QString::arg()
(QT 4.8.4)内部使用的QT函数的来源:
static ArgEscapeData findArgEscapes(const QString &s)
{
const QChar *uc_begin = s.unicode();
const QChar *uc_end = uc_begin + s.length();
ArgEscapeData d;
d.min_escape = INT_MAX;
d.occurrences = 0;
d.escape_len = 0;
d.locale_occurrences = 0;
const QChar *c = uc_begin;
while (c != uc_end) {
while (c != uc_end && c->unicode() != '%')
++c;
if (c == uc_end)
break;
const QChar *escape_start = c;
if (++c == uc_end)
break;
bool locale_arg = false;
if (c->unicode() == 'L') {
locale_arg = true;
if (++c == uc_end)
break;
}
if (c->digitValue() == -1)
continue;
int escape = c->digitValue();
++c;
if (c != uc_end && c->digitValue() != -1) {
escape = (10 * escape) + c->digitValue();
++c;
}
if (escape > d.min_escape)
continue;
if (escape < d.min_escape) {
d.min_escape = escape;
d.occurrences = 0;
d.escape_len = 0;
d.locale_occurrences = 0;
}
++d.occurrences;
if (locale_arg)
++d.locale_occurrences;
d.escape_len += c - escape_start;
}
return d;
}
有没有比总是使用 2 位数字位置标记更好的方法来解决这种歧义?