qstring如何获取双引号间的内容
时间: 2024-09-23 09:09:18 浏览: 32
QString和char以及string之间的赋值详解
5星 · 资源好评率100%
QString是一个Qt库中的字符串类,在C++中,如果你想从包含双引号(")的QString中提取内容,特别是如果该内容本身也包含了引号作为文本的一部分,你需要特别注意解析。如果你直接尝试使用`.`或`[]`访问,它可能会遇到困扰。
通常的做法是使用`QString::arg()`函数,或者使用`substr()`和正则表达式。例如:
```cpp
// 如果你知道确切的位置
QString str = "这是一个 \"包含双引号\" 的字符串";
QString content = str.mid(str.indexOf("\"") + 1, str.indexOf("\"", str.indexOf("\"") + 1) - str.indexOf("\"") - 1);
// 或者使用find()和多次substring()
int startQuoteIndex = str.indexOf("\"");
if (startQuoteIndex != -1) {
int endQuoteIndex = str.indexOf("\"", startQuoteIndex + 1);
if (endQuoteIndex != -1) {
content = str.mid(startQuoteIndex + 1, endQuoteIndex - startQuoteIndex - 1);
}
}
// 使用正则表达式更安全,避免嵌套引号的问题
QRegExp regex("\"([^\"]*)\"");
QMatch match = regex.match(str);
if (match.hasMatch()) {
content = match.captured(1);
}
```
这里的关键点是找到开始和结束的引号位置,并确保它们之间没有其他成对的引号导致错误。
阅读全文