use std::collections::BTreeMap;
use anyhow::Context as _;
use camino::{Utf8Path, Utf8PathBuf};
use itertools::Itertools;
use crate::{
root_as_schema, Docs, FbsBaseType, FbsEnum, FbsEnumVal, FbsField, FbsKeyValue, FbsObject,
FbsSchema, FbsType, Reporter, ATTR_RERUN_COMPONENT_OPTIONAL, ATTR_RERUN_COMPONENT_RECOMMENDED,
ATTR_RERUN_COMPONENT_REQUIRED, ATTR_RERUN_OVERRIDE_TYPE,
};
const BUILTIN_UNIT_TYPE_FQNAME: &str = "rerun.builtins.UnitType";
#[derive(Debug, Default)]
pub struct Objects {
pub objects: BTreeMap<String, Object>,
}
impl Objects {
pub fn from_buf(
reporter: &Reporter,
include_dir_path: impl AsRef<Utf8Path>,
buf: &[u8],
) -> Self {
let schema = root_as_schema(buf).unwrap();
Self::from_raw_schema(reporter, include_dir_path, &schema)
}
pub fn from_raw_schema(
reporter: &Reporter,
include_dir_path: impl AsRef<Utf8Path>,
schema: &FbsSchema<'_>,
) -> Self {
let mut resolved_objs = BTreeMap::new();
let mut resolved_enums = BTreeMap::new();
let enums = schema.enums().iter().collect::<Vec<_>>();
let objs = schema.objects().iter().collect::<Vec<_>>();
let include_dir_path = include_dir_path.as_ref();
for enm in schema.enums() {
let resolved_enum =
Object::from_raw_enum(reporter, include_dir_path, &enums, &objs, &enm);
resolved_enums.insert(resolved_enum.fqname.clone(), resolved_enum);
}
for obj in schema.objects() {
if obj.name() == BUILTIN_UNIT_TYPE_FQNAME {
continue;
}
let resolved_obj =
Object::from_raw_object(reporter, include_dir_path, &enums, &objs, &obj);
resolved_objs.insert(resolved_obj.fqname.clone(), resolved_obj);
}
let mut this = Self {
objects: resolved_enums.into_iter().chain(resolved_objs).collect(),
};
for obj in this.objects.values() {
for field in &obj.fields {
let virtpath = &field.virtpath;
if let Some(field_type_fqname) = field.typ.fqname() {
let field_obj = &this[field_type_fqname];
match obj.kind {
ObjectKind::Datatype | ObjectKind::Component => {
if field_obj.kind != ObjectKind::Datatype {
reporter.error(virtpath, field_type_fqname, "Is part of a Component or Datatype but is itself not a Datatype. Only archetype fields can be components, all other fields have to be primitive or be a datatypes.");
}
}
ObjectKind::Archetype => {
if field_obj.kind != ObjectKind::Component {
reporter.error(virtpath, field_type_fqname, "Is part of an archetypes but is not a component. Only components are allowed as fields on an archetype.");
}
validate_archetype_field_attributes(reporter, obj);
}
ObjectKind::View => {
if field_obj.kind != ObjectKind::Archetype {
reporter.error(virtpath, field_type_fqname, "Is part of an view but is not an archetype. Only archetypes are allowed as fields of a view's properties.");
}
}
}
} else if obj.kind != ObjectKind::Datatype {
let is_enum_component = obj.kind == ObjectKind::Component && obj.is_enum(); let is_test_component = obj.kind == ObjectKind::Component && obj.is_testing(); if !is_enum_component && !is_test_component {
reporter.error(virtpath, &obj.fqname, format!("Field {:?} s a primitive field of type {:?}. Primitive types are only allowed on DataTypes.", field.fqname, field.typ));
}
}
if obj.is_union() && field.is_nullable {
reporter.error(
virtpath,
&obj.fqname,
"Nullable fields on unions are not supported.",
);
}
}
}
let mut done = false;
while !done {
done = true;
let objects_copy = this.objects.clone(); for obj in this.objects.values_mut() {
for field in &mut obj.fields {
if field.is_transparent() {
if let Some(target_fqname) = field.typ.fqname() {
let mut target_obj = objects_copy[target_fqname].clone();
assert!(
target_obj.fields.len() == 1,
"field '{}' is marked transparent but points to object '{}' which \
doesn't have exactly one field (found {} fields instead)",
field.fqname,
target_obj.fqname,
target_obj.fields.len(),
);
let ObjectField {
fqname,
typ,
attrs,
datatype,
..
} = target_obj.fields.pop().unwrap();
field.typ = typ;
field.datatype = datatype;
if let transparency @ Some(_) =
attrs.try_get::<String>(&fqname, crate::ATTR_TRANSPARENT)
{
field.attrs.0.insert(
crate::ATTR_TRANSPARENT.to_owned(),
transparency.clone(),
);
} else {
field.attrs.0.remove(crate::ATTR_TRANSPARENT);
}
done = false;
}
}
}
}
}
this.objects.retain(|_, obj| !obj.is_transparent());
this
}
}
fn validate_archetype_field_attributes(reporter: &Reporter, obj: &Object) {
assert_eq!(obj.kind, ObjectKind::Archetype);
for field in &obj.fields {
if [
ATTR_RERUN_COMPONENT_OPTIONAL,
ATTR_RERUN_COMPONENT_RECOMMENDED,
ATTR_RERUN_COMPONENT_REQUIRED,
]
.iter()
.filter(|attr| field.try_get_attr::<String>(attr).is_some())
.count()
!= 1
{
reporter.error(
&field.virtpath,
&field.fqname,
"field must have exactly one of the \"attr.rerun.component_{{required|recommended|\
optional}}\" attributes",
);
}
}
}
impl Objects {
pub fn get(&self, fqname: &str) -> Option<&Object> {
self.objects.get(fqname)
}
pub fn values(&self) -> impl Iterator<Item = &Object> {
self.objects.values()
}
pub fn objects_of_kind(&self, kind: ObjectKind) -> impl Iterator<Item = &Object> {
self.objects.values().filter(move |obj| obj.kind == kind)
}
}
impl std::ops::Index<&str> for Objects {
type Output = Object;
fn index(&self, fqname: &str) -> &Self::Output {
self.objects
.get(fqname)
.unwrap_or_else(|| panic!("unknown object: {fqname:?}"))
}
}
#[derive(Debug, Clone, Copy, PartialEq, Eq)]
pub enum ObjectKind {
Datatype,
Component,
Archetype,
View,
}
impl ObjectKind {
pub const ALL: [Self; 4] = [Self::Datatype, Self::Component, Self::Archetype, Self::View];
pub fn from_pkg_name(pkg_name: &str, attrs: &Attributes) -> Self {
assert!(!pkg_name.is_empty(), "Missing package name");
let scope = match attrs.try_get::<String>(pkg_name, crate::ATTR_RERUN_SCOPE) {
Some(scope) => format!(".{scope}"),
None => String::new(),
};
let pkg_name = pkg_name.replace(".testing", "");
if pkg_name.starts_with(format!("rerun{scope}.datatypes").as_str()) {
Self::Datatype
} else if pkg_name.starts_with(format!("rerun{scope}.components").as_str()) {
Self::Component
} else if pkg_name.starts_with(format!("rerun{scope}.archetypes").as_str()) {
Self::Archetype
} else if pkg_name.starts_with("rerun.blueprint.views") {
Self::View
} else {
panic!("unknown package {pkg_name:?}");
}
}
pub fn plural_snake_case(&self) -> &'static str {
match self {
Self::Datatype => "datatypes",
Self::Component => "components",
Self::Archetype => "archetypes",
Self::View => "views",
}
}
pub fn singular_name(&self) -> &'static str {
match self {
Self::Datatype => "Datatype",
Self::Component => "Component",
Self::Archetype => "Archetype",
Self::View => "View",
}
}
pub fn plural_name(&self) -> &'static str {
match self {
Self::Datatype => "Datatypes",
Self::Component => "Components",
Self::Archetype => "Archetypes",
Self::View => "Views",
}
}
}
pub struct ViewReference {
pub view_name: String,
pub explanation: Option<String>,
}
#[derive(Debug, Clone)]
pub struct Object {
pub virtpath: String,
pub filepath: Utf8PathBuf,
pub fqname: String,
pub pkg_name: String,
pub name: String,
pub docs: Docs,
pub kind: ObjectKind,
pub attrs: Attributes,
pub fields: Vec<ObjectField>,
pub class: ObjectClass,
pub datatype: Option<crate::LazyDatatype>,
}
impl PartialEq for Object {
fn eq(&self, other: &Self) -> bool {
self.fqname == other.fqname
}
}
impl Eq for Object {}
impl Ord for Object {
fn cmp(&self, other: &Self) -> std::cmp::Ordering {
self.fqname.cmp(&other.fqname)
}
}
impl PartialOrd for Object {
fn partial_cmp(&self, other: &Self) -> Option<std::cmp::Ordering> {
Some(self.cmp(other))
}
}
impl Object {
pub fn from_raw_object(
reporter: &Reporter,
include_dir_path: impl AsRef<Utf8Path>,
enums: &[FbsEnum<'_>],
objs: &[FbsObject<'_>],
obj: &FbsObject<'_>,
) -> Self {
let include_dir_path = include_dir_path.as_ref();
let fqname = obj.name().to_owned();
let (pkg_name, name) = fqname.rsplit_once('.').map_or_else(
|| panic!("Missing '.' separator in fqname: {fqname:?} - Did you forget to put it in a `namespace`?"),
|(pkg_name, name)| (pkg_name.to_owned(), name.to_owned()),
);
let virtpath = obj
.declaration_file()
.map(ToOwned::to_owned)
.with_context(|| format!("no declaration_file found for {fqname}"))
.unwrap();
assert!(virtpath.ends_with(".fbs"), "Bad virtpath: {virtpath:?}");
let filepath = filepath_from_declaration_file(include_dir_path, &virtpath);
assert!(
filepath.to_string().ends_with(".fbs"),
"Bad filepath: {filepath:?}"
);
let docs = Docs::from_raw_docs(reporter, &virtpath, obj.name(), obj.documentation());
let attrs = Attributes::from_raw_attrs(obj.attributes());
let kind = ObjectKind::from_pkg_name(&pkg_name, &attrs);
let fields: Vec<_> = {
let mut fields: Vec<_> = obj
.fields()
.iter()
.filter(|field| field.type_().base_type() != FbsBaseType::UType)
.filter(|field| field.type_().element() != FbsBaseType::UType)
.map(|field| {
ObjectField::from_raw_object_field(
reporter,
include_dir_path,
enums,
objs,
obj,
&field,
)
})
.collect();
fields.sort_by_key(|field| field.order);
for (a, b) in fields.iter().tuple_windows() {
assert!(
a.order != b.order,
"{name:?}: Fields {:?} and {:?} have the same order",
a.name,
b.name
);
}
fields
};
if kind == ObjectKind::Component {
assert!(
fields.len() == 1,
"components must have exactly 1 field, but {fqname} has {}",
fields.len()
);
}
Self {
virtpath,
filepath,
fqname,
pkg_name,
name,
docs,
kind,
attrs,
fields,
class: ObjectClass::Struct,
datatype: None,
}
}
pub fn from_raw_enum(
reporter: &Reporter,
include_dir_path: impl AsRef<Utf8Path>,
enums: &[FbsEnum<'_>],
objs: &[FbsObject<'_>],
enm: &FbsEnum<'_>,
) -> Self {
let include_dir_path = include_dir_path.as_ref();
let fqname = enm.name().to_owned();
let (pkg_name, name) = fqname.rsplit_once('.').map_or_else(
|| panic!("Missing '.' separator in fqname: {fqname:?} - Did you forget to put it in a `namespace`?"),
|(pkg_name, name)| (pkg_name.to_owned(), name.to_owned()),
);
let virtpath = enm
.declaration_file()
.map(ToOwned::to_owned)
.with_context(|| format!("no declaration_file found for {fqname}"))
.unwrap();
let filepath = filepath_from_declaration_file(include_dir_path, &virtpath);
let docs = Docs::from_raw_docs(reporter, &virtpath, enm.name(), enm.documentation());
let attrs = Attributes::from_raw_attrs(enm.attributes());
let kind = ObjectKind::from_pkg_name(&pkg_name, &attrs);
let is_enum = enm.underlying_type().base_type() != FbsBaseType::UType;
let mut fields: Vec<_> = enm
.values()
.iter()
.filter(|val| {
is_enum
|| val
.union_type()
.filter(|utype| utype.base_type() != FbsBaseType::None)
.is_some()
})
.map(|val| {
ObjectField::from_raw_enum_value(reporter, include_dir_path, enums, objs, enm, &val)
})
.collect();
if is_enum {
assert!(
!fields.is_empty(),
"enums must have at least one variant, but {fqname} has none",
);
assert!(
fields[0].name == "Invalid" && fields[0].enum_value == Some(0),
"enums must start with 'Invalid' variant with value 0, but {fqname} starts with {} = {:?}",
fields[0].name,
fields[0].enum_value,
);
fields.remove(0);
}
Self {
virtpath,
filepath,
fqname,
pkg_name,
name,
docs,
kind,
attrs,
fields,
class: if is_enum {
ObjectClass::Enum
} else {
ObjectClass::Union
},
datatype: None,
}
}
pub fn get_attr<T>(&self, name: impl AsRef<str>) -> T
where
T: std::str::FromStr,
T::Err: std::error::Error + Send + Sync + 'static,
{
self.attrs.get(self.fqname.as_str(), name)
}
pub fn try_get_attr<T>(&self, name: impl AsRef<str>) -> Option<T>
where
T: std::str::FromStr,
T::Err: std::error::Error + Send + Sync + 'static,
{
self.attrs.try_get(self.fqname.as_str(), name)
}
pub fn is_attr_set(&self, name: impl AsRef<str>) -> bool {
self.attrs.has(name)
}
pub fn archetype_view_types(&self) -> Option<Vec<ViewReference>> {
let view_types = self.try_get_attr::<String>(crate::ATTR_DOCS_VIEW_TYPES)?;
Some(
view_types
.split(',')
.map(|view_type| {
let mut parts = view_type.splitn(2, ':');
let view_name = parts.next().unwrap().trim().to_owned();
let explanation = parts.next().map(|s| s.trim().to_owned());
ViewReference {
view_name,
explanation,
}
})
.collect(),
)
}
pub fn is_struct(&self) -> bool {
self.class == ObjectClass::Struct
}
pub fn is_enum(&self) -> bool {
self.class == ObjectClass::Enum
}
pub fn is_union(&self) -> bool {
self.class == ObjectClass::Union
}
pub fn is_arrow_transparent(&self) -> bool {
if self.is_enum() {
return false; }
self.kind == ObjectKind::Component || self.attrs.has(crate::ATTR_ARROW_TRANSPARENT)
}
fn is_transparent(&self) -> bool {
self.attrs.has(crate::ATTR_TRANSPARENT)
}
pub fn has_default_destructor(&self, objects: &Objects) -> bool {
self.fields
.iter()
.all(|field| field.typ.has_default_destructor(objects))
}
pub fn relative_filepath(&self) -> Option<&Utf8Path> {
self.filepath
.strip_prefix(crate::rerun_workspace_path())
.ok()
}
pub fn snake_case_name(&self) -> String {
re_case::to_snake_case(&self.name)
}
pub fn is_testing(&self) -> bool {
is_testing_fqname(&self.fqname)
}
pub fn scope(&self) -> Option<String> {
self.try_get_attr::<String>(crate::ATTR_RERUN_SCOPE)
.or_else(|| (self.kind == ObjectKind::View).then(|| "blueprint".to_owned()))
}
pub fn deprecation_notice(&self) -> Option<String> {
self.try_get_attr::<String>(crate::ATTR_RERUN_DEPRECATED)
}
pub fn is_experimental(&self) -> bool {
self.is_attr_set(crate::ATTR_RERUN_EXPERIMENTAL)
}
pub fn doc_category(&self) -> Option<String> {
self.try_get_attr::<String>(crate::ATTR_DOCS_CATEGORY)
}
pub fn crate_name(&self) -> String {
self.try_get_attr::<String>(crate::ATTR_RUST_OVERRIDE_CRATE)
.unwrap_or_else(|| "re_types".to_owned())
}
pub fn module_name(&self) -> String {
if let Some(scope) = self.scope() {
format!("{}/{}", scope, self.kind.plural_snake_case())
} else {
self.kind.plural_snake_case().to_owned()
}
}
pub fn is_archetype(&self) -> bool {
self.kind == ObjectKind::Archetype
}
}
pub fn is_testing_fqname(fqname: &str) -> bool {
fqname.contains("rerun.testing")
}
#[derive(Clone, Copy, Debug, PartialEq, Eq)]
pub enum ObjectClass {
Struct,
Enum,
Union,
}
#[derive(Debug, Clone)]
pub struct ObjectField {
pub virtpath: String,
pub filepath: Utf8PathBuf,
pub fqname: String,
pub pkg_name: String,
pub name: String,
pub enum_value: Option<u8>,
pub docs: Docs,
pub typ: Type,
pub attrs: Attributes,
pub order: u32,
pub is_nullable: bool,
pub datatype: Option<crate::LazyDatatype>,
}
impl ObjectField {
pub fn from_raw_object_field(
reporter: &Reporter,
include_dir_path: impl AsRef<Utf8Path>,
enums: &[FbsEnum<'_>],
objs: &[FbsObject<'_>],
obj: &FbsObject<'_>,
field: &FbsField<'_>,
) -> Self {
let fqname = format!("{}#{}", obj.name(), field.name());
let (pkg_name, name) = fqname
.rsplit_once('#')
.map_or((String::new(), fqname.clone()), |(pkg_name, name)| {
(pkg_name.to_owned(), name.to_owned())
});
let virtpath = obj
.declaration_file()
.map(ToOwned::to_owned)
.with_context(|| format!("no declaration_file found for {fqname}"))
.unwrap();
let filepath = filepath_from_declaration_file(include_dir_path, &virtpath);
let docs = Docs::from_raw_docs(reporter, &virtpath, field.name(), field.documentation());
let attrs = Attributes::from_raw_attrs(field.attributes());
let typ = Type::from_raw_type(&virtpath, enums, objs, field.type_(), &attrs, &fqname);
let order = attrs.get::<u32>(&fqname, crate::ATTR_ORDER);
let is_nullable = attrs.has(crate::ATTR_NULLABLE) || typ == Type::Unit; if field.deprecated() {
reporter.warn(
&virtpath,
&fqname,
format!(
"Use {} attribute for deprecation instead",
crate::ATTR_RERUN_DEPRECATED
),
);
}
let enum_value = None;
Self {
virtpath,
filepath,
fqname,
pkg_name,
name,
enum_value,
docs,
typ,
attrs,
order,
is_nullable,
datatype: None,
}
}
pub fn from_raw_enum_value(
reporter: &Reporter,
include_dir_path: impl AsRef<Utf8Path>,
enums: &[FbsEnum<'_>],
objs: &[FbsObject<'_>],
enm: &FbsEnum<'_>,
val: &FbsEnumVal<'_>,
) -> Self {
let fqname = format!("{}#{}", enm.name(), val.name());
let (pkg_name, name) = fqname
.rsplit_once('#')
.map_or((String::new(), fqname.clone()), |(pkg_name, name)| {
(pkg_name.to_owned(), name.to_owned())
});
let virtpath = enm
.declaration_file()
.map(ToOwned::to_owned)
.with_context(|| format!("no declaration_file found for {fqname}"))
.unwrap();
let filepath = filepath_from_declaration_file(include_dir_path, &virtpath);
let docs = Docs::from_raw_docs(reporter, &virtpath, val.name(), val.documentation());
let attrs = Attributes::from_raw_attrs(val.attributes());
let field_type = val.union_type().unwrap();
let typ = Type::from_raw_type(&virtpath, enums, objs, field_type, &attrs, &fqname);
let is_nullable = if field_type.base_type() == FbsBaseType::Obj && typ == Type::Unit {
false
} else {
attrs.has(crate::ATTR_NULLABLE) || typ == Type::Unit };
if attrs.has(crate::ATTR_ORDER) {
reporter.warn(
&virtpath,
&fqname,
"There is no need for an `order` attribute on enum/union variants",
);
}
let enum_value = Some(val.value() as u8);
Self {
virtpath,
filepath,
fqname,
pkg_name,
name,
enum_value,
docs,
typ,
attrs,
order: 0, is_nullable,
datatype: None,
}
}
fn is_transparent(&self) -> bool {
self.attrs.has(crate::ATTR_TRANSPARENT)
}
pub fn get_attr<T>(&self, name: impl AsRef<str>) -> T
where
T: std::str::FromStr,
T::Err: std::error::Error + Send + Sync + 'static,
{
self.attrs.get(self.fqname.as_str(), name)
}
pub fn try_get_attr<T>(&self, name: impl AsRef<str>) -> Option<T>
where
T: std::str::FromStr,
T::Err: std::error::Error + Send + Sync + 'static,
{
self.attrs.try_get(self.fqname.as_str(), name)
}
pub fn has_attr(&self, name: impl AsRef<str>) -> bool {
self.attrs.has(name)
}
pub fn snake_case_name(&self) -> String {
re_case::to_snake_case(&self.name)
}
pub fn pascal_case_name(&self) -> String {
re_case::to_pascal_case(&self.name)
}
pub fn is_testing(&self) -> bool {
is_testing_fqname(&self.fqname)
}
pub fn kind(&self) -> Option<FieldKind> {
if self.has_attr(crate::ATTR_RERUN_COMPONENT_REQUIRED) {
Some(FieldKind::Required)
} else if self.has_attr(crate::ATTR_RERUN_COMPONENT_RECOMMENDED) {
Some(FieldKind::Recommended)
} else if self.has_attr(crate::ATTR_RERUN_COMPONENT_OPTIONAL) {
Some(FieldKind::Optional)
} else {
None
}
}
pub fn make_plural(&self) -> Option<Self> {
self.typ.make_plural().map(|typ| Self {
typ,
..self.clone()
})
}
}
#[derive(Debug, Clone, Copy, PartialEq, Eq)]
pub enum FieldKind {
Required,
Recommended,
Optional,
}
#[derive(Debug, Clone, Hash, PartialEq, Eq)]
pub enum Type {
Unit,
UInt8,
UInt16,
UInt32,
UInt64,
Int8,
Int16,
Int32,
Int64,
Bool,
Float16,
Float32,
Float64,
String,
Array {
elem_type: ElementType,
length: usize,
},
Vector {
elem_type: ElementType,
},
Object(String), }
impl From<ElementType> for Type {
fn from(typ: ElementType) -> Self {
match typ {
ElementType::UInt8 => Self::UInt8,
ElementType::UInt16 => Self::UInt16,
ElementType::UInt32 => Self::UInt32,
ElementType::UInt64 => Self::UInt64,
ElementType::Int8 => Self::Int8,
ElementType::Int16 => Self::Int16,
ElementType::Int32 => Self::Int32,
ElementType::Int64 => Self::Int64,
ElementType::Bool => Self::Bool,
ElementType::Float16 => Self::Float16,
ElementType::Float32 => Self::Float32,
ElementType::Float64 => Self::Float64,
ElementType::String => Self::String,
ElementType::Object(fqname) => Self::Object(fqname),
}
}
}
impl Type {
pub fn from_raw_type(
virtpath: &str,
enums: &[FbsEnum<'_>],
objs: &[FbsObject<'_>],
field_type: FbsType<'_>,
attrs: &Attributes,
fqname: &str,
) -> Self {
let typ = field_type.base_type();
if let Some(type_override) = attrs.try_get::<String>(fqname, ATTR_RERUN_OVERRIDE_TYPE) {
match (typ, type_override.as_str()) {
(FbsBaseType::UShort, "float16") => {
return Self::Float16;
},
(FbsBaseType::Array | FbsBaseType::Vector, "float16") => {}
_ => unreachable!("UShort -> float16 is the only permitted type override. Not {typ:#?}->{type_override}"),
}
}
let is_int = matches!(
typ,
FbsBaseType::Byte
| FbsBaseType::UByte
| FbsBaseType::Short
| FbsBaseType::UShort
| FbsBaseType::Int
| FbsBaseType::UInt
| FbsBaseType::Long
| FbsBaseType::ULong
);
if is_int {
let enum_index = field_type.index() as usize;
if enum_index < enums.len() {
assert!(
typ == FbsBaseType::UByte,
"{virtpath}: For consistency, enums must be declared as the `ubyte` type"
);
let enum_ = &enums[field_type.index() as usize];
return Self::Object(enum_.name().to_owned());
}
}
match typ {
FbsBaseType::None => Self::Unit, FbsBaseType::Bool => Self::Bool,
FbsBaseType::Byte => Self::Int8,
FbsBaseType::UByte => Self::UInt8,
FbsBaseType::Short => Self::Int16,
FbsBaseType::UShort => Self::UInt16,
FbsBaseType::Int => Self::Int32,
FbsBaseType::UInt => Self::UInt32,
FbsBaseType::Long => Self::Int64,
FbsBaseType::ULong => Self::UInt64,
FbsBaseType::Float => Self::Float32,
FbsBaseType::Double => Self::Float64,
FbsBaseType::String => Self::String,
FbsBaseType::Obj => {
let obj = &objs[field_type.index() as usize];
if obj.name() == BUILTIN_UNIT_TYPE_FQNAME {
Self::Unit
} else {
Self::Object(obj.name().to_owned())
}
}
FbsBaseType::Union => {
let union = &enums[field_type.index() as usize];
Self::Object(union.name().to_owned())
}
FbsBaseType::Array => Self::Array {
elem_type: ElementType::from_raw_base_type(
enums,
objs,
field_type,
field_type.element(),
attrs,
),
length: field_type.fixed_length() as usize,
},
FbsBaseType::Vector => Self::Vector {
elem_type: ElementType::from_raw_base_type(
enums,
objs,
field_type,
field_type.element(),
attrs,
),
},
FbsBaseType::UType | FbsBaseType::Vector64 => {
unimplemented!("FbsBaseType::{typ:#?}")
}
_ => unreachable!("{typ:#?}"),
}
}
pub fn make_plural(&self) -> Option<Self> {
match self {
Self::Vector { elem_type: _ }
| Self::Array {
elem_type: _,
length: _,
} => Some(self.clone()),
Self::UInt8 => Some(Self::Vector {
elem_type: ElementType::UInt8,
}),
Self::UInt16 => Some(Self::Vector {
elem_type: ElementType::UInt16,
}),
Self::UInt32 => Some(Self::Vector {
elem_type: ElementType::UInt32,
}),
Self::UInt64 => Some(Self::Vector {
elem_type: ElementType::UInt64,
}),
Self::Int8 => Some(Self::Vector {
elem_type: ElementType::Int8,
}),
Self::Int16 => Some(Self::Vector {
elem_type: ElementType::Int16,
}),
Self::Int32 => Some(Self::Vector {
elem_type: ElementType::Int32,
}),
Self::Int64 => Some(Self::Vector {
elem_type: ElementType::Int64,
}),
Self::Bool => Some(Self::Vector {
elem_type: ElementType::Bool,
}),
Self::Float16 => Some(Self::Vector {
elem_type: ElementType::Float16,
}),
Self::Float32 => Some(Self::Vector {
elem_type: ElementType::Float32,
}),
Self::Float64 => Some(Self::Vector {
elem_type: ElementType::Float64,
}),
Self::String => Some(Self::Vector {
elem_type: ElementType::String,
}),
Self::Object(obj) => Some(Self::Vector {
elem_type: ElementType::Object(obj.clone()),
}),
Self::Unit => None,
}
}
pub fn is_plural(&self) -> bool {
self.plural_inner().is_some()
}
pub fn plural_inner(&self) -> Option<&ElementType> {
match self {
Self::Vector { elem_type }
| Self::Array {
elem_type,
length: _,
} => Some(elem_type),
Self::Unit
| Self::UInt8
| Self::UInt16
| Self::UInt32
| Self::UInt64
| Self::Int8
| Self::Int16
| Self::Int32
| Self::Int64
| Self::Bool
| Self::Float16
| Self::Float32
| Self::Float64
| Self::String
| Self::Object(_) => None,
}
}
pub fn vector_inner(&self) -> Option<&ElementType> {
self.plural_inner()
.filter(|_| matches!(self, Self::Vector { .. }))
}
pub fn fqname(&self) -> Option<&str> {
match self {
Self::Object(fqname) => Some(fqname.as_str()),
Self::Array {
elem_type,
length: _,
}
| Self::Vector { elem_type } => elem_type.fqname(),
_ => None,
}
}
pub fn has_default_destructor(&self, objects: &Objects) -> bool {
match self {
Self::Unit
| Self::UInt8
| Self::UInt16
| Self::UInt32
| Self::UInt64
| Self::Int8
| Self::Int16
| Self::Int32
| Self::Int64
| Self::Bool
| Self::Float16
| Self::Float32
| Self::Float64 => true,
Self::String | Self::Vector { .. } => false,
Self::Array { elem_type, .. } => elem_type.has_default_destructor(objects),
Self::Object(fqname) => objects[fqname].has_default_destructor(objects),
}
}
pub fn is_union(&self, objects: &Objects) -> bool {
if let Self::Object(fqname) = self {
let obj = &objects[fqname];
if obj.is_arrow_transparent() {
obj.fields[0].typ.is_union(objects)
} else {
obj.class == ObjectClass::Union
}
} else {
false
}
}
}
#[derive(Debug, Clone, Hash, PartialEq, Eq)]
pub enum ElementType {
UInt8,
UInt16,
UInt32,
UInt64,
Int8,
Int16,
Int32,
Int64,
Bool,
Float16,
Float32,
Float64,
String,
Object(String), }
impl ElementType {
pub fn from_raw_base_type(
enums: &[FbsEnum<'_>],
objs: &[FbsObject<'_>],
outer_type: FbsType<'_>,
inner_type: FbsBaseType,
attrs: &Attributes,
) -> Self {
let fqname = "???";
if let Some(type_override) = attrs.try_get::<String>(fqname, ATTR_RERUN_OVERRIDE_TYPE) {
match (inner_type, type_override.as_str()) {
(FbsBaseType::UShort, "float16") => {
return Self::Float16;
}
_ => unreachable!("UShort -> float16 is the only permitted type override. Not {inner_type:#?}->{type_override}"),
}
}
#[allow(clippy::match_same_arms)]
match inner_type {
FbsBaseType::Bool => Self::Bool,
FbsBaseType::Byte => Self::Int8,
FbsBaseType::UByte => Self::UInt8,
FbsBaseType::Short => Self::Int16,
FbsBaseType::UShort => Self::UInt16,
FbsBaseType::Int => Self::Int32,
FbsBaseType::UInt => Self::UInt32,
FbsBaseType::Long => Self::Int64,
FbsBaseType::ULong => Self::UInt64,
FbsBaseType::Float => Self::Float32,
FbsBaseType::Double => Self::Float64,
FbsBaseType::String => Self::String,
FbsBaseType::Obj => {
let obj = &objs[outer_type.index() as usize];
Self::Object(obj.name().to_owned())
}
FbsBaseType::Union => {
let enm = &enums[outer_type.index() as usize];
Self::Object(enm.name().to_owned())
}
FbsBaseType::None
| FbsBaseType::UType
| FbsBaseType::Array
| FbsBaseType::Vector
| FbsBaseType::Vector64 => unreachable!("{outer_type:#?} into {inner_type:#?}"),
_ => unreachable!("{inner_type:#?}"),
}
}
pub fn fqname(&self) -> Option<&str> {
match self {
Self::Object(fqname) => Some(fqname.as_str()),
_ => None,
}
}
pub fn has_default_destructor(&self, objects: &Objects) -> bool {
match self {
Self::UInt8
| Self::UInt16
| Self::UInt32
| Self::UInt64
| Self::Int8
| Self::Int16
| Self::Int32
| Self::Int64
| Self::Bool
| Self::Float16
| Self::Float32
| Self::Float64 => true,
Self::String => false,
Self::Object(fqname) => objects[fqname].has_default_destructor(objects),
}
}
pub fn backed_by_arrow_buffer(&self) -> bool {
match self {
Self::UInt8
| Self::UInt16
| Self::UInt32
| Self::UInt64
| Self::Int8
| Self::Int16
| Self::Int32
| Self::Int64
| Self::Float16
| Self::Float32
| Self::Float64 => true,
Self::Bool | Self::Object(_) | Self::String => false,
}
}
pub fn is_union(&self, objects: &Objects) -> bool {
if let Self::Object(fqname) = self {
let obj = &objects[fqname];
if obj.is_arrow_transparent() {
obj.fields[0].typ.is_union(objects)
} else {
obj.class == ObjectClass::Union
}
} else {
false
}
}
}
#[derive(Debug, Default, Clone)]
pub struct Attributes(BTreeMap<String, Option<String>>);
impl Attributes {
fn from_raw_attrs(
attrs: Option<flatbuffers::Vector<'_, flatbuffers::ForwardsUOffset<FbsKeyValue<'_>>>>,
) -> Self {
Self(
attrs
.map(|attrs| {
attrs
.into_iter()
.map(|kv| (kv.key().to_owned(), kv.value().map(ToOwned::to_owned)))
.collect::<BTreeMap<_, _>>()
})
.unwrap_or_default(),
)
}
}
impl Attributes {
pub fn get<T>(&self, owner_fqname: impl AsRef<str>, name: impl AsRef<str>) -> T
where
T: std::str::FromStr,
T::Err: std::error::Error + Send + Sync + 'static,
{
let owner_fqname = owner_fqname.as_ref();
let name = name.as_ref();
let value_str = self
.0
.get(name)
.cloned() .flatten()
.with_context(|| format!("no `{name}` attribute was specified for `{owner_fqname}`"))
.unwrap();
value_str
.parse()
.with_context(|| {
let type_of_t = std::any::type_name::<T>();
format!(
"invalid `{name}` attribute for `{owner_fqname}`: \
expected {type_of_t}, got `{value_str}` instead"
)
})
.unwrap()
}
pub fn try_get<T>(&self, owner_fqname: impl AsRef<str>, name: impl AsRef<str>) -> Option<T>
where
T: std::str::FromStr,
T::Err: std::error::Error + Send + Sync + 'static,
{
let owner_fqname = owner_fqname.as_ref();
let name = name.as_ref();
let value_str = self
.0
.get(name)
.cloned() .flatten()?;
Some(
value_str
.parse()
.with_context(|| {
let type_of_t = std::any::type_name::<T>();
format!(
"invalid `{name}` attribute for `{owner_fqname}`: \
expected {type_of_t}, got `{value_str}` instead"
)
})
.unwrap(),
)
}
pub fn has(&self, name: impl AsRef<str>) -> bool {
self.0.contains_key(name.as_ref())
}
pub fn remove(&mut self, name: impl AsRef<str>) {
self.0.remove(name.as_ref());
}
}
fn filepath_from_declaration_file(
include_dir_path: impl AsRef<Utf8Path>,
declaration_file: impl AsRef<str>,
) -> Utf8PathBuf {
let declaration_file = declaration_file.as_ref();
let declaration_file = declaration_file
.strip_prefix("//")
.map_or(declaration_file, |f| {
f.trim_start_matches("../").trim_start_matches("/?/")
});
let declaration_file = Utf8PathBuf::from(declaration_file);
let declaration_file = if declaration_file.is_absolute() {
declaration_file
} else {
include_dir_path
.as_ref()
.join(crate::format_path(&declaration_file))
};
declaration_file
.canonicalize_utf8()
.unwrap_or_else(|_| panic!("Failed to canonicalize declaration path {declaration_file:?}"))
}