目录
1 背景
2 原理
我们先来看看这个究竟是个啥?
我们首先创建一个hello.c的C文件,向里面写入代码,然后再用gcc编译执行,有了前一篇博客介绍程序的翻译过程我们不难知道想要将C代码转换成可执行文件要进行预处理,编译,汇编,链接的过程(忘了的老铁可以去看看这篇文章gcc/g++的使用). 假如我们想要一步一步执行的话就必须一次一次的敲指令,那现在有什么比较方便的方法吗?答案是有的,这里就可以用make/Makefile.
(注意:接下来我写的这种方法实际中一般都不会这么写,而是直接用gcc全部翻译,我这里这样写是为了大家能够更好的理解make/Makefile)
我们首先创建一个Makefile的文件夹,用vim打开向里面写入:
1 hello:hello.o
2 gcc hello.o -o hello
3 hello.o:hello.s
4 gcc -c hello.i -o hello.o
5 hello.s:hello.i
6 gcc -S hello.i -o hello.s
7 hello.i:hello.c
8 gcc -E hello.c -o hello.i
9
10 .PHONY:clean
11 clean:
12 rm -rf hello.i hello.s hello.o hello
这里我们在介绍为啥要这么写?
hello:hello.o 这一行代表着依赖关系,然后换行回车后要再按一个tab键,这是语法规定。
然后在这一行写上依赖方法。
那下面的clean前面又是什么鬼呢?
[grm@VM-8-12-centos lesson4]$ ll
total 8
-rw-rw-r-- 1 grm grm 76 Jan 7 15:11 hello.c
-rw-rw-r-- 1 grm grm 226 Jan 7 15:50 Makefile
[grm@VM-8-12-centos lesson4]$ make
gcc -E hello.c -o hello.i
gcc -S hello.i -o hello.s
gcc -c hello.i -o hello.o
gcc hello.o -o hello
[grm@VM-8-12-centos lesson4]$ ll
total 48
-rwxrwxr-x 1 grm grm 8360 Jan 7 15:50 hello
-rw-rw-r-- 1 grm grm 76 Jan 7 15:11 hello.c
-rw-rw-r-- 1 grm grm 16878 Jan 7 15:50 hello.i
-rw-rw-r-- 1 grm grm 1504 Jan 7 15:50 hello.o
-rw-rw-r-- 1 grm grm 451 Jan 7 15:50 hello.s
-rw-rw-r-- 1 grm grm 226 Jan 7 15:50 Makefile
[grm@VM-8-12-centos lesson4]$ ./hello
hello Makefile
[grm@VM-8-12-centos lesson4]$ make clean
rm -rf hello.i hello.s hello.o hello
[grm@VM-8-12-centos lesson4]$ ll
total 8
-rw-rw-r-- 1 grm grm 76 Jan 7 15:11 hello.c
-rw-rw-r-- 1 grm grm 226 Jan 7 15:50 Makefile
当我们使用make指令后,不清理,在使用make指令就会出现下面这种情况:
这时操作系统就会提醒我们hello已经是最新的了,但是我们如果打开hello.c修改一下里面内容,就又可以用make指令啦,但是依旧只能够用一次:
那有什么办法不修改就可以运行的吗?
答案是有的:
touch +文件名,就会将文件更新成最新的时间。
最后说明:
3 Linux第一个小程序-进度条
在这之前我问大家一个问题:换行和回车是一回事吗?
相信在很多人的印象中都会回答说是的,但是却不是这样的。换行是换到了下一行,但是光标所在的位置依旧是与上一行所对齐的,而回车是让光标回到本行开头。
3.1 行缓冲区概念
大家先来看看这么一个程序:
#include <stdio.h>
int main()
{
printf("hello Makefile!\n");
sleep(3);
return 0;
}
当我们运行的时候:
我们不难发现程序是先打印出来的字符串然后sleep了3s才结束。
但是当我们去掉字符串中\n时再来运行:
我们可以看见:
这里会先sleep3s再打印字符串的。为什么呢?原因就是\n会刷新我们的行缓冲区。
3.2 进度条代码
这里直接给出代码,相信大家能够看懂
1 #include<stdio.h>
2 #include <unistd.h>
3 #include <string.h>
4 int main()
5 {
6 int i = 0;
7 char bar[102];
8 memset(bar, 0 ,sizeof(bar));
9 const char *lable="|/-\\";
10 while(i <= 100 ){
11 printf("[%-100s][%d%%][%c]\r", bar, i, lable[i%4]);
12 fflush(stdout);
13 bar[i++] = '#';
14 usleep(50000);
15 }
16 printf("\n");
17 return 0;
18 }
这样一个简单的进度条就制作完成啦!