在Linux中编写 “冒泡排序 “算法,使用make维护。要求如下 (1) 编写makefile文件,将main.c编译成可执行日标文件main,并运行main; (2) 包含 bubblesort.c 和output.c完成排序和输出功能
时间: 2024-01-22 17:21:27 浏览: 129
如何编写Linux Makefile文件
下面是实现冒泡排序的代码和Makefile文件:
### bubblesort.c
```c
void bubblesort(int arr[], int n) {
for (int i = 0; i < n - 1; i++) {
for (int j = 0; j < n - i - 1; j++) {
if (arr[j] > arr[j + 1]) {
int temp = arr[j];
arr[j] = arr[j + 1];
arr[j + 1] = temp;
}
}
}
}
```
### output.c
```c
#include <stdio.h>
void output(int arr[], int n) {
for (int i = 0; i < n; i++) {
printf("%d ", arr[i]);
}
printf("\n");
}
```
### main.c
```c
#include "bubblesort.h"
#include "output.h"
int main() {
int arr[] = {10, 5, 3, 8, 2, 6, 4, 7, 9, 1};
int n = sizeof(arr) / sizeof(int);
bubblesort(arr, n);
output(arr, n);
return 0;
}
```
### Makefile
```makefile
CC = gcc
CFLAGS = -Wall -Wextra -Werror -std=c99
LDFLAGS =
TARGET = main
SRCS = $(wildcard *.c)
OBJS = $(SRCS:.c=.o)
.PHONY: all clean
all: $(TARGET)
$(TARGET): $(OBJS)
$(CC) $(LDFLAGS) $^ -o $@
%.o: %.c
$(CC) $(CFLAGS) -c $< -o $@
clean:
rm -f $(OBJS) $(TARGET)
```
在终端里进入代码所在的目录,执行`make`命令即可编译生成可执行文件`main`。执行`./main`命令即可运行程序。
阅读全文