Logo Questions Linux Laravel Mysql Ubuntu Git Menu
 

Error: Conversion to non-scalar type requested

Tags:

c

malloc

struct

I'm having a small problem trying to malloc this struct. Here is the code for the structure:

typedef struct stats {                  
    int strength;               
    int wisdom;                 
    int agility;                
} stats;

typedef struct inventory {
    int n_items;
    char **wepons;
    char **armor;
    char **potions;
    char **special;
} inventory;

typedef struct rooms {
    int n_monsters;
    int visited;
    struct rooms *nentry;
    struct rooms *sentry;
    struct rooms *wentry;
    struct rooms *eentry;
    struct monster *monsters;
} rooms;

typedef struct monster {
    int difficulty;
    char *name;
    char *type;
    int hp;
} monster;

typedef struct dungeon {
    char *name;
    int n_rooms;
    rooms *rm;
} dungeon;

typedef struct player {
    int maxhealth;
    int curhealth;
    int mana;
    char *class;
    char *condition;
    stats stats;
    rooms c_room;
} player;

typedef struct game_structure {
    player p1;
    dungeon d;
} game_structure;

And here is the code I'm having a problem with:

dungeon d1 = (dungeon) malloc(sizeof(dungeon));

It gives me the error "error: conversion to non-scalar type requested" Can someone help me understand why this is?

like image 348
atb Avatar asked Mar 05 '12 03:03

atb


2 Answers

You can't cast anything to a structure type. What I presume you meant to write is:

dungeon *d1 = (dungeon *)malloc(sizeof(dungeon));

But please don't cast the return value of malloc() in a C program.

dungeon *d1 = malloc(sizeof(dungeon));

Will work just fine and won't hide #include bugs from you.

like image 198
Carl Norum Avatar answered Oct 15 '22 03:10

Carl Norum


malloc returns a pointer, so probably what you want is the following:

dungeon* d1 = malloc(sizeof(dungeon));

Here is what malloc looks like:

void *malloc( size_t size );

As you can see it return void*, however you shouldn't cast the return value.

like image 2
Jesse Good Avatar answered Oct 15 '22 02:10

Jesse Good