In order to fill a structure with integers (to then be passed on further in the program) I thought the following would work:
main() {
struct songs {int pitch[5], length[5];} songs[4];
int i[5]={1,22,23,14,52};
int k=0;
songs[0].pitch=i;
for (k=0; k<5; k++) printf("%d\n",songs[0].pitch[k]);
}
however this comes up with an error "incompatible types in assignment"
if I dont however pass this array to the structure, using the following:
main() {
int i[5]={1,22,23,14,52};
int k=0;
for (k=0; k<5; k++) printf("%d\n",i[k]);
}
it compiles and will display the content of the array.
I realise there is probably a simple fix to this, but any help would be brilliant!
Thanks in advance
C89 does not allow you to assign an array to another array. Here's the relevant bit from C99, but the text is much the same in C89 with the exception of the mention of the C99 only type
_Bool
. (I only have paper copies of C89)Arrays don't fit any of these conditions -- they aren't arithmetic types, they aren't of structure or union type, and they're not pointers1. Therefore you can't use the assignment operator on them.
You can, however, use
memcpy
. If you replace this line:with this line:
you'll get the behavior you expect. (After including
<string.h>
first of course)1 Technically speaking 6.3.2.1/3 says that the array is converted into an rvalue pointer before it is seen by
operator=
, but such an assignment is still prohibited because 6.5.16/2 requires that the left side of an assignment be an lvalue.