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
//! Video frame decoding.
//! =========================
//!
//! Whirlwind tour of how to interpret picture data (from a Video perspective)
//! ---------------------------------------------------------------------------------
//!
//! Extracted from the [av1 codec wiki](https://wiki.x266.mov/docs/colorimetry/intro) and other sources.
//! Follows the trail of information we get from our AV1 decoder.
//!
//! ### How to get from YUV to RGB?
//!
//! Things to know about the incoming yuv data:
//! * `picture.bit_depth()`
//! * is either 8 or 16
//! * that's how the decoder stores for us but the per component we have either 8 or 10 or 12 bits -> see `picture.bits_per_component()`
//! * `picture.pixel_layout()`
//! * `4:0:0` greyscale
//! * `4:2:0` half horizontal and half vertical resolution for chroma
//! * `4:2:2` half horizontal resolution for chroma
//! * `4:4:4` full resolution for chroma
//! * note that the AV1 decoder gives us always (!) planar data
//! * `picture.color_range()`
//! * yuv data range may be either `limited` or `full`
//! * `full` is what you'd naively expect, just full use up the entire 8/10/12 bits!
//! * `limited` means that only a certain range of values is valid
//! * weirdly enough, DO NOT CLAMP! a lot of software may say it's limited but then use the so-called foot and head space anyways to go outside the regular colors
//! * reportedly (read this on some forums ;-)) some players _do_ clamp, so let's not get too concerned about this
//! * it's a remnant of the analog age, but it's still very common!
//!
//! ### Given a normalized YUV triplet, how do we get color?
//!
//! * `picture.matrix_coefficients()` (see <https://wiki.x266.mov/docs/colorimetry/matrix>)
//! * this tells us what to multiply the incoming YUV data with to get SOME RGB data
//! * there's various standards of how to do this, but the most common is BT.709
//! * here's a fun special one: `identity` means it's not actually YUV, but GBR!
//! * `picture.primaries()`
//! * now we have RGB but we kinda have no idea what that means!
//! * the color primaries tell us which space we're in
//! * ...meaning that if the primaries are anything else we'd have to do some conversion BUT
//! it also means that we have no chance of displaying the picture perfectly on a screen taking in sRGB (or any other not-matching color space)
//! * [Wikipedia says](https://en.wikipedia.org/wiki/Rec._709#Relationship_to_sRGB) sRGB uses the same primaries as BT.709
//! * but I also found other sources (e.g. [this forum post](https://forum.doom9.org/showthread.php?p=1640342#post1640342))
//! clamining that they're just close enough to be considered the same for practical purposes
//! * `picture.transfer_characteristics()`
//! * until this point everything is "gamma compressed", or more accurately, went through Opto Electric Transfer Function (OETF)
//! * i.e. measure of light in, electronic signal out
//! * we have to keep in mind the EOTF that our screen at the other end will use which for today's renderpipeline is always sRGB
//! (meaning it's a 2.2 gamma curve with a small linear part)
//! * Similar to the primaries, BT.709 uses a _similar_ transfer function as sRGB, but not exactly the same
//! <https://www.image-engineering.de/library/technotes/714-color-spaces-rec-709-vs-srgb>
//! * There's reason to believe players just ignore this:
//! * From a [VLC issue](https://code.videolan.org/videolan/vlc/-/issues/26999):
//! > We do not support transfers or primaries anyway, so it does not matter
//! > (we do support HDR transfer functions PQ and HLG, not SDR ones and we support BT.2020 primaries, but not SMPTE C (which is what BT.601 NTSC is))."
//! * …I'm sure I found a report of other video players ignoring this and most of everything except `matrix_coefficients` but I can't find it anymore :(
//!
//! All of the above are completely optional for a video to specify and there's sometimes some interplay of relationships with those.
//! (a standard would often specify several things at once, there's typical and less typical combinations)
//! So naturally, people will use terms sloppily and interchangeably,
//! If anything is lacking a video player has to make a guess.
//! … and as discussed above, even it's there, often video players tend to ignore some settings!
//!
//! With all this out of the way…
//!
//! ### What's the state of us making use of all these things?
//!
//! * ❌ `picture.bit_depth()`
//! * TODO(#7594): ignored, we just pretend everything is 8 bits
//! * ✅ `picture.pixel_layout()`
//! * ✅ `picture.color_range()`
//! * 🟧 `picture.matrix_coefficients()`
//! * we try to figure out whether to use `BT.709` or `BT.601` coefficients, using other characteristics for guessing if nothing else is available.
//! * ❌ `picture.primaries()`
//! * ❌ `picture.transfer_characteristics()`
//!
//! We'll very likely be good with this until either we get specific feature requests and/or we'll start
//! supporting HDR content at which point more properties will be important!
//!
#[cfg(with_dav1d)]
mod async_decoder_wrapper;
#[cfg(with_dav1d)]
mod av1;
#[cfg(with_ffmpeg)]
mod ffmpeg_h264;
#[cfg(with_ffmpeg)]
pub use ffmpeg_h264::{
ffmpeg_download_url, Error as FFmpegError, FFmpegVersion, FFmpegVersionParseError,
};
#[cfg(target_arch = "wasm32")]
mod webcodecs;
use crate::Time;
#[derive(thiserror::Error, Debug, Clone)]
pub enum Error {
#[error("Unsupported codec: {0}")]
UnsupportedCodec(String),
#[cfg(not(target_arch = "wasm32"))]
#[error("Native AV1 video decoding not supported in debug builds.")]
NoNativeAv1Debug,
#[cfg(with_dav1d)]
#[error("dav1d: {0}")]
Dav1d(#[from] dav1d::Error),
#[cfg(with_dav1d)]
#[error("To enabled native AV1 decoding, compile Rerun with the `nasm` feature enabled.")]
Dav1dWithoutNasm,
#[error("Rerun does not yet support native AV1 decoding on Linux ARM64. See https://github.com/rerun-io/rerun/issues/7755")]
#[cfg(linux_arm64)]
NoDav1dOnLinuxArm64,
#[cfg(target_arch = "wasm32")]
#[error(transparent)]
WebDecoder(#[from] webcodecs::Error),
#[cfg(with_ffmpeg)]
#[error(transparent)]
Ffmpeg(std::sync::Arc<FFmpegError>),
#[error("Unsupported bits per component: {0}")]
BadBitsPerComponent(usize),
}
pub type Result<T = (), E = Error> = std::result::Result<T, E>;
pub type OutputCallback = dyn Fn(Result<Frame>) + Send + Sync;
/// Interface for an asynchronous video decoder.
///
/// Output callback is passed in on creation of a concrete type.
pub trait AsyncDecoder: Send + Sync {
/// Submits a chunk for decoding in the background.
///
/// Chunks are expected to come in the order of their decoding timestamp.
fn submit_chunk(&mut self, chunk: Chunk) -> Result<()>;
/// Called after submitting the last chunk.
///
/// Should flush all pending frames.
fn end_of_video(&mut self) -> Result<()> {
Ok(())
}
/// Resets the decoder.
///
/// This does not block, all chunks sent to `decode` before this point will be discarded.
fn reset(&mut self) -> Result<()>;
}
/// Creates a new async decoder for the given `video` data.
pub fn new_decoder(
debug_name: &str,
video: &crate::VideoData,
decode_settings: &DecodeSettings,
on_output: impl Fn(Result<Frame>) + Send + Sync + 'static,
) -> Result<Box<dyn AsyncDecoder>> {
#![allow(unused_variables, clippy::needless_return)] // With some feature flags
re_tracing::profile_function!();
re_log::trace!(
"Looking for decoder for {}",
video.human_readable_codec_string()
);
#[cfg(target_arch = "wasm32")]
return Ok(Box::new(webcodecs::WebVideoDecoder::new(
video,
decode_settings.hw_acceleration,
on_output,
)?));
#[cfg(not(target_arch = "wasm32"))]
match &video.config.stsd.contents {
#[cfg(feature = "av1")]
re_mp4::StsdBoxContent::Av01(_av01_box) => {
#[cfg(linux_arm64)]
{
return Err(Error::NoDav1dOnLinuxArm64);
}
#[cfg(with_dav1d)]
{
if cfg!(debug_assertions) {
return Err(Error::NoNativeAv1Debug); // because debug builds of rav1d is EXTREMELY slow
}
re_log::trace!("Decoding AV1…");
return Ok(Box::new(async_decoder_wrapper::AsyncDecoderWrapper::new(
debug_name.to_owned(),
Box::new(av1::SyncDav1dDecoder::new(debug_name.to_owned())?),
on_output,
)));
}
}
#[cfg(with_ffmpeg)]
re_mp4::StsdBoxContent::Avc1(avc1_box) => {
re_log::trace!("Decoding H.264…");
Ok(Box::new(ffmpeg_h264::FFmpegCliH264Decoder::new(
debug_name.to_owned(),
avc1_box.clone(),
on_output,
decode_settings.ffmpeg_path.clone(),
)?))
}
_ => Err(Error::UnsupportedCodec(video.human_readable_codec_string())),
}
}
/// One chunk of encoded video data, representing a single [`crate::Sample`].
///
/// For details on how to interpret the data, see [`crate::Sample`].
///
/// In MP4, one sample is one frame.
pub struct Chunk {
/// The start of a new [`crate::demux::GroupOfPictures`]?
///
/// This probably means this is a _keyframe_, and that and entire frame
/// can be decoded from only this one sample (though I'm not 100% sure).
pub is_sync: bool,
pub data: Vec<u8>,
/// Which sample (frame) did this chunk come from?
///
/// This is the order of which the samples appear in the container,
/// which is usually ordered by [`Self::decode_timestamp`].
pub sample_idx: usize,
/// Which frame does this chunk belong to?
///
/// This is on the assumption that each sample produces a single frame,
/// which is true for MP4.
///
/// This is the index of samples ordered by [`Self::presentation_timestamp`].
pub frame_nr: usize,
/// Decode timestamp of this sample.
/// Chunks are expected to be submitted in the order of decode timestamp.
///
/// `decode_timestamp <= presentation_timestamp`
pub decode_timestamp: Time,
/// Presentation timestamp for the sample in this chunk.
/// Often synonymous with `composition_timestamp`.
///
/// `decode_timestamp <= presentation_timestamp`
pub presentation_timestamp: Time,
pub duration: Time,
}
/// Data for a decoded frame on native targets.
#[cfg(not(target_arch = "wasm32"))]
pub struct FrameContent {
pub data: Vec<u8>,
pub width: u32,
pub height: u32,
pub format: PixelFormat,
}
/// Data for a decoded frame on the web.
#[cfg(target_arch = "wasm32")]
pub type FrameContent = webcodecs::WebVideoFrame;
/// Meta information about a decoded video frame, as reported by the decoder.
#[derive(Debug, Clone)]
pub struct FrameInfo {
/// The start of a new [`crate::demux::GroupOfPictures`]?
///
/// This probably means this is a _keyframe_, and that and entire frame
/// can be decoded from only this one sample (though I'm not 100% sure).
///
/// None = unknown.
pub is_sync: Option<bool>,
/// Which sample in the video is this from?
///
/// In MP4, one sample is one frame, but we may be reordering samples when decoding.
///
/// This is the order of which the samples appear in the container,
/// which is usually ordered by [`Self::latest_decode_timestamp`].
///
/// None = unknown.
pub sample_idx: Option<usize>,
/// Which frame is this?
///
/// This is on the assumption that each sample produces a single frame,
/// which is true for MP4.
///
/// This is the index of frames ordered by [`Self::presentation_timestamp`].
///
/// None = unknown.
pub frame_nr: Option<usize>,
/// The presentation timestamp of the frame.
pub presentation_timestamp: Time,
/// How long the frame is valid.
pub duration: Time,
/// The decode timestamp of the last chunk that was needed to decode this frame.
///
/// None = unknown.
pub latest_decode_timestamp: Option<Time>,
}
impl FrameInfo {
/// Presentation timestamp range in which this frame is valid.
pub fn presentation_time_range(&self) -> std::ops::Range<Time> {
self.presentation_timestamp..self.presentation_timestamp + self.duration
}
}
/// One decoded video frame.
pub struct Frame {
pub content: FrameContent,
pub info: FrameInfo,
}
/// Pixel format/layout used by [`FrameContent::data`].
#[derive(Debug, Clone)]
pub enum PixelFormat {
Rgb8Unorm,
Rgba8Unorm,
Yuv {
layout: YuvPixelLayout,
range: YuvRange,
// TODO(andreas): color primaries should also apply to RGB data,
// but for now we just always assume RGB to be BT.709 ~= sRGB.
coefficients: YuvMatrixCoefficients,
// Note that we don't handle chroma sample location at all so far.
},
}
impl PixelFormat {
pub fn bits_per_pixel(&self) -> u32 {
match self {
Self::Rgb8Unorm { .. } => 24,
Self::Rgba8Unorm { .. } => 32,
Self::Yuv { layout, .. } => match layout {
YuvPixelLayout::Y_U_V444 => 24,
YuvPixelLayout::Y_U_V422 => 16,
YuvPixelLayout::Y_U_V420 => 12,
YuvPixelLayout::Y400 => 8,
},
}
}
}
/// Pixel layout used by [`PixelFormat::Yuv`].
///
/// For details see `re_renderer`'s `YuvPixelLayout` type.
#[allow(non_camel_case_types)]
#[derive(Debug, Clone, Copy, PartialEq, Eq)]
pub enum YuvPixelLayout {
Y_U_V444,
Y_U_V422,
Y_U_V420,
Y400,
}
/// Yuv value range used by [`PixelFormat::Yuv`].
///
/// For details see `re_renderer`'s `YuvRange` type.
#[derive(Debug, Clone, Copy)]
pub enum YuvRange {
Limited,
Full,
}
/// Yuv matrix coefficients used by [`PixelFormat::Yuv`].
///
/// For details see `re_renderer`'s `YuvMatrixCoefficients` type.
#[derive(Debug, Clone, Copy)]
pub enum YuvMatrixCoefficients {
/// Interpret YUV as GBR.
Identity,
Bt601,
Bt709,
}
/// How the video should be decoded.
///
/// Depending on the decoder backend, these settings are merely hints and may be ignored.
/// However, they can be useful in some situations to work around issues.
///
/// On the web this directly corresponds to
/// <https://www.w3.org/TR/webcodecs/#hardware-acceleration>
#[derive(Debug, Clone, Copy, PartialEq, Eq, Default, Hash)]
#[cfg_attr(feature = "serde", derive(serde::Deserialize, serde::Serialize))]
pub enum DecodeHardwareAcceleration {
/// May use hardware acceleration if available and compatible with the codec.
#[default]
Auto,
/// Should use a software decoder even if hardware acceleration is available.
///
/// If no software decoder is present, this may cause decoding to fail.
PreferSoftware,
/// Should use a hardware decoder.
///
/// If no hardware decoder is present, this may cause decoding to fail.
PreferHardware,
}
/// Settings for video decoding.
#[derive(Debug, Clone, PartialEq, Eq, Default, Hash)]
#[cfg_attr(feature = "serde", derive(serde::Deserialize, serde::Serialize))]
pub struct DecodeSettings {
/// How the video should be decoded.
pub hw_acceleration: DecodeHardwareAcceleration,
/// Custom path for the ffmpeg binary.
///
/// If not provided, we use the path automatically determined by `ffmpeg_sidecar`.
pub ffmpeg_path: Option<std::path::PathBuf>,
}
impl std::fmt::Display for DecodeHardwareAcceleration {
fn fmt(&self, f: &mut std::fmt::Formatter<'_>) -> std::fmt::Result {
match self {
Self::Auto => write!(f, "Auto"),
Self::PreferSoftware => write!(f, "Prefer software"),
Self::PreferHardware => write!(f, "Prefer hardware"),
}
}
}
impl std::str::FromStr for DecodeHardwareAcceleration {
type Err = ();
fn from_str(s: &str) -> Result<Self, Self::Err> {
match s.trim().to_lowercase().replace('-', "_").as_str() {
"auto" => Ok(Self::Auto),
"prefer_software" | "software" => Ok(Self::PreferSoftware),
"prefer_hardware" | "hardware" => Ok(Self::PreferHardware),
_ => Err(()),
}
}
}