Okay, so I want to save a word in a char array but it gives me a error
Here's my code
#include <stdio.h>
#include <time.h>
#include <stdlib.h>
#include <string.h>
int main(void)
{
char yesno[30] = "n"; //yes/no answer
char class[30] = "undefined";//choosen class
int classchoosen = 0;
/* initialize random seed: */
srand ( time(NULL) );
printf("Welcome, which class do you wanna play with? \n");
printf("Type W for Warrior, M for Mage or R for Ranger. Then press Enter\n");
while(classchoosen == 0)
{
scanf("%s", class);
if(strcmp(class, "W") == 0)
{
classchoosen = 1;
class = "Warrior";
}
if(strcmp(class, "M") == 0)
{
classchoosen = 1;
class = "Mage";
}
if(strcmp(class, "R") == 0)
{
classchoosen = 1;
class = "Ranger";
}
if(classchoosen == 0)
{
class = "undefined";
}
printf("So you wanna play as a %s? Enter y/n", class);
classchoosen = 0; //For testing, remove later
}
while(1)
{
/* Irrelevant stuff */
}
}
And it gives me following errors:
damagecalc.c:44:13: error: expected identifier
class -> "warrior";
^
damagecalc.c:49:10: error: array type 'char [30]' is not assignable
class = "mage";
~~~~~ ^
damagecalc.c:54:10: error: array type 'char [30]' is not assignable
class = "ranger";
~~~~~ ^
damagecalc.c:58:10: error: array type 'char [30]' is not assignable
class = "warlock";
~~~~~ ^
4 errors generated.
I know I could just print out the class name just after the string comparison, but this thing is really bugging me and I want to know why it doesn't work.
PS: Please forgive me for any obvious mistakes I may do, I just got into PC programming recently after having worked on uC's for a couple of years.
Yes char
arrays are not assignable just as all arrays aren't. You should use strcpy
for example
strcpy(class, "Warrior");
and so on.
Also, you don't need to declare char class[30];
the longest string I see in your code is "undefined"
so
char class[10];
should be ok, 9
characters of "undefined"
+ 1 null terminating byte '\0'
.
And you should prevent buffer overflow with scanf
this way
scanf("%1s", class);
since you only want to read 1
character, also the comparison should be simpler just
if (class[0] == 'M')
strcpy(class, "Mage");
or even thsi would be more readable
classchosen = 1;
switch (class[0])
{
case 'M':
strcpy(class, "Mage");
break;
case 'R':
strcpy(class, "Ranger");
break;
case 'W':
strcpy(class, "Warrior");
break;
default:
classchosen = 0;
}
and finally check that scanf
actually succeeded, it returns the number of arguments matched so in your case a check would be like
if (scanf("%1s", class) == 1) ...
If you love us? You can donate to us via Paypal or buy me a coffee so we can maintain and grow! Thank you!
Donate Us With