我已经为循环缓冲区编写了一个模板类:
template <class T> class CRingBuffer { /* ... */ };
此类执行的某些操作依赖于对
T
大小的准确评估。当T
是BYTE
(即sizeof(T) == 1
,选中)时,这似乎可以正常工作。但是,当我尝试使用T
为DWORD
的同一类时,由于某种原因sizeof(T)
的值为16。上次我检查时,双字是4个字节,而不是16个字节。有人知道为什么会这样吗?谢谢。其他信息
由于其专有性,我无法发布所有代码,但是这里是有关的类声明和函数定义:
template <class T> class CRingBuffer
{
#pragma pack( push , 1 ) // align on a 1-byte boundary
typedef struct BUFFER_FLAGS_tag
{
T * pHead; // Points to next buffer location to write
T * pTail; // Points to next buffer location to read
BOOL blFull; // Indicates whether buffer is full.
BOOL blEmpty; // Indicates whether buffer is empty.
BOOL blOverrun; // Indicates buffer overrun.
BOOL blUnderrun; // Indicates buffer underrun.
DWORD dwItemCount; // Buffer item count.
} BUFFER_FLAGS, *LPBUFFER_FLAGS;
#pragma pack( pop ) // end 1-byte boundary alignment
// Private member variable declarations
private:
T * m_pBuffer; // Buffer location in system memory
T * m_pStart; // Buffer start location in system memory
T * m_pEnd; // Buffer end location in system memory
BUFFER_FLAGS m_tFlags; // Buffer flags.
DWORD m_dwCapacity; // The buffer capacity.
// CRingBuffer
public:
CRingBuffer( DWORD items = DEFAULT_BUF_SIZE );
~CRingBuffer();
// Public member function declarations
public:
DWORD Add( T * pItems, DWORD num = 1, LPDWORD pAdded = NULL );
DWORD Peek( T * pBuf, DWORD num = -1, DWORD offset = 0, LPDWORD pWritten = NULL );
DWORD Delete( DWORD num, LPDWORD pDeleted = NULL );
DWORD Remove( T * pBuf, DWORD num = 1, LPDWORD pRemoved = NULL );
void Flush( void );
DWORD GetItemCount( void );
BYTE GetErrorStatus( void );
// Private member function declarations
private:
void IncrementHead( LPBUFFER_FLAGS pFlags = NULL );
void IncrementTail( LPBUFFER_FLAGS pFlags = NULL );
};
template <class T> void CRingBuffer<T>::IncrementHead( LPBUFFER_FLAGS pFlags )
{
ASSERT(this->m_pBuffer != NULL);
ASSERT(this->m_pStart != NULL);
ASSERT(this->m_pEnd != NULL);
ASSERT(this->m_tFlags.pHead != NULL);
ASSERT(this->m_tFlags.pTail != NULL);
pFlags = ( pFlags == NULL ) ? &(this->m_tFlags) : pFlags;
// Verify overrun condition is not set.
if ( pFlags->blOverrun == FALSE )
{
pFlags->pHead += sizeof(T); // increament buffer head pointer
pFlags->blUnderrun = FALSE; // clear underrun condition
// Correct for wrap condition.
if ( pFlags->pHead == this->m_pEnd )
{
pFlags->pHead = this->m_pStart;
}
// Check for overrun.
if ( pFlags->pHead == pFlags->pTail )
{
pFlags->blOverrun = TRUE;
}
}
}
当执行
pFlags->pHead += sizeof(T);
的IncrementHead
时,会发生上述问题。 最佳答案
哦,毕竟这真的很简单:)
没有意识到这一点,在pFlags->pHead += sizeof(T);
中,您使用了指针算法。 pHead
是T
的指针,当您将其增加sizeof(T)
时,意味着您将其向前移动那么多T
类型的元素,而不是您所想的那么多字节。因此T
的大小平方。如果您的目标是将指针移到缓冲区的下一个元素,则应将其递增1:pFlags->pHead += 1;
关于c++ - 模板类类型的大小,我们在Stack Overflow上找到一个类似的问题:https://stackoverflow.com/questions/5984807/