如果我从键盘上获取了一些值,我怎样才能实时找到它们之间的中间值?
这是我所做的但没有任何结果:(
float *p=new float; //p points to the first element
float *my;
std::cin >> my;
vector<float*>V;
V.push_back(my);
std::vector<float*>::iterator it;
p=my;
while(my){
it=V.begin()+1;
}
int M =(*it-p)/2;
delete[] p;
澄清:他们被给予的顺序中间
答案 0 :(得分:6)
如果你想在容器中找到中间值,那很简单:
#include <iostream>
#include <vector>
int main() {
std::vector<float> v{1,2,3,4,5};
// Output: (1,2,3,4,5)
// 3 ^
std::cout << v.at(v.size()/2) << std::endl;
// Now a user provides another value, maybe
v.push_back(6);
// Output: (1,2,3,4,5,6)
// 4 ^
std::cout << v.at(v.size()/2) << std::endl;
}
你的代码有很多指针问题。
答案 1 :(得分:2)
@Lightness完美地解释了它。这是另一个演示(-1打印当前中间值,-2退出)
#include <iostream>
#include <vector>
int main() {
std::vector<float> values;
float value;
while(std::cin >> value) {
if(value == -1 && values.size() > 0)
std::cout << "mid = " << values.at(values.size() / 2) << std::endl;
else if (value == -2)
break;
else
values.push_back(value);
}
}