-
Notifications
You must be signed in to change notification settings - Fork 1
/
ptimer.c
385 lines (365 loc) · 12.7 KB
/
ptimer.c
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
111
112
113
114
115
116
117
118
119
120
121
122
123
124
125
126
127
128
129
130
131
132
133
134
135
136
137
138
139
140
141
142
143
144
145
146
147
148
149
150
151
152
153
154
155
156
157
158
159
160
161
162
163
164
165
166
167
168
169
170
171
172
173
174
175
176
177
178
179
180
181
182
183
184
185
186
187
188
189
190
191
192
193
194
195
196
197
198
199
200
201
202
203
204
205
206
207
208
209
210
211
212
213
214
215
216
217
218
219
220
221
222
223
224
225
226
227
228
229
230
231
232
233
234
235
236
237
238
239
240
241
242
243
244
245
246
247
248
249
250
251
252
253
254
255
256
257
258
259
260
261
262
263
264
265
266
267
268
269
270
271
272
273
274
275
276
277
278
279
280
281
282
283
284
285
286
287
288
289
290
291
292
293
294
295
296
297
298
299
300
301
302
303
304
305
306
307
308
309
310
311
312
313
314
315
316
317
318
319
320
321
322
323
324
325
326
327
328
329
330
331
332
333
334
335
336
337
338
339
340
341
342
343
344
345
346
347
348
349
350
351
352
353
354
355
356
357
358
359
360
361
362
363
364
365
366
367
368
369
370
371
372
373
374
375
376
377
378
379
380
381
382
383
384
385
// posix timer
#include <atomic.h>
#include <stdint.h>
#include <stdlib.h>
#include <signal.h>
#include <time.h>
#include <unistd.h>
#include <svc.h>// sys/svccall.h
extern void osThreadNotify(void*);
extern sigset_t osSignalSet(void*, sigset_t);
extern void* osThreadGetId();
typedef struct _process osProcess_t;
struct _process {
sigset_t signals;// pending signals
struct _event {
uint32_t status;
union {
void* p;
sigset_t signals;
} value;
} event;
struct {
clock_t timestamp;
clock_t interval;
} wait;
};
#define PROCESS_PTR(x) ((osProcess_t*)(x))
typedef struct os_timer_cb Timer_t;
struct os_timer_cb {
Timer_t * next;
uint32_t timestamp;
uint32_t interval;
uint32_t overrun;
// struct itimerspec ts;
// \see struct sigevent
int sigev_notify; /* Notification type */
union sigval sigev_value;
void (*sigev_notify_function)(union sigval argument);
void* owner;
};
static volatile Timer_t *timer_current = NULL;
#define TIMER_PTR(x) ((Timer_t*)(x))
#define TIMER_ID(x) ((timer_t)(x))
static inline void* timer_next(volatile void** ptr){
Timer_t* item;
do {
item = atomic_pointer_get(ptr);
if (item==NULL){
atomic_free();
break;
}
} while (!atomic_pointer_compare_and_exchange(ptr, item, item->next));
atomic_mb();
return item;
}
#define M1 1000000UL
static inline uint32_t _timespec_to_us(const struct timespec * ts)
{
return ts->tv_sec*M1 + ts->tv_nsec/1000;
}
static inline void _timespec_from_us(struct timespec * ts, uint32_t interval)
{
if (interval < M1)// CLOCKS_PER_SEC
ts->tv_sec = 0;
else {
ts->tv_sec = interval/M1;
interval -= ts->tv_sec*M1;
}
ts->tv_nsec = interval*M1;
}
/*! \defgroup POSIX_TIMERS POSIX: Timers
\ingroup _posix
clock_getres( ), clock_gettime( ), clock_settime( ), nanosleep( ), timer_create( ), timer_delete( ),
timer_getoverrun( ), timer_gettime( ), timer_settime( )
\{
*/
int timer_create (clockid_t clock_id, struct sigevent *restrict event, timer_t *restrict timer_id)
{
Timer_t *tim = NULL;
if(timer_id) tim = TIMER_PTR(*timer_id);
if(tim==NULL) tim = malloc(sizeof(Timer_t));
__builtin_bzero(tim, sizeof(Timer_t));
if (event->sigev_notify == SIGEV_THREAD)
tim->sigev_notify_function = event->sigev_notify_function;
tim->sigev_value = event->sigev_value;
// tim->parent = osThreadGetId();
if (timer_id) *timer_id = TIMER_ID(tim); // преобразует тип в идентификатор
return 0;
}
int timer_delete (timer_t timer_id){
Timer_t * tim = TIMER_PTR(timer_id);
tim->interval = 0;
free(tim);
return 0;
}
int timer_getoverrun(timer_t timer_id){
Timer_t * tim = TIMER_PTR(timer_id);
return tim->overrun;
}
/*!
Вызов timer_gettime() возвращает время до следующего срабатывания таймера timerid и интервал в буфер curr_value. Оставшееся время до следующего срабатывания возвращается в curr_value->it_value; это всегда относительное значение, независимо от того, указывался ли флаг TIMER_ABSTIME при включении таймера. Если значение curr_value->it_value равно нулю, то таймер в данный момент выключен. Интервал таймера возвращается в curr_value->it_interval. Если значение curr_value->it_interval равно нулю, то это «одноразовый» таймер.
*/
int timer_gettime(timer_t timer_id, struct itimerspec * value){
Timer_t * tim = TIMER_PTR(timer_id);
clock_t timestamp = clock();
// Если значение curr_value->it_value равно нулю, то таймер в данный момент выключен.
// если значение меньше нуля?
_timespec_from_us(&value->it_value, tim->interval - (timestamp - tim->timestamp));
_timespec_from_us(&value->it_interval, tim->interval);
return 0;
}
/*!
\param flags
\arg TIMER_ABSTIME если
*/
int timer_settime(timer_t timer_id, int flags, const struct itimerspec *restrict value,
struct itimerspec *restrict ovalue)
{
Timer_t * tim = TIMER_PTR(timer_id);
tim->interval = _timespec_to_us(&value->it_interval);
tim->timestamp = _timespec_to_us(&value->it_value);
if (flags != TIMER_ABSTIME)
tim->timestamp += clock();
if (tim->next==NULL) {
volatile void** ptr = (volatile void**)&timer_current;
Timer_t *next;
do {
next = atomic_pointer_get(ptr);
tim->next = (next==NULL)? tim: next;// на себя циклим
atomic_mb();
} while (!atomic_pointer_compare_and_exchange(ptr, next, tim));
}
return 0;
}
//!\}
/*! \brief системная функция, запускается по системному таймеру
\param timestamp - абсолютное время выражено в микросекундах получено из TIME_MONOTONIC
\todo унифицировать функцию osTimerWork
*/
void osTimerWork2(uint32_t timestamp)
{
Timer_t * timer = timer_next((volatile void **)&timer_current);
if (timer!=NULL && timer->timestamp!=0) {
if ((int32_t)(timestamp - timer->timestamp)>= 0)
{
if (timer->sigev_notify_function)// SIGEV_THREAD
timer->sigev_notify_function(timer->sigev_value);
else
{// SIGEV_SIGNAL
sigset_t flag = 1UL<<timer->sigev_value.sival_int;
sigset_t mask = osSignalSet(timer->owner, 1UL<<timer->sigev_value.sival_int);
if (mask & flag) timer->overrun++;
// если процесс ждет сигнал, то надо передать ему управление
osThreadNotify(timer->owner);
}// есть вариант отсылки сигнала SIGEV_NONE
if (timer->interval) {
timer->timestamp += timer->interval; // время следующего срабатывания.
// переместить таймер в очереди
} else {// удалить таймер
timer->next = NULL;
}
//if (timer->sigev_notify & osTimerOnce) timer_free();// удалить таймер
}
}
}
#if 0
static void svc_handler_sleep(uint32_t microsec) {// завершение треда
thr->status = osEventTimeout; // остановить, атомарно
thr->wait.timestamp = clock();
thr->wait.interval = microsec;
__YIELD();
}
static void svc_handler_exit (thrd_t thr, int res) {// завершение треда
// if (thr->context) -- освободить стек
// mem_pool_free(thr->context);
// if (thr->tss) tss_ -- удалить переменные треда
thr->result = res;// userspace
thr->status = osEventComplete;
//sigqueue(thr->pid, SIGCHLD, thr);
int count = semaphore_leave (thr->sem);// освободить того кто ждет.
if (count!=0) {// detached
}
__YIELD();
}
typedef struct _process osProcess_t;
struct _process {
sigset_t signals;// pending signals
struct _event {
uint32_t status;
union {
void* p;
sigset_t signals;
} value;
} event;
struct {
clock_t timestamp;
clock_t interval;
} wait;
}
volatile osThread_t *thread_current;
volatile osThread_t *thread_next;
atomic_list_next(arg){
volatile void** ptr = arg;
List* thr;
do {
thr = atomic_pointer_get(ptr);
} while(!atomic_pointer_compare_and_exchange(ptr, thr, thr->next));
if (thr)
thread_next = thr;
if (thr->next = status )
}
atomic_list_push(arg, thr){
volatile void** ptr = arg;
do {
thr->next = atomic_pointer_get(ptr);
atomic_mb();
} while(!atomic_pointer_compare_and_exchange(ptr, thr->next, thr));
thr;
}
/* Результат планирования - pid который следует запустить следующим */
void osThreadScheduler(cpu_id)
{
osProcess_t *proc = NULL;
while ((proc = process_next(&prev))!=NULL) { // сделать атомарную выборку
osEvent *event = &proc->event;
if (event->status & osEventRunning) break;
if (event->status & (osEventSignal)) {// ожидаем сигналы
sigset_t signals = proc->signals & event->value.signals;// сделать атомарную выборку
if (signals){
event->status = osEventSignal|osEventRunning;
break;
}
} else
if (event->status & (osEventSemaphore)) {
volatile int* ptr = event->value.p;
int count = semaphore_enter(ptr);
// семафоры должны создаваться в shared memory и видны планировщику
if (count > 0) { // счетчик семафора до входа
event->status = osEventSemaphore|osEventRunning;
break;
}
}
if (event->status & (osEventTimeout)) {
if ((clock_t)(clock() - proc->wait.timestamp) >= proc->wait.timeout){
event->status = osEventTimeout|osEventRunning;
break;
}
}
}
}
void mtx_destroy(mtx_t *mtx){
mtx->count = 0;
}
int mtx_init(mtx_t *mtx, int type){
mtx->count = 1;
return thrd_success;
}
int mtx_lock(mtx_t *mtx){
int count = semaphore_enter(&mtx->count);
if (count>0) return thrd_success;
return osEventWait(osEventSemaphore, &mtx->count);
}
int mtx_timedlock(mtx_t *restrict mtx, const struct timespec *restrict ts){
int count = semaphore_enter(&mtx->count);
if (count>0) return thrd_success;
return osEventTimedWait(osEventSemaphore, &mtx->count, ts);
}
int mtx_trylock(mtx_t *mtx){
int count = semaphore_enter(&mtx->count);
return (count>0)? thrd_success: thrd_busy;
}
int mtx_unlock(mtx_t *mtx){
semaphore_leave(&mtx->count);
return thrd_success;
}
int cnd_broadcast(cnd_t *cond){
mtx_t *mtx;
while ((mtx = atomic_list_pop(cond))!=NULL)
mtx_unlock(mtx);
return thrd_success;
}
void cnd_destroy(cnd_t *cond){
mtx_t *mtx;
while ((mtx = atomic_list_pop(cond))!=NULL)
mtx_unlock(mtx);
}
int cnd_init(cnd_t *cond){
*(volatile void**)cond=NULL;
return thrd_success;
}
int cnd_signal(cnd_t *cond){
mtx_t* mtx = atomic_list_pop(cond);
if (mtx==NULL) return thrd_success;
return mtx_unlock(mtx);
}
int cnd_timedwait(cnd_t *restrict cond, mtx_t *restrict mtx, const struct timespec *restrict ts){
atomic_list_push(cond, mtx);
return osEventTimedWait(osEventSemaphore, &mtx->count, ts);
}
int cnd_wait(cnd_t *cond, mtx_t *mtx){
atomic_list_push(cond, mtx);
return osEventWait(osEventSemaphore, &mtx->count);
}
/*!
Ожидаем завершения множества тредов
Один процесс может представлять флаг для нескольких
*/
// выделение флагов
osEventWait(osEventSemaphore, &flags->sem);// ждем доступность флага
do{
flag_id = __builtin_ctz(~map);// индекс флага
map |= (1<<flag_id);
}
flag_usage[flag_id]++;
// назначение флагов при запуске треда
thr->atexit() = ;
// завершение процесса
atomic_fetch_or(&parent->signals, 1<<thr->sig_no);// по умолчанию SIGCHLD
// ожидание
osEventWait(osEventSignalAny, map);
// дождались завершения одного из процессов
Просматриваем очередь вперед.
mask |= 1<<flag_id;
osEventWait(osEventSignalAll, mask); // все сигналы из маски
// не все флаги ждем, есть забытые флаги не использованные
// освобождение флагов
while (mask) {
flag_id = __builtin_ctz(mask);// индекс флага
if((--flag_usage[flag_id])==0){
flags->map ^= 1<<flag_id;
flags->sem++;// semaphore_leave(flags->sem);//
}
mask ^= 1<<flag_id;
}
/*! ThreadPool */
sem_init(pool->slots, N);
// запуск
sem_wait(slot);
thrd_create(thr, pool->func, data);
thrd_detach(thr);
// При завершении загружается следующий блок данных
atexit:// этот путь быстрее, эффективнее
// число одновременных процессов
work = queue_next(pool->queue);
thr->arg = work->data;
work->res = thr->func(work->data);
// чередь с множеством
// чтение
do {
head = atomic_get(ptr);
if (head==NULL) {
atomic_clear();
tail= ptr; atomic_get(&queue->tail);
if (tail == )
break;
}
} while (!cas(ptr, head, head->next)); // без изменения
if (head->next==NULL)
//запись в очередь
ptr = tail;
do {
while (item = atomic_pointer_get(ptr)!=NULL)
*ptr = &item->next;
} while (!cas(ptr, NULL, next)); // без изменения
#endif