incompatible types when assigning to type 'cha

2020-02-06 10:36发布

I'm trying to assign char* field to char* field, but get this error:

incompatible types when assigning to type 'char[128]' from type 'char *'

how can I fix this? and why is that happening?

    AddressItem_Callback_ContextType *context = (AddressItem_Callback_ContextType *)malloc(sizeof(AddressItem_Callback_ContextType));

   //check if icons need to be downloaded
   if (pEntity->cBigIcon[0] != 0){
      if (res_get(RES_BITMAP,RES_SKIN, pEntity->cBigIcon) == NULL){

          context->Icon = pEntity->cBigIcon;
          context->iID = pEntity->iID;

         res_download(RES_DOWNLOAD_IMAGE, pEntity->cBigIcon, NULL, "",TRUE, 1, addressItem_icon_download_callback, context );
      }
   }

declarations:

typedef struct
{
    int  iID;        //  POI Type ID
    int  iExternalPoiServiceID; // Service ID
    int  iExternalPoiProviderID; // Provider ID
    char cBigIcon[MAX_ICON_LENGHT];
    char cSmallIcon[MAX_ICON_LENGHT];
    char cBigPromotionIcon[MAX_ICON_LENGHT];
    char cSmallPromotionIcon[MAX_ICON_LENGHT];
    char cOnClickUrl[MAX_URL_LENGTH];
..
} RTExternalPoiType;

typedef struct
{
    int  iID;        //  POI Type ID
   //int  iExternalPoiServiceID; // Service ID
   // int  iExternalPoiProviderID; // Provider ID
    char Icon[MAX_ICON_LENGHT];
} AddressItem_Callback_ContextType;

标签: c syntax struct
2条回答
倾城 Initia
2楼-- · 2020-02-06 10:57

Array names are constant pointers you can not modify them. In this scenario Icon is a constant pointer and

            context->Icon = pEntity->cBigIcon;

here you are trying to modify it, which is not allowed.

Try this ..

strcpy(context->Icon,pEntity->cBigIcon);

查看更多
冷血范
3楼-- · 2020-02-06 11:13

You can't assign to arrays (as the error message states). Copy the strings instead:

snprintf(aStruct->member, sizeof(aStruct->member), "%s", someString);

Or, if you want to shoot yourself in the foot (prone to buffer overruns):

strcpy(aStruct->member, "the string");

Or, if you want to shoot yourself in the foot and not notice it (safe of buffer overruns, but doesn't NUL-terminate the string if too long):

strncpy(aStruct->member, "the string", sizeof(aStruct->member));
查看更多
登录 后发表回答