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 366 367 368 369 370 371 372 373 374 375 376 377 378 379 380 381 382 383 384 385 386 387 388 389 390 391 392 393 394 395 396 397 398 399 400 401 402 403 404 405 406 407 408 409 410 411 412 413 414 415 416 417 418 419 420 421 422 423 424 425 426 427 428 429 430 431 432 433 434 435 436 437 438 439 440 441 442 443 444 445 446 447 448 449 450 451 452 453 454 455 456 457 458 459 460 461 462 463 464 465 466 467 468 469 470 471 472 473 474 475 476 477 478 479 480 481 482 483 484 485 486 487 488 489 490 491 492 493 494 495 496 497 498 499 500 501
//! Crate autosar-data
//!
//! This crate provides functionality to read, modify and write Autosar arxml files,
//! both separately and in projects consisting of multiple files.
//!
//! Features:
//!
//! - read and write arxml files
//! - fully validate all data when it is loaded
//! - non-strict mode so that invalid but structurally sound data can be loaded
//! - various element operations to modify and create sub-elements, data and attributes
//! - support for Autosar paths and cross references
//! - all operations are thread safe, e.g. it is possible to load mutliple files on separate threads
//!
//! # Examples
//!
//! ```no_run
//! use autosar_data::*;
//! # fn main() -> Result<(), AutosarDataError> {
//! /* load a multi-file data model */
//! let model = AutosarModel::new();
//! let (file_1, warnings_1) = model.load_file("some_file.arxml", false)?;
//! let (file_2, warnings_2) = model.load_file("other_file.arxml", false)?;
//! /* load a buffer */
//! # let buffer = b"";
//! let (file_3, _) = model.load_buffer(buffer, "filename.arxml", true)?;
//!
//! /* write all files of the model */
//! model.write()?;
//!
//! /* alternatively: */
//! for file in model.files() {
//! let file_data = file.serialize();
//! // do something with file_data
//! }
//!
//! /* iterate over all elements in all files */
//! for (depth, element) in model.elements_dfs() {
//! if element.is_identifiable() {
//! /* the element is identifiable using an Autosar path */
//! println!("{depth}: {}, {}", element.element_name(), element.path()?);
//! } else {
//! println!("{depth}: {}", element.element_name());
//! }
//! }
//!
//! /* get an element by its Autosar path */
//! let pdu_element = model.get_element_by_path("/Package/Mid/PduName").unwrap();
//!
//! /* work with the content of elements */
//! if let Some(length) = pdu_element
//! .get_sub_element(ElementName::Length)
//! .and_then(|elem| elem.character_data())
//! .and_then(|cdata| cdata.string_value())
//! {
//! println!("Pdu Length: {length}");
//! }
//!
//! /* modify the attributes of an element */
//! pdu_element.set_attribute_string(AttributeName::Uuid, "12ab34cd-1234-1234-1234-12ab34cd56ef");
//! pdu_element.remove_attribute(AttributeName::Uuid);
//!
//! # Ok(())
//! # }
//! ```
//!
//! # Example Programs
//!
//! Two complete example programs can be found in the examples directory of the source repostitory. They are:
//!
//! - businfo, which extracts information about bus settings, frames, pdus and signals from an autosar ECU extract
//! - `generate_files`, which for each Autosar version generates an arxml file containing a least one instance of every specified element
//!
use autosar_data_specification::{AttributeSpec, CharacterDataSpec, ContentMode, ElementType};
pub use iterators::*;
use lexer::ArxmlLexerError;
use parking_lot::Mutex;
use parser::{ArxmlParser, ArxmlParserError};
use rustc_hash::FxHashMap;
use smallvec::SmallVec;
use std::collections::HashSet;
use std::path::{Path, PathBuf};
use std::sync::{Arc, Weak};
use std::{fs::File, io::Read};
use thiserror::Error;
mod arxmlfile;
mod autosarmodel;
mod chardata;
mod element;
mod elementraw;
mod iterators;
mod lexer;
mod parser;
// reexport some of the info from the specification
pub use autosar_data_specification::AttributeName;
pub use autosar_data_specification::AutosarVersion;
pub use autosar_data_specification::ElementName;
pub use autosar_data_specification::EnumItem;
/// `AutosarModel` is the top level data type in the autosar-data crate.
///
/// An instance of `AutosarModel` is required for all other operations.
///
/// The model contains the hierarchy of Autosar elements. It can be created manually or loaded from one or more arxml files.
/// It stores the association between elements and files.
/// In addition, this top-level structure provides caching of Autosar paths, to allow quick resolution of cross-references.
#[derive(Clone)]
pub struct AutosarModel(Arc<Mutex<AutosarModelRaw>>);
// Weak reference to an instance of AutosarModel
#[derive(Clone)]
pub(crate) struct WeakAutosarModel(Weak<Mutex<AutosarModelRaw>>);
/// The inner autosar data model (unlocked)
///
/// The model contains the hierarchy of Autosar elements. It can be created manually or loaded from one or more arxml files.
/// It stores the association between elements and files.
/// In addition, this top-level structure provides caching of Autosar paths, to allow quick resolution of cross-references.
pub(crate) struct AutosarModelRaw {
root_element: Element,
files: Vec<ArxmlFile>,
/// identifiables is a HashMap of all named elements, needed to resolve references without doing a full search.
identifiables: FxHashMap<String, WeakElement>,
/// reference_origins is a HashMap of all referencing alements. This is needed to efficiently fix up the references when a referenced element is renamed.
reference_origins: FxHashMap<String, Vec<WeakElement>>,
}
/// The error type `AutosarDataError` wraps all errors that can be generated anywhere in the crate
#[derive(Error, Debug)]
#[non_exhaustive]
pub enum AutosarDataError {
/// IoErrorRead: An IoError that occurred while reading a file
#[error("Failed to read {}: {ioerror}", .filename.to_string_lossy())]
IoErrorRead { filename: PathBuf, ioerror: std::io::Error },
/// IoErrorOpen: an IoError that occurres while opening a file
#[error("Failed to open {}: {ioerror}", .filename.to_string_lossy())]
IoErrorOpen { filename: PathBuf, ioerror: std::io::Error },
/// IoErrorWrite: An IoError that occurred while writing a file
#[error("Failed to write {}: {ioerror}", .filename.to_string_lossy())]
IoErrorWrite { filename: PathBuf, ioerror: std::io::Error },
/// DuplicateFilenameError,
#[error("Could not {verb} file {}: A file with this name is already loaded", .filename.to_string_lossy())]
DuplicateFilenameError { verb: &'static str, filename: PathBuf },
/// LexerError: An error originating in the lexer, such as unclodes strings, mismatched '<' and '>', etc
#[error("Failed to tokenize {} on line {line}: {source}", .filename.to_string_lossy())]
LexerError {
filename: PathBuf,
line: usize,
source: ArxmlLexerError,
},
/// ParserError: A parser error
#[error("Failed to parse {}:{line}: {source}", .filename.to_string_lossy())]
ParserError {
filename: PathBuf,
line: usize,
source: ArxmlParserError,
},
/// A file could not be loaded into the model, because the Autosar paths of the new data overlapped with the Autosar paths of the existing data
#[error("Loading failed: element path {path} of new data in {} overlaps with the existing loaded data", .filename.to_string_lossy())]
OverlappingDataError { filename: PathBuf, path: String },
/// An operation failed because one of the elements involved is in the deleted state and will be freed once its reference count reaches zero
#[error("Operation failed: the item has been deleted")]
ItemDeleted,
/// A sub element could not be created at or moved to the given position
#[error("Invalid position for an element of this kind")]
InvalidPosition,
/// The Autosar version of the new file did not match the version already in use
#[error("Version mismatch between existing {} and new {}", .version_cur, .version_new)]
VersionMismatch {
version_cur: AutosarVersion,
version_new: AutosarVersion,
},
/// The Autosar version is not compatible with the data
#[error("Version {} is not compatible with the element data", .version)]
VersionIncompatibleData { version: AutosarVersion },
/// A function that only applies to identifiable elements was called on an element which is not identifiable
#[error("The Element at {} is not identifiable", .xmlpath)]
ElementNotIdentifiable { xmlpath: String },
/// An item name is required to perform this action
#[error("An item name is required")]
ItemNameRequired,
/// The element has the wrong content type for the requested operation, e.g. inserting elements when the content type only allows character data
#[error("Incorrect content type")]
IncorrectContentType,
/// Could not insert a sub element, because it conflicts with an existing sub element
#[error("Element insertion conflict")]
ElementInsertionConflict,
/// The ElementName is not a valid sub element according to the specification.
#[error("Invalid sub element")]
InvalidSubElement,
/// Remove operation failed: the given element is not a sub element of the element from which it was supposed to be removed
#[error("element not found")]
ElementNotFound,
/// Remove_sub_element cannot remove the SHORT-NAME of identifiable elements, as this would render the data invalid
#[error("the SHORT-NAME sub element may not be removed")]
ShortNameRemovalForbidden,
/// get/set reference target was called for an element that is not a reference
#[error("The current element is not a reference")]
NotReferenceElement,
/// The reference is invalid
#[error("The reference is not valid")]
InvalidReference,
/// An element could not be renamed, since this item name is already used by a different element
#[error("Duplicate item name")]
DuplicateItemName,
/// Cannot move an element into its own sub element
#[error("Cannot move an element into its own sub element")]
ForbiddenMoveToSubElement,
/// Cannot copy an element (or a hierarchy including the element) into itself
#[error("Cannot create a copy that includes the destination")]
ForbiddenCopyOfParent,
/// A parent element is currently locked by a different operation. The operation wa aborted to avoid a deadlock.
#[error("A parent element is currently locked by a different operation")]
ParentElementLocked,
/// The attribute is invalid here
#[error("The attribute is not valid for this element")]
InvalidAttribute,
/// The attribute value is invalid
#[error("The given value is not valid for this attribute")]
InvalidAttributeValue,
/// The file is from a different model and may not be used in this operation
#[error("The file is from a different model and may not be used in this operation")]
InvalidFile,
/// The file is empty and cannot be serialized
#[error("The file is empty and cannot be serialized")]
EmptyFile,
/// The newly loaded file diverges from the combined model on an element which is not splittable according to the metamodel
#[error("The new file could not be merged, because it diverges from the model on non-splittable element {}", .path)]
InvalidFileMerge { path: String },
/// The operation cannot be completed because the model does not contain any files
#[error("The operation cannot be completed because the model does not contain any files")]
NoFilesInModel,
/// Modifying the fileset of this element is not allowed
#[error("Modifying the fileset of this element is not allowed, because the parent of the element is not marked as splittable")]
FilesetModificationForbidden,
}
/// An Autosar arxml file
#[derive(Clone)]
pub struct ArxmlFile(Arc<Mutex<ArxmlFileRaw>>);
/// Weak reference to an arxml file
///
/// (see the documentation of [`std::sync::Arc`] for an explanation of weak references)
#[derive(Clone)]
pub struct WeakArxmlFile(Weak<Mutex<ArxmlFileRaw>>);
/// The data of an arxml file
pub(crate) struct ArxmlFileRaw {
pub(crate) version: AutosarVersion,
model: WeakAutosarModel,
pub(crate) filename: PathBuf,
pub(crate) xml_standalone: Option<bool>, // preserve the xml standalone attribute
}
/// An arxml element
///
/// This is a wrapper type which provides all the necessary manipulation functions. The actual element data is
/// held behind Arc<Mutex<>>.
#[derive(Clone)]
pub struct Element(Arc<Mutex<ElementRaw>>);
/// Weak reference to an Element
///
/// (see the documentation of [`std::sync::Arc`] for an explanation of weak references)
///
/// This `WeakElement` can be held indefinitely without forcing the referenced data to remain valid.
/// When access is needed, the method upgrade() will attempt to get a strong reference and return an [Element]
#[derive(Clone)]
pub struct WeakElement(Weak<Mutex<ElementRaw>>);
/// The data of an arxml element
pub(crate) struct ElementRaw {
pub(crate) parent: ElementOrModel,
pub(crate) elemname: ElementName,
pub(crate) elemtype: ElementType,
pub(crate) content: SmallVec<[ElementContent; 4]>,
pub(crate) attributes: SmallVec<[Attribute; 1]>,
pub(crate) file_membership: HashSet<WeakArxmlFile>,
pub(crate) comment: Option<String>,
}
/// A single attribute of an arxml element
#[derive(Debug, Clone)]
pub struct Attribute {
pub attrname: AttributeName,
pub content: CharacterData,
}
/// One content item inside an arxml element
///
/// Elements may contain other elements, character data, or a mixture of both, depending on their type.
#[derive(Clone, PartialEq)]
pub enum ElementContent {
Element(Element),
CharacterData(CharacterData),
}
/// The enum `CharacterData` provides typed access to the content of elements and attributes
///
/// Example:
///
/// In the xml string ```<SHORT-NAME>SomeName</SHORT-NAME>``` the character data
/// "`SomeName`" will be loaded as `CharacterData::String("SomeName`"), while the content of the
/// attribute <... DEST="UNIT"> will be loaded as `CharacterData::Enum(EnumItem::Unit`)
#[derive(Debug, PartialEq, Clone)]
pub enum CharacterData {
Enum(EnumItem),
String(String),
UnsignedInteger(u64),
Double(f64),
}
/// The content type of an [Element]
#[derive(Debug, Eq, PartialEq, Clone, Copy)]
pub enum ContentType {
/// The element only contains other elements
Elements,
/// The element only contains character data
CharacterData,
/// The element contains both character data and sub elements
Mixed,
}
/// Holds a weak reference to either an element or an arxml file
///
/// This enum is used for references to the parent of each element. For all elements other than the
/// root element, the parent is an element. The root element itself has a referenct to the `ArxmlFile` structure.
#[derive(Clone)]
pub(crate) enum ElementOrModel {
Element(WeakElement),
Model(WeakAutosarModel),
None, // needed while constructing the data trees, otherwise there's a chicken vs. egg problem
}
/// Possible kinds of compatibility errors that can be found by `ArxmlFile::check_version_compatibility()`
pub enum CompatibilityError {
/// The element is not allowed in the target version
IncompatibleElement { element: Element, version_mask: u32 },
/// The attribute is not allowed in the target version
IncompatibleAttribute {
element: Element,
attribute: AttributeName,
version_mask: u32,
},
/// The attribute value is not allowed in the target version
IncompatibleAttributeValue {
element: Element,
attribute: AttributeName,
attribute_value: String,
version_mask: u32,
},
}
/// information about a sub element
///
/// This structure is returned by [`Element::list_valid_sub_elements`()]
pub struct ValidSubElementInfo {
/// name of the potential sub element
pub element_name: ElementName,
/// is the sub element named, i.e. does it need to be created with [Element::create_named_sub_element()]
pub is_named: bool,
/// is the sub element currently allowed, given the existing content of the element. Note that some sub elements are mutually exclusive.
pub is_allowed: bool,
}
const CHECK_FILE_SIZE: usize = 4096; // 4kb
/// Check a file to see if it looks like an arxml file
///
/// Reads the beginning of the given file and checks if the data starts with a valid arxml header.
/// If a header is found it immediately returns true and does not check any further data
///
/// The function returns false if the file cannot be read or if the data does not start with an arxml header
///
/// # Parameters
/// - filename: name of the file to check
///
/// # Example
///
/// ```
/// # let filename = "";
/// if autosar_data::check_file(filename) {
/// // it looks like an arxml file
/// }
/// ```
pub fn check_file<P: AsRef<Path>>(filename: P) -> bool {
let mut buffer: [u8; CHECK_FILE_SIZE] = [0; CHECK_FILE_SIZE];
if File::open(filename).and_then(|mut file| file.read(&mut buffer)).is_ok() {
check_buffer(&buffer)
} else {
false
}
}
/// Check a buffer to see if the content looks like arxml data
///
/// The function returns true if the buffer starts with a valid arxml header (after skipping whitespace and comments).
/// This function does not check anything after the header.
///
/// # Parameters
/// - buffer: u8 slice containing the data to check
///
/// # Example
/// ```
/// # let buffer = Vec::new();
/// if autosar_data::check_buffer(&buffer) {
/// // it looks like arxml data
/// }
/// ```
#[must_use]
pub fn check_buffer(buffer: &[u8]) -> bool {
let mut parser = ArxmlParser::new(PathBuf::from("none"), buffer, false);
parser.check_arxml_header()
}
#[cfg(test)]
mod test {
use std::{error::Error, io::Write, path::PathBuf};
use tempfile::tempdir;
use crate::*;
#[test]
fn error_traits() {
let err = AutosarDataError::ParserError {
filename: PathBuf::from("filename.arxml"),
line: 123,
source: crate::parser::ArxmlParserError::InvalidArxmlFileHeader,
};
assert!(err.source().is_some());
let errstr = format!("{err}");
let errdbg = format!("{err:#?}");
assert!(errstr != errdbg);
}
#[test]
fn test_check_file() {
let dir = tempdir().unwrap();
// called on a directory rather than a file -> false
assert!(!check_file(dir.path().to_path_buf()));
// nonexistent file -> false
let nonexistent = dir.path().with_file_name("nonexistent.arxml");
assert!(!check_file(nonexistent));
// arbitrary non-arxml data -> false
let not_arxml_file = dir.path().with_file_name("not_arxml.bin");
File::create(¬_arxml_file)
.and_then(|mut file| write!(file, "text"))
.unwrap();
assert!(!check_file(not_arxml_file));
// file containing a valid arxml header -> true
let header = r#"<?xml version="1.0" encoding="utf-8"?>
<!-- comment --><!-- comment 2 -->
<AUTOSAR xsi:schemaLocation="http://autosar.org/schema/r4.0 AUTOSAR_00050.xsd" xmlns="http://autosar.org/schema/r4.0" xmlns:xsi="http://www.w3.org/2001/XMLSchema-instance">"#;
let arxml_file = dir.path().with_file_name("file.arxml");
File::create(&arxml_file)
.and_then(|mut file| file.write(header.as_bytes()))
.unwrap();
assert!(check_file(arxml_file));
assert!(check_buffer(header.as_bytes()));
}
}