输入一个句子,用C语言编写一个函数,不使用ctype.h,它的输入就是这个句子,把这个句子中的小写字母 变成大写字母,把大写字母变成小写字母,并在屏幕上打印出来。
时间: 2024-05-14 08:14:08 浏览: 38
```c
#include <stdio.h>
void changeCase(char sentence[]) {
int i = 0;
while (sentence[i] != '\0') {
if (sentence[i] >= 'a' && sentence[i] <= 'z') {
sentence[i] = sentence[i] - 32;
}
else if (sentence[i] >= 'A' && sentence[i] <= 'Z') {
sentence[i] = sentence[i] + 32;
}
i++;
}
printf("%s", sentence);
}
int main() {
char sentence[100];
printf("Please enter a sentence: ");
fgets(sentence, 100, stdin);
changeCase(sentence);
return 0;
}
```
相关问题
使用c语言编写函数,不使用<ctype.h>,用于判断字符类别是大写字母、小写字母、数字还是其它字符。在主函数中输入任意字符,调用该函数, 输出该字符类别。要求:自定义函数中不包含printf语句
可以使用ASCII码表来判断字符的类别,其中大写字母的ASCII码范围是65~90,小写字母的ASCII码范围是97~122,数字的ASCII码范围是48~57,其它字符的ASCII码范围是0~47、58~64、91~96、123~127。具体实现如下:
```c
#include <stdio.h>
int checkCharType(char c);
int main() {
char c;
printf("请输入一个字符:");
scanf("%c", &c);
int type = checkCharType(c);
switch (type) {
case 1:
printf("该字符是大写字母\n");
break;
case 2:
printf("该字符是小写字母\n");
break;
case 3:
printf("该字符是数字\n");
break;
default:
printf("该字符是其它字符\n");
break;
}
return 0;
}
int checkCharType(char c) {
if (c >= 65 && c <= 90) {
return 1; // 大写字母
} else if (c >= 97 && c <= 122) {
return 2; // 小写字母
} else if (c >= 48 && c <= 57) {
return 3; // 数字
} else {
return 0; // 其它字符
}
}
```
在该程序中,`checkCharType`函数用于判断输入字符的类型,返回值为1代表大写字母、2代表小写字母、3代表数字、0代表其它字符。主函数中使用switch语句根据返回值输出不同的字符类型。
输入一个句子,用C语言编写一个函数,它的输入就是这个句子,把这个句子中的小写字母 变成大写字母,把大写字母变成小写字母,并在屏幕上打印出来。
```c
#include <stdio.h>
#include <ctype.h>
void transform(char* sentence){
int i = 0;
while(sentence[i] != '\0'){
if(islower(sentence[i])){
sentence[i] = toupper(sentence[i]);
}else if(isupper(sentence[i])){
sentence[i] = tolower(sentence[i]);
}
i++;
}
printf("%s\n", sentence);
}
int main(){
char sentence[] = "Hello World!";
transform(sentence);
return 0;
}
```
阅读全文