]> git.immae.eu Git - github/Chocobozzz/PeerTube.git/blame_incremental - server/models/video/video-comment.ts
Optimize rate endpoint
[github/Chocobozzz/PeerTube.git] / server / models / video / video-comment.ts
... / ...
CommitLineData
1import { uniq } from 'lodash'
2import { FindAndCountOptions, FindOptions, Op, Order, ScopeOptions, Sequelize, Transaction, WhereOptions } from 'sequelize'
3import {
4 AllowNull,
5 BelongsTo,
6 Column,
7 CreatedAt,
8 DataType,
9 ForeignKey,
10 HasMany,
11 Is,
12 Model,
13 Scopes,
14 Table,
15 UpdatedAt
16} from 'sequelize-typescript'
17import { getServerActor } from '@server/models/application/application'
18import { MAccount, MAccountId, MUserAccountId } from '@server/types/models'
19import { VideoPrivacy } from '@shared/models'
20import { ActivityTagObject, ActivityTombstoneObject } from '../../../shared/models/activitypub/objects/common-objects'
21import { VideoCommentObject } from '../../../shared/models/activitypub/objects/video-comment-object'
22import { VideoComment, VideoCommentAdmin } from '../../../shared/models/videos/video-comment.model'
23import { actorNameAlphabet } from '../../helpers/custom-validators/activitypub/actor'
24import { isActivityPubUrlValid } from '../../helpers/custom-validators/activitypub/misc'
25import { regexpCapture } from '../../helpers/regexp'
26import { CONSTRAINTS_FIELDS, WEBSERVER } from '../../initializers/constants'
27import {
28 MComment,
29 MCommentAdminFormattable,
30 MCommentAP,
31 MCommentFormattable,
32 MCommentId,
33 MCommentOwner,
34 MCommentOwnerReplyVideoLight,
35 MCommentOwnerVideo,
36 MCommentOwnerVideoFeed,
37 MCommentOwnerVideoReply,
38 MVideoImmutable
39} from '../../types/models/video'
40import { VideoCommentAbuseModel } from '../abuse/video-comment-abuse'
41import { AccountModel } from '../account/account'
42import { ActorModel, unusedActorAttributesForAPI } from '../activitypub/actor'
43import {
44 buildBlockedAccountSQL,
45 buildBlockedAccountSQLOptimized,
46 buildLocalAccountIdsIn,
47 getCommentSort,
48 searchAttribute,
49 throwIfNotValid
50} from '../utils'
51import { VideoModel } from './video'
52import { VideoChannelModel } from './video-channel'
53
54export enum ScopeNames {
55 WITH_ACCOUNT = 'WITH_ACCOUNT',
56 WITH_ACCOUNT_FOR_API = 'WITH_ACCOUNT_FOR_API',
57 WITH_IN_REPLY_TO = 'WITH_IN_REPLY_TO',
58 WITH_VIDEO = 'WITH_VIDEO',
59 ATTRIBUTES_FOR_API = 'ATTRIBUTES_FOR_API'
60}
61
62@Scopes(() => ({
63 [ScopeNames.ATTRIBUTES_FOR_API]: (blockerAccountIds: number[]) => {
64 return {
65 attributes: {
66 include: [
67 [
68 Sequelize.literal(
69 '(' +
70 'WITH "blocklist" AS (' + buildBlockedAccountSQL(blockerAccountIds) + ')' +
71 'SELECT COUNT("replies"."id") - (' +
72 'SELECT COUNT("replies"."id") ' +
73 'FROM "videoComment" AS "replies" ' +
74 'WHERE "replies"."originCommentId" = "VideoCommentModel"."id" ' +
75 'AND "accountId" IN (SELECT "id" FROM "blocklist")' +
76 ')' +
77 'FROM "videoComment" AS "replies" ' +
78 'WHERE "replies"."originCommentId" = "VideoCommentModel"."id" ' +
79 'AND "accountId" NOT IN (SELECT "id" FROM "blocklist")' +
80 ')'
81 ),
82 'totalReplies'
83 ],
84 [
85 Sequelize.literal(
86 '(' +
87 'SELECT COUNT("replies"."id") ' +
88 'FROM "videoComment" AS "replies" ' +
89 'INNER JOIN "video" ON "video"."id" = "replies"."videoId" ' +
90 'INNER JOIN "videoChannel" ON "videoChannel"."id" = "video"."channelId" ' +
91 'WHERE "replies"."originCommentId" = "VideoCommentModel"."id" ' +
92 'AND "replies"."accountId" = "videoChannel"."accountId"' +
93 ')'
94 ),
95 'totalRepliesFromVideoAuthor'
96 ]
97 ]
98 }
99 } as FindOptions
100 },
101 [ScopeNames.WITH_ACCOUNT]: {
102 include: [
103 {
104 model: AccountModel
105 }
106 ]
107 },
108 [ScopeNames.WITH_ACCOUNT_FOR_API]: {
109 include: [
110 {
111 model: AccountModel.unscoped(),
112 include: [
113 {
114 attributes: {
115 exclude: unusedActorAttributesForAPI
116 },
117 model: ActorModel, // Default scope includes avatar and server
118 required: true
119 }
120 ]
121 }
122 ]
123 },
124 [ScopeNames.WITH_IN_REPLY_TO]: {
125 include: [
126 {
127 model: VideoCommentModel,
128 as: 'InReplyToVideoComment'
129 }
130 ]
131 },
132 [ScopeNames.WITH_VIDEO]: {
133 include: [
134 {
135 model: VideoModel,
136 required: true,
137 include: [
138 {
139 model: VideoChannelModel,
140 required: true,
141 include: [
142 {
143 model: AccountModel,
144 required: true
145 }
146 ]
147 }
148 ]
149 }
150 ]
151 }
152}))
153@Table({
154 tableName: 'videoComment',
155 indexes: [
156 {
157 fields: [ 'videoId' ]
158 },
159 {
160 fields: [ 'videoId', 'originCommentId' ]
161 },
162 {
163 fields: [ 'url' ],
164 unique: true
165 },
166 {
167 fields: [ 'accountId' ]
168 },
169 {
170 fields: [
171 { name: 'createdAt', order: 'DESC' }
172 ]
173 }
174 ]
175})
176export class VideoCommentModel extends Model {
177 @CreatedAt
178 createdAt: Date
179
180 @UpdatedAt
181 updatedAt: Date
182
183 @AllowNull(true)
184 @Column(DataType.DATE)
185 deletedAt: Date
186
187 @AllowNull(false)
188 @Is('VideoCommentUrl', value => throwIfNotValid(value, isActivityPubUrlValid, 'url'))
189 @Column(DataType.STRING(CONSTRAINTS_FIELDS.VIDEOS.URL.max))
190 url: string
191
192 @AllowNull(false)
193 @Column(DataType.TEXT)
194 text: string
195
196 @ForeignKey(() => VideoCommentModel)
197 @Column
198 originCommentId: number
199
200 @BelongsTo(() => VideoCommentModel, {
201 foreignKey: {
202 name: 'originCommentId',
203 allowNull: true
204 },
205 as: 'OriginVideoComment',
206 onDelete: 'CASCADE'
207 })
208 OriginVideoComment: VideoCommentModel
209
210 @ForeignKey(() => VideoCommentModel)
211 @Column
212 inReplyToCommentId: number
213
214 @BelongsTo(() => VideoCommentModel, {
215 foreignKey: {
216 name: 'inReplyToCommentId',
217 allowNull: true
218 },
219 as: 'InReplyToVideoComment',
220 onDelete: 'CASCADE'
221 })
222 InReplyToVideoComment: VideoCommentModel | null
223
224 @ForeignKey(() => VideoModel)
225 @Column
226 videoId: number
227
228 @BelongsTo(() => VideoModel, {
229 foreignKey: {
230 allowNull: false
231 },
232 onDelete: 'CASCADE'
233 })
234 Video: VideoModel
235
236 @ForeignKey(() => AccountModel)
237 @Column
238 accountId: number
239
240 @BelongsTo(() => AccountModel, {
241 foreignKey: {
242 allowNull: true
243 },
244 onDelete: 'CASCADE'
245 })
246 Account: AccountModel
247
248 @HasMany(() => VideoCommentAbuseModel, {
249 foreignKey: {
250 name: 'videoCommentId',
251 allowNull: true
252 },
253 onDelete: 'set null'
254 })
255 CommentAbuses: VideoCommentAbuseModel[]
256
257 static loadById (id: number, t?: Transaction): Promise<MComment> {
258 const query: FindOptions = {
259 where: {
260 id
261 }
262 }
263
264 if (t !== undefined) query.transaction = t
265
266 return VideoCommentModel.findOne(query)
267 }
268
269 static loadByIdAndPopulateVideoAndAccountAndReply (id: number, t?: Transaction): Promise<MCommentOwnerVideoReply> {
270 const query: FindOptions = {
271 where: {
272 id
273 }
274 }
275
276 if (t !== undefined) query.transaction = t
277
278 return VideoCommentModel
279 .scope([ ScopeNames.WITH_VIDEO, ScopeNames.WITH_ACCOUNT, ScopeNames.WITH_IN_REPLY_TO ])
280 .findOne(query)
281 }
282
283 static loadByUrlAndPopulateAccountAndVideo (url: string, t?: Transaction): Promise<MCommentOwnerVideo> {
284 const query: FindOptions = {
285 where: {
286 url
287 }
288 }
289
290 if (t !== undefined) query.transaction = t
291
292 return VideoCommentModel.scope([ ScopeNames.WITH_ACCOUNT, ScopeNames.WITH_VIDEO ]).findOne(query)
293 }
294
295 static loadByUrlAndPopulateReplyAndVideoUrlAndAccount (url: string, t?: Transaction): Promise<MCommentOwnerReplyVideoLight> {
296 const query: FindOptions = {
297 where: {
298 url
299 },
300 include: [
301 {
302 attributes: [ 'id', 'url' ],
303 model: VideoModel.unscoped()
304 }
305 ]
306 }
307
308 if (t !== undefined) query.transaction = t
309
310 return VideoCommentModel.scope([ ScopeNames.WITH_IN_REPLY_TO, ScopeNames.WITH_ACCOUNT ]).findOne(query)
311 }
312
313 static listCommentsForApi (parameters: {
314 start: number
315 count: number
316 sort: string
317
318 isLocal?: boolean
319 search?: string
320 searchAccount?: string
321 searchVideo?: string
322 }) {
323 const { start, count, sort, isLocal, search, searchAccount, searchVideo } = parameters
324
325 const where: WhereOptions = {
326 deletedAt: null
327 }
328
329 const whereAccount: WhereOptions = {}
330 const whereActor: WhereOptions = {}
331 const whereVideo: WhereOptions = {}
332
333 if (isLocal === true) {
334 Object.assign(whereActor, {
335 serverId: null
336 })
337 } else if (isLocal === false) {
338 Object.assign(whereActor, {
339 serverId: {
340 [Op.ne]: null
341 }
342 })
343 }
344
345 if (search) {
346 Object.assign(where, {
347 [Op.or]: [
348 searchAttribute(search, 'text'),
349 searchAttribute(search, '$Account.Actor.preferredUsername$'),
350 searchAttribute(search, '$Account.name$'),
351 searchAttribute(search, '$Video.name$')
352 ]
353 })
354 }
355
356 if (searchAccount) {
357 Object.assign(whereActor, {
358 [Op.or]: [
359 searchAttribute(searchAccount, '$Account.Actor.preferredUsername$'),
360 searchAttribute(searchAccount, '$Account.name$')
361 ]
362 })
363 }
364
365 if (searchVideo) {
366 Object.assign(whereVideo, searchAttribute(searchVideo, 'name'))
367 }
368
369 const query: FindAndCountOptions = {
370 offset: start,
371 limit: count,
372 order: getCommentSort(sort),
373 where,
374 include: [
375 {
376 model: AccountModel.unscoped(),
377 required: true,
378 where: whereAccount,
379 include: [
380 {
381 attributes: {
382 exclude: unusedActorAttributesForAPI
383 },
384 model: ActorModel, // Default scope includes avatar and server
385 required: true,
386 where: whereActor
387 }
388 ]
389 },
390 {
391 model: VideoModel.unscoped(),
392 required: true,
393 where: whereVideo
394 }
395 ]
396 }
397
398 return VideoCommentModel
399 .findAndCountAll(query)
400 .then(({ rows, count }) => {
401 return { total: count, data: rows }
402 })
403 }
404
405 static async listThreadsForApi (parameters: {
406 videoId: number
407 isVideoOwned: boolean
408 start: number
409 count: number
410 sort: string
411 user?: MUserAccountId
412 }) {
413 const { videoId, isVideoOwned, start, count, sort, user } = parameters
414
415 const blockerAccountIds = await VideoCommentModel.buildBlockerAccountIds({ videoId, user, isVideoOwned })
416
417 const accountBlockedWhere = {
418 accountId: {
419 [Op.notIn]: Sequelize.literal(
420 '(' + buildBlockedAccountSQL(blockerAccountIds) + ')'
421 )
422 }
423 }
424
425 const queryList = {
426 offset: start,
427 limit: count,
428 order: getCommentSort(sort),
429 where: {
430 [Op.and]: [
431 {
432 videoId
433 },
434 {
435 inReplyToCommentId: null
436 },
437 {
438 [Op.or]: [
439 accountBlockedWhere,
440 {
441 accountId: null
442 }
443 ]
444 }
445 ]
446 }
447 }
448
449 const scopesList: (string | ScopeOptions)[] = [
450 ScopeNames.WITH_ACCOUNT_FOR_API,
451 {
452 method: [ ScopeNames.ATTRIBUTES_FOR_API, blockerAccountIds ]
453 }
454 ]
455
456 const queryCount = {
457 where: {
458 videoId,
459 deletedAt: null,
460 ...accountBlockedWhere
461 }
462 }
463
464 return Promise.all([
465 VideoCommentModel.scope(scopesList).findAndCountAll(queryList),
466 VideoCommentModel.count(queryCount)
467 ]).then(([ { rows, count }, totalNotDeletedComments ]) => {
468 return { total: count, data: rows, totalNotDeletedComments }
469 })
470 }
471
472 static async listThreadCommentsForApi (parameters: {
473 videoId: number
474 isVideoOwned: boolean
475 threadId: number
476 user?: MUserAccountId
477 }) {
478 const { videoId, threadId, user, isVideoOwned } = parameters
479
480 const blockerAccountIds = await VideoCommentModel.buildBlockerAccountIds({ videoId, user, isVideoOwned })
481
482 const query = {
483 order: [ [ 'createdAt', 'ASC' ], [ 'updatedAt', 'ASC' ] ] as Order,
484 where: {
485 videoId,
486 [Op.or]: [
487 { id: threadId },
488 { originCommentId: threadId }
489 ],
490 [Op.or]: [
491 {
492 accountId: {
493 [Op.notIn]: Sequelize.literal(
494 '(' + buildBlockedAccountSQL(blockerAccountIds) + ')'
495 )
496 }
497 },
498 {
499 accountId: null
500 }
501 ]
502 }
503 }
504
505 const scopes: any[] = [
506 ScopeNames.WITH_ACCOUNT_FOR_API,
507 {
508 method: [ ScopeNames.ATTRIBUTES_FOR_API, blockerAccountIds ]
509 }
510 ]
511
512 return VideoCommentModel.scope(scopes)
513 .findAndCountAll(query)
514 .then(({ rows, count }) => {
515 return { total: count, data: rows }
516 })
517 }
518
519 static listThreadParentComments (comment: MCommentId, t: Transaction, order: 'ASC' | 'DESC' = 'ASC'): Promise<MCommentOwner[]> {
520 const query = {
521 order: [ [ 'createdAt', order ] ] as Order,
522 where: {
523 id: {
524 [Op.in]: Sequelize.literal('(' +
525 'WITH RECURSIVE children (id, "inReplyToCommentId") AS ( ' +
526 `SELECT id, "inReplyToCommentId" FROM "videoComment" WHERE id = ${comment.id} ` +
527 'UNION ' +
528 'SELECT "parent"."id", "parent"."inReplyToCommentId" FROM "videoComment" "parent" ' +
529 'INNER JOIN "children" ON "children"."inReplyToCommentId" = "parent"."id"' +
530 ') ' +
531 'SELECT id FROM children' +
532 ')'),
533 [Op.ne]: comment.id
534 }
535 },
536 transaction: t
537 }
538
539 return VideoCommentModel
540 .scope([ ScopeNames.WITH_ACCOUNT ])
541 .findAll(query)
542 }
543
544 static async listAndCountByVideoForAP (video: MVideoImmutable, start: number, count: number, t?: Transaction) {
545 const blockerAccountIds = await VideoCommentModel.buildBlockerAccountIds({
546 videoId: video.id,
547 isVideoOwned: video.isOwned()
548 })
549
550 const query = {
551 order: [ [ 'createdAt', 'ASC' ] ] as Order,
552 offset: start,
553 limit: count,
554 where: {
555 videoId: video.id,
556 accountId: {
557 [Op.notIn]: Sequelize.literal(
558 '(' + buildBlockedAccountSQL(blockerAccountIds) + ')'
559 )
560 }
561 },
562 transaction: t
563 }
564
565 return VideoCommentModel.findAndCountAll<MComment>(query)
566 }
567
568 static async listForFeed (parameters: {
569 start: number
570 count: number
571 videoId?: number
572 accountId?: number
573 videoChannelId?: number
574 }): Promise<MCommentOwnerVideoFeed[]> {
575 const serverActor = await getServerActor()
576 const { start, count, videoId, accountId, videoChannelId } = parameters
577
578 const whereAnd: WhereOptions[] = buildBlockedAccountSQLOptimized(
579 '"VideoCommentModel"."accountId"',
580 [ serverActor.Account.id, '"Video->VideoChannel"."accountId"' ]
581 )
582
583 if (accountId) {
584 whereAnd.push({
585 [Op.eq]: accountId
586 })
587 }
588
589 const accountWhere = {
590 [Op.and]: whereAnd
591 }
592
593 const videoChannelWhere = videoChannelId ? { id: videoChannelId } : undefined
594
595 const query = {
596 order: [ [ 'createdAt', 'DESC' ] ] as Order,
597 offset: start,
598 limit: count,
599 where: {
600 deletedAt: null,
601 accountId: accountWhere
602 },
603 include: [
604 {
605 attributes: [ 'name', 'uuid' ],
606 model: VideoModel.unscoped(),
607 required: true,
608 where: {
609 privacy: VideoPrivacy.PUBLIC
610 },
611 include: [
612 {
613 attributes: [ 'accountId' ],
614 model: VideoChannelModel.unscoped(),
615 required: true,
616 where: videoChannelWhere
617 }
618 ]
619 }
620 ]
621 }
622
623 if (videoId) query.where['videoId'] = videoId
624
625 return VideoCommentModel
626 .scope([ ScopeNames.WITH_ACCOUNT ])
627 .findAll(query)
628 }
629
630 static listForBulkDelete (ofAccount: MAccount, filter: { onVideosOfAccount?: MAccountId } = {}) {
631 const accountWhere = filter.onVideosOfAccount
632 ? { id: filter.onVideosOfAccount.id }
633 : {}
634
635 const query = {
636 limit: 1000,
637 where: {
638 deletedAt: null,
639 accountId: ofAccount.id
640 },
641 include: [
642 {
643 model: VideoModel,
644 required: true,
645 include: [
646 {
647 model: VideoChannelModel,
648 required: true,
649 include: [
650 {
651 model: AccountModel,
652 required: true,
653 where: accountWhere
654 }
655 ]
656 }
657 ]
658 }
659 ]
660 }
661
662 return VideoCommentModel
663 .scope([ ScopeNames.WITH_ACCOUNT ])
664 .findAll(query)
665 }
666
667 static async getStats () {
668 const totalLocalVideoComments = await VideoCommentModel.count({
669 include: [
670 {
671 model: AccountModel,
672 required: true,
673 include: [
674 {
675 model: ActorModel,
676 required: true,
677 where: {
678 serverId: null
679 }
680 }
681 ]
682 }
683 ]
684 })
685 const totalVideoComments = await VideoCommentModel.count()
686
687 return {
688 totalLocalVideoComments,
689 totalVideoComments
690 }
691 }
692
693 static cleanOldCommentsOf (videoId: number, beforeUpdatedAt: Date) {
694 const query = {
695 where: {
696 updatedAt: {
697 [Op.lt]: beforeUpdatedAt
698 },
699 videoId,
700 accountId: {
701 [Op.notIn]: buildLocalAccountIdsIn()
702 },
703 // Do not delete Tombstones
704 deletedAt: null
705 }
706 }
707
708 return VideoCommentModel.destroy(query)
709 }
710
711 getCommentStaticPath () {
712 return this.Video.getWatchStaticPath() + ';threadId=' + this.getThreadId()
713 }
714
715 getThreadId (): number {
716 return this.originCommentId || this.id
717 }
718
719 isOwned () {
720 if (!this.Account) {
721 return false
722 }
723
724 return this.Account.isOwned()
725 }
726
727 isDeleted () {
728 return this.deletedAt !== null
729 }
730
731 extractMentions () {
732 let result: string[] = []
733
734 const localMention = `@(${actorNameAlphabet}+)`
735 const remoteMention = `${localMention}@${WEBSERVER.HOST}`
736
737 const mentionRegex = this.isOwned()
738 ? '(?:(?:' + remoteMention + ')|(?:' + localMention + '))' // Include local mentions?
739 : '(?:' + remoteMention + ')'
740
741 const firstMentionRegex = new RegExp(`^${mentionRegex} `, 'g')
742 const endMentionRegex = new RegExp(` ${mentionRegex}$`, 'g')
743 const remoteMentionsRegex = new RegExp(' ' + remoteMention + ' ', 'g')
744
745 result = result.concat(
746 regexpCapture(this.text, firstMentionRegex)
747 .map(([ , username1, username2 ]) => username1 || username2),
748
749 regexpCapture(this.text, endMentionRegex)
750 .map(([ , username1, username2 ]) => username1 || username2),
751
752 regexpCapture(this.text, remoteMentionsRegex)
753 .map(([ , username ]) => username)
754 )
755
756 // Include local mentions
757 if (this.isOwned()) {
758 const localMentionsRegex = new RegExp(' ' + localMention + ' ', 'g')
759
760 result = result.concat(
761 regexpCapture(this.text, localMentionsRegex)
762 .map(([ , username ]) => username)
763 )
764 }
765
766 return uniq(result)
767 }
768
769 toFormattedJSON (this: MCommentFormattable) {
770 return {
771 id: this.id,
772 url: this.url,
773 text: this.text,
774
775 threadId: this.getThreadId(),
776 inReplyToCommentId: this.inReplyToCommentId || null,
777 videoId: this.videoId,
778
779 createdAt: this.createdAt,
780 updatedAt: this.updatedAt,
781 deletedAt: this.deletedAt,
782
783 isDeleted: this.isDeleted(),
784
785 totalRepliesFromVideoAuthor: this.get('totalRepliesFromVideoAuthor') || 0,
786 totalReplies: this.get('totalReplies') || 0,
787
788 account: this.Account
789 ? this.Account.toFormattedJSON()
790 : null
791 } as VideoComment
792 }
793
794 toFormattedAdminJSON (this: MCommentAdminFormattable) {
795 return {
796 id: this.id,
797 url: this.url,
798 text: this.text,
799
800 threadId: this.getThreadId(),
801 inReplyToCommentId: this.inReplyToCommentId || null,
802 videoId: this.videoId,
803
804 createdAt: this.createdAt,
805 updatedAt: this.updatedAt,
806
807 video: {
808 id: this.Video.id,
809 uuid: this.Video.uuid,
810 name: this.Video.name
811 },
812
813 account: this.Account
814 ? this.Account.toFormattedJSON()
815 : null
816 } as VideoCommentAdmin
817 }
818
819 toActivityPubObject (this: MCommentAP, threadParentComments: MCommentOwner[]): VideoCommentObject | ActivityTombstoneObject {
820 let inReplyTo: string
821 // New thread, so in AS we reply to the video
822 if (this.inReplyToCommentId === null) {
823 inReplyTo = this.Video.url
824 } else {
825 inReplyTo = this.InReplyToVideoComment.url
826 }
827
828 if (this.isDeleted()) {
829 return {
830 id: this.url,
831 type: 'Tombstone',
832 formerType: 'Note',
833 inReplyTo,
834 published: this.createdAt.toISOString(),
835 updated: this.updatedAt.toISOString(),
836 deleted: this.deletedAt.toISOString()
837 }
838 }
839
840 const tag: ActivityTagObject[] = []
841 for (const parentComment of threadParentComments) {
842 if (!parentComment.Account) continue
843
844 const actor = parentComment.Account.Actor
845
846 tag.push({
847 type: 'Mention',
848 href: actor.url,
849 name: `@${actor.preferredUsername}@${actor.getHost()}`
850 })
851 }
852
853 return {
854 type: 'Note' as 'Note',
855 id: this.url,
856 content: this.text,
857 inReplyTo,
858 updated: this.updatedAt.toISOString(),
859 published: this.createdAt.toISOString(),
860 url: this.url,
861 attributedTo: this.Account.Actor.url,
862 tag
863 }
864 }
865
866 private static async buildBlockerAccountIds (options: {
867 videoId: number
868 isVideoOwned: boolean
869 user?: MUserAccountId
870 }) {
871 const { videoId, user, isVideoOwned } = options
872
873 const serverActor = await getServerActor()
874 const blockerAccountIds = [ serverActor.Account.id ]
875
876 if (user) blockerAccountIds.push(user.Account.id)
877
878 if (isVideoOwned) {
879 const videoOwnerAccount = await AccountModel.loadAccountIdFromVideo(videoId)
880 blockerAccountIds.push(videoOwnerAccount.id)
881 }
882
883 return blockerAccountIds
884 }
885}