出于某种原因,我在ErrorHandler.h中不断收到以下错误 为什么size函数缺少参数?
'std :: list< _Ty> :: size':函数调用缺少参数列表;使用'& std :: list< _Ty> :: size'创建指向成员的指针
'std::_List_iterator<_Mylist> std::list<_Ty>::erase(std::_List_const_iterator<_Mylist>,std::_List_const_iterator<_Mylist>)' : cannot convert parameter 1 from 'int' to 'std::_List_const_iterator<_Mylist>'
'std::_List_iterator<_Mylist> std::list<_Ty>::erase(std::_List_const_iterator<_Mylist>)' : cannot convert parameter 1 from 'int' to 'std::_List_const_iterator<_Mylist>'
// in errorhandler.h
class ErrorHandler{
std::list<unsigned int> m_ErrorList;
public:
ErrorHandler(){ }
~ErrorHandler(){ }
void ForceShutdown(){ free(&m_ErrorList); }
void Add(int errCode){ m_ErrorList.push_back(errCode); }
unsigned int GetLastError(){ if(m_ErrorList.size!=0)return m_ErrorList.back(); }
void Remove(int pos){ if(m_ErrorList.size!=0)m_ErrorList.erase(pos); }
void RemoveRange(int start,int end){ if(m_ErrorList.size!=0)m_ErrorList.erase(start,end); }
};
// in criticalsection.h
class CriticalSection{
long m_nLockCount;
long m_nThreadId;
typedef CRITICAL_SECTION cs;
cs m_tCS;
public:
CriticalSection(){
::InitializeCriticalSection(&m_tCS);
m_nLockCount = 0;
m_nThreadId = 0;
}
~CriticalSection(){ ::DeleteCriticalSection(&m_tCS); }
void Enter(){ ::EnterCriticalSection(&m_tCS); }
void Leave(){ ::LeaveCriticalSection(&m_tCS); }
void Try();
};
class LockSection{
CriticalSection* m_pCS;
ErrorHandler * m_pErrorHandler;
public:
LockSection(CriticalSection* pCS,ErrorHandler* pErrorHandler){
m_pCS = pCS;
m_pErrorHandler = pErrorHandler;
if(!m_pCS)m_pErrorHandler->Add(0x1AE1); // 0x1AE is code prefix for critical section header
if(m_pCS)m_pCS->Enter();
}
~LockSection(){
if(!m_pCS)m_pErrorHandler->Add(0x1AE2);
if(m_pCS)m_pCS->Leave();
}
};
答案 0 :(得分:1)
http://www.cplusplus.com/reference/stl/list/pop_back/
不,pop_back
不返回最后一个元素。这是为了防止意外错误。您必须通过back()
显式获取最后一个元素。如果你想在没有阅读的情况下弹出几个,这种方式也会更快。这也适用于所有其他标准C ++库容器。
根据您的警告判断,您似乎也无法删除。对于列表,它可能很棘手:
void Remove(int pos){
std::list<unsigned int>::const_iterator iter = m_ErrorList.begin();
//no need to check the size, advance will throw an exception if pos is invalid
std::advance(iter, pos);
m_ErrorList.erase(iter);
}
答案 1 :(得分:0)
你严重使用列表方法:
if(m_ErrorList.size!=0)
size
是一种方法,因此您需要调用它(带括号):
if(m_ErrorList.size()!=0)
请注意size
的{{1}}速度很慢;你可能想要像这样实现GetLastError:
list
unsigned int GetLastError(){ if(!m_ErrorList.empty())return m_ErrorList.back(); }
erase需要一个迭代器,而不是一个整数。因此,您最好使用
m_ErrorList.erase(pos);
请注意,这也不是一种特别有效的方式。
BTW,检查您是否需要std::list::iterator it=m_ErrorList.begin();
std::advance(it, pos);
m_ErrorList.erase(it);
; list
可能会为您提供更好的服务。