您好,我正在 C/C++ 中创建各种解析器,这很简单我只想能够"(" and ")"
使用 C/C++ 从标签中获取字符串我知道逻辑就像查找第一个标签并在每个字符中增加一个数字直到找到下一个标签。但是我很烂,所以如果有人至少可以给我一个可以提供帮助的功能。
编辑:我看到 C/C++ 字符串函数完全不同,所以只有 C++ 可以。
您好,我正在 C/C++ 中创建各种解析器,这很简单我只想能够"(" and ")"
使用 C/C++ 从标签中获取字符串我知道逻辑就像查找第一个标签并在每个字符中增加一个数字直到找到下一个标签。但是我很烂,所以如果有人至少可以给我一个可以提供帮助的功能。
编辑:我看到 C/C++ 字符串函数完全不同,所以只有 C++ 可以。
您似乎不确定 C 和 C++ 中的字符串处理之间的区别。您的描述似乎暗示希望以 C 风格的方式进行。
void GetTag(const char *str, char *buffer)
{
buffer[0] = '\0';
char *y = &buffer[0];
const char *x = &str[0];
bool copy = false;
while (x != NULL)
{
if (*x == '(')
copy = true;
else if (*x == ')' && copy)
{
*y = '\0';
break;
}
else if (copy)
{
*y = *x;
y++;
}
++x;
}
}
或者,C++ 方法是使用更安全的 std::string ,因为它不会摆弄指针,并且可以说更容易阅读和理解。
std::string GetTag(const std::string &str)
{
std::string::size_type start = str.find('(');
if (start != str.npos)
{
std::string::size_type end = str.find(')', start + 1);
if (end != str.npos)
{
++start;
std::string::size_type count = end - start;
return str.substr(start, count);
}
}
return "";
}