I'm having some problems deleting a node from a skip list. I have the following structures:
struct Node
{
int info;
Node **link_;
Node(int v, int levels)
{
info = v;
link_ = new Node*[levels];
for ( int i = 0; i < levels; ++i )
link_[i] = NULL;
}
};
struct List
{
int H; // list height
Node *Header;
List()
{
Header = new Node(0, maxH);
H = 1;
}
};
The problem, I think, is in the function that searches for a node with a given value and then deletes it. The function is implemented like this:
void Remove(int v, List *L)
{
Node *current = L->Header;
for ( int i = L->H - 1; i >= 0; --i )
{
for ( ; current->link_[i] != NULL; current = current->link_[i] )
if ( current->link_[i]->info > v )
break;
else if ( current->link_[i]->info == v )
{
// Node *del = current->link_[i];
current->link_[i] = current->link_[i]->link_[i];
// delete del;
break;
}
}
}
The function works fine as it is, however the list seems to break if I uncomment the two commented lines. By break I mean that the following test code never finishes:
int main()
{
srand((unsigned)time(0));
List *SKL = new List();
for ( int i = 0; i < 1000000; ++i )
Insert(rand() * rand(), SKL);
for ( int i = 0; i < 1000000; ++i )
Search(rand() * rand(), SKL);
for ( int i = 0; i < 1000000; ++i )
Remove(rand() * rand(), SKL);
for ( int i = 0; i < 1000000; ++i )
Insert(rand() * rand(), SKL);
return 0;
}
The problem lies in the last for
loop that inserts more values in the list. If those two lines are commented out, the program finishes in about 10 seconds. If I uncomment them, it seems to enter an infinite loop as it doesn't even finish in minutes. I'm not sure if that's the right way of deleting a node from a skip list or not, so I'm posting my insertion function as well:
void Insert(int v, List *L)
{
// this section just determines the levels the new node will be part of
int newH = 0;
int tmp;
unsigned int rnd = rand() * rand();
do
{
tmp = lookup[rnd & 255];
rnd >>= 8;
newH += tmp;
} while ( tmp == 8 );
if ( newH >= L->H )
++L->H;
// this does the actual insertion
Node *newNode = new Node(v, L->H);
Node *current = L->Header;
for ( int i = L->H - 1; i >= 0; --i )
{
for ( ; current->link_[i] != NULL; current = current->link_[i] )
if ( current->link_[i]->info >= v )
break;
if ( i <= newH )
{
newNode->link_[i] = current->link_[i];
current->link_[i] = newNode;
}
}
}
So, my questions are:
- Why does the program break, and how can I make it work while actually deleting the nodes I want to delete from memory?
- Is this a correct way of implementing skip lists, or am I using a wrong approach?