我的线性探测功能有什么问题?
bool HashTable_lp::insert( const string & x )
{
// Insert x as active
int currentPos = findPos( x );
if( isActive( currentPos ) )
return true;
array[ currentPos ] = HashEntry( x, ACTIVE );
if( ++currentSize > array.size( ) / 2 )
rehash( );
return false;
}
答案 0 :(得分:2)
您通常需要一个while循环,直到找到一个空插槽。另一个问题是,您将字符串哈希的单元格等同于激活,意味着单元格包含您尝试插入的相同值。通常,您需要检查要插入现有条目的密钥值。对于用户可以保证项目不在哈希表中以避免这些比较的情况,可能需要制作一个不执行此检查的插入版本...
bool HashTable_lp::insert( const string & x )
{
// Insert x as active
int currentPos = findPos( x );
while( isActive( currentPos ) ){
// here key gets out of array[currentPos] the string key
if(key(currentPos)==x) return true; // already in hash
currentPos++; // linearly probe to next guy
}
// at this point we know currentPos is empty
array[ currentPos ] = HashEntry( x, ACTIVE );
if( ++currentSize > array.size( ) / 2 ) // ensure load factor is .5 to guarantee probing works!
rehash( );
return false;
}