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
extern crate proc_macro;
use TokenStream;
/// Attribute applicable to structs that turns them into bitfield structs.
///
/// Generates getters and setters for all fields in the struct.
/// Can be used modularily in combination with enums that derive from `BitfieldSpecifier`
/// via `#[derive(BitfieldSpecifier)].
///
/// Also generates a simple constructor `new` that initializes all bits to `0`.
///
/// It is possible to attach `#[bits = N]` attribute to struct fields to assert that
/// they are of size N bits.
///
/// ## Example
///
/// ```
/// use modular_bitfield::prelude::*;
///
/// #[bitfield]
/// struct Example {
/// a: B1, // Uses 1 bit
/// #[bits = 7] // Optional, just asserts that B7 uses exactly 7 bits.
/// b: B7, // Uses 7 bits
/// c: B24, // Uses 24 bits
/// }
///
/// fn main() {
/// let mut example = Example::new();
/// assert_eq!(example.get_a(), 0);
/// assert_eq!(example.get_b(), 0);
/// assert_eq!(example.get_c(), 0);
/// example.set_a(1);
/// example.set_b(0b0100_0000);
/// example.set_c(1337);
/// assert_eq!(example.get_a(), 1);
/// assert_eq!(example.get_b(), 0b0100_0000);
/// assert_eq!(example.get_c(), 1337);
/// }
/// ```
/// Derive macro for enums.
///
/// Generates code for enums to make them usable within `#[bitfield]` structs.
/// Performs compile-time checks to validate that the enum is usable as bitfield specifier.
///
/// ## Example
///
/// ```
/// use modular_bitfield::prelude::*;
///
/// #[bitfield]
/// struct Example {
/// a: bool, // Uses 1 bit
/// b: Mode, // Has 4 variants => uses 2 bits
/// c: B5, // Uses 5 bits
/// d: B24, // Uses 24 bits
/// }
///
/// #[derive(BitfieldSpecifier)]
/// enum Mode {
/// Sleep,
/// Awake,
/// Working,
/// Lazy,
/// }
///
/// fn main() {
/// let mut example = Example::new();
/// assert_eq!(example.get_a(), false); // `false as u8` is 0
/// assert_eq!(example.get_b(), Mode::Sleep);
/// example.set_a(true);
/// example.set_b(Mode::Awake);
/// assert_eq!(example.get_a(), true); // `true as u8` is 1
/// assert_eq!(example.get_b(), Mode::Awake);
/// }
/// ```