1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
30
31
32
33
34
35
36
37
38
39
40
41
42
43
44
45
46
47
48
49
50
51
52
53
54
55
56
57
58
59
60
61
62
63
64
65
66
67
68
69
70
71
72
73
74
75
76
77
78
79
80
81
82
83
84
85
86
87
88
89
90
91
92
93
94
95
96
97
98
99
100
101
102
103
104
105
106
107
108
109
110
111
112
113
114
115
116
117
118
119
120
121
122
123
124
125
126
127
128
129
130
131
132
133
134
135
136
137
138
139
140
141
142
143
144
145
146
147
148
149
150
151
152
153
154
155
156
157
158
159
160
161
162
163
164
165
166
167
168
169
170
171
172
173
174
175
176
177
178
179
180
181
182
183
184
185
186
187
188
189
190
191
192
193
194
195
196
197
198
199
200
201
202
203
204
205
206
207
208
209
210
211
212
213
214
215
216
217
218
219
220
221
222
223
224
225
226
227
228
229
230
231
232
233
234
235
236
237
238
239
240
241
242
243
244
245
246
247
248
249
250
251
252
253
254
255
256
257
258
259
260
261
262
263
264
265
266
267
268
269
270
271
272
273
274
275
276
277
278
279
280
281
282
283
284
285
286
287
288
289
290
291
292
293
294
295
296
297
298
299
300
301
302
303
304
305
306
307
308
309
310
311
312
313
314
315
316
317
318
319
320
321
322
323
324
325
326
327
328
329
330
331
332
333
334
335
336
337
338
339
340
341
342
343
344
345
346
347
348
349
350
351
352
353
354
355
356
357
358
359
360
361
362
363
364
365
366
367
368
369
370
371
372
373
374
375
376
377
378
379
380
381
382
383
384
385
386
387
388
389
390
391
392
393
394
395
396
397
398
399
400
401
402
403
404
405
406
407
408
409
410
411
412
413
414
415
416
417
418
419
420
421
422
423
424
425
426
427
428
429
430
431
432
433
434
435
436
437
438
439
440
441
442
443
444
445
446
447
448
449
450
451
452
453
454
455
456
457
458
459
460
461
462
463
464
465
466
467
468
469
470
471
472
473
474
475
476
477
478
479
480
481
482
483
484
485
486
487
488
489
490
491
492
493
494
495
496
497
498
499
500
501
502
503
504
505
506
507
508
509
510
511
512
513
514
515
516
517
518
519
520
521
522
523
524
525
526
527
528
529
530
531
532
533
534
535
536
537
538
539
540
541
542
543
544
545
546
547
548
549
550
551
552
553
554
555
556
557
558
559
560
561
562
563
564
565
566
567
568
569
570
571
572
573
574
575
576
577
578
579
580
581
582
583
584
585
586
587
588
589
590
591
592
593
594
595
596
597
598
599
600
601
602
603
604
605
606
607
608
609
610
611
612
613
614
615
616
617
618
619
620
621
622
623
624
625
626
627
628
629
630
631
632
633
634
635
636
637
638
639
640
641
642
643
644
645
646
647
648
649
650
651
652
653
654
655
656
657
658
659
660
661
662
663
664
665
666
667
668
669
670
671
672
673
674
675
676
677
678
679
680
681
682
683
684
685
686
687
688
689
690
691
692
693
694
695
696
697
698
699
700
701
702
703
704
705
706
707
708
709
710
711
712
713
714
715
716
717
718
719
720
721
722
723
724
725
726
727
728
729
730
731
732
733
734
735
736
737
738
739
740
741
742
743
744
745
746
747
748
749
750
751
752
753
754
755
756
757
758
759
760
761
762
763
764
765
766
767
768
769
770
771
772
773
774
775
776
777
778
779
780
781
782
783
784
785
786
787
788
789
790
791
792
793
794
795
796
797
798
799
800
801
802
803
804
805
806
807
808
809
810
811
812
813
814
815
816
817
818
819
820
821
822
823
824
825
826
827
828
829
830
831
832
833
834
835
836
837
838
839
840
841
842
843
844
845
846
847
848
849
850
851
852
853
854
855
856
857
858
859
860
861
862
863
864
865
866
867
868
869
870
871
872
873
874
875
876
877
878
879
880
881
882
883
884
885
use std::{marker::PhantomData, ops::RangeBounds};

