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
|
#include "fb.h"
#include <memory.h>
volatile static fb_t *current, *head, *tail;
static void fb_add(fb_t *new, fb_t *prev, fb_t *next)
{
next->prev = new;
new->next = next;
new->prev = prev;
prev->next = new;
}
fb_t *fblist_insert(fb_t *at, fb_t *new)
{
fb_add(new, at, at->next);
return new;
}
fb_t *fblist_append(fb_t *new)
{
fblist_insert(tail, new);
tail = new;
return new;
}
fb_t *fblist_gonext()
{
current = current->next;
current->scroll = 0;
return current;
}
fb_t *fblist_goprev()
{
current = current->prev;
current->scroll = 0;
return current;
}
fb_t *fblist_gohead()
{
current = head;
current->scroll = 0;
return current;
}
fb_t *fblist_currentfb()
{
return current;
}
static void list_del(fb_t *prev, fb_t *next)
{
prev->next = next;
next->prev = prev;
}
fb_t *fblist_drop(fb_t *fb)
{
list_del(fb->prev, fb->next);
return fb->next;
}
fb_t *fb_new(uint16_t width)
{
fb_t *fb = malloc(sizeof(fb_t));
memset(fb, 0, sizeof(fb_t));
fb->width = width;
fb->buf = malloc(width * sizeof(uint16_t));
memset(fb->buf, 0, width * sizeof(uint16_t));
fb->modes = FIXED;
fb->next = fb;
fb->prev = fb;
return fb;
}
void fblist_init(uint16_t first_fb_width)
{
current = fb_new(first_fb_width);
head = current;
tail = current;
}
|