当我编译下面的短代码时(我们定义一个字符串,然后使用strdup来复制),我得到3个警告:gcc的2个编译器警告和valgrind的1个运行时警告/错误。
我怀疑内存泄漏错误(由valgrind报告)也与我使用strdup有关,这就是我在下面包含相关输出的原因。
我做错什么了?(我正在研究一本C语言的书,这就是作者使用strdup的方式。)
代码:

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

int main(int argc, char* argv[])
{
  char *string1 = "I love lamp";
  char *string2;

  string2 = strdup(string1);

  printf("Here's string 1: %s\n"
     "Here's string 2: %s\n",
     string1, string2);

  return 0;
}

警告/输出:
dchaudh@dchaudhUbuntu:~/workspaceC/LearnCHW/Ex17_StructsPointers$ make test
cc -std=c99    test.c   -o test
test.c: In function ‘main’:
test.c:9:3: warning: implicit declaration of function ‘strdup’ [-Wimplicit-function-declaration]
   string2 = strdup(string1);
   ^
test.c:9:11: warning: assignment makes pointer from integer without a cast [enabled by default]
   string2 = strdup(string1);
           ^
dchaudh@dchaudhUbuntu:~/workspaceC/LearnCHW/Ex17_StructsPointers$ valgrind --track-origins=yes --leak-check=full ./test
==3122== Memcheck, a memory error detector
==3122== Copyright (C) 2002-2013, and GNU GPL'd, by Julian Seward et al.
==3122== Using Valgrind-3.10.0 and LibVEX; rerun with -h for copyright info
==3122== Command: ./test
==3122==
Here's string 1: I love lamp
Here's string 2: I love lamp
==3122==
==3122== HEAP SUMMARY:
==3122==     in use at exit: 12 bytes in 1 blocks
==3122==   total heap usage: 1 allocs, 0 frees, 12 bytes allocated
==3122==
==3122== 12 bytes in 1 blocks are definitely lost in loss record 1 of 1
==3122==    at 0x4C2ABBD: malloc (vg_replace_malloc.c:296)
==3122==    by 0x4EBF2B9: strdup (strdup.c:42)
==3122==    by 0x4005A4: main (in /home/dchaudh/workspaceC/LearnCHW/Ex17_StructsPointers/test)
==3122==
==3122== LEAK SUMMARY:
==3122==    definitely lost: 12 bytes in 1 blocks
==3122==    indirectly lost: 0 bytes in 0 blocks
==3122==      possibly lost: 0 bytes in 0 blocks
==3122==    still reachable: 0 bytes in 0 blocks
==3122==         suppressed: 0 bytes in 0 blocks
==3122==
==3122== For counts of detected and suppressed errors, rerun with: -v
==3122== ERROR SUMMARY: 1 errors from 1 contexts (suppressed: 0 from 0)

最佳答案

c标准库没有strdup这样的功能。然而,这个流行的函数通常由标准库实现作为扩展提供。在gcc实现中,这个函数是在<string.h>中声明的,您可以将其包括在内。
但是,当使用更严格的标准设置(如-std=c99)编译代码时,编译器会隐藏在标准库头中所做的非标准函数声明。这就是在您的案例中strdup声明发生的情况。您收到的警告是在尝试调用未声明的函数时发出的典型警告。从形式上讲,从C99的角度来看这是一个错误,但是编译器认为警告在这种情况下就足够了。如果从编译器的命令行中删除-std=c99开关,则strdup的声明将变为可见,并且代码将在没有该警告的情况下编译。
更严格地说,在命令行中指定-std=c99会使gcc定义__STRICT_ANSI__宏,这会导致所有非ansi函数声明从标准头中“消失”。
函数仍然存在于库中,这就是代码正确链接的原因。注意,它不一定能正常运行,因为编译器假设strdup返回了一个int,而实际上它返回了一个指针。
valgrind报告只是内存泄漏的结果。strdup分配当您不再需要时应该自己free分配的内存。

关于c - strdup():对警告感到困惑(“隐式声明”,“使指针...没有强制转换”,内存泄漏),我们在Stack Overflow上找到一个类似的问题:https://stackoverflow.com/questions/26284110/

10-11 21:31