-
Notifications
You must be signed in to change notification settings - Fork 297
New issue
Have a question about this project? Sign up for a free GitHub account to open an issue and contact its maintainers and the community.
By clicking “Sign up for GitHub”, you agree to our terms of service and privacy statement. We’ll occasionally send you account related emails.
Already on GitHub? Sign in to your account
aya: Implement .kconfig support #1017
Open
davibe
wants to merge
7
commits into
aya-rs:main
Choose a base branch
from
davibe:feature/kconfig-support
base: main
Could not load branches
Branch not found: {{ refName }}
Loading
Could not load tags
Nothing to show
Loading
Are you sure you want to change the base?
Some commits from the old base branch may be removed from the timeline,
and old review comments may become outdated.
Open
Changes from all commits
Commits
Show all changes
7 commits
Select commit
Hold shift + click to select a range
f66a1b8
aya: Implement .kconfig support
davibe 9ce9fec
Autoload kernel config in the integration vm runner
davibe c6b0e69
Update public-api
davibe 457b57a
Cleanup
davibe 04d9921
Improve failure loggin when reading kernel config
davibe d95a456
Fix kconfig symbol address
davibe 8179853
Fix kconfig string loading
davibe File filter
Filter by extension
Conversations
Failed to load comments.
Loading
Jump to
Jump to file
Failed to load files.
Loading
Diff view
Diff view
There are no files selected for viewing
This file contains bidirectional Unicode text that may be interpreted or compiled differently than what appears below. To review, open the file in an editor that reveals hidden Unicode characters.
Learn more about bidirectional Unicode characters
This file contains bidirectional Unicode text that may be interpreted or compiled differently than what appears below. To review, open the file in an editor that reveals hidden Unicode characters.
Learn more about bidirectional Unicode characters
Original file line number | Diff line number | Diff line change |
---|---|---|
|
@@ -18,11 +18,12 @@ use crate::{ | |
info::{FuncSecInfo, LineSecInfo}, | ||
relocation::Relocation, | ||
Array, BtfEnum, BtfKind, BtfMember, BtfType, Const, Enum, FuncInfo, FuncLinkage, Int, | ||
IntEncoding, LineInfo, Struct, Typedef, Union, VarLinkage, | ||
IntEncoding, LineInfo, Struct, Typedef, Union, Var, VarLinkage, | ||
}, | ||
generated::{btf_ext_header, btf_header}, | ||
generated::{bpf_map_type, btf_ext_header, btf_header, BPF_F_RDONLY_PROG}, | ||
maps::{bpf_map_def, LegacyMap}, | ||
util::{bytes_of, HashMap}, | ||
Object, | ||
EbpfSectionKind, Map, Object, | ||
}; | ||
|
||
pub(crate) const MAX_RESOLVE_DEPTH: u8 = 32; | ||
|
@@ -157,6 +158,20 @@ pub enum BtfError { | |
/// unable to get symbol name | ||
#[error("Unable to get symbol name")] | ||
InvalidSymbolName, | ||
|
||
/// external symbol is invalid | ||
#[error("Invalid extern symbol `{symbol_name}`")] | ||
InvalidExternalSymbol { | ||
/// name of the symbol | ||
symbol_name: String, | ||
}, | ||
|
||
/// external symbol not found | ||
#[error("Extern symbol not found `{symbol_name}`")] | ||
ExternalSymbolNotFound { | ||
/// name of the symbol | ||
symbol_name: String, | ||
}, | ||
} | ||
|
||
/// Available BTF features | ||
|
@@ -463,6 +478,57 @@ impl Btf { | |
}) | ||
} | ||
|
||
pub(crate) fn type_align(&self, root_type_id: u32) -> Result<usize, BtfError> { | ||
let mut type_id = root_type_id; | ||
for _ in 0..MAX_RESOLVE_DEPTH { | ||
let ty = self.types.type_by_id(type_id)?; | ||
let size = match ty { | ||
BtfType::Array(Array { array, .. }) => { | ||
type_id = array.element_type; | ||
continue; | ||
} | ||
BtfType::Struct(Struct { size, members, .. }) | ||
| BtfType::Union(Union { size, members, .. }) => { | ||
let mut max_align = 1; | ||
|
||
for m in members { | ||
let align = self.type_align(m.btf_type)?; | ||
max_align = usize::max(align, max_align); | ||
|
||
if ty.member_bit_field_size(m).unwrap() == 0 | ||
|| m.offset % (8 * align as u32) != 0 | ||
{ | ||
return Ok(1); | ||
} | ||
} | ||
|
||
if size % max_align as u32 != 0 { | ||
return Ok(1); | ||
} | ||
|
||
return Ok(max_align); | ||
} | ||
|
||
other => { | ||
if let Some(size) = other.size() { | ||
u32::min(BtfType::ptr_size(), size) | ||
} else if let Some(next) = other.btf_type() { | ||
type_id = next; | ||
continue; | ||
} else { | ||
return Err(BtfError::UnexpectedBtfType { type_id }); | ||
} | ||
} | ||
}; | ||
|
||
return Ok(size as usize); | ||
} | ||
|
||
Err(BtfError::MaximumTypeDepthReached { | ||
type_id: root_type_id, | ||
}) | ||
} | ||
|
||
/// Encodes the metadata as BTF format | ||
pub fn to_bytes(&self) -> Vec<u8> { | ||
// Safety: btf_header is POD | ||
|
@@ -473,6 +539,38 @@ impl Btf { | |
buf | ||
} | ||
|
||
pub(crate) fn get_extern_data_sec_entry_info( | ||
&self, | ||
target_var_name: &str, | ||
) -> Result<(String, Var), BtfError> { | ||
for t in &self.types.types { | ||
let BtfType::DataSec(d) = t else { | ||
continue; | ||
}; | ||
davibe marked this conversation as resolved.
Show resolved
Hide resolved
|
||
let sec_name = self.string_at(d.name_offset)?; | ||
|
||
for d in &d.entries { | ||
let BtfType::Var(var) = self.types.type_by_id(d.btf_type)? else { | ||
continue; | ||
}; | ||
|
||
if target_var_name == self.string_at(var.name_offset)? { | ||
if var.linkage == VarLinkage::Extern { | ||
return Ok((sec_name.into(), var.clone())); | ||
} else { | ||
return Err(BtfError::InvalidExternalSymbol { | ||
symbol_name: target_var_name.into(), | ||
}); | ||
} | ||
} | ||
} | ||
} | ||
|
||
Err(BtfError::ExternalSymbolNotFound { | ||
symbol_name: target_var_name.into(), | ||
}) | ||
} | ||
|
||
// This follows the same logic as libbpf's bpf_object__sanitize_btf() function. | ||
// https://github.com/libbpf/libbpf/blob/05f94ddbb837f5f4b3161e341eed21be307eaa04/src/libbpf.c#L2701 | ||
// | ||
|
@@ -610,6 +708,14 @@ impl Btf { | |
} | ||
}; | ||
e.offset = *offset as u32; | ||
|
||
if var.linkage == VarLinkage::Extern { | ||
davibe marked this conversation as resolved.
Show resolved
Hide resolved
|
||
let mut var = var.clone(); | ||
var.linkage = VarLinkage::Global; | ||
|
||
types.types[e.btf_type as usize] = BtfType::Var(var); | ||
} | ||
|
||
debug!( | ||
"{} {}: VAR {}: fixup offset {}", | ||
kind, name, var_name, offset | ||
|
@@ -730,6 +836,107 @@ impl Default for Btf { | |
} | ||
|
||
impl Object { | ||
fn patch_extern_data_internal( | ||
&mut self, | ||
externs: &HashMap<String, Vec<u8>>, | ||
) -> Result<Option<(SectionIndex, Vec<u8>)>, BtfError> { | ||
if let Some(ref mut obj_btf) = &mut self.btf { | ||
if obj_btf.is_empty() { | ||
return Ok(None); | ||
} | ||
|
||
let mut kconfig_map_index = 0; | ||
There was a problem hiding this comment. Choose a reason for hiding this commentThe reason will be displayed to describe this comment to others. Learn more. What is going on here? This is overridden at line 856? |
||
|
||
for map in self.maps.values() { | ||
if map.section_index() >= kconfig_map_index { | ||
kconfig_map_index = map.section_index() + 1; | ||
} | ||
} | ||
|
||
let kconfig_map_index = self.maps.len(); | ||
|
||
let symbols = self | ||
.symbol_table | ||
.iter_mut() | ||
.filter(|(_, s)| s.name.is_some() && s.section_index.is_none() && s.is_external) | ||
.map(|(_, s)| (s.name.as_ref().unwrap().clone(), s)); | ||
|
||
let mut section_data = Vec::<u8>::new(); | ||
let mut offset = 0u64; | ||
let mut has_extern_data = false; | ||
|
||
for (name, symbol) in symbols { | ||
let (datasec_name, var) = obj_btf.get_extern_data_sec_entry_info(&name)?; | ||
|
||
if datasec_name == ".kconfig" { | ||
has_extern_data = true; | ||
|
||
let type_size = obj_btf.type_size(var.btf_type)?; | ||
let type_align = obj_btf.type_align(var.btf_type)? as u64; | ||
|
||
let mut external_value_opt = externs.get(&name); | ||
let empty_data = vec![0; type_size]; | ||
|
||
if external_value_opt.is_none() && symbol.is_weak { | ||
external_value_opt = Some(&empty_data); | ||
} | ||
|
||
if let Some(data) = external_value_opt { | ||
symbol.address = (offset + (type_align - 1)) & !(type_align - 1); | ||
symbol.size = type_size as u64; | ||
symbol.section_index = Some(kconfig_map_index); | ||
|
||
section_data.resize((symbol.address - offset) as usize, 0); | ||
|
||
self.symbol_offset_by_name.insert(name, symbol.address); | ||
offset = symbol.address + section_data.len() as u64; | ||
section_data.extend(data); | ||
} else { | ||
return Err(BtfError::ExternalSymbolNotFound { symbol_name: name }); | ||
} | ||
} | ||
} | ||
|
||
if has_extern_data { | ||
self.section_infos.insert( | ||
".kconfig".into(), | ||
(SectionIndex(kconfig_map_index), section_data.len() as u64), | ||
); | ||
|
||
return Ok(Some((SectionIndex(kconfig_map_index), section_data))); | ||
} | ||
} | ||
Ok(None) | ||
} | ||
|
||
/// Patches extern data | ||
pub fn patch_extern_data( | ||
&mut self, | ||
externs: &HashMap<String, Vec<u8>>, | ||
) -> Result<(), BtfError> { | ||
if let Some((section_index, data)) = self.patch_extern_data_internal(externs)? { | ||
self.maps.insert( | ||
".kconfig".into(), | ||
Map::Legacy(LegacyMap { | ||
def: bpf_map_def { | ||
map_type: bpf_map_type::BPF_MAP_TYPE_ARRAY as u32, | ||
key_size: mem::size_of::<u32>() as u32, | ||
value_size: data.len() as u32, | ||
max_entries: 1, | ||
map_flags: BPF_F_RDONLY_PROG, | ||
..Default::default() | ||
}, | ||
section_index: section_index.0, | ||
section_kind: EbpfSectionKind::Rodata, | ||
symbol_index: None, | ||
data, | ||
}), | ||
); | ||
} | ||
|
||
Ok(()) | ||
} | ||
|
||
/// Fixes up and sanitizes BTF data. | ||
/// | ||
/// Mostly, it removes unsupported types and works around LLVM behaviours. | ||
|
This file contains bidirectional Unicode text that may be interpreted or compiled differently than what appears below. To review, open the file in an editor that reveals hidden Unicode characters.
Learn more about bidirectional Unicode characters
This file contains bidirectional Unicode text that may be interpreted or compiled differently than what appears below. To review, open the file in an editor that reveals hidden Unicode characters.
Learn more about bidirectional Unicode characters
This file contains bidirectional Unicode text that may be interpreted or compiled differently than what appears below. To review, open the file in an editor that reveals hidden Unicode characters.
Learn more about bidirectional Unicode characters
This file contains bidirectional Unicode text that may be interpreted or compiled differently than what appears below. To review, open the file in an editor that reveals hidden Unicode characters.
Learn more about bidirectional Unicode characters
Oops, something went wrong.
Add this suggestion to a batch that can be applied as a single commit.
This suggestion is invalid because no changes were made to the code.
Suggestions cannot be applied while the pull request is closed.
Suggestions cannot be applied while viewing a subset of changes.
Only one suggestion per line can be applied in a batch.
Add this suggestion to a batch that can be applied as a single commit.
Applying suggestions on deleted lines is not supported.
You must change the existing code in this line in order to create a valid suggestion.
Outdated suggestions cannot be applied.
This suggestion has been applied or marked resolved.
Suggestions cannot be applied from pending reviews.
Suggestions cannot be applied on multi-line comments.
Suggestions cannot be applied while the pull request is queued to merge.
Suggestion cannot be applied right now. Please check back later.
There was a problem hiding this comment.
Choose a reason for hiding this comment
The reason will be displayed to describe this comment to others. Learn more.
Perf wise this isn't great, as we iterate all the types for each kconfig symbol.
We should probably do one pass where we find the datasecs, then only scan those?