use log::{debug, warn};
use bitreader::BitReader;
use byteorder::ReadBytesExt;
use fallible_collections::{TryClone, TryRead, TryReserveError};
use std::convert::{TryFrom, TryInto as _};
use std::io::{Read, Take};
use std::num::NonZeroU32;
use std::ops::{Range, RangeFrom};
mod obu;
mod boxes;
use crate::boxes::{BoxType, FourCC};
pub mod c_api;
#[cfg(test)]
mod tests;
trait ToU64 {
fn to_u64(self) -> u64;
}
impl ToU64 for usize {
fn to_u64(self) -> u64 {
static_assertions::const_assert!(std::mem::size_of::<usize>() <= std::mem::size_of::<u64>());
self.try_into().ok().unwrap()
}
}
pub(crate) trait ToUsize {
fn to_usize(self) -> usize;
}
macro_rules! impl_to_usize_from {
( $from_type:ty ) => {
impl ToUsize for $from_type {
fn to_usize(self) -> usize {
static_assertions::const_assert!(std::mem::size_of::<$from_type>() <= std::mem::size_of::<usize>());
self.try_into().ok().unwrap()
}
}
};
}
impl_to_usize_from!(u8);
impl_to_usize_from!(u16);
impl_to_usize_from!(u32);
trait Offset {
fn offset(&self) -> u64;
}
struct OffsetReader<'a, T> {
reader: &'a mut T,
offset: u64,
}
impl<'a, T> OffsetReader<'a, T> {
fn new(reader: &'a mut T) -> Self {
Self { reader, offset: 0 }
}
}
impl<T> Offset for OffsetReader<'_, T> {
fn offset(&self) -> u64 {
self.offset
}
}
impl<T: Read> Read for OffsetReader<'_, T> {
fn read(&mut self, buf: &mut [u8]) -> std::io::Result<usize> {
let bytes_read = self.reader.read(buf)?;
self.offset = self
.offset
.checked_add(bytes_read.to_u64())
.ok_or(Error::Unsupported("total bytes read too large for offset type"))?;
Ok(bytes_read)
}
}
pub type TryVec<T> = fallible_collections::TryVec<T>;
pub type TryString = fallible_collections::TryVec<u8>;
pub type TryHashMap<K, V> = fallible_collections::TryHashMap<K, V>;
pub type TryBox<T> = fallible_collections::TryBox<T>;
#[allow(dead_code)]
struct Vec;
#[allow(dead_code)]
struct Box;
#[allow(dead_code)]
struct HashMap;
#[allow(dead_code)]
struct String;
#[derive(Debug)]
pub enum Error {
InvalidData(&'static str),
Unsupported(&'static str),
UnexpectedEOF,
Io(std::io::Error),
NoMoov,
OutOfMemory,
}
impl std::fmt::Display for Error {
fn fmt(&self, f: &mut std::fmt::Formatter<'_>) -> std::fmt::Result {
let msg = match self {
Self::InvalidData(s) |
Self::Unsupported(s) => s,
Self::UnexpectedEOF => "EOF",
Self::Io(err) => return err.fmt(f),
Self::NoMoov => "Missing Moov box",
Self::OutOfMemory => "OOM",
};
f.write_str(msg)
}
}
impl std::error::Error for Error {}
impl From<bitreader::BitReaderError> for Error {
#[cold]
#[cfg_attr(debug_assertions, track_caller)]
fn from(err: bitreader::BitReaderError) -> Error {
log::warn!("bitreader: {err}");
debug_assert!(!matches!(err, bitreader::BitReaderError::TooManyBitsForType { .. })); Self::InvalidData("truncated bits")
}
}
impl From<std::io::Error> for Error {
fn from(err: std::io::Error) -> Error {
match err.kind() {
std::io::ErrorKind::UnexpectedEof => Error::UnexpectedEOF,
_ => Error::Io(err),
}
}
}
impl From<std::string::FromUtf8Error> for Error {
fn from(_: std::string::FromUtf8Error) -> Error {
Error::InvalidData("invalid utf8")
}
}
impl From<std::num::TryFromIntError> for Error {
fn from(_: std::num::TryFromIntError) -> Error {
Error::Unsupported("integer conversion failed")
}
}
impl From<Error> for std::io::Error {
fn from(err: Error) -> Self {
let kind = match err {
Error::InvalidData(_) => std::io::ErrorKind::InvalidData,
Error::UnexpectedEOF => std::io::ErrorKind::UnexpectedEof,
Error::Io(io_err) => return io_err,
_ => std::io::ErrorKind::Other,
};
Self::new(kind, err)
}
}
impl From<TryReserveError> for Error {
fn from(_: TryReserveError) -> Error {
Error::OutOfMemory
}
}
pub type Result<T, E = Error> = std::result::Result<T, E>;
#[derive(Debug, Clone, Copy)]
struct BoxHeader {
name: BoxType,
size: u64,
offset: u64,
#[allow(unused)]
uuid: Option<[u8; 16]>,
}
impl BoxHeader {
const MIN_SIZE: u64 = 8; const MIN_LARGE_SIZE: u64 = 16; }
#[derive(Debug)]
#[allow(unused)]
struct FileTypeBox {
major_brand: FourCC,
minor_version: u32,
compatible_brands: TryVec<FourCC>,
}
#[derive(Debug)]
#[allow(unused)]
struct HandlerBox {
handler_type: FourCC,
}
#[derive(Debug)]
#[allow(unused)]
pub(crate) struct AV1ConfigBox {
pub(crate) profile: u8,
pub(crate) level: u8,
pub(crate) tier: u8,
pub(crate) bit_depth: u8,
pub(crate) monochrome: bool,
pub(crate) chroma_subsampling_x: u8,
pub(crate) chroma_subsampling_y: u8,
pub(crate) chroma_sample_position: u8,
pub(crate) initial_presentation_delay_present: bool,
pub(crate) initial_presentation_delay_minus_one: u8,
pub(crate) config_obus: TryVec<u8>,
}
#[derive(Debug, Default)]
pub struct AvifData {
pub primary_item: TryVec<u8>,
pub alpha_item: Option<TryVec<u8>>,
pub premultiplied_alpha: bool,
}
impl AvifData {
#[inline(never)]
fn parse_obu(data: &[u8]) -> Result<AV1Metadata> {
let h = obu::extract_minimal_header(data)?;
Ok(AV1Metadata {
still_picture: h.still_picture,
max_frame_width: h.max_frame_width,
max_frame_height: h.max_frame_height,
})
}
pub fn primary_item_metadata(&self) -> Result<AV1Metadata> {
Self::parse_obu(&self.primary_item)
}
pub fn alpha_item_metadata(&self) -> Result<Option<AV1Metadata>> {
self.alpha_item.as_deref().map(Self::parse_obu).transpose()
}
}
#[non_exhaustive]
pub struct AV1Metadata {
pub still_picture: bool,
pub max_frame_width: NonZeroU32,
pub max_frame_height: NonZeroU32,
}
struct AvifInternalMeta {
item_references: TryVec<SingleItemTypeReferenceBox>,
properties: TryVec<AssociatedProperty>,
primary_item_id: u32,
iloc_items: TryVec<ItemLocationBoxItem>,
}
struct MediaDataBox {
offset: u64,
data: TryVec<u8>,
}
impl MediaDataBox {
fn contains_extent(&self, extent: &ExtentRange) -> bool {
if self.offset <= extent.start() {
let start_offset = extent.start() - self.offset;
start_offset < self.data.len().to_u64()
} else {
false
}
}
fn matches_extent(&self, extent: &ExtentRange) -> bool {
if self.offset == extent.start() {
match extent {
ExtentRange::WithLength(range) => {
if let Some(end) = self.offset.checked_add(self.data.len().to_u64()) {
end == range.end
} else {
false
}
},
ExtentRange::ToEnd(_) => true,
}
} else {
false
}
}
fn read_extent(&self, extent: &ExtentRange, buf: &mut TryVec<u8>) -> Result<()> {
let start_offset = extent
.start()
.checked_sub(self.offset)
.ok_or(Error::InvalidData("mdat does not contain extent"))?;
let slice = match extent {
ExtentRange::WithLength(range) => {
let range_len = range
.end
.checked_sub(range.start)
.ok_or(Error::InvalidData("range start > end"))?;
let end = start_offset
.checked_add(range_len)
.ok_or(Error::InvalidData("extent end overflow"))?;
self.data.get(start_offset.try_into()?..end.try_into()?)
},
ExtentRange::ToEnd(_) => self.data.get(start_offset.try_into()?..),
};
let slice = slice.ok_or(Error::InvalidData("extent crosses box boundary"))?;
buf.extend_from_slice(slice)?;
Ok(())
}
}
#[derive(Debug)]
struct ItemInfoEntry {
item_id: u32,
item_type: u32,
}
#[derive(Debug)]
struct SingleItemTypeReferenceBox {
item_type: FourCC,
from_item_id: u32,
to_item_id: u32,
}
#[derive(Debug)]
enum IlocFieldSize {
Zero,
Four,
Eight,
}
impl IlocFieldSize {
const fn to_bits(&self) -> u8 {
match self {
Self::Zero => 0,
Self::Four => 32,
Self::Eight => 64,
}
}
}
impl TryFrom<u8> for IlocFieldSize {
type Error = Error;
fn try_from(value: u8) -> Result<Self> {
match value {
0 => Ok(Self::Zero),
4 => Ok(Self::Four),
8 => Ok(Self::Eight),
_ => Err(Error::InvalidData("value must be in the set {0, 4, 8}")),
}
}
}
#[derive(PartialEq)]
enum IlocVersion {
Zero,
One,
Two,
}
impl TryFrom<u8> for IlocVersion {
type Error = Error;
fn try_from(value: u8) -> Result<Self> {
match value {
0 => Ok(Self::Zero),
1 => Ok(Self::One),
2 => Ok(Self::Two),
_ => Err(Error::Unsupported("unsupported version in 'iloc' box")),
}
}
}
#[derive(Debug)]
struct ItemLocationBoxItem {
item_id: u32,
construction_method: ConstructionMethod,
extents: TryVec<ItemLocationBoxExtent>,
}
#[derive(Clone, Copy, Debug, PartialEq)]
enum ConstructionMethod {
File,
Idat,
#[allow(dead_code)] Item,
}
#[derive(Clone, Debug)]
struct ItemLocationBoxExtent {
extent_range: ExtentRange,
}
#[derive(Clone, Debug)]
enum ExtentRange {
WithLength(Range<u64>),
ToEnd(RangeFrom<u64>),
}
impl ExtentRange {
const fn start(&self) -> u64 {
match self {
Self::WithLength(r) => r.start,
Self::ToEnd(r) => r.start,
}
}
}
struct BMFFBox<'a, T> {
head: BoxHeader,
content: Take<&'a mut T>,
}
struct BoxIter<'a, T> {
src: &'a mut T,
}
impl<T: Read> BoxIter<'_, T> {
fn new(src: &mut T) -> BoxIter<'_, T> {
BoxIter { src }
}
fn next_box(&mut self) -> Result<Option<BMFFBox<'_, T>>> {
let r = read_box_header(self.src);
match r {
Ok(h) => Ok(Some(BMFFBox {
head: h,
content: self.src.take(h.size - h.offset),
})),
Err(Error::UnexpectedEOF) => Ok(None),
Err(e) => Err(e),
}
}
}
impl<T: Read> Read for BMFFBox<'_, T> {
fn read(&mut self, buf: &mut [u8]) -> std::io::Result<usize> {
self.content.read(buf)
}
}
impl<T: Read> TryRead for BMFFBox<'_, T> {
fn try_read_to_end(&mut self, buf: &mut TryVec<u8>) -> std::io::Result<usize> {
fallible_collections::try_read_up_to(self, self.bytes_left(), buf)
}
}
impl<T: Offset> Offset for BMFFBox<'_, T> {
fn offset(&self) -> u64 {
self.content.get_ref().offset()
}
}
impl<T: Read> BMFFBox<'_, T> {
fn bytes_left(&self) -> u64 {
self.content.limit()
}
const fn get_header(&self) -> &BoxHeader {
&self.head
}
fn box_iter(&mut self) -> BoxIter<'_, Self> {
BoxIter::new(self)
}
}
impl<T> Drop for BMFFBox<'_, T> {
fn drop(&mut self) {
if self.content.limit() > 0 {
let name: FourCC = From::from(self.head.name);
debug!("Dropping {} bytes in '{}'", self.content.limit(), name);
}
}
}
fn read_box_header<T: ReadBytesExt>(src: &mut T) -> Result<BoxHeader> {
let size32 = be_u32(src)?;
let name = BoxType::from(be_u32(src)?);
let size = match size32 {
0 => return Err(Error::Unsupported("unknown sized box")),
1 => {
let size64 = be_u64(src)?;
if size64 < BoxHeader::MIN_LARGE_SIZE {
return Err(Error::InvalidData("malformed wide size"));
}
size64
},
_ => {
if u64::from(size32) < BoxHeader::MIN_SIZE {
return Err(Error::InvalidData("malformed size"));
}
u64::from(size32)
},
};
let mut offset = match size32 {
1 => BoxHeader::MIN_LARGE_SIZE,
_ => BoxHeader::MIN_SIZE,
};
let uuid = if name == BoxType::UuidBox {
if size >= offset + 16 {
let mut buffer = [0u8; 16];
let count = src.read(&mut buffer)?;
offset += count.to_u64();
if count == 16 {
Some(buffer)
} else {
debug!("malformed uuid (short read), skipping");
None
}
} else {
debug!("malformed uuid, skipping");
None
}
} else {
None
};
assert!(offset <= size);
Ok(BoxHeader { name, size, offset, uuid })
}
fn read_fullbox_extra<T: ReadBytesExt>(src: &mut T) -> Result<(u8, u32)> {
let version = src.read_u8()?;
let flags_a = src.read_u8()?;
let flags_b = src.read_u8()?;
let flags_c = src.read_u8()?;
Ok((
version,
u32::from(flags_a) << 16 | u32::from(flags_b) << 8 | u32::from(flags_c),
))
}
fn read_fullbox_version_no_flags<T: ReadBytesExt>(src: &mut T) -> Result<u8> {
let (version, flags) = read_fullbox_extra(src)?;
if flags != 0 {
return Err(Error::Unsupported("expected flags to be 0"));
}
Ok(version)
}
fn skip_box_content<T: Read>(src: &mut BMFFBox<'_, T>) -> Result<()> {
let to_skip = {
let header = src.get_header();
debug!("{:?} (skipped)", header);
header
.size
.checked_sub(header.offset)
.ok_or(Error::InvalidData("header offset > size"))?
};
assert_eq!(to_skip, src.bytes_left());
skip(src, to_skip)
}
fn skip_box_remain<T: Read>(src: &mut BMFFBox<'_, T>) -> Result<()> {
let remain = {
let header = src.get_header();
let len = src.bytes_left();
debug!("remain {} (skipped) in {:?}", len, header);
len
};
skip(src, remain)
}
pub fn read_avif<T: Read>(f: &mut T) -> Result<AvifData> {
let mut f = OffsetReader::new(f);
let mut iter = BoxIter::new(&mut f);
if let Some(mut b) = iter.next_box()? {
if b.head.name == BoxType::FileTypeBox {
let ftyp = read_ftyp(&mut b)?;
if ftyp.major_brand != b"avif" {
if ftyp.major_brand == b"avis" {
return Err(Error::Unsupported("Animated AVIF is not supported. Please use real AV1 videos instead."));
}
warn!("major_brand: {}", ftyp.major_brand);
return Err(Error::InvalidData("ftyp must be 'avif'"));
}
} else {
return Err(Error::InvalidData("'ftyp' box must occur first"));
}
}
let mut meta = None;
let mut mdats = TryVec::new();
while let Some(mut b) = iter.next_box()? {
match b.head.name {
BoxType::MetadataBox => {
if meta.is_some() {
return Err(Error::InvalidData("There should be zero or one meta boxes per ISO 14496-12:2015 § 8.11.1.1"));
}
meta = Some(read_avif_meta(&mut b)?);
},
BoxType::MediaDataBox => {
if b.bytes_left() > 0 {
let offset = b.offset();
let data = b.read_into_try_vec()?;
mdats.push(MediaDataBox { offset, data })?;
}
},
_ => skip_box_content(&mut b)?,
}
check_parser_state(&b.content)?;
}
let meta = meta.ok_or(Error::InvalidData("missing meta"))?;
let alpha_item_id = meta
.item_references
.iter()
.filter(|iref| {
iref.to_item_id == meta.primary_item_id
&& iref.from_item_id != meta.primary_item_id
&& iref.item_type == b"auxl"
})
.map(|iref| iref.from_item_id)
.find(|&item_id| {
meta.properties.iter().any(|prop| {
prop.item_id == item_id
&& match &prop.property {
ItemProperty::AuxiliaryType(urn) => {
urn.aux_type.as_slice()
== "urn:mpeg:mpegB:cicp:systems:auxiliary:alpha".as_bytes()
}
_ => false,
}
})
});
let mut context = AvifData {
premultiplied_alpha: alpha_item_id.map_or(false, |alpha_item_id| {
meta.item_references.iter().any(|iref| {
iref.from_item_id == meta.primary_item_id
&& iref.to_item_id == alpha_item_id
&& iref.item_type == b"prem"
})
}),
..Default::default()
};
for loc in meta.iloc_items.iter() {
let item_data = if loc.item_id == meta.primary_item_id {
&mut context.primary_item
} else if Some(loc.item_id) == alpha_item_id {
context.alpha_item.get_or_insert_with(TryVec::new)
} else {
continue;
};
if loc.construction_method != ConstructionMethod::File {
return Err(Error::Unsupported("unsupported construction_method"));
}
for extent in loc.extents.iter() {
let mut found = false;
for mdat in mdats.iter_mut() {
if mdat.matches_extent(&extent.extent_range) {
item_data.append(&mut mdat.data)?;
found = true;
break;
} else if mdat.contains_extent(&extent.extent_range) {
mdat.read_extent(&extent.extent_range, item_data)?;
found = true;
break;
}
}
if !found {
return Err(Error::InvalidData("iloc contains an extent that is not in mdat"));
}
}
}
Ok(context)
}
fn read_avif_meta<T: Read + Offset>(src: &mut BMFFBox<'_, T>) -> Result<AvifInternalMeta> {
let version = read_fullbox_version_no_flags(src)?;
if version != 0 {
return Err(Error::Unsupported("unsupported meta version"));
}
let mut primary_item_id = None;
let mut item_infos = None;
let mut iloc_items = None;
let mut item_references = TryVec::new();
let mut properties = TryVec::new();
let mut iter = src.box_iter();
while let Some(mut b) = iter.next_box()? {
match b.head.name {
BoxType::ItemInfoBox => {
if item_infos.is_some() {
return Err(Error::InvalidData("There should be zero or one iinf boxes per ISO 14496-12:2015 § 8.11.6.1"));
}
item_infos = Some(read_iinf(&mut b)?);
},
BoxType::ItemLocationBox => {
if iloc_items.is_some() {
return Err(Error::InvalidData("There should be zero or one iloc boxes per ISO 14496-12:2015 § 8.11.3.1"));
}
iloc_items = Some(read_iloc(&mut b)?);
},
BoxType::PrimaryItemBox => {
if primary_item_id.is_some() {
return Err(Error::InvalidData("There should be zero or one iloc boxes per ISO 14496-12:2015 § 8.11.4.1"));
}
primary_item_id = Some(read_pitm(&mut b)?);
},
BoxType::ImageReferenceBox => {
item_references.append(&mut read_iref(&mut b)?)?;
},
BoxType::ImagePropertiesBox => {
properties = read_iprp(&mut b)?;
},
_ => skip_box_content(&mut b)?,
}
check_parser_state(&b.content)?;
}
let primary_item_id = primary_item_id.ok_or(Error::InvalidData("Required pitm box not present in meta box"))?;
let item_infos = item_infos.ok_or(Error::InvalidData("iinf missing"))?;
if let Some(item_info) = item_infos.iter().find(|x| x.item_id == primary_item_id) {
if &item_info.item_type.to_be_bytes() != b"av01" {
if &item_info.item_type.to_be_bytes() == b"grid" {
return Err(Error::Unsupported("Grid-based AVIF collage is not supported"));
}
warn!("primary_item_id type: {}", U32BE(item_info.item_type));
return Err(Error::InvalidData("primary_item_id type is not av01"));
}
} else {
return Err(Error::InvalidData("primary_item_id not present in iinf box"));
}
Ok(AvifInternalMeta {
properties,
item_references,
primary_item_id,
iloc_items: iloc_items.ok_or(Error::InvalidData("iloc missing"))?,
})
}
fn read_pitm<T: Read>(src: &mut BMFFBox<'_, T>) -> Result<u32> {
let version = read_fullbox_version_no_flags(src)?;
let item_id = match version {
0 => be_u16(src)?.into(),
1 => be_u32(src)?,
_ => return Err(Error::Unsupported("unsupported pitm version")),
};
Ok(item_id)
}
fn read_iinf<T: Read>(src: &mut BMFFBox<'_, T>) -> Result<TryVec<ItemInfoEntry>> {
let version = read_fullbox_version_no_flags(src)?;
match version {
0 | 1 => (),
_ => return Err(Error::Unsupported("unsupported iinf version")),
}
let entry_count = if version == 0 {
be_u16(src)?.to_usize()
} else {
be_u32(src)?.to_usize()
};
let mut item_infos = TryVec::with_capacity(entry_count)?;
let mut iter = src.box_iter();
while let Some(mut b) = iter.next_box()? {
if b.head.name != BoxType::ItemInfoEntry {
return Err(Error::InvalidData("iinf box should contain only infe boxes"));
}
item_infos.push(read_infe(&mut b)?)?;
check_parser_state(&b.content)?;
}
Ok(item_infos)
}
struct U32BE(u32);
impl std::fmt::Display for U32BE {
fn fmt(&self, f: &mut std::fmt::Formatter<'_>) -> std::fmt::Result {
match std::str::from_utf8(&self.0.to_be_bytes()) {
Ok(s) => f.write_str(s),
Err(_) => write!(f, "{:x?}", self.0),
}
}
}
fn read_infe<T: Read>(src: &mut BMFFBox<'_, T>) -> Result<ItemInfoEntry> {
let (version, _) = read_fullbox_extra(src)?;
let item_id = match version {
2 => be_u16(src)?.into(),
3 => be_u32(src)?,
_ => return Err(Error::Unsupported("unsupported version in 'infe' box")),
};
let item_protection_index = be_u16(src)?;
if item_protection_index != 0 {
return Err(Error::Unsupported("protected items (infe.item_protection_index != 0) are not supported"));
}
let item_type = be_u32(src)?;
debug!("infe item_id {} item_type: {}", item_id, U32BE(item_type));
skip_box_remain(src)?;
Ok(ItemInfoEntry { item_id, item_type })
}
fn read_iref<T: Read>(src: &mut BMFFBox<'_, T>) -> Result<TryVec<SingleItemTypeReferenceBox>> {
let mut item_references = TryVec::new();
let version = read_fullbox_version_no_flags(src)?;
if version > 1 {
return Err(Error::Unsupported("iref version"));
}
let mut iter = src.box_iter();
while let Some(mut b) = iter.next_box()? {
let from_item_id = if version == 0 {
be_u16(&mut b)?.into()
} else {
be_u32(&mut b)?
};
let reference_count = be_u16(&mut b)?;
for _ in 0..reference_count {
let to_item_id = if version == 0 {
be_u16(&mut b)?.into()
} else {
be_u32(&mut b)?
};
if from_item_id == to_item_id {
return Err(Error::InvalidData("from_item_id and to_item_id must be different"));
}
item_references.push(SingleItemTypeReferenceBox {
item_type: b.head.name.into(),
from_item_id,
to_item_id,
})?;
}
check_parser_state(&b.content)?;
}
Ok(item_references)
}
fn read_iprp<T: Read>(src: &mut BMFFBox<'_, T>) -> Result<TryVec<AssociatedProperty>> {
let mut iter = src.box_iter();
let mut properties = TryVec::new();
let mut associations = TryVec::new();
while let Some(mut b) = iter.next_box()? {
match b.head.name {
BoxType::ItemPropertyContainerBox => {
properties = read_ipco(&mut b)?;
},
BoxType::ItemPropertyAssociationBox => {
associations = read_ipma(&mut b)?;
},
_ => return Err(Error::InvalidData("unexpected ipco child")),
}
}
let mut associated = TryVec::new();
for a in associations {
let index = match a.property_index {
0 => continue,
x => x as usize - 1,
};
if let Some(prop) = properties.get(index) {
if *prop != ItemProperty::Unsupported {
associated.push(AssociatedProperty {
item_id: a.item_id,
property: prop.try_clone()?,
})?;
}
}
}
Ok(associated)
}
#[derive(Debug, PartialEq)]
pub(crate) enum ItemProperty {
Channels(TryVec<u8>),
AuxiliaryType(AuxiliaryTypeProperty),
Unsupported,
}
impl TryClone for ItemProperty {
fn try_clone(&self) -> Result<Self, TryReserveError> {
Ok(match self {
Self::Channels(val) => Self::Channels(val.try_clone()?),
Self::AuxiliaryType(val) => Self::AuxiliaryType(val.try_clone()?),
Self::Unsupported => Self::Unsupported,
})
}
}
struct Association {
item_id: u32,
#[allow(unused)]
essential: bool,
property_index: u16,
}
pub(crate) struct AssociatedProperty {
pub item_id: u32,
pub property: ItemProperty,
}
fn read_ipma<T: Read>(src: &mut BMFFBox<'_, T>) -> Result<TryVec<Association>> {
let (version, flags) = read_fullbox_extra(src)?;
let mut associations = TryVec::new();
let entry_count = be_u32(src)?;
for _ in 0..entry_count {
let item_id = if version == 0 {
be_u16(src)?.into()
} else {
be_u32(src)?
};
let association_count = src.read_u8()?;
for _ in 0..association_count {
let num_association_bytes = if flags & 1 == 1 { 2 } else { 1 };
let association = src.take(num_association_bytes).read_into_try_vec()?;
let mut association = BitReader::new(association.as_slice());
let essential = association.read_bool()?;
let property_index = association.read_u16(association.remaining().try_into()?)?;
associations.push(Association {
item_id,
essential,
property_index,
})?;
}
}
Ok(associations)
}
fn read_ipco<T: Read>(src: &mut BMFFBox<'_, T>) -> Result<TryVec<ItemProperty>> {
let mut properties = TryVec::new();
let mut iter = src.box_iter();
while let Some(mut b) = iter.next_box()? {
properties.push(match b.head.name {
BoxType::PixelInformationBox => ItemProperty::Channels(read_pixi(&mut b)?),
BoxType::AuxiliaryTypeProperty => ItemProperty::AuxiliaryType(read_auxc(&mut b)?),
_ => {
skip_box_remain(&mut b)?;
ItemProperty::Unsupported
},
})?;
}
Ok(properties)
}
fn read_pixi<T: Read>(src: &mut BMFFBox<'_, T>) -> Result<TryVec<u8>> {
let version = read_fullbox_version_no_flags(src)?;
if version != 0 {
return Err(Error::Unsupported("pixi version"));
}
let num_channels = src.read_u8()?.into();
let mut channels = TryVec::with_capacity(num_channels)?;
let num_channels_read = src.try_read_to_end(&mut channels)?;
if num_channels_read != num_channels {
return Err(Error::InvalidData("invalid num_channels"));
}
check_parser_state(&src.content)?;
Ok(channels)
}
#[derive(Debug, PartialEq)]
pub struct AuxiliaryTypeProperty {
aux_type: TryString,
aux_subtype: TryString,
}
impl TryClone for AuxiliaryTypeProperty {
fn try_clone(&self) -> Result<Self, TryReserveError> {
Ok(Self {
aux_type: self.aux_type.try_clone()?,
aux_subtype: self.aux_subtype.try_clone()?,
})
}
}
fn read_auxc<T: Read>(src: &mut BMFFBox<'_, T>) -> Result<AuxiliaryTypeProperty> {
let version = read_fullbox_version_no_flags(src)?;
if version != 0 {
return Err(Error::Unsupported("auxC version"));
}
let mut aux = TryString::new();
src.try_read_to_end(&mut aux)?;
let (aux_type, aux_subtype): (TryString, TryVec<u8>);
if let Some(nul_byte_pos) = aux.iter().position(|&b| b == b'\0') {
let (a, b) = aux.as_slice().split_at(nul_byte_pos);
aux_type = a.try_into()?;
aux_subtype = (&b[1..]).try_into()?;
} else {
aux_type = aux;
aux_subtype = TryVec::new();
}
Ok(AuxiliaryTypeProperty { aux_type, aux_subtype })
}
fn read_iloc<T: Read>(src: &mut BMFFBox<'_, T>) -> Result<TryVec<ItemLocationBoxItem>> {
let version: IlocVersion = read_fullbox_version_no_flags(src)?.try_into()?;
let iloc = src.read_into_try_vec()?;
let mut iloc = BitReader::new(&iloc);
let offset_size: IlocFieldSize = iloc.read_u8(4)?.try_into()?;
let length_size: IlocFieldSize = iloc.read_u8(4)?.try_into()?;
let base_offset_size: IlocFieldSize = iloc.read_u8(4)?.try_into()?;
let index_size: Option<IlocFieldSize> = match version {
IlocVersion::One | IlocVersion::Two => Some(iloc.read_u8(4)?.try_into()?),
IlocVersion::Zero => {
let _reserved = iloc.read_u8(4)?;
None
},
};
let item_count = match version {
IlocVersion::Zero | IlocVersion::One => iloc.read_u32(16)?,
IlocVersion::Two => iloc.read_u32(32)?,
};
let mut items = TryVec::with_capacity(item_count.to_usize())?;
for _ in 0..item_count {
let item_id = match version {
IlocVersion::Zero | IlocVersion::One => iloc.read_u32(16)?,
IlocVersion::Two => iloc.read_u32(32)?,
};
let construction_method = match version {
IlocVersion::Zero => ConstructionMethod::File,
IlocVersion::One | IlocVersion::Two => {
let _reserved = iloc.read_u16(12)?;
match iloc.read_u16(4)? {
0 => ConstructionMethod::File,
1 => ConstructionMethod::Idat,
2 => return Err(Error::Unsupported("construction_method 'item_offset' is not supported")),
_ => return Err(Error::InvalidData("construction_method is taken from the set 0, 1 or 2 per ISO 14496-12:2015 § 8.11.3.3")),
}
},
};
let data_reference_index = iloc.read_u16(16)?;
if data_reference_index != 0 {
return Err(Error::Unsupported("external file references (iloc.data_reference_index != 0) are not supported"));
}
let base_offset = iloc.read_u64(base_offset_size.to_bits())?;
let extent_count = iloc.read_u16(16)?;
if extent_count < 1 {
return Err(Error::InvalidData("extent_count must have a value 1 or greater per ISO 14496-12:2015 § 8.11.3.3"));
}
let mut extents = TryVec::with_capacity(extent_count.to_usize())?;
for _ in 0..extent_count {
let _extent_index = match &index_size {
None | Some(IlocFieldSize::Zero) => None,
Some(index_size) => {
debug_assert!(version == IlocVersion::One || version == IlocVersion::Two);
Some(iloc.read_u64(index_size.to_bits())?)
},
};
let extent_offset = iloc.read_u64(offset_size.to_bits())?;
let extent_length = iloc.read_u64(length_size.to_bits())?;
let start = base_offset
.checked_add(extent_offset)
.ok_or(Error::InvalidData("offset calculation overflow"))?;
let extent_range = if extent_length == 0 {
ExtentRange::ToEnd(RangeFrom { start })
} else {
let end = start
.checked_add(extent_length)
.ok_or(Error::InvalidData("end calculation overflow"))?;
ExtentRange::WithLength(Range { start, end })
};
extents.push(ItemLocationBoxExtent { extent_range })?;
}
items.push(ItemLocationBoxItem { item_id, construction_method, extents })?;
}
if iloc.remaining() == 0 {
Ok(items)
} else {
Err(Error::InvalidData("invalid iloc size"))
}
}
fn read_ftyp<T: Read>(src: &mut BMFFBox<'_, T>) -> Result<FileTypeBox> {
let major = be_u32(src)?;
let minor = be_u32(src)?;
let bytes_left = src.bytes_left();
if bytes_left % 4 != 0 {
return Err(Error::InvalidData("invalid ftyp size"));
}
let brand_count = bytes_left / 4;
let mut brands = TryVec::with_capacity(brand_count.try_into()?)?;
for _ in 0..brand_count {
brands.push(be_u32(src)?.into())?;
}
Ok(FileTypeBox {
major_brand: From::from(major),
minor_version: minor,
compatible_brands: brands,
})
}
#[cfg_attr(debug_assertions, track_caller)]
fn check_parser_state<T>(left: &Take<T>) -> Result<(), Error> {
let limit = left.limit();
if limit == 0 {
Ok(())
} else {
debug_assert_eq!(0, limit, "bad parser state bytes left");
Err(Error::InvalidData("unread box content or bad parser sync"))
}
}
fn skip<T: Read>(src: &mut T, bytes: u64) -> Result<()> {
std::io::copy(&mut src.take(bytes), &mut std::io::sink())?;
Ok(())
}
fn be_u16<T: ReadBytesExt>(src: &mut T) -> Result<u16> {
src.read_u16::<byteorder::BigEndian>().map_err(From::from)
}
fn be_u32<T: ReadBytesExt>(src: &mut T) -> Result<u32> {
src.read_u32::<byteorder::BigEndian>().map_err(From::from)
}
fn be_u64<T: ReadBytesExt>(src: &mut T) -> Result<u64> {
src.read_u64::<byteorder::BigEndian>().map_err(From::from)
}