]> git.immae.eu Git - github/Chocobozzz/PeerTube.git/blob - server/controllers/api/users.ts
89105691267786772d361956f22e92acbff9d327
[github/Chocobozzz/PeerTube.git] / server / controllers / api / users.ts
1 import * as express from 'express'
2 import 'multer'
3 import { extname, join } from 'path'
4 import * as uuidv4 from 'uuid/v4'
5 import * as RateLimit from 'express-rate-limit'
6 import { UserCreate, UserRight, UserRole, UserUpdate, UserUpdateMe, UserVideoRate as FormattedUserVideoRate } from '../../../shared'
7 import { processImage } from '../../helpers/image-utils'
8 import { logger } from '../../helpers/logger'
9 import { getFormattedObjects } from '../../helpers/utils'
10 import { AVATARS_SIZE, CONFIG, IMAGE_MIMETYPE_EXT, RATES_LIMIT, sequelizeTypescript } from '../../initializers'
11 import { updateActorAvatarInstance } from '../../lib/activitypub'
12 import { sendUpdateActor } from '../../lib/activitypub/send'
13 import { Emailer } from '../../lib/emailer'
14 import { Redis } from '../../lib/redis'
15 import { createUserAccountAndChannel } from '../../lib/user'
16 import {
17 asyncMiddleware,
18 asyncRetryTransactionMiddleware,
19 authenticate,
20 ensureUserHasRight,
21 ensureUserRegistrationAllowed,
22 ensureUserRegistrationAllowedForIP,
23 paginationValidator,
24 setDefaultPagination,
25 setDefaultSort,
26 token,
27 usersAddValidator,
28 usersGetValidator,
29 usersRegisterValidator,
30 usersRemoveValidator,
31 usersSortValidator,
32 usersUpdateMeValidator,
33 usersUpdateValidator,
34 usersVideoRatingValidator
35 } from '../../middlewares'
36 import {
37 usersAskResetPasswordValidator,
38 usersResetPasswordValidator,
39 usersUpdateMyAvatarValidator,
40 videosSortValidator
41 } from '../../middlewares/validators'
42 import { AccountVideoRateModel } from '../../models/account/account-video-rate'
43 import { UserModel } from '../../models/account/user'
44 import { OAuthTokenModel } from '../../models/oauth/oauth-token'
45 import { VideoModel } from '../../models/video/video'
46 import { VideoSortField } from '../../../client/src/app/shared/video/sort-field.type'
47 import { createReqFiles } from '../../helpers/express-utils'
48 import { UserVideoQuota } from '../../../shared/models/users/user-video-quota.model'
49
50 const reqAvatarFile = createReqFiles([ 'avatarfile' ], IMAGE_MIMETYPE_EXT, { avatarfile: CONFIG.STORAGE.AVATARS_DIR })
51 const loginRateLimiter = new RateLimit({
52 windowMs: RATES_LIMIT.LOGIN.WINDOW_MS,
53 max: RATES_LIMIT.LOGIN.MAX,
54 delayMs: 0
55 })
56
57 const usersRouter = express.Router()
58
59 usersRouter.get('/me',
60 authenticate,
61 asyncMiddleware(getUserInformation)
62 )
63
64 usersRouter.get('/me/video-quota-used',
65 authenticate,
66 asyncMiddleware(getUserVideoQuotaUsed)
67 )
68
69 usersRouter.get('/me/videos',
70 authenticate,
71 paginationValidator,
72 videosSortValidator,
73 setDefaultSort,
74 setDefaultPagination,
75 asyncMiddleware(getUserVideos)
76 )
77
78 usersRouter.get('/me/videos/:videoId/rating',
79 authenticate,
80 asyncMiddleware(usersVideoRatingValidator),
81 asyncMiddleware(getUserVideoRating)
82 )
83
84 usersRouter.get('/',
85 authenticate,
86 ensureUserHasRight(UserRight.MANAGE_USERS),
87 paginationValidator,
88 usersSortValidator,
89 setDefaultSort,
90 setDefaultPagination,
91 asyncMiddleware(listUsers)
92 )
93
94 usersRouter.get('/:id',
95 authenticate,
96 ensureUserHasRight(UserRight.MANAGE_USERS),
97 asyncMiddleware(usersGetValidator),
98 getUser
99 )
100
101 usersRouter.post('/',
102 authenticate,
103 ensureUserHasRight(UserRight.MANAGE_USERS),
104 asyncMiddleware(usersAddValidator),
105 asyncRetryTransactionMiddleware(createUser)
106 )
107
108 usersRouter.post('/register',
109 asyncMiddleware(ensureUserRegistrationAllowed),
110 ensureUserRegistrationAllowedForIP,
111 asyncMiddleware(usersRegisterValidator),
112 asyncRetryTransactionMiddleware(registerUser)
113 )
114
115 usersRouter.put('/me',
116 authenticate,
117 usersUpdateMeValidator,
118 asyncMiddleware(updateMe)
119 )
120
121 usersRouter.post('/me/avatar/pick',
122 authenticate,
123 reqAvatarFile,
124 usersUpdateMyAvatarValidator,
125 asyncMiddleware(updateMyAvatar)
126 )
127
128 usersRouter.put('/:id',
129 authenticate,
130 ensureUserHasRight(UserRight.MANAGE_USERS),
131 asyncMiddleware(usersUpdateValidator),
132 asyncMiddleware(updateUser)
133 )
134
135 usersRouter.delete('/:id',
136 authenticate,
137 ensureUserHasRight(UserRight.MANAGE_USERS),
138 asyncMiddleware(usersRemoveValidator),
139 asyncMiddleware(removeUser)
140 )
141
142 usersRouter.post('/ask-reset-password',
143 asyncMiddleware(usersAskResetPasswordValidator),
144 asyncMiddleware(askResetUserPassword)
145 )
146
147 usersRouter.post('/:id/reset-password',
148 asyncMiddleware(usersResetPasswordValidator),
149 asyncMiddleware(resetUserPassword)
150 )
151
152 usersRouter.post('/token',
153 loginRateLimiter,
154 token,
155 success
156 )
157 // TODO: Once https://github.com/oauthjs/node-oauth2-server/pull/289 is merged, implement revoke token route
158
159 // ---------------------------------------------------------------------------
160
161 export {
162 usersRouter
163 }
164
165 // ---------------------------------------------------------------------------
166
167 async function getUserVideos (req: express.Request, res: express.Response, next: express.NextFunction) {
168 const user = res.locals.oauth.token.User as UserModel
169 const resultList = await VideoModel.listUserVideosForApi(
170 user.Account.id,
171 req.query.start as number,
172 req.query.count as number,
173 req.query.sort as VideoSortField,
174 false // Display my NSFW videos
175 )
176
177 const additionalAttributes = {
178 waitTranscoding: true,
179 state: true,
180 scheduledUpdate: true
181 }
182 return res.json(getFormattedObjects(resultList.data, resultList.total, { additionalAttributes }))
183 }
184
185 async function createUser (req: express.Request, res: express.Response) {
186 const body: UserCreate = req.body
187 const userToCreate = new UserModel({
188 username: body.username,
189 password: body.password,
190 email: body.email,
191 nsfwPolicy: CONFIG.INSTANCE.DEFAULT_NSFW_POLICY,
192 autoPlayVideo: true,
193 role: body.role,
194 videoQuota: body.videoQuota
195 })
196
197 const { user, account } = await createUserAccountAndChannel(userToCreate)
198
199 logger.info('User %s with its channel and account created.', body.username)
200
201 return res.json({
202 user: {
203 id: user.id,
204 account: {
205 id: account.id,
206 uuid: account.Actor.uuid
207 }
208 }
209 }).end()
210 }
211
212 async function registerUser (req: express.Request, res: express.Response) {
213 const body: UserCreate = req.body
214
215 const user = new UserModel({
216 username: body.username,
217 password: body.password,
218 email: body.email,
219 nsfwPolicy: CONFIG.INSTANCE.DEFAULT_NSFW_POLICY,
220 autoPlayVideo: true,
221 role: UserRole.USER,
222 videoQuota: CONFIG.USER.VIDEO_QUOTA
223 })
224
225 await createUserAccountAndChannel(user)
226
227 logger.info('User %s with its channel and account registered.', body.username)
228
229 return res.type('json').status(204).end()
230 }
231
232 async function getUserInformation (req: express.Request, res: express.Response, next: express.NextFunction) {
233 // We did not load channels in res.locals.user
234 const user = await UserModel.loadByUsernameAndPopulateChannels(res.locals.oauth.token.user.username)
235
236 return res.json(user.toFormattedJSON())
237 }
238
239 async function getUserVideoQuotaUsed (req: express.Request, res: express.Response, next: express.NextFunction) {
240 // We did not load channels in res.locals.user
241 const user = await UserModel.loadByUsernameAndPopulateChannels(res.locals.oauth.token.user.username)
242 const videoQuotaUsed = await UserModel.getOriginalVideoFileTotalFromUser(user)
243
244 const data: UserVideoQuota = {
245 videoQuotaUsed
246 }
247 return res.json(data)
248 }
249
250 function getUser (req: express.Request, res: express.Response, next: express.NextFunction) {
251 return res.json((res.locals.user as UserModel).toFormattedJSON())
252 }
253
254 async function getUserVideoRating (req: express.Request, res: express.Response, next: express.NextFunction) {
255 const videoId = +req.params.videoId
256 const accountId = +res.locals.oauth.token.User.Account.id
257
258 const ratingObj = await AccountVideoRateModel.load(accountId, videoId, null)
259 const rating = ratingObj ? ratingObj.type : 'none'
260
261 const json: FormattedUserVideoRate = {
262 videoId,
263 rating
264 }
265 res.json(json)
266 }
267
268 async function listUsers (req: express.Request, res: express.Response, next: express.NextFunction) {
269 const resultList = await UserModel.listForApi(req.query.start, req.query.count, req.query.sort)
270
271 return res.json(getFormattedObjects(resultList.data, resultList.total))
272 }
273
274 async function removeUser (req: express.Request, res: express.Response, next: express.NextFunction) {
275 const user = await UserModel.loadById(req.params.id)
276
277 await user.destroy()
278
279 return res.sendStatus(204)
280 }
281
282 async function updateMe (req: express.Request, res: express.Response, next: express.NextFunction) {
283 const body: UserUpdateMe = req.body
284
285 const user: UserModel = res.locals.oauth.token.user
286
287 if (body.password !== undefined) user.password = body.password
288 if (body.email !== undefined) user.email = body.email
289 if (body.nsfwPolicy !== undefined) user.nsfwPolicy = body.nsfwPolicy
290 if (body.autoPlayVideo !== undefined) user.autoPlayVideo = body.autoPlayVideo
291
292 await sequelizeTypescript.transaction(async t => {
293 await user.save({ transaction: t })
294
295 if (body.displayName !== undefined) user.Account.name = body.displayName
296 if (body.description !== undefined) user.Account.description = body.description
297 await user.Account.save({ transaction: t })
298
299 await sendUpdateActor(user.Account, t)
300 })
301
302 return res.sendStatus(204)
303 }
304
305 async function updateMyAvatar (req: express.Request, res: express.Response, next: express.NextFunction) {
306 const avatarPhysicalFile = req.files[ 'avatarfile' ][ 0 ]
307 const user = res.locals.oauth.token.user
308 const actor = user.Account.Actor
309
310 const extension = extname(avatarPhysicalFile.filename)
311 const avatarName = uuidv4() + extension
312 const destination = join(CONFIG.STORAGE.AVATARS_DIR, avatarName)
313 await processImage(avatarPhysicalFile, destination, AVATARS_SIZE)
314
315 const avatar = await sequelizeTypescript.transaction(async t => {
316 const updatedActor = await updateActorAvatarInstance(actor, avatarName, t)
317 await updatedActor.save({ transaction: t })
318
319 await sendUpdateActor(user.Account, t)
320
321 return updatedActor.Avatar
322 })
323
324 return res
325 .json({
326 avatar: avatar.toFormattedJSON()
327 })
328 .end()
329 }
330
331 async function updateUser (req: express.Request, res: express.Response, next: express.NextFunction) {
332 const body: UserUpdate = req.body
333 const user = res.locals.user as UserModel
334 const roleChanged = body.role !== undefined && body.role !== user.role
335
336 if (body.email !== undefined) user.email = body.email
337 if (body.videoQuota !== undefined) user.videoQuota = body.videoQuota
338 if (body.role !== undefined) user.role = body.role
339
340 await user.save()
341
342 // Destroy user token to refresh rights
343 if (roleChanged) {
344 await OAuthTokenModel.deleteUserToken(user.id)
345 }
346
347 // Don't need to send this update to followers, these attributes are not propagated
348
349 return res.sendStatus(204)
350 }
351
352 async function askResetUserPassword (req: express.Request, res: express.Response, next: express.NextFunction) {
353 const user = res.locals.user as UserModel
354
355 const verificationString = await Redis.Instance.setResetPasswordVerificationString(user.id)
356 const url = CONFIG.WEBSERVER.URL + '/reset-password?userId=' + user.id + '&verificationString=' + verificationString
357 await Emailer.Instance.addForgetPasswordEmailJob(user.email, url)
358
359 return res.status(204).end()
360 }
361
362 async function resetUserPassword (req: express.Request, res: express.Response, next: express.NextFunction) {
363 const user = res.locals.user as UserModel
364 user.password = req.body.password
365
366 await user.save()
367
368 return res.status(204).end()
369 }
370
371 function success (req: express.Request, res: express.Response, next: express.NextFunction) {
372 res.end()
373 }