-4

我可以将 int 值与向量值进行比较吗?

我正在尝试搜索用户是否输入 no,匹配向量 id no

int no;
cout << "Input a no";
cin >> no;    

for (int n=0;vector.size();n++){

if(no==vector[n].getID()){

...

}

}
4

2 回答 2

2

在 C++11 中,您可以使用find_iflambda函数来检测匹配的 ID,如下所示:

#include <iostream>
#include <vector>
#include <string>
#include <algorithm>

using namespace std;

struct user {
    int userid;
    string name;
    user(int id, string n) : userid(id), name(n) {}
};

int main() {
    vector<user> v;
    v.push_back(user(1, "quick"));
    v.push_back(user(2, "brown"));
    v.push_back(user(3, "fox"));
    v.push_back(user(4, "jumps"));
    auto needId = 3;
    // Here is the part that replaces the loop in your example:
    auto res = find_if(v.begin(), v.end(), [needId](user const& u) {
        return u.userid == needId;
    });
    // res is an interator pointing to the item that you search.
    if (res != v.end()) {
        cout << res->name << endl;
    }
    return 0;
}

fox将按预期打印(链接到 ideone)。

于 2013-01-28T17:31:40.120 回答
-1

首先,我假设没有。你的意思是数字。所以 cin 发生的事情是你得到一个字符串。然后需要将其转换为 int 以与向量进行比较,这就是我认为您正在使用的。然后,只需将 noAsNumber 与 vector[i] 值进行比较。

string no;
int noAsNumber = atoi(no.c_str());

int i;
for (i = 0; i < vector.size(); i++)
{
    ...
}
于 2013-01-28T17:22:49.223 回答