一、字符分类函数
C语言中有一系列的函数是专门做字符分类的,也就是⼀个字符是属于什么类型的字符的。 这些函数的使用都需要包含⼀个头文件是 ctype.h
这里我们就只讲解一个函数,其它用法类似:
int islower ( int c );
islower 是能够判断参数部分的 c 是否是小写字母的。
通过返回值来说明是否是小写字母,如果是小写字母就返回非0的整数,如果不是小写字母,则返回 0。
写⼀个代码,将字符串中的小写字母转大写,其他字符不变。
代码语言:javascript复制#include <stdio.h>
#include <ctype.h>
int main ()
{
int i = 0;
char str[] = "Test String.n";
char c;
while (str[i])
{
c = str[i];
if (islower(c))
c -= 32;
putchar(c);
i ;
}
return 0;
}
这里我们将写小转大写,是-32完成的效果,
二、字符转换函数
C语言提供了两个字符转换函数
int tolower ( int c ); //将参数传进去的大写字母转小写 int toupper ( int c ); //将参数传进去的小写字母转大写
上⾯的代码,我们将小写转大写,是-32完成的效果,有了转换函数,就可以直接使用 tolower 函 数。
代码语言:javascript复制#include <stdio.h>
#include <ctype.h>
int main ()
{
int i = 0;
char str[] = "Test String.n";
char c;
while (str[i])
{
c = str[i];
if (islower(c))
c = toupper(c);
putchar(c);
i ;
}
return 0;
}