0

这个程序应该输入某人的名字并像“Last, first middle”一样输出。这些名称应该存储在 3 个不同的数组中,它们是最后的全名的第四个数组。我还应该使用 strncpy 和 strncat 来构建第四个数组。我的问题是我不知道在这种情况下 strncpy 的用途以及如何使用它。我可以让程序说“第一个中间最后一个”,但不是正确的输出。我遇到的另一个问题是while循环应该允许用户说'q'或'Q'并退出程序但它不这样做

#include <iomanip>
#include <iostream>
#include <cctype>
using namespace std; 

int main()
{
char replay; //To hold Q for quit

const int SIZE = 51;
char firstName[SIZE]; // To hole first name
char middleName[SIZE]; // To hold middle name
char lastName[SIZE]; // To hold last name
char fullName[SIZE]; //To hold the full name
int count = 0;
int maxChars1;
int maxChars2;



cout << "Enter Q to quit or enter your first name of no more than " << (SIZE - 1)
     << " letters: ";
cin.getline(firstName, SIZE);

while(firstName[SIZE] != 'Q' || firstName[SIZE] != 'q')
{
cout << "\nEnter your middle name of no more than " << (SIZE - 1)
     << " letters: ";
cin.getline(middleName, SIZE);

cout << "\nEnter your last name of no more than " << (SIZE - 1)
     << " letters: ";
cin.getline(lastName, SIZE);

maxChars1 = sizeof(firstName) - (strlen(firstName) + 1);
strncat(firstName, middleName, maxChars1);

cout << firstName << endl;

maxChars2 = sizeof(lastName) - 1;
strncpy(firstName, lastName, maxChars2);
lastName[maxChars2] = '\0';

cout << lastName << endl;
    }

system("pause");
return 0;
}
4

1 回答 1

1

由于以下几个原因,您的 while 循环不起作用:

  • 您实际上是在查看firstName数组末尾的一个 ( firstName[SIZE]) 而不是第一个字符 ( firstName[0])。
  • 您没有检查以确保firstName只有一个字符qQ.
  • 您只在循环之前询问一次名字,而不是每个循环。

你的电话strncpy看起来不对。如所写,您将取姓氏并将其复制到firstName,从而破坏您刚刚在此处连接在一起的名字和中间名。就像@steve-jessop 所说,将全名组装在fullName.

您可能应该使用strncpy并且strncat因为这是一个人为的示例/练习,其中采用全名的缓冲区的大小受到限制,因此某些名称组合不适合,需要截断。

于 2013-04-23T17:17:11.130 回答