In this post I am going to tell you about why you need to declare the local variables of a function as a static?
In the below example there are two functions getBuckets(uint32_t key, struct Table *td) and lookup(uint32_t key, struct Table *td). The lookup() function internally calls the getBuckets() function. The getBuckets() function returns an array of integers, which can be then accessed by the bucketList variable of a lookup() function.
If I did not declare the bucketID variable as a static then soon after the execution of the getBuckets() function the stack will flush out and all the local variables will be reinitialized. So I declared it as a static variable so that the system will allocate memory separately not on the stack. So you can still excess values of that particular variable out side from that particular function.
In the below example there are two functions getBuckets(uint32_t key, struct Table *td) and lookup(uint32_t key, struct Table *td). The lookup() function internally calls the getBuckets() function. The getBuckets() function returns an array of integers, which can be then accessed by the bucketList variable of a lookup() function.
If I did not declare the bucketID variable as a static then soon after the execution of the getBuckets() function the stack will flush out and all the local variables will be reinitialized. So I declared it as a static variable so that the system will allocate memory separately not on the stack. So you can still excess values of that particular variable out side from that particular function.
This file contains bidirectional Unicode text that may be interpreted or compiled differently than what appears below. To review, open the file in an editor that reveals hidden Unicode characters.
Learn more about bidirectional Unicode characters
int * getBuckets(uint32_t key, struct Table *td) { | |
static int bucketID[TABLE_SIZE]; | |
uint32_t out; | |
MurmurHash3_x86_32((const void *)&key, sizeof(uint32_t), SEED, &out); //calculate the hash value for each subtables, | |
for (int i = 0; i < TABLE_SIZE; i++) { | |
if (td->subtables[i].buckets[out % SUBTABLE_SIZE].counter == 0) { | |
bucketID[i] = -1; | |
continue; | |
} | |
bucketID[i] = out % SUBTABLE_SIZE; // Then divide hash value by subtable size | |
} | |
return bucketID; | |
} | |
bool lookup(uint32_t key, struct Table *td) { | |
int *bucketList = getBuckets(key, td); | |
bool emptyArr = checkEmptyArray(bucketList); | |
if (emptyArr) { | |
for (int i = 0; i < TABLE_SIZE; i++) { | |
if (bucketList[i] != -1) { | |
for (int j = 0; j < BUCKET_HEIGHT; j++) { | |
if (td->subtables[i].buckets[bucketList[i]].fingerprint[j] == key) { | |
return true; | |
} | |
} | |
} | |
} | |
} else { | |
printf("[Error]: Key does not exists\n"); | |
return false; | |
} | |
return false; | |
} |