02_有符号数与无符号数

2018-12-04 07:14:31来源:博客园 阅读 ()

新老客户大回馈,云服务器低至5折

有符号数与无符号数

1、计算机中的符号位


编程实验:

#include <stdio.h>

int main()
{
    char c = -5;
    short s = 6;
    int i = -7;

    printf("%d\n", ( (c & 0x80) != 0 ));
    printf("%d\n", ( (s & 0x8000) != 0 ));
    printf("%d\n", ( (i & 0x80000000) != 0 ));

    return 0;
}

输出结果为:

2、有符号数的表示方法

在计算机内部用补码表示有符号数
正数的补码为正数本身
负数的补码为负数的绝对值各位取反后加1
8位整数5的补码 0000 0101
8位整数-7的补码 1111 1001
16位整数20的补码 0000 0000 0001 0100
16位整数-13的补码 1111 1111 1111 0011

3、无符号数的表示方法

在计算机内部用原码表示无符号数
- 无符号数默认为正数
- 无符号数没有符号位

对于固定长度的无符号数
- MAX_VALUE + 1 → MIN_VALUE
- MIN_VALUE - 1 → MAX_VALUE
举例:
一个字节大小的无符号数 1111 1111 + 1 = 0
一个字节大小的无符号数 0 - 1 = 1111 1111

4、当有符号数遇上无符号数

当无符号数与有符号数混合计算时,会将有符号数转化为无符号数后再进行计算,结果为无符号数。
编程实验:

#include <stdio.h>

int main()
{
    unsigned int i = 5;
    int j = -10;

    if( (i + j) > 0 )
    {
        printf("i + j > 0\n");
    }
    else
    {
        printf("i + j <= 0\n");
    }

 if(i > j)
  printf("i > j\n");
 else if(i < j)
  printf("i < j\n");

 return 0;
}

输出结果为:

5、错误地使用unsigned

编程实验:

#include <stdio.h>

int main()
{
    unsigned int i = 0;

    for(i=9; i>=0; i--)
    {
        printf("i = %u\n", i);
    }

    return 0;
}

输出结果为:死循环
原因:变量i是unsigned int类型,一直都是大于等于0的,所以for循环的条件一直都成立

6、小结

<wiz_tmp_tag id="wiz-table-range-border" contenteditable="false" style="display: none;">



来自为知笔记(Wiz)



标签:

版权申明:本站文章部分自网络,如有侵权,请联系:west999com@outlook.com
特别注意:本站所有转载文章言论不代表本站观点,本站所提供的摄影照片,插画,设计作品,如需使用,请与原作者联系,版权归原作者所有

上一篇:第四章 基本编程技术

下一篇:分治与递归-找k个临近中位数的数