我想连续输入5个float
值,但程序运行不正常
#include <iostream>
using namespace std;
int main()
{
float v, i, vr, vl, vc, r, xl, xc, z;
for (int i = 1; i <= 9; i++)
{
cout << "Enter the values of v,i,vr,vl,vc" << endl;
cin >> v;
cin >> i;
cin >> vr;
cin >> vl;
cin >> vc;
cout << endl << v << " " << i << " " << vr << " " << vl << " " << vc << endl;
}
return 0;
}
如果我尝试输入1.1 2.2 3.3 4.4 5.5的输入,程序只接受四个值
输出结果为:
1.1 2 0.2 3.3 4.4
请告诉我哪里出错了,如何更正我的代码。
答案 0 :(得分:3)
您在外部作用域中使用i
作为float
,然后在内部作用域中使用it
作为int
。
所以当你输入
1.1 2.2 3.3 4.4 5.5
使用
cin>>v;
cin>>i;
cin>>vr;
cin>>vl;
cin>>vc;
2
只需2.2
,vr变量需要0.2。
变量值变为
v=1.1
i=2
vr=0.2
vl=3.3
vc=4.4
因此需要5.5,因为它需要2.2作为2输入
解决方案:
将for
循环变量更改为j
。
答案 1 :(得分:0)
您的代码中存在变量名称冲突:
float v, i, vr, vl, vc, r, xl, xc, z; // Here, variable "i" is declared as a floating-point variable
for (int i = 1; i <= 9; i++) // Here, "i" is declared again, this time as an int
当存在多个相同名称的变量但在代码的不同范围内时,编译器将使用该范围内的本地变量。这导致错误;您希望变量i
存储值2.2
输入,但是,最本地变量是for循环的计数器i
。因此,编译器尝试将值存储在计数器中。由于计数器的类型为int
,因此2.2
已被分解;计数器i
存储2,vr
存储0.2
。
这就是为什么你的编译器只接受4个值;第二个值输入分为2个变量。
要更正此问题,请更改for循环的计数器变量的名称:
float v, i, vr, vl, vc, r, xl, xc, z;
for (int j = 1; j <= 9; j++) // The name of the counter variable is changed from "i" to "j"
{
cout << "Enter the values of v,i,vr,vl,vc" << endl;
cin >> v;
cin >> i;
cin >> vr;
cin >> vl;
cin >> vc;
cout << endl << v << " " << i << " " << vr << " " << vl << " " << vc << endl;
}
或者,将变量i
(具有for-loop之外的范围的变量)的名称更改为其他名称:
float v, num, vr, vl, vc;
for (int i = 1; i <= 9; i++)
{
cout << "Enter the values of v,j,vr,vl,vc" << endl;
cin >> v;
cin >> num;
cin >> vr;
cin >> vl;
cin >> vc;
cout << endl << v << " " << num << " " << vr << " " << vl << " " << vc << endl;
}