请详细讲解上述代码
时间: 2024-02-23 14:58:09 浏览: 134
好的,下面是代码的详细解释:
```c
#include <stdio.h>
#include <stdlib.h>
#include <math.h>
```
头文件包含:stdio.h提供了标准输入输出函数,stdlib.h提供了动态分配内存和其他实用函数,math.h提供了数学函数。
```c
#define STB_IMAGE_IMPLEMENTATION
#include "stb_image.h"
#define STB_IMAGE_WRITE_IMPLEMENTATION
#include "stb_image_write.h"
```
这里使用了STB的图像处理库,需要在代码前面定义STB_IMAGE_IMPLEMENTATION和STB_IMAGE_WRITE_IMPLEMENTATION,然后包含stb_image.h和stb_image_write.h。
```c
int main(int argc, char* argv[])
{
if (argc < 4) {
printf("Usage: %s input_file output_file scale\n", argv[0]);
return 1;
}
char* input_file = argv[1];
char* output_file = argv[2];
float scale = atof(argv[3]);
```
程序的入口函数是main函数,argc和argv是命令行参数的数量和内容。这里需要传入3个参数:输入文件路径、输出文件路径和缩放比例。如果参数数量不足4个,则输出使用说明并返回1。然后将输入文件路径、输出文件路径和缩放比例存储在变量中。
```c
int width, height, channels;
unsigned char* image_data = stbi_load(input_file, &width, &height, &channels, STBI_rgb_alpha);
if (!image_data) {
printf("Error: Failed to load image file %s\n", input_file);
return 1;
}
```
使用stbi_load函数加载输入文件,返回一个unsigned char*类型的指针,指向图像数据。同时,这个函数还返回图像的宽度、高度和通道数。如果加载失败,则输出错误信息并返回1。
```c
int new_width = (int)round(scale * width);
int new_height = (int)round(scale * height);
unsigned char* new_image_data = (unsigned char*)malloc(new_width * new_height * 4);
```
计算缩放后的宽度和高度,并动态分配一块内存,用于存储缩放后的图像数据。
```c
for (int y = 0; y < new_height; y++) {
for (int x = 0; x < new_width; x++) {
int src_x = (int)round(x / scale);
int src_y = (int)round(y / scale);
src_x = src_x >= width ? width - 1 : src_x;
src_y = src_y >= height ? height - 1 : src_y;
int src_index = (src_y * width + src_x) * 4;
int dst_index = (y * new_width + x) * 4;
new_image_data[dst_index] = image_data[src_index];
new_image_data[dst_index + 1] = image_data[src_index + 1];
new_image_data[dst_index + 2] = image_data[src_index + 2];
new_image_data[dst_index + 3] = image_data[src_index + 3];
}
}
```
使用双重循环遍历缩放后的图像像素,计算对应的源像素坐标,并将源像素的颜色信息复制到目标像素上。其中,每个像素由4个字节组成,分别表示红、绿、蓝和透明度。
```c
stbi_write_png(output_file, new_width, new_height, STBI_rgb_alpha, new_image_data, new_width * 4);
stbi_image_free(image_data);
free(new_image_data);
return 0;
}
```
使用stbi_write_png函数将缩放后的图像保存为PNG文件,并释放内存。最后返回0表示程序执行成功。
阅读全文