c语言字符串小写字母转大写字母
时间: 2023-10-22 22:08:48 浏览: 251
在C语言中,字符串的小写字母可以通过ASCII码进行转换为大写字母。小写字母的ASCII码值比对应的大写字母的ASCII码值小32。因此,我们可以通过减去32的方式将小写字母转换为大写字母。以下是一个示例代码:
```c
#include <stdio.h>
#include <string.h>
int main() {
char s = {0};
gets(s);
int len = strlen(s);
// 小写变大写
for(int i = 0; i < len; i++) {
if(s[i >= 'a' && s[i <= 'z') {
s[i = s[i - 32;
}
}
puts(s);
return 0;
}
```
这段代码中,我们首先通过`gets()`函数获取用户输入的字符串,并获取字符串的长度。然后,我们使用一个循环遍历字符串中的每一个字符,如果该字符是小写字母,则将其ASCII码值减去32,即可得到对应的大写字母。最后,我们使用`puts()`函数将转换后的字符串输出。
相关问题
c语言字符串小写字母变大写
可以使用C语言中的toupper()函数将字符串中的小写字母转换为大写字母。下面是一个简单的示例代码:
```c
#include <stdio.h>
#include <ctype.h>
#include <string.h>
int main() {
char str[] = "hello world";
int len = strlen(str);
for(int i = 0; i < len; i++) {
if(islower(str[i])) {
str[i] = toupper(str[i]);
}
}
printf("转换后的字符串为:%s", str);
return 0;
}
```
输出结果为:
```
转换后的字符串为:HELLO WORLD
```
这里使用了islower()函数判断字符是否为小写字母。如果是,则使用toupper()函数将其转换为大写字母。
c语言字符串字母小写转大写程序
下面是一个 C 语言字符串中字母小写转大写的示例程序:
```c
#include <stdio.h>
#include <ctype.h>
void to_upper(char *str) {
while (*str) {
if (isalpha(*str)) { // 判断字符是否是字母
*str = toupper(*str); // 将小写字母转成大写字母
}
str++;
}
}
int main() {
char str[100];
printf("请输入一个字符串:");
fgets(str, sizeof(str), stdin);
to_upper(str);
printf("转换后的字符串为:%s", str);
return 0;
}
```
程序中依然使用了 `toupper()` 函数将字符串中的小写字母转成大写字母,但是在遍历字符串中的每个字符之前增加了一个判断:`if (isalpha(*str))`,用来判断当前字符是否是字母。只有在是字母的情况下,才需要将小写字母转成大写字母。其他的字符(如数字、标点符号等)则不做处理。
阅读全文