]>
Commit | Line | Data |
---|---|---|
7673d49a | 1 | //! Packets and decoded frames functionality. |
22cb00db | 2 | use std::cmp::max; |
a5ba48ac | 3 | //use std::collections::HashMap; |
83e603fa | 4 | use std::fmt; |
8057a7fd | 5 | pub use std::sync::Arc; |
4e8b4f31 | 6 | pub use crate::formats::*; |
1a967e6b | 7 | pub use crate::refs::*; |
2c6462c8 | 8 | use std::str::FromStr; |
94dbb551 | 9 | |
7673d49a | 10 | /// Audio stream information. |
5869fd63 | 11 | #[allow(dead_code)] |
66116504 | 12 | #[derive(Clone,Copy,PartialEq)] |
5869fd63 | 13 | pub struct NAAudioInfo { |
7673d49a | 14 | /// Sample rate. |
df159213 | 15 | pub sample_rate: u32, |
7673d49a | 16 | /// Number of channels. |
df159213 | 17 | pub channels: u8, |
7673d49a | 18 | /// Audio sample format. |
df159213 | 19 | pub format: NASoniton, |
7673d49a | 20 | /// Length of one audio block in samples. |
df159213 | 21 | pub block_len: usize, |
5869fd63 KS |
22 | } |
23 | ||
24 | impl NAAudioInfo { | |
7673d49a | 25 | /// Constructs a new `NAAudioInfo` instance. |
5869fd63 KS |
26 | pub fn new(sr: u32, ch: u8, fmt: NASoniton, bl: usize) -> Self { |
27 | NAAudioInfo { sample_rate: sr, channels: ch, format: fmt, block_len: bl } | |
28 | } | |
7673d49a | 29 | /// Returns audio sample rate. |
66116504 | 30 | pub fn get_sample_rate(&self) -> u32 { self.sample_rate } |
7673d49a | 31 | /// Returns the number of channels. |
66116504 | 32 | pub fn get_channels(&self) -> u8 { self.channels } |
7673d49a | 33 | /// Returns sample format. |
66116504 | 34 | pub fn get_format(&self) -> NASoniton { self.format } |
7673d49a | 35 | /// Returns one audio block duration in samples. |
66116504 | 36 | pub fn get_block_len(&self) -> usize { self.block_len } |
5869fd63 KS |
37 | } |
38 | ||
83e603fa KS |
39 | impl fmt::Display for NAAudioInfo { |
40 | fn fmt(&self, f: &mut fmt::Formatter) -> fmt::Result { | |
41 | write!(f, "{} Hz, {} ch", self.sample_rate, self.channels) | |
42 | } | |
43 | } | |
44 | ||
7673d49a | 45 | /// Video stream information. |
5869fd63 | 46 | #[allow(dead_code)] |
66116504 | 47 | #[derive(Clone,Copy,PartialEq)] |
5869fd63 | 48 | pub struct NAVideoInfo { |
7673d49a | 49 | /// Picture width. |
bf507799 | 50 | pub width: usize, |
7673d49a | 51 | /// Picture height. |
bf507799 | 52 | pub height: usize, |
7673d49a | 53 | /// Picture is stored downside up. |
bf507799 | 54 | pub flipped: bool, |
7673d49a | 55 | /// Picture pixel format. |
bf507799 | 56 | pub format: NAPixelFormaton, |
30940e74 KS |
57 | /// Declared bits per sample. |
58 | pub bits: u8, | |
5869fd63 KS |
59 | } |
60 | ||
61 | impl NAVideoInfo { | |
7673d49a | 62 | /// Constructs a new `NAVideoInfo` instance. |
66116504 | 63 | pub fn new(w: usize, h: usize, flip: bool, fmt: NAPixelFormaton) -> Self { |
30940e74 KS |
64 | let bits = fmt.get_total_depth(); |
65 | NAVideoInfo { width: w, height: h, flipped: flip, format: fmt, bits } | |
5869fd63 | 66 | } |
7673d49a | 67 | /// Returns picture width. |
66116504 | 68 | pub fn get_width(&self) -> usize { self.width as usize } |
7673d49a | 69 | /// Returns picture height. |
66116504 | 70 | pub fn get_height(&self) -> usize { self.height as usize } |
7673d49a | 71 | /// Returns picture orientation. |
66116504 | 72 | pub fn is_flipped(&self) -> bool { self.flipped } |
7673d49a | 73 | /// Returns picture pixel format. |
66116504 | 74 | pub fn get_format(&self) -> NAPixelFormaton { self.format } |
7673d49a | 75 | /// Sets new picture width. |
dd1b60e1 | 76 | pub fn set_width(&mut self, w: usize) { self.width = w; } |
7673d49a | 77 | /// Sets new picture height. |
dd1b60e1 | 78 | pub fn set_height(&mut self, h: usize) { self.height = h; } |
5869fd63 KS |
79 | } |
80 | ||
83e603fa KS |
81 | impl fmt::Display for NAVideoInfo { |
82 | fn fmt(&self, f: &mut fmt::Formatter) -> fmt::Result { | |
83 | write!(f, "{}x{}", self.width, self.height) | |
84 | } | |
85 | } | |
86 | ||
7673d49a | 87 | /// A list of possible stream information types. |
66116504 | 88 | #[derive(Clone,Copy,PartialEq)] |
5869fd63 | 89 | pub enum NACodecTypeInfo { |
7673d49a | 90 | /// No codec present. |
5869fd63 | 91 | None, |
7673d49a | 92 | /// Audio codec information. |
5869fd63 | 93 | Audio(NAAudioInfo), |
7673d49a | 94 | /// Video codec information. |
5869fd63 KS |
95 | Video(NAVideoInfo), |
96 | } | |
97 | ||
22cb00db | 98 | impl NACodecTypeInfo { |
7673d49a | 99 | /// Returns video stream information. |
22cb00db KS |
100 | pub fn get_video_info(&self) -> Option<NAVideoInfo> { |
101 | match *self { | |
102 | NACodecTypeInfo::Video(vinfo) => Some(vinfo), | |
103 | _ => None, | |
104 | } | |
105 | } | |
7673d49a | 106 | /// Returns audio stream information. |
22cb00db KS |
107 | pub fn get_audio_info(&self) -> Option<NAAudioInfo> { |
108 | match *self { | |
109 | NACodecTypeInfo::Audio(ainfo) => Some(ainfo), | |
110 | _ => None, | |
111 | } | |
112 | } | |
7673d49a | 113 | /// Reports whether the current stream is video stream. |
5076115b | 114 | pub fn is_video(&self) -> bool { |
6f263099 | 115 | matches!(*self, NACodecTypeInfo::Video(_)) |
5076115b | 116 | } |
7673d49a | 117 | /// Reports whether the current stream is audio stream. |
5076115b | 118 | pub fn is_audio(&self) -> bool { |
6f263099 | 119 | matches!(*self, NACodecTypeInfo::Audio(_)) |
5076115b | 120 | } |
22cb00db KS |
121 | } |
122 | ||
83e603fa KS |
123 | impl fmt::Display for NACodecTypeInfo { |
124 | fn fmt(&self, f: &mut fmt::Formatter) -> fmt::Result { | |
125 | let ret = match *self { | |
e243ceb4 | 126 | NACodecTypeInfo::None => "".to_string(), |
83e603fa KS |
127 | NACodecTypeInfo::Audio(fmt) => format!("{}", fmt), |
128 | NACodecTypeInfo::Video(fmt) => format!("{}", fmt), | |
129 | }; | |
130 | write!(f, "{}", ret) | |
131 | } | |
132 | } | |
133 | ||
7673d49a KS |
134 | /// Decoded video frame. |
135 | /// | |
136 | /// NihAV frames are stored in native type (8/16/32-bit elements) inside a single buffer. | |
137 | /// In case of image with several components those components are stored sequentially and can be accessed in the buffer starting at corresponding component offset. | |
22cb00db KS |
138 | #[derive(Clone)] |
139 | pub struct NAVideoBuffer<T> { | |
6c8e5c40 | 140 | info: NAVideoInfo, |
1a967e6b | 141 | data: NABufferRef<Vec<T>>, |
6c8e5c40 KS |
142 | offs: Vec<usize>, |
143 | strides: Vec<usize>, | |
22cb00db KS |
144 | } |
145 | ||
146 | impl<T: Clone> NAVideoBuffer<T> { | |
6d240c6b KS |
147 | /// Constructs video buffer from the provided components. |
148 | pub fn from_raw_parts(info: NAVideoInfo, data: NABufferRef<Vec<T>>, offs: Vec<usize>, strides: Vec<usize>) -> Self { | |
149 | Self { info, data, offs, strides } | |
150 | } | |
7673d49a | 151 | /// Returns the component offset (0 for all unavailable offsets). |
22cb00db KS |
152 | pub fn get_offset(&self, idx: usize) -> usize { |
153 | if idx >= self.offs.len() { 0 } | |
154 | else { self.offs[idx] } | |
155 | } | |
7673d49a | 156 | /// Returns picture info. |
22cb00db | 157 | pub fn get_info(&self) -> NAVideoInfo { self.info } |
7673d49a | 158 | /// Returns an immutable reference to the data. |
1a967e6b | 159 | pub fn get_data(&self) -> &Vec<T> { self.data.as_ref() } |
7673d49a | 160 | /// Returns a mutable reference to the data. |
1a967e6b | 161 | pub fn get_data_mut(&mut self) -> Option<&mut Vec<T>> { self.data.as_mut() } |
7673d49a | 162 | /// Returns the number of components in picture format. |
b914ee01 | 163 | pub fn get_num_components(&self) -> usize { self.offs.len() } |
7673d49a | 164 | /// Creates a copy of current `NAVideoBuffer`. |
fafa7da3 | 165 | pub fn copy_buffer(&self) -> Self { |
1a967e6b KS |
166 | let mut data: Vec<T> = Vec::with_capacity(self.data.len()); |
167 | data.clone_from(self.data.as_ref()); | |
22cb00db KS |
168 | let mut offs: Vec<usize> = Vec::with_capacity(self.offs.len()); |
169 | offs.clone_from(&self.offs); | |
6c8e5c40 KS |
170 | let mut strides: Vec<usize> = Vec::with_capacity(self.strides.len()); |
171 | strides.clone_from(&self.strides); | |
e243ceb4 | 172 | NAVideoBuffer { info: self.info, data: NABufferRef::new(data), offs, strides } |
22cb00db | 173 | } |
7673d49a | 174 | /// Returns stride (distance between subsequent lines) for the requested component. |
22cb00db | 175 | pub fn get_stride(&self, idx: usize) -> usize { |
6c8e5c40 KS |
176 | if idx >= self.strides.len() { return 0; } |
177 | self.strides[idx] | |
22cb00db | 178 | } |
7673d49a | 179 | /// Returns requested component dimensions. |
22cb00db KS |
180 | pub fn get_dimensions(&self, idx: usize) -> (usize, usize) { |
181 | get_plane_size(&self.info, idx) | |
182 | } | |
7673d49a | 183 | /// Converts current instance into buffer reference. |
3fc28ece KS |
184 | pub fn into_ref(self) -> NABufferRef<Self> { |
185 | NABufferRef::new(self) | |
186 | } | |
fcc25d82 KS |
187 | |
188 | fn print_contents(&self, datatype: &str) { | |
189 | println!("{} video buffer size {}", datatype, self.data.len()); | |
190 | println!(" format {}", self.info); | |
191 | print!(" offsets:"); | |
192 | for off in self.offs.iter() { | |
193 | print!(" {}", *off); | |
194 | } | |
195 | println!(); | |
196 | print!(" strides:"); | |
197 | for stride in self.strides.iter() { | |
198 | print!(" {}", *stride); | |
199 | } | |
200 | println!(); | |
201 | } | |
22cb00db KS |
202 | } |
203 | ||
7673d49a | 204 | /// A specialised type for reference-counted `NAVideoBuffer`. |
3fc28ece KS |
205 | pub type NAVideoBufferRef<T> = NABufferRef<NAVideoBuffer<T>>; |
206 | ||
7673d49a KS |
207 | /// Decoded audio frame. |
208 | /// | |
209 | /// NihAV frames are stored in native type (8/16/32-bit elements) inside a single buffer. | |
210 | /// In case of planar audio samples for each channel are stored sequentially and can be accessed in the buffer starting at corresponding channel offset. | |
22cb00db KS |
211 | #[derive(Clone)] |
212 | pub struct NAAudioBuffer<T> { | |
213 | info: NAAudioInfo, | |
1a967e6b | 214 | data: NABufferRef<Vec<T>>, |
22cb00db | 215 | offs: Vec<usize>, |
01e2d496 | 216 | stride: usize, |
98c6f2f0 | 217 | step: usize, |
22cb00db | 218 | chmap: NAChannelMap, |
5076115b | 219 | len: usize, |
22cb00db KS |
220 | } |
221 | ||
222 | impl<T: Clone> NAAudioBuffer<T> { | |
7673d49a | 223 | /// Returns the start position of requested channel data. |
22cb00db KS |
224 | pub fn get_offset(&self, idx: usize) -> usize { |
225 | if idx >= self.offs.len() { 0 } | |
226 | else { self.offs[idx] } | |
227 | } | |
7673d49a | 228 | /// Returns the distance between the start of one channel and the next one. |
01e2d496 | 229 | pub fn get_stride(&self) -> usize { self.stride } |
98c6f2f0 KS |
230 | /// Returns the distance between the samples in one channel. |
231 | pub fn get_step(&self) -> usize { self.step } | |
7673d49a | 232 | /// Returns audio format information. |
22cb00db | 233 | pub fn get_info(&self) -> NAAudioInfo { self.info } |
7673d49a | 234 | /// Returns channel map. |
8ee4352b | 235 | pub fn get_chmap(&self) -> &NAChannelMap { &self.chmap } |
7673d49a | 236 | /// Returns an immutable reference to the data. |
1a967e6b | 237 | pub fn get_data(&self) -> &Vec<T> { self.data.as_ref() } |
89f25cd7 KS |
238 | /// Returns reference to the data. |
239 | pub fn get_data_ref(&self) -> NABufferRef<Vec<T>> { self.data.clone() } | |
7673d49a | 240 | /// Returns a mutable reference to the data. |
1a967e6b | 241 | pub fn get_data_mut(&mut self) -> Option<&mut Vec<T>> { self.data.as_mut() } |
7673d49a | 242 | /// Clones current `NAAudioBuffer` into a new one. |
22cb00db | 243 | pub fn copy_buffer(&mut self) -> Self { |
1a967e6b KS |
244 | let mut data: Vec<T> = Vec::with_capacity(self.data.len()); |
245 | data.clone_from(self.data.as_ref()); | |
22cb00db KS |
246 | let mut offs: Vec<usize> = Vec::with_capacity(self.offs.len()); |
247 | offs.clone_from(&self.offs); | |
98c6f2f0 | 248 | NAAudioBuffer { info: self.info, data: NABufferRef::new(data), offs, chmap: self.get_chmap().clone(), len: self.len, stride: self.stride, step: self.step } |
22cb00db | 249 | } |
7673d49a | 250 | /// Return the length of frame in samples. |
5076115b | 251 | pub fn get_length(&self) -> usize { self.len } |
640b1eb0 KS |
252 | /// Truncates buffer length if possible. |
253 | /// | |
254 | /// In case when new length is larger than old length nothing is done. | |
255 | pub fn truncate(&mut self, new_len: usize) { | |
256 | self.len = self.len.min(new_len); | |
257 | } | |
fcc25d82 KS |
258 | |
259 | fn print_contents(&self, datatype: &str) { | |
260 | println!("Audio buffer with {} data, stride {}, step {}", datatype, self.stride, self.step); | |
261 | println!(" format {}", self.info); | |
262 | println!(" channel map {}", self.chmap); | |
263 | print!(" offsets:"); | |
264 | for off in self.offs.iter() { | |
265 | print!(" {}", *off); | |
266 | } | |
267 | println!(); | |
268 | } | |
22cb00db KS |
269 | } |
270 | ||
87a1ebc3 | 271 | impl NAAudioBuffer<u8> { |
7673d49a | 272 | /// Constructs a new `NAAudioBuffer` instance. |
1a967e6b | 273 | pub fn new_from_buf(info: NAAudioInfo, data: NABufferRef<Vec<u8>>, chmap: NAChannelMap) -> Self { |
2a998d8f KS |
274 | let len = data.len() * 8 / chmap.num_channels() / (info.format.bits as usize); |
275 | ||
98c6f2f0 | 276 | NAAudioBuffer { info, data, chmap, offs: Vec::new(), len, stride: 0, step: 0 } |
87a1ebc3 KS |
277 | } |
278 | } | |
279 | ||
7673d49a | 280 | /// A list of possible decoded frame types. |
22cb00db KS |
281 | #[derive(Clone)] |
282 | pub enum NABufferType { | |
7673d49a | 283 | /// 8-bit video buffer. |
3fc28ece | 284 | Video (NAVideoBufferRef<u8>), |
7673d49a | 285 | /// 16-bit video buffer (i.e. every component or packed pixel fits into 16 bits). |
3fc28ece | 286 | Video16 (NAVideoBufferRef<u16>), |
7673d49a | 287 | /// 32-bit video buffer (i.e. every component or packed pixel fits into 32 bits). |
3fc28ece | 288 | Video32 (NAVideoBufferRef<u32>), |
7673d49a | 289 | /// Packed video buffer. |
3fc28ece | 290 | VideoPacked(NAVideoBufferRef<u8>), |
7673d49a | 291 | /// Audio buffer with 8-bit unsigned integer audio. |
22cb00db | 292 | AudioU8 (NAAudioBuffer<u8>), |
7673d49a | 293 | /// Audio buffer with 16-bit signed integer audio. |
22cb00db | 294 | AudioI16 (NAAudioBuffer<i16>), |
7673d49a | 295 | /// Audio buffer with 32-bit signed integer audio. |
87a1ebc3 | 296 | AudioI32 (NAAudioBuffer<i32>), |
7673d49a | 297 | /// Audio buffer with 32-bit floating point audio. |
22cb00db | 298 | AudioF32 (NAAudioBuffer<f32>), |
7673d49a | 299 | /// Packed audio buffer. |
22cb00db | 300 | AudioPacked(NAAudioBuffer<u8>), |
7673d49a | 301 | /// Buffer with generic data (e.g. subtitles). |
1a967e6b | 302 | Data (NABufferRef<Vec<u8>>), |
7673d49a | 303 | /// No data present. |
22cb00db KS |
304 | None, |
305 | } | |
306 | ||
307 | impl NABufferType { | |
7673d49a | 308 | /// Returns the offset to the requested component or channel. |
22cb00db KS |
309 | pub fn get_offset(&self, idx: usize) -> usize { |
310 | match *self { | |
311 | NABufferType::Video(ref vb) => vb.get_offset(idx), | |
312 | NABufferType::Video16(ref vb) => vb.get_offset(idx), | |
3bba1c4a | 313 | NABufferType::Video32(ref vb) => vb.get_offset(idx), |
22cb00db KS |
314 | NABufferType::VideoPacked(ref vb) => vb.get_offset(idx), |
315 | NABufferType::AudioU8(ref ab) => ab.get_offset(idx), | |
316 | NABufferType::AudioI16(ref ab) => ab.get_offset(idx), | |
fdf4b070 | 317 | NABufferType::AudioI32(ref ab) => ab.get_offset(idx), |
22cb00db KS |
318 | NABufferType::AudioF32(ref ab) => ab.get_offset(idx), |
319 | NABufferType::AudioPacked(ref ab) => ab.get_offset(idx), | |
320 | _ => 0, | |
321 | } | |
322 | } | |
7673d49a | 323 | /// Returns information for video frames. |
3bba1c4a KS |
324 | pub fn get_video_info(&self) -> Option<NAVideoInfo> { |
325 | match *self { | |
326 | NABufferType::Video(ref vb) => Some(vb.get_info()), | |
327 | NABufferType::Video16(ref vb) => Some(vb.get_info()), | |
328 | NABufferType::Video32(ref vb) => Some(vb.get_info()), | |
329 | NABufferType::VideoPacked(ref vb) => Some(vb.get_info()), | |
330 | _ => None, | |
331 | } | |
332 | } | |
7673d49a | 333 | /// Returns reference to 8-bit (or packed) video buffer. |
3fc28ece | 334 | pub fn get_vbuf(&self) -> Option<NAVideoBufferRef<u8>> { |
22cb00db KS |
335 | match *self { |
336 | NABufferType::Video(ref vb) => Some(vb.clone()), | |
87a1ebc3 KS |
337 | NABufferType::VideoPacked(ref vb) => Some(vb.clone()), |
338 | _ => None, | |
339 | } | |
340 | } | |
7673d49a | 341 | /// Returns reference to 16-bit video buffer. |
3fc28ece | 342 | pub fn get_vbuf16(&self) -> Option<NAVideoBufferRef<u16>> { |
87a1ebc3 KS |
343 | match *self { |
344 | NABufferType::Video16(ref vb) => Some(vb.clone()), | |
345 | _ => None, | |
346 | } | |
347 | } | |
7673d49a | 348 | /// Returns reference to 32-bit video buffer. |
3fc28ece | 349 | pub fn get_vbuf32(&self) -> Option<NAVideoBufferRef<u32>> { |
3bba1c4a KS |
350 | match *self { |
351 | NABufferType::Video32(ref vb) => Some(vb.clone()), | |
352 | _ => None, | |
353 | } | |
354 | } | |
7673d49a | 355 | /// Returns information for audio frames. |
049474a0 KS |
356 | pub fn get_audio_info(&self) -> Option<NAAudioInfo> { |
357 | match *self { | |
358 | NABufferType::AudioU8(ref ab) => Some(ab.get_info()), | |
359 | NABufferType::AudioI16(ref ab) => Some(ab.get_info()), | |
360 | NABufferType::AudioI32(ref ab) => Some(ab.get_info()), | |
361 | NABufferType::AudioF32(ref ab) => Some(ab.get_info()), | |
362 | NABufferType::AudioPacked(ref ab) => Some(ab.get_info()), | |
363 | _ => None, | |
364 | } | |
365 | } | |
7673d49a | 366 | /// Returns audio channel map. |
049474a0 KS |
367 | pub fn get_chmap(&self) -> Option<&NAChannelMap> { |
368 | match *self { | |
369 | NABufferType::AudioU8(ref ab) => Some(ab.get_chmap()), | |
370 | NABufferType::AudioI16(ref ab) => Some(ab.get_chmap()), | |
371 | NABufferType::AudioI32(ref ab) => Some(ab.get_chmap()), | |
372 | NABufferType::AudioF32(ref ab) => Some(ab.get_chmap()), | |
373 | NABufferType::AudioPacked(ref ab) => Some(ab.get_chmap()), | |
374 | _ => None, | |
375 | } | |
376 | } | |
7673d49a | 377 | /// Returns audio frame duration in samples. |
049474a0 KS |
378 | pub fn get_audio_length(&self) -> usize { |
379 | match *self { | |
380 | NABufferType::AudioU8(ref ab) => ab.get_length(), | |
381 | NABufferType::AudioI16(ref ab) => ab.get_length(), | |
382 | NABufferType::AudioI32(ref ab) => ab.get_length(), | |
383 | NABufferType::AudioF32(ref ab) => ab.get_length(), | |
384 | NABufferType::AudioPacked(ref ab) => ab.get_length(), | |
385 | _ => 0, | |
386 | } | |
387 | } | |
a1298b7a KS |
388 | /// Truncates audio frame duration if possible. |
389 | pub fn truncate_audio(&mut self, len: usize) { | |
390 | match *self { | |
391 | NABufferType::AudioU8(ref mut ab) => ab.truncate(len), | |
392 | NABufferType::AudioI16(ref mut ab) => ab.truncate(len), | |
393 | NABufferType::AudioI32(ref mut ab) => ab.truncate(len), | |
394 | NABufferType::AudioF32(ref mut ab) => ab.truncate(len), | |
395 | NABufferType::AudioPacked(ref mut ab) => ab.truncate(len), | |
396 | _ => {}, | |
397 | }; | |
398 | } | |
7673d49a | 399 | /// Returns the distance between starts of two channels. |
049474a0 KS |
400 | pub fn get_audio_stride(&self) -> usize { |
401 | match *self { | |
402 | NABufferType::AudioU8(ref ab) => ab.get_stride(), | |
403 | NABufferType::AudioI16(ref ab) => ab.get_stride(), | |
404 | NABufferType::AudioI32(ref ab) => ab.get_stride(), | |
405 | NABufferType::AudioF32(ref ab) => ab.get_stride(), | |
406 | NABufferType::AudioPacked(ref ab) => ab.get_stride(), | |
407 | _ => 0, | |
408 | } | |
409 | } | |
98c6f2f0 KS |
410 | /// Returns the distance between two samples in one channel. |
411 | pub fn get_audio_step(&self) -> usize { | |
412 | match *self { | |
413 | NABufferType::AudioU8(ref ab) => ab.get_step(), | |
414 | NABufferType::AudioI16(ref ab) => ab.get_step(), | |
415 | NABufferType::AudioI32(ref ab) => ab.get_step(), | |
416 | NABufferType::AudioF32(ref ab) => ab.get_step(), | |
417 | NABufferType::AudioPacked(ref ab) => ab.get_step(), | |
418 | _ => 0, | |
419 | } | |
420 | } | |
7673d49a | 421 | /// Returns reference to 8-bit (or packed) audio buffer. |
6e09a92e | 422 | pub fn get_abuf_u8(&self) -> Option<NAAudioBuffer<u8>> { |
87a1ebc3 KS |
423 | match *self { |
424 | NABufferType::AudioU8(ref ab) => Some(ab.clone()), | |
425 | NABufferType::AudioPacked(ref ab) => Some(ab.clone()), | |
426 | _ => None, | |
427 | } | |
428 | } | |
7673d49a | 429 | /// Returns reference to 16-bit audio buffer. |
6e09a92e | 430 | pub fn get_abuf_i16(&self) -> Option<NAAudioBuffer<i16>> { |
87a1ebc3 KS |
431 | match *self { |
432 | NABufferType::AudioI16(ref ab) => Some(ab.clone()), | |
433 | _ => None, | |
434 | } | |
435 | } | |
7673d49a | 436 | /// Returns reference to 32-bit integer audio buffer. |
6e09a92e | 437 | pub fn get_abuf_i32(&self) -> Option<NAAudioBuffer<i32>> { |
87a1ebc3 KS |
438 | match *self { |
439 | NABufferType::AudioI32(ref ab) => Some(ab.clone()), | |
440 | _ => None, | |
441 | } | |
442 | } | |
7673d49a | 443 | /// Returns reference to 32-bit floating point audio buffer. |
6e09a92e | 444 | pub fn get_abuf_f32(&self) -> Option<NAAudioBuffer<f32>> { |
87a1ebc3 KS |
445 | match *self { |
446 | NABufferType::AudioF32(ref ab) => Some(ab.clone()), | |
22cb00db KS |
447 | _ => None, |
448 | } | |
449 | } | |
fcc25d82 KS |
450 | /// Prints internal buffer layout. |
451 | pub fn print_buffer_metadata(&self) { | |
452 | match *self { | |
453 | NABufferType::Video(ref buf) => buf.print_contents("8-bit"), | |
454 | NABufferType::Video16(ref buf) => buf.print_contents("16-bit"), | |
455 | NABufferType::Video32(ref buf) => buf.print_contents("32-bit"), | |
456 | NABufferType::VideoPacked(ref buf) => buf.print_contents("packed"), | |
457 | NABufferType::AudioU8(ref buf) => buf.print_contents("8-bit unsigned integer"), | |
458 | NABufferType::AudioI16(ref buf) => buf.print_contents("16-bit integer"), | |
459 | NABufferType::AudioI32(ref buf) => buf.print_contents("32-bit integer"), | |
460 | NABufferType::AudioF32(ref buf) => buf.print_contents("32-bit float"), | |
461 | NABufferType::AudioPacked(ref buf) => buf.print_contents("packed"), | |
462 | NABufferType::Data(ref buf) => { println!("Data buffer, len = {}", buf.len()); }, | |
463 | NABufferType::None => { println!("No buffer"); }, | |
464 | }; | |
465 | } | |
22cb00db KS |
466 | } |
467 | ||
cd830591 | 468 | const NA_SIMPLE_VFRAME_COMPONENTS: usize = 4; |
7673d49a | 469 | /// Simplified decoded frame data. |
cd830591 | 470 | pub struct NASimpleVideoFrame<'a, T: Copy> { |
7673d49a | 471 | /// Widths of each picture component. |
cd830591 | 472 | pub width: [usize; NA_SIMPLE_VFRAME_COMPONENTS], |
7673d49a | 473 | /// Heights of each picture component. |
cd830591 | 474 | pub height: [usize; NA_SIMPLE_VFRAME_COMPONENTS], |
7673d49a | 475 | /// Orientation (upside-down or downside-up) flag. |
cd830591 | 476 | pub flip: bool, |
7673d49a | 477 | /// Strides for each component. |
cd830591 | 478 | pub stride: [usize; NA_SIMPLE_VFRAME_COMPONENTS], |
7673d49a | 479 | /// Start of each component. |
cd830591 | 480 | pub offset: [usize; NA_SIMPLE_VFRAME_COMPONENTS], |
7673d49a | 481 | /// Number of components. |
cd830591 | 482 | pub components: usize, |
7673d49a | 483 | /// Pointer to the picture pixel data. |
dc45d8ce | 484 | pub data: &'a mut [T], |
cd830591 KS |
485 | } |
486 | ||
487 | impl<'a, T:Copy> NASimpleVideoFrame<'a, T> { | |
7673d49a | 488 | /// Constructs a new instance of `NASimpleVideoFrame` from `NAVideoBuffer`. |
cd830591 KS |
489 | pub fn from_video_buf(vbuf: &'a mut NAVideoBuffer<T>) -> Option<Self> { |
490 | let vinfo = vbuf.get_info(); | |
491 | let components = vinfo.format.components as usize; | |
492 | if components > NA_SIMPLE_VFRAME_COMPONENTS { | |
493 | return None; | |
494 | } | |
495 | let mut w: [usize; NA_SIMPLE_VFRAME_COMPONENTS] = [0; NA_SIMPLE_VFRAME_COMPONENTS]; | |
496 | let mut h: [usize; NA_SIMPLE_VFRAME_COMPONENTS] = [0; NA_SIMPLE_VFRAME_COMPONENTS]; | |
497 | let mut s: [usize; NA_SIMPLE_VFRAME_COMPONENTS] = [0; NA_SIMPLE_VFRAME_COMPONENTS]; | |
498 | let mut o: [usize; NA_SIMPLE_VFRAME_COMPONENTS] = [0; NA_SIMPLE_VFRAME_COMPONENTS]; | |
499 | for comp in 0..components { | |
500 | let (width, height) = vbuf.get_dimensions(comp); | |
501 | w[comp] = width; | |
502 | h[comp] = height; | |
503 | s[comp] = vbuf.get_stride(comp); | |
504 | o[comp] = vbuf.get_offset(comp); | |
505 | } | |
506 | let flip = vinfo.flipped; | |
507 | Some(NASimpleVideoFrame { | |
508 | width: w, | |
509 | height: h, | |
510 | flip, | |
511 | stride: s, | |
512 | offset: o, | |
513 | components, | |
dc45d8ce | 514 | data: vbuf.data.as_mut_slice(), |
cd830591 KS |
515 | }) |
516 | } | |
517 | } | |
518 | ||
7673d49a | 519 | /// A list of possible frame allocator errors. |
22cb00db KS |
520 | #[derive(Debug,Clone,Copy,PartialEq)] |
521 | pub enum AllocatorError { | |
7673d49a | 522 | /// Requested picture dimensions are too large. |
22cb00db | 523 | TooLargeDimensions, |
7673d49a | 524 | /// Invalid input format. |
22cb00db KS |
525 | FormatError, |
526 | } | |
527 | ||
7673d49a KS |
528 | /// Constructs a new video buffer with requested format. |
529 | /// | |
530 | /// `align` is power of two alignment for image. E.g. the value of 5 means that frame dimensions will be padded to be multiple of 32. | |
22cb00db KS |
531 | pub fn alloc_video_buffer(vinfo: NAVideoInfo, align: u8) -> Result<NABufferType, AllocatorError> { |
532 | let fmt = &vinfo.format; | |
533 | let mut new_size: usize = 0; | |
6c8e5c40 KS |
534 | let mut offs: Vec<usize> = Vec::new(); |
535 | let mut strides: Vec<usize> = Vec::new(); | |
22cb00db KS |
536 | |
537 | for i in 0..fmt.get_num_comp() { | |
538 | if fmt.get_chromaton(i) == None { return Err(AllocatorError::FormatError); } | |
539 | } | |
540 | ||
541 | let align_mod = ((1 << align) as usize) - 1; | |
542 | let width = ((vinfo.width as usize) + align_mod) & !align_mod; | |
543 | let height = ((vinfo.height as usize) + align_mod) & !align_mod; | |
544 | let mut max_depth = 0; | |
545 | let mut all_packed = true; | |
3bba1c4a | 546 | let mut all_bytealigned = true; |
22cb00db | 547 | for i in 0..fmt.get_num_comp() { |
6c8e5c40 | 548 | let ochr = fmt.get_chromaton(i); |
e243ceb4 | 549 | if ochr.is_none() { continue; } |
6c8e5c40 | 550 | let chr = ochr.unwrap(); |
22cb00db KS |
551 | if !chr.is_packed() { |
552 | all_packed = false; | |
3bba1c4a KS |
553 | } else if ((chr.get_shift() + chr.get_depth()) & 7) != 0 { |
554 | all_bytealigned = false; | |
22cb00db KS |
555 | } |
556 | max_depth = max(max_depth, chr.get_depth()); | |
557 | } | |
6f263099 | 558 | let unfit_elem_size = !matches!(fmt.get_elem_size(), 2 | 4); |
22cb00db KS |
559 | |
560 | //todo semi-packed like NV12 | |
bc6aac3d KS |
561 | if fmt.is_paletted() { |
562 | //todo various-sized palettes? | |
6c8e5c40 KS |
563 | let stride = vinfo.get_format().get_chromaton(0).unwrap().get_linesize(width); |
564 | let pic_sz = stride.checked_mul(height); | |
bc6aac3d KS |
565 | if pic_sz == None { return Err(AllocatorError::TooLargeDimensions); } |
566 | let pal_size = 256 * (fmt.get_elem_size() as usize); | |
567 | let new_size = pic_sz.unwrap().checked_add(pal_size); | |
568 | if new_size == None { return Err(AllocatorError::TooLargeDimensions); } | |
569 | offs.push(0); | |
6c8e5c40 KS |
570 | offs.push(stride * height); |
571 | strides.push(stride); | |
e243ceb4 KS |
572 | let data: Vec<u8> = vec![0; new_size.unwrap()]; |
573 | let buf: NAVideoBuffer<u8> = NAVideoBuffer { data: NABufferRef::new(data), info: vinfo, offs, strides }; | |
3fc28ece | 574 | Ok(NABufferType::Video(buf.into_ref())) |
bc6aac3d | 575 | } else if !all_packed { |
22cb00db | 576 | for i in 0..fmt.get_num_comp() { |
6c8e5c40 | 577 | let ochr = fmt.get_chromaton(i); |
e243ceb4 | 578 | if ochr.is_none() { continue; } |
6c8e5c40 | 579 | let chr = ochr.unwrap(); |
74afc7de | 580 | offs.push(new_size as usize); |
6c8e5c40 | 581 | let stride = chr.get_linesize(width); |
22cb00db | 582 | let cur_h = chr.get_height(height); |
6c8e5c40 | 583 | let cur_sz = stride.checked_mul(cur_h); |
22cb00db KS |
584 | if cur_sz == None { return Err(AllocatorError::TooLargeDimensions); } |
585 | let new_sz = new_size.checked_add(cur_sz.unwrap()); | |
586 | if new_sz == None { return Err(AllocatorError::TooLargeDimensions); } | |
587 | new_size = new_sz.unwrap(); | |
6c8e5c40 | 588 | strides.push(stride); |
22cb00db KS |
589 | } |
590 | if max_depth <= 8 { | |
e243ceb4 KS |
591 | let data: Vec<u8> = vec![0; new_size]; |
592 | let buf: NAVideoBuffer<u8> = NAVideoBuffer { data: NABufferRef::new(data), info: vinfo, offs, strides }; | |
3fc28ece | 593 | Ok(NABufferType::Video(buf.into_ref())) |
3bba1c4a | 594 | } else if max_depth <= 16 { |
e243ceb4 KS |
595 | let data: Vec<u16> = vec![0; new_size]; |
596 | let buf: NAVideoBuffer<u16> = NAVideoBuffer { data: NABufferRef::new(data), info: vinfo, offs, strides }; | |
3fc28ece | 597 | Ok(NABufferType::Video16(buf.into_ref())) |
3bba1c4a | 598 | } else { |
e243ceb4 KS |
599 | let data: Vec<u32> = vec![0; new_size]; |
600 | let buf: NAVideoBuffer<u32> = NAVideoBuffer { data: NABufferRef::new(data), info: vinfo, offs, strides }; | |
3fc28ece | 601 | Ok(NABufferType::Video32(buf.into_ref())) |
22cb00db | 602 | } |
3bba1c4a | 603 | } else if all_bytealigned || unfit_elem_size { |
22cb00db KS |
604 | let elem_sz = fmt.get_elem_size(); |
605 | let line_sz = width.checked_mul(elem_sz as usize); | |
606 | if line_sz == None { return Err(AllocatorError::TooLargeDimensions); } | |
607 | let new_sz = line_sz.unwrap().checked_mul(height); | |
608 | if new_sz == None { return Err(AllocatorError::TooLargeDimensions); } | |
609 | new_size = new_sz.unwrap(); | |
e243ceb4 | 610 | let data: Vec<u8> = vec![0; new_size]; |
6c8e5c40 | 611 | strides.push(line_sz.unwrap()); |
e243ceb4 | 612 | let buf: NAVideoBuffer<u8> = NAVideoBuffer { data: NABufferRef::new(data), info: vinfo, offs, strides }; |
3fc28ece | 613 | Ok(NABufferType::VideoPacked(buf.into_ref())) |
3bba1c4a KS |
614 | } else { |
615 | let elem_sz = fmt.get_elem_size(); | |
616 | let new_sz = width.checked_mul(height); | |
617 | if new_sz == None { return Err(AllocatorError::TooLargeDimensions); } | |
618 | new_size = new_sz.unwrap(); | |
619 | match elem_sz { | |
620 | 2 => { | |
e243ceb4 | 621 | let data: Vec<u16> = vec![0; new_size]; |
3bba1c4a | 622 | strides.push(width); |
e243ceb4 | 623 | let buf: NAVideoBuffer<u16> = NAVideoBuffer { data: NABufferRef::new(data), info: vinfo, offs, strides }; |
3fc28ece | 624 | Ok(NABufferType::Video16(buf.into_ref())) |
3bba1c4a KS |
625 | }, |
626 | 4 => { | |
e243ceb4 | 627 | let data: Vec<u32> = vec![0; new_size]; |
3bba1c4a | 628 | strides.push(width); |
e243ceb4 | 629 | let buf: NAVideoBuffer<u32> = NAVideoBuffer { data: NABufferRef::new(data), info: vinfo, offs, strides }; |
3fc28ece | 630 | Ok(NABufferType::Video32(buf.into_ref())) |
3bba1c4a KS |
631 | }, |
632 | _ => unreachable!(), | |
633 | } | |
22cb00db KS |
634 | } |
635 | } | |
636 | ||
7673d49a | 637 | /// Constructs a new audio buffer for the requested format and length. |
e243ceb4 | 638 | #[allow(clippy::collapsible_if)] |
22cb00db KS |
639 | pub fn alloc_audio_buffer(ainfo: NAAudioInfo, nsamples: usize, chmap: NAChannelMap) -> Result<NABufferType, AllocatorError> { |
640 | let mut offs: Vec<usize> = Vec::new(); | |
98c6f2f0 | 641 | if ainfo.format.is_planar() || ((ainfo.format.get_bits() % 8) == 0) { |
22cb00db KS |
642 | let len = nsamples.checked_mul(ainfo.channels as usize); |
643 | if len == None { return Err(AllocatorError::TooLargeDimensions); } | |
644 | let length = len.unwrap(); | |
98c6f2f0 KS |
645 | let stride; |
646 | let step; | |
647 | if ainfo.format.is_planar() { | |
648 | stride = nsamples; | |
649 | step = 1; | |
650 | for i in 0..ainfo.channels { | |
651 | offs.push((i as usize) * stride); | |
652 | } | |
653 | } else { | |
654 | stride = 1; | |
655 | step = ainfo.channels as usize; | |
656 | for i in 0..ainfo.channels { | |
657 | offs.push(i as usize); | |
658 | } | |
22cb00db KS |
659 | } |
660 | if ainfo.format.is_float() { | |
661 | if ainfo.format.get_bits() == 32 { | |
e243ceb4 | 662 | let data: Vec<f32> = vec![0.0; length]; |
98c6f2f0 | 663 | let buf: NAAudioBuffer<f32> = NAAudioBuffer { data: NABufferRef::new(data), info: ainfo, offs, chmap, len: nsamples, stride, step }; |
22cb00db KS |
664 | Ok(NABufferType::AudioF32(buf)) |
665 | } else { | |
666 | Err(AllocatorError::TooLargeDimensions) | |
667 | } | |
668 | } else { | |
669 | if ainfo.format.get_bits() == 8 && !ainfo.format.is_signed() { | |
e243ceb4 | 670 | let data: Vec<u8> = vec![0; length]; |
98c6f2f0 | 671 | let buf: NAAudioBuffer<u8> = NAAudioBuffer { data: NABufferRef::new(data), info: ainfo, offs, chmap, len: nsamples, stride, step }; |
22cb00db KS |
672 | Ok(NABufferType::AudioU8(buf)) |
673 | } else if ainfo.format.get_bits() == 16 && ainfo.format.is_signed() { | |
e243ceb4 | 674 | let data: Vec<i16> = vec![0; length]; |
98c6f2f0 | 675 | let buf: NAAudioBuffer<i16> = NAAudioBuffer { data: NABufferRef::new(data), info: ainfo, offs, chmap, len: nsamples, stride, step }; |
22cb00db | 676 | Ok(NABufferType::AudioI16(buf)) |
4c05fc3e KS |
677 | } else if ainfo.format.get_bits() == 32 && ainfo.format.is_signed() { |
678 | let data: Vec<i32> = vec![0; length]; | |
679 | let buf: NAAudioBuffer<i32> = NAAudioBuffer { data: NABufferRef::new(data), info: ainfo, offs, chmap, len: nsamples, stride, step }; | |
680 | Ok(NABufferType::AudioI32(buf)) | |
22cb00db KS |
681 | } else { |
682 | Err(AllocatorError::TooLargeDimensions) | |
683 | } | |
684 | } | |
685 | } else { | |
686 | let len = nsamples.checked_mul(ainfo.channels as usize); | |
687 | if len == None { return Err(AllocatorError::TooLargeDimensions); } | |
688 | let length = ainfo.format.get_audio_size(len.unwrap() as u64); | |
e243ceb4 | 689 | let data: Vec<u8> = vec![0; length]; |
98c6f2f0 | 690 | let buf: NAAudioBuffer<u8> = NAAudioBuffer { data: NABufferRef::new(data), info: ainfo, offs, chmap, len: nsamples, stride: 0, step: 0 }; |
1a151e53 | 691 | Ok(NABufferType::AudioPacked(buf)) |
22cb00db KS |
692 | } |
693 | } | |
694 | ||
7673d49a | 695 | /// Constructs a new buffer for generic data. |
22cb00db | 696 | pub fn alloc_data_buffer(size: usize) -> Result<NABufferType, AllocatorError> { |
e243ceb4 | 697 | let data: Vec<u8> = vec![0; size]; |
1a967e6b | 698 | let buf: NABufferRef<Vec<u8>> = NABufferRef::new(data); |
22cb00db KS |
699 | Ok(NABufferType::Data(buf)) |
700 | } | |
701 | ||
7673d49a | 702 | /// Creates a clone of current buffer. |
b7c882c1 | 703 | pub fn copy_buffer(buf: &NABufferType) -> NABufferType { |
22cb00db KS |
704 | buf.clone() |
705 | } | |
706 | ||
7673d49a KS |
707 | /// Video frame pool. |
708 | /// | |
709 | /// This structure allows codec to effectively reuse old frames instead of allocating and de-allocating frames every time. | |
710 | /// Caller can also reserve some frames for its own purposes e.g. display queue. | |
01613464 KS |
711 | pub struct NAVideoBufferPool<T:Copy> { |
712 | pool: Vec<NAVideoBufferRef<T>>, | |
1a967e6b | 713 | max_len: usize, |
01613464 | 714 | add_len: usize, |
1a967e6b KS |
715 | } |
716 | ||
01613464 | 717 | impl<T:Copy> NAVideoBufferPool<T> { |
7673d49a | 718 | /// Constructs a new `NAVideoBufferPool` instance. |
1a967e6b KS |
719 | pub fn new(max_len: usize) -> Self { |
720 | Self { | |
721 | pool: Vec::with_capacity(max_len), | |
722 | max_len, | |
01613464 | 723 | add_len: 0, |
1a967e6b KS |
724 | } |
725 | } | |
7673d49a | 726 | /// Sets the number of buffers reserved for the user. |
01613464 KS |
727 | pub fn set_dec_bufs(&mut self, add_len: usize) { |
728 | self.add_len = add_len; | |
729 | } | |
7673d49a | 730 | /// Returns an unused buffer from the pool. |
01613464 KS |
731 | pub fn get_free(&mut self) -> Option<NAVideoBufferRef<T>> { |
732 | for e in self.pool.iter() { | |
733 | if e.get_num_refs() == 1 { | |
734 | return Some(e.clone()); | |
735 | } | |
736 | } | |
737 | None | |
738 | } | |
7673d49a | 739 | /// Clones provided frame data into a free pool frame. |
01613464 | 740 | pub fn get_copy(&mut self, rbuf: &NAVideoBufferRef<T>) -> Option<NAVideoBufferRef<T>> { |
e243ceb4 | 741 | let mut dbuf = self.get_free()?; |
01613464 KS |
742 | dbuf.data.copy_from_slice(&rbuf.data); |
743 | Some(dbuf) | |
744 | } | |
7673d49a | 745 | /// Clears the pool from all frames. |
01613464 | 746 | pub fn reset(&mut self) { |
b191eef3 | 747 | self.pool.clear(); |
01613464 KS |
748 | } |
749 | } | |
750 | ||
751 | impl NAVideoBufferPool<u8> { | |
7673d49a KS |
752 | /// Allocates the target amount of video frames using [`alloc_video_buffer`]. |
753 | /// | |
754 | /// [`alloc_video_buffer`]: ./fn.alloc_video_buffer.html | |
1a967e6b | 755 | pub fn prealloc_video(&mut self, vinfo: NAVideoInfo, align: u8) -> Result<(), AllocatorError> { |
01613464 | 756 | let nbufs = self.max_len + self.add_len - self.pool.len(); |
1a967e6b | 757 | for _ in 0..nbufs { |
e243ceb4 | 758 | let vbuf = alloc_video_buffer(vinfo, align)?; |
01613464 KS |
759 | if let NABufferType::Video(buf) = vbuf { |
760 | self.pool.push(buf); | |
761 | } else if let NABufferType::VideoPacked(buf) = vbuf { | |
762 | self.pool.push(buf); | |
763 | } else { | |
764 | return Err(AllocatorError::FormatError); | |
765 | } | |
1a967e6b KS |
766 | } |
767 | Ok(()) | |
768 | } | |
01613464 KS |
769 | } |
770 | ||
771 | impl NAVideoBufferPool<u16> { | |
7673d49a KS |
772 | /// Allocates the target amount of video frames using [`alloc_video_buffer`]. |
773 | /// | |
774 | /// [`alloc_video_buffer`]: ./fn.alloc_video_buffer.html | |
01613464 KS |
775 | pub fn prealloc_video(&mut self, vinfo: NAVideoInfo, align: u8) -> Result<(), AllocatorError> { |
776 | let nbufs = self.max_len + self.add_len - self.pool.len(); | |
1a967e6b | 777 | for _ in 0..nbufs { |
e243ceb4 | 778 | let vbuf = alloc_video_buffer(vinfo, align)?; |
01613464 KS |
779 | if let NABufferType::Video16(buf) = vbuf { |
780 | self.pool.push(buf); | |
781 | } else { | |
782 | return Err(AllocatorError::FormatError); | |
783 | } | |
1a967e6b KS |
784 | } |
785 | Ok(()) | |
786 | } | |
01613464 KS |
787 | } |
788 | ||
789 | impl NAVideoBufferPool<u32> { | |
7673d49a KS |
790 | /// Allocates the target amount of video frames using [`alloc_video_buffer`]. |
791 | /// | |
792 | /// [`alloc_video_buffer`]: ./fn.alloc_video_buffer.html | |
01613464 KS |
793 | pub fn prealloc_video(&mut self, vinfo: NAVideoInfo, align: u8) -> Result<(), AllocatorError> { |
794 | let nbufs = self.max_len + self.add_len - self.pool.len(); | |
795 | for _ in 0..nbufs { | |
e243ceb4 | 796 | let vbuf = alloc_video_buffer(vinfo, align)?; |
01613464 KS |
797 | if let NABufferType::Video32(buf) = vbuf { |
798 | self.pool.push(buf); | |
799 | } else { | |
800 | return Err(AllocatorError::FormatError); | |
1a967e6b KS |
801 | } |
802 | } | |
01613464 | 803 | Ok(()) |
1a967e6b KS |
804 | } |
805 | } | |
806 | ||
7673d49a | 807 | /// Information about codec contained in a stream. |
5869fd63 | 808 | #[allow(dead_code)] |
8869d452 KS |
809 | #[derive(Clone)] |
810 | pub struct NACodecInfo { | |
ccae5343 | 811 | name: &'static str, |
5869fd63 | 812 | properties: NACodecTypeInfo, |
2422d969 | 813 | extradata: Option<Arc<Vec<u8>>>, |
5869fd63 KS |
814 | } |
815 | ||
7673d49a | 816 | /// A specialised type for reference-counted `NACodecInfo`. |
2422d969 KS |
817 | pub type NACodecInfoRef = Arc<NACodecInfo>; |
818 | ||
8869d452 | 819 | impl NACodecInfo { |
7673d49a | 820 | /// Constructs a new instance of `NACodecInfo`. |
ccae5343 | 821 | pub fn new(name: &'static str, p: NACodecTypeInfo, edata: Option<Vec<u8>>) -> Self { |
6f263099 | 822 | NACodecInfo { name, properties: p, extradata: edata.map(Arc::new) } |
8869d452 | 823 | } |
7673d49a | 824 | /// Constructs a new reference-counted instance of `NACodecInfo`. |
2422d969 | 825 | pub fn new_ref(name: &'static str, p: NACodecTypeInfo, edata: Option<Arc<Vec<u8>>>) -> Self { |
e243ceb4 | 826 | NACodecInfo { name, properties: p, extradata: edata } |
66116504 | 827 | } |
7673d49a | 828 | /// Converts current instance into a reference-counted one. |
2422d969 | 829 | pub fn into_ref(self) -> NACodecInfoRef { Arc::new(self) } |
7673d49a | 830 | /// Returns codec information. |
8869d452 | 831 | pub fn get_properties(&self) -> NACodecTypeInfo { self.properties } |
7673d49a | 832 | /// Returns additional initialisation data required by the codec. |
2422d969 | 833 | pub fn get_extradata(&self) -> Option<Arc<Vec<u8>>> { |
8869d452 KS |
834 | if let Some(ref vec) = self.extradata { return Some(vec.clone()); } |
835 | None | |
5869fd63 | 836 | } |
7673d49a | 837 | /// Returns codec name. |
66116504 | 838 | pub fn get_name(&self) -> &'static str { self.name } |
7673d49a | 839 | /// Reports whether it is a video codec. |
66116504 KS |
840 | pub fn is_video(&self) -> bool { |
841 | if let NACodecTypeInfo::Video(_) = self.properties { return true; } | |
842 | false | |
843 | } | |
7673d49a | 844 | /// Reports whether it is an audio codec. |
66116504 KS |
845 | pub fn is_audio(&self) -> bool { |
846 | if let NACodecTypeInfo::Audio(_) = self.properties { return true; } | |
847 | false | |
848 | } | |
7673d49a | 849 | /// Constructs a new empty reference-counted instance of `NACodecInfo`. |
2422d969 KS |
850 | pub fn new_dummy() -> Arc<Self> { |
851 | Arc::new(DUMMY_CODEC_INFO) | |
5076115b | 852 | } |
7673d49a | 853 | /// Updates codec infomation. |
2422d969 KS |
854 | pub fn replace_info(&self, p: NACodecTypeInfo) -> Arc<Self> { |
855 | Arc::new(NACodecInfo { name: self.name, properties: p, extradata: self.extradata.clone() }) | |
5076115b | 856 | } |
66116504 KS |
857 | } |
858 | ||
241e56f1 KS |
859 | impl Default for NACodecInfo { |
860 | fn default() -> Self { DUMMY_CODEC_INFO } | |
861 | } | |
862 | ||
66116504 KS |
863 | impl fmt::Display for NACodecInfo { |
864 | fn fmt(&self, f: &mut fmt::Formatter) -> fmt::Result { | |
865 | let edata = match self.extradata.clone() { | |
e243ceb4 | 866 | None => "no extradata".to_string(), |
66116504 KS |
867 | Some(v) => format!("{} byte(s) of extradata", v.len()), |
868 | }; | |
869 | write!(f, "{}: {} {}", self.name, self.properties, edata) | |
870 | } | |
871 | } | |
872 | ||
7673d49a | 873 | /// Default empty codec information. |
66116504 KS |
874 | pub const DUMMY_CODEC_INFO: NACodecInfo = NACodecInfo { |
875 | name: "none", | |
876 | properties: NACodecTypeInfo::None, | |
877 | extradata: None }; | |
878 | ||
7673d49a | 879 | /// A list of recognized frame types. |
88c03b61 KS |
880 | #[derive(Debug,Clone,Copy,PartialEq)] |
881 | #[allow(dead_code)] | |
882 | pub enum FrameType { | |
7673d49a | 883 | /// Intra frame type. |
88c03b61 | 884 | I, |
7673d49a | 885 | /// Inter frame type. |
88c03b61 | 886 | P, |
7673d49a | 887 | /// Bidirectionally predicted frame. |
88c03b61 | 888 | B, |
7673d49a KS |
889 | /// Skip frame. |
890 | /// | |
891 | /// When such frame is encountered then last frame should be used again if it is needed. | |
bc6aac3d | 892 | Skip, |
7673d49a | 893 | /// Some other frame type. |
88c03b61 KS |
894 | Other, |
895 | } | |
896 | ||
897 | impl fmt::Display for FrameType { | |
898 | fn fmt(&self, f: &mut fmt::Formatter) -> fmt::Result { | |
899 | match *self { | |
900 | FrameType::I => write!(f, "I"), | |
901 | FrameType::P => write!(f, "P"), | |
902 | FrameType::B => write!(f, "B"), | |
bc6aac3d | 903 | FrameType::Skip => write!(f, "skip"), |
88c03b61 KS |
904 | FrameType::Other => write!(f, "x"), |
905 | } | |
906 | } | |
907 | } | |
908 | ||
7673d49a | 909 | /// Timestamp information. |
e189501e KS |
910 | #[derive(Debug,Clone,Copy)] |
911 | pub struct NATimeInfo { | |
bf507799 KS |
912 | /// Presentation timestamp. |
913 | pub pts: Option<u64>, | |
914 | /// Decode timestamp. | |
915 | pub dts: Option<u64>, | |
916 | /// Duration (in timebase units). | |
917 | pub duration: Option<u64>, | |
918 | /// Timebase numerator. | |
919 | pub tb_num: u32, | |
920 | /// Timebase denominator. | |
921 | pub tb_den: u32, | |
e189501e KS |
922 | } |
923 | ||
924 | impl NATimeInfo { | |
7673d49a | 925 | /// Constructs a new `NATimeInfo` instance. |
e189501e | 926 | pub fn new(pts: Option<u64>, dts: Option<u64>, duration: Option<u64>, tb_num: u32, tb_den: u32) -> Self { |
e243ceb4 | 927 | NATimeInfo { pts, dts, duration, tb_num, tb_den } |
e189501e | 928 | } |
7673d49a | 929 | /// Returns presentation timestamp. |
e189501e | 930 | pub fn get_pts(&self) -> Option<u64> { self.pts } |
7673d49a | 931 | /// Returns decoding timestamp. |
e189501e | 932 | pub fn get_dts(&self) -> Option<u64> { self.dts } |
7673d49a | 933 | /// Returns duration. |
e189501e | 934 | pub fn get_duration(&self) -> Option<u64> { self.duration } |
7673d49a | 935 | /// Sets new presentation timestamp. |
e189501e | 936 | pub fn set_pts(&mut self, pts: Option<u64>) { self.pts = pts; } |
7673d49a | 937 | /// Sets new decoding timestamp. |
e189501e | 938 | pub fn set_dts(&mut self, dts: Option<u64>) { self.dts = dts; } |
7673d49a | 939 | /// Sets new duration. |
e189501e | 940 | pub fn set_duration(&mut self, dur: Option<u64>) { self.duration = dur; } |
266da7b9 | 941 | |
7673d49a | 942 | /// Converts time in given scale into timestamp in given base. |
b7c882c1 | 943 | #[allow(clippy::collapsible_if)] |
266da7b9 | 944 | pub fn time_to_ts(time: u64, base: u64, tb_num: u32, tb_den: u32) -> u64 { |
b36f412c KS |
945 | let tb_num = u64::from(tb_num); |
946 | let tb_den = u64::from(tb_den); | |
edad6765 | 947 | let tmp = time.checked_mul(tb_den); |
266da7b9 | 948 | if let Some(tmp) = tmp { |
edad6765 | 949 | tmp / base / tb_num |
266da7b9 | 950 | } else { |
edad6765 KS |
951 | if tb_num < base { |
952 | let coarse = time / tb_num; | |
953 | if let Some(tmp) = coarse.checked_mul(tb_den) { | |
954 | tmp / base | |
955 | } else { | |
956 | (coarse / base) * tb_den | |
957 | } | |
266da7b9 KS |
958 | } else { |
959 | let coarse = time / base; | |
edad6765 KS |
960 | if let Some(tmp) = coarse.checked_mul(tb_den) { |
961 | tmp / tb_num | |
266da7b9 | 962 | } else { |
edad6765 | 963 | (coarse / tb_num) * tb_den |
266da7b9 KS |
964 | } |
965 | } | |
966 | } | |
967 | } | |
7673d49a | 968 | /// Converts timestamp in given base into time in given scale. |
a65bdeac | 969 | pub fn ts_to_time(ts: u64, base: u64, tb_num: u32, tb_den: u32) -> u64 { |
b36f412c KS |
970 | let tb_num = u64::from(tb_num); |
971 | let tb_den = u64::from(tb_den); | |
a65bdeac KS |
972 | let tmp = ts.checked_mul(base); |
973 | if let Some(tmp) = tmp { | |
974 | let tmp2 = tmp.checked_mul(tb_num); | |
975 | if let Some(tmp2) = tmp2 { | |
976 | tmp2 / tb_den | |
977 | } else { | |
978 | (tmp / tb_den) * tb_num | |
979 | } | |
980 | } else { | |
981 | let tmp = ts.checked_mul(tb_num); | |
982 | if let Some(tmp) = tmp { | |
983 | (tmp / tb_den) * base | |
984 | } else { | |
985 | (ts / tb_den) * base * tb_num | |
986 | } | |
987 | } | |
988 | } | |
73f0f89f | 989 | fn get_cur_ts(&self) -> u64 { self.pts.unwrap_or_else(|| self.dts.unwrap_or(0)) } |
0eb53738 KS |
990 | fn get_cur_millis(&self) -> u64 { |
991 | let ts = self.get_cur_ts(); | |
992 | Self::ts_to_time(ts, 1000, self.tb_num, self.tb_den) | |
993 | } | |
994 | /// Checks whether the current time information is earler than provided reference time. | |
995 | pub fn less_than(&self, time: NATimePoint) -> bool { | |
996 | if self.pts.is_none() && self.dts.is_none() { | |
997 | return true; | |
998 | } | |
999 | match time { | |
1000 | NATimePoint::PTS(rpts) => self.get_cur_ts() < rpts, | |
1001 | NATimePoint::Milliseconds(ms) => self.get_cur_millis() < ms, | |
1002 | NATimePoint::None => false, | |
1003 | } | |
1004 | } | |
1005 | /// Checks whether the current time information is the same as provided reference time. | |
1006 | pub fn equal(&self, time: NATimePoint) -> bool { | |
1007 | if self.pts.is_none() && self.dts.is_none() { | |
1008 | return time == NATimePoint::None; | |
1009 | } | |
1010 | match time { | |
1011 | NATimePoint::PTS(rpts) => self.get_cur_ts() == rpts, | |
1012 | NATimePoint::Milliseconds(ms) => self.get_cur_millis() == ms, | |
1013 | NATimePoint::None => false, | |
1014 | } | |
1015 | } | |
e189501e KS |
1016 | } |
1017 | ||
2c6462c8 KS |
1018 | /// Time information for specifying durations or seek positions. |
1019 | #[derive(Clone,Copy,Debug,PartialEq)] | |
1020 | pub enum NATimePoint { | |
1021 | /// Time in milliseconds. | |
1022 | Milliseconds(u64), | |
1023 | /// Stream timestamp. | |
1024 | PTS(u64), | |
0eb53738 KS |
1025 | /// No time information present. |
1026 | None, | |
2c6462c8 KS |
1027 | } |
1028 | ||
0bc221c3 KS |
1029 | impl Default for NATimePoint { |
1030 | fn default() -> Self { | |
1031 | NATimePoint::None | |
1032 | } | |
1033 | } | |
1034 | ||
2c6462c8 KS |
1035 | impl fmt::Display for NATimePoint { |
1036 | fn fmt(&self, f: &mut fmt::Formatter) -> fmt::Result { | |
1037 | match *self { | |
1038 | NATimePoint::Milliseconds(millis) => { | |
1039 | let tot_s = millis / 1000; | |
1040 | let ms = millis % 1000; | |
1041 | if tot_s < 60 { | |
1042 | if ms != 0 { | |
1043 | return write!(f, "{}.{:03}", tot_s, ms); | |
1044 | } else { | |
1045 | return write!(f, "{}", tot_s); | |
1046 | } | |
1047 | } | |
1048 | let tot_m = tot_s / 60; | |
1049 | let s = tot_s % 60; | |
1050 | if tot_m < 60 { | |
1051 | if ms != 0 { | |
1052 | return write!(f, "{}:{:02}.{:03}", tot_m, s, ms); | |
1053 | } else { | |
1054 | return write!(f, "{}:{:02}", tot_m, s); | |
1055 | } | |
1056 | } | |
1057 | let h = tot_m / 60; | |
1058 | let m = tot_m % 60; | |
1059 | if ms != 0 { | |
1060 | write!(f, "{}:{:02}:{:02}.{:03}", h, m, s, ms) | |
1061 | } else { | |
1062 | write!(f, "{}:{:02}:{:02}", h, m, s) | |
1063 | } | |
1064 | }, | |
1065 | NATimePoint::PTS(pts) => { | |
1066 | write!(f, "{}pts", pts) | |
1067 | }, | |
0eb53738 KS |
1068 | NATimePoint::None => { |
1069 | write!(f, "none") | |
1070 | }, | |
2c6462c8 KS |
1071 | } |
1072 | } | |
1073 | } | |
1074 | ||
1075 | impl FromStr for NATimePoint { | |
1076 | type Err = FormatParseError; | |
1077 | ||
1078 | /// Parses the string into time information. | |
1079 | /// | |
1080 | /// Accepted formats are `<u64>pts`, `<u64>ms` or `[hh:][mm:]ss[.ms]`. | |
1081 | fn from_str(s: &str) -> Result<Self, Self::Err> { | |
1082 | if s.is_empty() { | |
1083 | return Err(FormatParseError {}); | |
1084 | } | |
1085 | if !s.ends_with("pts") { | |
1086 | if s.ends_with("ms") { | |
1087 | let str_b = s.as_bytes(); | |
1088 | let num = std::str::from_utf8(&str_b[..str_b.len() - 2]).unwrap(); | |
1089 | let ret = num.parse::<u64>(); | |
1090 | if let Ok(val) = ret { | |
1091 | return Ok(NATimePoint::Milliseconds(val)); | |
1092 | } else { | |
1093 | return Err(FormatParseError {}); | |
1094 | } | |
1095 | } | |
1096 | let mut parts = s.split(':'); | |
1097 | let mut hrs = None; | |
1098 | let mut mins = None; | |
1099 | let mut secs = parts.next(); | |
1100 | if let Some(part) = parts.next() { | |
1101 | std::mem::swap(&mut mins, &mut secs); | |
1102 | secs = Some(part); | |
1103 | } | |
1104 | if let Some(part) = parts.next() { | |
1105 | std::mem::swap(&mut hrs, &mut mins); | |
1106 | std::mem::swap(&mut mins, &mut secs); | |
1107 | secs = Some(part); | |
1108 | } | |
1109 | if parts.next().is_some() { | |
1110 | return Err(FormatParseError {}); | |
1111 | } | |
1112 | let hours = if let Some(val) = hrs { | |
1113 | let ret = val.parse::<u64>(); | |
1114 | if ret.is_err() { return Err(FormatParseError {}); } | |
1115 | let val = ret.unwrap(); | |
1116 | if val > 1000 { return Err(FormatParseError {}); } | |
1117 | val | |
1118 | } else { 0 }; | |
1119 | let minutes = if let Some(val) = mins { | |
1120 | let ret = val.parse::<u64>(); | |
1121 | if ret.is_err() { return Err(FormatParseError {}); } | |
1122 | let val = ret.unwrap(); | |
1123 | if val >= 60 { return Err(FormatParseError {}); } | |
1124 | val | |
1125 | } else { 0 }; | |
1126 | let (seconds, millis) = if let Some(val) = secs { | |
1127 | let mut parts = val.split('.'); | |
1128 | let ret = parts.next().unwrap().parse::<u64>(); | |
1129 | if ret.is_err() { return Err(FormatParseError {}); } | |
1130 | let seconds = ret.unwrap(); | |
dcabdfd2 | 1131 | if mins.is_some() && seconds >= 60 { return Err(FormatParseError {}); } |
2c6462c8 KS |
1132 | let millis = if let Some(val) = parts.next() { |
1133 | let mut mval = 0; | |
1134 | let mut base = 0; | |
1135 | for ch in val.chars() { | |
6f263099 | 1136 | if ('0'..='9').contains(&ch) { |
2c6462c8 KS |
1137 | mval = mval * 10 + u64::from((ch as u8) - b'0'); |
1138 | base += 1; | |
1139 | if base > 3 { break; } | |
1140 | } else { | |
1141 | return Err(FormatParseError {}); | |
1142 | } | |
1143 | } | |
1144 | while base < 3 { | |
1145 | mval *= 10; | |
1146 | base += 1; | |
1147 | } | |
1148 | mval | |
1149 | } else { 0 }; | |
1150 | (seconds, millis) | |
1151 | } else { unreachable!(); }; | |
1152 | let tot_secs = hours * 60 * 60 + minutes * 60 + seconds; | |
1153 | Ok(NATimePoint::Milliseconds(tot_secs * 1000 + millis)) | |
1154 | } else { | |
1155 | let str_b = s.as_bytes(); | |
1156 | let num = std::str::from_utf8(&str_b[..str_b.len() - 3]).unwrap(); | |
1157 | let ret = num.parse::<u64>(); | |
1158 | if let Ok(val) = ret { | |
1159 | Ok(NATimePoint::PTS(val)) | |
1160 | } else { | |
1161 | Err(FormatParseError {}) | |
1162 | } | |
1163 | } | |
1164 | } | |
1165 | } | |
1166 | ||
7673d49a | 1167 | /// Decoded frame information. |
e189501e KS |
1168 | #[allow(dead_code)] |
1169 | #[derive(Clone)] | |
1170 | pub struct NAFrame { | |
bf507799 KS |
1171 | /// Frame timestamp. |
1172 | pub ts: NATimeInfo, | |
1173 | /// Frame ID. | |
1174 | pub id: i64, | |
1175 | buffer: NABufferType, | |
1176 | info: NACodecInfoRef, | |
1177 | /// Frame type. | |
1178 | pub frame_type: FrameType, | |
1179 | /// Keyframe flag. | |
1180 | pub key: bool, | |
a5ba48ac | 1181 | // options: HashMap<String, NAValue>, |
66116504 KS |
1182 | } |
1183 | ||
7673d49a | 1184 | /// A specialised type for reference-counted `NAFrame`. |
171860fc | 1185 | pub type NAFrameRef = Arc<NAFrame>; |
ebd71c92 | 1186 | |
66116504 KS |
1187 | fn get_plane_size(info: &NAVideoInfo, idx: usize) -> (usize, usize) { |
1188 | let chromaton = info.get_format().get_chromaton(idx); | |
e243ceb4 | 1189 | if chromaton.is_none() { return (0, 0); } |
66116504 KS |
1190 | let (hs, vs) = chromaton.unwrap().get_subsampling(); |
1191 | let w = (info.get_width() + ((1 << hs) - 1)) >> hs; | |
1192 | let h = (info.get_height() + ((1 << vs) - 1)) >> vs; | |
1193 | (w, h) | |
1194 | } | |
1195 | ||
1196 | impl NAFrame { | |
7673d49a | 1197 | /// Constructs a new `NAFrame` instance. |
e189501e | 1198 | pub fn new(ts: NATimeInfo, |
88c03b61 KS |
1199 | ftype: FrameType, |
1200 | keyframe: bool, | |
2422d969 | 1201 | info: NACodecInfoRef, |
a5ba48ac | 1202 | /*options: HashMap<String, NAValue>,*/ |
22cb00db | 1203 | buffer: NABufferType) -> Self { |
a5ba48ac | 1204 | NAFrame { ts, id: 0, buffer, info, frame_type: ftype, key: keyframe/*, options*/ } |
ebd71c92 | 1205 | } |
7673d49a | 1206 | /// Returns frame format information. |
2422d969 | 1207 | pub fn get_info(&self) -> NACodecInfoRef { self.info.clone() } |
7673d49a | 1208 | /// Returns frame type. |
bf507799 | 1209 | pub fn get_frame_type(&self) -> FrameType { self.frame_type } |
7673d49a | 1210 | /// Reports whether the frame is a keyframe. |
88c03b61 | 1211 | pub fn is_keyframe(&self) -> bool { self.key } |
7673d49a | 1212 | /// Sets new frame type. |
bf507799 | 1213 | pub fn set_frame_type(&mut self, ftype: FrameType) { self.frame_type = ftype; } |
7673d49a | 1214 | /// Sets keyframe flag. |
88c03b61 | 1215 | pub fn set_keyframe(&mut self, key: bool) { self.key = key; } |
7673d49a | 1216 | /// Returns frame timestamp. |
e189501e | 1217 | pub fn get_time_information(&self) -> NATimeInfo { self.ts } |
7673d49a | 1218 | /// Returns frame presentation time. |
e189501e | 1219 | pub fn get_pts(&self) -> Option<u64> { self.ts.get_pts() } |
7673d49a | 1220 | /// Returns frame decoding time. |
e189501e | 1221 | pub fn get_dts(&self) -> Option<u64> { self.ts.get_dts() } |
7673d49a | 1222 | /// Returns picture ID. |
f18bba90 | 1223 | pub fn get_id(&self) -> i64 { self.id } |
7673d49a | 1224 | /// Returns frame display duration. |
e189501e | 1225 | pub fn get_duration(&self) -> Option<u64> { self.ts.get_duration() } |
7673d49a | 1226 | /// Sets new presentation timestamp. |
e189501e | 1227 | pub fn set_pts(&mut self, pts: Option<u64>) { self.ts.set_pts(pts); } |
7673d49a | 1228 | /// Sets new decoding timestamp. |
e189501e | 1229 | pub fn set_dts(&mut self, dts: Option<u64>) { self.ts.set_dts(dts); } |
7673d49a | 1230 | /// Sets new picture ID. |
f18bba90 | 1231 | pub fn set_id(&mut self, id: i64) { self.id = id; } |
7673d49a | 1232 | /// Sets new duration. |
e189501e | 1233 | pub fn set_duration(&mut self, dur: Option<u64>) { self.ts.set_duration(dur); } |
66116504 | 1234 | |
7673d49a | 1235 | /// Returns a reference to the frame data. |
22cb00db | 1236 | pub fn get_buffer(&self) -> NABufferType { self.buffer.clone() } |
171860fc | 1237 | |
7673d49a | 1238 | /// Converts current instance into a reference-counted one. |
171860fc | 1239 | pub fn into_ref(self) -> NAFrameRef { Arc::new(self) } |
2b8bf9a0 KS |
1240 | |
1241 | /// Creates new frame with metadata from `NAPacket`. | |
1242 | pub fn new_from_pkt(pkt: &NAPacket, info: NACodecInfoRef, buf: NABufferType) -> NAFrame { | |
1243 | NAFrame::new(pkt.ts, FrameType::Other, pkt.keyframe, info, /*HashMap::new(),*/ buf) | |
1244 | } | |
5869fd63 KS |
1245 | } |
1246 | ||
ebd71c92 KS |
1247 | impl fmt::Display for NAFrame { |
1248 | fn fmt(&self, f: &mut fmt::Formatter) -> fmt::Result { | |
bf507799 | 1249 | let mut ostr = format!("frame type {}", self.frame_type); |
e243ceb4 KS |
1250 | if let Some(pts) = self.ts.pts { ostr = format!("{} pts {}", ostr, pts); } |
1251 | if let Some(dts) = self.ts.dts { ostr = format!("{} dts {}", ostr, dts); } | |
1252 | if let Some(dur) = self.ts.duration { ostr = format!("{} duration {}", ostr, dur); } | |
1253 | if self.key { ostr = format!("{} kf", ostr); } | |
1254 | write!(f, "[{}]", ostr) | |
ebd71c92 KS |
1255 | } |
1256 | } | |
88c03b61 | 1257 | |
7673d49a | 1258 | /// A list of possible stream types. |
baf5478c | 1259 | #[derive(Debug,Clone,Copy,PartialEq)] |
5869fd63 | 1260 | #[allow(dead_code)] |
48c88fde | 1261 | pub enum StreamType { |
7673d49a | 1262 | /// Video stream. |
48c88fde | 1263 | Video, |
7673d49a | 1264 | /// Audio stream. |
48c88fde | 1265 | Audio, |
7673d49a | 1266 | /// Subtitles. |
48c88fde | 1267 | Subtitles, |
7673d49a | 1268 | /// Any data stream (or might be an unrecognized audio/video stream). |
48c88fde | 1269 | Data, |
7673d49a | 1270 | /// Nonexistent stream. |
48c88fde KS |
1271 | None, |
1272 | } | |
1273 | ||
1274 | impl fmt::Display for StreamType { | |
1275 | fn fmt(&self, f: &mut fmt::Formatter) -> fmt::Result { | |
1276 | match *self { | |
1277 | StreamType::Video => write!(f, "Video"), | |
1278 | StreamType::Audio => write!(f, "Audio"), | |
1279 | StreamType::Subtitles => write!(f, "Subtitles"), | |
1280 | StreamType::Data => write!(f, "Data"), | |
1281 | StreamType::None => write!(f, "-"), | |
1282 | } | |
1283 | } | |
1284 | } | |
1285 | ||
7673d49a | 1286 | /// Stream data. |
48c88fde KS |
1287 | #[allow(dead_code)] |
1288 | #[derive(Clone)] | |
1289 | pub struct NAStream { | |
bf507799 KS |
1290 | media_type: StreamType, |
1291 | /// Stream ID. | |
1292 | pub id: u32, | |
1293 | num: usize, | |
1294 | info: NACodecInfoRef, | |
1295 | /// Timebase numerator. | |
1296 | pub tb_num: u32, | |
1297 | /// Timebase denominator. | |
1298 | pub tb_den: u32, | |
a480a0de KS |
1299 | /// Duration in timebase units (zero if not available). |
1300 | pub duration: u64, | |
e189501e KS |
1301 | } |
1302 | ||
7673d49a | 1303 | /// A specialised reference-counted `NAStream` type. |
70910ac3 KS |
1304 | pub type NAStreamRef = Arc<NAStream>; |
1305 | ||
7673d49a | 1306 | /// Downscales the timebase by its greatest common denominator. |
b7c882c1 | 1307 | #[allow(clippy::comparison_chain)] |
e189501e KS |
1308 | pub fn reduce_timebase(tb_num: u32, tb_den: u32) -> (u32, u32) { |
1309 | if tb_num == 0 { return (tb_num, tb_den); } | |
1310 | if (tb_den % tb_num) == 0 { return (1, tb_den / tb_num); } | |
1311 | ||
1312 | let mut a = tb_num; | |
1313 | let mut b = tb_den; | |
1314 | ||
1315 | while a != b { | |
1316 | if a > b { a -= b; } | |
1317 | else if b > a { b -= a; } | |
1318 | } | |
1319 | ||
1320 | (tb_num / a, tb_den / a) | |
5869fd63 | 1321 | } |
48c88fde KS |
1322 | |
1323 | impl NAStream { | |
7673d49a | 1324 | /// Constructs a new `NAStream` instance. |
a480a0de | 1325 | pub fn new(mt: StreamType, id: u32, info: NACodecInfo, tb_num: u32, tb_den: u32, duration: u64) -> Self { |
e189501e | 1326 | let (n, d) = reduce_timebase(tb_num, tb_den); |
a480a0de | 1327 | NAStream { media_type: mt, id, num: 0, info: info.into_ref(), tb_num: n, tb_den: d, duration } |
48c88fde | 1328 | } |
7673d49a | 1329 | /// Returns stream id. |
48c88fde | 1330 | pub fn get_id(&self) -> u32 { self.id } |
7673d49a | 1331 | /// Returns stream type. |
baf5478c | 1332 | pub fn get_media_type(&self) -> StreamType { self.media_type } |
7673d49a | 1333 | /// Returns stream number assigned by demuxer. |
48c88fde | 1334 | pub fn get_num(&self) -> usize { self.num } |
7673d49a | 1335 | /// Sets stream number. |
48c88fde | 1336 | pub fn set_num(&mut self, num: usize) { self.num = num; } |
7673d49a | 1337 | /// Returns codec information. |
2422d969 | 1338 | pub fn get_info(&self) -> NACodecInfoRef { self.info.clone() } |
7673d49a | 1339 | /// Returns stream timebase. |
e189501e | 1340 | pub fn get_timebase(&self) -> (u32, u32) { (self.tb_num, self.tb_den) } |
7673d49a | 1341 | /// Sets new stream timebase. |
e189501e KS |
1342 | pub fn set_timebase(&mut self, tb_num: u32, tb_den: u32) { |
1343 | let (n, d) = reduce_timebase(tb_num, tb_den); | |
1344 | self.tb_num = n; | |
1345 | self.tb_den = d; | |
1346 | } | |
a480a0de | 1347 | /// Returns stream duration. |
556509ab | 1348 | pub fn get_duration(&self) -> u64 { self.duration } |
3867d436 KS |
1349 | /// Constructs a new timestamp. |
1350 | pub fn make_ts(&self, pts: Option<u64>, dts: Option<u64>, duration: Option<u64>) -> NATimeInfo { | |
1351 | NATimeInfo::new(pts, dts, duration, self.tb_num, self.tb_den) | |
1352 | } | |
7673d49a | 1353 | /// Converts current instance into a reference-counted one. |
70910ac3 | 1354 | pub fn into_ref(self) -> NAStreamRef { Arc::new(self) } |
48c88fde KS |
1355 | } |
1356 | ||
1357 | impl fmt::Display for NAStream { | |
1358 | fn fmt(&self, f: &mut fmt::Formatter) -> fmt::Result { | |
e189501e | 1359 | write!(f, "({}#{} @ {}/{} - {})", self.media_type, self.id, self.tb_num, self.tb_den, self.info.get_properties()) |
48c88fde KS |
1360 | } |
1361 | } | |
1362 | ||
8057a7fd KS |
1363 | /// Side data that may accompany demuxed data. |
1364 | #[derive(Clone)] | |
1365 | pub enum NASideData { | |
1366 | /// Palette information. | |
1367 | /// | |
1368 | /// This side data contains a flag signalling that palette has changed since previous time and a reference to the current palette. | |
1369 | /// Palette is stored in 8-bit RGBA format. | |
1370 | Palette(bool, Arc<[u8; 1024]>), | |
1371 | /// Generic user data. | |
1372 | UserData(Arc<Vec<u8>>), | |
1373 | } | |
1374 | ||
7673d49a | 1375 | /// Packet with compressed data. |
48c88fde KS |
1376 | #[allow(dead_code)] |
1377 | pub struct NAPacket { | |
bf507799 KS |
1378 | stream: NAStreamRef, |
1379 | /// Packet timestamp. | |
1380 | pub ts: NATimeInfo, | |
1381 | buffer: NABufferRef<Vec<u8>>, | |
1382 | /// Keyframe flag. | |
1383 | pub keyframe: bool, | |
48c88fde | 1384 | // options: HashMap<String, NAValue<'a>>, |
8057a7fd KS |
1385 | /// Packet side data (e.g. palette for paletted formats). |
1386 | pub side_data: Vec<NASideData>, | |
48c88fde KS |
1387 | } |
1388 | ||
1389 | impl NAPacket { | |
7673d49a | 1390 | /// Constructs a new `NAPacket` instance. |
405cec9e | 1391 | pub fn new(stream: NAStreamRef, ts: NATimeInfo, kf: bool, vec: Vec<u8>) -> Self { |
48c88fde KS |
1392 | // let mut vec: Vec<u8> = Vec::new(); |
1393 | // vec.resize(size, 0); | |
405cec9e | 1394 | NAPacket { stream, ts, keyframe: kf, buffer: NABufferRef::new(vec), side_data: Vec::new() } |
48c88fde | 1395 | } |
89f25cd7 | 1396 | /// Constructs a new `NAPacket` instance reusing a buffer reference. |
405cec9e KS |
1397 | pub fn new_from_refbuf(stream: NAStreamRef, ts: NATimeInfo, kf: bool, buffer: NABufferRef<Vec<u8>>) -> Self { |
1398 | NAPacket { stream, ts, keyframe: kf, buffer, side_data: Vec::new() } | |
89f25cd7 | 1399 | } |
7673d49a | 1400 | /// Returns information about the stream packet belongs to. |
70910ac3 | 1401 | pub fn get_stream(&self) -> NAStreamRef { self.stream.clone() } |
7673d49a | 1402 | /// Returns packet timestamp. |
e189501e | 1403 | pub fn get_time_information(&self) -> NATimeInfo { self.ts } |
7673d49a | 1404 | /// Returns packet presentation timestamp. |
e189501e | 1405 | pub fn get_pts(&self) -> Option<u64> { self.ts.get_pts() } |
7673d49a | 1406 | /// Returns packet decoding timestamp. |
e189501e | 1407 | pub fn get_dts(&self) -> Option<u64> { self.ts.get_dts() } |
7673d49a | 1408 | /// Returns packet duration. |
e189501e | 1409 | pub fn get_duration(&self) -> Option<u64> { self.ts.get_duration() } |
7673d49a | 1410 | /// Reports whether this is a keyframe packet. |
48c88fde | 1411 | pub fn is_keyframe(&self) -> bool { self.keyframe } |
7673d49a | 1412 | /// Returns a reference to packet data. |
1a967e6b | 1413 | pub fn get_buffer(&self) -> NABufferRef<Vec<u8>> { self.buffer.clone() } |
8057a7fd KS |
1414 | /// Adds side data for a packet. |
1415 | pub fn add_side_data(&mut self, side_data: NASideData) { self.side_data.push(side_data); } | |
b3785cd7 | 1416 | /// Assigns packet to a new stream. |
405cec9e KS |
1417 | pub fn reassign(&mut self, stream: NAStreamRef, ts: NATimeInfo) { |
1418 | self.stream = stream; | |
b3785cd7 KS |
1419 | self.ts = ts; |
1420 | } | |
48c88fde KS |
1421 | } |
1422 | ||
1423 | impl Drop for NAPacket { | |
1424 | fn drop(&mut self) {} | |
1425 | } | |
1426 | ||
1427 | impl fmt::Display for NAPacket { | |
1428 | fn fmt(&self, f: &mut fmt::Formatter) -> fmt::Result { | |
e243ceb4 KS |
1429 | let mut ostr = format!("[pkt for {} size {}", self.stream, self.buffer.len()); |
1430 | if let Some(pts) = self.ts.pts { ostr = format!("{} pts {}", ostr, pts); } | |
1431 | if let Some(dts) = self.ts.dts { ostr = format!("{} dts {}", ostr, dts); } | |
1432 | if let Some(dur) = self.ts.duration { ostr = format!("{} duration {}", ostr, dur); } | |
1433 | if self.keyframe { ostr = format!("{} kf", ostr); } | |
1434 | ostr += "]"; | |
1435 | write!(f, "{}", ostr) | |
48c88fde KS |
1436 | } |
1437 | } | |
2c6462c8 | 1438 | |
1ebf572d KS |
1439 | /// Packet with a piece of data for a raw stream. |
1440 | pub struct NARawData { | |
1441 | stream: NAStreamRef, | |
1442 | buffer: NABufferRef<Vec<u8>>, | |
1443 | } | |
1444 | ||
1445 | impl NARawData { | |
1446 | /// Constructs a new `NARawData` instance. | |
1447 | pub fn new(stream: NAStreamRef, vec: Vec<u8>) -> Self { | |
1448 | Self { stream, buffer: NABufferRef::new(vec) } | |
1449 | } | |
1450 | /// Constructs a new `NARawData` instance reusing a buffer reference. | |
1451 | pub fn new_from_refbuf(stream: NAStreamRef, buffer: NABufferRef<Vec<u8>>) -> Self { | |
1452 | Self { stream, buffer } | |
1453 | } | |
1454 | /// Returns information about the stream this data belongs to. | |
1455 | pub fn get_stream(&self) -> NAStreamRef { self.stream.clone() } | |
1456 | /// Returns a reference to packet data. | |
1457 | pub fn get_buffer(&self) -> NABufferRef<Vec<u8>> { self.buffer.clone() } | |
1458 | /// Assigns raw data to a new stream. | |
1459 | pub fn reassign(&mut self, stream: NAStreamRef) { | |
1460 | self.stream = stream; | |
1461 | } | |
1462 | } | |
1463 | ||
1464 | impl fmt::Display for NARawData { | |
1465 | fn fmt(&self, f: &mut fmt::Formatter) -> fmt::Result { | |
1466 | write!(f, "[raw data for {} size {}]", self.stream, self.buffer.len()) | |
1467 | } | |
1468 | } | |
1469 | ||
2c6462c8 KS |
1470 | #[cfg(test)] |
1471 | mod test { | |
1472 | use super::*; | |
1473 | ||
1474 | #[test] | |
1475 | fn test_time_parse() { | |
1476 | assert_eq!(NATimePoint::PTS(42).to_string(), "42pts"); | |
1477 | assert_eq!(NATimePoint::Milliseconds(4242000).to_string(), "1:10:42"); | |
1478 | assert_eq!(NATimePoint::Milliseconds(42424242).to_string(), "11:47:04.242"); | |
1479 | let ret = NATimePoint::from_str("42pts"); | |
1480 | assert_eq!(ret.unwrap(), NATimePoint::PTS(42)); | |
1481 | let ret = NATimePoint::from_str("1:2:3"); | |
1482 | assert_eq!(ret.unwrap(), NATimePoint::Milliseconds(3723000)); | |
1483 | let ret = NATimePoint::from_str("1:2:3.42"); | |
1484 | assert_eq!(ret.unwrap(), NATimePoint::Milliseconds(3723420)); | |
1485 | } | |
1486 | } |