给你两个整数a,b(0<=a<=1,000),计算a+b的值。
时间: 2024-10-29 12:18:06 浏览: 13
用来输入两个整数a,b,计算出方程ax+b=0的解
在C语言中,计算两个整数a和b(0 <= a <= 1000, 0 <= b <= 1000)的和非常直接。你可以使用基本的加法运算符`+`来进行这个操作。以下是一个简单的程序示例:
```c
#include <stdio.h>
int main() {
int a = 5; // 假设a的值为5
int b = 7; // 假设b的值为7
int sum = a + b;
printf("The sum of %d and %d is %d.\n", a, b, sum);
return 0;
}
```
当你运行这段代码时,它会输出`The sum of 5 and 7 is 12.`
如果你想让用户输入这两个数值,你可以用`scanf`函数替换硬编码的变量值,如下所示:
```c
#include <stdio.h>
int main() {
int a, b;
printf("Enter the first number (between 0 and 1000): ");
scanf("%d", &a);
printf("Enter the second number (between 0 and 1000): ");
scanf("%d", &b);
int sum = a + b;
printf("The sum is: %d\n", sum);
return 0;
}
```
记得在实际应用中添加错误检查,确保用户输入的是有效的整数并且在规定的范围内。
阅读全文