给定输入逗号分隔而不是空格的输入字符串,任务是使用C++解析此输入字符串。
首先,让我们了解如果输入字符串逗号分隔,它将产生什么不同。
输入一个由空格分隔的字符串
在C++中以空格分隔输入字符串非常容易。这样做的程序是:
C++
#include
using namespace std;
int main()
{
string str;
// Get the string
getline(cin, str);
// Print the words
cout << str;
}
CPP
// C++ program to input
// a comma separated string
#include
using namespace std;
int main()
{
// Get the string
string str = "11,21,31,41,51,61";
vector v;
// Get the string to be taken
// as input in stringstream
stringstream ss(str);
// Parse the string
for (int i; ss >> i;) {
v.push_back(i);
if (ss.peek() == ',')
ss.ignore();
}
// Print the words
for (size_t i = 0; i < v.size(); i++)
cout << v[i] << endl;
}
输入:
1 2 3 4 5 6
输出:
1
2
3
4
5
6
为什么我们不能将上面的代码用于逗号分隔的输入字符串?
上面的代码对于用空格分隔的输入字符串可以很好地工作,但是对于用逗号分隔的输入字符串,它不能按预期的方式工作,因为该程序会将完整的输入作为字符串的单个单词。
输入:
1, 2, 3, 4, 5, 6
输出:
1, 2, 3, 4, 5, 6
如何输入逗号分隔的字符串?
现在,为了输入逗号分隔的字符串,可以使用以下方法:
- 获取要作为字符串输入的字符串
- 从流中一个接一个地获取字符串的每个字符
- 检查此字符是否为逗号(’,’)。
- 如果是,则忽略该字符。
- 否则,将此字符插入存储单词的向量中
下面是上述方法的实现:
CPP
// C++ program to input
// a comma separated string
#include
using namespace std;
int main()
{
// Get the string
string str = "11,21,31,41,51,61";
vector v;
// Get the string to be taken
// as input in stringstream
stringstream ss(str);
// Parse the string
for (int i; ss >> i;) {
v.push_back(i);
if (ss.peek() == ',')
ss.ignore();
}
// Print the words
for (size_t i = 0; i < v.size(); i++)
cout << v[i] << endl;
}
输出:
11
21
31
41
51
61
想要从精选的最佳视频中学习和练习问题,请查看有关从基础到高级C++的C++基础课程以及有关语言和STL的C++ STL课程。要完成从学习语言到DS Algo等的更多准备工作,请参阅“完整面试准备课程” 。