十六进制加减法

Hexadecimals adding and subtracting

本文关键字:加减法 十六进制      更新时间:2023-10-16

到目前为止,我有这段代码。当我将两个负整数相加时,答案是肯定的而不是负的。我该如何解决这个问题?我认为0x80000000是整数的最小可能值

#include <iostream>
#include <string>
using namespace std;
int main(void)
{
unsigned int maxInt = 0x7FFFFFFF;
int num1 = 7;
signed int minInt = 0x80000000;
int num2 = -21;
float num3 = 1;
float i;
cout<<"The value of the first variable is: "<<maxInt<<endl;
cout<<"The value of the second variable is: "<< num1<<endl;
cout<<"Addition of the two numbers: "<< maxInt + num1 <<endl;
cout<<endl;
cout<<"The value of the first variable is: "<<minInt<<endl;
cout<<"The value of the second variable is "<<num2<<endl;
cout<<"Addition of the two numbers: "<< minInt + num2 <<endl;
cout<<endl;
system("pause");
return 0;
}

0x80000000 和 -21 相加得到的结果是 0x7FFFFFDF。这个十进制的数字是2147483615。发生这种情况是因为最左边的位用于确定符号。你得到一个下溢,在本例中,它环绕到最大整数并从那里倒计时。添加两个正整数应该以另一种方式发生同样的事情,除了它会绕到 0,因为它是无符号的,但是当你溢出或下溢时它是未定义的行为。

正如评论所说,您可以使用更大的类型:

int64_t result = static_cast<int64_t>(maxInt) + num1;
int64_t result2 = static_cast<int64_t>(minInt) - num2;