use enum_dispatch::enum_dispatch;
use futures::AsyncWrite;
use http::StatusCode;
use isahc::AsyncReadResponseExt;

use crate::{
    media_container::{
        server::library::{
            CollectionMetadataSubtype, LibraryType, Media as MediaMetadata, Metadata,
            MetadataMediaContainer, MetadataType, Part as PartMetadata, PlaylistMetadataType,
            Protocol, SearchType, ServerLibrary,
        },
        MediaContainerWrapper,
    },
    transcode::{MusicTranscodeOptions, TranscodeSession, VideoTranscodeOptions},
    Error, HttpClient, Result,
};

use super::transcode::{create_transcode_session, Context, TranscodeOptions};

pub trait FromMetadata {
    /// Creates an item given the http configuration and item metadata. No
    /// validation is performed that the metadata is correct.
    fn from_metadata(client: HttpClient, metadata: Metadata) -> Self;
}

/// Implements MetadataItem for the given struct which must only contain `client`
/// and `metadata` fields.
macro_rules! derive_from_metadata {
    ($typ:ident) => {
        impl FromMetadata for $typ {
            fn from_metadata(client: HttpClient, metadata: Metadata) -> Self {
                Self { client, metadata }
            }
        }
    };
}

/// Functionality shared across different items types in the Plex library.
#[enum_dispatch]
pub trait MetadataItem {
    /// Returns the Plex metadata for this item.
    fn metadata(&self) -> &Metadata;
    /// Returns the http client for this item.
    fn client(&self) -> &HttpClient;

    /// Returns the rating key for this item.
    ///
    /// This can be used to re-retrieve the item at a later time through the
    /// Server::item_by_id function.
    fn rating_key(&self) -> &str {
        self.metadata().rating_key.as_str()
    }

    /// Returns the title of this item.
    fn title(&self) -> &str {
        &self.metadata().title
    }
}

/// Implements MetadataItem for the given struct which must contain `client`
/// and `metadata` fields.
macro_rules! derive_metadata_item {
    ($typ:ident) => {
        impl MetadataItem for $typ {
            fn metadata(&self) -> &Metadata {
                &self.metadata
            }

            fn client(&self) -> &HttpClient {
                &self.client
            }
        }
    };
    ($typ:ident<$gen:ident>) => {
        impl<$gen> MetadataItem for $typ<$gen> {
            fn metadata(&self) -> &Metadata {
                &self.metadata
            }

            fn client(&self) -> &HttpClient {
                &self.client
            }
        }
    };
}

/// Retrieves a list of metadata items given the lookup key.
#[tracing::instrument(level = "trace", skip(client))]
pub(crate) async fn metadata_items<T>(client: &HttpClient, path: &str) -> Result<Vec<T>>
where
    T: FromMetadata,
{
    let wrapper: MediaContainerWrapper<MetadataMediaContainer> = client.get(path).json().await?;

    let media = wrapper
        .media_container
        .metadata
        .into_iter()
        .map(|metadata| {
            T::from_metadata(
                client.clone(),
                Metadata {
                    library_section_id: metadata
                        .library_section_id
                        .or(wrapper.media_container.library_section_id),
                    library_section_title: metadata
                        .library_section_title
                        .or(wrapper.media_container.library_section_title.clone()),
                    ..metadata
                },
            )
        })
        .collect();
    Ok(media)
}

