简易计算器
大家好,我是一个自学C++的初学者。
今天我试着做一个简单的计算器,但调试器不断地向我显示相同的错误。统一变量使用"X";统一变量使用"Z"
代码如下:
#include <iostream>
using namespace std;
int main()
{
float x, z, a;
a = x + z;
cout << "Welcome to the calculator" << endl;
cout << "State the first number " << endl;
cin >> x ;
cout << "State the second number " << endl;
cin >> z ;
cout << "If you wanted to time number" << x << "by this number" << z << "The result would be : " << a << endl;
system("pause");
return 0;
}
解决方案
做事的顺序很重要。
int x = 5, z = 2;
int a = x + z; // a is 7
z = 5; // a is still 7
a = x + z; // now a is updated to 10
因此,当您执行a = x + z;
时,x
和z
都未初始化。使用未初始化的变量是未定义的行为。
若要解决此问题,请在x
和z
输入值后将a = x + z;
移到。
相关文章