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
|
#include "config.h"
#include <stdio.h>
#include <stdlib.h>
#include <string.h>
#include "ui.h"
#include "ui_ani.h"
#define ANIC_INITSTATE '|'
struct anic *
init_anic_default(unsigned int x, unsigned int y, chtype attrs, char *fmt)
{
struct anic *a = init_anic(x, y, attrs, anic_cb);
struct anic_default *b = calloc(1, sizeof(struct anic_default));
a->data = (void *) b;
b->state = ANIC_INITSTATE;
if (fmt != NULL) {
b->fmt = strdup(fmt);
}
return (a);
}
struct anic *
init_anic(unsigned int x, unsigned int y, chtype attrs, uicb_anic uicb)
{
struct anic *a = calloc(1, sizeof(struct anic));
a->x = x;
a->y = y;
a->uicb = uicb;
a->attrs = attrs;
return (a);
}
void
free_anic(struct anic *a)
{
free(a);
}
void
free_anic_default(struct anic *a)
{
struct anic_default *b;
if (a->data != NULL) {
b = (struct anic_default *) a->data;
free(b->fmt);
free(b);
}
free_anic(a);
}
int
anic_cb(WINDOW *win, void *data, bool timed_out)
{
struct anic *a = (struct anic *) data;
struct anic_default *b;
char *tmp;
int retval = UICB_OK;
if (a == NULL) return (UICB_ERR_UNDEF);
b = (struct anic_default *) a->data;
if (timed_out == true) {
switch (b->state) {
default:
case '|': b->state = '/'; break;
case '/': b->state = '-'; break;
case '-': b->state = '\\'; break;
case '\\': b->state = '|'; break;
}
}
attron(a->attrs);
if (b->fmt != NULL) {
if (asprintf(&tmp, b->fmt, b->state) <= 0) {
retval = UICB_ERR_BUF;
}
} else {
if (asprintf(&tmp, "%c", b->state) < 0)
retval = UICB_ERR_BUF;
}
if (win != NULL) {
mvwprintw(win, a->y, a->x, tmp);
} else {
mvprintw(a->y, a->x, tmp);
}
free(tmp);
attroff(a->attrs);
return (retval);
}
void
register_anic(struct anic *a, uicb_anic uicb)
{
struct ui_callbacks cbs;
cbs.ui_element = uicb;
cbs.ui_input = NULL;
register_ui_elt(&cbs, (void *) a, NULL);
}
void
register_anic_default(struct anic *a)
{
register_anic(a, anic_cb);
}
|