1 2 3 4 5 6 7 8 9 10 11 12 13 14 15 16 17 18 19 20 21 22 23 24 25 26 27 28 29 30 31 32 33 34 35 36 37 38 39 40 41 42 43 44 45 46 47 48 49 50 51 52 53 54 55 56 57 58 59 60 61 62 63 64 65 66 67 68 69 70 71 72 73 74 75 76 77 78 79 80 81 82 83 84 85 86 87 88 89 90 91 92 93 94 95 96 97 98 99 100 101 102 103 104 105 106 107 108 109 110
|
/* HashKit
* Copyright (C) 2006-2009 Brian Aker
* All rights reserved.
*
* Use and distribution licensed under the BSD license. See
* the COPYING file in the parent directory for full text.
*/
#include <libhashkit/common.h>
static inline void _hashkit_init(hashkit_st *self)
{
self->base_hash.function= hashkit_one_at_a_time;
self->base_hash.context= NULL;
self->distribution_hash.function= hashkit_one_at_a_time;
self->distribution_hash.context= NULL;
self->flags.is_base_same_distributed= true;
self->_key= NULL;
}
static inline hashkit_st *_hashkit_create(hashkit_st *self)
{
if (self)
{
self->options.is_allocated= false;
}
else
{
self= (hashkit_st*)calloc(1, sizeof(hashkit_st));
if (self == NULL)
{
return NULL;
}
self->options.is_allocated= true;
}
return self;
}
hashkit_st *hashkit_create(hashkit_st *self)
{
self= _hashkit_create(self);
if (self == NULL)
{
return NULL;
}
_hashkit_init(self);
return self;
}
void hashkit_free(hashkit_st *self)
{
if (self and self->_key)
{
free(self->_key);
self->_key= NULL;
}
if (hashkit_is_allocated(self))
{
free(self);
}
}
hashkit_st *hashkit_clone(hashkit_st *destination, const hashkit_st *source)
{
if (source == NULL)
{
return hashkit_create(destination);
}
/* new_clone will be a pointer to destination */
destination= _hashkit_create(destination);
// Should only happen on allocation failure.
if (destination == NULL)
{
return NULL;
}
destination->base_hash= source->base_hash;
destination->distribution_hash= source->distribution_hash;
destination->flags= source->flags;
destination->_key= aes_clone_key(static_cast<aes_key_t*>(source->_key));
return destination;
}
bool hashkit_compare(const hashkit_st *first, const hashkit_st *second)
{
if (not first or not second)
return false;
if (first->base_hash.function == second->base_hash.function and
first->base_hash.context == second->base_hash.context and
first->distribution_hash.function == second->distribution_hash.function and
first->distribution_hash.context == second->distribution_hash.context and
first->flags.is_base_same_distributed == second->flags.is_base_same_distributed)
{
return true;
}
return false;
}
|