-
Notifications
You must be signed in to change notification settings - Fork 1
/
Copy pathmutex_alternating_tasks.c
93 lines (76 loc) · 1.92 KB
/
mutex_alternating_tasks.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
/*
* SPDX-License-Identifier: GPL-3.0-only
* This file is part of Lazuli.
*/
/**
* @file
* @brief Mutexes demonstration program.
* @copyright 2019-2020, Remi Andruccioli <[email protected]>
*
* Example program to demonstrate the use of mutexes in Lazuli.
*
* This program satisfies the following specification:
*
* "Write a multithreaded program that prints a sequence of characters like
* this: A, B, A, B, A, B...
* Synchronize properly so it never prints the same character more than once
* in a row."
*
* It is written after this blog post:
* https://blog.vorbrodt.me/2019/02/10/interview-question-part-1/
*/
#include <stdint.h>
#include <stdio.h>
#include <Lazuli/common.h>
#include <Lazuli/lazuli.h>
#include <Lazuli/mutex.h>
#include <Lazuli/serial.h>
DEPENDENCY_ON_MODULE(SERIAL);
DEPENDENCY_ON_MODULE(MUTEX);
/*
* Define the number of iterations for each loop.
*/
static const uint8_t LOOP_N = 10;
/*
* Define the mutexes associated with each task.
*/
static Lz_Mutex mutexA = LZ_MUTEX_INIT_LOCKED;
static Lz_Mutex mutexB = LZ_MUTEX_INIT_LOCKED;
static void
TaskA(void)
{
uint8_t i;
for (i = 0; i < LOOP_N; ++i) {
Lz_Mutex_Lock(&mutexA);
puts("A" LZ_CONFIG_SERIAL_NEWLINE);
Lz_Mutex_Unlock(&mutexB);
}
}
static void
TaskB(void)
{
uint8_t i;
Lz_Mutex_Unlock(&mutexA);
for (i = 0; i < LOOP_N; ++i) {
Lz_Mutex_Lock(&mutexB);
puts("B" LZ_CONFIG_SERIAL_NEWLINE);
Lz_Mutex_Unlock(&mutexA);
}
}
static void
EnableSerialTransmission(void) {
Lz_SerialConfiguration serialConfiguration;
Lz_Serial_GetConfiguration(&serialConfiguration);
serialConfiguration.enableFlags = LZ_SERIAL_ENABLE_TRANSMIT;
serialConfiguration.speed = LZ_SERIAL_SPEED_19200;
Lz_Serial_SetConfiguration(&serialConfiguration);
}
void
main(void)
{
EnableSerialTransmission();
Lz_RegisterTask(TaskA, NULL);
Lz_RegisterTask(TaskB, NULL);
puts(LZ_CONFIG_SERIAL_NEWLINE);
Lz_Run();
}