C编程题
1. 简单的计算器
题目:编写一个简单的计算器程序,能够进行加、减、乘、除运算。用户输入两个数字和一个运算符,程序输出运算结果。
#include <stdio.h>
int main() {
char operator;
double num1, num2, result;
printf("Enter an operator (+, -, *, /): ");
scanf("%c", &operator);
printf("Enter two operands: ");
scanf("%lf %lf", &num1, &num2);
switch (operator) {
case '+':
result = num1 + num2;
break;
case '-':
result = num1 - num2;
break;
case '*':
result = num1 * num2;
break;
case '/':
if (num2 != 0) {
result = num1 / num2;
} else {
printf("Error! Division by zero.\n");
return 1;
}
break;
default:
printf("Error! Operator is not correct.\n");
return 1;
}
printf("Result: %.2lf %c %.2lf = %.2lf\n", num1, operator, num2, result);
return 0;
}
2. 查找最大值和最小值
题目:编写一个程序,读取一个整数数组,并找出数组中的最大值和最小值。
#include <stdio.h>
int main() {
int n, i;
printf("Enter the number of elements: ");
scanf("%d", &n);
int arr[n];
printf("Enter the elements: ");
for (i = 0; i < n; i++) {
scanf("%d", &arr[i]);
}
int max = arr[0];
int min = arr[0];
for (i = 1; i < n; i++) {
if (arr[i] > max) {
max = arr[i];
}
if (arr[i] < min) {
min = arr[i];
}
}
printf("Maximum value: %d\n", max);
printf("Minimum value: %d\n", min);
return 0;
}
3. 判断回文字符串
题目:编写一个程序,判断一个字符串是否是回文字符串。
#include <stdio.h>
#include <string.h>
// 判断字符串是否为回文字符串的函数
int isPalindrome(char str[]) {
int left = 0;
int right = strlen(str) - 1;
while (left < right) {
if (str[left] != str[right]) {
return 0; // 不是回文字符串
}
left++;
right--;
}
return 1; // 是回文字符串
}
int main() {
char str[100];
printf("请输入一个字符串: ");
scanf("%s", str);
if (isPalindrome(str)) {
printf("字符串 \"%s\" 是回文字符串。\n", str);
} else {
printf("字符串 \"%s\" 不是回文字符串。\n", str);
}
return 0;
}
4. 冒泡排序
题目:编写一个程序,使用冒泡排序算法对一个整数数组进行排序。
#include <stdio.h>
void bubbleSort(int arr[], int n) {
int i, j, temp;
for (i = 0; i < n - 1; i++) {
for (j = 0; j < n - i - 1; j++) {
if (arr[j] > arr[j + 1]) {
// 交换 arr[j] 和 arr[j+1]
temp = arr[j];
arr[j] = arr[j + 1];
arr[j + 1] = temp;
}
}
}
}
int main() {
int n, i;
printf("Enter the number of elements: ");
scanf("%d", &n);
int arr[n];
printf("Enter the elements: ");
for (i = 0; i < n; i++) {
scanf("%d", &arr[i]);
}
bubbleSort(arr, n);
printf("Sorted array: ");
for (i = 0; i < n; i++) {
printf("%d ", arr[i]);
}
printf("\n");
return 0;
}
5. 斐波那契数列
题目:编写一个程序,生成并打印前 N 个斐波那契数。
#include <stdio.h>
void printFibonacci(int n) {
int a = 0, b = 1, next;
for (int i = 1; i <= n; i++) {
printf("%d ", a);
next = a + b;
a = b;
b = next;
}
printf("\n");
}
int main() {
int n;
printf("Enter the number of Fibonacci numbers to generate: ");
scanf("%d", &n);
printFibonacci(n);
return 0;
}