js如何不通过内置函数把字符串小写字母转为大写字母
时间: 2024-10-13 12:10:57 浏览: 23
JavaScript 中,如果你想要将字符串中的所有小写字母转换成大写字母,但不想使用内置的 `toUpperCase()` 函数,可以手动遍历每个字符并检查其 ASCII 码值来进行转换。ASCII码中大写字母的值通常大于对应的小写字母。下面是一个简单的示例:
```javascript
function toUpperCaseWithoutBuiltIn(str) {
let result = '';
for (let i = 0; i < str.length; i++) {
const charCode = str.charCodeAt(i);
if (charCode >= 97 && charCode <= 122) { // ASCII码范围,小写字母区间的值
result += String.fromCharCode(charCode - 32); // 小写到大写的差值为32
} else {
result += str[i]; // 非字母字符保持不变
}
}
return result;
}
// 使用示例
const input = 'Hello, World!';
const converted = toUpperCaseWithoutBuiltIn(input);
console.log(converted); // 输出 "HELLO, WORLD!"
```
相关问题
用C语言将字符串中大写字母转为小写字母,小写字母转为大写字母的代码
以下是将字符串中大写字母转为小写字母,小写字母转为大写字母的 C 代码:
```c
#include <stdio.h>
#include <ctype.h>
int main() {
char str[100];
int i;
printf("请输入一个字符串:");
fgets(str, 100, stdin);
for (i = 0; str[i] != '\0'; i++) {
if (isupper(str[i])) {
str[i] = tolower(str[i]);
} else if (islower(str[i])) {
str[i] = toupper(str[i]);
}
}
printf("转换后的字符串为:%s", str);
return 0;
}
```
这段代码使用了 ctype.h 头文件中的 isupper()、tolower()、islower() 和 toupper() 函数,分别用于判断字符是否为大写字母、将字符转换为小写字母、判断字符是否为小写字母和将字符转换为大写字母。
用C语言将一个字符串中的大写字母转为小写字母并将小写字母转为大写
您好!感谢提问。
下面是一个将字符串中的大写字母转为小写字母,小写字母转为大写字母的示例代码:
```c
#include <stdio.h>
#include <ctype.h>
void switch_case(char *str) {
while (*str) {
if (isupper(*str)) {
*str = tolower(*str);
} else if (islower(*str)) {
*str = toupper(*str);
}
str++;
}
}
int main() {
char str[] = "HeLLo WoRLd!";
printf("Before: %s\n", str);
switch_case(str);
printf("After: %s\n", str);
return 0;
}
```
这个程序中使用了 `isupper` 和 `islower` 函数来判断字符大小写。如果是大写字母,就使用 `tolower` 函数将其转为小写字母;如果是小写字母,就使用 `toupper` 函数将其转为大写字母。
希望能够帮到您!
阅读全文