GCC编译器中的-I -L -l 选项

在本文中, 我们来聊聊gcc中三个常见的参数, 也即-I(大写的i), -L(大写的l)和-l(小写的l) 

        一. 先说 -I   (注意是大写的i)

        我们先来看简单的程序:

        main.c:

[cpp]  view plain  copy
  1. #include <stdio.h>    
  2. #include "add.h"    
  3.     
  4. int main()    
  5. {    
  6.     int a = 1;    
  7.     int b = 2;    
  8.     int c = add(a, b);    
  9.     
  10.     printf("sum is %d\n", c);    
  11.     
  12.     return 0;    
  13. }    


add.c:

[cpp]  view plain  copy
  1. int add(int x, int y)    
  2. {    
  3.     return x + y;    
  4. }    

      add.h:

[html]  view plain  copy
  1. int add(int x, int y);  

 编译链接运行如下:

[cpp]  view plain  copy
  1. [taoge@localhost test]$ pwd    
  2. /home/taoge/test    
  3. [taoge@localhost test]$ ls    
  4. add.c  add.h  main.c    
  5. [taoge@localhost test]$ gcc main.c add.c    
  6. [taoge@localhost test]$ ./a.out     
  7. sum is 3    
  8. [taoge@localhost test]$     

我们看到, 一切正常。 gcc会在程序当前目录、/usr/include和/usr/local/include目录下查找add.h文件, 刚好有, 所以ok.


我们进行如下操作后再编译, 却发现有误, 不怕, 我们用-I就行了:

[cpp]  view plain  copy
  1. [taoge@localhost test]$ ls    
  2. add.c  add.h  a.out  main.c    
  3. [taoge@localhost test]$ rm a.out; mkdir inc; mv add.h inc    
  4. [taoge@localhost test]$ ls    
  5. add.c  inc  main.c    
  6. [taoge@localhost test]$ gcc main.c add.c    
  7. main.c:2:17: error: add.h: No such file or directory    
  8. [taoge@localhost test]$     
  9. [taoge@localhost test]$     
  10. [taoge@localhost test]$     
  11. [taoge@localhost test]$ gcc -I ./inc/ main.c add.c     
  12. [taoge@localhost test]$ ls    
  13. add.c  a.out  inc  main.c    
  14. [taoge@localhost test]$ ./a.out     
  15. sum is 3    
  16. [taoge@localhost test]$     

上面把add.h移动到inc目录下后, gcc就找不到add.h了, 所以报错。 此时,要利用-I来显式指定头文件的所在地,  -I就是用来干这个的:告诉gcc去哪里找头文件。


二. 再来说-L(注意是大写的L)

       我们上面已经说了, -I是用来告诉gcc去哪里找头文件的, 那么-L实际上也很类似, 它是用来告诉gcc去哪里找库文件。 通常来讲, gcc默认会在程序当前目录、/lib、/usr/lib和/usr/local/lib下找对应的库。 -L的意思很明确了, 就不在赘述了。

       三. 最后说说-l (注意是小写的L)


       我们之前讨论过Linux中的静态库和动态库, -l的作用就是用来指定具体的静态库、动态库是哪个。 


猜你喜欢

转载自blog.csdn.net/qq1263575666/article/details/79401289
l