const和非const方法的区别?

时间:2015-03-25 08:05:53

标签: c++ vector type-conversion const

int CRegister::CountCars(const string& name, const string& surname)const{
const pair<string,string> wholename(name,surname);
vector<CDriver>::iterator Diterator=lower_bound(m_Drivers.begin(),m_Drivers.end(),wholename);
if (Diterator<m_Drivers.end()){
    if(Diterator->m_name.compare(wholename.first)!=0 || Diterator->m_surname.compare(wholename.second)!=0) return 0;
    return Diterator->m_DriversNumber;
}
return 0;
}

您好,当我尝试编译它时,它会在第三行抛出错误:

"conversion from ‘__gnu_cxx::__normal_iterator<const CDriver*, std::vector<CDriver> >’ to non-scalar type ‘std::vector<CDriver>::iterator {aka __gnu_cxx::__normal_iterator<CDriver*, std::vector<CDriver> >}’ requested

当我将函数CountCars设置为非const时,它编译没有问题。我该怎么改变来解决这个问题? (函数必须是const)

3 个答案:

答案 0 :(得分:3)

要解决您的问题,您必须使用const_iterator

原因如下:该方法标记为const,这意味着该方法本身不会更改调用该方法的对象实例的状态。

因此,在const方法中,您不能在未标记为const的同一对象上调用任何其他方法。因为新的调用当然不保证它是const,所以第一种方法不再声称是const。

通过声明迭代器const,您将使用lower_bound的const版本。

答案 1 :(得分:1)

尝试使用const_iterator

vector<CDriver>::const_iterator Diterator
//               ^^^^^^

答案 2 :(得分:1)

考虑使用 const_iterator ,例如

vector<CDriver>::const_iterator Diterator 
    = lower_bound(m_Drivers.begin(), m_Drivers.end(), wholename);

如果你可以在C ++ 11/14中编译,那么使用auto也有帮助:

auto Diterator = lower_bound(m_Drivers.begin(), m_Drivers.end(), wholename);

(对于auto,编译器推断出正确的迭代器类型,而不要求你在代码中明确地#34;拼写&#34;它。