/// Attempts to retrieve the parent of this item.
#[tracing::instrument(level = "trace", skip_all, fields(item.rating_key = item.rating_key()))]
async fn parent<T, P>(item: &T, client: &HttpClient) -> Result<Option<P>>
where
    T: MetadataItem,
    P: FromMetadata,
{
    if let Some(ref parent_key) = item.metadata().parent.parent_key {
        Ok(metadata_items(client, parent_key).await?.into_iter().next())
    } else {
        Ok(None)
    }
}

/// Retrieves the metadata items from a pivot from a library.
#[tracing::instrument(level = "trace", skip(client, directory), fields(directory.key = directory.key))]
async fn pivot_items<M>(
    client: &HttpClient,
    directory: &ServerLibrary,
    context: &str,
) -> Result<Vec<M>>
where
    M: FromMetadata,
{
    if let Some(pivot) = directory.pivots.iter().find(|p| p.context == context) {
        metadata_items(client, &pivot.key).await
    } else {
        Ok(Vec::new())
    }
}

/// A single media format for a `MediaItem`.
#[derive(Debug, Clone)]
pub struct Media<'a, M: MediaItem> {
    _options: PhantomData<M>,
    client: &'a HttpClient,
    media_index: usize,
    media: &'a MediaMetadata,
    parent_metadata: &'a Metadata,
}

impl<'a, M: MediaItem> Media<'a, M> {
    /// The different parts that make up this media. They should be played in
    /// order.
    pub fn parts(&self) -> Vec<Part<M>> {
        self.media
            .parts
            .iter()
            .enumerate()
            .map(|(index, part)| Part {
                _options: self._options,
                client: self.client,
                media_index: self.media_index,
                part_index: index,
                parent_metadata: self.parent_metadata,
                part,
            })
            .collect()
    }

    /// The internal metadata for the media.
    pub fn metadata(&self) -> &MediaMetadata {
        self.media
    }
}

/// One part of a `Media`.
#[derive(Debug, Clone)]
pub struct Part<'a, M: MediaItem> {
    _options: PhantomData<M>,
    pub(crate) client: &'a HttpClient,
    pub media_index: usize,
    pub part_index: usize,
    part: &'a PartMetadata,
    parent_metadata: &'a Metadata,
}

impl<'a, M: MediaItem> Part<'a, M> {
    /// The length of this file on disk in bytes.
    #[allow(clippy::len_without_is_empty)]
    pub fn len(&self) -> Option<u64> {
        self.part.size
    }

    /// Downloads the original media file for this part writing the data into
    /// the provided writer. A range of bytes within the file can be requested
    /// allowing for resumable transfers.
    ///
    /// Configured timeout value will be ignored during downloading.
    #[tracing::instrument(level = "debug", skip_all)]
    pub async fn download<W, R>(&self, writer: W, range: R) -> Result
    where
        W: AsyncWrite + Unpin,
        R: RangeBounds<u64>,
    {
        let path = format!("{}?download=1", self.part.key.as_ref().unwrap());

        let start = match range.start_bound() {
            std::ops::Bound::Included(v) => *v,
            std::ops::Bound::Excluded(v) => v + 1,
            std::ops::Bound::Unbounded => 0,
        };

        let end = match range.end_bound() {
            std::ops::Bound::Included(v) => Some(*v),
            std::ops::Bound::Excluded(v) => Some(v - 1),
            std::ops::Bound::Unbounded => None,
        };

        let mut builder = self.client.get(path).timeout(None);
        if start != 0 || (end.is_some() && end != self.part.size) {
            // We're requesting part of the file.
            let end = end.map(|v| v.to_string()).unwrap_or_default();
            builder = builder.header("Range", format!("bytes={start}-{end}"))
        }

        let mut response = builder.send().await?;
        match response.status() {
            StatusCode::OK | StatusCode::PARTIAL_CONTENT => {
                response.copy_to(writer).await?;
                Ok(())
            }
            _ => Err(crate::Error::from_response(response).await),
        }
    }

    /// The internal metadata for the media.
    pub fn metadata(&self) -> &PartMetadata {
        self.part
    }
}

