1
    #include <iostream>
    using namespace std;

    class MyClass
    {
        private :
        char str[848];

        public :

        MyClass()
        {

        }

        MyClass(char a[])  
        {
            str[848] = a[848];
        }

        MyClass operator () (char a[])
        {
            str[848] = a[848];
        }

        void myFunction(MyClass m)
        {

        }

        void display()
        {
            cout << str[848];
        }
    };

    int main()
    {   
        MyClass m1;  //MyClass has just one data member i.e. character array named str of size X
                                //where X is a constant integer and have value equal to your last 3 digit of arid number
        MyClass m2("COVID-19") , m3("Mid2020");
        m2.display(); //will display COVID-19
        cout<<endl;
        m2.myFunction(m3);
        m2.display(); //now it will display Mid2020
        cout<<endl;
        m3.display(); //now it will display COVID-19
      //if your array size is even then you will add myEvenFn() in class with empty body else add myOddFn()
      return 0;    

    } 

我不能使用string,因为我被告知不要,因此,我需要知道如何使它显示所需的输出

4

2 回答 2

2

要复制字符串,您必须使用std::strcpy,而不是str[848] = a[848].

str[848] = a[848]只复制一个元素,但在你的情况下这是一个错误,因为你的数组有索引 [0, 847]。

尝试

class MyClass
{
    private :
    char str[848];

    public :

    MyClass()
    {

    }

    MyClass(char a[])  
    {
        std::strcpy(src, a);
    }

    MyClass operator () (char a[])
    {
        std::strcpy(src, a);
    }

    void myFunction(MyClass m)
    {

    }

    void display()
    {
        cout << str;
    }
};
于 2020-06-15T06:16:10.177 回答
2

如何char在构造函数中初始化数组?

  1. 使用循环逐个元素复制:
MyClass(char a[])  
{
    //make sure that sizeof(a) <= to sizeof(str);
    // you can not do sizeof(a) here, because it is
    // not an array, it has been decayed to a pointer

    for (int i = 0; i < sizeof(str); ++i) {
        str[i] = a[i];
    }
}
  1. 使用std::copy<algorithm>
const int size = 848;
std::copy(a, a + size, str); 

Prefer std::copyover strcpy,如果你必须使用strcpy,preferstrncpy代替。您可以为其指定大小,因此它可以帮助防止错误和缓冲区溢出。

MyClass(char a[])  
{
    strncpy(str, a, sizeof(str));
}
  1. std::array从图书馆使用。它有很多优点,例如您可以像普通变量一样直接分配它。例子:
std::array<char, 848> str = {/*some data*/};
std::array<char, 848> str1;
str1 = str;
于 2020-06-15T06:20:48.500 回答