编写一个函数,将字符串中的小写字母转换为大写字母,主函数输入字符串并输出结果。
时间: 2024-06-09 12:07:07 浏览: 100
以下是一个实现将字符串中的小写字母转换为大写字母的函数,你可以在主函数中调用该函数来实现转换。
```
#include <stdio.h>
#include <string.h>
void convertToUpperCase(char str[]) {
int i = 0;
while(str[i]) {
if(str[i] >= 'a' && str[i] <= 'z') {
str[i] -= 32; // 转换为大写字母
}
i++;
}
}
int main() {
char str[100];
printf("请输入一个字符串:");
scanf("%s", str);
convertToUpperCase(str);
printf("转换后的字符串为:%s", str);
return 0;
}
```
该函数使用了 while 循环来遍历字符串中的每个字符,如果字符是小写字母,则将它转换为大写字母。在主函数中,用户输入一个字符串并调用该函数来进行转换,最后输出转换后的字符串。
相关问题
C语言编写一个函数,将字符串中的小写字母转换为大写字母,主函数输入字符串并输出结果
下面是一个将字符串中的小写字母转换为大写字母的函数实现:
```c
#include <stdio.h>
#include <ctype.h>
void to_uppercase(char* str) {
int i = 0;
while (str[i] != '\0') {
if (islower(str[i])) {
str[i] = toupper(str[i]);
}
i++;
}
}
int main() {
char str[100];
printf("请输入一个字符串:");
scanf("%s", str);
to_uppercase(str);
printf("转换后的字符串为:%s\n", str);
return 0;
}
```
该函数通过遍历字符串中的每个字符,如果是小写字母,就将其转换为大写字母。主函数中,首先输入一个字符串,然后调用 `to_uppercase` 函数将其中的小写字母转换为大写字母,并输出转换后的结果。
1.编写一个函数,将字符串中的小写字母转换为大写字母,主函数输入字符串并输出结果。
好的,以下是实现该功能的 C++ 代码:
```c++
#include <iostream>
#include <string>
using namespace std;
void toUpperCase(string& str) {
for (int i = 0; i < str.length(); i++) {
if (str[i] >= 'a' && str[i] <= 'z') {
str[i] = toupper(str[i]);
}
}
}
int main() {
string str;
cout << "请输入一个字符串:";
getline(cin, str);
toUpperCase(str);
cout << "转换后的字符串为:" << str << endl;
return 0;
}
```
该程序使用 `toUpperCase` 函数将字符串中的小写字母转换为大写字母,主函数中输入字符串并输出转换后的结果。其中,`toUpperCase` 函数中使用了 `toupper` 函数将单个字符转换为大写字母。
阅读全文