impl<'a, M: MediaItemWithTranscoding> Part<'a, M> {
    /// Starts an offline transcode using the provided options.
    ///
    /// The server may refuse to transcode if the options suggest that the
    /// original media file can be played back directly.
    ///
    /// Can't be called on media other than Movie, Episode or Track.
    #[tracing::instrument(level = "debug", skip_all)]
    pub async fn create_download_session(&self, options: M::Options) -> Result<TranscodeSession> {
        create_transcode_session(
            self.parent_metadata,
            self,
            Context::Static,
            Protocol::Http,
            options,
        )
        .await
    }

    /// Starts a streaming transcode using of the given media part using the
    /// streaming protocol and provided options.
    ///
    /// Can't be called on media other than Movie, Episode or Track.
    #[tracing::instrument(level = "debug", skip_all)]
    pub async fn create_streaming_session(
        &self,
        protocol: Protocol,
        options: M::Options,
    ) -> Result<TranscodeSession> {
        create_transcode_session(
            self.parent_metadata,
            self,
            Context::Streaming,
            protocol,
            options,
        )
        .await
    }
}

/// Represents some playable media. In Plex each playable item can be available
/// in a number of different formats which in turn can be made up of a number of
/// different parts.
pub trait MediaItem: MetadataItem + Sized {
    /// The different media formats that this item is available in.
    fn media(&self) -> Vec<Media<Self>> {
        let metadata = self.metadata();
        if let Some(ref media) = metadata.media {
            media
                .iter()
                .enumerate()
                .map(|(index, media)| Media {
                    _options: PhantomData,
                    client: self.client(),
                    media_index: index,
                    parent_metadata: metadata,
                    media,
                })
                .collect()
        } else {
            Vec::new()
        }
    }
}

pub trait MediaItemWithTranscoding: MediaItem {
    type Options: TranscodeOptions;
}

/// A video that can be included in a video playlist.
#[enum_dispatch(MetadataItem)]
#[derive(Debug, Clone)]
pub enum Video {
    Movie,
    Episode,
}

impl FromMetadata for Video {
    fn from_metadata(client: HttpClient, metadata: Metadata) -> Self {
        if let Some(MetadataType::Episode) = metadata.metadata_type {
            Episode::from_metadata(client, metadata).into()
        } else {
            Movie::from_metadata(client, metadata).into()
        }
    }
}

impl MediaItem for Video {}
impl MediaItemWithTranscoding for Video {
    type Options = VideoTranscodeOptions;
}

#[derive(Debug, Clone)]
pub struct Playlist<M> {
    _items: PhantomData<M>,
    client: HttpClient,
    metadata: Metadata,
}

impl<M> FromMetadata for Playlist<M> {
    fn from_metadata(client: HttpClient, metadata: Metadata) -> Self {
        Self {
            _items: PhantomData,
            client,
            metadata,
        }
    }
}

derive_metadata_item!(Playlist<M>);

impl<M> Playlist<M>
where
    M: FromMetadata,
{
    #[tracing::instrument(level = "debug", skip_all)]
    pub async fn children(&self) -> Result<Vec<M>> {
        metadata_items(&self.client, &self.metadata.key).await
    }
}

#[derive(Debug, Clone)]
pub struct Collection<M> {
    _items: PhantomData<M>,
    client: HttpClient,
    metadata: Metadata,
}

impl<M> FromMetadata for Collection<M> {
    fn from_metadata(client: HttpClient, metadata: Metadata) -> Self {
        Self {
            _items: PhantomData,
            client,
            metadata,
        }
    }
}

derive_metadata_item!(Collection<M>);

impl<M> Collection<M>
where
    M: FromMetadata,
{
    #[tracing::instrument(level = "debug", skip_all)]
    pub async fn children(&self) -> Result<Vec<M>> {
        metadata_items(&self.client, &self.metadata.key).await
    }
}

#[derive(Debug, Clone)]
pub struct Movie {
    client: HttpClient,
    metadata: Metadata,
}

