]> git.immae.eu Git - github/Chocobozzz/PeerTube.git/blob - client/src/app/core/users/user.service.ts
emit more specific status codes on video upload (#3423)
[github/Chocobozzz/PeerTube.git] / client / src / app / core / users / user.service.ts
1 import { SortMeta } from 'primeng/api'
2 import { from, Observable, of } from 'rxjs'
3 import { catchError, concatMap, filter, first, map, shareReplay, throttleTime, toArray } from 'rxjs/operators'
4 import { HttpClient, HttpParams } from '@angular/common/http'
5 import { Injectable } from '@angular/core'
6 import { AuthService } from '@app/core/auth'
7 import { getBytes } from '@root-helpers/bytes'
8 import { UserLocalStorageKeys } from '@root-helpers/users'
9 import {
10 Avatar,
11 NSFWPolicyType,
12 ResultList,
13 User as UserServerModel,
14 UserCreate,
15 UserRegister,
16 UserRole,
17 UserUpdate,
18 UserUpdateMe,
19 UserVideoQuota
20 } from '@shared/models'
21 import { environment } from '../../../environments/environment'
22 import { RestExtractor, RestPagination, RestService } from '../rest'
23 import { LocalStorageService, SessionStorageService } from '../wrappers/storage.service'
24 import { User } from './user.model'
25
26 @Injectable()
27 export class UserService {
28 static BASE_USERS_URL = environment.apiUrl + '/api/v1/users/'
29
30 private userCache: { [ id: number ]: Observable<UserServerModel> } = {}
31
32 constructor (
33 private authHttp: HttpClient,
34 private authService: AuthService,
35 private restExtractor: RestExtractor,
36 private restService: RestService,
37 private localStorageService: LocalStorageService,
38 private sessionStorageService: SessionStorageService
39 ) { }
40
41 changePassword (currentPassword: string, newPassword: string) {
42 const url = UserService.BASE_USERS_URL + 'me'
43 const body: UserUpdateMe = {
44 currentPassword,
45 password: newPassword
46 }
47
48 return this.authHttp.put(url, body)
49 .pipe(
50 map(this.restExtractor.extractDataBool),
51 catchError(err => this.restExtractor.handleError(err))
52 )
53 }
54
55 changeEmail (password: string, newEmail: string) {
56 const url = UserService.BASE_USERS_URL + 'me'
57 const body: UserUpdateMe = {
58 currentPassword: password,
59 email: newEmail
60 }
61
62 return this.authHttp.put(url, body)
63 .pipe(
64 map(this.restExtractor.extractDataBool),
65 catchError(err => this.restExtractor.handleError(err))
66 )
67 }
68
69 updateMyProfile (profile: UserUpdateMe) {
70 const url = UserService.BASE_USERS_URL + 'me'
71
72 return this.authHttp.put(url, profile)
73 .pipe(
74 map(this.restExtractor.extractDataBool),
75 catchError(err => this.restExtractor.handleError(err))
76 )
77 }
78
79 updateMyAnonymousProfile (profile: UserUpdateMe) {
80 try {
81 this.localStorageService.setItem(UserLocalStorageKeys.NSFW_POLICY, profile.nsfwPolicy)
82 this.localStorageService.setItem(UserLocalStorageKeys.WEBTORRENT_ENABLED, profile.webTorrentEnabled)
83
84 this.localStorageService.setItem(UserLocalStorageKeys.AUTO_PLAY_VIDEO, profile.autoPlayNextVideo)
85 this.localStorageService.setItem(UserLocalStorageKeys.AUTO_PLAY_VIDEO_PLAYLIST, profile.autoPlayNextVideoPlaylist)
86
87 this.localStorageService.setItem(UserLocalStorageKeys.THEME, profile.theme)
88 this.localStorageService.setItem(UserLocalStorageKeys.VIDEO_LANGUAGES, profile.videoLanguages)
89 } catch (err) {
90 console.error(`Cannot set item in localStorage. Likely due to a value impossible to stringify.`, err)
91 }
92 }
93
94 listenAnonymousUpdate () {
95 return this.localStorageService.watch([
96 UserLocalStorageKeys.NSFW_POLICY,
97 UserLocalStorageKeys.WEBTORRENT_ENABLED,
98 UserLocalStorageKeys.AUTO_PLAY_VIDEO,
99 UserLocalStorageKeys.AUTO_PLAY_VIDEO_PLAYLIST,
100 UserLocalStorageKeys.THEME,
101 UserLocalStorageKeys.VIDEO_LANGUAGES
102 ]).pipe(
103 throttleTime(200),
104 filter(() => this.authService.isLoggedIn() !== true),
105 map(() => this.getAnonymousUser())
106 )
107 }
108
109 deleteMe () {
110 const url = UserService.BASE_USERS_URL + 'me'
111
112 return this.authHttp.delete(url)
113 .pipe(
114 map(this.restExtractor.extractDataBool),
115 catchError(err => this.restExtractor.handleError(err))
116 )
117 }
118
119 changeAvatar (avatarForm: FormData) {
120 const url = UserService.BASE_USERS_URL + 'me/avatar/pick'
121
122 return this.authHttp.post<{ avatar: Avatar }>(url, avatarForm)
123 .pipe(catchError(err => this.restExtractor.handleError(err)))
124 }
125
126 signup (userCreate: UserRegister) {
127 return this.authHttp.post(UserService.BASE_USERS_URL + 'register', userCreate)
128 .pipe(
129 map(this.restExtractor.extractDataBool),
130 catchError(err => this.restExtractor.handleError(err))
131 )
132 }
133
134 getMyVideoQuotaUsed () {
135 const url = UserService.BASE_USERS_URL + 'me/video-quota-used'
136
137 return this.authHttp.get<UserVideoQuota>(url)
138 .pipe(catchError(err => this.restExtractor.handleError(err)))
139 }
140
141 askResetPassword (email: string) {
142 const url = UserService.BASE_USERS_URL + '/ask-reset-password'
143
144 return this.authHttp.post(url, { email })
145 .pipe(
146 map(this.restExtractor.extractDataBool),
147 catchError(err => this.restExtractor.handleError(err))
148 )
149 }
150
151 resetPassword (userId: number, verificationString: string, password: string) {
152 const url = `${UserService.BASE_USERS_URL}/${userId}/reset-password`
153 const body = {
154 verificationString,
155 password
156 }
157
158 return this.authHttp.post(url, body)
159 .pipe(
160 map(this.restExtractor.extractDataBool),
161 catchError(res => this.restExtractor.handleError(res))
162 )
163 }
164
165 verifyEmail (userId: number, verificationString: string, isPendingEmail: boolean) {
166 const url = `${UserService.BASE_USERS_URL}/${userId}/verify-email`
167 const body = {
168 verificationString,
169 isPendingEmail
170 }
171
172 return this.authHttp.post(url, body)
173 .pipe(
174 map(this.restExtractor.extractDataBool),
175 catchError(res => this.restExtractor.handleError(res))
176 )
177 }
178
179 askSendVerifyEmail (email: string) {
180 const url = UserService.BASE_USERS_URL + '/ask-send-verify-email'
181
182 return this.authHttp.post(url, { email })
183 .pipe(
184 map(this.restExtractor.extractDataBool),
185 catchError(err => this.restExtractor.handleError(err))
186 )
187 }
188
189 autocomplete (search: string): Observable<string[]> {
190 const url = UserService.BASE_USERS_URL + 'autocomplete'
191 const params = new HttpParams().append('search', search)
192
193 return this.authHttp
194 .get<string[]>(url, { params })
195 .pipe(catchError(res => this.restExtractor.handleError(res)))
196 }
197
198 getNewUsername (oldDisplayName: string, newDisplayName: string, currentUsername: string) {
199 // Don't update display name, the user seems to have changed it
200 if (this.displayNameToUsername(oldDisplayName) !== currentUsername) return currentUsername
201
202 return this.displayNameToUsername(newDisplayName)
203 }
204
205 displayNameToUsername (displayName: string) {
206 if (!displayName) return ''
207
208 return displayName
209 .toLowerCase()
210 .replace(/\s/g, '_')
211 .replace(/[^a-z0-9_.]/g, '')
212 }
213
214 /* ###### Admin methods ###### */
215
216 addUser (userCreate: UserCreate) {
217 return this.authHttp.post(UserService.BASE_USERS_URL, userCreate)
218 .pipe(
219 map(this.restExtractor.extractDataBool),
220 catchError(err => this.restExtractor.handleError(err))
221 )
222 }
223
224 updateUser (userId: number, userUpdate: UserUpdate) {
225 return this.authHttp.put(UserService.BASE_USERS_URL + userId, userUpdate)
226 .pipe(
227 map(this.restExtractor.extractDataBool),
228 catchError(err => this.restExtractor.handleError(err))
229 )
230 }
231
232 updateUsers (users: UserServerModel[], userUpdate: UserUpdate) {
233 return from(users)
234 .pipe(
235 concatMap(u => this.authHttp.put(UserService.BASE_USERS_URL + u.id, userUpdate)),
236 toArray(),
237 catchError(err => this.restExtractor.handleError(err))
238 )
239 }
240
241 getUserWithCache (userId: number) {
242 if (!this.userCache[userId]) {
243 this.userCache[ userId ] = this.getUser(userId).pipe(shareReplay())
244 }
245
246 return this.userCache[userId]
247 }
248
249 getUser (userId: number, withStats = false) {
250 const params = new HttpParams().append('withStats', withStats + '')
251 return this.authHttp.get<UserServerModel>(UserService.BASE_USERS_URL + userId, { params })
252 .pipe(catchError(err => this.restExtractor.handleError(err)))
253 }
254
255 getAnonymousUser () {
256 let videoLanguages: string[]
257
258 try {
259 videoLanguages = JSON.parse(this.localStorageService.getItem(UserLocalStorageKeys.VIDEO_LANGUAGES))
260 } catch (err) {
261 videoLanguages = null
262 console.error('Cannot parse desired video languages from localStorage.', err)
263 }
264
265 return new User({
266 // local storage keys
267 nsfwPolicy: this.localStorageService.getItem(UserLocalStorageKeys.NSFW_POLICY) as NSFWPolicyType,
268 webTorrentEnabled: this.localStorageService.getItem(UserLocalStorageKeys.WEBTORRENT_ENABLED) !== 'false',
269 theme: this.localStorageService.getItem(UserLocalStorageKeys.THEME) || 'instance-default',
270 videoLanguages,
271
272 autoPlayNextVideoPlaylist: this.localStorageService.getItem(UserLocalStorageKeys.AUTO_PLAY_VIDEO_PLAYLIST) !== 'false',
273 autoPlayVideo: this.localStorageService.getItem(UserLocalStorageKeys.AUTO_PLAY_VIDEO) === 'true',
274
275 // session storage keys
276 autoPlayNextVideo: this.sessionStorageService.getItem(UserLocalStorageKeys.SESSION_STORAGE_AUTO_PLAY_NEXT_VIDEO) === 'true'
277 })
278 }
279
280 getUsers (parameters: {
281 pagination: RestPagination
282 sort: SortMeta
283 search?: string
284 }): Observable<ResultList<UserServerModel>> {
285 const { pagination, sort, search } = parameters
286
287 let params = new HttpParams()
288 params = this.restService.addRestGetParams(params, pagination, sort)
289
290 if (search) {
291 const filters = this.restService.parseQueryStringFilter(search, {
292 blocked: {
293 prefix: 'banned:',
294 isBoolean: true,
295 handler: v => {
296 if (v === 'true') return v
297 if (v === 'false') return v
298
299 return undefined
300 }
301 }
302 })
303
304 params = this.restService.addObjectParams(params, filters)
305 }
306
307 return this.authHttp.get<ResultList<UserServerModel>>(UserService.BASE_USERS_URL, { params })
308 .pipe(
309 map(res => this.restExtractor.convertResultListDateToHuman(res)),
310 map(res => this.restExtractor.applyToResultListData(res, this.formatUser.bind(this))),
311 catchError(err => this.restExtractor.handleError(err))
312 )
313 }
314
315 removeUser (usersArg: UserServerModel | UserServerModel[]) {
316 const users = Array.isArray(usersArg) ? usersArg : [ usersArg ]
317
318 return from(users)
319 .pipe(
320 concatMap(u => this.authHttp.delete(UserService.BASE_USERS_URL + u.id)),
321 toArray(),
322 catchError(err => this.restExtractor.handleError(err))
323 )
324 }
325
326 banUsers (usersArg: UserServerModel | UserServerModel[], reason?: string) {
327 const body = reason ? { reason } : {}
328 const users = Array.isArray(usersArg) ? usersArg : [ usersArg ]
329
330 return from(users)
331 .pipe(
332 concatMap(u => this.authHttp.post(UserService.BASE_USERS_URL + u.id + '/block', body)),
333 toArray(),
334 catchError(err => this.restExtractor.handleError(err))
335 )
336 }
337
338 unbanUsers (usersArg: UserServerModel | UserServerModel[]) {
339 const users = Array.isArray(usersArg) ? usersArg : [ usersArg ]
340
341 return from(users)
342 .pipe(
343 concatMap(u => this.authHttp.post(UserService.BASE_USERS_URL + u.id + '/unblock', {})),
344 toArray(),
345 catchError(err => this.restExtractor.handleError(err))
346 )
347 }
348
349 getAnonymousOrLoggedUser () {
350 if (!this.authService.isLoggedIn()) {
351 return of(this.getAnonymousUser())
352 }
353
354 return this.authService.userInformationLoaded
355 .pipe(
356 first(),
357 map(() => this.authService.getUser())
358 )
359 }
360
361 private formatUser (user: UserServerModel) {
362 let videoQuota
363 if (user.videoQuota === -1) {
364 videoQuota = '∞'
365 } else {
366 videoQuota = getBytes(user.videoQuota, 0)
367 }
368
369 const videoQuotaUsed = getBytes(user.videoQuotaUsed, 0)
370
371 let videoQuotaDaily: string
372 let videoQuotaUsedDaily: string
373 if (user.videoQuotaDaily === -1) {
374 videoQuotaDaily = '∞'
375 videoQuotaUsedDaily = getBytes(0, 0) + ''
376 } else {
377 videoQuotaDaily = getBytes(user.videoQuotaDaily, 0) + ''
378 videoQuotaUsedDaily = getBytes(user.videoQuotaUsedDaily || 0, 0) + ''
379 }
380
381 const roleLabels: { [ id in UserRole ]: string } = {
382 [UserRole.USER]: $localize`User`,
383 [UserRole.ADMINISTRATOR]: $localize`Administrator`,
384 [UserRole.MODERATOR]: $localize`Moderator`
385 }
386
387 return Object.assign(user, {
388 roleLabel: roleLabels[user.role],
389 videoQuota,
390 videoQuotaUsed,
391 rawVideoQuota: user.videoQuota,
392 rawVideoQuotaUsed: user.videoQuotaUsed,
393 videoQuotaDaily,
394 videoQuotaUsedDaily,
395 rawVideoQuotaDaily: user.videoQuotaDaily,
396 rawVideoQuotaUsedDaily: user.videoQuotaUsedDaily
397 })
398 }
399 }