35 lines
672 B
C
Raw Normal View History

#include "list.h"
#include <stdlib.h>
/**
* This is the number of elements by which the list expands.
*/
#define BLOCK_SIZE 1024
int initList(List *restrict l) {
l->list = malloc(sizeof(mpz_t) * BLOCK_SIZE);
if(!l->list) return 1;
l->size = BLOCK_SIZE;
l->end = 0;
return 0;
}
void deInitList(List *restrict l) {
2017-02-12 19:33:57 +01:00
for(size_t i = 0; i < l->end; ++i) {
2016-12-10 11:20:01 +01:00
mpz_clear(l->list[i]);
}
free(l->list);
}
int addToList(List *restrict l, mpz_t n) {
2016-12-10 17:11:21 +01:00
if(l->end == l->size) {
l->size += BLOCK_SIZE;
void *tmp = realloc(l->list, sizeof(mpz_t) * l->size);
if(!tmp) return 1;
2016-12-15 15:16:04 +01:00
l->list = tmp;
}
mpz_init(l->list[l->end]);
mpz_set(l->list[l->end++], n);
return 0;
}