derive_from_metadata!(Movie);
derive_metadata_item!(Movie);

impl MediaItem for Movie {}
impl MediaItemWithTranscoding for Movie {
    type Options = VideoTranscodeOptions;
}

#[derive(Debug, Clone)]
pub struct Show {
    client: HttpClient,
    metadata: Metadata,
}

derive_from_metadata!(Show);
derive_metadata_item!(Show);

impl Show {
    /// Retrieves all of the seasons of this show.
    #[tracing::instrument(level = "debug", skip_all, fields(self.metadata.key = self.metadata.key))]
    pub async fn seasons(&self) -> Result<Vec<Season>> {
        metadata_items(&self.client, &self.metadata.key).await
    }

    /// Retrieves all of the episodes in all seasons of this show.
    #[tracing::instrument(level = "debug", skip_all, fields(self.metadata.rating_key = self.metadata.rating_key))]
    pub async fn episodes(&self) -> Result<Vec<Episode>> {
        let path = format!("/library/metadata/{}/allLeaves", self.metadata.rating_key);
        metadata_items(&self.client, &path).await
    }
}

#[derive(Debug, Clone)]
pub struct Season {
    client: HttpClient,
    metadata: Metadata,
}

derive_from_metadata!(Season);
derive_metadata_item!(Season);

impl Season {
    pub fn season_number(&self) -> Option<u32> {
        self.metadata.index
    }

    /// Retrieves all of the episodes in this season.
    #[tracing::instrument(level = "debug", skip_all, fields(self.metadata.key = self.metadata.key))]
    pub async fn episodes(&self) -> Result<Vec<Episode>> {
        metadata_items(&self.client, &self.metadata.key).await
    }

    /// Retrieves the show that this season is from.
    #[tracing::instrument(level = "debug", skip_all, fields(self.metadata.key = self.metadata.key))]
    pub async fn show(&self) -> Result<Option<Show>> {
        parent(self, &self.client).await
    }
}

#[derive(Debug, Clone)]
pub struct Episode {
    client: HttpClient,
    metadata: Metadata,
}

derive_from_metadata!(Episode);
derive_metadata_item!(Episode);

impl MediaItem for Episode {}
impl MediaItemWithTranscoding for Episode {
    type Options = VideoTranscodeOptions;
}

impl Episode {
    /// Returns the number of this season within the show.
    pub fn season_number(&self) -> Option<u32> {
        self.metadata.parent.parent_index
    }

    /// Returns the number of this episode within the season.
    pub fn episode_number(&self) -> Option<u32> {
        self.metadata.index
    }

    /// Retrieves the season that this episode is from.
    #[tracing::instrument(level = "debug", skip_all, fields(self.metadata.key = self.metadata.key))]
    pub async fn season(&self) -> Result<Option<Season>> {
        parent(self, &self.client).await
    }
}

#[derive(Debug, Clone)]
pub struct Artist {
    client: HttpClient,
    metadata: Metadata,
}

derive_from_metadata!(Artist);
derive_metadata_item!(Artist);

impl Artist {
    /// Retrieves all of the fully-featured studio albums (skipping Lives, EPs, etc.) by this artist.
    #[tracing::instrument(level = "debug", skip_all, fields(self.metadata.key = self.metadata.key))]
    pub async fn full_studio_albums(&self) -> Result<Vec<MusicAlbum>> {
        metadata_items(&self.client, &self.metadata.key).await
    }

    /// Retrieves all of the albums by this artist.
    #[tracing::instrument(level = "debug", skip_all, fields(self.metadata.key = self.metadata.key))]
    pub async fn albums(&self) -> Result<Vec<MusicAlbum>> {
        let section_id = match &self.metadata.library_section_id {
            Some(id) => id,
            None => return Err(Error::UnexpectedError),
        };

        let albums_search_path = format!(
            "/library/sections/{}/all?type={}&artist.id={}",
            section_id,
            SearchType::Album,
            self.metadata.rating_key
        );
        metadata_items(&self.client, &albums_search_path).await
    }
}

