switch NABufferType to use refs for video buffers
[nihav.git] / nihav-core / src / frame.rs
CommitLineData
22cb00db 1use std::cmp::max;
5869fd63 2use std::collections::HashMap;
83e603fa 3use std::fmt;
2422d969 4use std::sync::Arc;
4e8b4f31 5pub use crate::formats::*;
1a967e6b 6pub use crate::refs::*;
94dbb551 7
5869fd63 8#[allow(dead_code)]
66116504 9#[derive(Clone,Copy,PartialEq)]
5869fd63
KS
10pub struct NAAudioInfo {
11 sample_rate: u32,
12 channels: u8,
13 format: NASoniton,
14 block_len: usize,
15}
16
17impl NAAudioInfo {
18 pub fn new(sr: u32, ch: u8, fmt: NASoniton, bl: usize) -> Self {
19 NAAudioInfo { sample_rate: sr, channels: ch, format: fmt, block_len: bl }
20 }
66116504
KS
21 pub fn get_sample_rate(&self) -> u32 { self.sample_rate }
22 pub fn get_channels(&self) -> u8 { self.channels }
23 pub fn get_format(&self) -> NASoniton { self.format }
24 pub fn get_block_len(&self) -> usize { self.block_len }
5869fd63
KS
25}
26
83e603fa
KS
27impl fmt::Display for NAAudioInfo {
28 fn fmt(&self, f: &mut fmt::Formatter) -> fmt::Result {
29 write!(f, "{} Hz, {} ch", self.sample_rate, self.channels)
30 }
31}
32
5869fd63 33#[allow(dead_code)]
66116504 34#[derive(Clone,Copy,PartialEq)]
5869fd63 35pub struct NAVideoInfo {
66116504
KS
36 width: usize,
37 height: usize,
5869fd63
KS
38 flipped: bool,
39 format: NAPixelFormaton,
40}
41
42impl NAVideoInfo {
66116504 43 pub fn new(w: usize, h: usize, flip: bool, fmt: NAPixelFormaton) -> Self {
5869fd63
KS
44 NAVideoInfo { width: w, height: h, flipped: flip, format: fmt }
45 }
66116504
KS
46 pub fn get_width(&self) -> usize { self.width as usize }
47 pub fn get_height(&self) -> usize { self.height as usize }
48 pub fn is_flipped(&self) -> bool { self.flipped }
49 pub fn get_format(&self) -> NAPixelFormaton { self.format }
dd1b60e1
KS
50 pub fn set_width(&mut self, w: usize) { self.width = w; }
51 pub fn set_height(&mut self, h: usize) { self.height = h; }
5869fd63
KS
52}
53
83e603fa
KS
54impl fmt::Display for NAVideoInfo {
55 fn fmt(&self, f: &mut fmt::Formatter) -> fmt::Result {
56 write!(f, "{}x{}", self.width, self.height)
57 }
58}
59
66116504 60#[derive(Clone,Copy,PartialEq)]
5869fd63
KS
61pub enum NACodecTypeInfo {
62 None,
63 Audio(NAAudioInfo),
64 Video(NAVideoInfo),
65}
66
22cb00db
KS
67impl NACodecTypeInfo {
68 pub fn get_video_info(&self) -> Option<NAVideoInfo> {
69 match *self {
70 NACodecTypeInfo::Video(vinfo) => Some(vinfo),
71 _ => None,
72 }
73 }
74 pub fn get_audio_info(&self) -> Option<NAAudioInfo> {
75 match *self {
76 NACodecTypeInfo::Audio(ainfo) => Some(ainfo),
77 _ => None,
78 }
79 }
5076115b
KS
80 pub fn is_video(&self) -> bool {
81 match *self {
82 NACodecTypeInfo::Video(_) => true,
83 _ => false,
84 }
85 }
86 pub fn is_audio(&self) -> bool {
87 match *self {
88 NACodecTypeInfo::Audio(_) => true,
89 _ => false,
90 }
91 }
22cb00db
KS
92}
93
83e603fa
KS
94impl fmt::Display for NACodecTypeInfo {
95 fn fmt(&self, f: &mut fmt::Formatter) -> fmt::Result {
96 let ret = match *self {
97 NACodecTypeInfo::None => format!(""),
98 NACodecTypeInfo::Audio(fmt) => format!("{}", fmt),
99 NACodecTypeInfo::Video(fmt) => format!("{}", fmt),
100 };
101 write!(f, "{}", ret)
102 }
103}
104
22cb00db
KS
105#[derive(Clone)]
106pub struct NAVideoBuffer<T> {
6c8e5c40 107 info: NAVideoInfo,
1a967e6b 108 data: NABufferRef<Vec<T>>,
6c8e5c40
KS
109 offs: Vec<usize>,
110 strides: Vec<usize>,
22cb00db
KS
111}
112
113impl<T: Clone> NAVideoBuffer<T> {
114 pub fn get_offset(&self, idx: usize) -> usize {
115 if idx >= self.offs.len() { 0 }
116 else { self.offs[idx] }
117 }
118 pub fn get_info(&self) -> NAVideoInfo { self.info }
1a967e6b
KS
119 pub fn get_data(&self) -> &Vec<T> { self.data.as_ref() }
120 pub fn get_data_mut(&mut self) -> Option<&mut Vec<T>> { self.data.as_mut() }
22cb00db 121 pub fn copy_buffer(&mut self) -> Self {
1a967e6b
KS
122 let mut data: Vec<T> = Vec::with_capacity(self.data.len());
123 data.clone_from(self.data.as_ref());
22cb00db
KS
124 let mut offs: Vec<usize> = Vec::with_capacity(self.offs.len());
125 offs.clone_from(&self.offs);
6c8e5c40
KS
126 let mut strides: Vec<usize> = Vec::with_capacity(self.strides.len());
127 strides.clone_from(&self.strides);
1a967e6b 128 NAVideoBuffer { info: self.info, data: NABufferRef::new(data), offs: offs, strides: strides }
22cb00db
KS
129 }
130 pub fn get_stride(&self, idx: usize) -> usize {
6c8e5c40
KS
131 if idx >= self.strides.len() { return 0; }
132 self.strides[idx]
22cb00db
KS
133 }
134 pub fn get_dimensions(&self, idx: usize) -> (usize, usize) {
135 get_plane_size(&self.info, idx)
136 }
3fc28ece
KS
137 pub fn into_ref(self) -> NABufferRef<Self> {
138 NABufferRef::new(self)
139 }
22cb00db
KS
140}
141
3fc28ece
KS
142pub type NAVideoBufferRef<T> = NABufferRef<NAVideoBuffer<T>>;
143
22cb00db
KS
144#[derive(Clone)]
145pub struct NAAudioBuffer<T> {
146 info: NAAudioInfo,
1a967e6b 147 data: NABufferRef<Vec<T>>,
22cb00db
KS
148 offs: Vec<usize>,
149 chmap: NAChannelMap,
5076115b 150 len: usize,
22cb00db
KS
151}
152
153impl<T: Clone> NAAudioBuffer<T> {
154 pub fn get_offset(&self, idx: usize) -> usize {
155 if idx >= self.offs.len() { 0 }
156 else { self.offs[idx] }
157 }
158 pub fn get_info(&self) -> NAAudioInfo { self.info }
159 pub fn get_chmap(&self) -> NAChannelMap { self.chmap.clone() }
1a967e6b
KS
160 pub fn get_data(&self) -> &Vec<T> { self.data.as_ref() }
161 pub fn get_data_mut(&mut self) -> Option<&mut Vec<T>> { self.data.as_mut() }
22cb00db 162 pub fn copy_buffer(&mut self) -> Self {
1a967e6b
KS
163 let mut data: Vec<T> = Vec::with_capacity(self.data.len());
164 data.clone_from(self.data.as_ref());
22cb00db
KS
165 let mut offs: Vec<usize> = Vec::with_capacity(self.offs.len());
166 offs.clone_from(&self.offs);
1a967e6b 167 NAAudioBuffer { info: self.info, data: NABufferRef::new(data), offs: offs, chmap: self.get_chmap(), len: self.len }
22cb00db 168 }
5076115b 169 pub fn get_length(&self) -> usize { self.len }
22cb00db
KS
170}
171
87a1ebc3 172impl NAAudioBuffer<u8> {
1a967e6b
KS
173 pub fn new_from_buf(info: NAAudioInfo, data: NABufferRef<Vec<u8>>, chmap: NAChannelMap) -> Self {
174 let len = data.len();
5076115b 175 NAAudioBuffer { info: info, data: data, chmap: chmap, offs: Vec::new(), len: len }
87a1ebc3
KS
176 }
177}
178
22cb00db
KS
179#[derive(Clone)]
180pub enum NABufferType {
3fc28ece
KS
181 Video (NAVideoBufferRef<u8>),
182 Video16 (NAVideoBufferRef<u16>),
183 Video32 (NAVideoBufferRef<u32>),
184 VideoPacked(NAVideoBufferRef<u8>),
22cb00db
KS
185 AudioU8 (NAAudioBuffer<u8>),
186 AudioI16 (NAAudioBuffer<i16>),
87a1ebc3 187 AudioI32 (NAAudioBuffer<i32>),
22cb00db
KS
188 AudioF32 (NAAudioBuffer<f32>),
189 AudioPacked(NAAudioBuffer<u8>),
1a967e6b 190 Data (NABufferRef<Vec<u8>>),
22cb00db
KS
191 None,
192}
193
194impl NABufferType {
195 pub fn get_offset(&self, idx: usize) -> usize {
196 match *self {
197 NABufferType::Video(ref vb) => vb.get_offset(idx),
198 NABufferType::Video16(ref vb) => vb.get_offset(idx),
3bba1c4a 199 NABufferType::Video32(ref vb) => vb.get_offset(idx),
22cb00db
KS
200 NABufferType::VideoPacked(ref vb) => vb.get_offset(idx),
201 NABufferType::AudioU8(ref ab) => ab.get_offset(idx),
202 NABufferType::AudioI16(ref ab) => ab.get_offset(idx),
203 NABufferType::AudioF32(ref ab) => ab.get_offset(idx),
204 NABufferType::AudioPacked(ref ab) => ab.get_offset(idx),
205 _ => 0,
206 }
207 }
3bba1c4a
KS
208 pub fn get_video_info(&self) -> Option<NAVideoInfo> {
209 match *self {
210 NABufferType::Video(ref vb) => Some(vb.get_info()),
211 NABufferType::Video16(ref vb) => Some(vb.get_info()),
212 NABufferType::Video32(ref vb) => Some(vb.get_info()),
213 NABufferType::VideoPacked(ref vb) => Some(vb.get_info()),
214 _ => None,
215 }
216 }
3fc28ece 217 pub fn get_vbuf(&self) -> Option<NAVideoBufferRef<u8>> {
22cb00db
KS
218 match *self {
219 NABufferType::Video(ref vb) => Some(vb.clone()),
87a1ebc3
KS
220 NABufferType::VideoPacked(ref vb) => Some(vb.clone()),
221 _ => None,
222 }
223 }
3fc28ece 224 pub fn get_vbuf16(&self) -> Option<NAVideoBufferRef<u16>> {
87a1ebc3
KS
225 match *self {
226 NABufferType::Video16(ref vb) => Some(vb.clone()),
227 _ => None,
228 }
229 }
3fc28ece 230 pub fn get_vbuf32(&self) -> Option<NAVideoBufferRef<u32>> {
3bba1c4a
KS
231 match *self {
232 NABufferType::Video32(ref vb) => Some(vb.clone()),
233 _ => None,
234 }
235 }
6e09a92e 236 pub fn get_abuf_u8(&self) -> Option<NAAudioBuffer<u8>> {
87a1ebc3
KS
237 match *self {
238 NABufferType::AudioU8(ref ab) => Some(ab.clone()),
239 NABufferType::AudioPacked(ref ab) => Some(ab.clone()),
240 _ => None,
241 }
242 }
6e09a92e 243 pub fn get_abuf_i16(&self) -> Option<NAAudioBuffer<i16>> {
87a1ebc3
KS
244 match *self {
245 NABufferType::AudioI16(ref ab) => Some(ab.clone()),
246 _ => None,
247 }
248 }
6e09a92e 249 pub fn get_abuf_i32(&self) -> Option<NAAudioBuffer<i32>> {
87a1ebc3
KS
250 match *self {
251 NABufferType::AudioI32(ref ab) => Some(ab.clone()),
252 _ => None,
253 }
254 }
6e09a92e 255 pub fn get_abuf_f32(&self) -> Option<NAAudioBuffer<f32>> {
87a1ebc3
KS
256 match *self {
257 NABufferType::AudioF32(ref ab) => Some(ab.clone()),
22cb00db
KS
258 _ => None,
259 }
260 }
261}
262
cd830591
KS
263const NA_SIMPLE_VFRAME_COMPONENTS: usize = 4;
264pub struct NASimpleVideoFrame<'a, T: Copy> {
265 pub width: [usize; NA_SIMPLE_VFRAME_COMPONENTS],
266 pub height: [usize; NA_SIMPLE_VFRAME_COMPONENTS],
267 pub flip: bool,
268 pub stride: [usize; NA_SIMPLE_VFRAME_COMPONENTS],
269 pub offset: [usize; NA_SIMPLE_VFRAME_COMPONENTS],
270 pub components: usize,
271 pub data: &'a mut Vec<T>,
272}
273
274impl<'a, T:Copy> NASimpleVideoFrame<'a, T> {
275 pub fn from_video_buf(vbuf: &'a mut NAVideoBuffer<T>) -> Option<Self> {
276 let vinfo = vbuf.get_info();
277 let components = vinfo.format.components as usize;
278 if components > NA_SIMPLE_VFRAME_COMPONENTS {
279 return None;
280 }
281 let mut w: [usize; NA_SIMPLE_VFRAME_COMPONENTS] = [0; NA_SIMPLE_VFRAME_COMPONENTS];
282 let mut h: [usize; NA_SIMPLE_VFRAME_COMPONENTS] = [0; NA_SIMPLE_VFRAME_COMPONENTS];
283 let mut s: [usize; NA_SIMPLE_VFRAME_COMPONENTS] = [0; NA_SIMPLE_VFRAME_COMPONENTS];
284 let mut o: [usize; NA_SIMPLE_VFRAME_COMPONENTS] = [0; NA_SIMPLE_VFRAME_COMPONENTS];
285 for comp in 0..components {
286 let (width, height) = vbuf.get_dimensions(comp);
287 w[comp] = width;
288 h[comp] = height;
289 s[comp] = vbuf.get_stride(comp);
290 o[comp] = vbuf.get_offset(comp);
291 }
292 let flip = vinfo.flipped;
293 Some(NASimpleVideoFrame {
294 width: w,
295 height: h,
296 flip,
297 stride: s,
298 offset: o,
299 components,
300 data: vbuf.data.as_mut().unwrap(),
301 })
302 }
303}
304
22cb00db
KS
305#[derive(Debug,Clone,Copy,PartialEq)]
306pub enum AllocatorError {
307 TooLargeDimensions,
308 FormatError,
309}
310
311pub fn alloc_video_buffer(vinfo: NAVideoInfo, align: u8) -> Result<NABufferType, AllocatorError> {
312 let fmt = &vinfo.format;
313 let mut new_size: usize = 0;
6c8e5c40
KS
314 let mut offs: Vec<usize> = Vec::new();
315 let mut strides: Vec<usize> = Vec::new();
22cb00db
KS
316
317 for i in 0..fmt.get_num_comp() {
318 if fmt.get_chromaton(i) == None { return Err(AllocatorError::FormatError); }
319 }
320
321 let align_mod = ((1 << align) as usize) - 1;
322 let width = ((vinfo.width as usize) + align_mod) & !align_mod;
323 let height = ((vinfo.height as usize) + align_mod) & !align_mod;
324 let mut max_depth = 0;
325 let mut all_packed = true;
3bba1c4a 326 let mut all_bytealigned = true;
22cb00db 327 for i in 0..fmt.get_num_comp() {
6c8e5c40
KS
328 let ochr = fmt.get_chromaton(i);
329 if let None = ochr { continue; }
330 let chr = ochr.unwrap();
22cb00db
KS
331 if !chr.is_packed() {
332 all_packed = false;
3bba1c4a
KS
333 } else if ((chr.get_shift() + chr.get_depth()) & 7) != 0 {
334 all_bytealigned = false;
22cb00db
KS
335 }
336 max_depth = max(max_depth, chr.get_depth());
337 }
3bba1c4a
KS
338 let unfit_elem_size = match fmt.get_elem_size() {
339 2 | 4 => false,
340 _ => true,
341 };
22cb00db
KS
342
343//todo semi-packed like NV12
bc6aac3d
KS
344 if fmt.is_paletted() {
345//todo various-sized palettes?
6c8e5c40
KS
346 let stride = vinfo.get_format().get_chromaton(0).unwrap().get_linesize(width);
347 let pic_sz = stride.checked_mul(height);
bc6aac3d
KS
348 if pic_sz == None { return Err(AllocatorError::TooLargeDimensions); }
349 let pal_size = 256 * (fmt.get_elem_size() as usize);
350 let new_size = pic_sz.unwrap().checked_add(pal_size);
351 if new_size == None { return Err(AllocatorError::TooLargeDimensions); }
352 offs.push(0);
6c8e5c40
KS
353 offs.push(stride * height);
354 strides.push(stride);
bc6aac3d
KS
355 let mut data: Vec<u8> = Vec::with_capacity(new_size.unwrap());
356 data.resize(new_size.unwrap(), 0);
1a967e6b 357 let buf: NAVideoBuffer<u8> = NAVideoBuffer { data: NABufferRef::new(data), info: vinfo, offs: offs, strides: strides };
3fc28ece 358 Ok(NABufferType::Video(buf.into_ref()))
bc6aac3d 359 } else if !all_packed {
22cb00db 360 for i in 0..fmt.get_num_comp() {
6c8e5c40
KS
361 let ochr = fmt.get_chromaton(i);
362 if let None = ochr { continue; }
363 let chr = ochr.unwrap();
22cb00db
KS
364 if !vinfo.is_flipped() {
365 offs.push(new_size as usize);
366 }
6c8e5c40 367 let stride = chr.get_linesize(width);
22cb00db 368 let cur_h = chr.get_height(height);
6c8e5c40 369 let cur_sz = stride.checked_mul(cur_h);
22cb00db
KS
370 if cur_sz == None { return Err(AllocatorError::TooLargeDimensions); }
371 let new_sz = new_size.checked_add(cur_sz.unwrap());
372 if new_sz == None { return Err(AllocatorError::TooLargeDimensions); }
373 new_size = new_sz.unwrap();
374 if vinfo.is_flipped() {
375 offs.push(new_size as usize);
376 }
6c8e5c40 377 strides.push(stride);
22cb00db
KS
378 }
379 if max_depth <= 8 {
380 let mut data: Vec<u8> = Vec::with_capacity(new_size);
381 data.resize(new_size, 0);
1a967e6b 382 let buf: NAVideoBuffer<u8> = NAVideoBuffer { data: NABufferRef::new(data), info: vinfo, offs: offs, strides: strides };
3fc28ece 383 Ok(NABufferType::Video(buf.into_ref()))
3bba1c4a 384 } else if max_depth <= 16 {
22cb00db
KS
385 let mut data: Vec<u16> = Vec::with_capacity(new_size);
386 data.resize(new_size, 0);
1a967e6b 387 let buf: NAVideoBuffer<u16> = NAVideoBuffer { data: NABufferRef::new(data), info: vinfo, offs: offs, strides: strides };
3fc28ece 388 Ok(NABufferType::Video16(buf.into_ref()))
3bba1c4a
KS
389 } else {
390 let mut data: Vec<u32> = Vec::with_capacity(new_size);
391 data.resize(new_size, 0);
1a967e6b 392 let buf: NAVideoBuffer<u32> = NAVideoBuffer { data: NABufferRef::new(data), info: vinfo, offs: offs, strides: strides };
3fc28ece 393 Ok(NABufferType::Video32(buf.into_ref()))
22cb00db 394 }
3bba1c4a 395 } else if all_bytealigned || unfit_elem_size {
22cb00db
KS
396 let elem_sz = fmt.get_elem_size();
397 let line_sz = width.checked_mul(elem_sz as usize);
398 if line_sz == None { return Err(AllocatorError::TooLargeDimensions); }
399 let new_sz = line_sz.unwrap().checked_mul(height);
400 if new_sz == None { return Err(AllocatorError::TooLargeDimensions); }
401 new_size = new_sz.unwrap();
402 let mut data: Vec<u8> = Vec::with_capacity(new_size);
403 data.resize(new_size, 0);
6c8e5c40 404 strides.push(line_sz.unwrap());
1a967e6b 405 let buf: NAVideoBuffer<u8> = NAVideoBuffer { data: NABufferRef::new(data), info: vinfo, offs: offs, strides: strides };
3fc28ece 406 Ok(NABufferType::VideoPacked(buf.into_ref()))
3bba1c4a
KS
407 } else {
408 let elem_sz = fmt.get_elem_size();
409 let new_sz = width.checked_mul(height);
410 if new_sz == None { return Err(AllocatorError::TooLargeDimensions); }
411 new_size = new_sz.unwrap();
412 match elem_sz {
413 2 => {
414 let mut data: Vec<u16> = Vec::with_capacity(new_size);
415 data.resize(new_size, 0);
416 strides.push(width);
1a967e6b 417 let buf: NAVideoBuffer<u16> = NAVideoBuffer { data: NABufferRef::new(data), info: vinfo, offs: offs, strides: strides };
3fc28ece 418 Ok(NABufferType::Video16(buf.into_ref()))
3bba1c4a
KS
419 },
420 4 => {
421 let mut data: Vec<u32> = Vec::with_capacity(new_size);
422 data.resize(new_size, 0);
423 strides.push(width);
1a967e6b 424 let buf: NAVideoBuffer<u32> = NAVideoBuffer { data: NABufferRef::new(data), info: vinfo, offs: offs, strides: strides };
3fc28ece 425 Ok(NABufferType::Video32(buf.into_ref()))
3bba1c4a
KS
426 },
427 _ => unreachable!(),
428 }
22cb00db
KS
429 }
430}
431
432pub fn alloc_audio_buffer(ainfo: NAAudioInfo, nsamples: usize, chmap: NAChannelMap) -> Result<NABufferType, AllocatorError> {
433 let mut offs: Vec<usize> = Vec::new();
4c6c19cb 434 if ainfo.format.is_planar() || (ainfo.channels == 1 && (ainfo.format.get_bits() % 8) == 0) {
22cb00db
KS
435 let len = nsamples.checked_mul(ainfo.channels as usize);
436 if len == None { return Err(AllocatorError::TooLargeDimensions); }
437 let length = len.unwrap();
438 for i in 0..ainfo.channels {
439 offs.push((i as usize) * nsamples);
440 }
441 if ainfo.format.is_float() {
442 if ainfo.format.get_bits() == 32 {
443 let mut data: Vec<f32> = Vec::with_capacity(length);
444 data.resize(length, 0.0);
1a967e6b 445 let buf: NAAudioBuffer<f32> = NAAudioBuffer { data: NABufferRef::new(data), info: ainfo, offs: offs, chmap: chmap, len: nsamples };
22cb00db
KS
446 Ok(NABufferType::AudioF32(buf))
447 } else {
448 Err(AllocatorError::TooLargeDimensions)
449 }
450 } else {
451 if ainfo.format.get_bits() == 8 && !ainfo.format.is_signed() {
452 let mut data: Vec<u8> = Vec::with_capacity(length);
453 data.resize(length, 0);
1a967e6b 454 let buf: NAAudioBuffer<u8> = NAAudioBuffer { data: NABufferRef::new(data), info: ainfo, offs: offs, chmap: chmap, len: nsamples };
22cb00db
KS
455 Ok(NABufferType::AudioU8(buf))
456 } else if ainfo.format.get_bits() == 16 && ainfo.format.is_signed() {
457 let mut data: Vec<i16> = Vec::with_capacity(length);
458 data.resize(length, 0);
1a967e6b 459 let buf: NAAudioBuffer<i16> = NAAudioBuffer { data: NABufferRef::new(data), info: ainfo, offs: offs, chmap: chmap, len: nsamples };
22cb00db
KS
460 Ok(NABufferType::AudioI16(buf))
461 } else {
462 Err(AllocatorError::TooLargeDimensions)
463 }
464 }
465 } else {
466 let len = nsamples.checked_mul(ainfo.channels as usize);
467 if len == None { return Err(AllocatorError::TooLargeDimensions); }
468 let length = ainfo.format.get_audio_size(len.unwrap() as u64);
469 let mut data: Vec<u8> = Vec::with_capacity(length);
470 data.resize(length, 0);
1a967e6b 471 let buf: NAAudioBuffer<u8> = NAAudioBuffer { data: NABufferRef::new(data), info: ainfo, offs: offs, chmap: chmap, len: nsamples };
1a151e53 472 Ok(NABufferType::AudioPacked(buf))
22cb00db
KS
473 }
474}
475
476pub fn alloc_data_buffer(size: usize) -> Result<NABufferType, AllocatorError> {
477 let mut data: Vec<u8> = Vec::with_capacity(size);
478 data.resize(size, 0);
1a967e6b 479 let buf: NABufferRef<Vec<u8>> = NABufferRef::new(data);
22cb00db
KS
480 Ok(NABufferType::Data(buf))
481}
482
483pub fn copy_buffer(buf: NABufferType) -> NABufferType {
484 buf.clone()
485}
486
1a967e6b
KS
487pub struct NABufferPool {
488 pool: Vec<NABufferRef<NABufferType>>,
489 max_len: usize,
490}
491
492impl NABufferPool {
493 pub fn new(max_len: usize) -> Self {
494 Self {
495 pool: Vec::with_capacity(max_len),
496 max_len,
497 }
498 }
499 pub fn prealloc_video(&mut self, vinfo: NAVideoInfo, align: u8) -> Result<(), AllocatorError> {
500 let nbufs = self.max_len - self.pool.len();
501 for _ in 0..nbufs {
502 let buf = alloc_video_buffer(vinfo.clone(), align)?;
503 self.pool.push(NABufferRef::new(buf));
504 }
505 Ok(())
506 }
507 pub fn prealloc_audio(&mut self, ainfo: NAAudioInfo, nsamples: usize, chmap: NAChannelMap) -> Result<(), AllocatorError> {
508 let nbufs = self.max_len - self.pool.len();
509 for _ in 0..nbufs {
510 let buf = alloc_audio_buffer(ainfo.clone(), nsamples, chmap.clone())?;
511 self.pool.push(NABufferRef::new(buf));
512 }
513 Ok(())
514 }
515 pub fn add(&mut self, buf: NABufferType) -> bool {
516 if self.pool.len() < self.max_len {
517 self.pool.push(NABufferRef::new(buf));
518 true
519 } else {
520 false
521 }
522 }
523 pub fn get_free(&mut self) -> Option<NABufferRef<NABufferType>> {
524 for e in self.pool.iter() {
525 if e.get_num_refs() == 1 {
526 return Some(e.clone());
527 }
528 }
529 None
530 }
531}
532
5869fd63 533#[allow(dead_code)]
8869d452
KS
534#[derive(Clone)]
535pub struct NACodecInfo {
ccae5343 536 name: &'static str,
5869fd63 537 properties: NACodecTypeInfo,
2422d969 538 extradata: Option<Arc<Vec<u8>>>,
5869fd63
KS
539}
540
2422d969
KS
541pub type NACodecInfoRef = Arc<NACodecInfo>;
542
8869d452 543impl NACodecInfo {
ccae5343 544 pub fn new(name: &'static str, p: NACodecTypeInfo, edata: Option<Vec<u8>>) -> Self {
8869d452
KS
545 let extradata = match edata {
546 None => None,
2422d969 547 Some(vec) => Some(Arc::new(vec)),
8869d452 548 };
ccae5343 549 NACodecInfo { name: name, properties: p, extradata: extradata }
8869d452 550 }
2422d969 551 pub fn new_ref(name: &'static str, p: NACodecTypeInfo, edata: Option<Arc<Vec<u8>>>) -> Self {
66116504
KS
552 NACodecInfo { name: name, properties: p, extradata: edata }
553 }
2422d969 554 pub fn into_ref(self) -> NACodecInfoRef { Arc::new(self) }
8869d452 555 pub fn get_properties(&self) -> NACodecTypeInfo { self.properties }
2422d969 556 pub fn get_extradata(&self) -> Option<Arc<Vec<u8>>> {
8869d452
KS
557 if let Some(ref vec) = self.extradata { return Some(vec.clone()); }
558 None
5869fd63 559 }
66116504
KS
560 pub fn get_name(&self) -> &'static str { self.name }
561 pub fn is_video(&self) -> bool {
562 if let NACodecTypeInfo::Video(_) = self.properties { return true; }
563 false
564 }
565 pub fn is_audio(&self) -> bool {
566 if let NACodecTypeInfo::Audio(_) = self.properties { return true; }
567 false
568 }
2422d969
KS
569 pub fn new_dummy() -> Arc<Self> {
570 Arc::new(DUMMY_CODEC_INFO)
5076115b 571 }
2422d969
KS
572 pub fn replace_info(&self, p: NACodecTypeInfo) -> Arc<Self> {
573 Arc::new(NACodecInfo { name: self.name, properties: p, extradata: self.extradata.clone() })
5076115b 574 }
66116504
KS
575}
576
241e56f1
KS
577impl Default for NACodecInfo {
578 fn default() -> Self { DUMMY_CODEC_INFO }
579}
580
66116504
KS
581impl fmt::Display for NACodecInfo {
582 fn fmt(&self, f: &mut fmt::Formatter) -> fmt::Result {
583 let edata = match self.extradata.clone() {
584 None => format!("no extradata"),
585 Some(v) => format!("{} byte(s) of extradata", v.len()),
586 };
587 write!(f, "{}: {} {}", self.name, self.properties, edata)
588 }
589}
590
591pub const DUMMY_CODEC_INFO: NACodecInfo = NACodecInfo {
592 name: "none",
593 properties: NACodecTypeInfo::None,
594 extradata: None };
595
66116504
KS
596#[derive(Debug,Clone)]
597pub enum NAValue {
5869fd63
KS
598 None,
599 Int(i32),
600 Long(i64),
601 String(String),
2422d969 602 Data(Arc<Vec<u8>>),
5869fd63
KS
603}
604
88c03b61
KS
605#[derive(Debug,Clone,Copy,PartialEq)]
606#[allow(dead_code)]
607pub enum FrameType {
608 I,
609 P,
610 B,
bc6aac3d 611 Skip,
88c03b61
KS
612 Other,
613}
614
615impl fmt::Display for FrameType {
616 fn fmt(&self, f: &mut fmt::Formatter) -> fmt::Result {
617 match *self {
618 FrameType::I => write!(f, "I"),
619 FrameType::P => write!(f, "P"),
620 FrameType::B => write!(f, "B"),
bc6aac3d 621 FrameType::Skip => write!(f, "skip"),
88c03b61
KS
622 FrameType::Other => write!(f, "x"),
623 }
624 }
625}
626
e189501e
KS
627#[derive(Debug,Clone,Copy)]
628pub struct NATimeInfo {
5869fd63
KS
629 pts: Option<u64>,
630 dts: Option<u64>,
631 duration: Option<u64>,
e189501e
KS
632 tb_num: u32,
633 tb_den: u32,
634}
635
636impl NATimeInfo {
637 pub fn new(pts: Option<u64>, dts: Option<u64>, duration: Option<u64>, tb_num: u32, tb_den: u32) -> Self {
638 NATimeInfo { pts: pts, dts: dts, duration: duration, tb_num: tb_num, tb_den: tb_den }
639 }
640 pub fn get_pts(&self) -> Option<u64> { self.pts }
641 pub fn get_dts(&self) -> Option<u64> { self.dts }
642 pub fn get_duration(&self) -> Option<u64> { self.duration }
643 pub fn set_pts(&mut self, pts: Option<u64>) { self.pts = pts; }
644 pub fn set_dts(&mut self, dts: Option<u64>) { self.dts = dts; }
645 pub fn set_duration(&mut self, dur: Option<u64>) { self.duration = dur; }
646}
647
648#[allow(dead_code)]
649#[derive(Clone)]
650pub struct NAFrame {
651 ts: NATimeInfo,
22cb00db 652 buffer: NABufferType,
2422d969 653 info: NACodecInfoRef,
88c03b61
KS
654 ftype: FrameType,
655 key: bool,
66116504
KS
656 options: HashMap<String, NAValue>,
657}
658
171860fc 659pub type NAFrameRef = Arc<NAFrame>;
ebd71c92 660
66116504
KS
661fn get_plane_size(info: &NAVideoInfo, idx: usize) -> (usize, usize) {
662 let chromaton = info.get_format().get_chromaton(idx);
663 if let None = chromaton { return (0, 0); }
664 let (hs, vs) = chromaton.unwrap().get_subsampling();
665 let w = (info.get_width() + ((1 << hs) - 1)) >> hs;
666 let h = (info.get_height() + ((1 << vs) - 1)) >> vs;
667 (w, h)
668}
669
670impl NAFrame {
e189501e 671 pub fn new(ts: NATimeInfo,
88c03b61
KS
672 ftype: FrameType,
673 keyframe: bool,
2422d969 674 info: NACodecInfoRef,
22cb00db
KS
675 options: HashMap<String, NAValue>,
676 buffer: NABufferType) -> Self {
e189501e 677 NAFrame { ts: ts, buffer: buffer, info: info, ftype: ftype, key: keyframe, options: options }
ebd71c92 678 }
2422d969 679 pub fn get_info(&self) -> NACodecInfoRef { self.info.clone() }
88c03b61
KS
680 pub fn get_frame_type(&self) -> FrameType { self.ftype }
681 pub fn is_keyframe(&self) -> bool { self.key }
88c03b61
KS
682 pub fn set_frame_type(&mut self, ftype: FrameType) { self.ftype = ftype; }
683 pub fn set_keyframe(&mut self, key: bool) { self.key = key; }
e189501e
KS
684 pub fn get_time_information(&self) -> NATimeInfo { self.ts }
685 pub fn get_pts(&self) -> Option<u64> { self.ts.get_pts() }
686 pub fn get_dts(&self) -> Option<u64> { self.ts.get_dts() }
687 pub fn get_duration(&self) -> Option<u64> { self.ts.get_duration() }
688 pub fn set_pts(&mut self, pts: Option<u64>) { self.ts.set_pts(pts); }
689 pub fn set_dts(&mut self, dts: Option<u64>) { self.ts.set_dts(dts); }
690 pub fn set_duration(&mut self, dur: Option<u64>) { self.ts.set_duration(dur); }
66116504 691
22cb00db 692 pub fn get_buffer(&self) -> NABufferType { self.buffer.clone() }
171860fc
KS
693
694 pub fn into_ref(self) -> NAFrameRef { Arc::new(self) }
5869fd63
KS
695}
696
ebd71c92
KS
697impl fmt::Display for NAFrame {
698 fn fmt(&self, f: &mut fmt::Formatter) -> fmt::Result {
22cb00db 699 let mut foo = format!("frame type {}", self.ftype);
e189501e
KS
700 if let Some(pts) = self.ts.pts { foo = format!("{} pts {}", foo, pts); }
701 if let Some(dts) = self.ts.dts { foo = format!("{} dts {}", foo, dts); }
702 if let Some(dur) = self.ts.duration { foo = format!("{} duration {}", foo, dur); }
ebd71c92
KS
703 if self.key { foo = format!("{} kf", foo); }
704 write!(f, "[{}]", foo)
705 }
706}
88c03b61 707
48c88fde
KS
708/// Possible stream types.
709#[derive(Debug,Clone,Copy)]
5869fd63 710#[allow(dead_code)]
48c88fde
KS
711pub enum StreamType {
712 /// video stream
713 Video,
714 /// audio stream
715 Audio,
716 /// subtitles
717 Subtitles,
718 /// any data stream (or might be an unrecognized audio/video stream)
719 Data,
720 /// nonexistent stream
721 None,
722}
723
724impl fmt::Display for StreamType {
725 fn fmt(&self, f: &mut fmt::Formatter) -> fmt::Result {
726 match *self {
727 StreamType::Video => write!(f, "Video"),
728 StreamType::Audio => write!(f, "Audio"),
729 StreamType::Subtitles => write!(f, "Subtitles"),
730 StreamType::Data => write!(f, "Data"),
731 StreamType::None => write!(f, "-"),
732 }
733 }
734}
735
736#[allow(dead_code)]
737#[derive(Clone)]
738pub struct NAStream {
739 media_type: StreamType,
740 id: u32,
741 num: usize,
2422d969 742 info: NACodecInfoRef,
e189501e
KS
743 tb_num: u32,
744 tb_den: u32,
745}
746
70910ac3
KS
747pub type NAStreamRef = Arc<NAStream>;
748
e189501e
KS
749pub fn reduce_timebase(tb_num: u32, tb_den: u32) -> (u32, u32) {
750 if tb_num == 0 { return (tb_num, tb_den); }
751 if (tb_den % tb_num) == 0 { return (1, tb_den / tb_num); }
752
753 let mut a = tb_num;
754 let mut b = tb_den;
755
756 while a != b {
757 if a > b { a -= b; }
758 else if b > a { b -= a; }
759 }
760
761 (tb_num / a, tb_den / a)
5869fd63 762}
48c88fde
KS
763
764impl NAStream {
e189501e
KS
765 pub fn new(mt: StreamType, id: u32, info: NACodecInfo, tb_num: u32, tb_den: u32) -> Self {
766 let (n, d) = reduce_timebase(tb_num, tb_den);
2422d969 767 NAStream { media_type: mt, id: id, num: 0, info: info.into_ref(), tb_num: n, tb_den: d }
48c88fde
KS
768 }
769 pub fn get_id(&self) -> u32 { self.id }
770 pub fn get_num(&self) -> usize { self.num }
771 pub fn set_num(&mut self, num: usize) { self.num = num; }
2422d969 772 pub fn get_info(&self) -> NACodecInfoRef { self.info.clone() }
e189501e
KS
773 pub fn get_timebase(&self) -> (u32, u32) { (self.tb_num, self.tb_den) }
774 pub fn set_timebase(&mut self, tb_num: u32, tb_den: u32) {
775 let (n, d) = reduce_timebase(tb_num, tb_den);
776 self.tb_num = n;
777 self.tb_den = d;
778 }
70910ac3 779 pub fn into_ref(self) -> NAStreamRef { Arc::new(self) }
48c88fde
KS
780}
781
782impl fmt::Display for NAStream {
783 fn fmt(&self, f: &mut fmt::Formatter) -> fmt::Result {
e189501e 784 write!(f, "({}#{} @ {}/{} - {})", self.media_type, self.id, self.tb_num, self.tb_den, self.info.get_properties())
48c88fde
KS
785 }
786}
787
788#[allow(dead_code)]
789pub struct NAPacket {
70910ac3 790 stream: NAStreamRef,
e189501e 791 ts: NATimeInfo,
1a967e6b 792 buffer: NABufferRef<Vec<u8>>,
48c88fde
KS
793 keyframe: bool,
794// options: HashMap<String, NAValue<'a>>,
795}
796
797impl NAPacket {
70910ac3 798 pub fn new(str: NAStreamRef, ts: NATimeInfo, kf: bool, vec: Vec<u8>) -> Self {
48c88fde
KS
799// let mut vec: Vec<u8> = Vec::new();
800// vec.resize(size, 0);
1a967e6b 801 NAPacket { stream: str, ts: ts, keyframe: kf, buffer: NABufferRef::new(vec) }
48c88fde 802 }
70910ac3 803 pub fn get_stream(&self) -> NAStreamRef { self.stream.clone() }
e189501e
KS
804 pub fn get_time_information(&self) -> NATimeInfo { self.ts }
805 pub fn get_pts(&self) -> Option<u64> { self.ts.get_pts() }
806 pub fn get_dts(&self) -> Option<u64> { self.ts.get_dts() }
807 pub fn get_duration(&self) -> Option<u64> { self.ts.get_duration() }
48c88fde 808 pub fn is_keyframe(&self) -> bool { self.keyframe }
1a967e6b 809 pub fn get_buffer(&self) -> NABufferRef<Vec<u8>> { self.buffer.clone() }
48c88fde
KS
810}
811
812impl Drop for NAPacket {
813 fn drop(&mut self) {}
814}
815
816impl fmt::Display for NAPacket {
817 fn fmt(&self, f: &mut fmt::Formatter) -> fmt::Result {
818 let mut foo = format!("[pkt for {} size {}", self.stream, self.buffer.len());
e189501e
KS
819 if let Some(pts) = self.ts.pts { foo = format!("{} pts {}", foo, pts); }
820 if let Some(dts) = self.ts.dts { foo = format!("{} dts {}", foo, dts); }
821 if let Some(dur) = self.ts.duration { foo = format!("{} duration {}", foo, dur); }
48c88fde
KS
822 if self.keyframe { foo = format!("{} kf", foo); }
823 foo = foo + "]";
824 write!(f, "{}", foo)
825 }
826}
827
828pub trait FrameFromPacket {
2422d969 829 fn new_from_pkt(pkt: &NAPacket, info: NACodecInfoRef, buf: NABufferType) -> NAFrame;
48c88fde
KS
830 fn fill_timestamps(&mut self, pkt: &NAPacket);
831}
832
833impl FrameFromPacket for NAFrame {
2422d969 834 fn new_from_pkt(pkt: &NAPacket, info: NACodecInfoRef, buf: NABufferType) -> NAFrame {
e189501e 835 NAFrame::new(pkt.ts, FrameType::Other, pkt.keyframe, info, HashMap::new(), buf)
48c88fde
KS
836 }
837 fn fill_timestamps(&mut self, pkt: &NAPacket) {
e189501e 838 self.ts = pkt.get_time_information();
48c88fde
KS
839 }
840}
841