我有两个变量(test1
和test2
),都是无符号的。
我需要检查哪一个更大。
我试图了解如果发生溢出会发生什么。
我的第一次测试是使用uint8_t( char )数据类型完成的:
#include <stdio.h>
#include <stdint.h>
#include <math.h>
int main()
{
uint8_t test1 = 0;
printf("test1 = %d\n", test1);
uint8_t test2 = pow(2, 8 * sizeof(test1)) - 1; //max holdable value of uint8_t
printf("test2 = %d\n", test2);
uint8_t test3 = test1 - test2;
printf("test1 - test2 = %d\n", test3);
if ((test1 - test2) == 0)
printf("test1 == test2\n");
if ((test1 - test2) > 0)
printf("test1 > test2\n");
if ((test1 - test2) < 0)
printf("test1 < test2\n");
if (test3 == 0)
printf("test1 == test2\n");
if (test3 > 0)
printf("test1 > test2\n");
if (test3 < 0)
printf("test1 < test2\n");
return 0;
}
输出:
test1 = 0
test2 = 255
test1 - test2 = 1
test1 < test2
test1 > test2
什么?进行减法并将其保存在变量中然后检查它是否与不同地检查减法?
我的第二次测试是使用uint32_t(长)数据类型完成的:
#include <stdio.h>
#include <stdint.h>
#include <math.h>
int main()
{
uint32_t test1 = 0;
printf("test1 = %d\n", test1);
uint32_t test2 = pow(2, 8 * sizeof(test1)) - 1; //max holdable value of uint32_t
printf("test2 = %lu\n", test2);
uint32_t test3 = test1 - test2;
printf("test1 - test2 = %d\n", test3);
if ((test1 - test2) == 0)
printf("test1 == test2\n");
if ((test1 - test2) > 0)
printf("test1 > test2\n");
if ((test1 - test2) < 0)
printf("test1 < test2\n");
if (test3 == 0)
printf("test1 == test2\n");
if (test3 > 0)
printf("test1 > test2\n");
if (test3 < 0)
printf("test1 < test2\n");
return 0;
}
输出:
test1 = 0
test2 = 4294967295
test1 - test2 = 1
test1 > test2
test1 > test2
什么???现在进行减法并将其保存在一个变量中,然后检查它,与一样检查动态减法?
SO 我期待无符号值之间的减法(没有显式强制转换)总是返回一个值> = 0。 但在IF中做减法会导致意想不到的结果。
现在我很困惑。 有人可以向我解释这种行为吗?