You can not select more than 25 topics Topics must start with a letter or number, can include dashes ('-') and can be up to 35 characters long.

78 lines
1.7 KiB

#include "list.h"
#include <stdio.h>
#include <stdlib.h>
#include "../sprite.h"
Node * ListCreateNode(Sprite *data){
Node *new = (Node *) malloc(sizeof(Node));
new->data = *data;
new->next = 0;
new->prev = 0;
return new;
}
void ListPrintForward(List *list){
Node *current = list->head;
printf("\n[\n");
while(current != 0){
printf("(%f | %f),\n", current->data.x, current->data.y);
current = current->next;
}
printf("]\n");
}
void ListInsertFront(List *list, Sprite *data){
Node *new = ListCreateNode(data);
if(list->head == 0){
list->head = new;
list->tail = new;
}
else if(list->head == list->tail){
list->head = new;
list->head->next = list->tail;
list->tail->prev = list->head;
}
else{
list->head->prev = new;
new->next = list->head;
list->head = new;
}
}
void ListInsertBack(List *list, Sprite *data){
Node *new = ListCreateNode(data);
if(list->head == 0){
list->head = new;
list->tail = new;
}
else if(list->head == list->tail){
list->tail = new;
list->head->next = list->tail;
list->tail->prev = list->head;
}
else{
list->tail->next = new;
new->prev = list->tail;
list->tail = new;
}
}
List * ListInit(){
List *newList = (List *) malloc(sizeof(List));
newList->head = 0;
newList->tail = 0;
return newList;
}
void ListDrawAllSprites(List *list, IsometricMap *map, Camera2D *camera){
Node *current = list->head;
while(current != 0){
DrawSpriteToWorld(&current->data, map, camera);
current = current->next;
}
}