我想创建一个用户输入几个名字的程序,然后选择一个随机名称。但是,我无法弄清楚如何获取字符串。我希望将每个字符串分配给一个int,然后选择一个int时,字符串也是如此。请帮帮我。
#include <iostream>
#include <ctime>
#include <cstdlib>
#include <string>
using namespace std;
void randName()
{
string name;//the name of the entered person
cout << "write the names of the people you want.";
cout << " When you are done, write done." << endl;
int hold = 0;//holds the value of the number of people that were entered
while(name!="done")
{
cin >> name;
hold ++;
}
srand(time(0));
rand()&hold;//calculates a random number
}
int main()
{
void randName();
system("PAUSE");
}
答案 0 :(得分:1)
您可以使用std::vector<std::string>
来存储名称,并将int作为索引。然后使用随机选择其中一个名称。
答案 1 :(得分:1)
你需要某种容器来存储你的名字。vector
是完美的。
std::string RandName()
{
std::string in;
std::vector<std::string> nameList;
cout << "write the names of the people you want.";
cout << " When you are done, write done." << endl;
cin >> in; // You'll want to do this first, otherwise the first entry could
// be "none", and it will add it to the list.
while(in != "done")
{
nameList.push_back(in);
cin >> in;
}
if (!nameList.empty())
{
srand(time(NULL)); // Don't see 0, you'll get the same entry every time.
int index = rand() % nameList.size() - 1; // Random in range of list;
return nameList[index];
}
return "";
}
如 billz 所述,您的main()
也存在问题。您希望调用您的函数,因此您不需要void
关键字。这个新函数也会返回一个字符串,这样它实际上很有用。
int main()
{
std::string myRandomName = randName();
system("PAUSE");
}