如何编写一个判断是否为三角形的c语言程序
时间: 2024-09-28 11:11:08 浏览: 37
(完整版)C语言程序设计练习题(含程序及参考答案).doc
要编写一个C语言程序来判断给定的三个边长是否能构成一个三角形,你可以使用三角不等式,即任意两边之和大于第三边。以下是一个简单的程序示例:
```c
#include <stdio.h>
// 函数声明
int is_triangle(float a, float b, float c);
int main() {
// 输入三条边的长度
float side1, side2, side3;
printf("Enter the lengths of sides a, b, and c: ");
scanf("%f %f %f", &side1, &side2, &side3);
// 调用函数进行检查
if (is_triangle(side1, side2, side3)) {
printf("The given sides form a triangle.\n");
} else {
printf("The given sides do not form a triangle.\n");
}
return 0;
}
// 判断是否为三角形的函数
int is_triangle(float a, float b, float c) {
// 检查任两边之和是否大于第三边
if (a + b > c && a + c > b && b + c > a) {
return 1; // 返回1表示能构成三角形
} else {
return 0; // 返回0表示不能构成三角形
}
}
```
在这个程序中,`is_triangle`函数接收三个边长参数,然后根据三角不等式条件返回0或1,表示能否构成三角形。主函数负责读取用户输入并调用这个函数。
阅读全文