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
|
// SPDX-License-Identifier: GPL-2.0
//! CPU frequency scaling.
//!
//! This module provides rust abstractions for interacting with the cpufreq subsystem.
//!
//! C header: [`include/linux/cpufreq.h`](srctree/include/linux/cpufreq.h)
//!
//! Reference: <https://docs.kernel.org/admin-guide/pm/cpufreq.html>
use crate::{
clk::Hertz,
error::{code::*, to_result, Result},
ffi::c_ulong,
prelude::*,
types::Opaque,
};
use core::{ops::Deref, pin::Pin};
/// Default transition latency value in nanoseconds.
pub const ETERNAL_LATENCY_NS: u32 = bindings::CPUFREQ_ETERNAL as u32;
/// CPU frequency driver flags.
pub mod flags {
/// Driver needs to update internal limits even if frequency remains unchanged.
pub const NEED_UPDATE_LIMITS: u16 = 1 << 0;
/// Platform where constants like `loops_per_jiffy` are unaffected by frequency changes.
pub const CONST_LOOPS: u16 = 1 << 1;
/// Register driver as a thermal cooling device automatically.
pub const IS_COOLING_DEV: u16 = 1 << 2;
/// Supports multiple clock domains with per-policy governors in `cpu/cpuN/cpufreq/`.
pub const HAVE_GOVERNOR_PER_POLICY: u16 = 1 << 3;
/// Allows post-change notifications outside of the `target()` routine.
pub const ASYNC_NOTIFICATION: u16 = 1 << 4;
/// Ensure CPU starts at a valid frequency from the driver's freq-table.
pub const NEED_INITIAL_FREQ_CHECK: u16 = 1 << 5;
/// Disallow governors with `dynamic_switching` capability.
pub const NO_AUTO_DYNAMIC_SWITCHING: u16 = 1 << 6;
}
/// Relations from the C code.
const CPUFREQ_RELATION_L: u32 = 0;
const CPUFREQ_RELATION_H: u32 = 1;
const CPUFREQ_RELATION_C: u32 = 2;
/// Can be used with any of the above values.
const CPUFREQ_RELATION_E: u32 = 1 << 2;
/// CPU frequency selection relations.
///
/// CPU frequency selection relations, each optionally marked as "efficient".
#[derive(Copy, Clone, Debug, Eq, PartialEq)]
pub enum Relation {
/// Select the lowest frequency at or above target.
Low(bool),
/// Select the highest frequency below or at target.
High(bool),
/// Select the closest frequency to the target.
Close(bool),
}
impl Relation {
// Construct from a C-compatible `u32` value.
fn new(val: u32) -> Result<Self> {
let efficient = val & CPUFREQ_RELATION_E != 0;
Ok(match val & !CPUFREQ_RELATION_E {
CPUFREQ_RELATION_L => Self::Low(efficient),
CPUFREQ_RELATION_H => Self::High(efficient),
CPUFREQ_RELATION_C => Self::Close(efficient),
_ => return Err(EINVAL),
})
}
}
impl From<Relation> for u32 {
// Convert to a C-compatible `u32` value.
fn from(rel: Relation) -> Self {
let (mut val, efficient) = match rel {
Relation::Low(e) => (CPUFREQ_RELATION_L, e),
Relation::High(e) => (CPUFREQ_RELATION_H, e),
Relation::Close(e) => (CPUFREQ_RELATION_C, e),
};
if efficient {
val |= CPUFREQ_RELATION_E;
}
val
}
}
/// Policy data.
///
/// Rust abstraction for the C `struct cpufreq_policy_data`.
///
/// # Invariants
///
/// A [`PolicyData`] instance always corresponds to a valid C `struct cpufreq_policy_data`.
///
/// The callers must ensure that the `struct cpufreq_policy_data` is valid for access and remains
/// valid for the lifetime of the returned reference.
#[repr(transparent)]
pub struct PolicyData(Opaque<bindings::cpufreq_policy_data>);
impl PolicyData {
/// Creates a mutable reference to an existing `struct cpufreq_policy_data` pointer.
///
/// # Safety
///
/// The caller must ensure that `ptr` is valid for writing and remains valid for the lifetime
/// of the returned reference.
#[inline]
pub unsafe fn from_raw_mut<'a>(ptr: *mut bindings::cpufreq_policy_data) -> &'a mut Self {
// SAFETY: Guaranteed by the safety requirements of the function.
//
// INVARIANT: The caller ensures that `ptr` is valid for writing and remains valid for the
// lifetime of the returned reference.
unsafe { &mut *ptr.cast() }
}
/// Returns a raw pointer to the underlying C `cpufreq_policy_data`.
#[inline]
pub fn as_raw(&self) -> *mut bindings::cpufreq_policy_data {
let this: *const Self = self;
this.cast_mut().cast()
}
/// Wrapper for `cpufreq_generic_frequency_table_verify`.
#[inline]
pub fn generic_verify(&self) -> Result {
// SAFETY: By the type invariant, the pointer stored in `self` is valid.
to_result(unsafe { bindings::cpufreq_generic_frequency_table_verify(self.as_raw()) })
}
}
/// The frequency table index.
///
/// Represents index with a frequency table.
///
/// # Invariants
///
/// The index must correspond to a valid entry in the [`Table`] it is used for.
#[derive(Copy, Clone, PartialEq, Eq, Debug)]
pub struct TableIndex(usize);
impl TableIndex {
/// Creates an instance of [`TableIndex`].
///
/// # Safety
///
/// The caller must ensure that `index` correspond to a valid entry in the [`Table`] it is used
/// for.
pub unsafe fn new(index: usize) -> Self {
// INVARIANT: The caller ensures that `index` correspond to a valid entry in the [`Table`].
Self(index)
}
}
impl From<TableIndex> for usize {
#[inline]
fn from(index: TableIndex) -> Self {
index.0
}
}
/// CPU frequency table.
///
/// Rust abstraction for the C `struct cpufreq_frequency_table`.
///
/// # Invariants
///
/// A [`Table`] instance always corresponds to a valid C `struct cpufreq_frequency_table`.
///
/// The callers must ensure that the `struct cpufreq_frequency_table` is valid for access and
/// remains valid for the lifetime of the returned reference.
///
/// ## Examples
///
/// The following example demonstrates how to read a frequency value from [`Table`].
///
/// ```
/// use kernel::cpufreq::{Policy, TableIndex};
///
/// fn show_freq(policy: &Policy) -> Result {
/// let table = policy.freq_table()?;
///
/// // SAFETY: Index is a valid entry in the table.
/// let index = unsafe { TableIndex::new(0) };
///
/// pr_info!("The frequency at index 0 is: {:?}\n", table.freq(index)?);
/// pr_info!("The flags at index 0 is: {}\n", table.flags(index));
/// pr_info!("The data at index 0 is: {}\n", table.data(index));
/// Ok(())
/// }
/// ```
#[repr(transparent)]
pub struct Table(Opaque<bindings::cpufreq_frequency_table>);
impl Table {
/// Creates a reference to an existing C `struct cpufreq_frequency_table` pointer.
///
/// # Safety
///
/// The caller must ensure that `ptr` is valid for reading and remains valid for the lifetime
/// of the returned reference.
#[inline]
pub unsafe fn from_raw<'a>(ptr: *const bindings::cpufreq_frequency_table) -> &'a Self {
// SAFETY: Guaranteed by the safety requirements of the function.
//
// INVARIANT: The caller ensures that `ptr` is valid for reading and remains valid for the
// lifetime of the returned reference.
unsafe { &*ptr.cast() }
}
/// Returns the raw mutable pointer to the C `struct cpufreq_frequency_table`.
#[inline]
pub fn as_raw(&self) -> *mut bindings::cpufreq_frequency_table {
let this: *const Self = self;
this.cast_mut().cast()
}
/// Returns frequency at `index` in the [`Table`].
#[inline]
pub fn freq(&self, index: TableIndex) -> Result<Hertz> {
// SAFETY: By the type invariant, the pointer stored in `self` is valid and `index` is
// guaranteed to be valid by its safety requirements.
Ok(Hertz::from_khz(unsafe {
(*self.as_raw().add(index.into())).frequency.try_into()?
}))
}
/// Returns flags at `index` in the [`Table`].
#[inline]
pub fn flags(&self, index: TableIndex) -> u32 {
// SAFETY: By the type invariant, the pointer stored in `self` is valid and `index` is
// guaranteed to be valid by its safety requirements.
unsafe { (*self.as_raw().add(index.into())).flags }
}
/// Returns data at `index` in the [`Table`].
#[inline]
pub fn data(&self, index: TableIndex) -> u32 {
// SAFETY: By the type invariant, the pointer stored in `self` is valid and `index` is
// guaranteed to be valid by its safety requirements.
unsafe { (*self.as_raw().add(index.into())).driver_data }
}
}
/// CPU frequency table owned and pinned in memory, created from a [`TableBuilder`].
pub struct TableBox {
entries: Pin<KVec<bindings::cpufreq_frequency_table>>,
}
impl TableBox {
/// Constructs a new [`TableBox`] from a [`KVec`] of entries.
///
/// # Errors
///
/// Returns `EINVAL` if the entries list is empty.
#[inline]
fn new(entries: KVec<bindings::cpufreq_frequency_table>) -> Result<Self> {
if entries.is_empty() {
return Err(EINVAL);
}
Ok(Self {
// Pin the entries to memory, since we are passing its pointer to the C code.
entries: Pin::new(entries),
})
}
/// Returns a raw pointer to the underlying C `cpufreq_frequency_table`.
#[inline]
fn as_raw(&self) -> *const bindings::cpufreq_frequency_table {
// The pointer is valid until the table gets dropped.
self.entries.as_ptr()
}
}
impl Deref for TableBox {
type Target = Table;
fn deref(&self) -> &Self::Target {
// SAFETY: The caller owns TableBox, it is safe to deref.
unsafe { Self::Target::from_raw(self.as_raw()) }
}
}
/// CPU frequency table builder.
///
/// This is used by the CPU frequency drivers to build a frequency table dynamically.
///
/// ## Examples
///
/// The following example demonstrates how to create a CPU frequency table.
///
/// ```
/// use kernel::cpufreq::{TableBuilder, TableIndex};
/// use kernel::clk::Hertz;
///
/// let mut builder = TableBuilder::new();
///
/// // Adds few entries to the table.
/// builder.add(Hertz::from_mhz(700), 0, 1).unwrap();
/// builder.add(Hertz::from_mhz(800), 2, 3).unwrap();
/// builder.add(Hertz::from_mhz(900), 4, 5).unwrap();
/// builder.add(Hertz::from_ghz(1), 6, 7).unwrap();
///
/// let table = builder.to_table().unwrap();
///
/// // SAFETY: Index values correspond to valid entries in the table.
/// let (index0, index2) = unsafe { (TableIndex::new(0), TableIndex::new(2)) };
///
/// assert_eq!(table.freq(index0), Ok(Hertz::from_mhz(700)));
/// assert_eq!(table.flags(index0), 0);
/// assert_eq!(table.data(index0), 1);
///
/// assert_eq!(table.freq(index2), Ok(Hertz::from_mhz(900)));
/// assert_eq!(table.flags(index2), 4);
/// assert_eq!(table.data(index2), 5);
/// ```
#[derive(Default)]
#[repr(transparent)]
pub struct TableBuilder {
entries: KVec<bindings::cpufreq_frequency_table>,
}
impl TableBuilder {
/// Creates a new instance of [`TableBuilder`].
#[inline]
pub fn new() -> Self {
Self {
entries: KVec::new(),
}
}
/// Adds a new entry to the table.
pub fn add(&mut self, freq: Hertz, flags: u32, driver_data: u32) -> Result {
// Adds the new entry at the end of the vector.
Ok(self.entries.push(
bindings::cpufreq_frequency_table {
flags,
driver_data,
frequency: freq.as_khz() as u32,
},
GFP_KERNEL,
)?)
}
/// Consumes the [`TableBuilder`] and returns [`TableBox`].
pub fn to_table(mut self) -> Result<TableBox> {
// Add last entry to the table.
self.add(Hertz(c_ulong::MAX), 0, 0)?;
TableBox::new(self.entries)
}
}
|