ctime()返回一个字符串,为什么我们不需要释放()这个字符串的内存?

bybem2ql  于 2023-11-16  发布在  其他
关注(0)|答案(3)|浏览(162)

函数ctime的原型是

char *ctime(const time_t *timep);

字符串
正如我们所看到的,它返回一个字符串。但是,在哪里包含刺?
以及为什么我们不应该释放字符串的内存
这是示例代码将得到大量的错误消息

char *p;
p = ctime(...);
...
free(p);

  • 检测到glibc * ./a.out:free():无效指针:0x 00007 f0 b365 b4 e60 *
wpx232ag

wpx232ag1#

它返回一个指向static缓冲区的指针,并且不能是free() d。来自man ctime
四个函数asctime()、ctime()、gmtime()和localtime()返回指向静态数据的指针,因此不是线程安全的。
C99标准第7.23.3.2节ctime函数 * 指出调用ctime(timer)函数等效于asctime(localtime(timer)),而asctime()实现(如同一文档所示)等效于:

char *asctime(const struct tm *timeptr)
{
    static const char wday_name[7][3] = {
        "Sun", "Mon", "Tue", "Wed", "Thu", "Fri", "Sat"
    };

    static const char mon_name[12][3] = {
        "Jan", "Feb", "Mar", "Apr", "May", "Jun",
        "Jul", "Aug", "Sep", "Oct", "Nov", "Dec"
    };

    static char result[26];
    sprintf(result,
            "%.3s %.3s%3d %.2d:%.2d:%.2d %d\n",
            wday_name[timeptr->tm_wday],
            mon_name[timeptr->tm_mon],
            timeptr->tm_mday, timeptr->tm_hour,
            timeptr->tm_min, timeptr->tm_sec,
            1900 + timeptr->tm_year);

    return result;
}

字符串
传递给free()的参数必须是通过调用malloc()calloc()realloc()返回的指针,否则行为未定义。

bxgwgixi

bxgwgixi2#

它指向静态数据,没有被malloc。

pbpqsu0x

pbpqsu0x3#

您的指针p没有动态分配malloccalloc,所以您没有要求heap memoryfreed
你的p只是一个普通的指针,指向一些以前分配的内存(所以对你来说可用)。
你给予给ctime()的变量应该在其他地方创建,该变量的创建者是借用给你的指针p的资源的所有者,所以你的指针只是一个observer,而不是一个resource owner,所以没有什么可以从你的指针中释放出来。

相关问题