Linux基于c语言写一个简单的图片缩放程序
时间: 2024-02-19 20:02:43 浏览: 83
好的,以下是一个基于C语言的简单图片缩放程序的示例代码:
```c
#include <stdio.h>
#include <stdlib.h>
#include <string.h>
#include <math.h>
#define STB_IMAGE_IMPLEMENTATION
#include "stb_image.h"
#define STB_IMAGE_WRITE_IMPLEMENTATION
#include "stb_image_write.h"
int main(int argc, char** argv)
{
// 检查输入参数
if (argc != 4) {
printf("Usage: %s <input_file> <output_file> <scale_factor>\n", argv[0]);
return 1;
}
// 读取输入图像
int width, height, channels;
unsigned char* input_image = stbi_load(argv[1], &width, &height, &channels, 0);
if (!input_image) {
printf("Failed to load input image: %s\n", argv[1]);
return 1;
}
// 计算输出图像大小
float scale_factor = atof(argv[3]);
int output_width = (int)round(width * scale_factor);
int output_height = (int)round(height * scale_factor);
// 分配输出图像内存
unsigned char* output_image = (unsigned char*)malloc(output_width * output_height * channels);
if (!output_image) {
printf("Failed to allocate memory for output image.\n");
stbi_image_free(input_image);
return 1;
}
// 缩放图像
stbir_resize_uint8(input_image, width, height, 0, output_image, output_width, output_height, 0, channels);
// 保存输出图像
if (!stbi_write_png(argv[2], output_width, output_height, channels, output_image, output_width * channels)) {
printf("Failed to write output image: %s\n", argv[2]);
free(output_image);
stbi_image_free(input_image);
return 1;
}
// 释放内存
free(output_image);
stbi_image_free(input_image);
return 0;
}
```
这个程序使用了两个第三方库:stb_image和stb_image_write。这两个库都是非常小巧且易于使用的图像处理库。在编译这个程序之前,需要先将这两个库的源代码文件(stb_image.h、stb_image_write.h)添加到你的项目中。
该程序的使用方法是:
```
./image_scale input_file output_file scale_factor
```
其中,input_file是输入图像的文件名,output_file是输出图像的文件名,scale_factor是缩放因子,它表示输出图像的尺寸相对于输入图像的尺寸的比例。例如,如果scale_factor为2.0,则输出图像的尺寸是输入图像的两倍。
该程序使用了stbir_resize_uint8函数对图像进行缩放。这个函数可以对任意数量的通道进行缩放,所以它是非常灵活的。
希望这个简单的示例程序能够对您有所帮助!
阅读全文