]> git.immae.eu Git - github/Chocobozzz/PeerTube.git/blame_incremental - client/src/app/shared/shared-main/video/video.service.ts
Remove unnecessary env
[github/Chocobozzz/PeerTube.git] / client / src / app / shared / shared-main / video / video.service.ts
... / ...
CommitLineData
1import { SortMeta } from 'primeng/api'
2import { from, Observable } from 'rxjs'
3import { catchError, concatMap, map, switchMap, toArray } from 'rxjs/operators'
4import { HttpClient, HttpParams, HttpRequest } from '@angular/common/http'
5import { Injectable } from '@angular/core'
6import { ComponentPaginationLight, RestExtractor, RestPagination, RestService, ServerService, UserService } from '@app/core'
7import { objectToFormData } from '@app/helpers'
8import {
9 BooleanBothQuery,
10 FeedFormat,
11 NSFWPolicyType,
12 ResultList,
13 UserVideoRate,
14 UserVideoRateType,
15 UserVideoRateUpdate,
16 Video as VideoServerModel,
17 VideoChannel as VideoChannelServerModel,
18 VideoConstant,
19 VideoDetails as VideoDetailsServerModel,
20 VideoFileMetadata,
21 VideoInclude,
22 VideoPrivacy,
23 VideoSortField,
24 VideoUpdate
25} from '@shared/models'
26import { environment } from '../../../../environments/environment'
27import { Account } from '../account/account.model'
28import { AccountService } from '../account/account.service'
29import { VideoChannel, VideoChannelService } from '../video-channel'
30import { VideoDetails } from './video-details.model'
31import { VideoEdit } from './video-edit.model'
32import { Video } from './video.model'
33
34export type CommonVideoParams = {
35 videoPagination?: ComponentPaginationLight
36 sort: VideoSortField | SortMeta
37 include?: VideoInclude
38 isLocal?: boolean
39 categoryOneOf?: number[]
40 languageOneOf?: string[]
41 isLive?: boolean
42 skipCount?: boolean
43
44 // FIXME: remove?
45 nsfwPolicy?: NSFWPolicyType
46 nsfw?: BooleanBothQuery
47}
48
49@Injectable()
50export class VideoService {
51 static BASE_VIDEO_URL = environment.apiUrl + '/api/v1/videos/'
52 static BASE_FEEDS_URL = environment.apiUrl + '/feeds/videos.'
53 static BASE_SUBSCRIPTION_FEEDS_URL = environment.apiUrl + '/feeds/subscriptions.'
54
55 constructor (
56 private authHttp: HttpClient,
57 private restExtractor: RestExtractor,
58 private restService: RestService,
59 private serverService: ServerService
60 ) {}
61
62 getVideoViewUrl (uuid: string) {
63 return VideoService.BASE_VIDEO_URL + uuid + '/views'
64 }
65
66 getUserWatchingVideoUrl (uuid: string) {
67 return VideoService.BASE_VIDEO_URL + uuid + '/watching'
68 }
69
70 getVideo (options: { videoId: string }): Observable<VideoDetails> {
71 return this.serverService.getServerLocale()
72 .pipe(
73 switchMap(translations => {
74 return this.authHttp.get<VideoDetailsServerModel>(VideoService.BASE_VIDEO_URL + options.videoId)
75 .pipe(map(videoHash => ({ videoHash, translations })))
76 }),
77 map(({ videoHash, translations }) => new VideoDetails(videoHash, translations)),
78 catchError(err => this.restExtractor.handleError(err))
79 )
80 }
81
82 updateVideo (video: VideoEdit) {
83 const language = video.language || null
84 const licence = video.licence || null
85 const category = video.category || null
86 const description = video.description || null
87 const support = video.support || null
88 const scheduleUpdate = video.scheduleUpdate || null
89 const originallyPublishedAt = video.originallyPublishedAt || null
90
91 const body: VideoUpdate = {
92 name: video.name,
93 category,
94 licence,
95 language,
96 support,
97 description,
98 channelId: video.channelId,
99 privacy: video.privacy,
100 tags: video.tags,
101 nsfw: video.nsfw,
102 waitTranscoding: video.waitTranscoding,
103 commentsEnabled: video.commentsEnabled,
104 downloadEnabled: video.downloadEnabled,
105 thumbnailfile: video.thumbnailfile,
106 previewfile: video.previewfile,
107 pluginData: video.pluginData,
108 scheduleUpdate,
109 originallyPublishedAt
110 }
111
112 const data = objectToFormData(body)
113
114 return this.authHttp.put(VideoService.BASE_VIDEO_URL + video.id, data)
115 .pipe(
116 map(this.restExtractor.extractDataBool),
117 catchError(err => this.restExtractor.handleError(err))
118 )
119 }
120
121 uploadVideo (video: FormData) {
122 const req = new HttpRequest('POST', VideoService.BASE_VIDEO_URL + 'upload', video, { reportProgress: true })
123
124 return this.authHttp
125 .request<{ video: { id: number, uuid: string } }>(req)
126 .pipe(catchError(err => this.restExtractor.handleError(err)))
127 }
128
129 getMyVideos (options: {
130 videoPagination: ComponentPaginationLight
131 sort: VideoSortField
132 userChannels?: VideoChannelServerModel[]
133 search?: string
134 }): Observable<ResultList<Video>> {
135 const { videoPagination, sort, userChannels = [], search } = options
136
137 const pagination = this.restService.componentToRestPagination(videoPagination)
138
139 let params = new HttpParams()
140 params = this.restService.addRestGetParams(params, pagination, sort)
141
142 if (search) {
143 const filters = this.restService.parseQueryStringFilter(search, {
144 isLive: {
145 prefix: 'isLive:',
146 isBoolean: true
147 },
148 channelId: {
149 prefix: 'channel:',
150 handler: (name: string) => {
151 const channel = userChannels.find(c => c.name === name)
152
153 if (channel) return channel.id
154
155 return undefined
156 }
157 }
158 })
159
160 params = this.restService.addObjectParams(params, filters)
161 }
162
163 return this.authHttp
164 .get<ResultList<Video>>(UserService.BASE_USERS_URL + 'me/videos', { params })
165 .pipe(
166 switchMap(res => this.extractVideos(res)),
167 catchError(err => this.restExtractor.handleError(err))
168 )
169 }
170
171 getAccountVideos (parameters: CommonVideoParams & {
172 account: Pick<Account, 'nameWithHost'>
173 search?: string
174 }): Observable<ResultList<Video>> {
175 const { account, search } = parameters
176
177 let params = new HttpParams()
178 params = this.buildCommonVideosParams({ params, ...parameters })
179
180 if (search) params = params.set('search', search)
181
182 return this.authHttp
183 .get<ResultList<Video>>(AccountService.BASE_ACCOUNT_URL + account.nameWithHost + '/videos', { params })
184 .pipe(
185 switchMap(res => this.extractVideos(res)),
186 catchError(err => this.restExtractor.handleError(err))
187 )
188 }
189
190 getVideoChannelVideos (parameters: CommonVideoParams & {
191 videoChannel: Pick<VideoChannel, 'nameWithHost'>
192 }): Observable<ResultList<Video>> {
193 const { videoChannel } = parameters
194
195 let params = new HttpParams()
196 params = this.buildCommonVideosParams({ params, ...parameters })
197
198 return this.authHttp
199 .get<ResultList<Video>>(VideoChannelService.BASE_VIDEO_CHANNEL_URL + videoChannel.nameWithHost + '/videos', { params })
200 .pipe(
201 switchMap(res => this.extractVideos(res)),
202 catchError(err => this.restExtractor.handleError(err))
203 )
204 }
205
206 getAdminVideos (
207 parameters: CommonVideoParams & { pagination: RestPagination, search?: string }
208 ): Observable<ResultList<Video>> {
209 const { pagination, search } = parameters
210
211 const include = VideoInclude.BLACKLISTED |
212 VideoInclude.BLOCKED_OWNER |
213 VideoInclude.HIDDEN_PRIVACY |
214 VideoInclude.NOT_PUBLISHED_STATE |
215 VideoInclude.FILES
216
217 let params = new HttpParams()
218 params = this.buildCommonVideosParams({ params, include, ...parameters })
219
220 params = params.set('start', pagination.start.toString())
221 .set('count', pagination.count.toString())
222
223 if (search) {
224 params = this.buildAdminParamsFromSearch(search, params)
225 }
226
227 return this.authHttp
228 .get<ResultList<Video>>(VideoService.BASE_VIDEO_URL, { params })
229 .pipe(
230 switchMap(res => this.extractVideos(res)),
231 catchError(err => this.restExtractor.handleError(err))
232 )
233 }
234
235 getVideos (parameters: CommonVideoParams): Observable<ResultList<Video>> {
236 let params = new HttpParams()
237 params = this.buildCommonVideosParams({ params, ...parameters })
238
239 return this.authHttp
240 .get<ResultList<Video>>(VideoService.BASE_VIDEO_URL, { params })
241 .pipe(
242 switchMap(res => this.extractVideos(res)),
243 catchError(err => this.restExtractor.handleError(err))
244 )
245 }
246
247 buildBaseFeedUrls (params: HttpParams, base = VideoService.BASE_FEEDS_URL) {
248 const feeds = [
249 {
250 format: FeedFormat.RSS,
251 label: 'media rss 2.0',
252 url: base + FeedFormat.RSS.toLowerCase()
253 },
254 {
255 format: FeedFormat.ATOM,
256 label: 'atom 1.0',
257 url: base + FeedFormat.ATOM.toLowerCase()
258 },
259 {
260 format: FeedFormat.JSON,
261 label: 'json 1.0',
262 url: base + FeedFormat.JSON.toLowerCase()
263 }
264 ]
265
266 if (params && params.keys().length !== 0) {
267 for (const feed of feeds) {
268 feed.url += '?' + params.toString()
269 }
270 }
271
272 return feeds
273 }
274
275 getVideoFeedUrls (sort: VideoSortField, isLocal: boolean, categoryOneOf?: number[]) {
276 let params = this.restService.addRestGetParams(new HttpParams(), undefined, sort)
277
278 if (isLocal) params = params.set('isLocal', isLocal)
279
280 if (categoryOneOf) {
281 for (const c of categoryOneOf) {
282 params = params.append('categoryOneOf[]', c + '')
283 }
284 }
285
286 return this.buildBaseFeedUrls(params)
287 }
288
289 getAccountFeedUrls (accountId: number) {
290 let params = this.restService.addRestGetParams(new HttpParams())
291 params = params.set('accountId', accountId.toString())
292
293 return this.buildBaseFeedUrls(params)
294 }
295
296 getVideoChannelFeedUrls (videoChannelId: number) {
297 let params = this.restService.addRestGetParams(new HttpParams())
298 params = params.set('videoChannelId', videoChannelId.toString())
299
300 return this.buildBaseFeedUrls(params)
301 }
302
303 getVideoSubscriptionFeedUrls (accountId: number, feedToken: string) {
304 let params = this.restService.addRestGetParams(new HttpParams())
305 params = params.set('accountId', accountId.toString())
306 params = params.set('token', feedToken)
307
308 return this.buildBaseFeedUrls(params, VideoService.BASE_SUBSCRIPTION_FEEDS_URL)
309 }
310
311 getVideoFileMetadata (metadataUrl: string) {
312 return this.authHttp
313 .get<VideoFileMetadata>(metadataUrl)
314 .pipe(
315 catchError(err => this.restExtractor.handleError(err))
316 )
317 }
318
319 removeVideo (idArg: number | number[]) {
320 const ids = Array.isArray(idArg) ? idArg : [ idArg ]
321
322 return from(ids)
323 .pipe(
324 concatMap(id => this.authHttp.delete(VideoService.BASE_VIDEO_URL + id)),
325 toArray(),
326 catchError(err => this.restExtractor.handleError(err))
327 )
328 }
329
330 loadCompleteDescription (descriptionPath: string) {
331 return this.authHttp
332 .get<{ description: string }>(environment.apiUrl + descriptionPath)
333 .pipe(
334 map(res => res.description),
335 catchError(err => this.restExtractor.handleError(err))
336 )
337 }
338
339 setVideoLike (id: number) {
340 return this.setVideoRate(id, 'like')
341 }
342
343 setVideoDislike (id: number) {
344 return this.setVideoRate(id, 'dislike')
345 }
346
347 unsetVideoLike (id: number) {
348 return this.setVideoRate(id, 'none')
349 }
350
351 getUserVideoRating (id: number) {
352 const url = UserService.BASE_USERS_URL + 'me/videos/' + id + '/rating'
353
354 return this.authHttp.get<UserVideoRate>(url)
355 .pipe(catchError(err => this.restExtractor.handleError(err)))
356 }
357
358 extractVideos (result: ResultList<VideoServerModel>) {
359 return this.serverService.getServerLocale()
360 .pipe(
361 map(translations => {
362 const videosJson = result.data
363 const totalVideos = result.total
364 const videos: Video[] = []
365
366 for (const videoJson of videosJson) {
367 videos.push(new Video(videoJson, translations))
368 }
369
370 return { total: totalVideos, data: videos }
371 })
372 )
373 }
374
375 explainedPrivacyLabels (serverPrivacies: VideoConstant<VideoPrivacy>[], defaultPrivacyId = VideoPrivacy.PUBLIC) {
376 const descriptions = {
377 [VideoPrivacy.PRIVATE]: $localize`Only I can see this video`,
378 [VideoPrivacy.UNLISTED]: $localize`Only shareable via a private link`,
379 [VideoPrivacy.PUBLIC]: $localize`Anyone can see this video`,
380 [VideoPrivacy.INTERNAL]: $localize`Only users of this instance can see this video`
381 }
382
383 const videoPrivacies = serverPrivacies.map(p => {
384 return {
385 ...p,
386
387 description: descriptions[p.id]
388 }
389 })
390
391 return {
392 videoPrivacies,
393 defaultPrivacyId: serverPrivacies.find(p => p.id === defaultPrivacyId)?.id || serverPrivacies[0].id
394 }
395 }
396
397 getHighestAvailablePrivacy (serverPrivacies: VideoConstant<VideoPrivacy>[]) {
398 const order = [ VideoPrivacy.PRIVATE, VideoPrivacy.INTERNAL, VideoPrivacy.UNLISTED, VideoPrivacy.PUBLIC ]
399
400 for (const privacy of order) {
401 if (serverPrivacies.find(p => p.id === privacy)) {
402 return privacy
403 }
404 }
405
406 throw new Error('No highest privacy available')
407 }
408
409 nsfwPolicyToParam (nsfwPolicy: NSFWPolicyType) {
410 return nsfwPolicy === 'do_not_list'
411 ? 'false'
412 : 'both'
413 }
414
415 private setVideoRate (id: number, rateType: UserVideoRateType) {
416 const url = VideoService.BASE_VIDEO_URL + id + '/rate'
417 const body: UserVideoRateUpdate = {
418 rating: rateType
419 }
420
421 return this.authHttp
422 .put(url, body)
423 .pipe(
424 map(this.restExtractor.extractDataBool),
425 catchError(err => this.restExtractor.handleError(err))
426 )
427 }
428
429 private buildCommonVideosParams (options: CommonVideoParams & { params: HttpParams }) {
430 const {
431 params,
432 videoPagination,
433 sort,
434 isLocal,
435 include,
436 categoryOneOf,
437 languageOneOf,
438 skipCount,
439 nsfwPolicy,
440 isLive,
441 nsfw
442 } = options
443
444 const pagination = videoPagination
445 ? this.restService.componentToRestPagination(videoPagination)
446 : undefined
447
448 let newParams = this.restService.addRestGetParams(params, pagination, sort)
449
450 if (skipCount) newParams = newParams.set('skipCount', skipCount + '')
451
452 if (isLocal) newParams = newParams.set('isLocal', isLocal)
453 if (include) newParams = newParams.set('include', include)
454 if (isLive) newParams = newParams.set('isLive', isLive)
455 if (nsfw) newParams = newParams.set('nsfw', nsfw)
456 if (nsfwPolicy) newParams = newParams.set('nsfw', this.nsfwPolicyToParam(nsfwPolicy))
457 if (languageOneOf) newParams = this.restService.addArrayParams(newParams, 'languageOneOf', languageOneOf)
458 if (categoryOneOf) newParams = this.restService.addArrayParams(newParams, 'categoryOneOf', categoryOneOf)
459
460 return newParams
461 }
462
463 private buildAdminParamsFromSearch (search: string, params: HttpParams) {
464 const filters = this.restService.parseQueryStringFilter(search, {
465 isLocal: {
466 prefix: 'isLocal:',
467 isBoolean: true
468 }
469 })
470
471 return this.restService.addObjectParams(params, filters)
472 }
473}