#[derive(Debug, Clone)]
pub struct MusicAlbum {
    client: HttpClient,
    metadata: Metadata,
}

derive_from_metadata!(MusicAlbum);
derive_metadata_item!(MusicAlbum);

impl MusicAlbum {
    /// Retrieves all of the tracks in this album.
    #[tracing::instrument(level = "debug", skip_all, fields(self.metadata.key = self.metadata.key))]
    pub async fn tracks(&self) -> Result<Vec<Track>> {
        metadata_items(&self.client, &self.metadata.key).await
    }

    /// Retrieves the artist for this album.
    #[tracing::instrument(level = "debug", skip_all, fields(self.metadata.key = self.metadata.key))]
    pub async fn artist(&self) -> Result<Option<Artist>> {
        parent(self, &self.client).await
    }
}

#[derive(Debug, Clone)]
pub struct Track {
    client: HttpClient,
    metadata: Metadata,
}

derive_from_metadata!(Track);
derive_metadata_item!(Track);

impl MediaItem for Track {}
impl MediaItemWithTranscoding for Track {
    type Options = MusicTranscodeOptions;
}

impl Track {
    /// Returns the number of this track within the album.
    pub fn track_number(&self) -> Option<u32> {
        self.metadata.index
    }

    /// Retrieves the album for this track.
    #[tracing::instrument(level = "debug", skip_all, fields(self.metadata.key = self.metadata.key))]
    pub async fn album(&self) -> Result<Option<MusicAlbum>> {
        parent(self, &self.client).await
    }
}

#[derive(Debug, Clone)]
pub struct Photo {
    client: HttpClient,
    metadata: Metadata,
}

derive_from_metadata!(Photo);
derive_metadata_item!(Photo);

impl MediaItem for Photo {}

impl Photo {
    /// Retrieves the album that this photo is in.
    #[tracing::instrument(level = "debug", skip_all, fields(self.metadata.key = self.metadata.key))]
    pub async fn album(&self) -> Result<Option<PhotoAlbum>> {
        parent(self, &self.client).await
    }
}

#[derive(Debug, Clone)]
pub struct PhotoAlbum {
    client: HttpClient,
    metadata: Metadata,
}

derive_from_metadata!(PhotoAlbum);
derive_metadata_item!(PhotoAlbum);

impl PhotoAlbum {
    /// Retrieves all of the albums and photos in this album.
    #[tracing::instrument(level = "debug", skip_all, fields(self.metadata.key = self.metadata.key))]
    pub async fn contents(&self) -> Result<Vec<PhotoAlbumItem>> {
        metadata_items(&self.client, &self.metadata.key).await
    }

    /// Retrieves the album that this album is in.
    #[tracing::instrument(level = "debug", skip_all, fields(self.metadata.key = self.metadata.key))]
    pub async fn album(&self) -> Result<Option<PhotoAlbum>> {
        parent(self, &self.client).await
    }
}

#[enum_dispatch(MetadataItem)]
pub enum PhotoAlbumItem {
    PhotoAlbum,
    Photo,
}

impl FromMetadata for PhotoAlbumItem {
    fn from_metadata(client: HttpClient, metadata: Metadata) -> Self {
        // This isn't a great test but there doesn't seem to be much better.
        if metadata.key.ends_with("/children") {
            PhotoAlbum::from_metadata(client, metadata).into()
        } else {
            Photo::from_metadata(client, metadata).into()
        }
    }
}

#[derive(Debug, Clone)]
pub struct Clip {
    client: HttpClient,
    metadata: Metadata,
}

derive_from_metadata!(Clip);
derive_metadata_item!(Clip);

impl MediaItem for Clip {}

#[derive(Debug, Clone)]
pub struct UnknownItem {
    client: HttpClient,
    metadata: Metadata,
}

derive_from_metadata!(UnknownItem);
derive_metadata_item!(UnknownItem);

