malloc,sizeof和strlen函数可能存在冲突吗?

时间:2017-06-28 09:33:10

标签: c malloc sizeof strlen

#include <stdio.h>
#include <stdlib.h>
#include <stdbool.h>
#include <string.h>

typedef struct _person
{
    char *fname;
    char *lname;
    bool isavailable;
}Person;


Person *getPersonInstance(void)
{
    Person *newPerson = (Person*) malloc(sizeof(Person));
    if(newPerson == NULL)
        return NULL;
    return newPerson;
}

void initializePerson(Person *person, char *fname, char *lname, bool isavailable)
{
    person->fname = (char*) malloc(strlen(fname)+1);
  /*problematic behaviour if i write: person->fname = (char*) malloc (sizeof(strlen(fname)+1)); */

    person->lname = (char*) malloc(strlen(lname)+1);
 /*problematic behaviour if i write: person->lname = (char*) malloc (sizeof(strlen(lname)+1)); */

    strcpy(person->fname,fname);
    strcpy(person->lname,lname);
    person->isavailable = isavailable;

    return;

}

// test code sample
int main(void)
{
    Person *p1 =getPersonInstance();
    if(p1 != NULL)
        initializePerson(p1, "Bronze", "Medal", 1);

    Person *p2 =getPersonInstance();
    if(p2 != NULL)
        initializePerson(p2, "Silver", "Medalion", 1);

    Person *p3 =getPersonInstance();
    if(p3 != NULL)
        initializePerson(p3, "Golden", "Section", 1);

    printf("item1=> %10s, %10s, %4u\n",p1->fname, p1->lname, p1->isavailable);
    printf("item2=> %10s, %10s, %4u\n",p2->fname, p2->lname, p2->isavailable);
    printf("item3=> %10s, %10s, %4u\n",p3->fname, p3->lname, p3->isavailable);

    return 0;
}

如果我使用:<< / p>,请在initializePerson()内

person->fname = (char*) malloc (sizeof(strlen(fname)+1));
person->lname = (char*) malloc (sizeof(strlen(lname)+1));

当启用这两个代码行而不是我在上面的源代码中使用的代码行时,我可能会在使用CodeBlocks IDE测试代码时遇到运行时错误。控制台很可能冻结并停止工作。如果我使用ubuntu终端测试代码,无论输入数据的大小如何,它都可以在任何一天都没有问题。

问题:(现在,假设我们正在使用前一段中的2段代码)我知道sizeof计算字节数,strlen会计算字符数,直到找到null ...但是在使用sizeof和strlen时在malloc()里面一起导致它们在后台发生冲突吗?什么似乎是问题?为什么代码有这种不稳定,不可靠的行为?为什么?

2 个答案:

答案 0 :(得分:5)

sizeof(strlen(fname)+1)没有任何意义。它给出了结果类型strlen的大小,它是一个4字节的整数。所以你最终分配的内存太少了。

使用此:

person->fname = malloc(strlen(fname)+1);

答案 1 :(得分:4)

sizeof计算其参数的存储大小(可能是类型的表达式,或者只是类型本身)。所以,仔细看看这里的论点是什么:

strlen(fname)+1

这是size_t类型的表达式。 sizeof将为您提供存储size_t所需的任意数量的字节(可能是4或8)。

想要的足够存储您的字符串,因此仅strlen()的版本是正确的。在另一种情况下,您只保留4或8个字节,然后写入您未分配的内存位置 - &gt; 未定义的行为

旁注:在C语言中明确不需要强制转换void *,并且被许多(但不是全部)C编码器认为是不好的做法。请参阅this classic quesion