char是C/C++整型数据中比较古怪的一个,其它的如int/long/short等不指定signed/unsigned时都默认是signed。虽然char在标准中是unsigned(因为char类型提出的初衷是用来表示ascii码,ascii码的范围是0~127),但实际情况中究竟是signed还是unsigned取决于编译器。
可通过下面程序判断编译器的默认char类型:
1
2
3
4
5
6
7
8
9
10
|
void char_type()
{
char c=0xFF;
if (c==-1)
printf ( "signed" );
elseif(c==255)
printf ( "unsigned" );
else
printf ( "error!" );
}
|
当你不确定编译器的默认char类型时,就用显示声明:signed char和unsigned char;
在C/C++语言中,char变量为一个字节,8位,signed char表示的范围:-128~127【-128在内存中的二进制表示为1000 0000,127在内存中的表示为0111 1111】;unsign char表示的范围:0000 0000~1111 1111,即0~255;
注意:整数在内存中是以补码存取的,正数的补码:等于自己,负数的补码:取反加1,例如:127在内存中表示为0111 1111, -127在内存中表示为~(0111 1111)+1=1000 0001; 假定某内存单元p的内容是1111 1111,那么它一定是255吗?实际上取决于你的代码是要把它看成有符号还是无符号数,如果是无符号则表示255,如果是有符号则表示-1【对于有符号数,最高位为符号位,1表示负,0表示正】:
1
2
|
signed char c=*p; //c=-1
unsigned char c=*p; //c=255
|
这也解释了上面这段代码能判断编译器默认char类型。
char型数字转换为int型
转换方法
1
|
a[i] - '0'
|
参考程序
1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
|
#include <stdio.h>
#include <stdlib.h>
#include <string.h>
int main()
{
char str[10];
int i, len;
while ( scanf ( "%s" , str) != EOF)
{
for (i = 0, len = strlen (str); i < len; i++)
{
printf ( "%d" , str[i] - '0' );
}
printf ( "\n" );
}
return 0;
}
|
int类型转化为char类型
转换方法
1
|
a[i] + '0'
|
参考程序
1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
|
#include <stdio.h>
#include <stdlib.h>
#include <string.h>
int main()
{
int number, i;
char str[10];
while ( scanf ( "%d" , &number) != EOF)
{
memset (str, 0, sizeof (str));
i = 0;
while (number)
{
str[i ++] = number % 10 + '0' ;
number /= 10;
}
puts (str);
}
return 0;
}
|