#[enum_dispatch(MetadataItem)]
#[derive(Debug, Clone)]
pub enum Item {
    Movie,
    Episode,
    Photo,
    Show,
    Artist,
    MusicAlbum,
    Season,
    Track,
    Clip,
    MovieCollection(Collection<Movie>),
    ShowCollection(Collection<Show>),
    VideoPlaylist(Playlist<Video>),
    PhotoPlaylist(Playlist<Photo>),
    MusicPlaylist(Playlist<Track>),
    UnknownItem,
}

impl MediaItem for Item {}

impl FromMetadata for Item {
    fn from_metadata(client: HttpClient, metadata: Metadata) -> Self {
        if let Some(ref item_type) = metadata.metadata_type {
            match item_type {
                MetadataType::Movie => Movie::from_metadata(client, metadata).into(),
                MetadataType::Episode => Episode::from_metadata(client, metadata).into(),
                MetadataType::Photo => Photo::from_metadata(client, metadata).into(),
                MetadataType::Show => Show::from_metadata(client, metadata).into(),
                MetadataType::Artist => Artist::from_metadata(client, metadata).into(),
                MetadataType::MusicAlbum => MusicAlbum::from_metadata(client, metadata).into(),
                MetadataType::Season => Season::from_metadata(client, metadata).into(),
                MetadataType::Track => Track::from_metadata(client, metadata).into(),
                MetadataType::Clip(_) => Clip::from_metadata(client, metadata).into(),
                MetadataType::Collection(CollectionMetadataSubtype::Movie) => {
                    Collection::<Movie>::from_metadata(client, metadata).into()
                }
                MetadataType::Collection(CollectionMetadataSubtype::Show) => {
                    Collection::<Show>::from_metadata(client, metadata).into()
                }
                MetadataType::Playlist(PlaylistMetadataType::Video) => {
                    Playlist::<Video>::from_metadata(client, metadata).into()
                }
                MetadataType::Playlist(PlaylistMetadataType::Audio) => {
                    Playlist::<Track>::from_metadata(client, metadata).into()
                }
                MetadataType::Playlist(PlaylistMetadataType::Photo) => {
                    Playlist::<Photo>::from_metadata(client, metadata).into()
                }
                #[cfg(not(feature = "tests_deny_unknown_fields"))]
                _ => UnknownItem::from_metadata(client, metadata).into(),
            }
        } else {
            UnknownItem::from_metadata(client, metadata).into()
        }
    }
}

#[derive(Debug, Clone)]
pub struct MovieLibrary {
    client: HttpClient,
    directory: ServerLibrary,
}

impl MovieLibrary {
    /// Returns the title of this library.
    pub fn title(&self) -> &str {
        &self.directory.title
    }

    /// Retrieves all of the movies in this library.
    #[tracing::instrument(level = "debug", skip_all)]
    pub async fn movies(&self) -> Result<Vec<Movie>> {
        pivot_items(&self.client, &self.directory, "content.library").await
    }

    /// Retrieves all of the collections in this library.
    #[tracing::instrument(level = "debug", skip_all)]
    pub async fn collections(&self) -> Result<Vec<Collection<Movie>>> {
        pivot_items(&self.client, &self.directory, "content.collections").await
    }

    /// Retrieves all of the playlists containing movies from this library.
    #[tracing::instrument(level = "debug", skip_all)]
    pub async fn playlists(&self) -> Result<Vec<Playlist<Video>>> {
        pivot_items(&self.client, &self.directory, "content.playlists").await
    }
}

#[derive(Debug, Clone)]
pub struct TVLibrary {
    client: HttpClient,
    directory: ServerLibrary,
}

impl TVLibrary {
    /// Returns the title of this library.
    pub fn title(&self) -> &str {
        &self.directory.title
    }

    /// Retrieves all of the shows in this library.
    #[tracing::instrument(level = "debug", skip_all)]
    pub async fn shows(&self) -> Result<Vec<Show>> {
        pivot_items(&self.client, &self.directory, "content.library").await
    }

