import AVFoundation import Foundation import Siesta import SwiftyJSON final class PipedAPI: Service, ObservableObject, VideosAPI { static var authorizedEndpoints = ["subscriptions", "subscribe", "unsubscribe"] @Published var account: Account! init(account: Account? = nil) { super.init() guard account != nil else { return } setAccount(account!) } func setAccount(_ account: Account) { self.account = account configure() } func configure() { invalidateConfiguration() configure { $0.pipeline[.parsing].add(SwiftyJSONTransformer, contentTypes: ["*/json"]) } configure(whenURLMatches: { url in self.needsAuthorization(url) }) { $0.headers["Authorization"] = self.account.token } configureTransformer(pathPattern("channel/*")) { (content: Entity) -> Channel? in self.extractChannel(from: content.json) } configureTransformer(pathPattern("playlists/*")) { (content: Entity) -> ChannelPlaylist? in self.extractChannelPlaylist(from: content.json) } configureTransformer(pathPattern("streams/*")) { (content: Entity) -> Video? in self.extractVideo(from: content.json) } configureTransformer(pathPattern("trending")) { (content: Entity) -> [Video] in self.extractVideos(from: content.json) } configureTransformer(pathPattern("search")) { (content: Entity) -> SearchPage in let nextPage = content.json.dictionaryValue["nextpage"]?.stringValue return SearchPage( results: self.extractContentItems(from: content.json.dictionaryValue["items"]!), nextPage: nextPage, last: nextPage == "null" ) } configureTransformer(pathPattern("suggestions")) { (content: Entity) -> [String] in content.json.arrayValue.map(String.init) } configureTransformer(pathPattern("subscriptions")) { (content: Entity) -> [Channel] in content.json.arrayValue.map { self.extractChannel(from: $0)! } } configureTransformer(pathPattern("feed")) { (content: Entity) -> [Video] in content.json.arrayValue.map { self.extractVideo(from: $0)! } } configureTransformer(pathPattern("comments/*")) { (content: Entity) -> CommentsPage in let details = content.json.dictionaryValue let comments = details["comments"]?.arrayValue.map { self.extractComment(from: $0)! } ?? [] let nextPage = details["nextpage"]?.stringValue let disabled = details["disabled"]?.boolValue ?? false return CommentsPage(comments: comments, nextPage: nextPage, disabled: disabled) } if account.token.isNil { updateToken() } } func needsAuthorization(_ url: URL) -> Bool { Self.authorizedEndpoints.contains { url.absoluteString.contains($0) } } func updateToken() { guard !account.anonymous else { return } account.token = nil login.request( .post, json: ["username": account.username, "password": account.password] ) .onSuccess { response in self.account.token = response.json.dictionaryValue["token"]?.string ?? "" self.configure() } } var login: Resource { resource(baseURL: account.url, path: "login") } func channel(_ id: String) -> Resource { resource(baseURL: account.url, path: "channel/\(id)") } func channelVideos(_ id: String) -> Resource { channel(id) } func channelPlaylist(_ id: String) -> Resource? { resource(baseURL: account.url, path: "playlists/\(id)") } func trending(country: Country, category _: TrendingCategory? = nil) -> Resource { resource(baseURL: account.instance.apiURL, path: "trending") .withParam("region", country.rawValue) } func search(_ query: SearchQuery, page: String?) -> Resource { let path = page.isNil ? "search" : "nextpage/search" let resource = resource(baseURL: account.instance.apiURL, path: path) .withParam("q", query.query) .withParam("filter", "all") if page.isNil { return resource } return resource.withParam("nextpage", page) } func searchSuggestions(query: String) -> Resource { resource(baseURL: account.instance.apiURL, path: "suggestions") .withParam("query", query.lowercased()) } func video(_ id: Video.ID) -> Resource { resource(baseURL: account.instance.apiURL, path: "streams/\(id)") } var signedIn: Bool { !account.anonymous && !(account.token?.isEmpty ?? true) } var subscriptions: Resource? { resource(baseURL: account.instance.apiURL, path: "subscriptions") } var feed: Resource? { resource(baseURL: account.instance.apiURL, path: "feed") .withParam("authToken", account.token) } var home: Resource? { nil } var popular: Resource? { nil } var playlists: Resource? { nil } func subscribe(_ channelID: String, onCompletion: @escaping () -> Void = {}) { resource(baseURL: account.instance.apiURL, path: "subscribe") .request(.post, json: ["channelId": channelID]) .onCompletion { _ in onCompletion() } } func unsubscribe(_ channelID: String, onCompletion: @escaping () -> Void = {}) { resource(baseURL: account.instance.apiURL, path: "unsubscribe") .request(.post, json: ["channelId": channelID]) .onCompletion { _ in onCompletion() } } func playlist(_: String) -> Resource? { nil } func playlistVideo(_: String, _: String) -> Resource? { nil } func playlistVideos(_: String) -> Resource? { nil } func comments(_ id: Video.ID, page: String?) -> Resource? { let path = page.isNil ? "comments/\(id)" : "nextpage/comments/\(id)" let resource = resource(baseURL: account.url, path: path) if page.isNil { return resource } return resource.withParam("nextpage", page) } private func pathPattern(_ path: String) -> String { "**\(path)" } private func extractContentItem(from content: JSON) -> ContentItem? { let details = content.dictionaryValue let url: String! = details["url"]?.string let contentType: ContentItem.ContentType if !url.isNil { if url.contains("/playlist") { contentType = .playlist } else if url.contains("/channel") { contentType = .channel } else { contentType = .video } } else { contentType = .video } switch contentType { case .video: if let video = extractVideo(from: content) { return ContentItem(video: video) } case .playlist: if let playlist = extractChannelPlaylist(from: content) { return ContentItem(playlist: playlist) } case .channel: if let channel = extractChannel(from: content) { return ContentItem(channel: channel) } } return nil } private func extractContentItems(from content: JSON) -> [ContentItem] { content.arrayValue.compactMap { extractContentItem(from: $0) } } private func extractChannel(from content: JSON) -> Channel? { let attributes = content.dictionaryValue guard let id = attributes["id"]?.stringValue ?? (attributes["url"] ?? attributes["uploaderUrl"])?.stringValue.components(separatedBy: "/").last else { return nil } let subscriptionsCount = attributes["subscriberCount"]?.intValue ?? attributes["subscribers"]?.intValue var videos = [Video]() if let relatedStreams = attributes["relatedStreams"] { videos = extractVideos(from: relatedStreams) } let name = attributes["name"]?.stringValue ?? attributes["uploaderName"]?.stringValue ?? attributes["uploader"]?.stringValue ?? "" let thumbnailURL = attributes["avatarUrl"]?.url ?? attributes["uploaderAvatar"]?.url ?? attributes["avatar"]?.url ?? attributes["thumbnail"]?.url return Channel( id: id, name: name, thumbnailURL: thumbnailURL, subscriptionsCount: subscriptionsCount, videos: videos ) } func extractChannelPlaylist(from json: JSON) -> ChannelPlaylist? { let details = json.dictionaryValue let id = details["url"]?.stringValue.components(separatedBy: "?list=").last ?? UUID().uuidString let thumbnailURL = details["thumbnail"]?.url ?? details["thumbnailUrl"]?.url var videos = [Video]() if let relatedStreams = details["relatedStreams"] { videos = extractVideos(from: relatedStreams) } return ChannelPlaylist( id: id, title: details["name"]!.stringValue, thumbnailURL: thumbnailURL, channel: extractChannel(from: json)!, videos: videos, videosCount: details["videos"]?.int ) } private func extractVideo(from content: JSON) -> Video? { let details = content.dictionaryValue let url = details["url"]?.string if !url.isNil { guard url!.contains("/watch") else { return nil } } let channelId = details["uploaderUrl"]!.stringValue.components(separatedBy: "/").last! let thumbnails: [Thumbnail] = Thumbnail.Quality.allCases.compactMap { if let url = buildThumbnailURL(from: content, quality: $0) { return Thumbnail(url: url, quality: $0) } return nil } let author = details["uploaderName"]?.stringValue ?? details["uploader"]!.stringValue let authorThumbnailURL = details["avatarUrl"]?.url ?? details["uploaderAvatar"]?.url ?? details["avatar"]?.url let published = (details["uploadedDate"] ?? details["uploadDate"])?.stringValue ?? (details["uploaded"]!.double! / 1000).formattedAsRelativeTime()! let live = details["livestream"]?.boolValue ?? (details["duration"]?.intValue == -1) return Video( videoID: extractID(from: content), title: details["title"]!.stringValue, author: author, length: details["duration"]!.doubleValue, published: published, views: details["views"]!.intValue, description: extractDescription(from: content), channel: Channel(id: channelId, name: author, thumbnailURL: authorThumbnailURL), thumbnails: thumbnails, live: live, likes: details["likes"]?.int, dislikes: details["dislikes"]?.int, streams: extractStreams(from: content), related: extractRelated(from: content) ) } private func extractID(from content: JSON) -> Video.ID { content.dictionaryValue["url"]?.stringValue.components(separatedBy: "?v=").last ?? extractThumbnailURL(from: content)!.relativeString.components(separatedBy: "/")[4] } private func extractThumbnailURL(from content: JSON) -> URL? { content.dictionaryValue["thumbnail"]?.url! ?? content.dictionaryValue["thumbnailUrl"]!.url! } private func buildThumbnailURL(from content: JSON, quality: Thumbnail.Quality) -> URL? { let thumbnailURL = extractThumbnailURL(from: content) guard !thumbnailURL.isNil else { return nil } return URL(string: thumbnailURL! .absoluteString .replacingOccurrences(of: "hqdefault", with: quality.filename) .replacingOccurrences(of: "maxresdefault", with: quality.filename) )! } private func extractDescription(from content: JSON) -> String? { guard var description = content.dictionaryValue["description"]?.string else { return nil } description = description.replacingOccurrences( of: "
|
|
", with: "\n", options: .regularExpression, range: nil ) description = description.replacingOccurrences( of: "<[^>]+>", with: "", options: .regularExpression, range: nil ) return description } private func extractVideos(from content: JSON) -> [Video] { content.arrayValue.compactMap(extractVideo(from:)) } private func extractStreams(from content: JSON) -> [Stream] { var streams = [Stream]() if let hlsURL = content.dictionaryValue["hls"]?.url { streams.append(Stream(hlsURL: hlsURL)) } guard let audioStream = compatibleAudioStreams(from: content).first else { return streams } let videoStreams = compatibleVideoStream(from: content) videoStreams.forEach { videoStream in let audioAsset = AVURLAsset(url: audioStream.dictionaryValue["url"]!.url!) let videoAsset = AVURLAsset(url: videoStream.dictionaryValue["url"]!.url!) let videoOnly = videoStream.dictionaryValue["videoOnly"]?.boolValue ?? true let resolution = Stream.Resolution.from(resolution: videoStream.dictionaryValue["quality"]!.stringValue) if videoOnly { streams.append( Stream(audioAsset: audioAsset, videoAsset: videoAsset, resolution: resolution, kind: .adaptive) ) } else { streams.append( SingleAssetStream(avAsset: videoAsset, resolution: resolution, kind: .stream) ) } } return streams } private func extractRelated(from content: JSON) -> [Video] { content .dictionaryValue["relatedStreams"]? .arrayValue .compactMap(extractVideo(from:)) ?? [] } private func compatibleAudioStreams(from content: JSON) -> [JSON] { content .dictionaryValue["audioStreams"]? .arrayValue .filter { $0.dictionaryValue["format"]?.stringValue == "M4A" } .sorted { $0.dictionaryValue["bitrate"]?.intValue ?? 0 > $1.dictionaryValue["bitrate"]?.intValue ?? 0 } ?? [] } private func compatibleVideoStream(from content: JSON) -> [JSON] { content .dictionaryValue["videoStreams"]? .arrayValue .filter { $0.dictionaryValue["format"] == "MPEG_4" } ?? [] } private func extractComment(from content: JSON) -> Comment? { let details = content.dictionaryValue let author = details["author"]?.stringValue ?? "" let commentorUrl = details["commentorUrl"]?.stringValue let channelId = commentorUrl?.components(separatedBy: "/")[2] ?? "" return Comment( id: details["commentId"]?.stringValue ?? UUID().uuidString, author: author, authorAvatarURL: details["thumbnail"]?.stringValue ?? "", time: details["commentedTime"]?.stringValue ?? "", pinned: details["pinned"]?.boolValue ?? false, hearted: details["hearted"]?.boolValue ?? false, likeCount: details["likeCount"]?.intValue ?? 0, text: details["commentText"]?.stringValue ?? "", repliesPage: details["repliesPage"]?.stringValue, channel: Channel(id: channelId, name: author) ) } }