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
//! # nom-kconfig
//!
//! A parser for kconfig files. The parsing is done with [nom](https://github.com/rust-bakery/nom).
//!
//! ```no_run
//! use std::path::PathBuf;
//! use nom_kconfig::{parse_kconfig, KconfigInput, KconfigFile};
//!
//! // curl https://cdn.kernel.org/pub/linux/kernel/v6.x/linux-6.4.9.tar.xz | tar -xJ -C /tmp/
//! fn main() -> Result<(), Box<dyn std::error::Error>> {
//! let kconfig_file = KconfigFile::new(
//! PathBuf::from("/tmp/linux-6.4.9"),
//! PathBuf::from("/tmp/linux-6.4.9/Kconfig")
//! );
//! let input = kconfig_file.read_to_string().unwrap();
//! let kconfig = parse_kconfig(KconfigInput::new_extra(&input, kconfig_file));
//! println!("{:?}", kconfig);
//! Ok(())
//! }
//! ```
use nom_locate::LocatedSpan;
use std::path::PathBuf;
use std::{fs, io};
pub mod attribute;
pub mod entry;
pub mod kconfig;
pub mod symbol;
pub mod util;
pub use self::attribute::Attribute;
pub use self::entry::Entry;
pub use self::kconfig::{parse_kconfig, Kconfig};
pub use self::symbol::Symbol;
/// [KconfigInput] is a struct gathering a [KconfigFile] and its associated content.
pub type KconfigInput<'a> = LocatedSpan<&'a str, KconfigFile>;
/// Represents a Kconfig file.
/// It stores the kernel root directory because we need this information when a [`source`](https://www.kernel.org/doc/html/next/kbuild/kconfig-language.html#kconfig-syntax) keyword is met.
#[derive(Debug, Default, Clone)]
pub struct KconfigFile {
/// The absolute path of the kernel root directory. This field is necessary to parse [`source`](https://www.kernel.org/doc/html/next/kbuild/kconfig-language.html#kconfig-syntax) entry.
root_dir: PathBuf,
/// The path the the Kconfig you want to parse.
file: PathBuf,
}
impl KconfigFile {
pub fn new(root_dir: PathBuf, file: PathBuf) -> Self {
Self { root_dir, file }
}
pub fn full_path(&self) -> PathBuf {
self.root_dir.join(&self.file)
}
pub fn read_to_string(&self) -> io::Result<String> {
fs::read_to_string(self.full_path())
}
}
#[cfg(test)]
pub mod kconfig_test;
#[cfg(test)]
pub mod lib_test;
#[cfg(test)]
pub mod symbol_test;
#[cfg(test)]
pub mod util_test;
#[macro_export]
macro_rules! assert_parsing_eq {
($fn:ident, $input:expr, $expected:expr) => {{
use $crate::KconfigInput;
let res = $fn(KconfigInput::new_extra($input, Default::default()))
.map(|r| (r.0.fragment().to_owned(), r.1));
assert_eq!(res, $expected)
}};
}