    /// Retrieves all of the collections in this library.
    #[tracing::instrument(level = "debug", skip_all)]
    pub async fn collections(&self) -> Result<Vec<Collection<Show>>> {
        pivot_items(&self.client, &self.directory, "content.collections").await
    }

    /// Retrieves all of the playlists containing episodes from this library.
    #[tracing::instrument(level = "debug", skip_all)]
    pub async fn playlists(&self) -> Result<Vec<Playlist<Video>>> {
        pivot_items(&self.client, &self.directory, "content.playlists").await
    }
}

#[derive(Debug, Clone)]
pub struct MusicLibrary {
    client: HttpClient,
    directory: ServerLibrary,
}

impl MusicLibrary {
    /// Returns the title of this library.
    pub fn title(&self) -> &str {
        &self.directory.title
    }

    /// Retrieves all of the artists in this library.
    #[tracing::instrument(level = "debug", skip_all)]
    pub async fn artists(&self) -> Result<Vec<Artist>> {
        pivot_items(&self.client, &self.directory, "content.library").await
    }

    /// Retrieves all of the playlists containing tracks from this library.
    #[tracing::instrument(level = "debug", skip_all)]
    pub async fn playlists(&self) -> Result<Vec<Playlist<Track>>> {
        pivot_items(&self.client, &self.directory, "content.playlists").await
    }
}

#[derive(Debug, Clone)]
pub struct PhotoLibrary {
    client: HttpClient,
    directory: ServerLibrary,
}

impl PhotoLibrary {
    /// Returns the title of this library.
    pub fn title(&self) -> &str {
        &self.directory.title
    }

    /// Retrieves all of the albums in this library.
    #[tracing::instrument(level = "debug", skip_all)]
    pub async fn albums(&self) -> Result<Vec<PhotoAlbum>> {
        pivot_items(&self.client, &self.directory, "content.library").await
    }

    /// Retrieves all of the playlists containing photos from this library.
    #[tracing::instrument(level = "debug", skip_all)]
    pub async fn playlists(&self) -> Result<Vec<Playlist<Photo>>> {
        pivot_items(&self.client, &self.directory, "content.playlists").await
    }
}

#[derive(Debug, Clone)]
pub enum Library {
    Movie(MovieLibrary),
    TV(TVLibrary),
    Music(MusicLibrary),
    Video(MovieLibrary),
    Photo(PhotoLibrary),
}

impl Library {
    pub(super) fn new(client: HttpClient, directory: ServerLibrary) -> Self {
        match directory.library_type {
            LibraryType::Movie => {
                if directory.subtype.as_deref() == Some("clip") {
                    Library::Video(MovieLibrary { client, directory })
                } else {
                    Library::Movie(MovieLibrary { client, directory })
                }
            }
            LibraryType::Show => Library::TV(TVLibrary { client, directory }),
            LibraryType::Artist => Library::Music(MusicLibrary { client, directory }),
            LibraryType::Photo => Library::Photo(PhotoLibrary { client, directory }),
            LibraryType::Mixed => todo!("Mixed library type is not supported yet"),
            LibraryType::Clip => todo!("Clip library type is not supported yet"),
            #[cfg(not(feature = "tests_deny_unknown_fields"))]
            LibraryType::Unknown => panic!("Unknown library type"),
        }
    }

    fn directory(&self) -> &ServerLibrary {
        match self {
            Self::Movie(l) => &l.directory,
            Self::TV(l) => &l.directory,
            Self::Music(l) => &l.directory,
            Self::Video(l) => &l.directory,
            Self::Photo(l) => &l.directory,
        }
    }

    /// Returns the unique ID of this library.
    pub fn id(&self) -> &str {
        &self.directory().id
    }

    /// Returns the title of this library.
    pub fn title(&self) -> &str {
        &self.directory().title
    }

    pub fn library_type(&self) -> &LibraryType {
        &self.directory().library_type
    }
}