1
0
Fork 0
mirror of https://github.com/sile/hls_m3u8.git synced 2024-06-02 05:41:21 +00:00
hls_m3u8/src/tags/media_segment/map.rs

223 lines
6.9 KiB
Rust
Raw Normal View History

use std::borrow::Cow;
use std::convert::{TryFrom, TryInto};
2019-09-06 10:55:00 +00:00
use std::fmt;
2020-02-02 12:38:11 +00:00
use shorthand::ShortHand;
2019-09-13 14:06:52 +00:00
use crate::attribute::AttributePairs;
2019-10-04 09:02:21 +00:00
use crate::tags::ExtXKey;
use crate::types::{ByteRange, DecryptionKey, ProtocolVersion};
2019-09-13 14:06:52 +00:00
use crate::utils::{quote, tag, unquote};
use crate::{Decryptable, Error, RequiredVersion};
2019-09-13 14:06:52 +00:00
2020-03-17 15:13:38 +00:00
/// The [`ExtXMap`] tag specifies how to obtain the [Media Initialization
/// Section], required to parse the applicable [`MediaSegment`]s.
2019-10-06 14:39:18 +00:00
///
2020-03-17 15:13:38 +00:00
/// It applies to every [`MediaSegment`] that appears after it in the playlist
/// until the next [`ExtXMap`] tag or until the end of the playlist.
2019-09-06 10:55:00 +00:00
///
2020-03-17 15:13:38 +00:00
/// An [`ExtXMap`] tag should be supplied for [`MediaSegment`]s in playlists
/// with the [`ExtXIFramesOnly`] tag when the first [`MediaSegment`] (i.e.,
/// I-frame) in the playlist (or the first segment following an
/// [`ExtXDiscontinuity`] tag) does not immediately follow the Media
/// Initialization Section at the beginning of its resource.
///
/// If the Media Initialization Section declared by an [`ExtXMap`] tag is
/// encrypted with [`EncryptionMethod::Aes128`], the IV attribute of
/// the [`ExtXKey`] tag that applies to the [`ExtXMap`] is required.
///
/// [Media Initialization Section]: https://tools.ietf.org/html/rfc8216#section-3
2019-10-06 14:39:18 +00:00
/// [`MediaSegment`]: crate::MediaSegment
2020-03-17 15:13:38 +00:00
/// [`ExtXIFramesOnly`]: crate::tags::ExtXIFramesOnly
/// [`ExtXDiscontinuity`]: crate::tags::ExtXDiscontinuity
/// [`EncryptionMethod::Aes128`]: crate::types::EncryptionMethod::Aes128
/// [`MediaPlaylist`]: crate::MediaPlaylist
2020-02-02 12:38:11 +00:00
#[derive(ShortHand, Debug, Clone, PartialEq, Eq, Hash, PartialOrd, Ord)]
#[shorthand(enable(must_use, into))]
pub struct ExtXMap<'a> {
2020-02-02 12:38:11 +00:00
/// The `URI` that identifies a resource, that contains the media
/// initialization section.
uri: Cow<'a, str>,
2020-02-02 12:38:11 +00:00
/// The range of the media initialization section.
#[shorthand(enable(copy))]
2019-09-06 10:55:00 +00:00
range: Option<ByteRange>,
2020-02-02 12:38:11 +00:00
#[shorthand(enable(skip))]
pub(crate) keys: Vec<ExtXKey<'a>>,
2019-09-06 10:55:00 +00:00
}
impl<'a> ExtXMap<'a> {
2019-09-06 10:55:00 +00:00
pub(crate) const PREFIX: &'static str = "#EXT-X-MAP:";
2019-10-03 14:23:27 +00:00
/// Makes a new [`ExtXMap`] tag.
2019-10-06 14:39:18 +00:00
///
/// # Example
2020-02-02 12:38:11 +00:00
///
2019-10-06 14:39:18 +00:00
/// ```
/// # use hls_m3u8::tags::ExtXMap;
/// let map = ExtXMap::new("https://prod.mediaspace.com/init.bin");
/// ```
#[must_use]
pub fn new<T: Into<Cow<'a, str>>>(uri: T) -> Self {
2019-10-04 09:02:21 +00:00
Self {
2020-02-10 12:21:48 +00:00
uri: uri.into(),
2019-09-08 09:30:52 +00:00
range: None,
2019-10-04 09:02:21 +00:00
keys: vec![],
2019-09-08 09:30:52 +00:00
}
2019-09-06 10:55:00 +00:00
}
2019-10-03 14:23:27 +00:00
/// Makes a new [`ExtXMap`] tag with the given range.
2019-10-06 14:39:18 +00:00
///
/// # Example
2020-02-02 12:38:11 +00:00
///
2019-10-06 14:39:18 +00:00
/// ```
/// # use hls_m3u8::tags::ExtXMap;
/// use hls_m3u8::types::ByteRange;
///
/// let map = ExtXMap::with_range("https://prod.mediaspace.com/init.bin", 2..11);
2019-10-06 14:39:18 +00:00
/// ```
#[must_use]
pub fn with_range<I: Into<Cow<'a, str>>, B: Into<ByteRange>>(uri: I, range: B) -> Self {
2019-10-04 09:02:21 +00:00
Self {
2020-02-10 12:21:48 +00:00
uri: uri.into(),
range: Some(range.into()),
2019-10-04 09:02:21 +00:00
keys: vec![],
2019-09-06 10:55:00 +00:00
}
}
/// Makes the struct independent of its lifetime, by taking ownership of all
/// internal [`Cow`]s.
///
/// # Note
///
/// This is a relatively expensive operation.
#[must_use]
pub fn into_owned(self) -> ExtXMap<'static> {
ExtXMap {
uri: Cow::Owned(self.uri.into_owned()),
range: self.range,
2020-08-11 09:13:14 +00:00
keys: self.keys.into_iter().map(ExtXKey::into_owned).collect(),
}
}
2019-09-22 08:57:28 +00:00
}
2019-09-06 10:55:00 +00:00
impl<'a> Decryptable<'a> for ExtXMap<'a> {
fn keys(&self) -> Vec<&DecryptionKey<'a>> {
//
self.keys.iter().filter_map(ExtXKey::as_ref).collect()
}
2019-10-04 09:02:21 +00:00
}
2020-03-17 15:13:38 +00:00
/// Use of the [`ExtXMap`] tag in a [`MediaPlaylist`] that contains the
/// [`ExtXIFramesOnly`] tag requires [`ProtocolVersion::V5`] or
/// greater. Use of the [`ExtXMap`] tag in a [`MediaPlaylist`] that does not
/// contain the [`ExtXIFramesOnly`] tag requires [`ProtocolVersion::V6`] or
/// greater.
///
/// [`ExtXIFramesOnly`]: crate::tags::ExtXIFramesOnly
/// [`MediaPlaylist`]: crate::MediaPlaylist
impl<'a> RequiredVersion for ExtXMap<'a> {
2019-10-06 15:30:24 +00:00
// this should return ProtocolVersion::V5, if it does not contain an
// EXT-X-I-FRAMES-ONLY!
// http://alexzambelli.com/blog/2016/05/04/understanding-hls-versions-and-client-compatibility/
2019-10-03 15:01:15 +00:00
fn required_version(&self) -> ProtocolVersion { ProtocolVersion::V6 }
2019-10-06 15:30:24 +00:00
fn introduced_version(&self) -> ProtocolVersion { ProtocolVersion::V5 }
2019-09-06 10:55:00 +00:00
}
impl<'a> fmt::Display for ExtXMap<'a> {
2020-04-09 06:43:13 +00:00
fn fmt(&self, f: &mut fmt::Formatter<'_>) -> fmt::Result {
2019-09-06 10:55:00 +00:00
write!(f, "{}", Self::PREFIX)?;
2019-09-08 09:30:52 +00:00
write!(f, "URI={}", quote(&self.uri))?;
2019-10-04 09:02:21 +00:00
2019-09-14 19:42:06 +00:00
if let Some(value) = &self.range {
write!(f, ",BYTERANGE={}", quote(value))?;
2019-09-06 10:55:00 +00:00
}
2019-10-04 09:02:21 +00:00
2019-09-06 10:55:00 +00:00
Ok(())
}
}
impl<'a> TryFrom<&'a str> for ExtXMap<'a> {
type Error = Error;
2019-09-08 10:23:33 +00:00
fn try_from(input: &'a str) -> Result<Self, Self::Error> {
2019-09-13 14:06:52 +00:00
let input = tag(input, Self::PREFIX)?;
2019-09-06 10:55:00 +00:00
let mut uri = None;
let mut range = None;
2019-09-14 09:31:16 +00:00
for (key, value) in AttributePairs::new(input) {
match key {
2019-09-08 09:30:52 +00:00
"URI" => uri = Some(unquote(value)),
2019-09-06 10:55:00 +00:00
"BYTERANGE" => {
range = Some(unquote(value).try_into()?);
2019-09-06 10:55:00 +00:00
}
_ => {
// [6.3.1. General Client Responsibilities]
2019-10-03 15:01:15 +00:00
// > ignore any attribute/value pair with an unrecognized
// AttributeName.
2019-09-06 10:55:00 +00:00
}
}
}
2020-02-24 15:45:10 +00:00
let uri = uri.ok_or_else(|| Error::missing_value("URI"))?;
2019-10-04 09:02:21 +00:00
Ok(Self {
uri,
range,
keys: vec![],
})
2019-09-06 10:55:00 +00:00
}
}
#[cfg(test)]
mod test {
use super::*;
use pretty_assertions::assert_eq;
2019-09-06 10:55:00 +00:00
#[test]
2019-09-22 08:57:28 +00:00
fn test_display() {
assert_eq!(
ExtXMap::new("foo").to_string(),
"#EXT-X-MAP:URI=\"foo\"".to_string(),
);
assert_eq!(
ExtXMap::with_range("foo", ByteRange::from(2..11)).to_string(),
2019-09-22 08:57:28 +00:00
"#EXT-X-MAP:URI=\"foo\",BYTERANGE=\"9@2\"".to_string(),
);
}
#[test]
fn test_parser() {
assert_eq!(
ExtXMap::new("foo"),
ExtXMap::try_from("#EXT-X-MAP:URI=\"foo\"").unwrap()
2019-09-22 08:57:28 +00:00
);
assert_eq!(
ExtXMap::with_range("foo", ByteRange::from(2..11)),
ExtXMap::try_from("#EXT-X-MAP:URI=\"foo\",BYTERANGE=\"9@2\"").unwrap()
2019-09-22 08:57:28 +00:00
);
2019-10-06 14:39:18 +00:00
assert_eq!(
ExtXMap::with_range("foo", ByteRange::from(2..11)),
ExtXMap::try_from("#EXT-X-MAP:URI=\"foo\",BYTERANGE=\"9@2\",UNKNOWN=IGNORED").unwrap()
2019-10-06 14:39:18 +00:00
);
2019-09-22 08:57:28 +00:00
}
#[test]
fn test_required_version() {
assert_eq!(ExtXMap::new("foo").required_version(), ProtocolVersion::V6);
assert_eq!(
ExtXMap::with_range("foo", ByteRange::from(2..11)).required_version(),
2019-09-22 08:57:28 +00:00
ProtocolVersion::V6
);
2019-09-06 10:55:00 +00:00
}
2019-10-06 14:39:18 +00:00
#[test]
fn test_decryptable() {
assert_eq!(ExtXMap::new("foo").keys(), Vec::<&DecryptionKey<'_>>::new());
2019-10-06 14:39:18 +00:00
}
2019-09-06 10:55:00 +00:00
}