我有一个需要获得多个cstrings的程序。我现在一次得到一个,然后询问你是否要输入另一个单词。我找不到任何简单的方法来获得一个输入,其中单词被划分为空格。即“一二三”并将输入保存在一串cstrings中。
typedef char cstring[20]; cstring myWords[50];
目前我正在尝试使用getline并将输入保存到cstring然后我尝试使用string.h库来操作它。这是正确的方法吗?怎么可能这样做?
答案 0 :(得分:2)
如果你真的必须使用c风格的字符串,你可以使用istream::getline
,strtok
和strcpy
函数:
typedef char cstring[20]; // are you sure that 20 chars will be enough?
cstring myWords[50];
char line[2048]; // what's the max length of line?
std::cin.getline(line, 2048);
int i = 0;
char* nextWord = strtok(line, " \t\r\n");
while (nextWord != NULL)
{
strcpy(myWords[i++], nextWord);
nextWord = strtok(NULL, " \t\r\n");
}
但更好的方法是使用std::string
,std::getline
,std::istringstream
和>>
运算符:
using namespace std;
vector<string> myWords;
string line;
if (getline(cin, line))
{
istringstream is(line);
string word;
while (is >> word)
myWords.push_back(word);
}
答案 1 :(得分:2)
std::vector<std::string> strings;
for (int i = 0; i < MAX_STRINGS && !cin.eof(); i++) {
std::string str;
std::cin >> str;
if (str.size())
strings.push_back(str);
}