4

我正在尝试为类调用创建一个构造函数,其中 4 个数组作为参数传递。我试过使用*,&, 和数组本身;但是,当我将参数中的值分配给类中的变量时,出现此错误:

 call.cpp: In constructor ‘call::call(int*, int*, char*, char*)’:
 call.cpp:4:15: error: incompatible types in assignment of ‘int*’ to ‘int [8]’
 call.cpp:5:16: error: incompatible types in assignment of ‘int*’ to ‘int [8]’
 call.cpp:6:16: error: incompatible types in assignment of ‘char*’ to ‘char [14]’
 call.cpp:7:16: error: incompatible types in assignment of ‘char*’ to ‘char [14]’  

感谢您帮助我找出我的错误并帮助我纠正它。这是我的代码:

.h 文件

#ifndef call_h
#define call_h
class call{
private:
    int FROMNU[8]; 
    int DESTNUM[8];
    char INITIME[14]; 
    char ENDTIME[14];

public:
    call(int *,int *,char *,char *);
};
#endif

.cpp 文件

call:: call(int FROMNU[8],int DESTNUM[8],char INITIME[14],char ENDTIME[14]){
    this->FROMNU=FROMNU;
    this->DESTNUM=DESTNUM;
    this->INITIME=INITIME;
    this->ENDTIME=ENDTIME;
}
4

3 回答 3

4

原始数组是不可分配的,通​​常难以处理。但是您可以在 a 中放置一个数组struct,然后对其进行分配或初始化。本质上就是这样std::array

例如你可以做

typedef std::array<int, 8>   num_t;
typedef std::array<char, 14> time_t;

class call_t
{
private:
    num_t    from_;
    num_t    dest_;
    time_t   init_;
    time_t   end_;

public:
    call_t(
        num_t const&     from,
        num_t const&     dest,
        time_t const&    init,
        time_t const&    end
        )
        : from_t( from ), dest_( dest ), init_( init ), end_( end )
    {}
};

但这仍然缺乏一些必要的抽象,因此它只是一种技术解决方案。

为了改进事情,考虑一下例如num_t真的是什么。也许是电话号码?然后这样建模。

还可以考虑使用标准库容器,并且对于,std::vector的数组。charstd::string

于 2013-02-18T00:58:22.640 回答
1

在 C++ 中可以将原始数组作为参数传递。

考虑以下代码:

template<size_t array_size>
void f(char (&a)[array_size])
{
    size_t size_of_a = sizeof(a); // size_of_a is 8
}

int main()
{
    char a[8];
    f(a);
}
于 2013-02-18T01:06:30.730 回答
0

在 C/C++ 中,您不能通过这样做来分配数组,this->FROMNU=FROMNU;因此您的方法将不起作用,并且是您错误的一半。

另一半是您尝试将指针分配给数组。即使您将数组传递给函数,它们也会衰减为指向第一个元素的指针,尽管您在定义中说了什么。

于 2013-02-18T00:58:47.793 回答