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
// Copyright 2022 The ChromiumOS Authors
// Use of this source code is governed by a BSD-style license that can be
// found in the LICENSE file.
use std::cell::Ref;
use std::cell::RefCell;
use std::cell::RefMut;
use std::collections::VecDeque;
use std::rc::Rc;
use thiserror::Error;
use crate::DecodedFormat;
use crate::Resolution;
pub mod h264;
pub mod vp8;
pub mod vp9;
pub type Result<T> = std::result::Result<T, Error>;
#[derive(Error, Debug)]
pub enum Error {
#[error(transparent)]
StatelessBackendError(#[from] StatelessBackendError),
#[error(transparent)]
Other(#[from] anyhow::Error),
}
#[derive(Error, Debug)]
pub enum StatelessBackendError {
#[error("not enough resources to proceed with the operation now")]
OutOfResources,
#[error("this resource is not ready")]
ResourceNotReady,
#[error("this format is not supported")]
UnsupportedFormat,
#[error("negotiation failed")]
NegotiationFailed(anyhow::Error),
#[error(transparent)]
Other(#[from] anyhow::Error),
}
pub type StatelessBackendResult<T> = std::result::Result<T, StatelessBackendError>;
pub(crate) trait VideoDecoderBackend {
/// The type that the backend returns as a result of a decode operation.
/// This will usually be some backend-specific type with a resource and a
/// resource pool so that said buffer can be reused for another decode
/// operation when it goes out of scope.
type Handle: DecodedHandle;
/// Returns the current coded resolution of the bitstream being processed.
/// This may be None if we have not read the stream parameters yet.
fn coded_resolution(&self) -> Option<Resolution>;
/// Returns the current display resolution of the bitstream being processed.
/// This may be None if we have not read the stream parameters yet.
fn display_resolution(&self) -> Option<Resolution>;
/// Gets the number of output resources allocated by the backend.
fn num_resources_total(&self) -> usize;
/// Gets the number of output resources left in the backend.
fn num_resources_left(&self) -> usize;
/// Gets the chosen format. This is set to a default after the decoder reads
/// enough stream metadata from the bitstream. Some buffers need to be
/// processed first before the default format can be set.
fn format(&self) -> Option<DecodedFormat>;
/// Try altering the decoded format.
fn try_format(&mut self, format: DecodedFormat) -> Result<()>;
/// Poll for any ready pictures. `block` dictates whether this call should
/// block on the operation or return immediately.
fn poll(&mut self, blocking_mode: BlockingMode) -> Result<VecDeque<Self::Handle>>;
/// Whether the handle is ready for presentation. The decoder will check
/// this before returning the handle to clients.
fn handle_is_ready(&self, handle: &Self::Handle) -> bool;
/// Block on handle `handle`.
fn block_on_handle(&mut self, handle: &Self::Handle) -> StatelessBackendResult<()>;
}
pub trait VideoDecoder {
/// Decode the `bitstream` represented by `timestamp`. Returns zero or more
/// decoded handles representing the decoded data.
fn decode(
&mut self,
timestamp: u64,
bitstream: &[u8],
) -> Result<Vec<Box<dyn DynDecodedHandle>>>;
/// Flush the decoder i.e. finish processing all queued decode requests and
/// emit frames for them.
fn flush(&mut self) -> Result<Vec<Box<dyn DynDecodedHandle>>>;
/// Whether negotiation of the decoded format is possible. In particular, a
/// decoder will indicate that negotiation is possible after enough metadata
/// is collected from parsing the bitstream through calls to the `decode()`
/// method.
///
/// The negotiation process will start as soon as `negotiation_possible()`
/// returns true. At this moment, the client and the backend can settle on a
/// format by using the `supported_formats_for_stream()`, `format()` and
/// `try_format()` methods.
///
/// When `negotiation_possible()` returns true, the client may also query
/// the backend for new values for the coded resolution, display resolution
/// and/or to the number of resources allocated.
///
/// The negotiation process ends as soon as another call to `decode()` is
/// made, at which point any queued data will be processed first in order to
/// generate any frames that might have been pending while the negotiation
/// process was under way and `negotiation_possible()` will from then on
/// return false.
///
/// If no action is undertaken by the client in the window of time where
/// `negotiation_possible()` returns true, it is assumed that the default
/// format chosen by the backend is acceptable.
///
/// The negotiation process can happen more than once if new stream metadata
/// indicate a change of the stream parameters such that the current decoded
/// format becomes incompatible with the stream. In this case,
/// `negotiation_possible()` will once again return true and the same
/// process described above will take place.
fn negotiation_possible(&self) -> bool;
/// Gets the number of output resources left in the backend after accounting
/// for any buffers that might be queued in the decoder.
fn num_resources_left(&self) -> Option<usize>;
/// Gets the number of output resources allocated by the backend.
fn num_resources_total(&self) -> usize;
///
/// Returns the current coded resolution of the bitstream being processed.
/// This may be None if we have not read the stream parameters yet.
fn coded_resolution(&self) -> Option<Resolution>;
/// Polls the decoder, emitting frames for all queued decode requests. This
/// is similar to flush, but it does not change the state of the decoded
/// picture buffer nor does it reset any internal state.
fn poll(&mut self, blocking_mode: BlockingMode) -> Result<Vec<Box<dyn DynDecodedHandle>>>;
}
pub trait DynDecodedHandle {
fn dyn_picture_mut(&self) -> RefMut<dyn DynHandle>;
fn timestamp(&self) -> u64;
fn display_resolution(&self) -> Resolution;
fn display_order(&self) -> Option<u64>;
}
impl<T> DynDecodedHandle for T
where
T: DecodedHandle,
T::BackendHandle: DynHandle,
{
fn dyn_picture_mut(&self) -> RefMut<dyn DynHandle> {
DecodedHandle::handle_mut(self)
}
fn timestamp(&self) -> u64 {
DecodedHandle::timestamp(self)
}
fn display_resolution(&self) -> Resolution {
DecodedHandle::display_resolution(self)
}
fn display_order(&self) -> Option<u64> {
DecodedHandle::display_order(self)
}
}
pub trait DynHandle {
/// Gets an exclusive reference to the backend handle of this picture.
/// Assumes that this picture is backed by a handle and panics if not the case.
fn dyn_mappable_handle_mut<'a>(&'a mut self) -> Box<dyn MappableHandle + 'a>;
}
/// A trait for types that can be mapped into the client's address space.
pub trait MappableHandle {
/// Read the contents of `self` into `buffer`.
///
/// The size of `buffer` must be equal to `image_size()`, or an error will be returned.
fn read(&mut self, buffer: &mut [u8]) -> Result<()>;
/// Returns the size of the `buffer` argument required to call `read` on this handle.
fn image_size(&mut self) -> usize;
}
/// Instructs the decoder on whether it should block on the decode operations.
/// Nonblocking mode is conditional on backend support.
#[derive(Debug, Clone, Copy, PartialEq, Eq)]
pub enum BlockingMode {
Blocking,
NonBlocking,
}
impl Default for BlockingMode {
fn default() -> Self {
Self::Blocking
}
}
/// Codec-specific information for a single frame.
pub trait FrameInfo {
/// Returns the display resolution of this frame.
fn display_resolution(&self) -> Resolution;
}
/// The handle type used by the stateless decoder backend. The only requirement
/// from implementors is that they give access to the underlying handle and
/// that they can be (cheaply) cloned.
pub trait DecodedHandle: Clone {
/// The type of the handle used by the backend.
type BackendHandle;
/// Returns a reference to the container of the backend handle.
fn handle_rc(&self) -> &Rc<RefCell<Self::BackendHandle>>;
/// Returns a shared reference to the backend handle.
fn handle(&self) -> Ref<Self::BackendHandle> {
self.handle_rc().borrow()
}
/// Returns a mutable reference to the backend handle.
fn handle_mut(&self) -> RefMut<Self::BackendHandle> {
self.handle_rc().borrow_mut()
}
/// Returns the display order for the picture backed by this handle, if set by the decoder.
fn display_order(&self) -> Option<u64>;
/// Sets the display order for the picture backend by this handle
fn set_display_order(&mut self, display_order: u64);
/// Returns the timestamp of the picture.
fn timestamp(&self) -> u64;
/// Returns the display resolution at the time this handle was decoded.
fn display_resolution(&self) -> Resolution;
}