C语言将字符串大写转小写小写变大写
时间: 2024-09-12 16:10:18 浏览: 56
在C语言中,没有内置函数可以直接完成字符串的大写转小写或小写转大写的转换。然而,你可以通过遍历字符串并逐个字符处理来实现这个功能。这里提供一种常见的手动转换的方法:
**大写转小写**:
```c
#include <ctype.h>
#include <string.h>
void to_lower(char *str) {
int len = strlen(str);
for (int i = 0; i < len; i++) {
if (isupper(str[i])) { // 判断字符是否为大写字母
str[i] = tolower(str[i]); // 转换为小写
}
}
}
```
**小写转大写**:
```c
#include <ctype.h>
#include <string.h>
void to_upper(char *str) {
int len = strlen(str);
for (int i = 0; i < len; i++) {
if (islower(str[i])) { // 判断字符是否为小写字母
str[i] = toupper(str[i]); // 转换为大写
}
}
}
```
注意,`isupper()` 和 `tolower()`、`islower()` 和 `toupper()` 分别用于判断字符是否为大写或小写,并进行相应的转换。
相关问题
c语言字符串大写转小写
C语言中可以使用库函数`tolower()`将大写字母转换为小写字母。可以使用循环遍历字符串中的每个字符,然后将大写字母转换为小写字母。以下是一个示例代码:
```c
#include <stdio.h>
#include <ctype.h>
void toLower(char *str) {
int i = 0;
while (str[i]) {
str[i] = tolower(str[i]);
i++;
}
}
int main() {
char str[] = "HELLO WORLD";
printf("Before: %s\n", str);
toLower(str);
printf("After: %s\n", str);
return 0;
}
```
输出结果为:
```
Before: HELLO WORLD
After: hello world
```
c语言函数调用字符串大写转小写
可以使用C语言的标准库函数`tolower()`将字符串中的大写字母转换为小写字母。下面是一个示例代码:
```c
#include <stdio.h>
#include <ctype.h>
void toLower(char* str) {
int i = 0;
while(str[i]) {
str[i] = tolower(str[i]);
i++;
}
}
int main() {
char str[] = "HELLO WORLD";
toLower(str);
printf("%s\n", str); // 输出 hello world
return 0;
}
```
在上面的代码中,`toLower()`函数接受一个字符串参数,并使用`tolower()`函数将其中的大写字母转换为小写字母。然后,在`main()`函数中,我们将一个字符串“HELLO WORLD”传递给`toLower()`函数,并将其输出为“hello world”。
阅读全文